(self["webpackChunk_JUPYTERLAB_CORE_OUTPUT"] = self["webpackChunk_JUPYTERLAB_CORE_OUTPUT"] || []).push([[5114,7061],{ /***/ 72759: /***/ ((module) => { "use strict"; // Note: This regex matches even invalid JSON strings, but since we’re // working on the output of `JSON.stringify` we know that only valid strings // are present (unless the user supplied a weird `options.indent` but in // that case we don’t care since the output would be invalid anyway). var stringOrChar = /("(?:[^\\"]|\\.)*")|[:,]/g; module.exports = function stringify(passedObj, options) { var indent, maxLength, replacer; options = options || {}; indent = JSON.stringify( [1], undefined, options.indent === undefined ? 2 : options.indent ).slice(2, -3); maxLength = indent === "" ? Infinity : options.maxLength === undefined ? 80 : options.maxLength; replacer = options.replacer; return (function _stringify(obj, currentIndent, reserved) { // prettier-ignore var end, index, items, key, keyPart, keys, length, nextIndent, prettified, start, string, value; if (obj && typeof obj.toJSON === "function") { obj = obj.toJSON(); } string = JSON.stringify(obj, replacer); if (string === undefined) { return string; } length = maxLength - currentIndent.length - reserved; if (string.length <= length) { prettified = string.replace( stringOrChar, function (match, stringLiteral) { return stringLiteral || match + " "; } ); if (prettified.length <= length) { return prettified; } } if (replacer != null) { obj = JSON.parse(string); replacer = undefined; } if (typeof obj === "object" && obj !== null) { nextIndent = currentIndent + indent; items = []; index = 0; if (Array.isArray(obj)) { start = "["; end = "]"; length = obj.length; for (; index < length; index++) { items.push( _stringify(obj[index], nextIndent, index === length - 1 ? 0 : 1) || "null" ); } } else { start = "{"; end = "}"; keys = Object.keys(obj); length = keys.length; for (; index < length; index++) { key = keys[index]; keyPart = JSON.stringify(key) + ": "; value = _stringify( obj[key], nextIndent, keyPart.length + (index === length - 1 ? 0 : 1) ); if (value !== undefined) { items.push(keyPart + value); } } } if (items.length > 0) { return [start, indent + items.join(",\n" + nextIndent), end].join( "\n" + currentIndent ); } } return string; })(passedObj, "", 0); }; /***/ }), /***/ 27061: /***/ ((module) => { // shim for using process in browser var process = module.exports = {}; // cached from whatever global is present so that test runners that stub it // don't break things. But we need to wrap it in a try catch in case it is // wrapped in strict mode code which doesn't define any globals. It's inside a // function because try/catches deoptimize in certain engines. var cachedSetTimeout; var cachedClearTimeout; function defaultSetTimout() { throw new Error('setTimeout has not been defined'); } function defaultClearTimeout () { throw new Error('clearTimeout has not been defined'); } (function () { try { if (typeof setTimeout === 'function') { cachedSetTimeout = setTimeout; } else { cachedSetTimeout = defaultSetTimout; } } catch (e) { cachedSetTimeout = defaultSetTimout; } try { if (typeof clearTimeout === 'function') { cachedClearTimeout = clearTimeout; } else { cachedClearTimeout = defaultClearTimeout; } } catch (e) { cachedClearTimeout = defaultClearTimeout; } } ()) function runTimeout(fun) { if (cachedSetTimeout === setTimeout) { //normal enviroments in sane situations return setTimeout(fun, 0); } // if setTimeout wasn't available but was latter defined if ((cachedSetTimeout === defaultSetTimout || !cachedSetTimeout) && setTimeout) { cachedSetTimeout = setTimeout; return setTimeout(fun, 0); } try { // when when somebody has screwed with setTimeout but no I.E. maddness return cachedSetTimeout(fun, 0); } catch(e){ try { // When we are in I.E. but the script has been evaled so I.E. doesn't trust the global object when called normally return cachedSetTimeout.call(null, fun, 0); } catch(e){ // same as above but when it's a version of I.E. that must have the global object for 'this', hopfully our context correct otherwise it will throw a global error return cachedSetTimeout.call(this, fun, 0); } } } function runClearTimeout(marker) { if (cachedClearTimeout === clearTimeout) { //normal enviroments in sane situations return clearTimeout(marker); } // if clearTimeout wasn't available but was latter defined if ((cachedClearTimeout === defaultClearTimeout || !cachedClearTimeout) && clearTimeout) { cachedClearTimeout = clearTimeout; return clearTimeout(marker); } try { // when when somebody has screwed with setTimeout but no I.E. maddness return cachedClearTimeout(marker); } catch (e){ try { // When we are in I.E. but the script has been evaled so I.E. doesn't trust the global object when called normally return cachedClearTimeout.call(null, marker); } catch (e){ // same as above but when it's a version of I.E. that must have the global object for 'this', hopfully our context correct otherwise it will throw a global error. // Some versions of I.E. have different rules for clearTimeout vs setTimeout return cachedClearTimeout.call(this, marker); } } } var queue = []; var draining = false; var currentQueue; var queueIndex = -1; function cleanUpNextTick() { if (!draining || !currentQueue) { return; } draining = false; if (currentQueue.length) { queue = currentQueue.concat(queue); } else { queueIndex = -1; } if (queue.length) { drainQueue(); } } function drainQueue() { if (draining) { return; } var timeout = runTimeout(cleanUpNextTick); draining = true; var len = queue.length; while(len) { currentQueue = queue; queue = []; while (++queueIndex < len) { if (currentQueue) { currentQueue[queueIndex].run(); } } queueIndex = -1; len = queue.length; } currentQueue = null; draining = false; runClearTimeout(timeout); } process.nextTick = function (fun) { var args = new Array(arguments.length - 1); if (arguments.length > 1) { for (var i = 1; i < arguments.length; i++) { args[i - 1] = arguments[i]; } } queue.push(new Item(fun, args)); if (queue.length === 1 && !draining) { runTimeout(drainQueue); } }; // v8 likes predictible objects function Item(fun, array) { this.fun = fun; this.array = array; } Item.prototype.run = function () { this.fun.apply(null, this.array); }; process.title = 'browser'; process.browser = true; process.env = {}; process.argv = []; process.version = ''; // empty string to avoid regexp issues process.versions = {}; function noop() {} process.on = noop; process.addListener = noop; process.once = noop; process.off = noop; process.removeListener = noop; process.removeAllListeners = noop; process.emit = noop; process.prependListener = noop; process.prependOnceListener = noop; process.listeners = function (name) { return [] } process.binding = function (name) { throw new Error('process.binding is not supported'); }; process.cwd = function () { return '/' }; process.chdir = function (dir) { throw new Error('process.chdir is not supported'); }; process.umask = function() { return 0; }; /***/ }), /***/ 5114: /***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) => { "use strict"; // ESM COMPAT FLAG __webpack_require__.r(__webpack_exports__); // EXPORTS __webpack_require__.d(__webpack_exports__, { DEFAULT_ACTIONS: () => (/* binding */ DEFAULT_ACTIONS), "default": () => (/* binding */ vega_embed_module_embed), guessMode: () => (/* binding */ guessMode), vega: () => (/* binding */ vega), vegaLite: () => (/* binding */ vegaLite), version: () => (/* binding */ vega_embed_module_version) }); // NAMESPACE OBJECT: ../node_modules/fast-json-patch/module/core.mjs var core_namespaceObject = {}; __webpack_require__.r(core_namespaceObject); __webpack_require__.d(core_namespaceObject, { JsonPatchError: () => (JsonPatchError), _areEquals: () => (_areEquals), applyOperation: () => (applyOperation), applyPatch: () => (applyPatch), applyReducer: () => (applyReducer), deepClone: () => (deepClone), getValueByPointer: () => (getValueByPointer), validate: () => (validate), validator: () => (validator) }); // NAMESPACE OBJECT: ../node_modules/fast-json-patch/module/duplex.mjs var duplex_namespaceObject = {}; __webpack_require__.r(duplex_namespaceObject); __webpack_require__.d(duplex_namespaceObject, { compare: () => (compare), generate: () => (generate), observe: () => (observe), unobserve: () => (unobserve) }); // NAMESPACE OBJECT: ../node_modules/vega-transforms/build/vega-transforms.module.js var vega_transforms_module_namespaceObject = {}; __webpack_require__.r(vega_transforms_module_namespaceObject); __webpack_require__.d(vega_transforms_module_namespaceObject, { aggregate: () => (Aggregate), bin: () => (Bin), collect: () => (Collect), compare: () => (Compare), countpattern: () => (CountPattern), cross: () => (Cross), density: () => (Density), dotbin: () => (DotBin), expression: () => (Expression), extent: () => (Extent), facet: () => (Facet), field: () => (Field), filter: () => (Filter), flatten: () => (Flatten), fold: () => (Fold), formula: () => (Formula), generate: () => (Generate), impute: () => (Impute), joinaggregate: () => (JoinAggregate), kde: () => (KDE), key: () => (Key), load: () => (Load), lookup: () => (Lookup), multiextent: () => (MultiExtent), multivalues: () => (MultiValues), params: () => (Params), pivot: () => (Pivot), prefacet: () => (PreFacet), project: () => (Project), proxy: () => (Proxy), quantile: () => (Quantile), relay: () => (Relay), sample: () => (Sample), sequence: () => (Sequence), sieve: () => (Sieve), subflow: () => (Subflow), timeunit: () => (TimeUnit), tupleindex: () => (TupleIndex), values: () => (Values), window: () => (Window) }); // NAMESPACE OBJECT: ../node_modules/vega-view-transforms/build/vega-view-transforms.module.js var vega_view_transforms_module_namespaceObject = {}; __webpack_require__.r(vega_view_transforms_module_namespaceObject); __webpack_require__.d(vega_view_transforms_module_namespaceObject, { bound: () => (Bound), identifier: () => (Identifier), mark: () => (Mark), overlap: () => (Overlap), render: () => (Render), viewlayout: () => (ViewLayout) }); // NAMESPACE OBJECT: ../node_modules/vega-encode/build/vega-encode.module.js var vega_encode_module_namespaceObject = {}; __webpack_require__.r(vega_encode_module_namespaceObject); __webpack_require__.d(vega_encode_module_namespaceObject, { axisticks: () => (AxisTicks), datajoin: () => (DataJoin), encode: () => (Encode), legendentries: () => (LegendEntries), linkpath: () => (LinkPath), pie: () => (Pie), scale: () => (Scale), sortitems: () => (SortItems), stack: () => (Stack) }); // NAMESPACE OBJECT: ../node_modules/vega-geo/build/vega-geo.module.js var vega_geo_module_namespaceObject = {}; __webpack_require__.r(vega_geo_module_namespaceObject); __webpack_require__.d(vega_geo_module_namespaceObject, { contour: () => (Contour), geojson: () => (GeoJSON), geopath: () => (GeoPath), geopoint: () => (GeoPoint), geoshape: () => (GeoShape), graticule: () => (Graticule), heatmap: () => (Heatmap), isocontour: () => (Isocontour), kde2d: () => (KDE2D), projection: () => (Projection) }); // NAMESPACE OBJECT: ../node_modules/vega-force/build/vega-force.module.js var vega_force_module_namespaceObject = {}; __webpack_require__.r(vega_force_module_namespaceObject); __webpack_require__.d(vega_force_module_namespaceObject, { force: () => (Force) }); // NAMESPACE OBJECT: ../node_modules/vega-hierarchy/build/vega-hierarchy.module.js var vega_hierarchy_module_namespaceObject = {}; __webpack_require__.r(vega_hierarchy_module_namespaceObject); __webpack_require__.d(vega_hierarchy_module_namespaceObject, { nest: () => (Nest), pack: () => (Pack), partition: () => (Partition), stratify: () => (Stratify), tree: () => (Tree), treelinks: () => (TreeLinks), treemap: () => (Treemap) }); // NAMESPACE OBJECT: ../node_modules/vega-label/build/vega-label.module.js var vega_label_module_namespaceObject = {}; __webpack_require__.r(vega_label_module_namespaceObject); __webpack_require__.d(vega_label_module_namespaceObject, { label: () => (Label) }); // NAMESPACE OBJECT: ../node_modules/vega-regression/build/vega-regression.module.js var vega_regression_module_namespaceObject = {}; __webpack_require__.r(vega_regression_module_namespaceObject); __webpack_require__.d(vega_regression_module_namespaceObject, { loess: () => (Loess), regression: () => (Regression) }); // NAMESPACE OBJECT: ../node_modules/vega-voronoi/build/vega-voronoi.module.js var vega_voronoi_module_namespaceObject = {}; __webpack_require__.r(vega_voronoi_module_namespaceObject); __webpack_require__.d(vega_voronoi_module_namespaceObject, { voronoi: () => (vega_voronoi_module_Voronoi) }); // NAMESPACE OBJECT: ../node_modules/vega-wordcloud/build/vega-wordcloud.module.js var vega_wordcloud_module_namespaceObject = {}; __webpack_require__.r(vega_wordcloud_module_namespaceObject); __webpack_require__.d(vega_wordcloud_module_namespaceObject, { wordcloud: () => (Wordcloud) }); // NAMESPACE OBJECT: ../node_modules/vega-crossfilter/build/vega-crossfilter.module.js var vega_crossfilter_module_namespaceObject = {}; __webpack_require__.r(vega_crossfilter_module_namespaceObject); __webpack_require__.d(vega_crossfilter_module_namespaceObject, { crossfilter: () => (CrossFilter), resolvefilter: () => (ResolveFilter) }); // NAMESPACE OBJECT: ../node_modules/vega/build/vega.module.js var vega_module_namespaceObject = {}; __webpack_require__.r(vega_module_namespaceObject); __webpack_require__.d(vega_module_namespaceObject, { Bounds: () => (Bounds), CanvasHandler: () => (CanvasHandler), CanvasRenderer: () => (CanvasRenderer), DATE: () => (DATE), DAY: () => (DAY), DAYOFYEAR: () => (DAYOFYEAR), Dataflow: () => (Dataflow), Debug: () => (vega_util_module_Debug), Error: () => (Error$1), EventStream: () => (EventStream), Gradient: () => (Gradient), GroupItem: () => (GroupItem), HOURS: () => (HOURS), Handler: () => (Handler), HybridHandler: () => (HybridHandler), HybridRenderer: () => (HybridRenderer), Info: () => (vega_util_module_Info), Item: () => (Item), MILLISECONDS: () => (MILLISECONDS), MINUTES: () => (MINUTES), MONTH: () => (MONTH), Marks: () => (Marks), MultiPulse: () => (MultiPulse), None: () => (None), Operator: () => (Operator), Parameters: () => (Parameters), Pulse: () => (Pulse), QUARTER: () => (QUARTER), RenderType: () => (RenderType), Renderer: () => (Renderer), ResourceLoader: () => (ResourceLoader), SECONDS: () => (SECONDS), SVGHandler: () => (SVGHandler), SVGRenderer: () => (SVGRenderer), SVGStringRenderer: () => (SVGStringRenderer), Scenegraph: () => (Scenegraph), TIME_UNITS: () => (TIME_UNITS), Transform: () => (Transform), View: () => (View), WEEK: () => (WEEK), Warn: () => (vega_util_module_Warn), YEAR: () => (YEAR), accessor: () => (accessor), accessorFields: () => (accessorFields), accessorName: () => (accessorName), array: () => (array), ascending: () => (ascending), bandwidthNRD: () => (estimateBandwidth), bin: () => (vega_statistics_module_bin), bootstrapCI: () => (bootstrapCI), boundClip: () => (boundClip), boundContext: () => (boundContext), boundItem: () => (boundItem), boundMark: () => (boundMark), boundStroke: () => (boundStroke), changeset: () => (changeset), clampRange: () => (clampRange), codegenExpression: () => (codegen), compare: () => (vega_util_module_compare), constant: () => (vega_util_module_constant), cumulativeLogNormal: () => (cumulativeLogNormal), cumulativeNormal: () => (cumulativeNormal), cumulativeUniform: () => (cumulativeUniform), dayofyear: () => (dayofyear), debounce: () => (debounce), defaultLocale: () => (vega_format_module_defaultLocale), definition: () => (definition), densityLogNormal: () => (densityLogNormal), densityNormal: () => (densityNormal), densityUniform: () => (densityUniform), domChild: () => (domChild), domClear: () => (domClear), domCreate: () => (domCreate), domFind: () => (domFind), dotbin: () => (dotbin), error: () => (vega_util_module_error), expressionFunction: () => (expressionFunction), extend: () => (extend), extent: () => (extent), extentIndex: () => (extentIndex), falsy: () => (falsy), fastmap: () => (fastmap), field: () => (field), flush: () => (flush), font: () => (font), fontFamily: () => (fontFamily), fontSize: () => (fontSize), format: () => (format), formatLocale: () => (numberFormatDefaultLocale), formats: () => (formats), hasOwnProperty: () => (has), id: () => (id), identity: () => (identity), inferType: () => (inferType), inferTypes: () => (inferTypes), ingest: () => (ingest$1), inherits: () => (inherits), inrange: () => (inrange), interpolate: () => (interpolate), interpolateColors: () => (interpolateColors), interpolateRange: () => (interpolateRange), intersect: () => (intersect), intersectBoxLine: () => (intersectBoxLine), intersectPath: () => (intersectPath), intersectPoint: () => (intersectPoint), intersectRule: () => (intersectRule), isArray: () => (isArray), isBoolean: () => (isBoolean), isDate: () => (isDate), isFunction: () => (vega_util_module_isFunction), isIterable: () => (isIterable), isNumber: () => (isNumber), isObject: () => (isObject), isRegExp: () => (isRegExp), isString: () => (vega_util_module_isString), isTuple: () => (isTuple), key: () => (key), lerp: () => (lerp), lineHeight: () => (lineHeight), loader: () => (loader), locale: () => (vega_format_module_locale), logger: () => (logger), lruCache: () => (lruCache), markup: () => (markup), merge: () => (merge), mergeConfig: () => (mergeConfig), multiLineOffset: () => (multiLineOffset), one: () => (one), pad: () => (pad), panLinear: () => (panLinear), panLog: () => (panLog), panPow: () => (panPow), panSymlog: () => (panSymlog), parse: () => (vega_parser_module_parse), parseExpression: () => (parser), parseSelector: () => (eventSelector), path: () => (path/* path */.ET), pathCurves: () => (curves), pathEqual: () => (pathEqual), pathParse: () => (vega_scenegraph_module_parse), pathRectangle: () => (vg_rect), pathRender: () => (pathRender), pathSymbols: () => (vega_scenegraph_module_symbols), pathTrail: () => (vg_trail), peek: () => (peek), point: () => (vega_scenegraph_module_point), projection: () => (vega_projection_module_projection), quantileLogNormal: () => (quantileLogNormal), quantileNormal: () => (quantileNormal), quantileUniform: () => (quantileUniform), quantiles: () => (quantiles), quantizeInterpolator: () => (quantizeInterpolator), quarter: () => (quarter), quartiles: () => (quartiles), random: () => (random), randomInteger: () => (integer), randomKDE: () => (kde), randomLCG: () => (vega_statistics_module_lcg), randomLogNormal: () => (lognormal), randomMixture: () => (mixture), randomNormal: () => (gaussian), randomUniform: () => (uniform), read: () => (read), regressionConstant: () => (vega_statistics_module_constant), regressionExp: () => (vega_statistics_module_exp), regressionLinear: () => (linear), regressionLoess: () => (loess), regressionLog: () => (vega_statistics_module_log), regressionPoly: () => (poly), regressionPow: () => (vega_statistics_module_pow), regressionQuad: () => (quad), renderModule: () => (renderModule), repeat: () => (repeat), resetDefaultLocale: () => (resetDefaultLocale), resetSVGClipId: () => (resetSVGClipId), resetSVGDefIds: () => (resetSVGDefIds), responseType: () => (responseType), runtimeContext: () => (vega_runtime_module_context), sampleCurve: () => (sampleCurve), sampleLogNormal: () => (sampleLogNormal), sampleNormal: () => (sampleNormal), sampleUniform: () => (sampleUniform), scale: () => (vega_scale_module_scale), sceneEqual: () => (sceneEqual), sceneFromJSON: () => (sceneFromJSON), scenePickVisit: () => (pickVisit), sceneToJSON: () => (sceneToJSON), sceneVisit: () => (visit), sceneZOrder: () => (zorder), scheme: () => (scheme), serializeXML: () => (serializeXML), setHybridRendererOptions: () => (setHybridRendererOptions), setRandom: () => (setRandom), span: () => (span), splitAccessPath: () => (splitAccessPath), stringValue: () => ($), textMetrics: () => (textMetrics), timeBin: () => (bin), timeFloor: () => (timeFloor), timeFormatLocale: () => (timeFormatDefaultLocale), timeInterval: () => (timeInterval), timeOffset: () => (timeOffset), timeSequence: () => (timeSequence), timeUnitSpecifier: () => (timeUnitSpecifier), timeUnits: () => (timeUnits), toBoolean: () => (toBoolean), toDate: () => (toDate), toNumber: () => (toNumber), toSet: () => (vega_util_module_toSet), toString: () => (vega_util_module_toString), transform: () => (vega_dataflow_module_transform), transforms: () => (transforms), truncate: () => (truncate), truthy: () => (truthy), tupleid: () => (tupleid), typeParsers: () => (typeParsers), utcFloor: () => (utcFloor), utcInterval: () => (utcInterval), utcOffset: () => (utcOffset), utcSequence: () => (utcSequence), utcdayofyear: () => (utcdayofyear), utcquarter: () => (utcquarter), utcweek: () => (utcweek), version: () => (version), visitArray: () => (visitArray), week: () => (vega_time_module_week), writeConfig: () => (writeConfig), zero: () => (zero), zoomLinear: () => (zoomLinear), zoomLog: () => (zoomLog), zoomPow: () => (zoomPow), zoomSymlog: () => (zoomSymlog) }); // NAMESPACE OBJECT: ../node_modules/vega-lite/build/src/index.js var src_namespaceObject = {}; __webpack_require__.r(src_namespaceObject); __webpack_require__.d(src_namespaceObject, { accessPathDepth: () => (accessPathDepth), accessPathWithDatum: () => (accessPathWithDatum), compile: () => (compile), contains: () => (util_contains), deepEqual: () => (deepEqual), deleteNestedProperty: () => (deleteNestedProperty), duplicate: () => (duplicate), entries: () => (entries), every: () => (every), fieldIntersection: () => (fieldIntersection), flatAccessWithDatum: () => (flatAccessWithDatum), getFirstDefined: () => (getFirstDefined), hasIntersection: () => (hasIntersection), hash: () => (hash), internalField: () => (internalField), isBoolean: () => (util_isBoolean), isEmpty: () => (isEmpty), isEqual: () => (isEqual), isInternalField: () => (isInternalField), isNullOrFalse: () => (isNullOrFalse), isNumeric: () => (isNumeric), keys: () => (util_keys), logicalExpr: () => (logicalExpr), mergeDeep: () => (mergeDeep), never: () => (never), normalize: () => (normalize_normalize), normalizeAngle: () => (normalizeAngle), omit: () => (omit), pick: () => (util_pick), prefixGenerator: () => (prefixGenerator), removePathFromField: () => (removePathFromField), replaceAll: () => (replaceAll), replacePathInField: () => (replacePathInField), resetIdCounter: () => (resetIdCounter), setEqual: () => (setEqual), some: () => (some), stringify: () => (stringify), titleCase: () => (titleCase), unique: () => (unique), uniqueId: () => (uniqueId), vals: () => (vals), varName: () => (varName), version: () => (src_version) }); // NAMESPACE OBJECT: ../node_modules/vega-themes/build/vega-themes.module.js var vega_themes_module_namespaceObject = {}; __webpack_require__.r(vega_themes_module_namespaceObject); __webpack_require__.d(vega_themes_module_namespaceObject, { carbong10: () => (carbong10), carbong100: () => (carbong100), carbong90: () => (carbong90), carbonwhite: () => (carbonwhite), dark: () => (darkTheme), excel: () => (excelTheme), fivethirtyeight: () => (fiveThirtyEightTheme), ggplot2: () => (ggplot2Theme), googlecharts: () => (googlechartsTheme), latimes: () => (latimesTheme), powerbi: () => (powerbiTheme), quartz: () => (quartzTheme), urbaninstitute: () => (urbanInstituteTheme), version: () => (vega_themes_module_version), vox: () => (voxTheme) }); ;// CONCATENATED MODULE: ../node_modules/fast-json-patch/module/helpers.mjs /*! * https://github.com/Starcounter-Jack/JSON-Patch * (c) 2017-2022 Joachim Wester * MIT licensed */ var __extends = (undefined && undefined.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var _hasOwnProperty = Object.prototype.hasOwnProperty; function helpers_hasOwnProperty(obj, key) { return _hasOwnProperty.call(obj, key); } function _objectKeys(obj) { if (Array.isArray(obj)) { var keys_1 = new Array(obj.length); for (var k = 0; k < keys_1.length; k++) { keys_1[k] = "" + k; } return keys_1; } if (Object.keys) { return Object.keys(obj); } var keys = []; for (var i in obj) { if (helpers_hasOwnProperty(obj, i)) { keys.push(i); } } return keys; } ; /** * Deeply clone the object. * https://jsperf.com/deep-copy-vs-json-stringify-json-parse/25 (recursiveDeepCopy) * @param {any} obj value to clone * @return {any} cloned obj */ function _deepClone(obj) { switch (typeof obj) { case "object": return JSON.parse(JSON.stringify(obj)); //Faster than ES5 clone - http://jsperf.com/deep-cloning-of-objects/5 case "undefined": return null; //this is how JSON.stringify behaves for array items default: return obj; //no need to clone primitives } } //3x faster than cached /^\d+$/.test(str) function isInteger(str) { var i = 0; var len = str.length; var charCode; while (i < len) { charCode = str.charCodeAt(i); if (charCode >= 48 && charCode <= 57) { i++; continue; } return false; } return true; } /** * Escapes a json pointer path * @param path The raw pointer * @return the Escaped path */ function escapePathComponent(path) { if (path.indexOf('/') === -1 && path.indexOf('~') === -1) return path; return path.replace(/~/g, '~0').replace(/\//g, '~1'); } /** * Unescapes a json pointer path * @param path The escaped pointer * @return The unescaped path */ function unescapePathComponent(path) { return path.replace(/~1/g, '/').replace(/~0/g, '~'); } function _getPathRecursive(root, obj) { var found; for (var key in root) { if (helpers_hasOwnProperty(root, key)) { if (root[key] === obj) { return escapePathComponent(key) + '/'; } else if (typeof root[key] === 'object') { found = _getPathRecursive(root[key], obj); if (found != '') { return escapePathComponent(key) + '/' + found; } } } } return ''; } function getPath(root, obj) { if (root === obj) { return '/'; } var path = _getPathRecursive(root, obj); if (path === '') { throw new Error("Object not found in root"); } return "/" + path; } /** * Recursively checks whether an object has any undefined values inside. */ function hasUndefined(obj) { if (obj === undefined) { return true; } if (obj) { if (Array.isArray(obj)) { for (var i_1 = 0, len = obj.length; i_1 < len; i_1++) { if (hasUndefined(obj[i_1])) { return true; } } } else if (typeof obj === "object") { var objKeys = _objectKeys(obj); var objKeysLength = objKeys.length; for (var i = 0; i < objKeysLength; i++) { if (hasUndefined(obj[objKeys[i]])) { return true; } } } } return false; } function patchErrorMessageFormatter(message, args) { var messageParts = [message]; for (var key in args) { var value = typeof args[key] === 'object' ? JSON.stringify(args[key], null, 2) : args[key]; // pretty print if (typeof value !== 'undefined') { messageParts.push(key + ": " + value); } } return messageParts.join('\n'); } var PatchError = /** @class */ (function (_super) { __extends(PatchError, _super); function PatchError(message, name, index, operation, tree) { var _newTarget = this.constructor; var _this = _super.call(this, patchErrorMessageFormatter(message, { name: name, index: index, operation: operation, tree: tree })) || this; _this.name = name; _this.index = index; _this.operation = operation; _this.tree = tree; Object.setPrototypeOf(_this, _newTarget.prototype); // restore prototype chain, see https://stackoverflow.com/a/48342359 _this.message = patchErrorMessageFormatter(message, { name: name, index: index, operation: operation, tree: tree }); return _this; } return PatchError; }(Error)); ;// CONCATENATED MODULE: ../node_modules/fast-json-patch/module/core.mjs var JsonPatchError = PatchError; var deepClone = _deepClone; /* We use a Javascript hash to store each function. Each hash entry (property) uses the operation identifiers specified in rfc6902. In this way, we can map each patch operation to its dedicated function in efficient way. */ /* The operations applicable to an object */ var objOps = { add: function (obj, key, document) { obj[key] = this.value; return { newDocument: document }; }, remove: function (obj, key, document) { var removed = obj[key]; delete obj[key]; return { newDocument: document, removed: removed }; }, replace: function (obj, key, document) { var removed = obj[key]; obj[key] = this.value; return { newDocument: document, removed: removed }; }, move: function (obj, key, document) { /* in case move target overwrites an existing value, return the removed value, this can be taxing performance-wise, and is potentially unneeded */ var removed = getValueByPointer(document, this.path); if (removed) { removed = _deepClone(removed); } var originalValue = applyOperation(document, { op: "remove", path: this.from }).removed; applyOperation(document, { op: "add", path: this.path, value: originalValue }); return { newDocument: document, removed: removed }; }, copy: function (obj, key, document) { var valueToCopy = getValueByPointer(document, this.from); // enforce copy by value so further operations don't affect source (see issue #177) applyOperation(document, { op: "add", path: this.path, value: _deepClone(valueToCopy) }); return { newDocument: document }; }, test: function (obj, key, document) { return { newDocument: document, test: _areEquals(obj[key], this.value) }; }, _get: function (obj, key, document) { this.value = obj[key]; return { newDocument: document }; } }; /* The operations applicable to an array. Many are the same as for the object */ var arrOps = { add: function (arr, i, document) { if (isInteger(i)) { arr.splice(i, 0, this.value); } else { // array props arr[i] = this.value; } // this may be needed when using '-' in an array return { newDocument: document, index: i }; }, remove: function (arr, i, document) { var removedList = arr.splice(i, 1); return { newDocument: document, removed: removedList[0] }; }, replace: function (arr, i, document) { var removed = arr[i]; arr[i] = this.value; return { newDocument: document, removed: removed }; }, move: objOps.move, copy: objOps.copy, test: objOps.test, _get: objOps._get }; /** * Retrieves a value from a JSON document by a JSON pointer. * Returns the value. * * @param document The document to get the value from * @param pointer an escaped JSON pointer * @return The retrieved value */ function getValueByPointer(document, pointer) { if (pointer == '') { return document; } var getOriginalDestination = { op: "_get", path: pointer }; applyOperation(document, getOriginalDestination); return getOriginalDestination.value; } /** * Apply a single JSON Patch Operation on a JSON document. * Returns the {newDocument, result} of the operation. * It modifies the `document` and `operation` objects - it gets the values by reference. * If you would like to avoid touching your values, clone them: * `jsonpatch.applyOperation(document, jsonpatch._deepClone(operation))`. * * @param document The document to patch * @param operation The operation to apply * @param validateOperation `false` is without validation, `true` to use default jsonpatch's validation, or you can pass a `validateOperation` callback to be used for validation. * @param mutateDocument Whether to mutate the original document or clone it before applying * @param banPrototypeModifications Whether to ban modifications to `__proto__`, defaults to `true`. * @return `{newDocument, result}` after the operation */ function applyOperation(document, operation, validateOperation, mutateDocument, banPrototypeModifications, index) { if (validateOperation === void 0) { validateOperation = false; } if (mutateDocument === void 0) { mutateDocument = true; } if (banPrototypeModifications === void 0) { banPrototypeModifications = true; } if (index === void 0) { index = 0; } if (validateOperation) { if (typeof validateOperation == 'function') { validateOperation(operation, 0, document, operation.path); } else { validator(operation, 0); } } /* ROOT OPERATIONS */ if (operation.path === "") { var returnValue = { newDocument: document }; if (operation.op === 'add') { returnValue.newDocument = operation.value; return returnValue; } else if (operation.op === 'replace') { returnValue.newDocument = operation.value; returnValue.removed = document; //document we removed return returnValue; } else if (operation.op === 'move' || operation.op === 'copy') { // it's a move or copy to root returnValue.newDocument = getValueByPointer(document, operation.from); // get the value by json-pointer in `from` field if (operation.op === 'move') { // report removed item returnValue.removed = document; } return returnValue; } else if (operation.op === 'test') { returnValue.test = _areEquals(document, operation.value); if (returnValue.test === false) { throw new JsonPatchError("Test operation failed", 'TEST_OPERATION_FAILED', index, operation, document); } returnValue.newDocument = document; return returnValue; } else if (operation.op === 'remove') { // a remove on root returnValue.removed = document; returnValue.newDocument = null; return returnValue; } else if (operation.op === '_get') { operation.value = document; return returnValue; } else { /* bad operation */ if (validateOperation) { throw new JsonPatchError('Operation `op` property is not one of operations defined in RFC-6902', 'OPERATION_OP_INVALID', index, operation, document); } else { return returnValue; } } } /* END ROOT OPERATIONS */ else { if (!mutateDocument) { document = _deepClone(document); } var path = operation.path || ""; var keys = path.split('/'); var obj = document; var t = 1; //skip empty element - http://jsperf.com/to-shift-or-not-to-shift var len = keys.length; var existingPathFragment = undefined; var key = void 0; var validateFunction = void 0; if (typeof validateOperation == 'function') { validateFunction = validateOperation; } else { validateFunction = validator; } while (true) { key = keys[t]; if (key && key.indexOf('~') != -1) { key = unescapePathComponent(key); } if (banPrototypeModifications && (key == '__proto__' || (key == 'prototype' && t > 0 && keys[t - 1] == 'constructor'))) { throw new TypeError('JSON-Patch: modifying `__proto__` or `constructor/prototype` prop is banned for security reasons, if this was on purpose, please set `banPrototypeModifications` flag false and pass it to this function. More info in fast-json-patch README'); } if (validateOperation) { if (existingPathFragment === undefined) { if (obj[key] === undefined) { existingPathFragment = keys.slice(0, t).join('/'); } else if (t == len - 1) { existingPathFragment = operation.path; } if (existingPathFragment !== undefined) { validateFunction(operation, 0, document, existingPathFragment); } } } t++; if (Array.isArray(obj)) { if (key === '-') { key = obj.length; } else { if (validateOperation && !isInteger(key)) { throw new JsonPatchError("Expected an unsigned base-10 integer value, making the new referenced value the array element with the zero-based index", "OPERATION_PATH_ILLEGAL_ARRAY_INDEX", index, operation, document); } // only parse key when it's an integer for `arr.prop` to work else if (isInteger(key)) { key = ~~key; } } if (t >= len) { if (validateOperation && operation.op === "add" && key > obj.length) { throw new JsonPatchError("The specified index MUST NOT be greater than the number of elements in the array", "OPERATION_VALUE_OUT_OF_BOUNDS", index, operation, document); } var returnValue = arrOps[operation.op].call(operation, obj, key, document); // Apply patch if (returnValue.test === false) { throw new JsonPatchError("Test operation failed", 'TEST_OPERATION_FAILED', index, operation, document); } return returnValue; } } else { if (t >= len) { var returnValue = objOps[operation.op].call(operation, obj, key, document); // Apply patch if (returnValue.test === false) { throw new JsonPatchError("Test operation failed", 'TEST_OPERATION_FAILED', index, operation, document); } return returnValue; } } obj = obj[key]; // If we have more keys in the path, but the next value isn't a non-null object, // throw an OPERATION_PATH_UNRESOLVABLE error instead of iterating again. if (validateOperation && t < len && (!obj || typeof obj !== "object")) { throw new JsonPatchError('Cannot perform operation at the desired path', 'OPERATION_PATH_UNRESOLVABLE', index, operation, document); } } } } /** * Apply a full JSON Patch array on a JSON document. * Returns the {newDocument, result} of the patch. * It modifies the `document` object and `patch` - it gets the values by reference. * If you would like to avoid touching your values, clone them: * `jsonpatch.applyPatch(document, jsonpatch._deepClone(patch))`. * * @param document The document to patch * @param patch The patch to apply * @param validateOperation `false` is without validation, `true` to use default jsonpatch's validation, or you can pass a `validateOperation` callback to be used for validation. * @param mutateDocument Whether to mutate the original document or clone it before applying * @param banPrototypeModifications Whether to ban modifications to `__proto__`, defaults to `true`. * @return An array of `{newDocument, result}` after the patch */ function applyPatch(document, patch, validateOperation, mutateDocument, banPrototypeModifications) { if (mutateDocument === void 0) { mutateDocument = true; } if (banPrototypeModifications === void 0) { banPrototypeModifications = true; } if (validateOperation) { if (!Array.isArray(patch)) { throw new JsonPatchError('Patch sequence must be an array', 'SEQUENCE_NOT_AN_ARRAY'); } } if (!mutateDocument) { document = _deepClone(document); } var results = new Array(patch.length); for (var i = 0, length_1 = patch.length; i < length_1; i++) { // we don't need to pass mutateDocument argument because if it was true, we already deep cloned the object, we'll just pass `true` results[i] = applyOperation(document, patch[i], validateOperation, true, banPrototypeModifications, i); document = results[i].newDocument; // in case root was replaced } results.newDocument = document; return results; } /** * Apply a single JSON Patch Operation on a JSON document. * Returns the updated document. * Suitable as a reducer. * * @param document The document to patch * @param operation The operation to apply * @return The updated document */ function applyReducer(document, operation, index) { var operationResult = applyOperation(document, operation); if (operationResult.test === false) { // failed test throw new JsonPatchError("Test operation failed", 'TEST_OPERATION_FAILED', index, operation, document); } return operationResult.newDocument; } /** * Validates a single operation. Called from `jsonpatch.validate`. Throws `JsonPatchError` in case of an error. * @param {object} operation - operation object (patch) * @param {number} index - index of operation in the sequence * @param {object} [document] - object where the operation is supposed to be applied * @param {string} [existingPathFragment] - comes along with `document` */ function validator(operation, index, document, existingPathFragment) { if (typeof operation !== 'object' || operation === null || Array.isArray(operation)) { throw new JsonPatchError('Operation is not an object', 'OPERATION_NOT_AN_OBJECT', index, operation, document); } else if (!objOps[operation.op]) { throw new JsonPatchError('Operation `op` property is not one of operations defined in RFC-6902', 'OPERATION_OP_INVALID', index, operation, document); } else if (typeof operation.path !== 'string') { throw new JsonPatchError('Operation `path` property is not a string', 'OPERATION_PATH_INVALID', index, operation, document); } else if (operation.path.indexOf('/') !== 0 && operation.path.length > 0) { // paths that aren't empty string should start with "/" throw new JsonPatchError('Operation `path` property must start with "/"', 'OPERATION_PATH_INVALID', index, operation, document); } else if ((operation.op === 'move' || operation.op === 'copy') && typeof operation.from !== 'string') { throw new JsonPatchError('Operation `from` property is not present (applicable in `move` and `copy` operations)', 'OPERATION_FROM_REQUIRED', index, operation, document); } else if ((operation.op === 'add' || operation.op === 'replace' || operation.op === 'test') && operation.value === undefined) { throw new JsonPatchError('Operation `value` property is not present (applicable in `add`, `replace` and `test` operations)', 'OPERATION_VALUE_REQUIRED', index, operation, document); } else if ((operation.op === 'add' || operation.op === 'replace' || operation.op === 'test') && hasUndefined(operation.value)) { throw new JsonPatchError('Operation `value` property is not present (applicable in `add`, `replace` and `test` operations)', 'OPERATION_VALUE_CANNOT_CONTAIN_UNDEFINED', index, operation, document); } else if (document) { if (operation.op == "add") { var pathLen = operation.path.split("/").length; var existingPathLen = existingPathFragment.split("/").length; if (pathLen !== existingPathLen + 1 && pathLen !== existingPathLen) { throw new JsonPatchError('Cannot perform an `add` operation at the desired path', 'OPERATION_PATH_CANNOT_ADD', index, operation, document); } } else if (operation.op === 'replace' || operation.op === 'remove' || operation.op === '_get') { if (operation.path !== existingPathFragment) { throw new JsonPatchError('Cannot perform the operation at a path that does not exist', 'OPERATION_PATH_UNRESOLVABLE', index, operation, document); } } else if (operation.op === 'move' || operation.op === 'copy') { var existingValue = { op: "_get", path: operation.from, value: undefined }; var error = validate([existingValue], document); if (error && error.name === 'OPERATION_PATH_UNRESOLVABLE') { throw new JsonPatchError('Cannot perform the operation from a path that does not exist', 'OPERATION_FROM_UNRESOLVABLE', index, operation, document); } } } } /** * Validates a sequence of operations. If `document` parameter is provided, the sequence is additionally validated against the object document. * If error is encountered, returns a JsonPatchError object * @param sequence * @param document * @returns {JsonPatchError|undefined} */ function validate(sequence, document, externalValidator) { try { if (!Array.isArray(sequence)) { throw new JsonPatchError('Patch sequence must be an array', 'SEQUENCE_NOT_AN_ARRAY'); } if (document) { //clone document and sequence so that we can safely try applying operations applyPatch(_deepClone(document), _deepClone(sequence), externalValidator || true); } else { externalValidator = externalValidator || validator; for (var i = 0; i < sequence.length; i++) { externalValidator(sequence[i], i, document, undefined); } } } catch (e) { if (e instanceof JsonPatchError) { return e; } else { throw e; } } } // based on https://github.com/epoberezkin/fast-deep-equal // MIT License // Copyright (c) 2017 Evgeny Poberezkin // Permission is hereby granted, free of charge, to any person obtaining a copy // of this software and associated documentation files (the "Software"), to deal // in the Software without restriction, including without limitation the rights // to use, copy, modify, merge, publish, distribute, sublicense, and/or sell // copies of the Software, and to permit persons to whom the Software is // furnished to do so, subject to the following conditions: // The above copyright notice and this permission notice shall be included in all // copies or substantial portions of the Software. // THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR // IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, // FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE // AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER // LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, // OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE // SOFTWARE. function _areEquals(a, b) { if (a === b) return true; if (a && b && typeof a == 'object' && typeof b == 'object') { var arrA = Array.isArray(a), arrB = Array.isArray(b), i, length, key; if (arrA && arrB) { length = a.length; if (length != b.length) return false; for (i = length; i-- !== 0;) if (!_areEquals(a[i], b[i])) return false; return true; } if (arrA != arrB) return false; var keys = Object.keys(a); length = keys.length; if (length !== Object.keys(b).length) return false; for (i = length; i-- !== 0;) if (!b.hasOwnProperty(keys[i])) return false; for (i = length; i-- !== 0;) { key = keys[i]; if (!_areEquals(a[key], b[key])) return false; } return true; } return a !== a && b !== b; } ; ;// CONCATENATED MODULE: ../node_modules/fast-json-patch/module/duplex.mjs /*! * https://github.com/Starcounter-Jack/JSON-Patch * (c) 2017-2021 Joachim Wester * MIT license */ var beforeDict = new WeakMap(); var Mirror = /** @class */ (function () { function Mirror(obj) { this.observers = new Map(); this.obj = obj; } return Mirror; }()); var ObserverInfo = /** @class */ (function () { function ObserverInfo(callback, observer) { this.callback = callback; this.observer = observer; } return ObserverInfo; }()); function getMirror(obj) { return beforeDict.get(obj); } function getObserverFromMirror(mirror, callback) { return mirror.observers.get(callback); } function removeObserverFromMirror(mirror, observer) { mirror.observers.delete(observer.callback); } /** * Detach an observer from an object */ function unobserve(root, observer) { observer.unobserve(); } /** * Observes changes made to an object, which can then be retrieved using generate */ function observe(obj, callback) { var patches = []; var observer; var mirror = getMirror(obj); if (!mirror) { mirror = new Mirror(obj); beforeDict.set(obj, mirror); } else { var observerInfo = getObserverFromMirror(mirror, callback); observer = observerInfo && observerInfo.observer; } if (observer) { return observer; } observer = {}; mirror.value = _deepClone(obj); if (callback) { observer.callback = callback; observer.next = null; var dirtyCheck = function () { generate(observer); }; var fastCheck = function () { clearTimeout(observer.next); observer.next = setTimeout(dirtyCheck); }; if (typeof window !== 'undefined') { //not Node window.addEventListener('mouseup', fastCheck); window.addEventListener('keyup', fastCheck); window.addEventListener('mousedown', fastCheck); window.addEventListener('keydown', fastCheck); window.addEventListener('change', fastCheck); } } observer.patches = patches; observer.object = obj; observer.unobserve = function () { generate(observer); clearTimeout(observer.next); removeObserverFromMirror(mirror, observer); if (typeof window !== 'undefined') { window.removeEventListener('mouseup', fastCheck); window.removeEventListener('keyup', fastCheck); window.removeEventListener('mousedown', fastCheck); window.removeEventListener('keydown', fastCheck); window.removeEventListener('change', fastCheck); } }; mirror.observers.set(callback, new ObserverInfo(callback, observer)); return observer; } /** * Generate an array of patches from an observer */ function generate(observer, invertible) { if (invertible === void 0) { invertible = false; } var mirror = beforeDict.get(observer.object); _generate(mirror.value, observer.object, observer.patches, "", invertible); if (observer.patches.length) { applyPatch(mirror.value, observer.patches); } var temp = observer.patches; if (temp.length > 0) { observer.patches = []; if (observer.callback) { observer.callback(temp); } } return temp; } // Dirty check if obj is different from mirror, generate patches and update mirror function _generate(mirror, obj, patches, path, invertible) { if (obj === mirror) { return; } if (typeof obj.toJSON === "function") { obj = obj.toJSON(); } var newKeys = _objectKeys(obj); var oldKeys = _objectKeys(mirror); var changed = false; var deleted = false; //if ever "move" operation is implemented here, make sure this test runs OK: "should not generate the same patch twice (move)" for (var t = oldKeys.length - 1; t >= 0; t--) { var key = oldKeys[t]; var oldVal = mirror[key]; if (helpers_hasOwnProperty(obj, key) && !(obj[key] === undefined && oldVal !== undefined && Array.isArray(obj) === false)) { var newVal = obj[key]; if (typeof oldVal == "object" && oldVal != null && typeof newVal == "object" && newVal != null && Array.isArray(oldVal) === Array.isArray(newVal)) { _generate(oldVal, newVal, patches, path + "/" + escapePathComponent(key), invertible); } else { if (oldVal !== newVal) { changed = true; if (invertible) { patches.push({ op: "test", path: path + "/" + escapePathComponent(key), value: _deepClone(oldVal) }); } patches.push({ op: "replace", path: path + "/" + escapePathComponent(key), value: _deepClone(newVal) }); } } } else if (Array.isArray(mirror) === Array.isArray(obj)) { if (invertible) { patches.push({ op: "test", path: path + "/" + escapePathComponent(key), value: _deepClone(oldVal) }); } patches.push({ op: "remove", path: path + "/" + escapePathComponent(key) }); deleted = true; // property has been deleted } else { if (invertible) { patches.push({ op: "test", path: path, value: mirror }); } patches.push({ op: "replace", path: path, value: obj }); changed = true; } } if (!deleted && newKeys.length == oldKeys.length) { return; } for (var t = 0; t < newKeys.length; t++) { var key = newKeys[t]; if (!helpers_hasOwnProperty(mirror, key) && obj[key] !== undefined) { patches.push({ op: "add", path: path + "/" + escapePathComponent(key), value: _deepClone(obj[key]) }); } } } /** * Create an array of patches from the differences in two objects */ function compare(tree1, tree2, invertible) { if (invertible === void 0) { invertible = false; } var patches = []; _generate(tree1, tree2, patches, '', invertible); return patches; } ;// CONCATENATED MODULE: ../node_modules/fast-json-patch/index.mjs /** * Default export for backwards compat */ /* harmony default export */ const fast_json_patch = (Object.assign({}, core_namespaceObject, duplex_namespaceObject, { JsonPatchError: PatchError, deepClone: _deepClone, escapePathComponent: escapePathComponent, unescapePathComponent: unescapePathComponent })); // EXTERNAL MODULE: ../node_modules/json-stringify-pretty-compact/index.js var json_stringify_pretty_compact = __webpack_require__(72759); var json_stringify_pretty_compact_default = /*#__PURE__*/__webpack_require__.n(json_stringify_pretty_compact); ;// CONCATENATED MODULE: ../node_modules/vega-util/build/vega-util.module.js function accessor (fn, fields, name) { fn.fields = fields || []; fn.fname = name; return fn; } function accessorName(fn) { return fn == null ? null : fn.fname; } function accessorFields(fn) { return fn == null ? null : fn.fields; } function getter (path) { return path.length === 1 ? get1(path[0]) : getN(path); } const get1 = field => function (obj) { return obj[field]; }; const getN = path => { const len = path.length; return function (obj) { for (let i = 0; i < len; ++i) { obj = obj[path[i]]; } return obj; }; }; function vega_util_module_error (message) { throw Error(message); } function splitAccessPath (p) { const path = [], n = p.length; let q = null, b = 0, s = '', i, j, c; p = p + ''; function push() { path.push(s + p.substring(i, j)); s = ''; i = j + 1; } for (i = j = 0; j < n; ++j) { c = p[j]; if (c === '\\') { s += p.substring(i, j++); i = j; } else if (c === q) { push(); q = null; b = -1; } else if (q) { continue; } else if (i === b && c === '"') { i = j + 1; q = c; } else if (i === b && c === "'") { i = j + 1; q = c; } else if (c === '.' && !b) { if (j > i) { push(); } else { i = j + 1; } } else if (c === '[') { if (j > i) push(); b = i = j + 1; } else if (c === ']') { if (!b) vega_util_module_error('Access path missing open bracket: ' + p); if (b > 0) push(); b = 0; i = j + 1; } } if (b) vega_util_module_error('Access path missing closing bracket: ' + p); if (q) vega_util_module_error('Access path missing closing quote: ' + p); if (j > i) { j++; push(); } return path; } function field (field, name, opt) { const path = splitAccessPath(field); field = path.length === 1 ? path[0] : field; return accessor((opt && opt.get || getter)(path), [field], name || field); } const id = field('id'); const identity = accessor(_ => _, [], 'identity'); const zero = accessor(() => 0, [], 'zero'); const one = accessor(() => 1, [], 'one'); const truthy = accessor(() => true, [], 'true'); const falsy = accessor(() => false, [], 'false'); function log$1(method, level, input) { const args = [level].concat([].slice.call(input)); console[method].apply(console, args); // eslint-disable-line no-console } const None = 0; const Error$1 = 1; const vega_util_module_Warn = 2; const vega_util_module_Info = 3; const vega_util_module_Debug = 4; function logger (_, method) { let handler = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : log$1; let level = _ || None; return { level(_) { if (arguments.length) { level = +_; return this; } else { return level; } }, error() { if (level >= Error$1) handler(method || 'error', 'ERROR', arguments); return this; }, warn() { if (level >= vega_util_module_Warn) handler(method || 'warn', 'WARN', arguments); return this; }, info() { if (level >= vega_util_module_Info) handler(method || 'log', 'INFO', arguments); return this; }, debug() { if (level >= vega_util_module_Debug) handler(method || 'log', 'DEBUG', arguments); return this; } }; } var isArray = Array.isArray; function isObject (_) { return _ === Object(_); } const isLegalKey = key => key !== '__proto__'; function mergeConfig() { for (var _len = arguments.length, configs = new Array(_len), _key = 0; _key < _len; _key++) { configs[_key] = arguments[_key]; } return configs.reduce((out, source) => { for (const key in source) { if (key === 'signals') { // for signals, we merge the signals arrays // source signals take precedence over // existing signals with the same name out.signals = mergeNamed(out.signals, source.signals); } else { // otherwise, merge objects subject to recursion constraints // for legend block, recurse for the layout entry only // for style block, recurse for all properties // otherwise, no recursion: objects overwrite, no merging const r = key === 'legend' ? { layout: 1 } : key === 'style' ? true : null; writeConfig(out, key, source[key], r); } } return out; }, {}); } function writeConfig(output, key, value, recurse) { if (!isLegalKey(key)) return; let k, o; if (isObject(value) && !isArray(value)) { o = isObject(output[key]) ? output[key] : output[key] = {}; for (k in value) { if (recurse && (recurse === true || recurse[k])) { writeConfig(o, k, value[k]); } else if (isLegalKey(k)) { o[k] = value[k]; } } } else { output[key] = value; } } function mergeNamed(a, b) { if (a == null) return b; const map = {}, out = []; function add(_) { if (!map[_.name]) { map[_.name] = 1; out.push(_); } } b.forEach(add); a.forEach(add); return out; } function peek (array) { return array[array.length - 1]; } function toNumber (_) { return _ == null || _ === '' ? null : +_; } const exp = sign => x => sign * Math.exp(x); const log = sign => x => Math.log(sign * x); const symlog = c => x => Math.sign(x) * Math.log1p(Math.abs(x / c)); const symexp = c => x => Math.sign(x) * Math.expm1(Math.abs(x)) * c; const pow = exponent => x => x < 0 ? -Math.pow(-x, exponent) : Math.pow(x, exponent); function pan(domain, delta, lift, ground) { const d0 = lift(domain[0]), d1 = lift(peek(domain)), dd = (d1 - d0) * delta; return [ground(d0 - dd), ground(d1 - dd)]; } function panLinear(domain, delta) { return pan(domain, delta, toNumber, identity); } function panLog(domain, delta) { var sign = Math.sign(domain[0]); return pan(domain, delta, log(sign), exp(sign)); } function panPow(domain, delta, exponent) { return pan(domain, delta, pow(exponent), pow(1 / exponent)); } function panSymlog(domain, delta, constant) { return pan(domain, delta, symlog(constant), symexp(constant)); } function zoom(domain, anchor, scale, lift, ground) { const d0 = lift(domain[0]), d1 = lift(peek(domain)), da = anchor != null ? lift(anchor) : (d0 + d1) / 2; return [ground(da + (d0 - da) * scale), ground(da + (d1 - da) * scale)]; } function zoomLinear(domain, anchor, scale) { return zoom(domain, anchor, scale, toNumber, identity); } function zoomLog(domain, anchor, scale) { const sign = Math.sign(domain[0]); return zoom(domain, anchor, scale, log(sign), exp(sign)); } function zoomPow(domain, anchor, scale, exponent) { return zoom(domain, anchor, scale, pow(exponent), pow(1 / exponent)); } function zoomSymlog(domain, anchor, scale, constant) { return zoom(domain, anchor, scale, symlog(constant), symexp(constant)); } function quarter(date) { return 1 + ~~(new Date(date).getMonth() / 3); } function utcquarter(date) { return 1 + ~~(new Date(date).getUTCMonth() / 3); } function array (_) { return _ != null ? isArray(_) ? _ : [_] : []; } /** * Span-preserving range clamp. If the span of the input range is less * than (max - min) and an endpoint exceeds either the min or max value, * the range is translated such that the span is preserved and one * endpoint touches the boundary of the min/max range. * If the span exceeds (max - min), the range [min, max] is returned. */ function clampRange (range, min, max) { let lo = range[0], hi = range[1], span; if (hi < lo) { span = hi; hi = lo; lo = span; } span = hi - lo; return span >= max - min ? [min, max] : [lo = Math.min(Math.max(lo, min), max - span), lo + span]; } function vega_util_module_isFunction (_) { return typeof _ === 'function'; } const DESCENDING = 'descending'; function vega_util_module_compare (fields, orders, opt) { opt = opt || {}; orders = array(orders) || []; const ord = [], get = [], fmap = {}, gen = opt.comparator || comparator; array(fields).forEach((f, i) => { if (f == null) return; ord.push(orders[i] === DESCENDING ? -1 : 1); get.push(f = vega_util_module_isFunction(f) ? f : field(f, null, opt)); (accessorFields(f) || []).forEach(_ => fmap[_] = 1); }); return get.length === 0 ? null : accessor(gen(get, ord), Object.keys(fmap)); } const ascending = (u, v) => (u < v || u == null) && v != null ? -1 : (u > v || v == null) && u != null ? 1 : (v = v instanceof Date ? +v : v, u = u instanceof Date ? +u : u) !== u && v === v ? -1 : v !== v && u === u ? 1 : 0; const comparator = (fields, orders) => fields.length === 1 ? compare1(fields[0], orders[0]) : compareN(fields, orders, fields.length); const compare1 = (field, order) => function (a, b) { return ascending(field(a), field(b)) * order; }; const compareN = (fields, orders, n) => { orders.push(0); // pad zero for convenient lookup return function (a, b) { let f, c = 0, i = -1; while (c === 0 && ++i < n) { f = fields[i]; c = ascending(f(a), f(b)); } return c * orders[i]; }; }; function vega_util_module_constant (_) { return vega_util_module_isFunction(_) ? _ : () => _; } function debounce (delay, handler) { let tid; return e => { if (tid) clearTimeout(tid); tid = setTimeout(() => (handler(e), tid = null), delay); }; } function extend (_) { for (let x, k, i = 1, len = arguments.length; i < len; ++i) { x = arguments[i]; for (k in x) { _[k] = x[k]; } } return _; } /** * Return an array with minimum and maximum values, in the * form [min, max]. Ignores null, undefined, and NaN values. */ function extent (array, f) { let i = 0, n, v, min, max; if (array && (n = array.length)) { if (f == null) { // find first valid value for (v = array[i]; i < n && (v == null || v !== v); v = array[++i]); min = max = v; // visit all other values for (; i < n; ++i) { v = array[i]; // skip null/undefined; NaN will fail all comparisons if (v != null) { if (v < min) min = v; if (v > max) max = v; } } } else { // find first valid value for (v = f(array[i]); i < n && (v == null || v !== v); v = f(array[++i])); min = max = v; // visit all other values for (; i < n; ++i) { v = f(array[i]); // skip null/undefined; NaN will fail all comparisons if (v != null) { if (v < min) min = v; if (v > max) max = v; } } } } return [min, max]; } function extentIndex (array, f) { const n = array.length; let i = -1, a, b, c, u, v; if (f == null) { while (++i < n) { b = array[i]; if (b != null && b >= b) { a = c = b; break; } } if (i === n) return [-1, -1]; u = v = i; while (++i < n) { b = array[i]; if (b != null) { if (a > b) { a = b; u = i; } if (c < b) { c = b; v = i; } } } } else { while (++i < n) { b = f(array[i], i, array); if (b != null && b >= b) { a = c = b; break; } } if (i === n) return [-1, -1]; u = v = i; while (++i < n) { b = f(array[i], i, array); if (b != null) { if (a > b) { a = b; u = i; } if (c < b) { c = b; v = i; } } } } return [u, v]; } function has (object, property) { return Object.hasOwn(object, property); } const NULL = {}; function fastmap (input) { let obj = {}, test; function has$1(key) { return has(obj, key) && obj[key] !== NULL; } const map = { size: 0, empty: 0, object: obj, has: has$1, get(key) { return has$1(key) ? obj[key] : undefined; }, set(key, value) { if (!has$1(key)) { ++map.size; if (obj[key] === NULL) --map.empty; } obj[key] = value; return this; }, delete(key) { if (has$1(key)) { --map.size; ++map.empty; obj[key] = NULL; } return this; }, clear() { map.size = map.empty = 0; map.object = obj = {}; }, test(_) { if (arguments.length) { test = _; return map; } else { return test; } }, clean() { const next = {}; let size = 0; for (const key in obj) { const value = obj[key]; if (value !== NULL && (!test || !test(value))) { next[key] = value; ++size; } } map.size = size; map.empty = 0; map.object = obj = next; } }; if (input) Object.keys(input).forEach(key => { map.set(key, input[key]); }); return map; } function flush (range, value, threshold, left, right, center) { if (!threshold && threshold !== 0) return center; const t = +threshold; let a = range[0], b = peek(range), l; // swap endpoints if range is reversed if (b < a) { l = a; a = b; b = l; } // compare value to endpoints l = Math.abs(value - a); const r = Math.abs(b - value); // adjust if value is within threshold distance of endpoint return l < r && l <= t ? left : r <= t ? right : center; } function inherits (child, parent, members) { const proto = child.prototype = Object.create(parent.prototype); Object.defineProperty(proto, 'constructor', { value: child, writable: true, enumerable: true, configurable: true }); return extend(proto, members); } /** * Predicate that returns true if the value lies within the span * of the given range. The left and right flags control the use * of inclusive (true) or exclusive (false) comparisons. */ function inrange (value, range, left, right) { let r0 = range[0], r1 = range[range.length - 1], t; if (r0 > r1) { t = r0; r0 = r1; r1 = t; } left = left === undefined || left; right = right === undefined || right; return (left ? r0 <= value : r0 < value) && (right ? value <= r1 : value < r1); } function isBoolean (_) { return typeof _ === 'boolean'; } function isDate (_) { return Object.prototype.toString.call(_) === '[object Date]'; } function isIterable (_) { return _ && vega_util_module_isFunction(_[Symbol.iterator]); } function isNumber (_) { return typeof _ === 'number'; } function isRegExp (_) { return Object.prototype.toString.call(_) === '[object RegExp]'; } function vega_util_module_isString (_) { return typeof _ === 'string'; } function key (fields, flat, opt) { if (fields) { fields = flat ? array(fields).map(f => f.replace(/\\(.)/g, '$1')) : array(fields); } const len = fields && fields.length, gen = opt && opt.get || getter, map = f => gen(flat ? [f] : splitAccessPath(f)); let fn; if (!len) { fn = function () { return ''; }; } else if (len === 1) { const get = map(fields[0]); fn = function (_) { return '' + get(_); }; } else { const get = fields.map(map); fn = function (_) { let s = '' + get[0](_), i = 0; while (++i < len) s += '|' + get[i](_); return s; }; } return accessor(fn, fields, 'key'); } function lerp (array, frac) { const lo = array[0], hi = peek(array), f = +frac; return !f ? lo : f === 1 ? hi : lo + f * (hi - lo); } const DEFAULT_MAX_SIZE = 10000; // adapted from https://github.com/dominictarr/hashlru/ (MIT License) function lruCache (maxsize) { maxsize = +maxsize || DEFAULT_MAX_SIZE; let curr, prev, size; const clear = () => { curr = {}; prev = {}; size = 0; }; const update = (key, value) => { if (++size > maxsize) { prev = curr; curr = {}; size = 1; } return curr[key] = value; }; clear(); return { clear, has: key => has(curr, key) || has(prev, key), get: key => has(curr, key) ? curr[key] : has(prev, key) ? update(key, prev[key]) : undefined, set: (key, value) => has(curr, key) ? curr[key] = value : update(key, value) }; } function merge (compare, array0, array1, output) { const n0 = array0.length, n1 = array1.length; if (!n1) return array0; if (!n0) return array1; const merged = output || new array0.constructor(n0 + n1); let i0 = 0, i1 = 0, i = 0; for (; i0 < n0 && i1 < n1; ++i) { merged[i] = compare(array0[i0], array1[i1]) > 0 ? array1[i1++] : array0[i0++]; } for (; i0 < n0; ++i0, ++i) { merged[i] = array0[i0]; } for (; i1 < n1; ++i1, ++i) { merged[i] = array1[i1]; } return merged; } function repeat (str, reps) { let s = ''; while (--reps >= 0) s += str; return s; } function pad (str, length, padchar, align) { const c = padchar || ' ', s = str + '', n = length - s.length; return n <= 0 ? s : align === 'left' ? repeat(c, n) + s : align === 'center' ? repeat(c, ~~(n / 2)) + s + repeat(c, Math.ceil(n / 2)) : s + repeat(c, n); } /** * Return the numerical span of an array: the difference between * the last and first values. */ function span (array) { return array && peek(array) - array[0] || 0; } function $(x) { return isArray(x) ? '[' + x.map($) + ']' : isObject(x) || vega_util_module_isString(x) ? // Output valid JSON and JS source strings. // See http://timelessrepo.com/json-isnt-a-javascript-subset JSON.stringify(x).replace('\u2028', '\\u2028').replace('\u2029', '\\u2029') : x; } function toBoolean (_) { return _ == null || _ === '' ? null : !_ || _ === 'false' || _ === '0' ? false : !!_; } const defaultParser = _ => isNumber(_) ? _ : isDate(_) ? _ : Date.parse(_); function toDate (_, parser) { parser = parser || defaultParser; return _ == null || _ === '' ? null : parser(_); } function vega_util_module_toString (_) { return _ == null || _ === '' ? null : _ + ''; } function vega_util_module_toSet (_) { const s = {}, n = _.length; for (let i = 0; i < n; ++i) s[_[i]] = true; return s; } function truncate (str, length, align, ellipsis) { const e = ellipsis != null ? ellipsis : '\u2026', s = str + '', n = s.length, l = Math.max(0, length - e.length); return n <= length ? s : align === 'left' ? e + s.slice(n - l) : align === 'center' ? s.slice(0, Math.ceil(l / 2)) + e + s.slice(n - ~~(l / 2)) : s.slice(0, l) + e; } function visitArray (array, filter, visitor) { if (array) { if (filter) { const n = array.length; for (let i = 0; i < n; ++i) { const t = filter(array[i]); if (t) visitor(t, i, array); } } else { array.forEach(visitor); } } } ;// CONCATENATED MODULE: ../node_modules/d3-dsv/src/dsv.js var EOL = {}, EOF = {}, QUOTE = 34, NEWLINE = 10, RETURN = 13; function objectConverter(columns) { return new Function("d", "return {" + columns.map(function(name, i) { return JSON.stringify(name) + ": d[" + i + "] || \"\""; }).join(",") + "}"); } function customConverter(columns, f) { var object = objectConverter(columns); return function(row, i) { return f(object(row), i, columns); }; } // Compute unique columns in order of discovery. function inferColumns(rows) { var columnSet = Object.create(null), columns = []; rows.forEach(function(row) { for (var column in row) { if (!(column in columnSet)) { columns.push(columnSet[column] = column); } } }); return columns; } function dsv_pad(value, width) { var s = value + "", length = s.length; return length < width ? new Array(width - length + 1).join(0) + s : s; } function formatYear(year) { return year < 0 ? "-" + dsv_pad(-year, 6) : year > 9999 ? "+" + dsv_pad(year, 6) : dsv_pad(year, 4); } function formatDate(date) { var hours = date.getUTCHours(), minutes = date.getUTCMinutes(), seconds = date.getUTCSeconds(), milliseconds = date.getUTCMilliseconds(); return isNaN(date) ? "Invalid Date" : formatYear(date.getUTCFullYear(), 4) + "-" + dsv_pad(date.getUTCMonth() + 1, 2) + "-" + dsv_pad(date.getUTCDate(), 2) + (milliseconds ? "T" + dsv_pad(hours, 2) + ":" + dsv_pad(minutes, 2) + ":" + dsv_pad(seconds, 2) + "." + dsv_pad(milliseconds, 3) + "Z" : seconds ? "T" + dsv_pad(hours, 2) + ":" + dsv_pad(minutes, 2) + ":" + dsv_pad(seconds, 2) + "Z" : minutes || hours ? "T" + dsv_pad(hours, 2) + ":" + dsv_pad(minutes, 2) + "Z" : ""); } /* harmony default export */ function dsv(delimiter) { var reFormat = new RegExp("[\"" + delimiter + "\n\r]"), DELIMITER = delimiter.charCodeAt(0); function parse(text, f) { var convert, columns, rows = parseRows(text, function(row, i) { if (convert) return convert(row, i - 1); columns = row, convert = f ? customConverter(row, f) : objectConverter(row); }); rows.columns = columns || []; return rows; } function parseRows(text, f) { var rows = [], // output rows N = text.length, I = 0, // current character index n = 0, // current line number t, // current token eof = N <= 0, // current token followed by EOF? eol = false; // current token followed by EOL? // Strip the trailing newline. if (text.charCodeAt(N - 1) === NEWLINE) --N; if (text.charCodeAt(N - 1) === RETURN) --N; function token() { if (eof) return EOF; if (eol) return eol = false, EOL; // Unescape quotes. var i, j = I, c; if (text.charCodeAt(j) === QUOTE) { while (I++ < N && text.charCodeAt(I) !== QUOTE || text.charCodeAt(++I) === QUOTE); if ((i = I) >= N) eof = true; else if ((c = text.charCodeAt(I++)) === NEWLINE) eol = true; else if (c === RETURN) { eol = true; if (text.charCodeAt(I) === NEWLINE) ++I; } return text.slice(j + 1, i - 1).replace(/""/g, "\""); } // Find next delimiter or newline. while (I < N) { if ((c = text.charCodeAt(i = I++)) === NEWLINE) eol = true; else if (c === RETURN) { eol = true; if (text.charCodeAt(I) === NEWLINE) ++I; } else if (c !== DELIMITER) continue; return text.slice(j, i); } // Return last token before EOF. return eof = true, text.slice(j, N); } while ((t = token()) !== EOF) { var row = []; while (t !== EOL && t !== EOF) row.push(t), t = token(); if (f && (row = f(row, n++)) == null) continue; rows.push(row); } return rows; } function preformatBody(rows, columns) { return rows.map(function(row) { return columns.map(function(column) { return formatValue(row[column]); }).join(delimiter); }); } function format(rows, columns) { if (columns == null) columns = inferColumns(rows); return [columns.map(formatValue).join(delimiter)].concat(preformatBody(rows, columns)).join("\n"); } function formatBody(rows, columns) { if (columns == null) columns = inferColumns(rows); return preformatBody(rows, columns).join("\n"); } function formatRows(rows) { return rows.map(formatRow).join("\n"); } function formatRow(row) { return row.map(formatValue).join(delimiter); } function formatValue(value) { return value == null ? "" : value instanceof Date ? formatDate(value) : reFormat.test(value += "") ? "\"" + value.replace(/"/g, "\"\"") + "\"" : value; } return { parse: parse, parseRows: parseRows, format: format, formatBody: formatBody, formatRows: formatRows, formatRow: formatRow, formatValue: formatValue }; } ;// CONCATENATED MODULE: ../node_modules/topojson-client/src/reverse.js /* harmony default export */ function reverse(array, n) { var t, j = array.length, i = j - n; while (i < --j) t = array[i], array[i++] = array[j], array[j] = t; } ;// CONCATENATED MODULE: ../node_modules/topojson-client/src/identity.js /* harmony default export */ function src_identity(x) { return x; } ;// CONCATENATED MODULE: ../node_modules/topojson-client/src/transform.js /* harmony default export */ function transform(transform) { if (transform == null) return src_identity; var x0, y0, kx = transform.scale[0], ky = transform.scale[1], dx = transform.translate[0], dy = transform.translate[1]; return function(input, i) { if (!i) x0 = y0 = 0; var j = 2, n = input.length, output = new Array(n); output[0] = (x0 += input[0]) * kx + dx; output[1] = (y0 += input[1]) * ky + dy; while (j < n) output[j] = input[j], ++j; return output; }; } ;// CONCATENATED MODULE: ../node_modules/topojson-client/src/feature.js /* harmony default export */ function feature(topology, o) { if (typeof o === "string") o = topology.objects[o]; return o.type === "GeometryCollection" ? {type: "FeatureCollection", features: o.geometries.map(function(o) { return feature_feature(topology, o); })} : feature_feature(topology, o); } function feature_feature(topology, o) { var id = o.id, bbox = o.bbox, properties = o.properties == null ? {} : o.properties, geometry = object(topology, o); return id == null && bbox == null ? {type: "Feature", properties: properties, geometry: geometry} : bbox == null ? {type: "Feature", id: id, properties: properties, geometry: geometry} : {type: "Feature", id: id, bbox: bbox, properties: properties, geometry: geometry}; } function object(topology, o) { var transformPoint = transform(topology.transform), arcs = topology.arcs; function arc(i, points) { if (points.length) points.pop(); for (var a = arcs[i < 0 ? ~i : i], k = 0, n = a.length; k < n; ++k) { points.push(transformPoint(a[k], k)); } if (i < 0) reverse(points, n); } function point(p) { return transformPoint(p); } function line(arcs) { var points = []; for (var i = 0, n = arcs.length; i < n; ++i) arc(arcs[i], points); if (points.length < 2) points.push(points[0]); // This should never happen per the specification. return points; } function ring(arcs) { var points = line(arcs); while (points.length < 4) points.push(points[0]); // This may happen if an arc has only two points. return points; } function polygon(arcs) { return arcs.map(ring); } function geometry(o) { var type = o.type, coordinates; switch (type) { case "GeometryCollection": return {type: type, geometries: o.geometries.map(geometry)}; case "Point": coordinates = point(o.coordinates); break; case "MultiPoint": coordinates = o.coordinates.map(point); break; case "LineString": coordinates = line(o.arcs); break; case "MultiLineString": coordinates = o.arcs.map(line); break; case "Polygon": coordinates = polygon(o.arcs); break; case "MultiPolygon": coordinates = o.arcs.map(polygon); break; default: return null; } return {type: type, coordinates: coordinates}; } return geometry(o); } ;// CONCATENATED MODULE: ../node_modules/topojson-client/src/stitch.js /* harmony default export */ function stitch(topology, arcs) { var stitchedArcs = {}, fragmentByStart = {}, fragmentByEnd = {}, fragments = [], emptyIndex = -1; // Stitch empty arcs first, since they may be subsumed by other arcs. arcs.forEach(function(i, j) { var arc = topology.arcs[i < 0 ? ~i : i], t; if (arc.length < 3 && !arc[1][0] && !arc[1][1]) { t = arcs[++emptyIndex], arcs[emptyIndex] = i, arcs[j] = t; } }); arcs.forEach(function(i) { var e = ends(i), start = e[0], end = e[1], f, g; if (f = fragmentByEnd[start]) { delete fragmentByEnd[f.end]; f.push(i); f.end = end; if (g = fragmentByStart[end]) { delete fragmentByStart[g.start]; var fg = g === f ? f : f.concat(g); fragmentByStart[fg.start = f.start] = fragmentByEnd[fg.end = g.end] = fg; } else { fragmentByStart[f.start] = fragmentByEnd[f.end] = f; } } else if (f = fragmentByStart[end]) { delete fragmentByStart[f.start]; f.unshift(i); f.start = start; if (g = fragmentByEnd[start]) { delete fragmentByEnd[g.end]; var gf = g === f ? f : g.concat(f); fragmentByStart[gf.start = g.start] = fragmentByEnd[gf.end = f.end] = gf; } else { fragmentByStart[f.start] = fragmentByEnd[f.end] = f; } } else { f = [i]; fragmentByStart[f.start = start] = fragmentByEnd[f.end = end] = f; } }); function ends(i) { var arc = topology.arcs[i < 0 ? ~i : i], p0 = arc[0], p1; if (topology.transform) p1 = [0, 0], arc.forEach(function(dp) { p1[0] += dp[0], p1[1] += dp[1]; }); else p1 = arc[arc.length - 1]; return i < 0 ? [p1, p0] : [p0, p1]; } function flush(fragmentByEnd, fragmentByStart) { for (var k in fragmentByEnd) { var f = fragmentByEnd[k]; delete fragmentByStart[f.start]; delete f.start; delete f.end; f.forEach(function(i) { stitchedArcs[i < 0 ? ~i : i] = 1; }); fragments.push(f); } } flush(fragmentByEnd, fragmentByStart); flush(fragmentByStart, fragmentByEnd); arcs.forEach(function(i) { if (!stitchedArcs[i < 0 ? ~i : i]) fragments.push([i]); }); return fragments; } ;// CONCATENATED MODULE: ../node_modules/topojson-client/src/mesh.js /* harmony default export */ function mesh(topology) { return object(topology, meshArcs.apply(this, arguments)); } function meshArcs(topology, object, filter) { var arcs, i, n; if (arguments.length > 1) arcs = extractArcs(topology, object, filter); else for (i = 0, arcs = new Array(n = topology.arcs.length); i < n; ++i) arcs[i] = i; return {type: "MultiLineString", arcs: stitch(topology, arcs)}; } function extractArcs(topology, object, filter) { var arcs = [], geomsByArc = [], geom; function extract0(i) { var j = i < 0 ? ~i : i; (geomsByArc[j] || (geomsByArc[j] = [])).push({i: i, g: geom}); } function extract1(arcs) { arcs.forEach(extract0); } function extract2(arcs) { arcs.forEach(extract1); } function extract3(arcs) { arcs.forEach(extract2); } function geometry(o) { switch (geom = o, o.type) { case "GeometryCollection": o.geometries.forEach(geometry); break; case "LineString": extract1(o.arcs); break; case "MultiLineString": case "Polygon": extract2(o.arcs); break; case "MultiPolygon": extract3(o.arcs); break; } } geometry(object); geomsByArc.forEach(filter == null ? function(geoms) { arcs.push(geoms[0].i); } : function(geoms) { if (filter(geoms[0].g, geoms[geoms.length - 1].g)) arcs.push(geoms[0].i); }); return arcs; } // EXTERNAL MODULE: ../node_modules/d3-array/src/ticks.js var ticks = __webpack_require__(73002); // EXTERNAL MODULE: ../node_modules/d3-format/src/formatSpecifier.js var formatSpecifier = __webpack_require__(32159); // EXTERNAL MODULE: ../node_modules/d3-format/src/precisionPrefix.js var precisionPrefix = __webpack_require__(61816); // EXTERNAL MODULE: ../node_modules/d3-format/src/precisionRound.js var precisionRound = __webpack_require__(84767); // EXTERNAL MODULE: ../node_modules/d3-format/src/precisionFixed.js var precisionFixed = __webpack_require__(39155); // EXTERNAL MODULE: ../node_modules/d3-format/src/defaultLocale.js var defaultLocale = __webpack_require__(90741); // EXTERNAL MODULE: ../node_modules/d3-format/src/locale.js + 7 modules var locale = __webpack_require__(63770); // EXTERNAL MODULE: ../node_modules/d3-time/src/day.js var day = __webpack_require__(6054); // EXTERNAL MODULE: ../node_modules/d3-time/src/week.js var week = __webpack_require__(24645); // EXTERNAL MODULE: ../node_modules/d3-time/src/year.js var year = __webpack_require__(47878); // EXTERNAL MODULE: ../node_modules/d3-time/src/month.js var month = __webpack_require__(43155); // EXTERNAL MODULE: ../node_modules/d3-time/src/hour.js var hour = __webpack_require__(75458); // EXTERNAL MODULE: ../node_modules/d3-time/src/minute.js var minute = __webpack_require__(5957); // EXTERNAL MODULE: ../node_modules/d3-time/src/second.js var second = __webpack_require__(58887); // EXTERNAL MODULE: ../node_modules/d3-time/src/millisecond.js var millisecond = __webpack_require__(17540); // EXTERNAL MODULE: ../node_modules/d3-array/src/bisector.js + 1 modules var bisector = __webpack_require__(2518); ;// CONCATENATED MODULE: ../node_modules/vega-time/build/vega-time.module.js const YEAR = 'year'; const QUARTER = 'quarter'; const MONTH = 'month'; const WEEK = 'week'; const DATE = 'date'; const DAY = 'day'; const DAYOFYEAR = 'dayofyear'; const HOURS = 'hours'; const MINUTES = 'minutes'; const SECONDS = 'seconds'; const MILLISECONDS = 'milliseconds'; const TIME_UNITS = [YEAR, QUARTER, MONTH, WEEK, DATE, DAY, DAYOFYEAR, HOURS, MINUTES, SECONDS, MILLISECONDS]; const UNITS = TIME_UNITS.reduce((o, u, i) => (o[u] = 1 + i, o), {}); function timeUnits(units) { const u = array(units).slice(), m = {}; // check validity if (!u.length) vega_util_module_error('Missing time unit.'); u.forEach(unit => { if (has(UNITS, unit)) { m[unit] = 1; } else { vega_util_module_error(`Invalid time unit: ${unit}.`); } }); const numTypes = (m[WEEK] || m[DAY] ? 1 : 0) + (m[QUARTER] || m[MONTH] || m[DATE] ? 1 : 0) + (m[DAYOFYEAR] ? 1 : 0); if (numTypes > 1) { vega_util_module_error(`Incompatible time units: ${units}`); } // ensure proper sort order u.sort((a, b) => UNITS[a] - UNITS[b]); return u; } const defaultSpecifiers = { [YEAR]: '%Y ', [QUARTER]: 'Q%q ', [MONTH]: '%b ', [DATE]: '%d ', [WEEK]: 'W%U ', [DAY]: '%a ', [DAYOFYEAR]: '%j ', [HOURS]: '%H:00', [MINUTES]: '00:%M', [SECONDS]: ':%S', [MILLISECONDS]: '.%L', [`${YEAR}-${MONTH}`]: '%Y-%m ', [`${YEAR}-${MONTH}-${DATE}`]: '%Y-%m-%d ', [`${HOURS}-${MINUTES}`]: '%H:%M' }; function timeUnitSpecifier(units, specifiers) { const s = extend({}, defaultSpecifiers, specifiers), u = timeUnits(units), n = u.length; let fmt = '', start = 0, end, key; for (start = 0; start < n;) { for (end = u.length; end > start; --end) { key = u.slice(start, end).join('-'); if (s[key] != null) { fmt += s[key]; start = end; break; } } } return fmt.trim(); } const t0 = new Date(); function localYear(y) { t0.setFullYear(y); t0.setMonth(0); t0.setDate(1); t0.setHours(0, 0, 0, 0); return t0; } function dayofyear(d) { return localDayOfYear(new Date(d)); } function vega_time_module_week(d) { return localWeekNum(new Date(d)); } function localDayOfYear(d) { return day/* timeDay */.rr.count(localYear(d.getFullYear()) - 1, d); } function localWeekNum(d) { return week/* timeSunday */.Zy.count(localYear(d.getFullYear()) - 1, d); } function localFirst(y) { return localYear(y).getDay(); } function localDate(y, m, d, H, M, S, L) { if (0 <= y && y < 100) { const date = new Date(-1, m, d, H, M, S, L); date.setFullYear(y); return date; } return new Date(y, m, d, H, M, S, L); } function utcdayofyear(d) { return utcDayOfYear(new Date(d)); } function utcweek(d) { return utcWeekNum(new Date(d)); } function utcDayOfYear(d) { const y = Date.UTC(d.getUTCFullYear(), 0, 1); return day/* utcDay */.AN.count(y - 1, d); } function utcWeekNum(d) { const y = Date.UTC(d.getUTCFullYear(), 0, 1); return week/* utcSunday */.pI.count(y - 1, d); } function utcFirst(y) { t0.setTime(Date.UTC(y, 0, 1)); return t0.getUTCDay(); } function utcDate(y, m, d, H, M, S, L) { if (0 <= y && y < 100) { const date = new Date(Date.UTC(-1, m, d, H, M, S, L)); date.setUTCFullYear(d.y); return date; } return new Date(Date.UTC(y, m, d, H, M, S, L)); } function floor(units, step, get, inv, newDate) { const s = step || 1, b = peek(units), _ = (unit, p, key) => { key = key || unit; return getUnit(get[key], inv[key], unit === b && s, p); }; const t = new Date(), u = vega_util_module_toSet(units), y = u[YEAR] ? _(YEAR) : vega_util_module_constant(2012), m = u[MONTH] ? _(MONTH) : u[QUARTER] ? _(QUARTER) : zero, d = u[WEEK] && u[DAY] ? _(DAY, 1, WEEK + DAY) : u[WEEK] ? _(WEEK, 1) : u[DAY] ? _(DAY, 1) : u[DATE] ? _(DATE, 1) : u[DAYOFYEAR] ? _(DAYOFYEAR, 1) : one, H = u[HOURS] ? _(HOURS) : zero, M = u[MINUTES] ? _(MINUTES) : zero, S = u[SECONDS] ? _(SECONDS) : zero, L = u[MILLISECONDS] ? _(MILLISECONDS) : zero; return function (v) { t.setTime(+v); const year = y(t); return newDate(year, m(t), d(t, year), H(t), M(t), S(t), L(t)); }; } function getUnit(f, inv, step, phase) { const u = step <= 1 ? f : phase ? (d, y) => phase + step * Math.floor((f(d, y) - phase) / step) : (d, y) => step * Math.floor(f(d, y) / step); return inv ? (d, y) => inv(u(d, y), y) : u; } // returns the day of the year based on week number, day of week, // and the day of the week for the first day of the year function weekday(week, day, firstDay) { return day + week * 7 - (firstDay + 6) % 7; } // -- LOCAL TIME -- const localGet = { [YEAR]: d => d.getFullYear(), [QUARTER]: d => Math.floor(d.getMonth() / 3), [MONTH]: d => d.getMonth(), [DATE]: d => d.getDate(), [HOURS]: d => d.getHours(), [MINUTES]: d => d.getMinutes(), [SECONDS]: d => d.getSeconds(), [MILLISECONDS]: d => d.getMilliseconds(), [DAYOFYEAR]: d => localDayOfYear(d), [WEEK]: d => localWeekNum(d), [WEEK + DAY]: (d, y) => weekday(localWeekNum(d), d.getDay(), localFirst(y)), [DAY]: (d, y) => weekday(1, d.getDay(), localFirst(y)) }; const localInv = { [QUARTER]: q => 3 * q, [WEEK]: (w, y) => weekday(w, 0, localFirst(y)) }; function timeFloor(units, step) { return floor(units, step || 1, localGet, localInv, localDate); } // -- UTC TIME -- const utcGet = { [YEAR]: d => d.getUTCFullYear(), [QUARTER]: d => Math.floor(d.getUTCMonth() / 3), [MONTH]: d => d.getUTCMonth(), [DATE]: d => d.getUTCDate(), [HOURS]: d => d.getUTCHours(), [MINUTES]: d => d.getUTCMinutes(), [SECONDS]: d => d.getUTCSeconds(), [MILLISECONDS]: d => d.getUTCMilliseconds(), [DAYOFYEAR]: d => utcDayOfYear(d), [WEEK]: d => utcWeekNum(d), [DAY]: (d, y) => weekday(1, d.getUTCDay(), utcFirst(y)), [WEEK + DAY]: (d, y) => weekday(utcWeekNum(d), d.getUTCDay(), utcFirst(y)) }; const utcInv = { [QUARTER]: q => 3 * q, [WEEK]: (w, y) => weekday(w, 0, utcFirst(y)) }; function utcFloor(units, step) { return floor(units, step || 1, utcGet, utcInv, utcDate); } const timeIntervals = { [YEAR]: year/* timeYear */.jB, [QUARTER]: month/* timeMonth */.F0.every(3), [MONTH]: month/* timeMonth */.F0, [WEEK]: week/* timeSunday */.Zy, [DATE]: day/* timeDay */.rr, [DAY]: day/* timeDay */.rr, [DAYOFYEAR]: day/* timeDay */.rr, [HOURS]: hour/* timeHour */.WQ, [MINUTES]: minute/* timeMinute */.Z_, [SECONDS]: second/* second */.E, [MILLISECONDS]: millisecond/* millisecond */.A }; const utcIntervals = { [YEAR]: year/* utcYear */.ol, [QUARTER]: month/* utcMonth */.me.every(3), [MONTH]: month/* utcMonth */.me, [WEEK]: week/* utcSunday */.pI, [DATE]: day/* utcDay */.AN, [DAY]: day/* utcDay */.AN, [DAYOFYEAR]: day/* utcDay */.AN, [HOURS]: hour/* utcHour */.lM, [MINUTES]: minute/* utcMinute */.rz, [SECONDS]: second/* second */.E, [MILLISECONDS]: millisecond/* millisecond */.A }; function timeInterval(unit) { return timeIntervals[unit]; } function utcInterval(unit) { return utcIntervals[unit]; } function offset(ival, date, step) { return ival ? ival.offset(date, step) : undefined; } function timeOffset(unit, date, step) { return offset(timeInterval(unit), date, step); } function utcOffset(unit, date, step) { return offset(utcInterval(unit), date, step); } function sequence(ival, start, stop, step) { return ival ? ival.range(start, stop, step) : undefined; } function timeSequence(unit, start, stop, step) { return sequence(timeInterval(unit), start, stop, step); } function utcSequence(unit, start, stop, step) { return sequence(utcInterval(unit), start, stop, step); } const durationSecond = 1000, durationMinute = durationSecond * 60, durationHour = durationMinute * 60, durationDay = durationHour * 24, durationWeek = durationDay * 7, durationMonth = durationDay * 30, durationYear = durationDay * 365; const Milli = [YEAR, MONTH, DATE, HOURS, MINUTES, SECONDS, MILLISECONDS], Seconds = Milli.slice(0, -1), Minutes = Seconds.slice(0, -1), Hours = Minutes.slice(0, -1), Day = Hours.slice(0, -1), Week = [YEAR, WEEK], Month = [YEAR, MONTH], Year = [YEAR]; const intervals = [[Seconds, 1, durationSecond], [Seconds, 5, 5 * durationSecond], [Seconds, 15, 15 * durationSecond], [Seconds, 30, 30 * durationSecond], [Minutes, 1, durationMinute], [Minutes, 5, 5 * durationMinute], [Minutes, 15, 15 * durationMinute], [Minutes, 30, 30 * durationMinute], [Hours, 1, durationHour], [Hours, 3, 3 * durationHour], [Hours, 6, 6 * durationHour], [Hours, 12, 12 * durationHour], [Day, 1, durationDay], [Week, 1, durationWeek], [Month, 1, durationMonth], [Month, 3, 3 * durationMonth], [Year, 1, durationYear]]; function bin (opt) { const ext = opt.extent, max = opt.maxbins || 40, target = Math.abs(span(ext)) / max; let i = (0,bisector/* default */.Z)(i => i[2]).right(intervals, target), units, step; if (i === intervals.length) { units = Year, step = (0,ticks/* tickStep */.ly)(ext[0] / durationYear, ext[1] / durationYear, max); } else if (i) { i = intervals[target / intervals[i - 1][2] < intervals[i][2] / target ? i - 1 : i]; units = i[0]; step = i[1]; } else { units = Milli; step = Math.max((0,ticks/* tickStep */.ly)(ext[0], ext[1], max), 1); } return { units, step }; } // EXTERNAL MODULE: ../node_modules/d3-time-format/src/defaultLocale.js var src_defaultLocale = __webpack_require__(94031); // EXTERNAL MODULE: ../node_modules/d3-time-format/src/locale.js var src_locale = __webpack_require__(6367); ;// CONCATENATED MODULE: ../node_modules/vega-format/build/vega-format.module.js function memoize (method) { const cache = {}; return spec => cache[spec] || (cache[spec] = method(spec)); } function trimZeroes(numberFormat, decimalChar) { return x => { const str = numberFormat(x), dec = str.indexOf(decimalChar); if (dec < 0) return str; let idx = rightmostDigit(str, dec); const end = idx < str.length ? str.slice(idx) : ''; while (--idx > dec) if (str[idx] !== '0') { ++idx; break; } return str.slice(0, idx) + end; }; } function rightmostDigit(str, dec) { let i = str.lastIndexOf('e'), c; if (i > 0) return i; for (i = str.length; --i > dec;) { c = str.charCodeAt(i); if (c >= 48 && c <= 57) return i + 1; // is digit } } function numberLocale(locale) { const format = memoize(locale.format), formatPrefix = locale.formatPrefix; return { format, formatPrefix, formatFloat(spec) { const s = (0,formatSpecifier/* default */.Z)(spec || ','); if (s.precision == null) { s.precision = 12; switch (s.type) { case '%': s.precision -= 2; break; case 'e': s.precision -= 1; break; } return trimZeroes(format(s), // number format format('.1f')(1)[1] // decimal point character ); } else { return format(s); } }, formatSpan(start, stop, count, specifier) { specifier = (0,formatSpecifier/* default */.Z)(specifier == null ? ',f' : specifier); const step = (0,ticks/* tickStep */.ly)(start, stop, count), value = Math.max(Math.abs(start), Math.abs(stop)); let precision; if (specifier.precision == null) { switch (specifier.type) { case 's': { if (!isNaN(precision = (0,precisionPrefix/* default */.Z)(step, value))) { specifier.precision = precision; } return formatPrefix(specifier, value); } case '': case 'e': case 'g': case 'p': case 'r': { if (!isNaN(precision = (0,precisionRound/* default */.Z)(step, value))) { specifier.precision = precision - (specifier.type === 'e'); } break; } case 'f': case '%': { if (!isNaN(precision = (0,precisionFixed/* default */.Z)(step))) { specifier.precision = precision - (specifier.type === '%') * 2; } break; } } } return format(specifier); } }; } let defaultNumberLocale; resetNumberFormatDefaultLocale(); function resetNumberFormatDefaultLocale() { return defaultNumberLocale = numberLocale({ format: defaultLocale/* format */.WU, formatPrefix: defaultLocale/* formatPrefix */.jH }); } function numberFormatLocale(definition) { return numberLocale((0,locale/* default */.Z)(definition)); } function numberFormatDefaultLocale(definition) { return arguments.length ? defaultNumberLocale = numberFormatLocale(definition) : defaultNumberLocale; } function timeMultiFormat(format, interval, spec) { spec = spec || {}; if (!isObject(spec)) { vega_util_module_error(`Invalid time multi-format specifier: ${spec}`); } const second = interval(SECONDS), minute = interval(MINUTES), hour = interval(HOURS), day = interval(DATE), week = interval(WEEK), month = interval(MONTH), quarter = interval(QUARTER), year = interval(YEAR), L = format(spec[MILLISECONDS] || '.%L'), S = format(spec[SECONDS] || ':%S'), M = format(spec[MINUTES] || '%I:%M'), H = format(spec[HOURS] || '%I %p'), d = format(spec[DATE] || spec[DAY] || '%a %d'), w = format(spec[WEEK] || '%b %d'), m = format(spec[MONTH] || '%B'), q = format(spec[QUARTER] || '%B'), y = format(spec[YEAR] || '%Y'); return date => (second(date) < date ? L : minute(date) < date ? S : hour(date) < date ? M : day(date) < date ? H : month(date) < date ? week(date) < date ? d : w : year(date) < date ? quarter(date) < date ? m : q : y)(date); } function timeLocale(locale) { const timeFormat = memoize(locale.format), utcFormat = memoize(locale.utcFormat); return { timeFormat: spec => vega_util_module_isString(spec) ? timeFormat(spec) : timeMultiFormat(timeFormat, timeInterval, spec), utcFormat: spec => vega_util_module_isString(spec) ? utcFormat(spec) : timeMultiFormat(utcFormat, utcInterval, spec), timeParse: memoize(locale.parse), utcParse: memoize(locale.utcParse) }; } let defaultTimeLocale; resetTimeFormatDefaultLocale(); function resetTimeFormatDefaultLocale() { return defaultTimeLocale = timeLocale({ format: src_defaultLocale/* timeFormat */.i$, parse: src_defaultLocale/* timeParse */.Z1, utcFormat: src_defaultLocale/* utcFormat */.g0, utcParse: src_defaultLocale/* utcParse */.wp }); } function timeFormatLocale(definition) { return timeLocale((0,src_locale/* default */.Z)(definition)); } function timeFormatDefaultLocale(definition) { return arguments.length ? defaultTimeLocale = timeFormatLocale(definition) : defaultTimeLocale; } const createLocale = (number, time) => extend({}, number, time); function vega_format_module_locale(numberSpec, timeSpec) { const number = numberSpec ? numberFormatLocale(numberSpec) : numberFormatDefaultLocale(); const time = timeSpec ? timeFormatLocale(timeSpec) : timeFormatDefaultLocale(); return createLocale(number, time); } function vega_format_module_defaultLocale(numberSpec, timeSpec) { const args = arguments.length; if (args && args !== 2) { vega_util_module_error('defaultLocale expects either zero or two arguments.'); } return args ? createLocale(numberFormatDefaultLocale(numberSpec), timeFormatDefaultLocale(timeSpec)) : createLocale(numberFormatDefaultLocale(), timeFormatDefaultLocale()); } function resetDefaultLocale() { resetNumberFormatDefaultLocale(); resetTimeFormatDefaultLocale(); return vega_format_module_defaultLocale(); } ;// CONCATENATED MODULE: ../node_modules/vega-loader/build/vega-loader.browser.module.js // Matches absolute URLs with optional protocol // https://... file://... //... const protocol_re = /^(data:|([A-Za-z]+:)?\/\/)/; // Matches allowed URIs. From https://github.com/cure53/DOMPurify/blob/master/src/regexp.js with added file:// const allowed_re = /^(?:(?:(?:f|ht)tps?|mailto|tel|callto|cid|xmpp|file|data):|[^a-z]|[a-z+.\-]+(?:[^a-z+.\-:]|$))/i; // eslint-disable-line no-useless-escape const whitespace_re = /[\u0000-\u0020\u00A0\u1680\u180E\u2000-\u2029\u205f\u3000]/g; // eslint-disable-line no-control-regex // Special treatment in node.js for the file: protocol const fileProtocol = 'file://'; /** * Factory for a loader constructor that provides methods for requesting * files from either the network or disk, and for sanitizing request URIs. * @param {function} fetch - The Fetch API for HTTP network requests. * If null or undefined, HTTP loading will be disabled. * @param {object} fs - The file system interface for file loading. * If null or undefined, local file loading will be disabled. * @return {function} A loader constructor with the following signature: * param {object} [options] - Optional default loading options to use. * return {object} - A new loader instance. */ function loaderFactory (fetch, fs) { return options => ({ options: options || {}, sanitize: sanitize, load: load, fileAccess: false, file: fileLoader(fs), http: httpLoader(fetch) }); } /** * Load an external resource, typically either from the web or from the local * filesystem. This function uses {@link sanitize} to first sanitize the uri, * then calls either {@link http} (for web requests) or {@link file} (for * filesystem loading). * @param {string} uri - The resource indicator (e.g., URL or filename). * @param {object} [options] - Optional loading options. These options will * override any existing default options. * @return {Promise} - A promise that resolves to the loaded content. */ async function load(uri, options) { const opt = await this.sanitize(uri, options), url = opt.href; return opt.localFile ? this.file(url) : this.http(url, options); } /** * URI sanitizer function. * @param {string} uri - The uri (url or filename) to check. * @param {object} options - An options hash. * @return {Promise} - A promise that resolves to an object containing * sanitized uri data, or rejects it the input uri is deemed invalid. * The properties of the resolved object are assumed to be * valid attributes for an HTML 'a' tag. The sanitized uri *must* be * provided by the 'href' property of the returned object. */ async function sanitize(uri, options) { options = extend({}, this.options, options); const fileAccess = this.fileAccess, result = { href: null }; let isFile, loadFile, base; const isAllowed = allowed_re.test(uri.replace(whitespace_re, '')); if (uri == null || typeof uri !== 'string' || !isAllowed) { vega_util_module_error('Sanitize failure, invalid URI: ' + $(uri)); } const hasProtocol = protocol_re.test(uri); // if relative url (no protocol/host), prepend baseURL if ((base = options.baseURL) && !hasProtocol) { // Ensure that there is a slash between the baseURL (e.g. hostname) and url if (!uri.startsWith('/') && !base.endsWith('/')) { uri = '/' + uri; } uri = base + uri; } // should we load from file system? loadFile = (isFile = uri.startsWith(fileProtocol)) || options.mode === 'file' || options.mode !== 'http' && !hasProtocol && fileAccess; if (isFile) { // strip file protocol uri = uri.slice(fileProtocol.length); } else if (uri.startsWith('//')) { if (options.defaultProtocol === 'file') { // if is file, strip protocol and set loadFile flag uri = uri.slice(2); loadFile = true; } else { // if relative protocol (starts with '//'), prepend default protocol uri = (options.defaultProtocol || 'http') + ':' + uri; } } // set non-enumerable mode flag to indicate local file load Object.defineProperty(result, 'localFile', { value: !!loadFile }); // set uri result.href = uri; // set default result target, if specified if (options.target) { result.target = options.target + ''; } // set default result rel, if specified (#1542) if (options.rel) { result.rel = options.rel + ''; } // provide control over cross-origin image handling (#2238) // https://developer.mozilla.org/en-US/docs/Web/HTML/CORS_enabled_image if (options.context === 'image' && options.crossOrigin) { result.crossOrigin = options.crossOrigin + ''; } // return return result; } /** * File system loader factory. * @param {object} fs - The file system interface. * @return {function} - A file loader with the following signature: * param {string} filename - The file system path to load. * param {string} filename - The file system path to load. * return {Promise} A promise that resolves to the file contents. */ function fileLoader(fs) { return fs ? filename => new Promise((accept, reject) => { fs.readFile(filename, (error, data) => { if (error) reject(error);else accept(data); }); }) : fileReject; } /** * Default file system loader that simply rejects. */ async function fileReject() { vega_util_module_error('No file system access.'); } /** * HTTP request handler factory. * @param {function} fetch - The Fetch API method. * @return {function} - An http loader with the following signature: * param {string} url - The url to request. * param {object} options - An options hash. * return {Promise} - A promise that resolves to the file contents. */ function httpLoader(fetch) { return fetch ? async function (url, options) { const opt = extend({}, this.options.http, options), type = options && options.response, response = await fetch(url, opt); return !response.ok ? vega_util_module_error(response.status + '' + response.statusText) : vega_util_module_isFunction(response[type]) ? response[type]() : response.text(); } : httpReject; } /** * Default http request handler that simply rejects. */ async function httpReject() { vega_util_module_error('No HTTP fetch method available.'); } const isValid = _ => _ != null && _ === _; const vega_loader_browser_module_isBoolean = _ => _ === 'true' || _ === 'false' || _ === true || _ === false; const vega_loader_browser_module_isDate = _ => !Number.isNaN(Date.parse(_)); const vega_loader_browser_module_isNumber = _ => !Number.isNaN(+_) && !(_ instanceof Date); const vega_loader_browser_module_isInteger = _ => vega_loader_browser_module_isNumber(_) && Number.isInteger(+_); const typeParsers = { boolean: toBoolean, integer: toNumber, number: toNumber, date: toDate, string: vega_util_module_toString, unknown: identity }; const typeTests = [vega_loader_browser_module_isBoolean, vega_loader_browser_module_isInteger, vega_loader_browser_module_isNumber, vega_loader_browser_module_isDate]; const typeList = ['boolean', 'integer', 'number', 'date']; function inferType(values, field) { if (!values || !values.length) return 'unknown'; const n = values.length, m = typeTests.length, a = typeTests.map((_, i) => i + 1); for (let i = 0, t = 0, j, value; i < n; ++i) { value = field ? values[i][field] : values[i]; for (j = 0; j < m; ++j) { if (a[j] && isValid(value) && !typeTests[j](value)) { a[j] = 0; ++t; if (t === typeTests.length) return 'string'; } } } return typeList[a.reduce((u, v) => u === 0 ? v : u, 0) - 1]; } function inferTypes(data, fields) { return fields.reduce((types, field) => { types[field] = inferType(data, field); return types; }, {}); } function delimitedFormat(delimiter) { const parse = function (data, format) { const delim = { delimiter: delimiter }; return vega_loader_browser_module_dsv(data, format ? extend(format, delim) : delim); }; parse.responseType = 'text'; return parse; } function vega_loader_browser_module_dsv(data, format) { if (format.header) { data = format.header.map($).join(format.delimiter) + '\n' + data; } return dsv(format.delimiter).parse(data + ''); } vega_loader_browser_module_dsv.responseType = 'text'; function isBuffer(_) { return typeof Buffer === 'function' && vega_util_module_isFunction(Buffer.isBuffer) ? Buffer.isBuffer(_) : false; } function json(data, format) { const prop = format && format.property ? field(format.property) : identity; return isObject(data) && !isBuffer(data) ? parseJSON(prop(data), format) : prop(JSON.parse(data)); } json.responseType = 'json'; function parseJSON(data, format) { if (!isArray(data) && isIterable(data)) { data = [...data]; } return format && format.copy ? JSON.parse(JSON.stringify(data)) : data; } const filters = { interior: (a, b) => a !== b, exterior: (a, b) => a === b }; function topojson(data, format) { let method, object, property, filter; data = json(data, format); if (format && format.feature) { method = feature; property = format.feature; } else if (format && format.mesh) { method = mesh; property = format.mesh; filter = filters[format.filter]; } else { vega_util_module_error('Missing TopoJSON feature or mesh parameter.'); } object = (object = data.objects[property]) ? method(data, object, filter) : vega_util_module_error('Invalid TopoJSON object: ' + property); return object && object.features || [object]; } topojson.responseType = 'json'; const format = { dsv: vega_loader_browser_module_dsv, csv: delimitedFormat(','), tsv: delimitedFormat('\t'), json: json, topojson: topojson }; function formats(name, reader) { if (arguments.length > 1) { format[name] = reader; return this; } else { return has(format, name) ? format[name] : null; } } function responseType(type) { const f = formats(type); return f && f.responseType || 'text'; } function read (data, schema, timeParser, utcParser) { schema = schema || {}; const reader = formats(schema.type || 'json'); if (!reader) vega_util_module_error('Unknown data format type: ' + schema.type); data = reader(data, schema); if (schema.parse) parse(data, schema.parse, timeParser, utcParser); if (has(data, 'columns')) delete data.columns; return data; } function parse(data, types, timeParser, utcParser) { if (!data.length) return; // early exit for empty data const locale = timeFormatDefaultLocale(); timeParser = timeParser || locale.timeParse; utcParser = utcParser || locale.utcParse; let fields = data.columns || Object.keys(data[0]), datum, field, i, j, n, m; if (types === 'auto') types = inferTypes(data, fields); fields = Object.keys(types); const parsers = fields.map(field => { const type = types[field]; let parts, pattern; if (type && (type.startsWith('date:') || type.startsWith('utc:'))) { parts = type.split(/:(.+)?/, 2); // split on first : pattern = parts[1]; if (pattern[0] === '\'' && pattern[pattern.length - 1] === '\'' || pattern[0] === '"' && pattern[pattern.length - 1] === '"') { pattern = pattern.slice(1, -1); } const parse = parts[0] === 'utc' ? utcParser : timeParser; return parse(pattern); } if (!typeParsers[type]) { throw Error('Illegal format pattern: ' + field + ':' + type); } return typeParsers[type]; }); for (i = 0, n = data.length, m = fields.length; i < n; ++i) { datum = data[i]; for (j = 0; j < m; ++j) { field = fields[j]; datum[field] = parsers[j](datum[field]); } } } const loader = loaderFactory(typeof fetch !== 'undefined' && fetch, // use built-in fetch API null // no file system access ); ;// CONCATENATED MODULE: ../node_modules/vega-dataflow/build/vega-dataflow.module.js function UniqueList(idFunc) { const $ = idFunc || identity, list = [], ids = {}; list.add = _ => { const id = $(_); if (!ids[id]) { ids[id] = 1; list.push(_); } return list; }; list.remove = _ => { const id = $(_); if (ids[id]) { ids[id] = 0; const idx = list.indexOf(_); if (idx >= 0) list.splice(idx, 1); } return list; }; return list; } /** * Invoke and await a potentially async callback function. If * an error occurs, trap it and route to Dataflow.error. * @param {Dataflow} df - The dataflow instance * @param {function} callback - A callback function to invoke * and then await. The dataflow will be passed as the single * argument to the function. */ async function asyncCallback (df, callback) { try { await callback(df); } catch (err) { df.error(err); } } const TUPLE_ID_KEY = Symbol('vega_id'); let TUPLE_ID = 1; /** * Checks if an input value is a registered tuple. * @param {*} t - The value to check. * @return {boolean} True if the input is a tuple, false otherwise. */ function isTuple(t) { return !!(t && tupleid(t)); } /** * Returns the id of a tuple. * @param {object} t - The input tuple. * @return {*} the tuple id. */ function tupleid(t) { return t[TUPLE_ID_KEY]; } /** * Sets the id of a tuple. * @param {object} t - The input tuple. * @param {*} id - The id value to set. * @return {object} the input tuple. */ function setid(t, id) { t[TUPLE_ID_KEY] = id; return t; } /** * Ingest an object or value as a data tuple. * If the input value is an object, an id field will be added to it. For * efficiency, the input object is modified directly. A copy is not made. * If the input value is a literal, it will be wrapped in a new object * instance, with the value accessible as the 'data' property. * @param datum - The value to ingest. * @return {object} The ingested data tuple. */ function ingest$1(datum) { const t = datum === Object(datum) ? datum : { data: datum }; return tupleid(t) ? t : setid(t, TUPLE_ID++); } /** * Given a source tuple, return a derived copy. * @param {object} t - The source tuple. * @return {object} The derived tuple. */ function derive(t) { return rederive(t, ingest$1({})); } /** * Rederive a derived tuple by copying values from the source tuple. * @param {object} t - The source tuple. * @param {object} d - The derived tuple. * @return {object} The derived tuple. */ function rederive(t, d) { for (const k in t) d[k] = t[k]; return d; } /** * Replace an existing tuple with a new tuple. * @param {object} t - The existing data tuple. * @param {object} d - The new tuple that replaces the old. * @return {object} The new tuple. */ function replace(t, d) { return setid(d, tupleid(t)); } /** * Generate an augmented comparator function that provides stable * sorting by tuple id when the given comparator produces ties. * @param {function} cmp - The comparator to augment. * @param {function} [f] - Optional tuple accessor function. * @return {function} An augmented comparator function. */ function stableCompare(cmp, f) { return !cmp ? null : f ? (a, b) => cmp(a, b) || tupleid(f(a)) - tupleid(f(b)) : (a, b) => cmp(a, b) || tupleid(a) - tupleid(b); } function isChangeSet(v) { return v && v.constructor === changeset; } function changeset() { const add = [], // insert tuples rem = [], // remove tuples mod = [], // modify tuples remp = [], // remove by predicate modp = []; // modify by predicate let clean = null, reflow = false; return { constructor: changeset, insert(t) { const d = array(t), n = d.length; for (let i = 0; i < n; ++i) add.push(d[i]); return this; }, remove(t) { const a = vega_util_module_isFunction(t) ? remp : rem, d = array(t), n = d.length; for (let i = 0; i < n; ++i) a.push(d[i]); return this; }, modify(t, field, value) { const m = { field: field, value: vega_util_module_constant(value) }; if (vega_util_module_isFunction(t)) { m.filter = t; modp.push(m); } else { m.tuple = t; mod.push(m); } return this; }, encode(t, set) { if (vega_util_module_isFunction(t)) modp.push({ filter: t, field: set });else mod.push({ tuple: t, field: set }); return this; }, clean(value) { clean = value; return this; }, reflow() { reflow = true; return this; }, pulse(pulse, tuples) { const cur = {}, out = {}; let i, n, m, f, t, id; // build lookup table of current tuples for (i = 0, n = tuples.length; i < n; ++i) { cur[tupleid(tuples[i])] = 1; } // process individual tuples to remove for (i = 0, n = rem.length; i < n; ++i) { t = rem[i]; cur[tupleid(t)] = -1; } // process predicate-based removals for (i = 0, n = remp.length; i < n; ++i) { f = remp[i]; tuples.forEach(t => { if (f(t)) cur[tupleid(t)] = -1; }); } // process all add tuples for (i = 0, n = add.length; i < n; ++i) { t = add[i]; id = tupleid(t); if (cur[id]) { // tuple already resides in dataset // if flagged for both add and remove, cancel cur[id] = 1; } else { // tuple does not reside in dataset, add pulse.add.push(ingest$1(add[i])); } } // populate pulse rem list for (i = 0, n = tuples.length; i < n; ++i) { t = tuples[i]; if (cur[tupleid(t)] < 0) pulse.rem.push(t); } // modify helper method function modify(t, f, v) { if (v) { t[f] = v(t); } else { pulse.encode = f; } if (!reflow) out[tupleid(t)] = t; } // process individual tuples to modify for (i = 0, n = mod.length; i < n; ++i) { m = mod[i]; t = m.tuple; f = m.field; id = cur[tupleid(t)]; if (id > 0) { modify(t, f, m.value); pulse.modifies(f); } } // process predicate-based modifications for (i = 0, n = modp.length; i < n; ++i) { m = modp[i]; f = m.filter; tuples.forEach(t => { if (f(t) && cur[tupleid(t)] > 0) { modify(t, m.field, m.value); } }); pulse.modifies(m.field); } // upon reflow request, populate mod with all non-removed tuples // otherwise, populate mod with modified tuples only if (reflow) { pulse.mod = rem.length || remp.length ? tuples.filter(t => cur[tupleid(t)] > 0) : tuples.slice(); } else { for (id in out) pulse.mod.push(out[id]); } // set pulse garbage collection request if (clean || clean == null && (rem.length || remp.length)) { pulse.clean(true); } return pulse; } }; } const CACHE = '_:mod:_'; /** * Hash that tracks modifications to assigned values. * Callers *must* use the set method to update values. */ function Parameters() { Object.defineProperty(this, CACHE, { writable: true, value: {} }); } Parameters.prototype = { /** * Set a parameter value. If the parameter value changes, the parameter * will be recorded as modified. * @param {string} name - The parameter name. * @param {number} index - The index into an array-value parameter. Ignored if * the argument is undefined, null or less than zero. * @param {*} value - The parameter value to set. * @param {boolean} [force=false] - If true, records the parameter as modified * even if the value is unchanged. * @return {Parameters} - This parameter object. */ set(name, index, value, force) { const o = this, v = o[name], mod = o[CACHE]; if (index != null && index >= 0) { if (v[index] !== value || force) { v[index] = value; mod[index + ':' + name] = -1; mod[name] = -1; } } else if (v !== value || force) { o[name] = value; mod[name] = isArray(value) ? 1 + value.length : -1; } return o; }, /** * Tests if one or more parameters has been modified. If invoked with no * arguments, returns true if any parameter value has changed. If the first * argument is array, returns trues if any parameter name in the array has * changed. Otherwise, tests if the given name and optional array index has * changed. * @param {string} name - The parameter name to test. * @param {number} [index=undefined] - The parameter array index to test. * @return {boolean} - Returns true if a queried parameter was modified. */ modified(name, index) { const mod = this[CACHE]; if (!arguments.length) { for (const k in mod) { if (mod[k]) return true; } return false; } else if (isArray(name)) { for (let k = 0; k < name.length; ++k) { if (mod[name[k]]) return true; } return false; } return index != null && index >= 0 ? index + 1 < mod[name] || !!mod[index + ':' + name] : !!mod[name]; }, /** * Clears the modification records. After calling this method, * all parameters are considered unmodified. */ clear() { this[CACHE] = {}; return this; } }; let OP_ID = 0; const PULSE = 'pulse', NO_PARAMS = new Parameters(); // Boolean Flags const SKIP$1 = 1, MODIFIED = 2; /** * An Operator is a processing node in a dataflow graph. * Each operator stores a value and an optional value update function. * Operators can accept a hash of named parameters. Parameter values can * either be direct (JavaScript literals, arrays, objects) or indirect * (other operators whose values will be pulled dynamically). Operators * included as parameters will have this operator added as a dependency. * @constructor * @param {*} [init] - The initial value for this operator. * @param {function(object, Pulse)} [update] - An update function. Upon * evaluation of this operator, the update function will be invoked and the * return value will be used as the new value of this operator. * @param {object} [params] - The parameters for this operator. * @param {boolean} [react=true] - Flag indicating if this operator should * listen for changes to upstream operators included as parameters. * @see parameters */ function Operator(init, update, params, react) { this.id = ++OP_ID; this.value = init; this.stamp = -1; this.rank = -1; this.qrank = -1; this.flags = 0; if (update) { this._update = update; } if (params) this.parameters(params, react); } function flag(bit) { return function (state) { const f = this.flags; if (arguments.length === 0) return !!(f & bit); this.flags = state ? f | bit : f & ~bit; return this; }; } Operator.prototype = { /** * Returns a list of target operators dependent on this operator. * If this list does not exist, it is created and then returned. * @return {UniqueList} */ targets() { return this._targets || (this._targets = UniqueList(id)); }, /** * Sets the value of this operator. * @param {*} value - the value to set. * @return {Number} Returns 1 if the operator value has changed * according to strict equality, returns 0 otherwise. */ set(value) { if (this.value !== value) { this.value = value; return 1; } else { return 0; } }, /** * Indicates that operator evaluation should be skipped on the next pulse. * This operator will still propagate incoming pulses, but its update function * will not be invoked. The skip flag is reset after every pulse, so calling * this method will affect processing of the next pulse only. */ skip: flag(SKIP$1), /** * Indicates that this operator's value has been modified on its most recent * pulse. Normally modification is checked via strict equality; however, in * some cases it is more efficient to update the internal state of an object. * In those cases, the modified flag can be used to trigger propagation. Once * set, the modification flag persists across pulses until unset. The flag can * be used with the last timestamp to test if a modification is recent. */ modified: flag(MODIFIED), /** * Sets the parameters for this operator. The parameter values are analyzed for * operator instances. If found, this operator will be added as a dependency * of the parameterizing operator. Operator values are dynamically marshalled * from each operator parameter prior to evaluation. If a parameter value is * an array, the array will also be searched for Operator instances. However, * the search does not recurse into sub-arrays or object properties. * @param {object} params - A hash of operator parameters. * @param {boolean} [react=true] - A flag indicating if this operator should * automatically update (react) when parameter values change. In other words, * this flag determines if the operator registers itself as a listener on * any upstream operators included in the parameters. * @param {boolean} [initonly=false] - A flag indicating if this operator * should calculate an update only upon its initial evaluation, then * deregister dependencies and suppress all future update invocations. * @return {Operator[]} - An array of upstream dependencies. */ parameters(params, react, initonly) { react = react !== false; const argval = this._argval = this._argval || new Parameters(), argops = this._argops = this._argops || [], deps = []; let name, value, n, i; const add = (name, index, value) => { if (value instanceof Operator) { if (value !== this) { if (react) value.targets().add(this); deps.push(value); } argops.push({ op: value, name: name, index: index }); } else { argval.set(name, index, value); } }; for (name in params) { value = params[name]; if (name === PULSE) { array(value).forEach(op => { if (!(op instanceof Operator)) { vega_util_module_error('Pulse parameters must be operator instances.'); } else if (op !== this) { op.targets().add(this); deps.push(op); } }); this.source = value; } else if (isArray(value)) { argval.set(name, -1, Array(n = value.length)); for (i = 0; i < n; ++i) add(name, i, value[i]); } else { add(name, -1, value); } } this.marshall().clear(); // initialize values if (initonly) argops.initonly = true; return deps; }, /** * Internal method for marshalling parameter values. * Visits each operator dependency to pull the latest value. * @return {Parameters} A Parameters object to pass to the update function. */ marshall(stamp) { const argval = this._argval || NO_PARAMS, argops = this._argops; let item, i, op, mod; if (argops) { const n = argops.length; for (i = 0; i < n; ++i) { item = argops[i]; op = item.op; mod = op.modified() && op.stamp === stamp; argval.set(item.name, item.index, op.value, mod); } if (argops.initonly) { for (i = 0; i < n; ++i) { item = argops[i]; item.op.targets().remove(this); } this._argops = null; this._update = null; } } return argval; }, /** * Detach this operator from the dataflow. * Unregisters listeners on upstream dependencies. */ detach() { const argops = this._argops; let i, n, item, op; if (argops) { for (i = 0, n = argops.length; i < n; ++i) { item = argops[i]; op = item.op; if (op._targets) { op._targets.remove(this); } } } // remove references to the source and pulse object, // if present, to prevent memory leaks of old data. this.pulse = null; this.source = null; }, /** * Delegate method to perform operator processing. * Subclasses can override this method to perform custom processing. * By default, it marshalls parameters and calls the update function * if that function is defined. If the update function does not * change the operator value then StopPropagation is returned. * If no update function is defined, this method does nothing. * @param {Pulse} pulse - the current dataflow pulse. * @return The output pulse or StopPropagation. A falsy return value * (including undefined) will let the input pulse pass through. */ evaluate(pulse) { const update = this._update; if (update) { const params = this.marshall(pulse.stamp), v = update.call(this, params, pulse); params.clear(); if (v !== this.value) { this.value = v; } else if (!this.modified()) { return pulse.StopPropagation; } } }, /** * Run this operator for the current pulse. If this operator has already * been run at (or after) the pulse timestamp, returns StopPropagation. * Internally, this method calls {@link evaluate} to perform processing. * If {@link evaluate} returns a falsy value, the input pulse is returned. * This method should NOT be overridden, instead overrride {@link evaluate}. * @param {Pulse} pulse - the current dataflow pulse. * @return the output pulse for this operator (or StopPropagation) */ run(pulse) { if (pulse.stamp < this.stamp) return pulse.StopPropagation; let rv; if (this.skip()) { this.skip(false); rv = 0; } else { rv = this.evaluate(pulse); } return this.pulse = rv || pulse; } }; /** * Add an operator to the dataflow graph. This function accepts a * variety of input argument types. The basic signature supports an * initial value, update function and parameters. If the first parameter * is an Operator instance, it will be added directly. If it is a * constructor for an Operator subclass, a new instance will be instantiated. * Otherwise, if the first parameter is a function instance, it will be used * as the update function and a null initial value is assumed. * @param {*} init - One of: the operator to add, the initial value of * the operator, an operator class to instantiate, or an update function. * @param {function} [update] - The operator update function. * @param {object} [params] - The operator parameters. * @param {boolean} [react=true] - Flag indicating if this operator should * listen for changes to upstream operators included as parameters. * @return {Operator} - The added operator. */ function add (init, update, params, react) { let shift = 1, op; if (init instanceof Operator) { op = init; } else if (init && init.prototype instanceof Operator) { op = new init(); } else if (vega_util_module_isFunction(init)) { op = new Operator(null, init); } else { shift = 0; op = new Operator(init, update); } this.rank(op); if (shift) { react = params; params = update; } if (params) this.connect(op, op.parameters(params, react)); this.touch(op); return op; } /** * Connect a target operator as a dependent of source operators. * If necessary, this method will rerank the target operator and its * dependents to ensure propagation proceeds in a topologically sorted order. * @param {Operator} target - The target operator. * @param {Array} - The source operators that should propagate * to the target operator. */ function connect (target, sources) { const targetRank = target.rank, n = sources.length; for (let i = 0; i < n; ++i) { if (targetRank < sources[i].rank) { this.rerank(target); return; } } } let STREAM_ID = 0; /** * Models an event stream. * @constructor * @param {function(Object, number): boolean} [filter] - Filter predicate. * Events pass through when truthy, events are suppressed when falsy. * @param {function(Object): *} [apply] - Applied to input events to produce * new event values. * @param {function(Object)} [receive] - Event callback function to invoke * upon receipt of a new event. Use to override standard event processing. */ function EventStream(filter, apply, receive) { this.id = ++STREAM_ID; this.value = null; if (receive) this.receive = receive; if (filter) this._filter = filter; if (apply) this._apply = apply; } /** * Creates a new event stream instance with the provided * (optional) filter, apply and receive functions. * @param {function(Object, number): boolean} [filter] - Filter predicate. * Events pass through when truthy, events are suppressed when falsy. * @param {function(Object): *} [apply] - Applied to input events to produce * new event values. * @see EventStream */ function stream(filter, apply, receive) { return new EventStream(filter, apply, receive); } EventStream.prototype = { _filter: truthy, _apply: identity, targets() { return this._targets || (this._targets = UniqueList(id)); }, consume(_) { if (!arguments.length) return !!this._consume; this._consume = !!_; return this; }, receive(evt) { if (this._filter(evt)) { const val = this.value = this._apply(evt), trg = this._targets, n = trg ? trg.length : 0; for (let i = 0; i < n; ++i) trg[i].receive(val); if (this._consume) { evt.preventDefault(); evt.stopPropagation(); } } }, filter(filter) { const s = stream(filter); this.targets().add(s); return s; }, apply(apply) { const s = stream(null, apply); this.targets().add(s); return s; }, merge() { const s = stream(); this.targets().add(s); for (let i = 0, n = arguments.length; i < n; ++i) { arguments[i].targets().add(s); } return s; }, throttle(pause) { let t = -1; return this.filter(() => { const now = Date.now(); if (now - t > pause) { t = now; return 1; } else { return 0; } }); }, debounce(delay) { const s = stream(); this.targets().add(stream(null, null, debounce(delay, e => { const df = e.dataflow; s.receive(e); if (df && df.run) df.run(); }))); return s; }, between(a, b) { let active = false; a.targets().add(stream(null, null, () => active = true)); b.targets().add(stream(null, null, () => active = false)); return this.filter(() => active); }, detach() { // ensures compatibility with operators (#2753) // remove references to other streams and filter functions that may // be bound to subcontexts that need to be garbage collected. this._filter = truthy; this._targets = null; } }; /** * Create a new event stream from an event source. * @param {object} source - The event source to monitor. The input must * support the addEventListener method. * @param {string} type - The event type. * @param {function(object): boolean} [filter] - Event filter function. * @param {function(object): *} [apply] - Event application function. * If provided, this function will be invoked and the result will be * used as the downstream event value. * @return {EventStream} */ function events (source, type, filter, apply) { const df = this, s = stream(filter, apply), send = function (e) { e.dataflow = df; try { s.receive(e); } catch (error) { df.error(error); } finally { df.run(); } }; let sources; if (typeof source === 'string' && typeof document !== 'undefined') { sources = document.querySelectorAll(source); } else { sources = array(source); } const n = sources.length; for (let i = 0; i < n; ++i) { sources[i].addEventListener(type, send); } return s; } function vega_dataflow_module_parse(data, format) { const locale = this.locale(); return read(data, format, locale.timeParse, locale.utcParse); } /** * Ingests new data into the dataflow. First parses the data using the * vega-loader read method, then pulses a changeset to the target operator. * @param {Operator} target - The Operator to target with ingested data, * typically a Collect transform instance. * @param {*} data - The input data, prior to parsing. For JSON this may * be a string or an object. For CSV, TSV, etc should be a string. * @param {object} format - The data format description for parsing * loaded data. This object is passed to the vega-loader read method. * @returns {Dataflow} */ function ingest(target, data, format) { data = this.parse(data, format); return this.pulse(target, this.changeset().insert(data)); } /** * Request data from an external source, parse it, and return a Promise. * @param {string} url - The URL from which to load the data. This string * is passed to the vega-loader load method. * @param {object} [format] - The data format description for parsing * loaded data. This object is passed to the vega-loader read method. * @return {Promise} A Promise that resolves upon completion of the request. * The resolved object contains the following properties: * - data: an array of parsed data (or null upon error) * - status: a code for success (0), load fail (-1), or parse fail (-2) */ async function request(url, format) { const df = this; let status = 0, data; try { data = await df.loader().load(url, { context: 'dataflow', response: responseType(format && format.type) }); try { data = df.parse(data, format); } catch (err) { status = -2; df.warn('Data ingestion failed', url, err); } } catch (err) { status = -1; df.warn('Loading failed', url, err); } return { data, status }; } async function preload(target, url, format) { const df = this, pending = df._pending || loadPending(df); pending.requests += 1; const res = await df.request(url, format); df.pulse(target, df.changeset().remove(truthy).insert(res.data || [])); pending.done(); return res; } function loadPending(df) { let accept; const pending = new Promise(a => accept = a); pending.requests = 0; pending.done = () => { if (--pending.requests === 0) { df._pending = null; accept(df); } }; return df._pending = pending; } const SKIP = { skip: true }; /** * Perform operator updates in response to events. Applies an * update function to compute a new operator value. If the update function * returns a {@link ChangeSet}, the operator will be pulsed with those tuple * changes. Otherwise, the operator value will be updated to the return value. * @param {EventStream|Operator} source - The event source to react to. * This argument can be either an EventStream or an Operator. * @param {Operator|function(object):Operator} target - The operator to update. * This argument can either be an Operator instance or (if the source * argument is an EventStream), a function that accepts an event object as * input and returns an Operator to target. * @param {function(Parameters,Event): *} [update] - Optional update function * to compute the new operator value, or a literal value to set. Update * functions expect to receive a parameter object and event as arguments. * This function can either return a new operator value or (if the source * argument is an EventStream) a {@link ChangeSet} instance to pulse * the target operator with tuple changes. * @param {object} [params] - The update function parameters. * @param {object} [options] - Additional options hash. If not overridden, * updated operators will be skipped by default. * @param {boolean} [options.skip] - If true, the operator will * be skipped: it will not be evaluated, but its dependents will be. * @param {boolean} [options.force] - If true, the operator will * be re-evaluated even if its value has not changed. * @return {Dataflow} */ function on (source, target, update, params, options) { const fn = source instanceof Operator ? onOperator : onStream; fn(this, source, target, update, params, options); return this; } function onStream(df, stream, target, update, params, options) { const opt = extend({}, options, SKIP); let func, op; if (!vega_util_module_isFunction(target)) target = vega_util_module_constant(target); if (update === undefined) { func = e => df.touch(target(e)); } else if (vega_util_module_isFunction(update)) { op = new Operator(null, update, params, false); func = e => { op.evaluate(e); const t = target(e), v = op.value; isChangeSet(v) ? df.pulse(t, v, options) : df.update(t, v, opt); }; } else { func = e => df.update(target(e), update, opt); } stream.apply(func); } function onOperator(df, source, target, update, params, options) { if (update === undefined) { source.targets().add(target); } else { const opt = options || {}, op = new Operator(null, updater(target, update), params, false); op.modified(opt.force); op.rank = source.rank; // immediately follow source source.targets().add(op); // add dependency if (target) { op.skip(true); // skip first invocation op.value = target.value; // initialize value op.targets().add(target); // chain dependencies df.connect(target, [op]); // rerank as needed, #1672 } } } function updater(target, update) { update = vega_util_module_isFunction(update) ? update : vega_util_module_constant(update); return target ? function (_, pulse) { const value = update(_, pulse); if (!target.skip()) { target.skip(value !== this.value).value = value; } return value; } : update; } /** * Assigns a rank to an operator. Ranks are assigned in increasing order * by incrementing an internal rank counter. * @param {Operator} op - The operator to assign a rank. */ function rank(op) { op.rank = ++this._rank; } /** * Re-ranks an operator and all downstream target dependencies. This * is necessary when upstream dependencies of higher rank are added to * a target operator. * @param {Operator} op - The operator to re-rank. */ function rerank(op) { const queue = [op]; let cur, list, i; while (queue.length) { this.rank(cur = queue.pop()); if (list = cur._targets) { for (i = list.length; --i >= 0;) { queue.push(cur = list[i]); if (cur === op) vega_util_module_error('Cycle detected in dataflow graph.'); } } } } /** * Sentinel value indicating pulse propagation should stop. */ const StopPropagation = {}; // Pulse visit type flags const ADD = 1 << 0, REM = 1 << 1, MOD = 1 << 2, ADD_REM = ADD | REM, ADD_MOD = ADD | MOD, ALL = ADD | REM | MOD, REFLOW = 1 << 3, SOURCE = 1 << 4, NO_SOURCE = 1 << 5, NO_FIELDS = 1 << 6; /** * A Pulse enables inter-operator communication during a run of the * dataflow graph. In addition to the current timestamp, a pulse may also * contain a change-set of added, removed or modified data tuples, as well as * a pointer to a full backing data source. Tuple change sets may not * be fully materialized; for example, to prevent needless array creation * a change set may include larger arrays and corresponding filter functions. * The pulse provides a {@link visit} method to enable proper and efficient * iteration over requested data tuples. * * In addition, each pulse can track modification flags for data tuple fields. * Responsible transform operators should call the {@link modifies} method to * indicate changes to data fields. The {@link modified} method enables * querying of this modification state. * * @constructor * @param {Dataflow} dataflow - The backing dataflow instance. * @param {number} stamp - The current propagation timestamp. * @param {string} [encode] - An optional encoding set name, which is then * accessible as Pulse.encode. Operators can respond to (or ignore) this * setting as appropriate. This parameter can be used in conjunction with * the Encode transform in the vega-encode module. */ function Pulse(dataflow, stamp, encode) { this.dataflow = dataflow; this.stamp = stamp == null ? -1 : stamp; this.add = []; this.rem = []; this.mod = []; this.fields = null; this.encode = encode || null; } function materialize(data, filter) { const out = []; visitArray(data, filter, _ => out.push(_)); return out; } function filter(pulse, flags) { const map = {}; pulse.visit(flags, t => { map[tupleid(t)] = 1; }); return t => map[tupleid(t)] ? null : t; } function addFilter(a, b) { return a ? (t, i) => a(t, i) && b(t, i) : b; } Pulse.prototype = { /** * Sentinel value indicating pulse propagation should stop. */ StopPropagation, /** * Boolean flag indicating ADD (added) tuples. */ ADD, /** * Boolean flag indicating REM (removed) tuples. */ REM, /** * Boolean flag indicating MOD (modified) tuples. */ MOD, /** * Boolean flag indicating ADD (added) and REM (removed) tuples. */ ADD_REM, /** * Boolean flag indicating ADD (added) and MOD (modified) tuples. */ ADD_MOD, /** * Boolean flag indicating ADD, REM and MOD tuples. */ ALL, /** * Boolean flag indicating all tuples in a data source * except for the ADD, REM and MOD tuples. */ REFLOW, /** * Boolean flag indicating a 'pass-through' to a * backing data source, ignoring ADD, REM and MOD tuples. */ SOURCE, /** * Boolean flag indicating that source data should be * suppressed when creating a forked pulse. */ NO_SOURCE, /** * Boolean flag indicating that field modifications should be * suppressed when creating a forked pulse. */ NO_FIELDS, /** * Creates a new pulse based on the values of this pulse. * The dataflow, time stamp and field modification values are copied over. * By default, new empty ADD, REM and MOD arrays are created. * @param {number} flags - Integer of boolean flags indicating which (if any) * tuple arrays should be copied to the new pulse. The supported flag values * are ADD, REM and MOD. Array references are copied directly: new array * instances are not created. * @return {Pulse} - The forked pulse instance. * @see init */ fork(flags) { return new Pulse(this.dataflow).init(this, flags); }, /** * Creates a copy of this pulse with new materialized array * instances for the ADD, REM, MOD, and SOURCE arrays. * The dataflow, time stamp and field modification values are copied over. * @return {Pulse} - The cloned pulse instance. * @see init */ clone() { const p = this.fork(ALL); p.add = p.add.slice(); p.rem = p.rem.slice(); p.mod = p.mod.slice(); if (p.source) p.source = p.source.slice(); return p.materialize(ALL | SOURCE); }, /** * Returns a pulse that adds all tuples from a backing source. This is * useful for cases where operators are added to a dataflow after an * upstream data pipeline has already been processed, ensuring that * new operators can observe all tuples within a stream. * @return {Pulse} - A pulse instance with all source tuples included * in the add array. If the current pulse already has all source * tuples in its add array, it is returned directly. If the current * pulse does not have a backing source, it is returned directly. */ addAll() { let p = this; const reuse = !p.source || p.add === p.rem // special case for indexed set (e.g., crossfilter) || !p.rem.length && p.source.length === p.add.length; if (reuse) { return p; } else { p = new Pulse(this.dataflow).init(this); p.add = p.source; p.rem = []; // new operators can ignore rem #2769 return p; } }, /** * Initialize this pulse based on the values of another pulse. This method * is used internally by {@link fork} to initialize a new forked tuple. * The dataflow, time stamp and field modification values are copied over. * By default, new empty ADD, REM and MOD arrays are created. * @param {Pulse} src - The source pulse to copy from. * @param {number} flags - Integer of boolean flags indicating which (if any) * tuple arrays should be copied to the new pulse. The supported flag values * are ADD, REM and MOD. Array references are copied directly: new array * instances are not created. By default, source data arrays are copied * to the new pulse. Use the NO_SOURCE flag to enforce a null source. * @return {Pulse} - Returns this Pulse instance. */ init(src, flags) { const p = this; p.stamp = src.stamp; p.encode = src.encode; if (src.fields && !(flags & NO_FIELDS)) { p.fields = src.fields; } if (flags & ADD) { p.addF = src.addF; p.add = src.add; } else { p.addF = null; p.add = []; } if (flags & REM) { p.remF = src.remF; p.rem = src.rem; } else { p.remF = null; p.rem = []; } if (flags & MOD) { p.modF = src.modF; p.mod = src.mod; } else { p.modF = null; p.mod = []; } if (flags & NO_SOURCE) { p.srcF = null; p.source = null; } else { p.srcF = src.srcF; p.source = src.source; if (src.cleans) p.cleans = src.cleans; } return p; }, /** * Schedules a function to run after pulse propagation completes. * @param {function} func - The function to run. */ runAfter(func) { this.dataflow.runAfter(func); }, /** * Indicates if tuples have been added, removed or modified. * @param {number} [flags] - The tuple types (ADD, REM or MOD) to query. * Defaults to ALL, returning true if any tuple type has changed. * @return {boolean} - Returns true if one or more queried tuple types have * changed, false otherwise. */ changed(flags) { const f = flags || ALL; return f & ADD && this.add.length || f & REM && this.rem.length || f & MOD && this.mod.length; }, /** * Forces a "reflow" of tuple values, such that all tuples in the backing * source are added to the MOD set, unless already present in the ADD set. * @param {boolean} [fork=false] - If true, returns a forked copy of this * pulse, and invokes reflow on that derived pulse. * @return {Pulse} - The reflowed pulse instance. */ reflow(fork) { if (fork) return this.fork(ALL).reflow(); const len = this.add.length, src = this.source && this.source.length; if (src && src !== len) { this.mod = this.source; if (len) this.filter(MOD, filter(this, ADD)); } return this; }, /** * Get/set metadata to pulse requesting garbage collection * to reclaim currently unused resources. */ clean(value) { if (arguments.length) { this.cleans = !!value; return this; } else { return this.cleans; } }, /** * Marks one or more data field names as modified to assist dependency * tracking and incremental processing by transform operators. * @param {string|Array} _ - The field(s) to mark as modified. * @return {Pulse} - This pulse instance. */ modifies(_) { const hash = this.fields || (this.fields = {}); if (isArray(_)) { _.forEach(f => hash[f] = true); } else { hash[_] = true; } return this; }, /** * Checks if one or more data fields have been modified during this pulse * propagation timestamp. * @param {string|Array} _ - The field(s) to check for modified. * @param {boolean} nomod - If true, will check the modified flag even if * no mod tuples exist. If false (default), mod tuples must be present. * @return {boolean} - Returns true if any of the provided fields has been * marked as modified, false otherwise. */ modified(_, nomod) { const fields = this.fields; return !((nomod || this.mod.length) && fields) ? false : !arguments.length ? !!fields : isArray(_) ? _.some(f => fields[f]) : fields[_]; }, /** * Adds a filter function to one more tuple sets. Filters are applied to * backing tuple arrays, to determine the actual set of tuples considered * added, removed or modified. They can be used to delay materialization of * a tuple set in order to avoid expensive array copies. In addition, the * filter functions can serve as value transformers: unlike standard predicate * function (which return boolean values), Pulse filters should return the * actual tuple value to process. If a tuple set is already filtered, the * new filter function will be appended into a conjuntive ('and') query. * @param {number} flags - Flags indicating the tuple set(s) to filter. * @param {function(*):object} filter - Filter function that will be applied * to the tuple set array, and should return a data tuple if the value * should be included in the tuple set, and falsy (or null) otherwise. * @return {Pulse} - Returns this pulse instance. */ filter(flags, filter) { const p = this; if (flags & ADD) p.addF = addFilter(p.addF, filter); if (flags & REM) p.remF = addFilter(p.remF, filter); if (flags & MOD) p.modF = addFilter(p.modF, filter); if (flags & SOURCE) p.srcF = addFilter(p.srcF, filter); return p; }, /** * Materialize one or more tuple sets in this pulse. If the tuple set(s) have * a registered filter function, it will be applied and the tuple set(s) will * be replaced with materialized tuple arrays. * @param {number} flags - Flags indicating the tuple set(s) to materialize. * @return {Pulse} - Returns this pulse instance. */ materialize(flags) { flags = flags || ALL; const p = this; if (flags & ADD && p.addF) { p.add = materialize(p.add, p.addF); p.addF = null; } if (flags & REM && p.remF) { p.rem = materialize(p.rem, p.remF); p.remF = null; } if (flags & MOD && p.modF) { p.mod = materialize(p.mod, p.modF); p.modF = null; } if (flags & SOURCE && p.srcF) { p.source = p.source.filter(p.srcF); p.srcF = null; } return p; }, /** * Visit one or more tuple sets in this pulse. * @param {number} flags - Flags indicating the tuple set(s) to visit. * Legal values are ADD, REM, MOD and SOURCE (if a backing data source * has been set). * @param {function(object):*} - Visitor function invoked per-tuple. * @return {Pulse} - Returns this pulse instance. */ visit(flags, visitor) { const p = this, v = visitor; if (flags & SOURCE) { visitArray(p.source, p.srcF, v); return p; } if (flags & ADD) visitArray(p.add, p.addF, v); if (flags & REM) visitArray(p.rem, p.remF, v); if (flags & MOD) visitArray(p.mod, p.modF, v); const src = p.source; if (flags & REFLOW && src) { const sum = p.add.length + p.mod.length; if (sum === src.length) ; else if (sum) { visitArray(src, filter(p, ADD_MOD), v); } else { // if no add/rem/mod tuples, visit source visitArray(src, p.srcF, v); } } return p; } }; /** * Represents a set of multiple pulses. Used as input for operators * that accept multiple pulses at a time. Contained pulses are * accessible via the public "pulses" array property. This pulse doe * not carry added, removed or modified tuples directly. However, * the visit method can be used to traverse all such tuples contained * in sub-pulses with a timestamp matching this parent multi-pulse. * @constructor * @param {Dataflow} dataflow - The backing dataflow instance. * @param {number} stamp - The timestamp. * @param {Array} pulses - The sub-pulses for this multi-pulse. */ function MultiPulse(dataflow, stamp, pulses, encode) { const p = this; let c = 0; this.dataflow = dataflow; this.stamp = stamp; this.fields = null; this.encode = encode || null; this.pulses = pulses; for (const pulse of pulses) { if (pulse.stamp !== stamp) continue; if (pulse.fields) { const hash = p.fields || (p.fields = {}); for (const f in pulse.fields) { hash[f] = 1; } } if (pulse.changed(p.ADD)) c |= p.ADD; if (pulse.changed(p.REM)) c |= p.REM; if (pulse.changed(p.MOD)) c |= p.MOD; } this.changes = c; } inherits(MultiPulse, Pulse, { /** * Creates a new pulse based on the values of this pulse. * The dataflow, time stamp and field modification values are copied over. * @return {Pulse} */ fork(flags) { const p = new Pulse(this.dataflow).init(this, flags & this.NO_FIELDS); if (flags !== undefined) { if (flags & p.ADD) this.visit(p.ADD, t => p.add.push(t)); if (flags & p.REM) this.visit(p.REM, t => p.rem.push(t)); if (flags & p.MOD) this.visit(p.MOD, t => p.mod.push(t)); } return p; }, changed(flags) { return this.changes & flags; }, modified(_) { const p = this, fields = p.fields; return !(fields && p.changes & p.MOD) ? 0 : isArray(_) ? _.some(f => fields[f]) : fields[_]; }, filter() { vega_util_module_error('MultiPulse does not support filtering.'); }, materialize() { vega_util_module_error('MultiPulse does not support materialization.'); }, visit(flags, visitor) { const p = this, pulses = p.pulses, n = pulses.length; let i = 0; if (flags & p.SOURCE) { for (; i < n; ++i) { pulses[i].visit(flags, visitor); } } else { for (; i < n; ++i) { if (pulses[i].stamp === p.stamp) { pulses[i].visit(flags, visitor); } } } return p; } }); /* eslint-disable require-atomic-updates */ /** * Evaluates the dataflow and returns a Promise that resolves when pulse * propagation completes. This method will increment the current timestamp * and process all updated, pulsed and touched operators. When invoked for * the first time, all registered operators will be processed. This method * should not be invoked by third-party clients, use {@link runAsync} or * {@link run} instead. * @param {string} [encode] - The name of an encoding set to invoke during * propagation. This value is added to generated Pulse instances; * operators can then respond to (or ignore) this setting as appropriate. * This parameter can be used in conjunction with the Encode transform in * the vega-encode package. * @param {function} [prerun] - An optional callback function to invoke * immediately before dataflow evaluation commences. * @param {function} [postrun] - An optional callback function to invoke * after dataflow evaluation completes. The callback will be invoked * after those registered via {@link runAfter}. * @return {Promise} - A promise that resolves to this dataflow after * evaluation completes. */ async function evaluate(encode, prerun, postrun) { const df = this, async = []; // if the pulse value is set, this is a re-entrant call if (df._pulse) return reentrant(df); // wait for pending datasets to load if (df._pending) await df._pending; // invoke prerun function, if provided if (prerun) await asyncCallback(df, prerun); // exit early if there are no updates if (!df._touched.length) { df.debug('Dataflow invoked, but nothing to do.'); return df; } // increment timestamp clock const stamp = ++df._clock; // set the current pulse df._pulse = new Pulse(df, stamp, encode); // initialize priority queue, reset touched operators df._touched.forEach(op => df._enqueue(op, true)); df._touched = UniqueList(id); let count = 0, op, next, error; try { while (df._heap.size() > 0) { // dequeue operator with highest priority op = df._heap.pop(); // re-queue if rank changed if (op.rank !== op.qrank) { df._enqueue(op, true); continue; } // otherwise, evaluate the operator next = op.run(df._getPulse(op, encode)); if (next.then) { // await if operator returns a promise directly next = await next; } else if (next.async) { // queue parallel asynchronous execution async.push(next.async); next = StopPropagation; } // propagate evaluation, enqueue dependent operators if (next !== StopPropagation) { if (op._targets) op._targets.forEach(op => df._enqueue(op)); } // increment visit counter ++count; } } catch (err) { df._heap.clear(); error = err; } // reset pulse map df._input = {}; df._pulse = null; df.debug(`Pulse ${stamp}: ${count} operators`); if (error) { df._postrun = []; df.error(error); } // invoke callbacks queued via runAfter if (df._postrun.length) { const pr = df._postrun.sort((a, b) => b.priority - a.priority); df._postrun = []; for (let i = 0; i < pr.length; ++i) { await asyncCallback(df, pr[i].callback); } } // invoke postrun function, if provided if (postrun) await asyncCallback(df, postrun); // handle non-blocking asynchronous callbacks if (async.length) { Promise.all(async).then(cb => df.runAsync(null, () => { cb.forEach(f => { try { f(df); } catch (err) { df.error(err); } }); })); } return df; } /** * Queues dataflow evaluation to run once any other queued evaluations have * completed and returns a Promise that resolves when the queued pulse * propagation completes. If provided, a callback function will be invoked * immediately before evaluation commences. This method will ensure a * separate evaluation is invoked for each time it is called. * @param {string} [encode] - The name of an encoding set to invoke during * propagation. This value is added to generated Pulse instances; * operators can then respond to (or ignore) this setting as appropriate. * This parameter can be used in conjunction with the Encode transform in * the vega-encode package. * @param {function} [prerun] - An optional callback function to invoke * immediately before dataflow evaluation commences. * @param {function} [postrun] - An optional callback function to invoke * after dataflow evaluation completes. The callback will be invoked * after those registered via {@link runAfter}. * @return {Promise} - A promise that resolves to this dataflow after * evaluation completes. */ async function runAsync(encode, prerun, postrun) { // await previously queued functions while (this._running) await this._running; // run dataflow, manage running promise const clear = () => this._running = null; (this._running = this.evaluate(encode, prerun, postrun)).then(clear, clear); return this._running; } /** * Requests dataflow evaluation and the immediately returns this dataflow * instance. If there are pending data loading or other asynchronous * operations, the dataflow will evaluate asynchronously after this method * has been invoked. To track when dataflow evaluation completes, use the * {@link runAsync} method instead. This method will raise an error if * invoked while the dataflow is already in the midst of evaluation. * @param {string} [encode] - The name of an encoding set to invoke during * propagation. This value is added to generated Pulse instances; * operators can then respond to (or ignore) this setting as appropriate. * This parameter can be used in conjunction with the Encode transform in * the vega-encode module. * @param {function} [prerun] - An optional callback function to invoke * immediately before dataflow evaluation commences. * @param {function} [postrun] - An optional callback function to invoke * after dataflow evaluation completes. The callback will be invoked * after those registered via {@link runAfter}. * @return {Dataflow} - This dataflow instance. */ function run(encode, prerun, postrun) { return this._pulse ? reentrant(this) : (this.evaluate(encode, prerun, postrun), this); } /** * Schedules a callback function to be invoked after the current pulse * propagation completes. If no propagation is currently occurring, * the function is invoked immediately. Callbacks scheduled via runAfter * are invoked immediately upon completion of the current cycle, before * any request queued via runAsync. This method is primarily intended for * internal use. Third-party callers using runAfter to schedule a callback * that invokes {@link run} or {@link runAsync} should not use this method, * but instead use {@link runAsync} with prerun or postrun arguments. * @param {function(Dataflow)} callback - The callback function to run. * The callback will be invoked with this Dataflow instance as its * sole argument. * @param {boolean} enqueue - A boolean flag indicating that the * callback should be queued up to run after the next propagation * cycle, suppressing immediate invocation when propagation is not * currently occurring. * @param {number} [priority] - A priority value used to sort registered * callbacks to determine execution order. This argument is intended * for internal Vega use only. */ function runAfter(callback, enqueue, priority) { if (this._pulse || enqueue) { // pulse propagation is currently running, queue to run after this._postrun.push({ priority: priority || 0, callback: callback }); } else { // pulse propagation already complete, invoke immediately try { callback(this); } catch (err) { this.error(err); } } } /** * Raise an error for re-entrant dataflow evaluation. */ function reentrant(df) { df.error('Dataflow already running. Use runAsync() to chain invocations.'); return df; } /** * Enqueue an operator into the priority queue for evaluation. The operator * will be enqueued if it has no registered pulse for the current cycle, or if * the force argument is true. Upon enqueue, this method also sets the * operator's qrank to the current rank value. * @param {Operator} op - The operator to enqueue. * @param {boolean} [force] - A flag indicating if the operator should be * forceably added to the queue, even if it has already been previously * enqueued during the current pulse propagation. This is useful when the * dataflow graph is dynamically modified and the operator rank changes. */ function enqueue(op, force) { const q = op.stamp < this._clock; if (q) op.stamp = this._clock; if (q || force) { op.qrank = op.rank; this._heap.push(op); } } /** * Provide a correct pulse for evaluating an operator. If the operator has an * explicit source operator, we will try to pull the pulse(s) from it. * If there is an array of source operators, we build a multi-pulse. * Otherwise, we return a current pulse with correct source data. * If the pulse is the pulse map has an explicit target set, we use that. * Else if the pulse on the upstream source operator is current, we use that. * Else we use the pulse from the pulse map, but copy the source tuple array. * @param {Operator} op - The operator for which to get an input pulse. * @param {string} [encode] - An (optional) encoding set name with which to * annotate the returned pulse. See {@link run} for more information. */ function getPulse(op, encode) { const s = op.source, stamp = this._clock; return s && isArray(s) ? new MultiPulse(this, stamp, s.map(_ => _.pulse), encode) : this._input[op.id] || singlePulse(this._pulse, s && s.pulse); } function singlePulse(p, s) { if (s && s.stamp === p.stamp) { return s; } p = p.fork(); if (s && s !== StopPropagation) { p.source = s.source; } return p; } const NO_OPT = { skip: false, force: false }; /** * Touches an operator, scheduling it to be evaluated. If invoked outside of * a pulse propagation, the operator will be evaluated the next time this * dataflow is run. If invoked in the midst of pulse propagation, the operator * will be queued for evaluation if and only if the operator has not yet been * evaluated on the current propagation timestamp. * @param {Operator} op - The operator to touch. * @param {object} [options] - Additional options hash. * @param {boolean} [options.skip] - If true, the operator will * be skipped: it will not be evaluated, but its dependents will be. * @return {Dataflow} */ function touch(op, options) { const opt = options || NO_OPT; if (this._pulse) { // if in midst of propagation, add to priority queue this._enqueue(op); } else { // otherwise, queue for next propagation this._touched.add(op); } if (opt.skip) op.skip(true); return this; } /** * Updates the value of the given operator. * @param {Operator} op - The operator to update. * @param {*} value - The value to set. * @param {object} [options] - Additional options hash. * @param {boolean} [options.force] - If true, the operator will * be re-evaluated even if its value has not changed. * @param {boolean} [options.skip] - If true, the operator will * be skipped: it will not be evaluated, but its dependents will be. * @return {Dataflow} */ function update(op, value, options) { const opt = options || NO_OPT; if (op.set(value) || opt.force) { this.touch(op, opt); } return this; } /** * Pulses an operator with a changeset of tuples. If invoked outside of * a pulse propagation, the pulse will be applied the next time this * dataflow is run. If invoked in the midst of pulse propagation, the pulse * will be added to the set of active pulses and will be applied if and * only if the target operator has not yet been evaluated on the current * propagation timestamp. * @param {Operator} op - The operator to pulse. * @param {ChangeSet} value - The tuple changeset to apply. * @param {object} [options] - Additional options hash. * @param {boolean} [options.skip] - If true, the operator will * be skipped: it will not be evaluated, but its dependents will be. * @return {Dataflow} */ function pulse(op, changeset, options) { this.touch(op, options || NO_OPT); const p = new Pulse(this, this._clock + (this._pulse ? 0 : 1)), t = op.pulse && op.pulse.source || []; p.target = op; this._input[op.id] = changeset.pulse(p, t); return this; } function Heap(cmp) { let nodes = []; return { clear: () => nodes = [], size: () => nodes.length, peek: () => nodes[0], push: x => { nodes.push(x); return siftdown(nodes, 0, nodes.length - 1, cmp); }, pop: () => { const last = nodes.pop(); let item; if (nodes.length) { item = nodes[0]; nodes[0] = last; siftup(nodes, 0, cmp); } else { item = last; } return item; } }; } function siftdown(array, start, idx, cmp) { let parent, pidx; const item = array[idx]; while (idx > start) { pidx = idx - 1 >> 1; parent = array[pidx]; if (cmp(item, parent) < 0) { array[idx] = parent; idx = pidx; continue; } break; } return array[idx] = item; } function siftup(array, idx, cmp) { const start = idx, end = array.length, item = array[idx]; let cidx = (idx << 1) + 1, ridx; while (cidx < end) { ridx = cidx + 1; if (ridx < end && cmp(array[cidx], array[ridx]) >= 0) { cidx = ridx; } array[idx] = array[cidx]; idx = cidx; cidx = (idx << 1) + 1; } array[idx] = item; return siftdown(array, start, idx, cmp); } /** * A dataflow graph for reactive processing of data streams. * @constructor */ function Dataflow() { this.logger(logger()); this.logLevel(Error$1); this._clock = 0; this._rank = 0; this._locale = vega_format_module_defaultLocale(); try { this._loader = loader(); } catch (e) { // do nothing if loader module is unavailable } this._touched = UniqueList(id); this._input = {}; this._pulse = null; this._heap = Heap((a, b) => a.qrank - b.qrank); this._postrun = []; } function logMethod(method) { return function () { return this._log[method].apply(this, arguments); }; } Dataflow.prototype = { /** * The current timestamp of this dataflow. This value reflects the * timestamp of the previous dataflow run. The dataflow is initialized * with a stamp value of 0. The initial run of the dataflow will have * a timestap of 1, and so on. This value will match the * {@link Pulse.stamp} property. * @return {number} - The current timestamp value. */ stamp() { return this._clock; }, /** * Gets or sets the loader instance to use for data file loading. A * loader object must provide a "load" method for loading files and a * "sanitize" method for checking URL/filename validity. Both methods * should accept a URI and options hash as arguments, and return a Promise * that resolves to the loaded file contents (load) or a hash containing * sanitized URI data with the sanitized url assigned to the "href" property * (sanitize). * @param {object} _ - The loader instance to use. * @return {object|Dataflow} - If no arguments are provided, returns * the current loader instance. Otherwise returns this Dataflow instance. */ loader(_) { if (arguments.length) { this._loader = _; return this; } else { return this._loader; } }, /** * Gets or sets the locale instance to use for formatting and parsing * string values. The locale object should be provided by the * vega-format library, and include methods such as format, timeFormat, * utcFormat, timeParse, and utcParse. * @param {object} _ - The locale instance to use. * @return {object|Dataflow} - If no arguments are provided, returns * the current locale instance. Otherwise returns this Dataflow instance. */ locale(_) { if (arguments.length) { this._locale = _; return this; } else { return this._locale; } }, /** * Get or set the logger instance used to log messages. If no arguments are * provided, returns the current logger instance. Otherwise, sets the logger * and return this Dataflow instance. Provided loggers must support the full * API of logger objects generated by the vega-util logger method. Note that * by default the log level of the new logger will be used; use the logLevel * method to adjust the log level as needed. */ logger(logger) { if (arguments.length) { this._log = logger; return this; } else { return this._log; } }, /** * Logs an error message. By default, logged messages are written to console * output. The message will only be logged if the current log level is high * enough to permit error messages. */ error: logMethod('error'), /** * Logs a warning message. By default, logged messages are written to console * output. The message will only be logged if the current log level is high * enough to permit warning messages. */ warn: logMethod('warn'), /** * Logs a information message. By default, logged messages are written to * console output. The message will only be logged if the current log level is * high enough to permit information messages. */ info: logMethod('info'), /** * Logs a debug message. By default, logged messages are written to console * output. The message will only be logged if the current log level is high * enough to permit debug messages. */ debug: logMethod('debug'), /** * Get or set the current log level. If an argument is provided, it * will be used as the new log level. * @param {number} [level] - Should be one of None, Warn, Info * @return {number} - The current log level. */ logLevel: logMethod('level'), /** * Empty entry threshold for garbage cleaning. Map data structures will * perform cleaning once the number of empty entries exceeds this value. */ cleanThreshold: 1e4, // OPERATOR REGISTRATION add, connect, rank, rerank, // OPERATOR UPDATES pulse, touch, update, changeset, // DATA LOADING ingest, parse: vega_dataflow_module_parse, preload, request, // EVENT HANDLING events, on, // PULSE PROPAGATION evaluate, run, runAsync, runAfter, _enqueue: enqueue, _getPulse: getPulse }; /** * Abstract class for operators that process data tuples. * Subclasses must provide a {@link transform} method for operator processing. * @constructor * @param {*} [init] - The initial value for this operator. * @param {object} [params] - The parameters for this operator. * @param {Operator} [source] - The operator from which to receive pulses. */ function Transform(init, params) { Operator.call(this, init, null, params); } inherits(Transform, Operator, { /** * Overrides {@link Operator.evaluate} for transform operators. * Internally, this method calls {@link evaluate} to perform processing. * If {@link evaluate} returns a falsy value, the input pulse is returned. * This method should NOT be overridden, instead overrride {@link evaluate}. * @param {Pulse} pulse - the current dataflow pulse. * @return the output pulse for this operator (or StopPropagation) */ run(pulse) { if (pulse.stamp < this.stamp) return pulse.StopPropagation; let rv; if (this.skip()) { this.skip(false); } else { rv = this.evaluate(pulse); } rv = rv || pulse; if (rv.then) { rv = rv.then(_ => this.pulse = _); } else if (rv !== pulse.StopPropagation) { this.pulse = rv; } return rv; }, /** * Overrides {@link Operator.evaluate} for transform operators. * Marshalls parameter values and then invokes {@link transform}. * @param {Pulse} pulse - the current dataflow pulse. * @return {Pulse} The output pulse (or StopPropagation). A falsy return value (including undefined) will let the input pulse pass through. */ evaluate(pulse) { const params = this.marshall(pulse.stamp), out = this.transform(params, pulse); params.clear(); return out; }, /** * Process incoming pulses. * Subclasses should override this method to implement transforms. * @param {Parameters} _ - The operator parameter values. * @param {Pulse} pulse - The current dataflow pulse. * @return {Pulse} The output pulse (or StopPropagation). A falsy return * value (including undefined) will let the input pulse pass through. */ transform() {} }); const transforms = {}; function definition(type) { const t = vega_dataflow_module_transform(type); return t && t.Definition || null; } function vega_dataflow_module_transform(type) { type = type && type.toLowerCase(); return has(transforms, type) ? transforms[type] : null; } // EXTERNAL MODULE: ../node_modules/d3-array/src/ascending.js var src_ascending = __webpack_require__(31655); // EXTERNAL MODULE: ../node_modules/d3-array/src/max.js var max = __webpack_require__(53856); // EXTERNAL MODULE: ../node_modules/d3-array/src/min.js var min = __webpack_require__(93571); ;// CONCATENATED MODULE: ../node_modules/d3-array/src/sort.js function sort(values, ...F) { if (typeof values[Symbol.iterator] !== "function") throw new TypeError("values is not iterable"); values = Array.from(values); let [f] = F; if ((f && f.length !== 2) || F.length > 1) { const index = Uint32Array.from(values, (d, i) => i); if (F.length > 1) { F = F.map(f => values.map(f)); index.sort((i, j) => { for (const f of F) { const c = sort_ascendingDefined(f[i], f[j]); if (c) return c; } }); } else { f = values.map(f); index.sort((i, j) => sort_ascendingDefined(f[i], f[j])); } return permute(values, index); } return values.sort(compareDefined(f)); } function compareDefined(compare = src_ascending/* default */.Z) { if (compare === src_ascending/* default */.Z) return sort_ascendingDefined; if (typeof compare !== "function") throw new TypeError("compare is not a function"); return (a, b) => { const x = compare(a, b); if (x || x === 0) return x; return (compare(b, b) === 0) - (compare(a, a) === 0); }; } function sort_ascendingDefined(a, b) { return (a == null || !(a >= a)) - (b == null || !(b >= b)) || (a < b ? -1 : a > b ? 1 : 0); } ;// CONCATENATED MODULE: ../node_modules/d3-array/src/quickselect.js // Based on https://github.com/mourner/quickselect // ISC license, Copyright 2018 Vladimir Agafonkin. function quickselect_quickselect(array, k, left = 0, right = Infinity, compare) { k = Math.floor(k); left = Math.floor(Math.max(0, left)); right = Math.floor(Math.min(array.length - 1, right)); if (!(left <= k && k <= right)) return array; compare = compare === undefined ? sort_ascendingDefined : compareDefined(compare); while (right > left) { if (right - left > 600) { const n = right - left + 1; const m = k - left + 1; const z = Math.log(n); const s = 0.5 * Math.exp(2 * z / 3); const sd = 0.5 * Math.sqrt(z * s * (n - s) / n) * (m - n / 2 < 0 ? -1 : 1); const newLeft = Math.max(left, Math.floor(k - m * s / n + sd)); const newRight = Math.min(right, Math.floor(k + (n - m) * s / n + sd)); quickselect_quickselect(array, k, newLeft, newRight, compare); } const t = array[k]; let i = left; let j = right; swap(array, left, k); if (compare(array[right], t) > 0) swap(array, left, right); while (i < j) { swap(array, i, j), ++i, --j; while (compare(array[i], t) < 0) ++i; while (compare(array[j], t) > 0) --j; } if (compare(array[left], t) === 0) swap(array, left, j); else ++j, swap(array, j, right); if (j <= k) left = j + 1; if (k <= j) right = j - 1; } return array; } function swap(array, i, j) { const t = array[i]; array[i] = array[j]; array[j] = t; } // EXTERNAL MODULE: ../node_modules/d3-array/src/number.js var src_number = __webpack_require__(53612); ;// CONCATENATED MODULE: ../node_modules/d3-array/src/quantile.js function quantile(values, p, valueof) { values = Float64Array.from((0,src_number/* numbers */.K)(values, valueof)); if (!(n = values.length) || isNaN(p = +p)) return; if (p <= 0 || n < 2) return (0,min/* default */.Z)(values); if (p >= 1) return (0,max/* default */.Z)(values); var n, i = (n - 1) * p, i0 = Math.floor(i), value0 = (0,max/* default */.Z)(quickselect_quickselect(values, i0).subarray(0, i0 + 1)), value1 = (0,min/* default */.Z)(values.subarray(i0 + 1)); return value0 + (value1 - value0) * (i - i0); } function quantileSorted(values, p, valueof = src_number/* default */.Z) { if (!(n = values.length) || isNaN(p = +p)) return; if (p <= 0 || n < 2) return +valueof(values[0], 0, values); if (p >= 1) return +valueof(values[n - 1], n - 1, values); var n, i = (n - 1) * p, i0 = Math.floor(i), value0 = +valueof(values[i0], i0, values), value1 = +valueof(values[i0 + 1], i0 + 1, values); return value0 + (value1 - value0) * (i - i0); } function quantile_quantileIndex(values, p, valueof = number) { if (isNaN(p = +p)) return; numbers = Float64Array.from(values, (_, i) => number(valueof(values[i], i, values))); if (p <= 0) return minIndex(numbers); if (p >= 1) return maxIndex(numbers); var numbers, index = Uint32Array.from(values, (_, i) => i), j = numbers.length - 1, i = Math.floor(j * p); quickselect(index, i, 0, j, (i, j) => ascendingDefined(numbers[i], numbers[j])); i = greatest(index.subarray(0, i + 1), (i) => numbers[i]); return i >= 0 ? i : -1; } ;// CONCATENATED MODULE: ../node_modules/d3-array/src/variance.js function variance(values, valueof) { let count = 0; let delta; let mean = 0; let sum = 0; if (valueof === undefined) { for (let value of values) { if (value != null && (value = +value) >= value) { delta = value - mean; mean += delta / ++count; sum += delta * (value - mean); } } } else { let index = -1; for (let value of values) { if ((value = valueof(value, ++index, values)) != null && (value = +value) >= value) { delta = value - mean; mean += delta / ++count; sum += delta * (value - mean); } } } if (count > 1) return sum / (count - 1); } ;// CONCATENATED MODULE: ../node_modules/d3-array/src/deviation.js function deviation(values, valueof) { const v = variance(values, valueof); return v ? Math.sqrt(v) : v; } ;// CONCATENATED MODULE: ../node_modules/d3-array/src/median.js function median(values, valueof) { return quantile(values, 0.5, valueof); } function medianIndex(values, valueof) { return quantileIndex(values, 0.5, valueof); } ;// CONCATENATED MODULE: ../node_modules/vega-statistics/build/vega-statistics.module.js function* numbers (values, valueof) { if (valueof == null) { for (let value of values) { if (value != null && value !== '' && (value = +value) >= value) { yield value; } } } else { let index = -1; for (let value of values) { value = valueof(value, ++index, values); if (value != null && value !== '' && (value = +value) >= value) { yield value; } } } } function quantiles (array, p, f) { const values = Float64Array.from(numbers(array, f)); // don't depend on return value from typed array sort call // protects against undefined sort results in Safari (vega/vega-lite#4964) values.sort(src_ascending/* default */.Z); return p.map(_ => quantileSorted(values, _)); } function quartiles (array, f) { return quantiles(array, [0.25, 0.50, 0.75], f); } // Scott, D. W. (1992) Multivariate Density Estimation: // Theory, Practice, and Visualization. Wiley. function estimateBandwidth (array, f) { const n = array.length, d = deviation(array, f), q = quartiles(array, f), h = (q[2] - q[0]) / 1.34, v = Math.min(d, h) || d || Math.abs(q[0]) || 1; return 1.06 * v * Math.pow(n, -0.2); } function vega_statistics_module_bin (_) { // determine range const maxb = _.maxbins || 20, base = _.base || 10, logb = Math.log(base), div = _.divide || [5, 2]; let min = _.extent[0], max = _.extent[1], step, level, minstep, v, i, n; const span = _.span || max - min || Math.abs(min) || 1; if (_.step) { // if step size is explicitly given, use that step = _.step; } else if (_.steps) { // if provided, limit choice to acceptable step sizes v = span / maxb; for (i = 0, n = _.steps.length; i < n && _.steps[i] < v; ++i); step = _.steps[Math.max(0, i - 1)]; } else { // else use span to determine step size level = Math.ceil(Math.log(maxb) / logb); minstep = _.minstep || 0; step = Math.max(minstep, Math.pow(base, Math.round(Math.log(span) / logb) - level)); // increase step size if too many bins while (Math.ceil(span / step) > maxb) { step *= base; } // decrease step size if allowed for (i = 0, n = div.length; i < n; ++i) { v = step / div[i]; if (v >= minstep && span / v <= maxb) step = v; } } // update precision, min and max v = Math.log(step); const precision = v >= 0 ? 0 : ~~(-v / logb) + 1, eps = Math.pow(base, -precision - 1); if (_.nice || _.nice === undefined) { v = Math.floor(min / step + eps) * step; min = min < v ? v - step : v; max = Math.ceil(max / step) * step; } return { start: min, stop: max === min ? min + step : max, step: step }; } var random = Math.random; function setRandom(r) { random = r; } function bootstrapCI (array, samples, alpha, f) { if (!array.length) return [undefined, undefined]; const values = Float64Array.from(numbers(array, f)), n = values.length, m = samples; let a, i, j, mu; for (j = 0, mu = Array(m); j < m; ++j) { for (a = 0, i = 0; i < n; ++i) { a += values[~~(random() * n)]; } mu[j] = a / n; } mu.sort(src_ascending/* default */.Z); return [quantile(mu, alpha / 2), quantile(mu, 1 - alpha / 2)]; } // Dot density binning for dot plot construction. // Based on Leland Wilkinson, Dot Plots, The American Statistician, 1999. // https://www.cs.uic.edu/~wilkinson/Publications/dotplots.pdf function dotbin (array, step, smooth, f) { f = f || (_ => _); const n = array.length, v = new Float64Array(n); let i = 0, j = 1, a = f(array[0]), b = a, w = a + step, x; for (; j < n; ++j) { x = f(array[j]); if (x >= w) { b = (a + b) / 2; for (; i < j; ++i) v[i] = b; w = x + step; a = x; } b = x; } b = (a + b) / 2; for (; i < j; ++i) v[i] = b; return smooth ? smoothing(v, step + step / 4) : v; } // perform smoothing to reduce variance // swap points between "adjacent" stacks // Wilkinson defines adjacent as within step/4 units function smoothing(v, thresh) { const n = v.length; let a = 0, b = 1, c, d; // get left stack while (v[a] === v[b]) ++b; while (b < n) { // get right stack c = b + 1; while (v[b] === v[c]) ++c; // are stacks adjacent? // if so, compare sizes and swap as needed if (v[b] - v[b - 1] < thresh) { d = b + (a + c - b - b >> 1); while (d < b) v[d++] = v[b]; while (d > b) v[d--] = v[a]; } // update left stack indices a = b; b = c; } return v; } function vega_statistics_module_lcg (seed) { // Random numbers using a Linear Congruential Generator with seed value // Uses glibc values from https://en.wikipedia.org/wiki/Linear_congruential_generator return function () { seed = (1103515245 * seed + 12345) % 2147483647; return seed / 2147483647; }; } function integer (min, max) { if (max == null) { max = min; min = 0; } let a, b, d; const dist = { min(_) { if (arguments.length) { a = _ || 0; d = b - a; return dist; } else { return a; } }, max(_) { if (arguments.length) { b = _ || 0; d = b - a; return dist; } else { return b; } }, sample() { return a + Math.floor(d * random()); }, pdf(x) { return x === Math.floor(x) && x >= a && x < b ? 1 / d : 0; }, cdf(x) { const v = Math.floor(x); return v < a ? 0 : v >= b ? 1 : (v - a + 1) / d; }, icdf(p) { return p >= 0 && p <= 1 ? a - 1 + Math.floor(p * d) : NaN; } }; return dist.min(min).max(max); } const SQRT2PI = Math.sqrt(2 * Math.PI); const SQRT2 = Math.SQRT2; let nextSample = NaN; function sampleNormal(mean, stdev) { mean = mean || 0; stdev = stdev == null ? 1 : stdev; let x = 0, y = 0, rds, c; if (nextSample === nextSample) { x = nextSample; nextSample = NaN; } else { do { x = random() * 2 - 1; y = random() * 2 - 1; rds = x * x + y * y; } while (rds === 0 || rds > 1); c = Math.sqrt(-2 * Math.log(rds) / rds); // Box-Muller transform x *= c; nextSample = y * c; } return mean + x * stdev; } function densityNormal(value, mean, stdev) { stdev = stdev == null ? 1 : stdev; const z = (value - (mean || 0)) / stdev; return Math.exp(-0.5 * z * z) / (stdev * SQRT2PI); } // Approximation from West (2009) // Better Approximations to Cumulative Normal Functions function cumulativeNormal(value, mean, stdev) { mean = mean || 0; stdev = stdev == null ? 1 : stdev; const z = (value - mean) / stdev, Z = Math.abs(z); let cd; if (Z > 37) { cd = 0; } else { const exp = Math.exp(-Z * Z / 2); let sum; if (Z < 7.07106781186547) { sum = 3.52624965998911e-02 * Z + 0.700383064443688; sum = sum * Z + 6.37396220353165; sum = sum * Z + 33.912866078383; sum = sum * Z + 112.079291497871; sum = sum * Z + 221.213596169931; sum = sum * Z + 220.206867912376; cd = exp * sum; sum = 8.83883476483184e-02 * Z + 1.75566716318264; sum = sum * Z + 16.064177579207; sum = sum * Z + 86.7807322029461; sum = sum * Z + 296.564248779674; sum = sum * Z + 637.333633378831; sum = sum * Z + 793.826512519948; sum = sum * Z + 440.413735824752; cd = cd / sum; } else { sum = Z + 0.65; sum = Z + 4 / sum; sum = Z + 3 / sum; sum = Z + 2 / sum; sum = Z + 1 / sum; cd = exp / sum / 2.506628274631; } } return z > 0 ? 1 - cd : cd; } // Approximation of Probit function using inverse error function. function quantileNormal(p, mean, stdev) { if (p < 0 || p > 1) return NaN; return (mean || 0) + (stdev == null ? 1 : stdev) * SQRT2 * erfinv(2 * p - 1); } // Approximate inverse error function. Implementation from "Approximating // the erfinv function" by Mike Giles, GPU Computing Gems, volume 2, 2010. // Ported from Apache Commons Math, http://www.apache.org/licenses/LICENSE-2.0 function erfinv(x) { // beware that the logarithm argument must be // commputed as (1.0 - x) * (1.0 + x), // it must NOT be simplified as 1.0 - x * x as this // would induce rounding errors near the boundaries +/-1 let w = -Math.log((1 - x) * (1 + x)), p; if (w < 6.25) { w -= 3.125; p = -3.6444120640178196996e-21; p = -1.685059138182016589e-19 + p * w; p = 1.2858480715256400167e-18 + p * w; p = 1.115787767802518096e-17 + p * w; p = -1.333171662854620906e-16 + p * w; p = 2.0972767875968561637e-17 + p * w; p = 6.6376381343583238325e-15 + p * w; p = -4.0545662729752068639e-14 + p * w; p = -8.1519341976054721522e-14 + p * w; p = 2.6335093153082322977e-12 + p * w; p = -1.2975133253453532498e-11 + p * w; p = -5.4154120542946279317e-11 + p * w; p = 1.051212273321532285e-09 + p * w; p = -4.1126339803469836976e-09 + p * w; p = -2.9070369957882005086e-08 + p * w; p = 4.2347877827932403518e-07 + p * w; p = -1.3654692000834678645e-06 + p * w; p = -1.3882523362786468719e-05 + p * w; p = 0.0001867342080340571352 + p * w; p = -0.00074070253416626697512 + p * w; p = -0.0060336708714301490533 + p * w; p = 0.24015818242558961693 + p * w; p = 1.6536545626831027356 + p * w; } else if (w < 16.0) { w = Math.sqrt(w) - 3.25; p = 2.2137376921775787049e-09; p = 9.0756561938885390979e-08 + p * w; p = -2.7517406297064545428e-07 + p * w; p = 1.8239629214389227755e-08 + p * w; p = 1.5027403968909827627e-06 + p * w; p = -4.013867526981545969e-06 + p * w; p = 2.9234449089955446044e-06 + p * w; p = 1.2475304481671778723e-05 + p * w; p = -4.7318229009055733981e-05 + p * w; p = 6.8284851459573175448e-05 + p * w; p = 2.4031110387097893999e-05 + p * w; p = -0.0003550375203628474796 + p * w; p = 0.00095328937973738049703 + p * w; p = -0.0016882755560235047313 + p * w; p = 0.0024914420961078508066 + p * w; p = -0.0037512085075692412107 + p * w; p = 0.005370914553590063617 + p * w; p = 1.0052589676941592334 + p * w; p = 3.0838856104922207635 + p * w; } else if (Number.isFinite(w)) { w = Math.sqrt(w) - 5.0; p = -2.7109920616438573243e-11; p = -2.5556418169965252055e-10 + p * w; p = 1.5076572693500548083e-09 + p * w; p = -3.7894654401267369937e-09 + p * w; p = 7.6157012080783393804e-09 + p * w; p = -1.4960026627149240478e-08 + p * w; p = 2.9147953450901080826e-08 + p * w; p = -6.7711997758452339498e-08 + p * w; p = 2.2900482228026654717e-07 + p * w; p = -9.9298272942317002539e-07 + p * w; p = 4.5260625972231537039e-06 + p * w; p = -1.9681778105531670567e-05 + p * w; p = 7.5995277030017761139e-05 + p * w; p = -0.00021503011930044477347 + p * w; p = -0.00013871931833623122026 + p * w; p = 1.0103004648645343977 + p * w; p = 4.8499064014085844221 + p * w; } else { p = Infinity; } return p * x; } function gaussian (mean, stdev) { let mu, sigma; const dist = { mean(_) { if (arguments.length) { mu = _ || 0; return dist; } else { return mu; } }, stdev(_) { if (arguments.length) { sigma = _ == null ? 1 : _; return dist; } else { return sigma; } }, sample: () => sampleNormal(mu, sigma), pdf: value => densityNormal(value, mu, sigma), cdf: value => cumulativeNormal(value, mu, sigma), icdf: p => quantileNormal(p, mu, sigma) }; return dist.mean(mean).stdev(stdev); } function kde (support, bandwidth) { const kernel = gaussian(); let n = 0; const dist = { data(_) { if (arguments.length) { support = _; n = _ ? _.length : 0; return dist.bandwidth(bandwidth); } else { return support; } }, bandwidth(_) { if (!arguments.length) return bandwidth; bandwidth = _; if (!bandwidth && support) bandwidth = estimateBandwidth(support); return dist; }, sample() { return support[~~(random() * n)] + bandwidth * kernel.sample(); }, pdf(x) { let y = 0, i = 0; for (; i < n; ++i) { y += kernel.pdf((x - support[i]) / bandwidth); } return y / bandwidth / n; }, cdf(x) { let y = 0, i = 0; for (; i < n; ++i) { y += kernel.cdf((x - support[i]) / bandwidth); } return y / n; }, icdf() { throw Error('KDE icdf not supported.'); } }; return dist.data(support); } function sampleLogNormal(mean, stdev) { mean = mean || 0; stdev = stdev == null ? 1 : stdev; return Math.exp(mean + sampleNormal() * stdev); } function densityLogNormal(value, mean, stdev) { if (value <= 0) return 0; mean = mean || 0; stdev = stdev == null ? 1 : stdev; const z = (Math.log(value) - mean) / stdev; return Math.exp(-0.5 * z * z) / (stdev * SQRT2PI * value); } function cumulativeLogNormal(value, mean, stdev) { return cumulativeNormal(Math.log(value), mean, stdev); } function quantileLogNormal(p, mean, stdev) { return Math.exp(quantileNormal(p, mean, stdev)); } function lognormal (mean, stdev) { let mu, sigma; const dist = { mean(_) { if (arguments.length) { mu = _ || 0; return dist; } else { return mu; } }, stdev(_) { if (arguments.length) { sigma = _ == null ? 1 : _; return dist; } else { return sigma; } }, sample: () => sampleLogNormal(mu, sigma), pdf: value => densityLogNormal(value, mu, sigma), cdf: value => cumulativeLogNormal(value, mu, sigma), icdf: p => quantileLogNormal(p, mu, sigma) }; return dist.mean(mean).stdev(stdev); } function mixture (dists, weights) { let m = 0, w; function normalize(x) { const w = []; let sum = 0, i; for (i = 0; i < m; ++i) { sum += w[i] = x[i] == null ? 1 : +x[i]; } for (i = 0; i < m; ++i) { w[i] /= sum; } return w; } const dist = { weights(_) { if (arguments.length) { w = normalize(weights = _ || []); return dist; } return weights; }, distributions(_) { if (arguments.length) { if (_) { m = _.length; dists = _; } else { m = 0; dists = []; } return dist.weights(weights); } return dists; }, sample() { const r = random(); let d = dists[m - 1], v = w[0], i = 0; // first select distribution for (; i < m - 1; v += w[++i]) { if (r < v) { d = dists[i]; break; } } // then sample from it return d.sample(); }, pdf(x) { let p = 0, i = 0; for (; i < m; ++i) { p += w[i] * dists[i].pdf(x); } return p; }, cdf(x) { let p = 0, i = 0; for (; i < m; ++i) { p += w[i] * dists[i].cdf(x); } return p; }, icdf() { throw Error('Mixture icdf not supported.'); } }; return dist.distributions(dists).weights(weights); } function sampleUniform(min, max) { if (max == null) { max = min == null ? 1 : min; min = 0; } return min + (max - min) * random(); } function densityUniform(value, min, max) { if (max == null) { max = min == null ? 1 : min; min = 0; } return value >= min && value <= max ? 1 / (max - min) : 0; } function cumulativeUniform(value, min, max) { if (max == null) { max = min == null ? 1 : min; min = 0; } return value < min ? 0 : value > max ? 1 : (value - min) / (max - min); } function quantileUniform(p, min, max) { if (max == null) { max = min == null ? 1 : min; min = 0; } return p >= 0 && p <= 1 ? min + p * (max - min) : NaN; } function uniform (min, max) { let a, b; const dist = { min(_) { if (arguments.length) { a = _ || 0; return dist; } else { return a; } }, max(_) { if (arguments.length) { b = _ == null ? 1 : _; return dist; } else { return b; } }, sample: () => sampleUniform(a, b), pdf: value => densityUniform(value, a, b), cdf: value => cumulativeUniform(value, a, b), icdf: p => quantileUniform(p, a, b) }; if (max == null) { max = min == null ? 1 : min; min = 0; } return dist.min(min).max(max); } function vega_statistics_module_constant (data, x, y) { let mean = 0, n = 0; for (const d of data) { const val = y(d); if (x(d) == null || val == null || isNaN(val)) continue; mean += (val - mean) / ++n; } return { coef: [mean], predict: () => mean, rSquared: 0 }; } // Ordinary Least Squares function ols (uX, uY, uXY, uX2) { const delta = uX2 - uX * uX, slope = Math.abs(delta) < 1e-24 ? 0 : (uXY - uX * uY) / delta, intercept = uY - slope * uX; return [intercept, slope]; } function points(data, x, y, sort) { data = data.filter(d => { let u = x(d), v = y(d); return u != null && (u = +u) >= u && v != null && (v = +v) >= v; }); if (sort) { data.sort((a, b) => x(a) - x(b)); } const n = data.length, X = new Float64Array(n), Y = new Float64Array(n); // extract values, calculate means let i = 0, ux = 0, uy = 0, xv, yv, d; for (d of data) { X[i] = xv = +x(d); Y[i] = yv = +y(d); ++i; ux += (xv - ux) / i; uy += (yv - uy) / i; } // mean center the data for (i = 0; i < n; ++i) { X[i] -= ux; Y[i] -= uy; } return [X, Y, ux, uy]; } function visitPoints(data, x, y, callback) { let i = -1, u, v; for (const d of data) { u = x(d); v = y(d); if (u != null && (u = +u) >= u && v != null && (v = +v) >= v) { callback(u, v, ++i); } } } // Adapted from d3-regression by Harry Stevens // License: https://github.com/HarryStevens/d3-regression/blob/master/LICENSE function rSquared (data, x, y, uY, predict) { let SSE = 0, SST = 0; visitPoints(data, x, y, (dx, dy) => { const sse = dy - predict(dx), sst = dy - uY; SSE += sse * sse; SST += sst * sst; }); return 1 - SSE / SST; } // Adapted from d3-regression by Harry Stevens // License: https://github.com/HarryStevens/d3-regression/blob/master/LICENSE function linear (data, x, y) { let X = 0, Y = 0, XY = 0, X2 = 0, n = 0; visitPoints(data, x, y, (dx, dy) => { ++n; X += (dx - X) / n; Y += (dy - Y) / n; XY += (dx * dy - XY) / n; X2 += (dx * dx - X2) / n; }); const coef = ols(X, Y, XY, X2), predict = x => coef[0] + coef[1] * x; return { coef: coef, predict: predict, rSquared: rSquared(data, x, y, Y, predict) }; } // Adapted from d3-regression by Harry Stevens // License: https://github.com/HarryStevens/d3-regression/blob/master/LICENSE function vega_statistics_module_log (data, x, y) { let X = 0, Y = 0, XY = 0, X2 = 0, n = 0; visitPoints(data, x, y, (dx, dy) => { ++n; dx = Math.log(dx); X += (dx - X) / n; Y += (dy - Y) / n; XY += (dx * dy - XY) / n; X2 += (dx * dx - X2) / n; }); const coef = ols(X, Y, XY, X2), predict = x => coef[0] + coef[1] * Math.log(x); return { coef: coef, predict: predict, rSquared: rSquared(data, x, y, Y, predict) }; } function vega_statistics_module_exp (data, x, y) { // eslint-disable-next-line no-unused-vars const [xv, yv, ux, uy] = points(data, x, y); let YL = 0, XY = 0, XYL = 0, X2Y = 0, n = 0, dx, ly, xy; visitPoints(data, x, y, (_, dy) => { dx = xv[n++]; ly = Math.log(dy); xy = dx * dy; YL += (dy * ly - YL) / n; XY += (xy - XY) / n; XYL += (xy * ly - XYL) / n; X2Y += (dx * xy - X2Y) / n; }); const [c0, c1] = ols(XY / uy, YL / uy, XYL / uy, X2Y / uy), predict = x => Math.exp(c0 + c1 * (x - ux)); return { coef: [Math.exp(c0 - c1 * ux), c1], predict: predict, rSquared: rSquared(data, x, y, uy, predict) }; } // Adapted from d3-regression by Harry Stevens // License: https://github.com/HarryStevens/d3-regression/blob/master/LICENSE function vega_statistics_module_pow (data, x, y) { let X = 0, Y = 0, XY = 0, X2 = 0, YS = 0, n = 0; visitPoints(data, x, y, (dx, dy) => { const lx = Math.log(dx), ly = Math.log(dy); ++n; X += (lx - X) / n; Y += (ly - Y) / n; XY += (lx * ly - XY) / n; X2 += (lx * lx - X2) / n; YS += (dy - YS) / n; }); const coef = ols(X, Y, XY, X2), predict = x => coef[0] * Math.pow(x, coef[1]); coef[0] = Math.exp(coef[0]); return { coef: coef, predict: predict, rSquared: rSquared(data, x, y, YS, predict) }; } function quad (data, x, y) { const [xv, yv, ux, uy] = points(data, x, y), n = xv.length; let X2 = 0, X3 = 0, X4 = 0, XY = 0, X2Y = 0, i, dx, dy, x2; for (i = 0; i < n;) { dx = xv[i]; dy = yv[i++]; x2 = dx * dx; X2 += (x2 - X2) / i; X3 += (x2 * dx - X3) / i; X4 += (x2 * x2 - X4) / i; XY += (dx * dy - XY) / i; X2Y += (x2 * dy - X2Y) / i; } const X2X2 = X4 - X2 * X2, d = X2 * X2X2 - X3 * X3, a = (X2Y * X2 - XY * X3) / d, b = (XY * X2X2 - X2Y * X3) / d, c = -a * X2, predict = x => { x = x - ux; return a * x * x + b * x + c + uy; }; // transform coefficients back from mean-centered space return { coef: [c - b * ux + a * ux * ux + uy, b - 2 * a * ux, a], predict: predict, rSquared: rSquared(data, x, y, uy, predict) }; } // Adapted from d3-regression by Harry Stevens // License: https://github.com/HarryStevens/d3-regression/blob/master/LICENSE // ... which was adapted from regression-js by Tom Alexander // Source: https://github.com/Tom-Alexander/regression-js/blob/master/src/regression.js#L246 // License: https://github.com/Tom-Alexander/regression-js/blob/master/LICENSE function poly (data, x, y, order) { // use more efficient methods for lower orders if (order === 0) return vega_statistics_module_constant(data, x, y); if (order === 1) return linear(data, x, y); if (order === 2) return quad(data, x, y); const [xv, yv, ux, uy] = points(data, x, y), n = xv.length, lhs = [], rhs = [], k = order + 1; let i, j, l, v, c; for (i = 0; i < k; ++i) { for (l = 0, v = 0; l < n; ++l) { v += Math.pow(xv[l], i) * yv[l]; } lhs.push(v); c = new Float64Array(k); for (j = 0; j < k; ++j) { for (l = 0, v = 0; l < n; ++l) { v += Math.pow(xv[l], i + j); } c[j] = v; } rhs.push(c); } rhs.push(lhs); const coef = gaussianElimination(rhs), predict = x => { x -= ux; let y = uy + coef[0] + coef[1] * x + coef[2] * x * x; for (i = 3; i < k; ++i) y += coef[i] * Math.pow(x, i); return y; }; return { coef: uncenter(k, coef, -ux, uy), predict: predict, rSquared: rSquared(data, x, y, uy, predict) }; } function uncenter(k, a, x, y) { const z = Array(k); let i, j, v, c; // initialize to zero for (i = 0; i < k; ++i) z[i] = 0; // polynomial expansion for (i = k - 1; i >= 0; --i) { v = a[i]; c = 1; z[i] += v; for (j = 1; j <= i; ++j) { c *= (i + 1 - j) / j; // binomial coefficent z[i - j] += v * Math.pow(x, j) * c; } } // bias term z[0] += y; return z; } // Given an array for a two-dimensional matrix and the polynomial order, // solve A * x = b using Gaussian elimination. function gaussianElimination(matrix) { const n = matrix.length - 1, coef = []; let i, j, k, r, t; for (i = 0; i < n; ++i) { r = i; // max row for (j = i + 1; j < n; ++j) { if (Math.abs(matrix[i][j]) > Math.abs(matrix[i][r])) { r = j; } } for (k = i; k < n + 1; ++k) { t = matrix[k][i]; matrix[k][i] = matrix[k][r]; matrix[k][r] = t; } for (j = i + 1; j < n; ++j) { for (k = n; k >= i; k--) { matrix[k][j] -= matrix[k][i] * matrix[i][j] / matrix[i][i]; } } } for (j = n - 1; j >= 0; --j) { t = 0; for (k = j + 1; k < n; ++k) { t += matrix[k][j] * coef[k]; } coef[j] = (matrix[n][j] - t) / matrix[j][j]; } return coef; } const maxiters = 2, epsilon = 1e-12; // Adapted from science.js by Jason Davies // Source: https://github.com/jasondavies/science.js/blob/master/src/stats/loess.js // License: https://github.com/jasondavies/science.js/blob/master/LICENSE function loess (data, x, y, bandwidth) { const [xv, yv, ux, uy] = points(data, x, y, true), n = xv.length, bw = Math.max(2, ~~(bandwidth * n)), // # nearest neighbors yhat = new Float64Array(n), residuals = new Float64Array(n), robustWeights = new Float64Array(n).fill(1); for (let iter = -1; ++iter <= maxiters;) { const interval = [0, bw - 1]; for (let i = 0; i < n; ++i) { const dx = xv[i], i0 = interval[0], i1 = interval[1], edge = dx - xv[i0] > xv[i1] - dx ? i0 : i1; let W = 0, X = 0, Y = 0, XY = 0, X2 = 0; const denom = 1 / Math.abs(xv[edge] - dx || 1); // avoid singularity! for (let k = i0; k <= i1; ++k) { const xk = xv[k], yk = yv[k], w = tricube(Math.abs(dx - xk) * denom) * robustWeights[k], xkw = xk * w; W += w; X += xkw; Y += yk * w; XY += yk * xkw; X2 += xk * xkw; } // linear regression fit const [a, b] = ols(X / W, Y / W, XY / W, X2 / W); yhat[i] = a + b * dx; residuals[i] = Math.abs(yv[i] - yhat[i]); updateInterval(xv, i + 1, interval); } if (iter === maxiters) { break; } const medianResidual = median(residuals); if (Math.abs(medianResidual) < epsilon) break; for (let i = 0, arg, w; i < n; ++i) { arg = residuals[i] / (6 * medianResidual); // default to epsilon (rather than zero) for large deviations // keeping weights tiny but non-zero prevents singularites robustWeights[i] = arg >= 1 ? epsilon : (w = 1 - arg * arg) * w; } } return output(xv, yhat, ux, uy); } // weighting kernel for local regression function tricube(x) { return (x = 1 - x * x * x) * x * x; } // advance sliding window interval of nearest neighbors function updateInterval(xv, i, interval) { const val = xv[i]; let left = interval[0], right = interval[1] + 1; if (right >= xv.length) return; // step right if distance to new right edge is <= distance to old left edge // step when distance is equal to ensure movement over duplicate x values while (i > left && xv[right] - val <= val - xv[left]) { interval[0] = ++left; interval[1] = right; ++right; } } // generate smoothed output points // average points with repeated x values function output(xv, yhat, ux, uy) { const n = xv.length, out = []; let i = 0, cnt = 0, prev = [], v; for (; i < n; ++i) { v = xv[i] + ux; if (prev[0] === v) { // average output values via online update prev[1] += (yhat[i] - prev[1]) / ++cnt; } else { // add new output point cnt = 0; prev[1] += uy; prev = [v, yhat[i]]; out.push(prev); } } prev[1] += uy; return out; } // subdivide up to accuracy of 0.5 degrees const MIN_RADIANS = 0.5 * Math.PI / 180; // Adaptively sample an interpolated function over a domain extent function sampleCurve (f, extent, minSteps, maxSteps) { minSteps = minSteps || 25; maxSteps = Math.max(minSteps, maxSteps || 200); const point = x => [x, f(x)], minX = extent[0], maxX = extent[1], span = maxX - minX, stop = span / maxSteps, prev = [point(minX)], next = []; if (minSteps === maxSteps) { // no adaptation, sample uniform grid directly and return for (let i = 1; i < maxSteps; ++i) { prev.push(point(minX + i / minSteps * span)); } prev.push(point(maxX)); return prev; } else { // sample minimum points on uniform grid // then move on to perform adaptive refinement next.push(point(maxX)); for (let i = minSteps; --i > 0;) { next.push(point(minX + i / minSteps * span)); } } let p0 = prev[0]; let p1 = next[next.length - 1]; const sx = 1 / span; const sy = scaleY(p0[1], next); while (p1) { // midpoint for potential curve subdivision const pm = point((p0[0] + p1[0]) / 2); const dx = pm[0] - p0[0] >= stop; if (dx && angleDelta(p0, pm, p1, sx, sy) > MIN_RADIANS) { // maximum resolution has not yet been met, and // subdivision midpoint is sufficiently different from endpoint // save subdivision, push midpoint onto the visitation stack next.push(pm); } else { // subdivision midpoint sufficiently similar to endpoint // skip subdivision, store endpoint, move to next point on the stack p0 = p1; prev.push(p1); next.pop(); } p1 = next[next.length - 1]; } return prev; } function scaleY(init, points) { let ymin = init; let ymax = init; const n = points.length; for (let i = 0; i < n; ++i) { const y = points[i][1]; if (y < ymin) ymin = y; if (y > ymax) ymax = y; } return 1 / (ymax - ymin); } function angleDelta(p, q, r, sx, sy) { const a0 = Math.atan2(sy * (r[1] - p[1]), sx * (r[0] - p[0])), a1 = Math.atan2(sy * (q[1] - p[1]), sx * (q[0] - p[0])); return Math.abs(a0 - a1); } ;// CONCATENATED MODULE: ../node_modules/d3-array/src/mean.js function mean(values, valueof) { let count = 0; let sum = 0; if (valueof === undefined) { for (let value of values) { if (value != null && (value = +value) >= value) { ++count, sum += value; } } } else { let index = -1; for (let value of values) { if ((value = valueof(value, ++index, values)) != null && (value = +value) >= value) { ++count, sum += value; } } } if (count) return sum / count; } // EXTERNAL MODULE: ../node_modules/d3-array/src/range.js var range = __webpack_require__(53353); ;// CONCATENATED MODULE: ../node_modules/vega-transforms/build/vega-transforms.module.js function multikey(f) { return x => { const n = f.length; let i = 1, k = String(f[0](x)); for (; i < n; ++i) { k += '|' + f[i](x); } return k; }; } function groupkey(fields) { return !fields || !fields.length ? function () { return ''; } : fields.length === 1 ? fields[0] : multikey(fields); } function measureName(op, field, as) { return as || op + (!field ? '' : '_' + field); } const noop = () => {}; const base_op = { init: noop, add: noop, rem: noop, idx: 0 }; const AggregateOps = { values: { init: m => m.cell.store = true, value: m => m.cell.data.values(), idx: -1 }, count: { value: m => m.cell.num }, __count__: { value: m => m.missing + m.valid }, missing: { value: m => m.missing }, valid: { value: m => m.valid }, sum: { init: m => m.sum = 0, value: m => m.valid ? m.sum : undefined, add: (m, v) => m.sum += +v, rem: (m, v) => m.sum -= v }, product: { init: m => m.product = 1, value: m => m.valid ? m.product : undefined, add: (m, v) => m.product *= v, rem: (m, v) => m.product /= v }, mean: { init: m => m.mean = 0, value: m => m.valid ? m.mean : undefined, add: (m, v) => (m.mean_d = v - m.mean, m.mean += m.mean_d / m.valid), rem: (m, v) => (m.mean_d = v - m.mean, m.mean -= m.valid ? m.mean_d / m.valid : m.mean) }, average: { value: m => m.valid ? m.mean : undefined, req: ['mean'], idx: 1 }, variance: { init: m => m.dev = 0, value: m => m.valid > 1 ? m.dev / (m.valid - 1) : undefined, add: (m, v) => m.dev += m.mean_d * (v - m.mean), rem: (m, v) => m.dev -= m.mean_d * (v - m.mean), req: ['mean'], idx: 1 }, variancep: { value: m => m.valid > 1 ? m.dev / m.valid : undefined, req: ['variance'], idx: 2 }, stdev: { value: m => m.valid > 1 ? Math.sqrt(m.dev / (m.valid - 1)) : undefined, req: ['variance'], idx: 2 }, stdevp: { value: m => m.valid > 1 ? Math.sqrt(m.dev / m.valid) : undefined, req: ['variance'], idx: 2 }, stderr: { value: m => m.valid > 1 ? Math.sqrt(m.dev / (m.valid * (m.valid - 1))) : undefined, req: ['variance'], idx: 2 }, distinct: { value: m => m.cell.data.distinct(m.get), req: ['values'], idx: 3 }, ci0: { value: m => m.cell.data.ci0(m.get), req: ['values'], idx: 3 }, ci1: { value: m => m.cell.data.ci1(m.get), req: ['values'], idx: 3 }, median: { value: m => m.cell.data.q2(m.get), req: ['values'], idx: 3 }, q1: { value: m => m.cell.data.q1(m.get), req: ['values'], idx: 3 }, q3: { value: m => m.cell.data.q3(m.get), req: ['values'], idx: 3 }, min: { init: m => m.min = undefined, value: m => m.min = Number.isNaN(m.min) ? m.cell.data.min(m.get) : m.min, add: (m, v) => { if (v < m.min || m.min === undefined) m.min = v; }, rem: (m, v) => { if (v <= m.min) m.min = NaN; }, req: ['values'], idx: 4 }, max: { init: m => m.max = undefined, value: m => m.max = Number.isNaN(m.max) ? m.cell.data.max(m.get) : m.max, add: (m, v) => { if (v > m.max || m.max === undefined) m.max = v; }, rem: (m, v) => { if (v >= m.max) m.max = NaN; }, req: ['values'], idx: 4 }, argmin: { init: m => m.argmin = undefined, value: m => m.argmin || m.cell.data.argmin(m.get), add: (m, v, t) => { if (v < m.min) m.argmin = t; }, rem: (m, v) => { if (v <= m.min) m.argmin = undefined; }, req: ['min', 'values'], idx: 3 }, argmax: { init: m => m.argmax = undefined, value: m => m.argmax || m.cell.data.argmax(m.get), add: (m, v, t) => { if (v > m.max) m.argmax = t; }, rem: (m, v) => { if (v >= m.max) m.argmax = undefined; }, req: ['max', 'values'], idx: 3 }, exponential: { init: (m, r) => { m.exp = 0; m.exp_r = r; }, value: m => m.valid ? m.exp * (1 - m.exp_r) / (1 - m.exp_r ** m.valid) : undefined, add: (m, v) => m.exp = m.exp_r * m.exp + v, rem: (m, v) => m.exp = (m.exp - v / m.exp_r ** (m.valid - 1)) / m.exp_r }, exponentialb: { value: m => m.valid ? m.exp * (1 - m.exp_r) : undefined, req: ['exponential'], idx: 1 } }; const ValidAggregateOps = Object.keys(AggregateOps).filter(d => d !== '__count__'); function measure(key, value) { return (out, aggregate_param) => extend({ name: key, aggregate_param: aggregate_param, out: out || key }, base_op, value); } [...ValidAggregateOps, '__count__'].forEach(key => { AggregateOps[key] = measure(key, AggregateOps[key]); }); function createMeasure(op, param, name) { return AggregateOps[op](name, param); } function compareIndex(a, b) { return a.idx - b.idx; } function resolve(agg) { const map = {}; agg.forEach(a => map[a.name] = a); const getreqs = a => { if (!a.req) return; a.req.forEach(key => { if (!map[key]) getreqs(map[key] = AggregateOps[key]()); }); }; agg.forEach(getreqs); return Object.values(map).sort(compareIndex); } function init() { this.valid = 0; this.missing = 0; this._ops.forEach(op => op.aggregate_param == null ? op.init(this) : op.init(this, op.aggregate_param)); } function vega_transforms_module_add(v, t) { if (v == null || v === '') { ++this.missing; return; } if (v !== v) return; ++this.valid; this._ops.forEach(op => op.add(this, v, t)); } function rem(v, t) { if (v == null || v === '') { --this.missing; return; } if (v !== v) return; --this.valid; this._ops.forEach(op => op.rem(this, v, t)); } function set(t) { this._out.forEach(op => t[op.out] = op.value(this)); return t; } function compileMeasures(agg, field) { const get = field || identity, ops = resolve(agg), out = agg.slice().sort(compareIndex); function ctr(cell) { this._ops = ops; this._out = out; this.cell = cell; this.init(); } ctr.prototype.init = init; ctr.prototype.add = vega_transforms_module_add; ctr.prototype.rem = rem; ctr.prototype.set = set; ctr.prototype.get = get; ctr.fields = agg.map(op => op.out); return ctr; } function TupleStore(key) { this._key = key ? field(key) : tupleid; this.reset(); } const prototype$1 = TupleStore.prototype; prototype$1.reset = function () { this._add = []; this._rem = []; this._ext = null; this._get = null; this._q = null; }; prototype$1.add = function (v) { this._add.push(v); }; prototype$1.rem = function (v) { this._rem.push(v); }; prototype$1.values = function () { this._get = null; if (this._rem.length === 0) return this._add; const a = this._add, r = this._rem, k = this._key, n = a.length, m = r.length, x = Array(n - m), map = {}; let i, j, v; // use unique key field to clear removed values for (i = 0; i < m; ++i) { map[k(r[i])] = 1; } for (i = 0, j = 0; i < n; ++i) { if (map[k(v = a[i])]) { map[k(v)] = 0; } else { x[j++] = v; } } this._rem = []; return this._add = x; }; // memoizing statistics methods prototype$1.distinct = function (get) { const v = this.values(), map = {}; let n = v.length, count = 0, s; while (--n >= 0) { s = get(v[n]) + ''; if (!has(map, s)) { map[s] = 1; ++count; } } return count; }; prototype$1.extent = function (get) { if (this._get !== get || !this._ext) { const v = this.values(), i = extentIndex(v, get); this._ext = [v[i[0]], v[i[1]]]; this._get = get; } return this._ext; }; prototype$1.argmin = function (get) { return this.extent(get)[0] || {}; }; prototype$1.argmax = function (get) { return this.extent(get)[1] || {}; }; prototype$1.min = function (get) { const m = this.extent(get)[0]; return m != null ? get(m) : undefined; }; prototype$1.max = function (get) { const m = this.extent(get)[1]; return m != null ? get(m) : undefined; }; prototype$1.quartile = function (get) { if (this._get !== get || !this._q) { this._q = quartiles(this.values(), get); this._get = get; } return this._q; }; prototype$1.q1 = function (get) { return this.quartile(get)[0]; }; prototype$1.q2 = function (get) { return this.quartile(get)[1]; }; prototype$1.q3 = function (get) { return this.quartile(get)[2]; }; prototype$1.ci = function (get) { if (this._get !== get || !this._ci) { this._ci = bootstrapCI(this.values(), 1000, 0.05, get); this._get = get; } return this._ci; }; prototype$1.ci0 = function (get) { return this.ci(get)[0]; }; prototype$1.ci1 = function (get) { return this.ci(get)[1]; }; /** * Group-by aggregation operator. * @constructor * @param {object} params - The parameters for this operator. * @param {Array} [params.groupby] - An array of accessors to groupby. * @param {Array} [params.fields] - An array of accessors to aggregate. * @param {Array} [params.ops] - An array of strings indicating aggregation operations. * @param {Array} [params.aggregate_params] - An optional array of parameters for aggregation operations. * @param {Array} [params.as] - An array of output field names for aggregated values. * @param {boolean} [params.cross=false] - A flag indicating that the full * cross-product of groupby values should be generated, including empty cells. * If true, the drop parameter is ignored and empty cells are retained. * @param {boolean} [params.drop=true] - A flag indicating if empty cells should be removed. */ function Aggregate(params) { Transform.call(this, null, params); this._adds = []; // array of added output tuples this._mods = []; // array of modified output tuples this._alen = 0; // number of active added tuples this._mlen = 0; // number of active modified tuples this._drop = true; // should empty aggregation cells be removed this._cross = false; // produce full cross-product of group-by values this._dims = []; // group-by dimension accessors this._dnames = []; // group-by dimension names this._measures = []; // collection of aggregation monoids this._countOnly = false; // flag indicating only count aggregation this._counts = null; // collection of count fields this._prev = null; // previous aggregation cells this._inputs = null; // array of dependent input tuple field names this._outputs = null; // array of output tuple field names } Aggregate.Definition = { 'type': 'Aggregate', 'metadata': { 'generates': true, 'changes': true }, 'params': [{ 'name': 'groupby', 'type': 'field', 'array': true }, { 'name': 'ops', 'type': 'enum', 'array': true, 'values': ValidAggregateOps }, { 'name': 'aggregate_params', 'type': 'number', 'null': true, 'array': true }, { 'name': 'fields', 'type': 'field', 'null': true, 'array': true }, { 'name': 'as', 'type': 'string', 'null': true, 'array': true }, { 'name': 'drop', 'type': 'boolean', 'default': true }, { 'name': 'cross', 'type': 'boolean', 'default': false }, { 'name': 'key', 'type': 'field' }] }; inherits(Aggregate, Transform, { transform(_, pulse) { const aggr = this, out = pulse.fork(pulse.NO_SOURCE | pulse.NO_FIELDS), mod = _.modified(); aggr.stamp = out.stamp; if (aggr.value && (mod || pulse.modified(aggr._inputs, true))) { aggr._prev = aggr.value; aggr.value = mod ? aggr.init(_) : Object.create(null); pulse.visit(pulse.SOURCE, t => aggr.add(t)); } else { aggr.value = aggr.value || aggr.init(_); pulse.visit(pulse.REM, t => aggr.rem(t)); pulse.visit(pulse.ADD, t => aggr.add(t)); } // Indicate output fields and return aggregate tuples. out.modifies(aggr._outputs); // Should empty cells be dropped? aggr._drop = _.drop !== false; // If domain cross-product requested, generate empty cells as needed // and ensure that empty cells are not dropped if (_.cross && aggr._dims.length > 1) { aggr._drop = false; aggr.cross(); } if (pulse.clean() && aggr._drop) { out.clean(true).runAfter(() => this.clean()); } return aggr.changes(out); }, cross() { const aggr = this, curr = aggr.value, dims = aggr._dnames, vals = dims.map(() => ({})), n = dims.length; // collect all group-by domain values function collect(cells) { let key, i, t, v; for (key in cells) { t = cells[key].tuple; for (i = 0; i < n; ++i) { vals[i][v = t[dims[i]]] = v; } } } collect(aggr._prev); collect(curr); // iterate over key cross-product, create cells as needed function generate(base, tuple, index) { const name = dims[index], v = vals[index++]; for (const k in v) { const key = base ? base + '|' + k : k; tuple[name] = v[k]; if (index < n) generate(key, tuple, index);else if (!curr[key]) aggr.cell(key, tuple); } } generate('', {}, 0); }, init(_) { // initialize input and output fields const inputs = this._inputs = [], outputs = this._outputs = [], inputMap = {}; function inputVisit(get) { const fields = array(accessorFields(get)), n = fields.length; let i = 0, f; for (; i < n; ++i) { if (!inputMap[f = fields[i]]) { inputMap[f] = 1; inputs.push(f); } } } // initialize group-by dimensions this._dims = array(_.groupby); this._dnames = this._dims.map(d => { const dname = accessorName(d); inputVisit(d); outputs.push(dname); return dname; }); this.cellkey = _.key ? _.key : groupkey(this._dims); // initialize aggregate measures this._countOnly = true; this._counts = []; this._measures = []; const fields = _.fields || [null], ops = _.ops || ['count'], aggregate_params = _.aggregate_params || [null], as = _.as || [], n = fields.length, map = {}; let field, op, aggregate_param, m, mname, outname, i; if (n !== ops.length) { vega_util_module_error('Unmatched number of fields and aggregate ops.'); } for (i = 0; i < n; ++i) { field = fields[i]; op = ops[i]; aggregate_param = aggregate_params[i] || null; if (field == null && op !== 'count') { vega_util_module_error('Null aggregate field specified.'); } mname = accessorName(field); outname = measureName(op, mname, as[i]); outputs.push(outname); if (op === 'count') { this._counts.push(outname); continue; } m = map[mname]; if (!m) { inputVisit(field); m = map[mname] = []; m.field = field; this._measures.push(m); } if (op !== 'count') this._countOnly = false; m.push(createMeasure(op, aggregate_param, outname)); } this._measures = this._measures.map(m => compileMeasures(m, m.field)); return Object.create(null); // aggregation cells (this.value) }, // -- Cell Management ----- cellkey: groupkey(), cell(key, t) { let cell = this.value[key]; if (!cell) { cell = this.value[key] = this.newcell(key, t); this._adds[this._alen++] = cell; } else if (cell.num === 0 && this._drop && cell.stamp < this.stamp) { cell.stamp = this.stamp; this._adds[this._alen++] = cell; } else if (cell.stamp < this.stamp) { cell.stamp = this.stamp; this._mods[this._mlen++] = cell; } return cell; }, newcell(key, t) { const cell = { key: key, num: 0, agg: null, tuple: this.newtuple(t, this._prev && this._prev[key]), stamp: this.stamp, store: false }; if (!this._countOnly) { const measures = this._measures, n = measures.length; cell.agg = Array(n); for (let i = 0; i < n; ++i) { cell.agg[i] = new measures[i](cell); } } if (cell.store) { cell.data = new TupleStore(); } return cell; }, newtuple(t, p) { const names = this._dnames, dims = this._dims, n = dims.length, x = {}; for (let i = 0; i < n; ++i) { x[names[i]] = dims[i](t); } return p ? replace(p.tuple, x) : ingest$1(x); }, clean() { const cells = this.value; for (const key in cells) { if (cells[key].num === 0) { delete cells[key]; } } }, // -- Process Tuples ----- add(t) { const key = this.cellkey(t), cell = this.cell(key, t); cell.num += 1; if (this._countOnly) return; if (cell.store) cell.data.add(t); const agg = cell.agg; for (let i = 0, n = agg.length; i < n; ++i) { agg[i].add(agg[i].get(t), t); } }, rem(t) { const key = this.cellkey(t), cell = this.cell(key, t); cell.num -= 1; if (this._countOnly) return; if (cell.store) cell.data.rem(t); const agg = cell.agg; for (let i = 0, n = agg.length; i < n; ++i) { agg[i].rem(agg[i].get(t), t); } }, celltuple(cell) { const tuple = cell.tuple, counts = this._counts; // consolidate stored values if (cell.store) { cell.data.values(); } // update tuple properties for (let i = 0, n = counts.length; i < n; ++i) { tuple[counts[i]] = cell.num; } if (!this._countOnly) { const agg = cell.agg; for (let i = 0, n = agg.length; i < n; ++i) { agg[i].set(tuple); } } return tuple; }, changes(out) { const adds = this._adds, mods = this._mods, prev = this._prev, drop = this._drop, add = out.add, rem = out.rem, mod = out.mod; let cell, key, i, n; if (prev) for (key in prev) { cell = prev[key]; if (!drop || cell.num) rem.push(cell.tuple); } for (i = 0, n = this._alen; i < n; ++i) { add.push(this.celltuple(adds[i])); adds[i] = null; // for garbage collection } for (i = 0, n = this._mlen; i < n; ++i) { cell = mods[i]; (cell.num === 0 && drop ? rem : mod).push(this.celltuple(cell)); mods[i] = null; // for garbage collection } this._alen = this._mlen = 0; // reset list of active cells this._prev = null; return out; } }); // epsilon bias to offset floating point error (#1737) const EPSILON$1 = 1e-14; /** * Generates a binning function for discretizing data. * @constructor * @param {object} params - The parameters for this operator. The * provided values should be valid options for the {@link bin} function. * @param {function(object): *} params.field - The data field to bin. */ function Bin(params) { Transform.call(this, null, params); } Bin.Definition = { 'type': 'Bin', 'metadata': { 'modifies': true }, 'params': [{ 'name': 'field', 'type': 'field', 'required': true }, { 'name': 'interval', 'type': 'boolean', 'default': true }, { 'name': 'anchor', 'type': 'number' }, { 'name': 'maxbins', 'type': 'number', 'default': 20 }, { 'name': 'base', 'type': 'number', 'default': 10 }, { 'name': 'divide', 'type': 'number', 'array': true, 'default': [5, 2] }, { 'name': 'extent', 'type': 'number', 'array': true, 'length': 2, 'required': true }, { 'name': 'span', 'type': 'number' }, { 'name': 'step', 'type': 'number' }, { 'name': 'steps', 'type': 'number', 'array': true }, { 'name': 'minstep', 'type': 'number', 'default': 0 }, { 'name': 'nice', 'type': 'boolean', 'default': true }, { 'name': 'name', 'type': 'string' }, { 'name': 'as', 'type': 'string', 'array': true, 'length': 2, 'default': ['bin0', 'bin1'] }] }; inherits(Bin, Transform, { transform(_, pulse) { const band = _.interval !== false, bins = this._bins(_), start = bins.start, step = bins.step, as = _.as || ['bin0', 'bin1'], b0 = as[0], b1 = as[1]; let flag; if (_.modified()) { pulse = pulse.reflow(true); flag = pulse.SOURCE; } else { flag = pulse.modified(accessorFields(_.field)) ? pulse.ADD_MOD : pulse.ADD; } pulse.visit(flag, band ? t => { const v = bins(t); // minimum bin value (inclusive) t[b0] = v; // maximum bin value (exclusive) // use convoluted math for better floating point agreement // see https://github.com/vega/vega/issues/830 // infinite values propagate through this formula! #2227 t[b1] = v == null ? null : start + step * (1 + (v - start) / step); } : t => t[b0] = bins(t)); return pulse.modifies(band ? as : b0); }, _bins(_) { if (this.value && !_.modified()) { return this.value; } const field = _.field, bins = vega_statistics_module_bin(_), step = bins.step; let start = bins.start, stop = start + Math.ceil((bins.stop - start) / step) * step, a, d; if ((a = _.anchor) != null) { d = a - (start + step * Math.floor((a - start) / step)); start += d; stop += d; } const f = function (t) { let v = toNumber(field(t)); return v == null ? null : v < start ? -Infinity : v > stop ? +Infinity : (v = Math.max(start, Math.min(v, stop - step)), start + step * Math.floor(EPSILON$1 + (v - start) / step)); }; f.start = start; f.stop = bins.stop; f.step = step; return this.value = accessor(f, accessorFields(field), _.name || 'bin_' + accessorName(field)); } }); function SortedList (idFunc, source, input) { const $ = idFunc; let data = source || [], add = input || [], rem = {}, cnt = 0; return { add: t => add.push(t), remove: t => rem[$(t)] = ++cnt, size: () => data.length, data: (compare, resort) => { if (cnt) { data = data.filter(t => !rem[$(t)]); rem = {}; cnt = 0; } if (resort && compare) { data.sort(compare); } if (add.length) { data = compare ? merge(compare, data, add.sort(compare)) : data.concat(add); add = []; } return data; } }; } /** * Collects all data tuples that pass through this operator. * @constructor * @param {object} params - The parameters for this operator. * @param {function(*,*): number} [params.sort] - An optional * comparator function for additionally sorting the collected tuples. */ function Collect(params) { Transform.call(this, [], params); } Collect.Definition = { 'type': 'Collect', 'metadata': { 'source': true }, 'params': [{ 'name': 'sort', 'type': 'compare' }] }; inherits(Collect, Transform, { transform(_, pulse) { const out = pulse.fork(pulse.ALL), list = SortedList(tupleid, this.value, out.materialize(out.ADD).add), sort = _.sort, mod = pulse.changed() || sort && (_.modified('sort') || pulse.modified(sort.fields)); out.visit(out.REM, list.remove); this.modified(mod); this.value = out.source = list.data(stableCompare(sort), mod); // propagate tree root if defined if (pulse.source && pulse.source.root) { this.value.root = pulse.source.root; } return out; } }); /** * Generates a comparator function. * @constructor * @param {object} params - The parameters for this operator. * @param {Array} params.fields - The fields to compare. * @param {Array} [params.orders] - The sort orders. * Each entry should be one of "ascending" (default) or "descending". */ function Compare(params) { Operator.call(this, null, update$5, params); } inherits(Compare, Operator); function update$5(_) { return this.value && !_.modified() ? this.value : vega_util_module_compare(_.fields, _.orders); } /** * Count regexp-defined pattern occurrences in a text field. * @constructor * @param {object} params - The parameters for this operator. * @param {function(object): *} params.field - An accessor for the text field. * @param {string} [params.pattern] - RegExp string defining the text pattern. * @param {string} [params.case] - One of 'lower', 'upper' or null (mixed) case. * @param {string} [params.stopwords] - RegExp string of words to ignore. */ function CountPattern(params) { Transform.call(this, null, params); } CountPattern.Definition = { 'type': 'CountPattern', 'metadata': { 'generates': true, 'changes': true }, 'params': [{ 'name': 'field', 'type': 'field', 'required': true }, { 'name': 'case', 'type': 'enum', 'values': ['upper', 'lower', 'mixed'], 'default': 'mixed' }, { 'name': 'pattern', 'type': 'string', 'default': '[\\w"]+' }, { 'name': 'stopwords', 'type': 'string', 'default': '' }, { 'name': 'as', 'type': 'string', 'array': true, 'length': 2, 'default': ['text', 'count'] }] }; function tokenize(text, tcase, match) { switch (tcase) { case 'upper': text = text.toUpperCase(); break; case 'lower': text = text.toLowerCase(); break; } return text.match(match); } inherits(CountPattern, Transform, { transform(_, pulse) { const process = update => tuple => { var tokens = tokenize(get(tuple), _.case, match) || [], t; for (var i = 0, n = tokens.length; i < n; ++i) { if (!stop.test(t = tokens[i])) update(t); } }; const init = this._parameterCheck(_, pulse), counts = this._counts, match = this._match, stop = this._stop, get = _.field, as = _.as || ['text', 'count'], add = process(t => counts[t] = 1 + (counts[t] || 0)), rem = process(t => counts[t] -= 1); if (init) { pulse.visit(pulse.SOURCE, add); } else { pulse.visit(pulse.ADD, add); pulse.visit(pulse.REM, rem); } return this._finish(pulse, as); // generate output tuples }, _parameterCheck(_, pulse) { let init = false; if (_.modified('stopwords') || !this._stop) { this._stop = new RegExp('^' + (_.stopwords || '') + '$', 'i'); init = true; } if (_.modified('pattern') || !this._match) { this._match = new RegExp(_.pattern || '[\\w\']+', 'g'); init = true; } if (_.modified('field') || pulse.modified(_.field.fields)) { init = true; } if (init) this._counts = {}; return init; }, _finish(pulse, as) { const counts = this._counts, tuples = this._tuples || (this._tuples = {}), text = as[0], count = as[1], out = pulse.fork(pulse.NO_SOURCE | pulse.NO_FIELDS); let w, t, c; for (w in counts) { t = tuples[w]; c = counts[w] || 0; if (!t && c) { tuples[w] = t = ingest$1({}); t[text] = w; t[count] = c; out.add.push(t); } else if (c === 0) { if (t) out.rem.push(t); counts[w] = null; tuples[w] = null; } else if (t[count] !== c) { t[count] = c; out.mod.push(t); } } return out.modifies(as); } }); /** * Perform a cross-product of a tuple stream with itself. * @constructor * @param {object} params - The parameters for this operator. * @param {function(object):boolean} [params.filter] - An optional filter * function for selectively including tuples in the cross product. * @param {Array} [params.as] - The names of the output fields. */ function Cross(params) { Transform.call(this, null, params); } Cross.Definition = { 'type': 'Cross', 'metadata': { 'generates': true }, 'params': [{ 'name': 'filter', 'type': 'expr' }, { 'name': 'as', 'type': 'string', 'array': true, 'length': 2, 'default': ['a', 'b'] }] }; inherits(Cross, Transform, { transform(_, pulse) { const out = pulse.fork(pulse.NO_SOURCE), as = _.as || ['a', 'b'], a = as[0], b = as[1], reset = !this.value || pulse.changed(pulse.ADD_REM) || _.modified('as') || _.modified('filter'); let data = this.value; if (reset) { if (data) out.rem = data; data = pulse.materialize(pulse.SOURCE).source; out.add = this.value = cross(data, a, b, _.filter || truthy); } else { out.mod = data; } out.source = this.value; return out.modifies(as); } }); function cross(input, a, b, filter) { var data = [], t = {}, n = input.length, i = 0, j, left; for (; i < n; ++i) { t[a] = left = input[i]; for (j = 0; j < n; ++j) { t[b] = input[j]; if (filter(t)) { data.push(ingest$1(t)); t = {}; t[a] = left; } } } return data; } const Distributions = { kde: kde, mixture: mixture, normal: gaussian, lognormal: lognormal, uniform: uniform }; const DISTRIBUTIONS = 'distributions', FUNCTION = 'function', FIELD = 'field'; /** * Parse a parameter object for a probability distribution. * @param {object} def - The distribution parameter object. * @param {function():Array} - A method for requesting * source data. Used for distributions (such as KDE) that * require sample data points. This method will only be * invoked if the 'from' parameter for a target data source * is not provided. Typically this method returns backing * source data for a Pulse object. * @return {object} - The output distribution object. */ function vega_transforms_module_parse(def, data) { const func = def[FUNCTION]; if (!has(Distributions, func)) { vega_util_module_error('Unknown distribution function: ' + func); } const d = Distributions[func](); for (const name in def) { // if data field, extract values if (name === FIELD) { d.data((def.from || data()).map(def[name])); } // if distribution mixture, recurse to parse each definition else if (name === DISTRIBUTIONS) { d[name](def[name].map(_ => vega_transforms_module_parse(_, data))); } // otherwise, simply set the parameter else if (typeof d[name] === FUNCTION) { d[name](def[name]); } } return d; } /** * Grid sample points for a probability density. Given a distribution and * a sampling extent, will generate points suitable for plotting either * PDF (probability density function) or CDF (cumulative distribution * function) curves. * @constructor * @param {object} params - The parameters for this operator. * @param {object} params.distribution - The probability distribution. This * is an object parameter dependent on the distribution type. * @param {string} [params.method='pdf'] - The distribution method to sample. * One of 'pdf' or 'cdf'. * @param {Array} [params.extent] - The [min, max] extent over which * to sample the distribution. This argument is required in most cases, but * can be omitted if the distribution (e.g., 'kde') supports a 'data' method * that returns numerical sample points from which the extent can be deduced. * @param {number} [params.minsteps=25] - The minimum number of curve samples * for plotting the density. * @param {number} [params.maxsteps=200] - The maximum number of curve samples * for plotting the density. * @param {number} [params.steps] - The exact number of curve samples for * plotting the density. If specified, overrides both minsteps and maxsteps * to set an exact number of uniform samples. Useful in conjunction with * a fixed extent to ensure consistent sample points for stacked densities. */ function Density(params) { Transform.call(this, null, params); } const distributions = [{ 'key': { 'function': 'normal' }, 'params': [{ 'name': 'mean', 'type': 'number', 'default': 0 }, { 'name': 'stdev', 'type': 'number', 'default': 1 }] }, { 'key': { 'function': 'lognormal' }, 'params': [{ 'name': 'mean', 'type': 'number', 'default': 0 }, { 'name': 'stdev', 'type': 'number', 'default': 1 }] }, { 'key': { 'function': 'uniform' }, 'params': [{ 'name': 'min', 'type': 'number', 'default': 0 }, { 'name': 'max', 'type': 'number', 'default': 1 }] }, { 'key': { 'function': 'kde' }, 'params': [{ 'name': 'field', 'type': 'field', 'required': true }, { 'name': 'from', 'type': 'data' }, { 'name': 'bandwidth', 'type': 'number', 'default': 0 }] }]; const vega_transforms_module_mixture = { 'key': { 'function': 'mixture' }, 'params': [{ 'name': 'distributions', 'type': 'param', 'array': true, 'params': distributions }, { 'name': 'weights', 'type': 'number', 'array': true }] }; Density.Definition = { 'type': 'Density', 'metadata': { 'generates': true }, 'params': [{ 'name': 'extent', 'type': 'number', 'array': true, 'length': 2 }, { 'name': 'steps', 'type': 'number' }, { 'name': 'minsteps', 'type': 'number', 'default': 25 }, { 'name': 'maxsteps', 'type': 'number', 'default': 200 }, { 'name': 'method', 'type': 'string', 'default': 'pdf', 'values': ['pdf', 'cdf'] }, { 'name': 'distribution', 'type': 'param', 'params': distributions.concat(vega_transforms_module_mixture) }, { 'name': 'as', 'type': 'string', 'array': true, 'default': ['value', 'density'] }] }; inherits(Density, Transform, { transform(_, pulse) { const out = pulse.fork(pulse.NO_SOURCE | pulse.NO_FIELDS); if (!this.value || pulse.changed() || _.modified()) { const dist = vega_transforms_module_parse(_.distribution, source(pulse)), minsteps = _.steps || _.minsteps || 25, maxsteps = _.steps || _.maxsteps || 200; let method = _.method || 'pdf'; if (method !== 'pdf' && method !== 'cdf') { vega_util_module_error('Invalid density method: ' + method); } if (!_.extent && !dist.data) { vega_util_module_error('Missing density extent parameter.'); } method = dist[method]; const as = _.as || ['value', 'density'], domain = _.extent || extent(dist.data()), values = sampleCurve(method, domain, minsteps, maxsteps).map(v => { const tuple = {}; tuple[as[0]] = v[0]; tuple[as[1]] = v[1]; return ingest$1(tuple); }); if (this.value) out.rem = this.value; this.value = out.add = out.source = values; } return out; } }); function source(pulse) { return () => pulse.materialize(pulse.SOURCE).source; } // use either provided alias or accessor field name function fieldNames(fields, as) { if (!fields) return null; return fields.map((f, i) => as[i] || accessorName(f)); } function partition$1(data, groupby, field) { const groups = [], get = f => f(t); let map, i, n, t, k, g; // partition data points into groups if (groupby == null) { groups.push(data.map(field)); } else { for (map = {}, i = 0, n = data.length; i < n; ++i) { t = data[i]; k = groupby.map(get); g = map[k]; if (!g) { map[k] = g = []; g.dims = k; groups.push(g); } g.push(field(t)); } } return groups; } const Output = 'bin'; /** * Dot density binning for dot plot construction. * Based on Leland Wilkinson, Dot Plots, The American Statistician, 1999. * https://www.cs.uic.edu/~wilkinson/Publications/dotplots.pdf * @constructor * @param {object} params - The parameters for this operator. * @param {function(object): *} params.field - The value field to bin. * @param {Array} [params.groupby] - An array of accessors to groupby. * @param {number} [params.step] - The step size (bin width) within which dots should be * stacked. Defaults to 1/30 of the extent of the data *field*. * @param {boolean} [params.smooth=false] - A boolean flag indicating if dot density * stacks should be smoothed to reduce variance. */ function DotBin(params) { Transform.call(this, null, params); } DotBin.Definition = { 'type': 'DotBin', 'metadata': { 'modifies': true }, 'params': [{ 'name': 'field', 'type': 'field', 'required': true }, { 'name': 'groupby', 'type': 'field', 'array': true }, { 'name': 'step', 'type': 'number' }, { 'name': 'smooth', 'type': 'boolean', 'default': false }, { 'name': 'as', 'type': 'string', 'default': Output }] }; const autostep = (data, field) => span(extent(data, field)) / 30; inherits(DotBin, Transform, { transform(_, pulse) { if (this.value && !(_.modified() || pulse.changed())) { return pulse; // early exit } const source = pulse.materialize(pulse.SOURCE).source, groups = partition$1(pulse.source, _.groupby, identity), smooth = _.smooth || false, field = _.field, step = _.step || autostep(source, field), sort = stableCompare((a, b) => field(a) - field(b)), as = _.as || Output, n = groups.length; // compute dotplot bins per group let min = Infinity, max = -Infinity, i = 0, j; for (; i < n; ++i) { const g = groups[i].sort(sort); j = -1; for (const v of dotbin(g, step, smooth, field)) { if (v < min) min = v; if (v > max) max = v; g[++j][as] = v; } } this.value = { start: min, stop: max, step: step }; return pulse.reflow(true).modifies(as); } }); /** * Wraps an expression function with access to external parameters. * @constructor * @param {object} params - The parameters for this operator. * @param {function} params.expr - The expression function. The * function should accept both a datum and a parameter object. * This operator's value will be a new function that wraps the * expression function with access to this operator's parameters. */ function Expression(params) { Operator.call(this, null, update$4, params); this.modified(true); } inherits(Expression, Operator); function update$4(_) { const expr = _.expr; return this.value && !_.modified('expr') ? this.value : accessor(datum => expr(datum, _), accessorFields(expr), accessorName(expr)); } /** * Computes extents (min/max) for a data field. * @constructor * @param {object} params - The parameters for this operator. * @param {function(object): *} params.field - The field over which to compute extends. */ function Extent(params) { Transform.call(this, [undefined, undefined], params); } Extent.Definition = { 'type': 'Extent', 'metadata': {}, 'params': [{ 'name': 'field', 'type': 'field', 'required': true }] }; inherits(Extent, Transform, { transform(_, pulse) { const extent = this.value, field = _.field, mod = pulse.changed() || pulse.modified(field.fields) || _.modified('field'); let min = extent[0], max = extent[1]; if (mod || min == null) { min = +Infinity; max = -Infinity; } pulse.visit(mod ? pulse.SOURCE : pulse.ADD, t => { const v = toNumber(field(t)); if (v != null) { // NaNs will fail all comparisons! if (v < min) min = v; if (v > max) max = v; } }); if (!Number.isFinite(min) || !Number.isFinite(max)) { let name = accessorName(field); if (name) name = ` for field "${name}"`; pulse.dataflow.warn(`Infinite extent${name}: [${min}, ${max}]`); min = max = undefined; } this.value = [min, max]; } }); /** * Provides a bridge between a parent transform and a target subflow that * consumes only a subset of the tuples that pass through the parent. * @constructor * @param {Pulse} pulse - A pulse to use as the value of this operator. * @param {Transform} parent - The parent transform (typically a Facet instance). */ function Subflow(pulse, parent) { Operator.call(this, pulse); this.parent = parent; this.count = 0; } inherits(Subflow, Operator, { /** * Routes pulses from this subflow to a target transform. * @param {Transform} target - A transform that receives the subflow of tuples. */ connect(target) { this.detachSubflow = target.detachSubflow; this.targets().add(target); return target.source = this; }, /** * Add an 'add' tuple to the subflow pulse. * @param {Tuple} t - The tuple being added. */ add(t) { this.count += 1; this.value.add.push(t); }, /** * Add a 'rem' tuple to the subflow pulse. * @param {Tuple} t - The tuple being removed. */ rem(t) { this.count -= 1; this.value.rem.push(t); }, /** * Add a 'mod' tuple to the subflow pulse. * @param {Tuple} t - The tuple being modified. */ mod(t) { this.value.mod.push(t); }, /** * Re-initialize this operator's pulse value. * @param {Pulse} pulse - The pulse to copy from. * @see Pulse.init */ init(pulse) { this.value.init(pulse, pulse.NO_SOURCE); }, /** * Evaluate this operator. This method overrides the * default behavior to simply return the contained pulse value. * @return {Pulse} */ evaluate() { // assert: this.value.stamp === pulse.stamp return this.value; } }); /** * Facets a dataflow into a set of subflows based on a key. * @constructor * @param {object} params - The parameters for this operator. * @param {function(Dataflow, string): Operator} params.subflow - A function * that generates a subflow of operators and returns its root operator. * @param {function(object): *} params.key - The key field to facet by. */ function Facet(params) { Transform.call(this, {}, params); this._keys = fastmap(); // cache previously calculated key values // keep track of active subflows, use as targets array for listeners // this allows us to limit propagation to only updated subflows const a = this._targets = []; a.active = 0; a.forEach = f => { for (let i = 0, n = a.active; i < n; ++i) { f(a[i], i, a); } }; } inherits(Facet, Transform, { activate(flow) { this._targets[this._targets.active++] = flow; }, // parent argument provided by PreFacet subclass subflow(key, flow, pulse, parent) { const flows = this.value; let sf = has(flows, key) && flows[key], df, p; if (!sf) { p = parent || (p = this._group[key]) && p.tuple; df = pulse.dataflow; sf = new Subflow(pulse.fork(pulse.NO_SOURCE), this); df.add(sf).connect(flow(df, key, p)); flows[key] = sf; this.activate(sf); } else if (sf.value.stamp < pulse.stamp) { sf.init(pulse); this.activate(sf); } return sf; }, clean() { const flows = this.value; let detached = 0; for (const key in flows) { if (flows[key].count === 0) { const detach = flows[key].detachSubflow; if (detach) detach(); delete flows[key]; ++detached; } } // remove inactive targets from the active targets array if (detached) { const active = this._targets.filter(sf => sf && sf.count > 0); this.initTargets(active); } }, initTargets(act) { const a = this._targets, n = a.length, m = act ? act.length : 0; let i = 0; for (; i < m; ++i) { a[i] = act[i]; } for (; i < n && a[i] != null; ++i) { a[i] = null; // ensure old flows can be garbage collected } a.active = m; }, transform(_, pulse) { const df = pulse.dataflow, key = _.key, flow = _.subflow, cache = this._keys, rekey = _.modified('key'), subflow = key => this.subflow(key, flow, pulse); this._group = _.group || {}; this.initTargets(); // reset list of active subflows pulse.visit(pulse.REM, t => { const id = tupleid(t), k = cache.get(id); if (k !== undefined) { cache.delete(id); subflow(k).rem(t); } }); pulse.visit(pulse.ADD, t => { const k = key(t); cache.set(tupleid(t), k); subflow(k).add(t); }); if (rekey || pulse.modified(key.fields)) { pulse.visit(pulse.MOD, t => { const id = tupleid(t), k0 = cache.get(id), k1 = key(t); if (k0 === k1) { subflow(k1).mod(t); } else { cache.set(id, k1); subflow(k0).rem(t); subflow(k1).add(t); } }); } else if (pulse.changed(pulse.MOD)) { pulse.visit(pulse.MOD, t => { subflow(cache.get(tupleid(t))).mod(t); }); } if (rekey) { pulse.visit(pulse.REFLOW, t => { const id = tupleid(t), k0 = cache.get(id), k1 = key(t); if (k0 !== k1) { cache.set(id, k1); subflow(k0).rem(t); subflow(k1).add(t); } }); } if (pulse.clean()) { df.runAfter(() => { this.clean(); cache.clean(); }); } else if (cache.empty > df.cleanThreshold) { df.runAfter(cache.clean); } return pulse; } }); /** * Generates one or more field accessor functions. * If the 'name' parameter is an array, an array of field accessors * will be created and the 'as' parameter will be ignored. * @constructor * @param {object} params - The parameters for this operator. * @param {string} params.name - The field name(s) to access. * @param {string} params.as - The accessor function name. */ function Field(params) { Operator.call(this, null, update$3, params); } inherits(Field, Operator); function update$3(_) { return this.value && !_.modified() ? this.value : isArray(_.name) ? array(_.name).map(f => field(f)) : field(_.name, _.as); } /** * Filters data tuples according to a predicate function. * @constructor * @param {object} params - The parameters for this operator. * @param {function(object): *} params.expr - The predicate expression function * that determines a tuple's filter status. Truthy values pass the filter. */ function Filter(params) { Transform.call(this, fastmap(), params); } Filter.Definition = { 'type': 'Filter', 'metadata': { 'changes': true }, 'params': [{ 'name': 'expr', 'type': 'expr', 'required': true }] }; inherits(Filter, Transform, { transform(_, pulse) { const df = pulse.dataflow, cache = this.value, // cache ids of filtered tuples output = pulse.fork(), add = output.add, rem = output.rem, mod = output.mod, test = _.expr; let isMod = true; pulse.visit(pulse.REM, t => { const id = tupleid(t); if (!cache.has(id)) rem.push(t);else cache.delete(id); }); pulse.visit(pulse.ADD, t => { if (test(t, _)) add.push(t);else cache.set(tupleid(t), 1); }); function revisit(t) { const id = tupleid(t), b = test(t, _), s = cache.get(id); if (b && s) { cache.delete(id); add.push(t); } else if (!b && !s) { cache.set(id, 1); rem.push(t); } else if (isMod && b && !s) { mod.push(t); } } pulse.visit(pulse.MOD, revisit); if (_.modified()) { isMod = false; pulse.visit(pulse.REFLOW, revisit); } if (cache.empty > df.cleanThreshold) df.runAfter(cache.clean); return output; } }); /** * Flattens array-typed field values into new data objects. * If multiple fields are specified, they are treated as parallel arrays, * with output values included for each matching index (or null if missing). * @constructor * @param {object} params - The parameters for this operator. * @param {Array} params.fields - An array of field * accessors for the tuple fields that should be flattened. * @param {string} [params.index] - Optional output field name for index * value. If unspecified, no index field is included in the output. * @param {Array} [params.as] - Output field names for flattened * array fields. Any unspecified fields will use the field name provided * by the fields accessors. */ function Flatten(params) { Transform.call(this, [], params); } Flatten.Definition = { 'type': 'Flatten', 'metadata': { 'generates': true }, 'params': [{ 'name': 'fields', 'type': 'field', 'array': true, 'required': true }, { 'name': 'index', 'type': 'string' }, { 'name': 'as', 'type': 'string', 'array': true }] }; inherits(Flatten, Transform, { transform(_, pulse) { const out = pulse.fork(pulse.NO_SOURCE), fields = _.fields, as = fieldNames(fields, _.as || []), index = _.index || null, m = as.length; // remove any previous results out.rem = this.value; // generate flattened tuples pulse.visit(pulse.SOURCE, t => { const arrays = fields.map(f => f(t)), maxlen = arrays.reduce((l, a) => Math.max(l, a.length), 0); let i = 0, j, d, v; for (; i < maxlen; ++i) { d = derive(t); for (j = 0; j < m; ++j) { d[as[j]] = (v = arrays[j][i]) == null ? null : v; } if (index) { d[index] = i; } out.add.push(d); } }); this.value = out.source = out.add; if (index) out.modifies(index); return out.modifies(as); } }); /** * Folds one more tuple fields into multiple tuples in which the field * name and values are available under new 'key' and 'value' fields. * @constructor * @param {object} params - The parameters for this operator. * @param {function(object): *} params.fields - An array of field accessors * for the tuple fields that should be folded. * @param {Array} [params.as] - Output field names for folded key * and value fields, defaults to ['key', 'value']. */ function Fold(params) { Transform.call(this, [], params); } Fold.Definition = { 'type': 'Fold', 'metadata': { 'generates': true }, 'params': [{ 'name': 'fields', 'type': 'field', 'array': true, 'required': true }, { 'name': 'as', 'type': 'string', 'array': true, 'length': 2, 'default': ['key', 'value'] }] }; inherits(Fold, Transform, { transform(_, pulse) { const out = pulse.fork(pulse.NO_SOURCE), fields = _.fields, fnames = fields.map(accessorName), as = _.as || ['key', 'value'], k = as[0], v = as[1], n = fields.length; out.rem = this.value; pulse.visit(pulse.SOURCE, t => { for (let i = 0, d; i < n; ++i) { d = derive(t); d[k] = fnames[i]; d[v] = fields[i](t); out.add.push(d); } }); this.value = out.source = out.add; return out.modifies(as); } }); /** * Invokes a function for each data tuple and saves the results as a new field. * @constructor * @param {object} params - The parameters for this operator. * @param {function(object): *} params.expr - The formula function to invoke for each tuple. * @param {string} params.as - The field name under which to save the result. * @param {boolean} [params.initonly=false] - If true, the formula is applied to * added tuples only, and does not update in response to modifications. */ function Formula(params) { Transform.call(this, null, params); } Formula.Definition = { 'type': 'Formula', 'metadata': { 'modifies': true }, 'params': [{ 'name': 'expr', 'type': 'expr', 'required': true }, { 'name': 'as', 'type': 'string', 'required': true }, { 'name': 'initonly', 'type': 'boolean' }] }; inherits(Formula, Transform, { transform(_, pulse) { const func = _.expr, as = _.as, mod = _.modified(), flag = _.initonly ? pulse.ADD : mod ? pulse.SOURCE : pulse.modified(func.fields) || pulse.modified(as) ? pulse.ADD_MOD : pulse.ADD; if (mod) { // parameters updated, need to reflow pulse = pulse.materialize().reflow(true); } if (!_.initonly) { pulse.modifies(as); } return pulse.visit(flag, t => t[as] = func(t, _)); } }); /** * Generates data tuples using a provided generator function. * @constructor * @param {object} params - The parameters for this operator. * @param {function(Parameters): object} params.generator - A tuple generator * function. This function is given the operator parameters as input. * Changes to any additional parameters will not trigger re-calculation * of previously generated tuples. Only future tuples are affected. * @param {number} params.size - The number of tuples to produce. */ function Generate(params) { Transform.call(this, [], params); } inherits(Generate, Transform, { transform(_, pulse) { const out = pulse.fork(pulse.ALL), gen = _.generator; let data = this.value, num = _.size - data.length, add, rem, t; if (num > 0) { // need more tuples, generate and add for (add = []; --num >= 0;) { add.push(t = ingest$1(gen(_))); data.push(t); } out.add = out.add.length ? out.materialize(out.ADD).add.concat(add) : add; } else { // need fewer tuples, remove rem = data.slice(0, -num); out.rem = out.rem.length ? out.materialize(out.REM).rem.concat(rem) : rem; data = data.slice(-num); } out.source = this.value = data; return out; } }); const Methods = { value: 'value', median: median, mean: mean, min: min/* default */.Z, max: max/* default */.Z }; const Empty = []; /** * Impute missing values. * @constructor * @param {object} params - The parameters for this operator. * @param {function(object): *} params.field - The value field to impute. * @param {Array} [params.groupby] - An array of * accessors to determine series within which to perform imputation. * @param {function(object): *} params.key - An accessor for a key value. * Each key value should be unique within a group. New tuples will be * imputed for any key values that are not found within a group. * @param {Array<*>} [params.keyvals] - Optional array of required key * values. New tuples will be imputed for any key values that are not * found within a group. In addition, these values will be automatically * augmented with the key values observed in the input data. * @param {string} [method='value'] - The imputation method to use. One of * 'value', 'mean', 'median', 'max', 'min'. * @param {*} [value=0] - The constant value to use for imputation * when using method 'value'. */ function Impute(params) { Transform.call(this, [], params); } Impute.Definition = { 'type': 'Impute', 'metadata': { 'changes': true }, 'params': [{ 'name': 'field', 'type': 'field', 'required': true }, { 'name': 'key', 'type': 'field', 'required': true }, { 'name': 'keyvals', 'array': true }, { 'name': 'groupby', 'type': 'field', 'array': true }, { 'name': 'method', 'type': 'enum', 'default': 'value', 'values': ['value', 'mean', 'median', 'max', 'min'] }, { 'name': 'value', 'default': 0 }] }; function getValue(_) { var m = _.method || Methods.value, v; if (Methods[m] == null) { vega_util_module_error('Unrecognized imputation method: ' + m); } else if (m === Methods.value) { v = _.value !== undefined ? _.value : 0; return () => v; } else { return Methods[m]; } } function getField(_) { const f = _.field; return t => t ? f(t) : NaN; } inherits(Impute, Transform, { transform(_, pulse) { var out = pulse.fork(pulse.ALL), impute = getValue(_), field = getField(_), fName = accessorName(_.field), kName = accessorName(_.key), gNames = (_.groupby || []).map(accessorName), groups = partition(pulse.source, _.groupby, _.key, _.keyvals), curr = [], prev = this.value, m = groups.domain.length, group, value, gVals, kVal, g, i, j, l, n, t; for (g = 0, l = groups.length; g < l; ++g) { group = groups[g]; gVals = group.values; value = NaN; // add tuples for missing values for (j = 0; j < m; ++j) { if (group[j] != null) continue; kVal = groups.domain[j]; t = { _impute: true }; for (i = 0, n = gVals.length; i < n; ++i) t[gNames[i]] = gVals[i]; t[kName] = kVal; t[fName] = Number.isNaN(value) ? value = impute(group, field) : value; curr.push(ingest$1(t)); } } // update pulse with imputed tuples if (curr.length) out.add = out.materialize(out.ADD).add.concat(curr); if (prev.length) out.rem = out.materialize(out.REM).rem.concat(prev); this.value = curr; return out; } }); function partition(data, groupby, key, keyvals) { var get = f => f(t), groups = [], domain = keyvals ? keyvals.slice() : [], kMap = {}, gMap = {}, gVals, gKey, group, i, j, k, n, t; domain.forEach((k, i) => kMap[k] = i + 1); for (i = 0, n = data.length; i < n; ++i) { t = data[i]; k = key(t); j = kMap[k] || (kMap[k] = domain.push(k)); gKey = (gVals = groupby ? groupby.map(get) : Empty) + ''; if (!(group = gMap[gKey])) { group = gMap[gKey] = []; groups.push(group); group.values = gVals; } group[j - 1] = t; } groups.domain = domain; return groups; } /** * Extend input tuples with aggregate values. * Calcuates aggregate values and joins them with the input stream. * @constructor */ function JoinAggregate(params) { Aggregate.call(this, params); } JoinAggregate.Definition = { 'type': 'JoinAggregate', 'metadata': { 'modifies': true }, 'params': [{ 'name': 'groupby', 'type': 'field', 'array': true }, { 'name': 'fields', 'type': 'field', 'null': true, 'array': true }, { 'name': 'ops', 'type': 'enum', 'array': true, 'values': ValidAggregateOps }, { 'name': 'as', 'type': 'string', 'null': true, 'array': true }, { 'name': 'key', 'type': 'field' }] }; inherits(JoinAggregate, Aggregate, { transform(_, pulse) { const aggr = this, mod = _.modified(); let cells; // process all input tuples to calculate aggregates if (aggr.value && (mod || pulse.modified(aggr._inputs, true))) { cells = aggr.value = mod ? aggr.init(_) : {}; pulse.visit(pulse.SOURCE, t => aggr.add(t)); } else { cells = aggr.value = aggr.value || this.init(_); pulse.visit(pulse.REM, t => aggr.rem(t)); pulse.visit(pulse.ADD, t => aggr.add(t)); } // update aggregation cells aggr.changes(); // write aggregate values to input tuples pulse.visit(pulse.SOURCE, t => { extend(t, cells[aggr.cellkey(t)].tuple); }); return pulse.reflow(mod).modifies(this._outputs); }, changes() { const adds = this._adds, mods = this._mods; let i, n; for (i = 0, n = this._alen; i < n; ++i) { this.celltuple(adds[i]); adds[i] = null; // for garbage collection } for (i = 0, n = this._mlen; i < n; ++i) { this.celltuple(mods[i]); mods[i] = null; // for garbage collection } this._alen = this._mlen = 0; // reset list of active cells } }); /** * Compute kernel density estimates (KDE) for one or more data groups. * @constructor * @param {object} params - The parameters for this operator. * @param {Array} [params.groupby] - An array of accessors * to groupby. * @param {function(object): *} params.field - An accessor for the data field * to estimate. * @param {number} [params.bandwidth=0] - The KDE kernel bandwidth. * If zero or unspecified, the bandwidth is automatically determined. * @param {boolean} [params.counts=false] - A boolean flag indicating if the * output values should be probability estimates (false, default) or * smoothed counts (true). * @param {string} [params.cumulative=false] - A boolean flag indicating if a * density (false) or cumulative distribution (true) should be generated. * @param {Array} [params.extent] - The domain extent over which to * plot the density. If unspecified, the [min, max] data extent is used. * @param {string} [params.resolve='independent'] - Indicates how parameters for * multiple densities should be resolved. If "independent" (the default), each * density may have its own domain extent and dynamic number of curve sample * steps. If "shared", the KDE transform will ensure that all densities are * defined over a shared domain and curve steps, enabling stacking. * @param {number} [params.minsteps=25] - The minimum number of curve samples * for plotting the density. * @param {number} [params.maxsteps=200] - The maximum number of curve samples * for plotting the density. * @param {number} [params.steps] - The exact number of curve samples for * plotting the density. If specified, overrides both minsteps and maxsteps * to set an exact number of uniform samples. Useful in conjunction with * a fixed extent to ensure consistent sample points for stacked densities. */ function KDE(params) { Transform.call(this, null, params); } KDE.Definition = { 'type': 'KDE', 'metadata': { 'generates': true }, 'params': [{ 'name': 'groupby', 'type': 'field', 'array': true }, { 'name': 'field', 'type': 'field', 'required': true }, { 'name': 'cumulative', 'type': 'boolean', 'default': false }, { 'name': 'counts', 'type': 'boolean', 'default': false }, { 'name': 'bandwidth', 'type': 'number', 'default': 0 }, { 'name': 'extent', 'type': 'number', 'array': true, 'length': 2 }, { 'name': 'resolve', 'type': 'enum', 'values': ['shared', 'independent'], 'default': 'independent' }, { 'name': 'steps', 'type': 'number' }, { 'name': 'minsteps', 'type': 'number', 'default': 25 }, { 'name': 'maxsteps', 'type': 'number', 'default': 200 }, { 'name': 'as', 'type': 'string', 'array': true, 'default': ['value', 'density'] }] }; inherits(KDE, Transform, { transform(_, pulse) { const out = pulse.fork(pulse.NO_SOURCE | pulse.NO_FIELDS); if (!this.value || pulse.changed() || _.modified()) { const source = pulse.materialize(pulse.SOURCE).source, groups = partition$1(source, _.groupby, _.field), names = (_.groupby || []).map(accessorName), bandwidth = _.bandwidth, method = _.cumulative ? 'cdf' : 'pdf', as = _.as || ['value', 'density'], values = []; let domain = _.extent, minsteps = _.steps || _.minsteps || 25, maxsteps = _.steps || _.maxsteps || 200; if (method !== 'pdf' && method !== 'cdf') { vega_util_module_error('Invalid density method: ' + method); } if (_.resolve === 'shared') { if (!domain) domain = extent(source, _.field); minsteps = maxsteps = _.steps || maxsteps; } groups.forEach(g => { const density = kde(g, bandwidth)[method], scale = _.counts ? g.length : 1, local = domain || extent(g); sampleCurve(density, local, minsteps, maxsteps).forEach(v => { const t = {}; for (let i = 0; i < names.length; ++i) { t[names[i]] = g.dims[i]; } t[as[0]] = v[0]; t[as[1]] = v[1] * scale; values.push(ingest$1(t)); }); }); if (this.value) out.rem = this.value; this.value = out.add = out.source = values; } return out; } }); /** * Generates a key function. * @constructor * @param {object} params - The parameters for this operator. * @param {Array} params.fields - The field name(s) for the key function. * @param {boolean} params.flat - A boolean flag indicating if the field names * should be treated as flat property names, side-stepping nested field * lookups normally indicated by dot or bracket notation. */ function Key(params) { Operator.call(this, null, update$2, params); } inherits(Key, Operator); function update$2(_) { return this.value && !_.modified() ? this.value : key(_.fields, _.flat); } /** * Load and parse data from an external source. Marshalls parameter * values and then invokes the Dataflow request method. * @constructor * @param {object} params - The parameters for this operator. * @param {string} params.url - The URL to load from. * @param {object} params.format - The data format options. */ function Load(params) { Transform.call(this, [], params); this._pending = null; } inherits(Load, Transform, { transform(_, pulse) { const df = pulse.dataflow; if (this._pending) { // update state and return pulse return vega_transforms_module_output(this, pulse, this._pending); } if (stop(_)) return pulse.StopPropagation; if (_.values) { // parse and ingest values, return output pulse return vega_transforms_module_output(this, pulse, df.parse(_.values, _.format)); } else if (_.async) { // return promise for non-blocking async loading const p = df.request(_.url, _.format).then(res => { this._pending = array(res.data); return df => df.touch(this); }); return { async: p }; } else { // return promise for synchronous loading return df.request(_.url, _.format).then(res => vega_transforms_module_output(this, pulse, array(res.data))); } } }); function stop(_) { return _.modified('async') && !(_.modified('values') || _.modified('url') || _.modified('format')); } function vega_transforms_module_output(op, pulse, data) { data.forEach(ingest$1); const out = pulse.fork(pulse.NO_FIELDS & pulse.NO_SOURCE); out.rem = op.value; op.value = out.source = out.add = data; op._pending = null; if (out.rem.length) out.clean(true); return out; } /** * Extend tuples by joining them with values from a lookup table. * @constructor * @param {object} params - The parameters for this operator. * @param {Map} params.index - The lookup table map. * @param {Array} params.as - Output field names for each lookup value. * @param {*} [params.default] - A default value to use if lookup fails. */ function Lookup(params) { Transform.call(this, {}, params); } Lookup.Definition = { 'type': 'Lookup', 'metadata': { 'modifies': true }, 'params': [{ 'name': 'index', 'type': 'index', 'params': [{ 'name': 'from', 'type': 'data', 'required': true }, { 'name': 'key', 'type': 'field', 'required': true }] }, { 'name': 'values', 'type': 'field', 'array': true }, { 'name': 'fields', 'type': 'field', 'array': true, 'required': true }, { 'name': 'as', 'type': 'string', 'array': true }, { 'name': 'default', 'default': null }] }; inherits(Lookup, Transform, { transform(_, pulse) { const keys = _.fields, index = _.index, values = _.values, defaultValue = _.default == null ? null : _.default, reset = _.modified(), n = keys.length; let flag = reset ? pulse.SOURCE : pulse.ADD, out = pulse, as = _.as, set, m, mods; if (values) { m = values.length; if (n > 1 && !as) { vega_util_module_error('Multi-field lookup requires explicit "as" parameter.'); } if (as && as.length !== n * m) { vega_util_module_error('The "as" parameter has too few output field names.'); } as = as || values.map(accessorName); set = function (t) { for (var i = 0, k = 0, j, v; i < n; ++i) { v = index.get(keys[i](t)); if (v == null) for (j = 0; j < m; ++j, ++k) t[as[k]] = defaultValue;else for (j = 0; j < m; ++j, ++k) t[as[k]] = values[j](v); } }; } else { if (!as) { vega_util_module_error('Missing output field names.'); } set = function (t) { for (var i = 0, v; i < n; ++i) { v = index.get(keys[i](t)); t[as[i]] = v == null ? defaultValue : v; } }; } if (reset) { out = pulse.reflow(true); } else { mods = keys.some(k => pulse.modified(k.fields)); flag |= mods ? pulse.MOD : 0; } pulse.visit(flag, set); return out.modifies(as); } }); /** * Computes global min/max extents over a collection of extents. * @constructor * @param {object} params - The parameters for this operator. * @param {Array>} params.extents - The input extents. */ function MultiExtent(params) { Operator.call(this, null, update$1, params); } inherits(MultiExtent, Operator); function update$1(_) { if (this.value && !_.modified()) { return this.value; } const ext = _.extents, n = ext.length; let min = +Infinity, max = -Infinity, i, e; for (i = 0; i < n; ++i) { e = ext[i]; if (e[0] < min) min = e[0]; if (e[1] > max) max = e[1]; } return [min, max]; } /** * Merge a collection of value arrays. * @constructor * @param {object} params - The parameters for this operator. * @param {Array>} params.values - The input value arrrays. */ function MultiValues(params) { Operator.call(this, null, vega_transforms_module_update, params); } inherits(MultiValues, Operator); function vega_transforms_module_update(_) { return this.value && !_.modified() ? this.value : _.values.reduce((data, _) => data.concat(_), []); } /** * Operator whose value is simply its parameter hash. This operator is * useful for enabling reactive updates to values of nested objects. * @constructor * @param {object} params - The parameters for this operator. */ function Params(params) { Transform.call(this, null, params); } inherits(Params, Transform, { transform(_, pulse) { this.modified(_.modified()); this.value = _; return pulse.fork(pulse.NO_SOURCE | pulse.NO_FIELDS); // do not pass tuples } }); /** * Aggregate and pivot selected field values to become new fields. * This operator is useful to construction cross-tabulations. * @constructor * @param {Array} [params.groupby] - An array of accessors * to groupby. These fields act just like groupby fields of an Aggregate transform. * @param {function(object): *} params.field - The field to pivot on. The unique * values of this field become new field names in the output stream. * @param {function(object): *} params.value - The field to populate pivoted fields. * The aggregate values of this field become the values of the new pivoted fields. * @param {string} [params.op] - The aggregation operation for the value field, * applied per cell in the output stream. The default is "sum". * @param {number} [params.limit] - An optional parameter indicating the maximum * number of pivoted fields to generate. The pivoted field names are sorted in * ascending order prior to enforcing the limit. */ function Pivot(params) { Aggregate.call(this, params); } Pivot.Definition = { 'type': 'Pivot', 'metadata': { 'generates': true, 'changes': true }, 'params': [{ 'name': 'groupby', 'type': 'field', 'array': true }, { 'name': 'field', 'type': 'field', 'required': true }, { 'name': 'value', 'type': 'field', 'required': true }, { 'name': 'op', 'type': 'enum', 'values': ValidAggregateOps, 'default': 'sum' }, { 'name': 'limit', 'type': 'number', 'default': 0 }, { 'name': 'key', 'type': 'field' }] }; inherits(Pivot, Aggregate, { _transform: Aggregate.prototype.transform, transform(_, pulse) { return this._transform(aggregateParams(_, pulse), pulse); } }); // Shoehorn a pivot transform into an aggregate transform! // First collect all unique pivot field values. // Then generate aggregate fields for each output pivot field. function aggregateParams(_, pulse) { const key = _.field, value = _.value, op = (_.op === 'count' ? '__count__' : _.op) || 'sum', fields = accessorFields(key).concat(accessorFields(value)), keys = pivotKeys(key, _.limit || 0, pulse); // if data stream content changes, pivot fields may change // flag parameter modification to ensure re-initialization if (pulse.changed()) _.set('__pivot__', null, null, true); return { key: _.key, groupby: _.groupby, ops: keys.map(() => op), fields: keys.map(k => get(k, key, value, fields)), as: keys.map(k => k + ''), modified: _.modified.bind(_) }; } // Generate aggregate field accessor. // Output NaN for non-existent values; aggregator will ignore! function get(k, key, value, fields) { return accessor(d => key(d) === k ? value(d) : NaN, fields, k + ''); } // Collect (and optionally limit) all unique pivot values. function pivotKeys(key, limit, pulse) { const map = {}, list = []; pulse.visit(pulse.SOURCE, t => { const k = key(t); if (!map[k]) { map[k] = 1; list.push(k); } }); list.sort(ascending); return limit ? list.slice(0, limit) : list; } /** * Partitions pre-faceted data into tuple subflows. * @constructor * @param {object} params - The parameters for this operator. * @param {function(Dataflow, string): Operator} params.subflow - A function * that generates a subflow of operators and returns its root operator. * @param {function(object): Array} params.field - The field * accessor for an array of subflow tuple objects. */ function PreFacet(params) { Facet.call(this, params); } inherits(PreFacet, Facet, { transform(_, pulse) { const flow = _.subflow, field = _.field, subflow = t => this.subflow(tupleid(t), flow, pulse, t); if (_.modified('field') || field && pulse.modified(accessorFields(field))) { vega_util_module_error('PreFacet does not support field modification.'); } this.initTargets(); // reset list of active subflows if (field) { pulse.visit(pulse.MOD, t => { const sf = subflow(t); field(t).forEach(_ => sf.mod(_)); }); pulse.visit(pulse.ADD, t => { const sf = subflow(t); field(t).forEach(_ => sf.add(ingest$1(_))); }); pulse.visit(pulse.REM, t => { const sf = subflow(t); field(t).forEach(_ => sf.rem(_)); }); } else { pulse.visit(pulse.MOD, t => subflow(t).mod(t)); pulse.visit(pulse.ADD, t => subflow(t).add(t)); pulse.visit(pulse.REM, t => subflow(t).rem(t)); } if (pulse.clean()) { pulse.runAfter(() => this.clean()); } return pulse; } }); /** * Performs a relational projection, copying selected fields from source * tuples to a new set of derived tuples. * @constructor * @param {object} params - The parameters for this operator. * @param {Array} [params.as] - Output field names for each projected * field. Any unspecified fields will use the field name provided by * the field accessor. */ function Project(params) { Transform.call(this, null, params); } Project.Definition = { 'type': 'Project', 'metadata': { 'generates': true, 'changes': true }, 'params': [{ 'name': 'fields', 'type': 'field', 'array': true }, { 'name': 'as', 'type': 'string', 'null': true, 'array': true }] }; inherits(Project, Transform, { transform(_, pulse) { const out = pulse.fork(pulse.NO_SOURCE), fields = _.fields, as = fieldNames(_.fields, _.as || []), derive = fields ? (s, t) => project(s, t, fields, as) : rederive; let lut; if (this.value) { lut = this.value; } else { pulse = pulse.addAll(); lut = this.value = {}; } pulse.visit(pulse.REM, t => { const id = tupleid(t); out.rem.push(lut[id]); lut[id] = null; }); pulse.visit(pulse.ADD, t => { const dt = derive(t, ingest$1({})); lut[tupleid(t)] = dt; out.add.push(dt); }); pulse.visit(pulse.MOD, t => { out.mod.push(derive(t, lut[tupleid(t)])); }); return out; } }); function project(s, t, fields, as) { for (let i = 0, n = fields.length; i < n; ++i) { t[as[i]] = fields[i](s); } return t; } /** * Proxy the value of another operator as a pure signal value. * Ensures no tuples are propagated. * @constructor * @param {object} params - The parameters for this operator. * @param {*} params.value - The value to proxy, becomes the value of this operator. */ function Proxy(params) { Transform.call(this, null, params); } inherits(Proxy, Transform, { transform(_, pulse) { this.value = _.value; return _.modified('value') ? pulse.fork(pulse.NO_SOURCE | pulse.NO_FIELDS) : pulse.StopPropagation; } }); /** * Generates sample quantile values from an input data stream. * @constructor * @param {object} params - The parameters for this operator. * @param {function(object): *} params.field - An accessor for the data field * over which to calculate quantile values. * @param {Array} [params.groupby] - An array of accessors * to groupby. * @param {Array} [params.probs] - An array of probabilities in * the range (0, 1) for which to compute quantile values. If not specified, * the *step* parameter will be used. * @param {Array} [params.step=0.01] - A probability step size for * sampling quantile values. All values from one-half the step size up to * 1 (exclusive) will be sampled. This parameter is only used if the * *quantiles* parameter is not provided. */ function Quantile(params) { Transform.call(this, null, params); } Quantile.Definition = { 'type': 'Quantile', 'metadata': { 'generates': true, 'changes': true }, 'params': [{ 'name': 'groupby', 'type': 'field', 'array': true }, { 'name': 'field', 'type': 'field', 'required': true }, { 'name': 'probs', 'type': 'number', 'array': true }, { 'name': 'step', 'type': 'number', 'default': 0.01 }, { 'name': 'as', 'type': 'string', 'array': true, 'default': ['prob', 'value'] }] }; const EPSILON = 1e-14; inherits(Quantile, Transform, { transform(_, pulse) { const out = pulse.fork(pulse.NO_SOURCE | pulse.NO_FIELDS), as = _.as || ['prob', 'value']; if (this.value && !_.modified() && !pulse.changed()) { out.source = this.value; return out; } const source = pulse.materialize(pulse.SOURCE).source, groups = partition$1(source, _.groupby, _.field), names = (_.groupby || []).map(accessorName), values = [], step = _.step || 0.01, p = _.probs || (0,range/* default */.Z)(step / 2, 1 - EPSILON, step), n = p.length; groups.forEach(g => { const q = quantiles(g, p); for (let i = 0; i < n; ++i) { const t = {}; for (let i = 0; i < names.length; ++i) { t[names[i]] = g.dims[i]; } t[as[0]] = p[i]; t[as[1]] = q[i]; values.push(ingest$1(t)); } }); if (this.value) out.rem = this.value; this.value = out.add = out.source = values; return out; } }); /** * Relays a data stream between data processing pipelines. * If the derive parameter is set, this transform will create derived * copies of observed tuples. This provides derived data streams in which * modifications to the tuples do not pollute an upstream data source. * @param {object} params - The parameters for this operator. * @param {number} [params.derive=false] - Boolean flag indicating if * the transform should make derived copies of incoming tuples. * @constructor */ function Relay(params) { Transform.call(this, null, params); } inherits(Relay, Transform, { transform(_, pulse) { let out, lut; if (this.value) { lut = this.value; } else { out = pulse = pulse.addAll(); lut = this.value = {}; } if (_.derive) { out = pulse.fork(pulse.NO_SOURCE); pulse.visit(pulse.REM, t => { const id = tupleid(t); out.rem.push(lut[id]); lut[id] = null; }); pulse.visit(pulse.ADD, t => { const dt = derive(t); lut[tupleid(t)] = dt; out.add.push(dt); }); pulse.visit(pulse.MOD, t => { const dt = lut[tupleid(t)]; for (const k in t) { dt[k] = t[k]; // down stream writes may overwrite re-derived tuples // conservatively mark all source fields as modified out.modifies(k); } out.mod.push(dt); }); } return out; } }); /** * Samples tuples passing through this operator. * Uses reservoir sampling to maintain a representative sample. * @constructor * @param {object} params - The parameters for this operator. * @param {number} [params.size=1000] - The maximum number of samples. */ function Sample(params) { Transform.call(this, [], params); this.count = 0; } Sample.Definition = { 'type': 'Sample', 'metadata': {}, 'params': [{ 'name': 'size', 'type': 'number', 'default': 1000 }] }; inherits(Sample, Transform, { transform(_, pulse) { const out = pulse.fork(pulse.NO_SOURCE), mod = _.modified('size'), num = _.size, map = this.value.reduce((m, t) => (m[tupleid(t)] = 1, m), {}); let res = this.value, cnt = this.count, cap = 0; // sample reservoir update function function update(t) { let p, idx; if (res.length < num) { res.push(t); } else { idx = ~~((cnt + 1) * random()); if (idx < res.length && idx >= cap) { p = res[idx]; if (map[tupleid(p)]) out.rem.push(p); // eviction res[idx] = t; } } ++cnt; } if (pulse.rem.length) { // find all tuples that should be removed, add to output pulse.visit(pulse.REM, t => { const id = tupleid(t); if (map[id]) { map[id] = -1; out.rem.push(t); } --cnt; }); // filter removed tuples out of the sample reservoir res = res.filter(t => map[tupleid(t)] !== -1); } if ((pulse.rem.length || mod) && res.length < num && pulse.source) { // replenish sample if backing data source is available cap = cnt = res.length; pulse.visit(pulse.SOURCE, t => { // update, but skip previously sampled tuples if (!map[tupleid(t)]) update(t); }); cap = -1; } if (mod && res.length > num) { const n = res.length - num; for (let i = 0; i < n; ++i) { map[tupleid(res[i])] = -1; out.rem.push(res[i]); } res = res.slice(n); } if (pulse.mod.length) { // propagate modified tuples in the sample reservoir pulse.visit(pulse.MOD, t => { if (map[tupleid(t)]) out.mod.push(t); }); } if (pulse.add.length) { // update sample reservoir pulse.visit(pulse.ADD, update); } if (pulse.add.length || cap < 0) { // output newly added tuples out.add = res.filter(t => !map[tupleid(t)]); } this.count = cnt; this.value = out.source = res; return out; } }); /** * Generates data tuples for a specified sequence range of numbers. * @constructor * @param {object} params - The parameters for this operator. * @param {number} params.start - The first number in the sequence. * @param {number} params.stop - The last number (exclusive) in the sequence. * @param {number} [params.step=1] - The step size between numbers in the sequence. */ function Sequence(params) { Transform.call(this, null, params); } Sequence.Definition = { 'type': 'Sequence', 'metadata': { 'generates': true, 'changes': true }, 'params': [{ 'name': 'start', 'type': 'number', 'required': true }, { 'name': 'stop', 'type': 'number', 'required': true }, { 'name': 'step', 'type': 'number', 'default': 1 }, { 'name': 'as', 'type': 'string', 'default': 'data' }] }; inherits(Sequence, Transform, { transform(_, pulse) { if (this.value && !_.modified()) return; const out = pulse.materialize().fork(pulse.MOD), as = _.as || 'data'; out.rem = this.value ? pulse.rem.concat(this.value) : pulse.rem; this.value = (0,range/* default */.Z)(_.start, _.stop, _.step || 1).map(v => { const t = {}; t[as] = v; return ingest$1(t); }); out.add = pulse.add.concat(this.value); return out; } }); /** * Propagates a new pulse without any tuples so long as the input * pulse contains some added, removed or modified tuples. * @param {object} params - The parameters for this operator. * @constructor */ function Sieve(params) { Transform.call(this, null, params); this.modified(true); // always treat as modified } inherits(Sieve, Transform, { transform(_, pulse) { this.value = pulse.source; return pulse.changed() ? pulse.fork(pulse.NO_SOURCE | pulse.NO_FIELDS) : pulse.StopPropagation; } }); /** * Discretize dates to specific time units. * @constructor * @param {object} params - The parameters for this operator. * @param {function(object): *} params.field - The data field containing date/time values. */ function TimeUnit(params) { Transform.call(this, null, params); } const OUTPUT = ['unit0', 'unit1']; TimeUnit.Definition = { 'type': 'TimeUnit', 'metadata': { 'modifies': true }, 'params': [{ 'name': 'field', 'type': 'field', 'required': true }, { 'name': 'interval', 'type': 'boolean', 'default': true }, { 'name': 'units', 'type': 'enum', 'values': TIME_UNITS, 'array': true }, { 'name': 'step', 'type': 'number', 'default': 1 }, { 'name': 'maxbins', 'type': 'number', 'default': 40 }, { 'name': 'extent', 'type': 'date', 'array': true }, { 'name': 'timezone', 'type': 'enum', 'default': 'local', 'values': ['local', 'utc'] }, { 'name': 'as', 'type': 'string', 'array': true, 'length': 2, 'default': OUTPUT }] }; inherits(TimeUnit, Transform, { transform(_, pulse) { const field = _.field, band = _.interval !== false, utc = _.timezone === 'utc', floor = this._floor(_, pulse), offset = (utc ? utcInterval : timeInterval)(floor.unit).offset, as = _.as || OUTPUT, u0 = as[0], u1 = as[1], step = floor.step; let min = floor.start || Infinity, max = floor.stop || -Infinity, flag = pulse.ADD; if (_.modified() || pulse.changed(pulse.REM) || pulse.modified(accessorFields(field))) { pulse = pulse.reflow(true); flag = pulse.SOURCE; min = Infinity; max = -Infinity; } pulse.visit(flag, t => { const v = field(t); let a, b; if (v == null) { t[u0] = null; if (band) t[u1] = null; } else { t[u0] = a = b = floor(v); if (band) t[u1] = b = offset(a, step); if (a < min) min = a; if (b > max) max = b; } }); floor.start = min; floor.stop = max; return pulse.modifies(band ? as : u0); }, _floor(_, pulse) { const utc = _.timezone === 'utc'; // get parameters const { units, step } = _.units ? { units: _.units, step: _.step || 1 } : bin({ extent: _.extent || extent(pulse.materialize(pulse.SOURCE).source, _.field), maxbins: _.maxbins }); // check / standardize time units const tunits = timeUnits(units), prev = this.value || {}, floor = (utc ? utcFloor : timeFloor)(tunits, step); floor.unit = peek(tunits); floor.units = tunits; floor.step = step; floor.start = prev.start; floor.stop = prev.stop; return this.value = floor; } }); /** * An index that maps from unique, string-coerced, field values to tuples. * Assumes that the field serves as a unique key with no duplicate values. * @constructor * @param {object} params - The parameters for this operator. * @param {function(object): *} params.field - The field accessor to index. */ function TupleIndex(params) { Transform.call(this, fastmap(), params); } inherits(TupleIndex, Transform, { transform(_, pulse) { const df = pulse.dataflow, field = _.field, index = this.value, set = t => index.set(field(t), t); let mod = true; if (_.modified('field') || pulse.modified(field.fields)) { index.clear(); pulse.visit(pulse.SOURCE, set); } else if (pulse.changed()) { pulse.visit(pulse.REM, t => index.delete(field(t))); pulse.visit(pulse.ADD, set); } else { mod = false; } this.modified(mod); if (index.empty > df.cleanThreshold) df.runAfter(index.clean); return pulse.fork(); } }); /** * Extracts an array of values. Assumes the source data has already been * reduced as needed (e.g., by an upstream Aggregate transform). * @constructor * @param {object} params - The parameters for this operator. * @param {function(object): *} params.field - The domain field to extract. * @param {function(*,*): number} [params.sort] - An optional * comparator function for sorting the values. The comparator will be * applied to backing tuples prior to value extraction. */ function Values(params) { Transform.call(this, null, params); } inherits(Values, Transform, { transform(_, pulse) { const run = !this.value || _.modified('field') || _.modified('sort') || pulse.changed() || _.sort && pulse.modified(_.sort.fields); if (run) { this.value = (_.sort ? pulse.source.slice().sort(stableCompare(_.sort)) : pulse.source).map(_.field); } } }); function WindowOp(op, field, param, as) { const fn = WindowOps[op](field, param); return { init: fn.init || zero, update: function (w, t) { t[as] = fn.next(w); } }; } const WindowOps = { row_number: function () { return { next: w => w.index + 1 }; }, rank: function () { let rank; return { init: () => rank = 1, next: w => { const i = w.index, data = w.data; return i && w.compare(data[i - 1], data[i]) ? rank = i + 1 : rank; } }; }, dense_rank: function () { let drank; return { init: () => drank = 1, next: w => { const i = w.index, d = w.data; return i && w.compare(d[i - 1], d[i]) ? ++drank : drank; } }; }, percent_rank: function () { const rank = WindowOps.rank(), next = rank.next; return { init: rank.init, next: w => (next(w) - 1) / (w.data.length - 1) }; }, cume_dist: function () { let cume; return { init: () => cume = 0, next: w => { const d = w.data, c = w.compare; let i = w.index; if (cume < i) { while (i + 1 < d.length && !c(d[i], d[i + 1])) ++i; cume = i; } return (1 + cume) / d.length; } }; }, ntile: function (field, num) { num = +num; if (!(num > 0)) vega_util_module_error('ntile num must be greater than zero.'); const cume = WindowOps.cume_dist(), next = cume.next; return { init: cume.init, next: w => Math.ceil(num * next(w)) }; }, lag: function (field, offset) { offset = +offset || 1; return { next: w => { const i = w.index - offset; return i >= 0 ? field(w.data[i]) : null; } }; }, lead: function (field, offset) { offset = +offset || 1; return { next: w => { const i = w.index + offset, d = w.data; return i < d.length ? field(d[i]) : null; } }; }, first_value: function (field) { return { next: w => field(w.data[w.i0]) }; }, last_value: function (field) { return { next: w => field(w.data[w.i1 - 1]) }; }, nth_value: function (field, nth) { nth = +nth; if (!(nth > 0)) vega_util_module_error('nth_value nth must be greater than zero.'); return { next: w => { const i = w.i0 + (nth - 1); return i < w.i1 ? field(w.data[i]) : null; } }; }, prev_value: function (field) { let prev; return { init: () => prev = null, next: w => { const v = field(w.data[w.index]); return v != null ? prev = v : prev; } }; }, next_value: function (field) { let v, i; return { init: () => (v = null, i = -1), next: w => { const d = w.data; return w.index <= i ? v : (i = find(field, d, w.index)) < 0 ? (i = d.length, v = null) : v = field(d[i]); } }; } }; function find(field, data, index) { for (let n = data.length; index < n; ++index) { const v = field(data[index]); if (v != null) return index; } return -1; } const ValidWindowOps = Object.keys(WindowOps); function WindowState(_) { const ops = array(_.ops), fields = array(_.fields), params = array(_.params), aggregate_params = array(_.aggregate_params), as = array(_.as), outputs = this.outputs = [], windows = this.windows = [], inputs = {}, map = {}, counts = [], measures = []; let countOnly = true; function visitInputs(f) { array(accessorFields(f)).forEach(_ => inputs[_] = 1); } visitInputs(_.sort); ops.forEach((op, i) => { const field = fields[i], param = params[i], aggregate_param = aggregate_params[i] || null, mname = accessorName(field), name = measureName(op, mname, as[i]); visitInputs(field); outputs.push(name); // Window operation if (has(WindowOps, op)) { windows.push(WindowOp(op, field, param, name)); } // Aggregate operation else { if (field == null && op !== 'count') { vega_util_module_error('Null aggregate field specified.'); } if (op === 'count') { counts.push(name); return; } countOnly = false; let m = map[mname]; if (!m) { m = map[mname] = []; m.field = field; measures.push(m); } m.push(createMeasure(op, aggregate_param, name)); } }); if (counts.length || measures.length) { this.cell = cell(measures, counts, countOnly); } this.inputs = Object.keys(inputs); } const vega_transforms_module_prototype = WindowState.prototype; vega_transforms_module_prototype.init = function () { this.windows.forEach(_ => _.init()); if (this.cell) this.cell.init(); }; vega_transforms_module_prototype.update = function (w, t) { const cell = this.cell, wind = this.windows, data = w.data, m = wind && wind.length; let j; if (cell) { for (j = w.p0; j < w.i0; ++j) cell.rem(data[j]); for (j = w.p1; j < w.i1; ++j) cell.add(data[j]); cell.set(t); } for (j = 0; j < m; ++j) wind[j].update(w, t); }; function cell(measures, counts, countOnly) { measures = measures.map(m => compileMeasures(m, m.field)); const cell = { num: 0, agg: null, store: false, count: counts }; if (!countOnly) { var n = measures.length, a = cell.agg = Array(n), i = 0; for (; i < n; ++i) a[i] = new measures[i](cell); } if (cell.store) { var store = cell.data = new TupleStore(); } cell.add = function (t) { cell.num += 1; if (countOnly) return; if (store) store.add(t); for (let i = 0; i < n; ++i) { a[i].add(a[i].get(t), t); } }; cell.rem = function (t) { cell.num -= 1; if (countOnly) return; if (store) store.rem(t); for (let i = 0; i < n; ++i) { a[i].rem(a[i].get(t), t); } }; cell.set = function (t) { let i, n; // consolidate stored values if (store) store.values(); // update tuple properties for (i = 0, n = counts.length; i < n; ++i) t[counts[i]] = cell.num; if (!countOnly) for (i = 0, n = a.length; i < n; ++i) a[i].set(t); }; cell.init = function () { cell.num = 0; if (store) store.reset(); for (let i = 0; i < n; ++i) a[i].init(); }; return cell; } /** * Perform window calculations and write results to the input stream. * @constructor * @param {object} params - The parameters for this operator. * @param {function(*,*): number} [params.sort] - A comparator function for sorting tuples within a window. * @param {Array} [params.groupby] - An array of accessors by which to partition tuples into separate windows. * @param {Array} params.ops - An array of strings indicating window operations to perform. * @param {Array} [params.fields] - An array of accessors * for data fields to use as inputs to window operations. * @param {Array<*>} [params.params] - An array of parameter values for window operations. * @param {Array} [params.aggregate_params] - An optional array of parameter values for aggregation operations. * @param {Array} [params.as] - An array of output field names for window operations. * @param {Array} [params.frame] - Window frame definition as two-element array. * @param {boolean} [params.ignorePeers=false] - If true, base window frame boundaries on row * number alone, ignoring peers with identical sort values. If false (default), * the window boundaries will be adjusted to include peer values. */ function Window(params) { Transform.call(this, {}, params); this._mlen = 0; this._mods = []; } Window.Definition = { 'type': 'Window', 'metadata': { 'modifies': true }, 'params': [{ 'name': 'sort', 'type': 'compare' }, { 'name': 'groupby', 'type': 'field', 'array': true }, { 'name': 'ops', 'type': 'enum', 'array': true, 'values': ValidWindowOps.concat(ValidAggregateOps) }, { 'name': 'params', 'type': 'number', 'null': true, 'array': true }, { 'name': 'aggregate_params', 'type': 'number', 'null': true, 'array': true }, { 'name': 'fields', 'type': 'field', 'null': true, 'array': true }, { 'name': 'as', 'type': 'string', 'null': true, 'array': true }, { 'name': 'frame', 'type': 'number', 'null': true, 'array': true, 'length': 2, 'default': [null, 0] }, { 'name': 'ignorePeers', 'type': 'boolean', 'default': false }] }; inherits(Window, Transform, { transform(_, pulse) { this.stamp = pulse.stamp; const mod = _.modified(), cmp = stableCompare(_.sort), key = groupkey(_.groupby), group = t => this.group(key(t)); // initialize window state let state = this.state; if (!state || mod) { state = this.state = new WindowState(_); } // partition input tuples if (mod || pulse.modified(state.inputs)) { this.value = {}; pulse.visit(pulse.SOURCE, t => group(t).add(t)); } else { pulse.visit(pulse.REM, t => group(t).remove(t)); pulse.visit(pulse.ADD, t => group(t).add(t)); } // perform window calculations for each modified partition for (let i = 0, n = this._mlen; i < n; ++i) { processPartition(this._mods[i], state, cmp, _); } this._mlen = 0; this._mods = []; // TODO don't reflow everything? return pulse.reflow(mod).modifies(state.outputs); }, group(key) { let group = this.value[key]; if (!group) { group = this.value[key] = SortedList(tupleid); group.stamp = -1; } if (group.stamp < this.stamp) { group.stamp = this.stamp; this._mods[this._mlen++] = group; } return group; } }); function processPartition(list, state, cmp, _) { const sort = _.sort, range = sort && !_.ignorePeers, frame = _.frame || [null, 0], data = list.data(cmp), // use cmp for stable sort n = data.length, b = range ? (0,bisector/* default */.Z)(sort) : null, w = { i0: 0, i1: 0, p0: 0, p1: 0, index: 0, data: data, compare: sort || vega_util_module_constant(-1) }; state.init(); for (let i = 0; i < n; ++i) { setWindow(w, frame, i, n); if (range) adjustRange(w, b); state.update(w, data[i]); } } function setWindow(w, f, i, n) { w.p0 = w.i0; w.p1 = w.i1; w.i0 = f[0] == null ? 0 : Math.max(0, i - Math.abs(f[0])); w.i1 = f[1] == null ? n : Math.min(n, i + Math.abs(f[1]) + 1); w.index = i; } // if frame type is 'range', adjust window for peer values function adjustRange(w, bisect) { const r0 = w.i0, r1 = w.i1 - 1, c = w.compare, d = w.data, n = d.length - 1; if (r0 > 0 && !c(d[r0], d[r0 - 1])) w.i0 = bisect.left(d, d[r0]); if (r1 < n && !c(d[r1], d[r1 + 1])) w.i1 = bisect.right(d, d[r1]); } // EXTERNAL MODULE: ../node_modules/d3-shape/src/curve/basis.js var basis = __webpack_require__(73021); // EXTERNAL MODULE: ../node_modules/d3-shape/src/curve/basisClosed.js var basisClosed = __webpack_require__(88973); // EXTERNAL MODULE: ../node_modules/d3-shape/src/curve/basisOpen.js var basisOpen = __webpack_require__(74372); // EXTERNAL MODULE: ../node_modules/d3-shape/src/curve/bundle.js var bundle = __webpack_require__(32830); // EXTERNAL MODULE: ../node_modules/d3-shape/src/curve/cardinal.js var cardinal = __webpack_require__(88800); // EXTERNAL MODULE: ../node_modules/d3-shape/src/curve/cardinalOpen.js var cardinalOpen = __webpack_require__(41599); // EXTERNAL MODULE: ../node_modules/d3-shape/src/curve/cardinalClosed.js var cardinalClosed = __webpack_require__(91390); // EXTERNAL MODULE: ../node_modules/d3-shape/src/curve/catmullRom.js var catmullRom = __webpack_require__(48917); // EXTERNAL MODULE: ../node_modules/d3-shape/src/curve/catmullRomClosed.js var catmullRomClosed = __webpack_require__(7391); // EXTERNAL MODULE: ../node_modules/d3-shape/src/curve/catmullRomOpen.js var catmullRomOpen = __webpack_require__(63703); // EXTERNAL MODULE: ../node_modules/d3-shape/src/curve/linear.js var curve_linear = __webpack_require__(4224); // EXTERNAL MODULE: ../node_modules/d3-shape/src/curve/linearClosed.js var linearClosed = __webpack_require__(29458); // EXTERNAL MODULE: ../node_modules/d3-shape/src/curve/monotone.js var monotone = __webpack_require__(78509); // EXTERNAL MODULE: ../node_modules/d3-shape/src/curve/natural.js var natural = __webpack_require__(3499); // EXTERNAL MODULE: ../node_modules/d3-shape/src/curve/step.js var step = __webpack_require__(21468); // EXTERNAL MODULE: ../node_modules/d3-shape/src/arc.js var arc = __webpack_require__(87826); // EXTERNAL MODULE: ../node_modules/d3-shape/src/array.js var src_array = __webpack_require__(89555); // EXTERNAL MODULE: ../node_modules/d3-shape/src/constant.js var src_constant = __webpack_require__(17728); // EXTERNAL MODULE: ../node_modules/d3-shape/src/line.js var line = __webpack_require__(40652); // EXTERNAL MODULE: ../node_modules/d3-shape/src/path.js var src_path = __webpack_require__(53863); // EXTERNAL MODULE: ../node_modules/d3-shape/src/point.js var point = __webpack_require__(41221); ;// CONCATENATED MODULE: ../node_modules/d3-shape/src/area.js /* harmony default export */ function src_area(x0, y0, y1) { var x1 = null, defined = (0,src_constant/* default */.Z)(true), context = null, curve = curve_linear/* default */.Z, output = null, path = (0,src_path/* withPath */.d)(area); x0 = typeof x0 === "function" ? x0 : (x0 === undefined) ? point.x : (0,src_constant/* default */.Z)(+x0); y0 = typeof y0 === "function" ? y0 : (y0 === undefined) ? (0,src_constant/* default */.Z)(0) : (0,src_constant/* default */.Z)(+y0); y1 = typeof y1 === "function" ? y1 : (y1 === undefined) ? point.y : (0,src_constant/* default */.Z)(+y1); function area(data) { var i, j, k, n = (data = (0,src_array/* default */.Z)(data)).length, d, defined0 = false, buffer, x0z = new Array(n), y0z = new Array(n); if (context == null) output = curve(buffer = path()); for (i = 0; i <= n; ++i) { if (!(i < n && defined(d = data[i], i, data)) === defined0) { if (defined0 = !defined0) { j = i; output.areaStart(); output.lineStart(); } else { output.lineEnd(); output.lineStart(); for (k = i - 1; k >= j; --k) { output.point(x0z[k], y0z[k]); } output.lineEnd(); output.areaEnd(); } } if (defined0) { x0z[i] = +x0(d, i, data), y0z[i] = +y0(d, i, data); output.point(x1 ? +x1(d, i, data) : x0z[i], y1 ? +y1(d, i, data) : y0z[i]); } } if (buffer) return output = null, buffer + "" || null; } function arealine() { return (0,line/* default */.Z)().defined(defined).curve(curve).context(context); } area.x = function(_) { return arguments.length ? (x0 = typeof _ === "function" ? _ : (0,src_constant/* default */.Z)(+_), x1 = null, area) : x0; }; area.x0 = function(_) { return arguments.length ? (x0 = typeof _ === "function" ? _ : (0,src_constant/* default */.Z)(+_), area) : x0; }; area.x1 = function(_) { return arguments.length ? (x1 = _ == null ? null : typeof _ === "function" ? _ : (0,src_constant/* default */.Z)(+_), area) : x1; }; area.y = function(_) { return arguments.length ? (y0 = typeof _ === "function" ? _ : (0,src_constant/* default */.Z)(+_), y1 = null, area) : y0; }; area.y0 = function(_) { return arguments.length ? (y0 = typeof _ === "function" ? _ : (0,src_constant/* default */.Z)(+_), area) : y0; }; area.y1 = function(_) { return arguments.length ? (y1 = _ == null ? null : typeof _ === "function" ? _ : (0,src_constant/* default */.Z)(+_), area) : y1; }; area.lineX0 = area.lineY0 = function() { return arealine().x(x0).y(y0); }; area.lineY1 = function() { return arealine().x(x0).y(y1); }; area.lineX1 = function() { return arealine().x(x1).y(y0); }; area.defined = function(_) { return arguments.length ? (defined = typeof _ === "function" ? _ : (0,src_constant/* default */.Z)(!!_), area) : defined; }; area.curve = function(_) { return arguments.length ? (curve = _, context != null && (output = curve(context)), area) : curve; }; area.context = function(_) { return arguments.length ? (_ == null ? context = output = null : output = curve(context = _), area) : context; }; return area; } // EXTERNAL MODULE: ../node_modules/d3-shape/src/math.js var math = __webpack_require__(90596); ;// CONCATENATED MODULE: ../node_modules/d3-shape/src/symbol/asterisk.js const sqrt3 = (0,math/* sqrt */._b)(3); /* harmony default export */ const asterisk = ({ draw(context, size) { const r = (0,math/* sqrt */._b)(size + (0,math/* min */.VV)(size / 28, 0.75)) * 0.59436; const t = r / 2; const u = t * sqrt3; context.moveTo(0, r); context.lineTo(0, -r); context.moveTo(-u, -t); context.lineTo(u, t); context.moveTo(-u, t); context.lineTo(u, -t); } }); ;// CONCATENATED MODULE: ../node_modules/d3-shape/src/symbol/circle.js /* harmony default export */ const circle = ({ draw(context, size) { const r = (0,math/* sqrt */._b)(size / math.pi); context.moveTo(r, 0); context.arc(0, 0, r, 0, math/* tau */.BZ); } }); ;// CONCATENATED MODULE: ../node_modules/d3-shape/src/symbol/cross.js /* harmony default export */ const symbol_cross = ({ draw(context, size) { const r = (0,math/* sqrt */._b)(size / 5) / 2; context.moveTo(-3 * r, -r); context.lineTo(-r, -r); context.lineTo(-r, -3 * r); context.lineTo(r, -3 * r); context.lineTo(r, -r); context.lineTo(3 * r, -r); context.lineTo(3 * r, r); context.lineTo(r, r); context.lineTo(r, 3 * r); context.lineTo(-r, 3 * r); context.lineTo(-r, r); context.lineTo(-3 * r, r); context.closePath(); } }); ;// CONCATENATED MODULE: ../node_modules/d3-shape/src/symbol/diamond.js const tan30 = (0,math/* sqrt */._b)(1 / 3); const tan30_2 = tan30 * 2; /* harmony default export */ const diamond = ({ draw(context, size) { const y = (0,math/* sqrt */._b)(size / tan30_2); const x = y * tan30; context.moveTo(0, -y); context.lineTo(x, 0); context.lineTo(0, y); context.lineTo(-x, 0); context.closePath(); } }); ;// CONCATENATED MODULE: ../node_modules/d3-shape/src/symbol/diamond2.js /* harmony default export */ const diamond2 = ({ draw(context, size) { const r = (0,math/* sqrt */._b)(size) * 0.62625; context.moveTo(0, -r); context.lineTo(r, 0); context.lineTo(0, r); context.lineTo(-r, 0); context.closePath(); } }); ;// CONCATENATED MODULE: ../node_modules/d3-shape/src/symbol/plus.js /* harmony default export */ const plus = ({ draw(context, size) { const r = (0,math/* sqrt */._b)(size - (0,math/* min */.VV)(size / 7, 2)) * 0.87559; context.moveTo(-r, 0); context.lineTo(r, 0); context.moveTo(0, r); context.lineTo(0, -r); } }); ;// CONCATENATED MODULE: ../node_modules/d3-shape/src/symbol/square.js /* harmony default export */ const square = ({ draw(context, size) { const w = (0,math/* sqrt */._b)(size); const x = -w / 2; context.rect(x, x, w, w); } }); ;// CONCATENATED MODULE: ../node_modules/d3-shape/src/symbol/square2.js /* harmony default export */ const square2 = ({ draw(context, size) { const r = (0,math/* sqrt */._b)(size) * 0.4431; context.moveTo(r, r); context.lineTo(r, -r); context.lineTo(-r, -r); context.lineTo(-r, r); context.closePath(); } }); ;// CONCATENATED MODULE: ../node_modules/d3-shape/src/symbol/star.js const ka = 0.89081309152928522810; const kr = (0,math/* sin */.O$)(math.pi / 10) / (0,math/* sin */.O$)(7 * math.pi / 10); const kx = (0,math/* sin */.O$)(math/* tau */.BZ / 10) * kr; const ky = -(0,math/* cos */.mC)(math/* tau */.BZ / 10) * kr; /* harmony default export */ const star = ({ draw(context, size) { const r = (0,math/* sqrt */._b)(size * ka); const x = kx * r; const y = ky * r; context.moveTo(0, -r); context.lineTo(x, y); for (let i = 1; i < 5; ++i) { const a = math/* tau */.BZ * i / 5; const c = (0,math/* cos */.mC)(a); const s = (0,math/* sin */.O$)(a); context.lineTo(s * r, -c * r); context.lineTo(c * x - s * y, s * x + c * y); } context.closePath(); } }); ;// CONCATENATED MODULE: ../node_modules/d3-shape/src/symbol/triangle.js const triangle_sqrt3 = (0,math/* sqrt */._b)(3); /* harmony default export */ const triangle = ({ draw(context, size) { const y = -(0,math/* sqrt */._b)(size / (triangle_sqrt3 * 3)); context.moveTo(0, y * 2); context.lineTo(-triangle_sqrt3 * y, -y); context.lineTo(triangle_sqrt3 * y, -y); context.closePath(); } }); ;// CONCATENATED MODULE: ../node_modules/d3-shape/src/symbol/triangle2.js const triangle2_sqrt3 = (0,math/* sqrt */._b)(3); /* harmony default export */ const triangle2 = ({ draw(context, size) { const s = (0,math/* sqrt */._b)(size) * 0.6824; const t = s / 2; const u = (s * triangle2_sqrt3) / 2; // cos(Math.PI / 6) context.moveTo(0, -s); context.lineTo(u, t); context.lineTo(-u, t); context.closePath(); } }); ;// CONCATENATED MODULE: ../node_modules/d3-shape/src/symbol/wye.js const c = -0.5; const s = (0,math/* sqrt */._b)(3) / 2; const k = 1 / (0,math/* sqrt */._b)(12); const a = (k / 2 + 1) * 3; /* harmony default export */ const wye = ({ draw(context, size) { const r = (0,math/* sqrt */._b)(size / a); const x0 = r / 2, y0 = r * k; const x1 = x0, y1 = r * k + r; const x2 = -x1, y2 = y1; context.moveTo(x0, y0); context.lineTo(x1, y1); context.lineTo(x2, y2); context.lineTo(c * x0 - s * y0, s * x0 + c * y0); context.lineTo(c * x1 - s * y1, s * x1 + c * y1); context.lineTo(c * x2 - s * y2, s * x2 + c * y2); context.lineTo(c * x0 + s * y0, c * y0 - s * x0); context.lineTo(c * x1 + s * y1, c * y1 - s * x1); context.lineTo(c * x2 + s * y2, c * y2 - s * x2); context.closePath(); } }); ;// CONCATENATED MODULE: ../node_modules/d3-shape/src/symbol/times.js /* harmony default export */ const times = ({ draw(context, size) { const r = (0,math/* sqrt */._b)(size - (0,math/* min */.VV)(size / 6, 1.7)) * 0.6189; context.moveTo(-r, -r); context.lineTo(r, r); context.moveTo(-r, r); context.lineTo(r, -r); } }); ;// CONCATENATED MODULE: ../node_modules/d3-shape/src/symbol.js // These symbols are designed to be filled. const symbolsFill = [ circle, symbol_cross, diamond, square, star, triangle, wye ]; // These symbols are designed to be stroked (with a width of 1.5px and round caps). const symbolsStroke = [ circle, plus, times, triangle2, asterisk, square2, diamond2 ]; function symbol_Symbol(type, size) { let context = null, path = (0,src_path/* withPath */.d)(symbol); type = typeof type === "function" ? type : (0,src_constant/* default */.Z)(type || circle); size = typeof size === "function" ? size : (0,src_constant/* default */.Z)(size === undefined ? 64 : +size); function symbol() { let buffer; if (!context) context = buffer = path(); type.apply(this, arguments).draw(context, +size.apply(this, arguments)); if (buffer) return context = null, buffer + "" || null; } symbol.type = function(_) { return arguments.length ? (type = typeof _ === "function" ? _ : (0,src_constant/* default */.Z)(_), symbol) : type; }; symbol.size = function(_) { return arguments.length ? (size = typeof _ === "function" ? _ : (0,src_constant/* default */.Z)(+_), symbol) : size; }; symbol.context = function(_) { return arguments.length ? (context = _ == null ? null : _, symbol) : context; }; return symbol; } // EXTERNAL MODULE: ../node_modules/d3-path/src/path.js var path = __webpack_require__(3791); ;// CONCATENATED MODULE: ../node_modules/vega-canvas/build/vega-canvas.browser.module.js function domCanvas(w, h) { if (typeof document !== 'undefined' && document.createElement) { const c = document.createElement('canvas'); if (c && c.getContext) { c.width = w; c.height = h; return c; } } return null; } const domImage = () => typeof Image !== 'undefined' ? Image : null; // EXTERNAL MODULE: ../node_modules/d3-array/src/bisect.js var src_bisect = __webpack_require__(10321); // EXTERNAL MODULE: ../node_modules/d3-scale/src/linear.js var src_linear = __webpack_require__(29387); // EXTERNAL MODULE: ../node_modules/d3-scale/src/number.js var d3_scale_src_number = __webpack_require__(26481); ;// CONCATENATED MODULE: ../node_modules/d3-scale/src/identity.js function identity_identity(domain) { var unknown; function scale(x) { return x == null || isNaN(x = +x) ? unknown : x; } scale.invert = scale; scale.domain = scale.range = function(_) { return arguments.length ? (domain = Array.from(_, d3_scale_src_number/* default */.Z), scale) : domain.slice(); }; scale.unknown = function(_) { return arguments.length ? (unknown = _, scale) : unknown; }; scale.copy = function() { return identity_identity(domain).unknown(unknown); }; domain = arguments.length ? Array.from(domain, d3_scale_src_number/* default */.Z) : [0, 1]; return (0,src_linear/* linearish */.Q)(scale); } // EXTERNAL MODULE: ../node_modules/d3-scale/src/nice.js var nice = __webpack_require__(78319); // EXTERNAL MODULE: ../node_modules/d3-scale/src/continuous.js + 1 modules var continuous = __webpack_require__(20356); // EXTERNAL MODULE: ../node_modules/d3-scale/src/init.js var src_init = __webpack_require__(42287); ;// CONCATENATED MODULE: ../node_modules/d3-scale/src/log.js function transformLog(x) { return Math.log(x); } function transformExp(x) { return Math.exp(x); } function transformLogn(x) { return -Math.log(-x); } function transformExpn(x) { return -Math.exp(-x); } function pow10(x) { return isFinite(x) ? +("1e" + x) : x < 0 ? 0 : x; } function powp(base) { return base === 10 ? pow10 : base === Math.E ? Math.exp : x => Math.pow(base, x); } function logp(base) { return base === Math.E ? Math.log : base === 10 && Math.log10 || base === 2 && Math.log2 || (base = Math.log(base), x => Math.log(x) / base); } function reflect(f) { return (x, k) => -f(-x, k); } function loggish(transform) { const scale = transform(transformLog, transformExp); const domain = scale.domain; let base = 10; let logs; let pows; function rescale() { logs = logp(base), pows = powp(base); if (domain()[0] < 0) { logs = reflect(logs), pows = reflect(pows); transform(transformLogn, transformExpn); } else { transform(transformLog, transformExp); } return scale; } scale.base = function(_) { return arguments.length ? (base = +_, rescale()) : base; }; scale.domain = function(_) { return arguments.length ? (domain(_), rescale()) : domain(); }; scale.ticks = count => { const d = domain(); let u = d[0]; let v = d[d.length - 1]; const r = v < u; if (r) ([u, v] = [v, u]); let i = logs(u); let j = logs(v); let k; let t; const n = count == null ? 10 : +count; let z = []; if (!(base % 1) && j - i < n) { i = Math.floor(i), j = Math.ceil(j); if (u > 0) for (; i <= j; ++i) { for (k = 1; k < base; ++k) { t = i < 0 ? k / pows(-i) : k * pows(i); if (t < u) continue; if (t > v) break; z.push(t); } } else for (; i <= j; ++i) { for (k = base - 1; k >= 1; --k) { t = i > 0 ? k / pows(-i) : k * pows(i); if (t < u) continue; if (t > v) break; z.push(t); } } if (z.length * 2 < n) z = (0,ticks/* default */.ZP)(u, v, n); } else { z = (0,ticks/* default */.ZP)(i, j, Math.min(j - i, n)).map(pows); } return r ? z.reverse() : z; }; scale.tickFormat = (count, specifier) => { if (count == null) count = 10; if (specifier == null) specifier = base === 10 ? "s" : ","; if (typeof specifier !== "function") { if (!(base % 1) && (specifier = (0,formatSpecifier/* default */.Z)(specifier)).precision == null) specifier.trim = true; specifier = (0,defaultLocale/* format */.WU)(specifier); } if (count === Infinity) return specifier; const k = Math.max(1, base * count / scale.ticks().length); // TODO fast estimate? return d => { let i = d / pows(Math.round(logs(d))); if (i * base < base - 0.5) i *= base; return i <= k ? specifier(d) : ""; }; }; scale.nice = () => { return domain((0,nice/* default */.Z)(domain(), { floor: x => pows(Math.floor(logs(x))), ceil: x => pows(Math.ceil(logs(x))) })); }; return scale; } function log_log() { const scale = loggish((0,continuous/* transformer */.l4)()).domain([1, 10]); scale.copy = () => (0,continuous/* copy */.JG)(scale, log_log()).base(scale.base()); src_init/* initRange */.o.apply(scale, arguments); return scale; } ;// CONCATENATED MODULE: ../node_modules/d3-scale/src/pow.js function transformPow(exponent) { return function(x) { return x < 0 ? -Math.pow(-x, exponent) : Math.pow(x, exponent); }; } function transformSqrt(x) { return x < 0 ? -Math.sqrt(-x) : Math.sqrt(x); } function transformSquare(x) { return x < 0 ? -x * x : x * x; } function powish(transform) { var scale = transform(continuous/* identity */.yR, continuous/* identity */.yR), exponent = 1; function rescale() { return exponent === 1 ? transform(continuous/* identity */.yR, continuous/* identity */.yR) : exponent === 0.5 ? transform(transformSqrt, transformSquare) : transform(transformPow(exponent), transformPow(1 / exponent)); } scale.exponent = function(_) { return arguments.length ? (exponent = +_, rescale()) : exponent; }; return (0,src_linear/* linearish */.Q)(scale); } function pow_pow() { var scale = powish((0,continuous/* transformer */.l4)()); scale.copy = function() { return (0,continuous/* copy */.JG)(scale, pow_pow()).exponent(scale.exponent()); }; src_init/* initRange */.o.apply(scale, arguments); return scale; } function sqrt() { return pow_pow.apply(null, arguments).exponent(0.5); } ;// CONCATENATED MODULE: ../node_modules/d3-scale/src/symlog.js function transformSymlog(c) { return function(x) { return Math.sign(x) * Math.log1p(Math.abs(x / c)); }; } function transformSymexp(c) { return function(x) { return Math.sign(x) * Math.expm1(Math.abs(x)) * c; }; } function symlogish(transform) { var c = 1, scale = transform(transformSymlog(c), transformSymexp(c)); scale.constant = function(_) { return arguments.length ? transform(transformSymlog(c = +_), transformSymexp(c)) : c; }; return (0,src_linear/* linearish */.Q)(scale); } function symlog_symlog() { var scale = symlogish((0,continuous/* transformer */.l4)()); scale.copy = function() { return (0,continuous/* copy */.JG)(scale, symlog_symlog()).constant(scale.constant()); }; return src_init/* initRange */.o.apply(scale, arguments); } // EXTERNAL MODULE: ../node_modules/d3-scale/src/time.js var time = __webpack_require__(61941); // EXTERNAL MODULE: ../node_modules/d3-time/src/ticks.js var src_ticks = __webpack_require__(18744); ;// CONCATENATED MODULE: ../node_modules/d3-scale/src/utcTime.js function utcTime() { return src_init/* initRange */.o.apply((0,time/* calendar */.Y)(src_ticks/* utcTicks */.WG, src_ticks/* utcTickInterval */.jo, year/* utcYear */.ol, month/* utcMonth */.me, week/* utcSunday */.pI, day/* utcDay */.AN, hour/* utcHour */.lM, minute/* utcMinute */.rz, second/* second */.E, src_defaultLocale/* utcFormat */.g0).domain([Date.UTC(2000, 0, 1), Date.UTC(2000, 0, 2)]), arguments); } // EXTERNAL MODULE: ../node_modules/d3-interpolate/src/value.js var value = __webpack_require__(54289); // EXTERNAL MODULE: ../node_modules/d3-interpolate/src/round.js var src_round = __webpack_require__(58687); ;// CONCATENATED MODULE: ../node_modules/d3-scale/src/sequential.js function transformer() { var x0 = 0, x1 = 1, t0, t1, k10, transform, interpolator = continuous/* identity */.yR, clamp = false, unknown; function scale(x) { return x == null || isNaN(x = +x) ? unknown : interpolator(k10 === 0 ? 0.5 : (x = (transform(x) - t0) * k10, clamp ? Math.max(0, Math.min(1, x)) : x)); } scale.domain = function(_) { return arguments.length ? ([x0, x1] = _, t0 = transform(x0 = +x0), t1 = transform(x1 = +x1), k10 = t0 === t1 ? 0 : 1 / (t1 - t0), scale) : [x0, x1]; }; scale.clamp = function(_) { return arguments.length ? (clamp = !!_, scale) : clamp; }; scale.interpolator = function(_) { return arguments.length ? (interpolator = _, scale) : interpolator; }; function range(interpolate) { return function(_) { var r0, r1; return arguments.length ? ([r0, r1] = _, interpolator = interpolate(r0, r1), scale) : [interpolator(0), interpolator(1)]; }; } scale.range = range(value/* default */.Z); scale.rangeRound = range(src_round/* default */.Z); scale.unknown = function(_) { return arguments.length ? (unknown = _, scale) : unknown; }; return function(t) { transform = t, t0 = t(x0), t1 = t(x1), k10 = t0 === t1 ? 0 : 1 / (t1 - t0); return scale; }; } function copy(source, target) { return target .domain(source.domain()) .interpolator(source.interpolator()) .clamp(source.clamp()) .unknown(source.unknown()); } function sequential() { var scale = (0,src_linear/* linearish */.Q)(transformer()(continuous/* identity */.yR)); scale.copy = function() { return copy(scale, sequential()); }; return src_init/* initInterpolator */.O.apply(scale, arguments); } function sequentialLog() { var scale = loggish(transformer()).domain([1, 10]); scale.copy = function() { return copy(scale, sequentialLog()).base(scale.base()); }; return src_init/* initInterpolator */.O.apply(scale, arguments); } function sequentialSymlog() { var scale = symlogish(transformer()); scale.copy = function() { return copy(scale, sequentialSymlog()).constant(scale.constant()); }; return src_init/* initInterpolator */.O.apply(scale, arguments); } function sequentialPow() { var scale = powish(transformer()); scale.copy = function() { return copy(scale, sequentialPow()).exponent(scale.exponent()); }; return src_init/* initInterpolator */.O.apply(scale, arguments); } function sequentialSqrt() { return sequentialPow.apply(null, arguments).exponent(0.5); } // EXTERNAL MODULE: ../node_modules/d3-interpolate/src/piecewise.js var piecewise = __webpack_require__(73682); ;// CONCATENATED MODULE: ../node_modules/d3-scale/src/diverging.js function diverging_transformer() { var x0 = 0, x1 = 0.5, x2 = 1, s = 1, t0, t1, t2, k10, k21, interpolator = continuous/* identity */.yR, transform, clamp = false, unknown; function scale(x) { return isNaN(x = +x) ? unknown : (x = 0.5 + ((x = +transform(x)) - t1) * (s * x < s * t1 ? k10 : k21), interpolator(clamp ? Math.max(0, Math.min(1, x)) : x)); } scale.domain = function(_) { return arguments.length ? ([x0, x1, x2] = _, t0 = transform(x0 = +x0), t1 = transform(x1 = +x1), t2 = transform(x2 = +x2), k10 = t0 === t1 ? 0 : 0.5 / (t1 - t0), k21 = t1 === t2 ? 0 : 0.5 / (t2 - t1), s = t1 < t0 ? -1 : 1, scale) : [x0, x1, x2]; }; scale.clamp = function(_) { return arguments.length ? (clamp = !!_, scale) : clamp; }; scale.interpolator = function(_) { return arguments.length ? (interpolator = _, scale) : interpolator; }; function range(interpolate) { return function(_) { var r0, r1, r2; return arguments.length ? ([r0, r1, r2] = _, interpolator = (0,piecewise/* default */.Z)(interpolate, [r0, r1, r2]), scale) : [interpolator(0), interpolator(0.5), interpolator(1)]; }; } scale.range = range(value/* default */.Z); scale.rangeRound = range(src_round/* default */.Z); scale.unknown = function(_) { return arguments.length ? (unknown = _, scale) : unknown; }; return function(t) { transform = t, t0 = t(x0), t1 = t(x1), t2 = t(x2), k10 = t0 === t1 ? 0 : 0.5 / (t1 - t0), k21 = t1 === t2 ? 0 : 0.5 / (t2 - t1), s = t1 < t0 ? -1 : 1; return scale; }; } function diverging() { var scale = (0,src_linear/* linearish */.Q)(diverging_transformer()(continuous/* identity */.yR)); scale.copy = function() { return copy(scale, diverging()); }; return src_init/* initInterpolator */.O.apply(scale, arguments); } function divergingLog() { var scale = loggish(diverging_transformer()).domain([0.1, 1, 10]); scale.copy = function() { return copy(scale, divergingLog()).base(scale.base()); }; return src_init/* initInterpolator */.O.apply(scale, arguments); } function divergingSymlog() { var scale = symlogish(diverging_transformer()); scale.copy = function() { return copy(scale, divergingSymlog()).constant(scale.constant()); }; return src_init/* initInterpolator */.O.apply(scale, arguments); } function divergingPow() { var scale = powish(diverging_transformer()); scale.copy = function() { return copy(scale, divergingPow()).exponent(scale.exponent()); }; return src_init/* initInterpolator */.O.apply(scale, arguments); } function divergingSqrt() { return divergingPow.apply(null, arguments).exponent(0.5); } ;// CONCATENATED MODULE: ../node_modules/d3-scale/src/quantile.js function quantile_quantile() { var domain = [], range = [], thresholds = [], unknown; function rescale() { var i = 0, n = Math.max(1, range.length); thresholds = new Array(n - 1); while (++i < n) thresholds[i - 1] = quantileSorted(domain, i / n); return scale; } function scale(x) { return x == null || isNaN(x = +x) ? unknown : range[(0,src_bisect/* default */.ZP)(thresholds, x)]; } scale.invertExtent = function(y) { var i = range.indexOf(y); return i < 0 ? [NaN, NaN] : [ i > 0 ? thresholds[i - 1] : domain[0], i < thresholds.length ? thresholds[i] : domain[domain.length - 1] ]; }; scale.domain = function(_) { if (!arguments.length) return domain.slice(); domain = []; for (let d of _) if (d != null && !isNaN(d = +d)) domain.push(d); domain.sort(src_ascending/* default */.Z); return rescale(); }; scale.range = function(_) { return arguments.length ? (range = Array.from(_), rescale()) : range.slice(); }; scale.unknown = function(_) { return arguments.length ? (unknown = _, scale) : unknown; }; scale.quantiles = function() { return thresholds.slice(); }; scale.copy = function() { return quantile_quantile() .domain(domain) .range(range) .unknown(unknown); }; return src_init/* initRange */.o.apply(scale, arguments); } ;// CONCATENATED MODULE: ../node_modules/d3-scale/src/quantize.js function quantize() { var x0 = 0, x1 = 1, n = 1, domain = [0.5], range = [0, 1], unknown; function scale(x) { return x != null && x <= x ? range[(0,src_bisect/* default */.ZP)(domain, x, 0, n)] : unknown; } function rescale() { var i = -1; domain = new Array(n); while (++i < n) domain[i] = ((i + 1) * x1 - (i - n) * x0) / (n + 1); return scale; } scale.domain = function(_) { return arguments.length ? ([x0, x1] = _, x0 = +x0, x1 = +x1, rescale()) : [x0, x1]; }; scale.range = function(_) { return arguments.length ? (n = (range = Array.from(_)).length - 1, rescale()) : range.slice(); }; scale.invertExtent = function(y) { var i = range.indexOf(y); return i < 0 ? [NaN, NaN] : i < 1 ? [x0, domain[0]] : i >= n ? [domain[n - 1], x1] : [domain[i - 1], domain[i]]; }; scale.unknown = function(_) { return arguments.length ? (unknown = _, scale) : scale; }; scale.thresholds = function() { return domain.slice(); }; scale.copy = function() { return quantize() .domain([x0, x1]) .range(range) .unknown(unknown); }; return src_init/* initRange */.o.apply((0,src_linear/* linearish */.Q)(scale), arguments); } ;// CONCATENATED MODULE: ../node_modules/d3-scale/src/threshold.js function threshold() { var domain = [0.5], range = [0, 1], unknown, n = 1; function scale(x) { return x != null && x <= x ? range[(0,src_bisect/* default */.ZP)(domain, x, 0, n)] : unknown; } scale.domain = function(_) { return arguments.length ? (domain = Array.from(_), n = Math.min(domain.length, range.length - 1), scale) : domain.slice(); }; scale.range = function(_) { return arguments.length ? (range = Array.from(_), n = Math.min(domain.length, range.length - 1), scale) : range.slice(); }; scale.invertExtent = function(y) { var i = range.indexOf(y); return [domain[i - 1], domain[i]]; }; scale.unknown = function(_) { return arguments.length ? (unknown = _, scale) : unknown; }; scale.copy = function() { return threshold() .domain(domain) .range(range) .unknown(unknown); }; return src_init/* initRange */.o.apply(scale, arguments); } // EXTERNAL MODULE: ../node_modules/d3-scale/src/ordinal.js var ordinal = __webpack_require__(81406); // EXTERNAL MODULE: ../node_modules/d3-scale/src/tickFormat.js var tickFormat = __webpack_require__(35828); // EXTERNAL MODULE: ../node_modules/d3-interpolate/src/index.js + 9 modules var src = __webpack_require__(69004); // EXTERNAL MODULE: ../node_modules/d3-scale-chromatic/src/colors.js var colors = __webpack_require__(37505); ;// CONCATENATED MODULE: ../node_modules/d3-scale-chromatic/src/categorical/Accent.js /* harmony default export */ const Accent = ((0,colors/* default */.Z)("7fc97fbeaed4fdc086ffff99386cb0f0027fbf5b17666666")); ;// CONCATENATED MODULE: ../node_modules/d3-scale-chromatic/src/categorical/category10.js /* harmony default export */ const category10 = ((0,colors/* default */.Z)("1f77b4ff7f0e2ca02cd627289467bd8c564be377c27f7f7fbcbd2217becf")); ;// CONCATENATED MODULE: ../node_modules/d3-scale-chromatic/src/categorical/Dark2.js /* harmony default export */ const Dark2 = ((0,colors/* default */.Z)("1b9e77d95f027570b3e7298a66a61ee6ab02a6761d666666")); ;// CONCATENATED MODULE: ../node_modules/d3-scale-chromatic/src/categorical/observable10.js /* harmony default export */ const observable10 = ((0,colors/* default */.Z)("4269d0efb118ff725c6cc5b03ca951ff8ab7a463f297bbf59c6b4e9498a0")); ;// CONCATENATED MODULE: ../node_modules/d3-scale-chromatic/src/categorical/Paired.js /* harmony default export */ const Paired = ((0,colors/* default */.Z)("a6cee31f78b4b2df8a33a02cfb9a99e31a1cfdbf6fff7f00cab2d66a3d9affff99b15928")); ;// CONCATENATED MODULE: ../node_modules/d3-scale-chromatic/src/categorical/Pastel1.js /* harmony default export */ const Pastel1 = ((0,colors/* default */.Z)("fbb4aeb3cde3ccebc5decbe4fed9a6ffffcce5d8bdfddaecf2f2f2")); ;// CONCATENATED MODULE: ../node_modules/d3-scale-chromatic/src/categorical/Pastel2.js /* harmony default export */ const Pastel2 = ((0,colors/* default */.Z)("b3e2cdfdcdaccbd5e8f4cae4e6f5c9fff2aef1e2cccccccc")); ;// CONCATENATED MODULE: ../node_modules/d3-scale-chromatic/src/categorical/Set1.js /* harmony default export */ const Set1 = ((0,colors/* default */.Z)("e41a1c377eb84daf4a984ea3ff7f00ffff33a65628f781bf999999")); ;// CONCATENATED MODULE: ../node_modules/d3-scale-chromatic/src/categorical/Set2.js /* harmony default export */ const Set2 = ((0,colors/* default */.Z)("66c2a5fc8d628da0cbe78ac3a6d854ffd92fe5c494b3b3b3")); ;// CONCATENATED MODULE: ../node_modules/d3-scale-chromatic/src/categorical/Set3.js /* harmony default export */ const Set3 = ((0,colors/* default */.Z)("8dd3c7ffffb3bebadafb807280b1d3fdb462b3de69fccde5d9d9d9bc80bdccebc5ffed6f")); ;// CONCATENATED MODULE: ../node_modules/vega-scale/build/vega-scale.module.js function bandSpace (count, paddingInner, paddingOuter) { const space = count - paddingInner + paddingOuter * 2; return count ? space > 0 ? space : 1 : 0; } const Identity = 'identity'; const Linear = 'linear'; const Log = 'log'; const Pow = 'pow'; const Sqrt = 'sqrt'; const Symlog = 'symlog'; const Time = 'time'; const UTC = 'utc'; const Sequential = 'sequential'; const Diverging = 'diverging'; const vega_scale_module_Quantile = 'quantile'; const Quantize = 'quantize'; const Threshold = 'threshold'; const Ordinal = 'ordinal'; const Point = 'point'; const Band = 'band'; const BinOrdinal = 'bin-ordinal'; // categories const Continuous = 'continuous'; const Discrete = 'discrete'; const Discretizing = 'discretizing'; const Interpolating = 'interpolating'; const Temporal = 'temporal'; function invertRange (scale) { return function (_) { let lo = _[0], hi = _[1], t; if (hi < lo) { t = lo; lo = hi; hi = t; } return [scale.invert(lo), scale.invert(hi)]; }; } function invertRangeExtent (scale) { return function (_) { const range = scale.range(); let lo = _[0], hi = _[1], min = -1, max, t, i, n; if (hi < lo) { t = lo; lo = hi; hi = t; } for (i = 0, n = range.length; i < n; ++i) { if (range[i] >= lo && range[i] <= hi) { if (min < 0) min = i; max = i; } } if (min < 0) return undefined; lo = scale.invertExtent(range[min]); hi = scale.invertExtent(range[max]); return [lo[0] === undefined ? lo[1] : lo[0], hi[1] === undefined ? hi[0] : hi[1]]; }; } function band() { const scale = (0,ordinal/* default */.Z)().unknown(undefined), domain = scale.domain, ordinalRange = scale.range; let range$1 = [0, 1], step, bandwidth, round = false, paddingInner = 0, paddingOuter = 0, align = 0.5; delete scale.unknown; function rescale() { const n = domain().length, reverse = range$1[1] < range$1[0], stop = range$1[1 - reverse], space = bandSpace(n, paddingInner, paddingOuter); let start = range$1[reverse - 0]; step = (stop - start) / (space || 1); if (round) { step = Math.floor(step); } start += (stop - start - step * (n - paddingInner)) * align; bandwidth = step * (1 - paddingInner); if (round) { start = Math.round(start); bandwidth = Math.round(bandwidth); } const values = (0,range/* default */.Z)(n).map(i => start + step * i); return ordinalRange(reverse ? values.reverse() : values); } scale.domain = function (_) { if (arguments.length) { domain(_); return rescale(); } else { return domain(); } }; scale.range = function (_) { if (arguments.length) { range$1 = [+_[0], +_[1]]; return rescale(); } else { return range$1.slice(); } }; scale.rangeRound = function (_) { range$1 = [+_[0], +_[1]]; round = true; return rescale(); }; scale.bandwidth = function () { return bandwidth; }; scale.step = function () { return step; }; scale.round = function (_) { if (arguments.length) { round = !!_; return rescale(); } else { return round; } }; scale.padding = function (_) { if (arguments.length) { paddingOuter = Math.max(0, Math.min(1, _)); paddingInner = paddingOuter; return rescale(); } else { return paddingInner; } }; scale.paddingInner = function (_) { if (arguments.length) { paddingInner = Math.max(0, Math.min(1, _)); return rescale(); } else { return paddingInner; } }; scale.paddingOuter = function (_) { if (arguments.length) { paddingOuter = Math.max(0, Math.min(1, _)); return rescale(); } else { return paddingOuter; } }; scale.align = function (_) { if (arguments.length) { align = Math.max(0, Math.min(1, _)); return rescale(); } else { return align; } }; scale.invertRange = function (_) { // bail if range has null or undefined values if (_[0] == null || _[1] == null) return; const reverse = range$1[1] < range$1[0], values = reverse ? ordinalRange().reverse() : ordinalRange(), n = values.length - 1; let lo = +_[0], hi = +_[1], a, b, t; // bail if either range endpoint is invalid if (lo !== lo || hi !== hi) return; // order range inputs, bail if outside of scale range if (hi < lo) { t = lo; lo = hi; hi = t; } if (hi < values[0] || lo > range$1[1 - reverse]) return; // binary search to index into scale range a = Math.max(0, (0,src_bisect/* bisectRight */.ml)(values, lo) - 1); b = lo === hi ? a : (0,src_bisect/* bisectRight */.ml)(values, hi) - 1; // increment index a if lo is within padding gap if (lo - values[a] > bandwidth + 1e-10) ++a; if (reverse) { // map + swap t = a; a = n - b; b = n - t; } return a > b ? undefined : domain().slice(a, b + 1); }; scale.invert = function (_) { const value = scale.invertRange([_, _]); return value ? value[0] : value; }; scale.copy = function () { return band().domain(domain()).range(range$1).round(round).paddingInner(paddingInner).paddingOuter(paddingOuter).align(align); }; return rescale(); } function pointish(scale) { const copy = scale.copy; scale.padding = scale.paddingOuter; delete scale.paddingInner; scale.copy = function () { return pointish(copy()); }; return scale; } function vega_scale_module_point() { return pointish(band().paddingInner(1)); } var map = Array.prototype.map; function vega_scale_module_numbers(_) { return map.call(_, toNumber); } const slice = Array.prototype.slice; function scaleBinOrdinal() { let domain = [], range = []; function scale(x) { return x == null || x !== x ? undefined : range[((0,src_bisect/* default */.ZP)(domain, x) - 1) % range.length]; } scale.domain = function (_) { if (arguments.length) { domain = vega_scale_module_numbers(_); return scale; } else { return domain.slice(); } }; scale.range = function (_) { if (arguments.length) { range = slice.call(_); return scale; } else { return range.slice(); } }; scale.tickFormat = function (count, specifier) { return (0,tickFormat/* default */.Z)(domain[0], peek(domain), count == null ? 10 : count, specifier); }; scale.copy = function () { return scaleBinOrdinal().domain(scale.domain()).range(scale.range()); }; return scale; } /** Private scale registry: should not be exported */ const scales = new Map(); const VEGA_SCALE = Symbol('vega_scale'); function registerScale(scale) { scale[VEGA_SCALE] = true; return scale; } /** * Return true if object was created by a constructor from the vega-scale `scale` function. */ function isRegisteredScale(scale) { return scale && scale[VEGA_SCALE] === true; } /** * Augment scales with their type and needed inverse methods. */ function create(type, constructor, metadata) { const ctr = function scale() { const s = constructor(); if (!s.invertRange) { s.invertRange = s.invert ? invertRange(s) : s.invertExtent ? invertRangeExtent(s) : undefined; } s.type = type; return registerScale(s); }; ctr.metadata = vega_util_module_toSet(array(metadata)); return ctr; } /** * Registry function for adding and accessing scale constructor functions. * The *type* argument is a String indicating the name of the scale type. * * If the *scale* argument is not specified, this method returns the matching scale constructor in the registry, or `null` if not found. * If the *scale* argument is provided, it must be a scale constructor function to add to the registry under the given *type* name. * The *metadata* argument provides additional information to guide appropriate use of scales within Vega. * * *metadata* can be either a string or string array. The valid string values are: * - `"continuous"` - the scale is defined over a continuous-valued domain. * - `"discrete"` - the scale is defined over a discrete domain and range. * - `"discretizing"` - the scale discretizes a continuous domain to a discrete range. * - `"interpolating"` - the scale range is defined using a color interpolator. * - `"log"` - the scale performs a logarithmic transform of the continuous domain. * - `"temporal"` - the scale domain is defined over date-time values. */ function vega_scale_module_scale(type, scale, metadata) { if (arguments.length > 1) { scales.set(type, create(type, scale, metadata)); return this; } else { return isValidScaleType(type) ? scales.get(type) : undefined; } } // identity scale vega_scale_module_scale(Identity, identity_identity); // continuous scales vega_scale_module_scale(Linear, src_linear/* default */.Z, Continuous); vega_scale_module_scale(Log, log_log, [Continuous, Log]); vega_scale_module_scale(Pow, pow_pow, Continuous); vega_scale_module_scale(Sqrt, sqrt, Continuous); vega_scale_module_scale(Symlog, symlog_symlog, Continuous); vega_scale_module_scale(Time, time/* default */.Z, [Continuous, Temporal]); vega_scale_module_scale(UTC, utcTime, [Continuous, Temporal]); // sequential scales vega_scale_module_scale(Sequential, sequential, [Continuous, Interpolating]); // backwards compat vega_scale_module_scale(`${Sequential}-${Linear}`, sequential, [Continuous, Interpolating]); vega_scale_module_scale(`${Sequential}-${Log}`, sequentialLog, [Continuous, Interpolating, Log]); vega_scale_module_scale(`${Sequential}-${Pow}`, sequentialPow, [Continuous, Interpolating]); vega_scale_module_scale(`${Sequential}-${Sqrt}`, sequentialSqrt, [Continuous, Interpolating]); vega_scale_module_scale(`${Sequential}-${Symlog}`, sequentialSymlog, [Continuous, Interpolating]); // diverging scales vega_scale_module_scale(`${Diverging}-${Linear}`, diverging, [Continuous, Interpolating]); vega_scale_module_scale(`${Diverging}-${Log}`, divergingLog, [Continuous, Interpolating, Log]); vega_scale_module_scale(`${Diverging}-${Pow}`, divergingPow, [Continuous, Interpolating]); vega_scale_module_scale(`${Diverging}-${Sqrt}`, divergingSqrt, [Continuous, Interpolating]); vega_scale_module_scale(`${Diverging}-${Symlog}`, divergingSymlog, [Continuous, Interpolating]); // discretizing scales vega_scale_module_scale(vega_scale_module_Quantile, quantile_quantile, [Discretizing, vega_scale_module_Quantile]); vega_scale_module_scale(Quantize, quantize, Discretizing); vega_scale_module_scale(Threshold, threshold, Discretizing); // discrete scales vega_scale_module_scale(BinOrdinal, scaleBinOrdinal, [Discrete, Discretizing]); vega_scale_module_scale(Ordinal, ordinal/* default */.Z, Discrete); vega_scale_module_scale(Band, band, Discrete); vega_scale_module_scale(Point, vega_scale_module_point, Discrete); function isValidScaleType(type) { return scales.has(type); } function hasType(key, type) { const s = scales.get(key); return s && s.metadata[type]; } function isContinuous(key) { return hasType(key, Continuous); } function isDiscrete(key) { return hasType(key, Discrete); } function isDiscretizing(key) { return hasType(key, Discretizing); } function isLogarithmic(key) { return hasType(key, Log); } function isTemporal(key) { return hasType(key, Temporal); } function isInterpolating(key) { return hasType(key, Interpolating); } function isQuantile(key) { return hasType(key, vega_scale_module_Quantile); } const scaleProps = ['clamp', 'base', 'constant', 'exponent']; function interpolateRange(interpolator, range) { const start = range[0], span = peek(range) - start; return function (i) { return interpolator(start + i * span); }; } function interpolateColors(colors, type, gamma) { return piecewise/* default */.Z(interpolate(type || 'rgb', gamma), colors); } function quantizeInterpolator(interpolator, count) { const samples = new Array(count), n = count + 1; for (let i = 0; i < count;) samples[i] = interpolator(++i / n); return samples; } function scaleCopy(scale) { const t = scale.type, s = scale.copy(); s.type = t; return s; } function scaleFraction(scale$1, min, max) { const delta = max - min; let i, t, s; if (!delta || !Number.isFinite(delta)) { return vega_util_module_constant(0.5); } else { i = (t = scale$1.type).indexOf('-'); t = i < 0 ? t : t.slice(i + 1); s = vega_scale_module_scale(t)().domain([min, max]).range([0, 1]); scaleProps.forEach(m => scale$1[m] ? s[m](scale$1[m]()) : 0); return s; } } function interpolate(type, gamma) { const interp = src[method(type)]; return gamma != null && interp && interp.gamma ? interp.gamma(gamma) : interp; } function method(type) { return 'interpolate' + type.toLowerCase().split('-').map(s => s[0].toUpperCase() + s.slice(1)).join(''); } const vega_scale_module_continuous = { blues: 'cfe1f2bed8eca8cee58fc1de74b2d75ba3cf4592c63181bd206fb2125ca40a4a90', greens: 'd3eecdc0e6baabdda594d3917bc77d60ba6c46ab5e329a512089430e7735036429', greys: 'e2e2e2d4d4d4c4c4c4b1b1b19d9d9d8888887575756262624d4d4d3535351e1e1e', oranges: 'fdd8b3fdc998fdb87bfda55efc9244f87f2cf06b18e4580bd14904b93d029f3303', purples: 'e2e1efd4d4e8c4c5e0b4b3d6a3a0cc928ec3827cb97566ae684ea25c3696501f8c', reds: 'fdc9b4fcb49afc9e80fc8767fa7051f6573fec3f2fdc2a25c81b1db21218970b13', blueGreen: 'd5efedc1e8e0a7ddd18bd2be70c6a958ba9144ad77319c5d2089460e7736036429', bluePurple: 'ccddecbad0e4a8c2dd9ab0d4919cc98d85be8b6db28a55a6873c99822287730f71', greenBlue: 'd3eecec5e8c3b1e1bb9bd8bb82cec269c2ca51b2cd3c9fc7288abd1675b10b60a1', orangeRed: 'fddcaffdcf9bfdc18afdad77fb9562f67d53ee6545e24932d32d1ebf130da70403', purpleBlue: 'dbdaebc8cee4b1c3de97b7d87bacd15b9fc93a90c01e7fb70b70ab056199045281', purpleBlueGreen: 'dbd8eac8cee4b0c3de93b7d872acd1549fc83892bb1c88a3097f8702736b016353', purpleRed: 'dcc9e2d3b3d7ce9eccd186c0da6bb2e14da0e23189d91e6fc61159ab07498f023a', redPurple: 'fccfccfcbec0faa9b8f98faff571a5ec539ddb3695c41b8aa908808d0179700174', yellowGreen: 'e4f4acd1eca0b9e2949ed68880c97c62bb6e47aa5e3297502083440e723b036034', yellowOrangeBrown: 'feeaa1fedd84fecc63feb746fca031f68921eb7215db5e0bc54c05ab3d038f3204', yellowOrangeRed: 'fee087fed16ffebd59fea849fd903efc7335f9522bee3423de1b20ca0b22af0225', blueOrange: '134b852f78b35da2cb9dcae1d2e5eff2f0ebfce0bafbbf74e8932fc5690d994a07', brownBlueGreen: '704108a0651ac79548e3c78af3e6c6eef1eac9e9e48ed1c74da79e187a72025147', purpleGreen: '5b1667834792a67fb6c9aed3e6d6e8eff0efd9efd5aedda971bb75368e490e5e29', purpleOrange: '4114696647968f83b7b9b4d6dadbebf3eeeafce0bafbbf74e8932fc5690d994a07', redBlue: '8c0d25bf363adf745ef4ae91fbdbc9f2efeed2e5ef9dcae15da2cb2f78b3134b85', redGrey: '8c0d25bf363adf745ef4ae91fcdccbfaf4f1e2e2e2c0c0c0969696646464343434', yellowGreenBlue: 'eff9bddbf1b4bde5b594d5b969c5be45b4c22c9ec02182b82163aa23479c1c3185', redYellowBlue: 'a50026d4322cf16e43fcac64fedd90faf8c1dcf1ecabd6e875abd04a74b4313695', redYellowGreen: 'a50026d4322cf16e43fcac63fedd8df9f7aed7ee8ea4d86e64bc6122964f006837', pinkYellowGreen: '8e0152c0267edd72adf0b3d6faddedf5f3efe1f2cab6de8780bb474f9125276419', spectral: '9e0142d13c4bf0704afcac63fedd8dfbf8b0e0f3a1a9dda269bda94288b55e4fa2', viridis: '440154470e61481a6c482575472f7d443a834144873d4e8a39568c35608d31688e2d708e2a788e27818e23888e21918d1f988b1fa08822a8842ab07f35b77943bf7154c56866cc5d7ad1518fd744a5db36bcdf27d2e21be9e51afde725', magma: '0000040404130b0924150e3720114b2c11603b0f704a107957157e651a80721f817f24828c29819a2e80a8327db6377ac43c75d1426fde4968e95462f1605df76f5cfa7f5efc8f65fe9f6dfeaf78febf84fece91fddea0fcedaffcfdbf', inferno: '0000040403130c0826170c3b240c4f330a5f420a68500d6c5d126e6b176e781c6d86216b932667a12b62ae305cbb3755c73e4cd24644dd513ae65c30ed6925f3771af8850ffb9506fca50afcb519fac62df6d645f2e661f3f484fcffa4', plasma: '0d088723069033059742039d5002a25d01a66a00a87801a88405a7900da49c179ea72198b12a90ba3488c33d80cb4779d35171da5a69e16462e76e5bed7953f2834cf68f44fa9a3dfca636fdb32ffec029fcce25f9dc24f5ea27f0f921', cividis: '00205100235800265d002961012b65042e670831690d346b11366c16396d1c3c6e213f6e26426e2c456e31476e374a6e3c4d6e42506e47536d4c566d51586e555b6e5a5e6e5e616e62646f66676f6a6a706e6d717270717573727976737c79747f7c75827f758682768985778c8877908b78938e789691789a94789e9778a19b78a59e77a9a177aea575b2a874b6ab73bbaf71c0b26fc5b66dc9b96acebd68d3c065d8c462ddc85fe2cb5ce7cf58ebd355f0d652f3da4ff7de4cfae249fce647', rainbow: '6e40aa883eb1a43db3bf3cafd83fa4ee4395fe4b83ff576eff6659ff7847ff8c38f3a130e2b72fcfcc36bee044aff05b8ff4576ff65b52f6673af27828ea8d1ddfa319d0b81cbecb23abd82f96e03d82e14c6edb5a5dd0664dbf6e40aa', sinebow: 'ff4040fc582af47218e78d0bd5a703bfbf00a7d5038de70b72f41858fc2a40ff402afc5818f4720be78d03d5a700bfbf03a7d50b8de71872f42a58fc4040ff582afc7218f48d0be7a703d5bf00bfd503a7e70b8df41872fc2a58ff4040', turbo: '23171b32204a3e2a71453493493eae4b49c54a53d7485ee44569ee4074f53c7ff8378af93295f72e9ff42ba9ef28b3e926bce125c5d925cdcf27d5c629dcbc2de3b232e9a738ee9d3ff39347f68950f9805afc7765fd6e70fe667cfd5e88fc5795fb51a1f84badf545b9f140c5ec3cd0e637dae034e4d931ecd12ef4c92bfac029ffb626ffad24ffa223ff9821ff8d1fff821dff771cfd6c1af76118f05616e84b14df4111d5380fcb2f0dc0260ab61f07ac1805a313029b0f00950c00910b00', browns: 'eedbbdecca96e9b97ae4a865dc9856d18954c7784cc0673fb85536ad44339f3632', tealBlues: 'bce4d89dd3d181c3cb65b3c245a2b9368fae347da0306a932c5985', teals: 'bbdfdfa2d4d58ac9c975bcbb61b0af4da5a43799982b8b8c1e7f7f127273006667', warmGreys: 'dcd4d0cec5c1c0b8b4b3aaa7a59c9998908c8b827f7e7673726866665c5a59504e', goldGreen: 'f4d166d5ca60b6c35c98bb597cb25760a6564b9c533f8f4f33834a257740146c36', goldOrange: 'f4d166f8be5cf8aa4cf5983bf3852aef701be2621fd65322c54923b142239e3a26', goldRed: 'f4d166f6be59f9aa51fc964ef6834bee734ae56249db5247cf4244c43141b71d3e', lightGreyRed: 'efe9e6e1dad7d5cbc8c8bdb9bbaea9cd967ddc7b43e15f19df4011dc000b', lightGreyTeal: 'e4eaead6dcddc8ced2b7c2c7a6b4bc64b0bf22a6c32295c11f85be1876bc', lightMulti: 'e0f1f2c4e9d0b0de9fd0e181f6e072f6c053f3993ef77440ef4a3c', lightOrange: 'f2e7daf7d5baf9c499fab184fa9c73f68967ef7860e8645bde515bd43d5b', lightTealBlue: 'e3e9e0c0dccf9aceca7abfc859afc0389fb9328dad2f7ca0276b95255988', darkBlue: '3232322d46681a5c930074af008cbf05a7ce25c0dd38daed50f3faffffff', darkGold: '3c3c3c584b37725e348c7631ae8b2bcfa424ecc31ef9de30fff184ffffff', darkGreen: '3a3a3a215748006f4d048942489e4276b340a6c63dd2d836ffeb2cffffaa', darkMulti: '3737371f5287197d8c29a86995ce3fffe800ffffff', darkRed: '3434347036339e3c38cc4037e75d1eec8620eeab29f0ce32ffeb2c' }; const discrete = { accent: Accent, category10: category10, category20: '1f77b4aec7e8ff7f0effbb782ca02c98df8ad62728ff98969467bdc5b0d58c564bc49c94e377c2f7b6d27f7f7fc7c7c7bcbd22dbdb8d17becf9edae5', category20b: '393b795254a36b6ecf9c9ede6379398ca252b5cf6bcedb9c8c6d31bd9e39e7ba52e7cb94843c39ad494ad6616be7969c7b4173a55194ce6dbdde9ed6', category20c: '3182bd6baed69ecae1c6dbefe6550dfd8d3cfdae6bfdd0a231a35474c476a1d99bc7e9c0756bb19e9ac8bcbddcdadaeb636363969696bdbdbdd9d9d9', dark2: Dark2, observable10: observable10, paired: Paired, pastel1: Pastel1, pastel2: Pastel2, set1: Set1, set2: Set2, set3: Set3, tableau10: '4c78a8f58518e4575672b7b254a24beeca3bb279a2ff9da69d755dbab0ac', tableau20: '4c78a89ecae9f58518ffbf7954a24b88d27ab79a20f2cf5b43989483bcb6e45756ff9d9879706ebab0acd67195fcbfd2b279a2d6a5c99e765fd8b5a5' }; function vega_scale_module_colors(palette) { if (isArray(palette)) return palette; const n = palette.length / 6 | 0, c = new Array(n); for (let i = 0; i < n;) { c[i] = '#' + palette.slice(i * 6, ++i * 6); } return c; } function apply(_, f) { for (const k in _) scheme(k, f(_[k])); } const schemes = {}; apply(discrete, vega_scale_module_colors); apply(vega_scale_module_continuous, _ => interpolateColors(vega_scale_module_colors(_))); function scheme(name, scheme) { name = name && name.toLowerCase(); if (arguments.length > 1) { schemes[name] = scheme; return this; } else { return schemes[name]; } } const SymbolLegend = 'symbol'; const DiscreteLegend = 'discrete'; const GradientLegend = 'gradient'; const defaultFormatter = value => isArray(value) ? value.map(v => String(v)) : String(value); const vega_scale_module_ascending = (a, b) => a[1] - b[1]; const descending = (a, b) => b[1] - a[1]; /** * Determine the tick count or interval function. * @param {Scale} scale - The scale for which to generate tick values. * @param {*} count - The desired tick count or interval specifier. * @param {number} minStep - The desired minimum step between tick values. * @return {*} - The tick count or interval function. */ function tickCount(scale, count, minStep) { let step; if (isNumber(count)) { if (scale.bins) { count = Math.max(count, scale.bins.length); } if (minStep != null) { count = Math.min(count, Math.floor(span(scale.domain()) / minStep || 1) + 1); } } if (isObject(count)) { step = count.step; count = count.interval; } if (vega_util_module_isString(count)) { count = scale.type === Time ? timeInterval(count) : scale.type == UTC ? utcInterval(count) : vega_util_module_error('Only time and utc scales accept interval strings.'); if (step) count = count.every(step); } return count; } /** * Filter a set of candidate tick values, ensuring that only tick values * that lie within the scale range are included. * @param {Scale} scale - The scale for which to generate tick values. * @param {Array<*>} ticks - The candidate tick values. * @param {*} count - The tick count or interval function. * @return {Array<*>} - The filtered tick values. */ function validTicks(scale, ticks, count) { let range = scale.range(), lo = range[0], hi = peek(range), cmp = vega_scale_module_ascending; if (lo > hi) { range = hi; hi = lo; lo = range; cmp = descending; } lo = Math.floor(lo); hi = Math.ceil(hi); // filter ticks to valid values within the range // additionally sort ticks in range order (#2579) ticks = ticks.map(v => [v, scale(v)]).filter(_ => lo <= _[1] && _[1] <= hi).sort(cmp).map(_ => _[0]); if (count > 0 && ticks.length > 1) { const endpoints = [ticks[0], peek(ticks)]; while (ticks.length > count && ticks.length >= 3) { ticks = ticks.filter((_, i) => !(i % 2)); } if (ticks.length < 3) { ticks = endpoints; } } return ticks; } /** * Generate tick values for the given scale and approximate tick count or * interval value. If the scale has a 'ticks' method, it will be used to * generate the ticks, with the count argument passed as a parameter. If the * scale lacks a 'ticks' method, the full scale domain will be returned. * @param {Scale} scale - The scale for which to generate tick values. * @param {*} [count] - The approximate number of desired ticks. * @return {Array<*>} - The generated tick values. */ function tickValues(scale, count) { return scale.bins ? validTicks(scale, scale.bins, count) : scale.ticks ? scale.ticks(count) : scale.domain(); } /** * Generate a label format function for a scale. If the scale has a * 'tickFormat' method, it will be used to generate the formatter, with the * count and specifier arguments passed as parameters. If the scale lacks a * 'tickFormat' method, the returned formatter performs simple string coercion. * If the input scale is a logarithmic scale and the format specifier does not * indicate a desired decimal precision, a special variable precision formatter * that automatically trims trailing zeroes will be generated. * @param {Scale} scale - The scale for which to generate the label formatter. * @param {*} [count] - The approximate number of desired ticks. * @param {string} [specifier] - The format specifier. Must be a legal d3 * specifier string (see https://github.com/d3/d3-format#formatSpecifier) or * time multi-format specifier object. * @return {function(*):string} - The generated label formatter. */ function vega_scale_module_tickFormat(locale, scale, count, specifier, formatType, noSkip) { const type = scale.type; let format = defaultFormatter; if (type === Time || formatType === Time) { format = locale.timeFormat(specifier); } else if (type === UTC || formatType === UTC) { format = locale.utcFormat(specifier); } else if (isLogarithmic(type)) { const varfmt = locale.formatFloat(specifier); if (noSkip || scale.bins) { format = varfmt; } else { const test = tickLog(scale, count, false); format = _ => test(_) ? varfmt(_) : ''; } } else if (scale.tickFormat) { // if d3 scale has tickFormat, it must be continuous const d = scale.domain(); format = locale.formatSpan(d[0], d[d.length - 1], count, specifier); } else if (specifier) { format = locale.format(specifier); } return format; } function tickLog(scale, count, values) { const ticks = tickValues(scale, count), base = scale.base(), logb = Math.log(base), k = Math.max(1, base * count / ticks.length); // apply d3-scale's log format filter criteria const test = d => { let i = d / Math.pow(base, Math.round(Math.log(d) / logb)); if (i * base < base - 0.5) i *= base; return i <= k; }; return values ? ticks.filter(test) : test; } const symbols = { [vega_scale_module_Quantile]: 'quantiles', [Quantize]: 'thresholds', [Threshold]: 'domain' }; const vega_scale_module_formats = { [vega_scale_module_Quantile]: 'quantiles', [Quantize]: 'domain' }; function labelValues(scale, count) { return scale.bins ? binValues(scale.bins) : scale.type === Log ? tickLog(scale, count, true) : symbols[scale.type] ? thresholdValues(scale[symbols[scale.type]]()) : tickValues(scale, count); } function thresholdFormat(locale, scale, specifier) { const _ = scale[vega_scale_module_formats[scale.type]](), n = _.length; let d = n > 1 ? _[1] - _[0] : _[0], i; for (i = 1; i < n; ++i) { d = Math.min(d, _[i] - _[i - 1]); } // tickCount = 3 ticks times 10 for increased resolution return locale.formatSpan(0, d, 3 * 10, specifier); } function thresholdValues(thresholds) { const values = [-Infinity].concat(thresholds); values.max = +Infinity; return values; } function binValues(bins) { const values = bins.slice(0, -1); values.max = peek(bins); return values; } const isDiscreteRange = scale => symbols[scale.type] || scale.bins; function labelFormat(locale, scale, count, type, specifier, formatType, noSkip) { const format = vega_scale_module_formats[scale.type] && formatType !== Time && formatType !== UTC ? thresholdFormat(locale, scale, specifier) : vega_scale_module_tickFormat(locale, scale, count, specifier, formatType, noSkip); return type === SymbolLegend && isDiscreteRange(scale) ? formatRange(format) : type === DiscreteLegend ? formatDiscrete(format) : formatPoint(format); } const formatRange = format => (value, index, array) => { const limit = vega_scale_module_get(array[index + 1], vega_scale_module_get(array.max, +Infinity)), lo = formatValue(value, format), hi = formatValue(limit, format); return lo && hi ? lo + ' \u2013 ' + hi : hi ? '< ' + hi : '\u2265 ' + lo; }; const vega_scale_module_get = (value, dflt) => value != null ? value : dflt; const formatDiscrete = format => (value, index) => index ? format(value) : null; const formatPoint = format => value => format(value); const formatValue = (value, format) => Number.isFinite(value) ? format(value) : null; function labelFraction(scale) { const domain = scale.domain(), count = domain.length - 1; let lo = +domain[0], hi = +peek(domain), span = hi - lo; if (scale.type === Threshold) { const adjust = count ? span / count : 0.1; lo -= adjust; hi += adjust; span = hi - lo; } return value => (value - lo) / span; } function vega_scale_module_format(locale, scale, specifier, formatType) { const type = formatType || scale.type; // replace abbreviated time specifiers to improve screen reader experience if (vega_util_module_isString(specifier) && isTemporal(type)) { specifier = specifier.replace(/%a/g, '%A').replace(/%b/g, '%B'); } return !specifier && type === Time ? locale.timeFormat('%A, %d %B %Y, %X') : !specifier && type === UTC ? locale.utcFormat('%A, %d %B %Y, %X UTC') : labelFormat(locale, scale, 5, null, specifier, formatType, true); } function domainCaption(locale, scale, opt) { opt = opt || {}; const max = Math.max(3, opt.maxlen || 7), fmt = vega_scale_module_format(locale, scale, opt.format, opt.formatType); // if scale breaks domain into bins, describe boundaries if (isDiscretizing(scale.type)) { const v = labelValues(scale).slice(1).map(fmt), n = v.length; return `${n} boundar${n === 1 ? 'y' : 'ies'}: ${v.join(', ')}`; } // if scale domain is discrete, list values else if (isDiscrete(scale.type)) { const d = scale.domain(), n = d.length, v = n > max ? d.slice(0, max - 2).map(fmt).join(', ') + ', ending with ' + d.slice(-1).map(fmt) : d.map(fmt).join(', '); return `${n} value${n === 1 ? '' : 's'}: ${v}`; } // if scale domain is continuous, describe value range else { const d = scale.domain(); return `values from ${fmt(d[0])} to ${fmt(peek(d))}`; } } ;// CONCATENATED MODULE: ../node_modules/vega-scenegraph/build/vega-scenegraph.module.js let gradient_id = 0; function resetSVGGradientId() { gradient_id = 0; } const patternPrefix = 'p_'; function isGradient(value) { return value && value.gradient; } function gradientRef(g, defs, base) { const type = g.gradient; let id = g.id, prefix = type === 'radial' ? patternPrefix : ''; // check id, assign default values as needed if (!id) { id = g.id = 'gradient_' + gradient_id++; if (type === 'radial') { g.x1 = vega_scenegraph_module_get(g.x1, 0.5); g.y1 = vega_scenegraph_module_get(g.y1, 0.5); g.r1 = vega_scenegraph_module_get(g.r1, 0); g.x2 = vega_scenegraph_module_get(g.x2, 0.5); g.y2 = vega_scenegraph_module_get(g.y2, 0.5); g.r2 = vega_scenegraph_module_get(g.r2, 0.5); prefix = patternPrefix; } else { g.x1 = vega_scenegraph_module_get(g.x1, 0); g.y1 = vega_scenegraph_module_get(g.y1, 0); g.x2 = vega_scenegraph_module_get(g.x2, 1); g.y2 = vega_scenegraph_module_get(g.y2, 0); } } // register definition defs[id] = g; // return url reference return 'url(' + (base || '') + '#' + prefix + id + ')'; } function vega_scenegraph_module_get(val, def) { return val != null ? val : def; } function Gradient (p0, p1) { var stops = [], gradient; return gradient = { gradient: 'linear', x1: p0 ? p0[0] : 0, y1: p0 ? p0[1] : 0, x2: p1 ? p1[0] : 1, y2: p1 ? p1[1] : 0, stops: stops, stop: function (offset, color) { stops.push({ offset: offset, color: color }); return gradient; } }; } const lookup = { 'basis': { curve: basis/* default */.ZP }, 'basis-closed': { curve: basisClosed/* default */.Z }, 'basis-open': { curve: basisOpen/* default */.Z }, 'bundle': { curve: bundle/* default */.Z, tension: 'beta', value: 0.85 }, 'cardinal': { curve: cardinal/* default */.ZP, tension: 'tension', value: 0 }, 'cardinal-open': { curve: cardinalOpen/* default */.Z, tension: 'tension', value: 0 }, 'cardinal-closed': { curve: cardinalClosed/* default */.Z, tension: 'tension', value: 0 }, 'catmull-rom': { curve: catmullRom/* default */.Z, tension: 'alpha', value: 0.5 }, 'catmull-rom-closed': { curve: catmullRomClosed/* default */.Z, tension: 'alpha', value: 0.5 }, 'catmull-rom-open': { curve: catmullRomOpen/* default */.Z, tension: 'alpha', value: 0.5 }, 'linear': { curve: curve_linear/* default */.Z }, 'linear-closed': { curve: linearClosed/* default */.Z }, 'monotone': { horizontal: monotone/* monotoneY */.s, vertical: monotone/* monotoneX */.Z }, 'natural': { curve: natural/* default */.Z }, 'step': { curve: step/* default */.ZP }, 'step-after': { curve: step/* stepAfter */.cD }, 'step-before': { curve: step/* stepBefore */.RN } }; function curves(type, orientation, tension) { var entry = has(lookup, type) && lookup[type], curve = null; if (entry) { curve = entry.curve || entry[orientation || 'vertical']; if (entry.tension && tension != null) { curve = curve[entry.tension](tension); } } return curve; } const paramCounts = { m: 2, l: 2, h: 1, v: 1, z: 0, c: 6, s: 4, q: 4, t: 2, a: 7 }; const commandPattern = /[mlhvzcsqta]([^mlhvzcsqta]+|$)/gi; const numberPattern = /^[+-]?(([0-9]*\.[0-9]+)|([0-9]+\.)|([0-9]+))([eE][+-]?[0-9]+)?/; const spacePattern = /^((\s+,?\s*)|(,\s*))/; const flagPattern = /^[01]/; function vega_scenegraph_module_parse(path) { const commands = []; const matches = path.match(commandPattern) || []; matches.forEach(str => { let cmd = str[0]; const type = cmd.toLowerCase(); // parse parameters const paramCount = paramCounts[type]; const params = parseParams(type, paramCount, str.slice(1).trim()); const count = params.length; // error checking based on parameter count if (count < paramCount || count && count % paramCount !== 0) { throw Error('Invalid SVG path, incorrect parameter count'); } // register the command commands.push([cmd, ...params.slice(0, paramCount)]); // exit now if we're done, also handles zero-param 'z' if (count === paramCount) { return; } // handle implicit line-to if (type === 'm') { cmd = cmd === 'M' ? 'L' : 'l'; } // repeat command when given extended param list for (let i = paramCount; i < count; i += paramCount) { commands.push([cmd, ...params.slice(i, i + paramCount)]); } }); return commands; } function parseParams(type, paramCount, segment) { const params = []; for (let index = 0; paramCount && index < segment.length;) { for (let i = 0; i < paramCount; ++i) { const pattern = type === 'a' && (i === 3 || i === 4) ? flagPattern : numberPattern; const match = segment.slice(index).match(pattern); if (match === null) { throw Error('Invalid SVG path, incorrect parameter type'); } index += match[0].length; params.push(+match[0]); const ws = segment.slice(index).match(spacePattern); if (ws !== null) { index += ws[0].length; } } } return params; } const DegToRad = Math.PI / 180; const Epsilon = 1e-14; const HalfPi = Math.PI / 2; const Tau = Math.PI * 2; const HalfSqrt3 = Math.sqrt(3) / 2; var segmentCache = {}; var bezierCache = {}; var join = [].join; // Copied from Inkscape svgtopdf, thanks! function segments(x, y, rx, ry, large, sweep, rotateX, ox, oy) { const key = join.call(arguments); if (segmentCache[key]) { return segmentCache[key]; } const th = rotateX * DegToRad; const sin_th = Math.sin(th); const cos_th = Math.cos(th); rx = Math.abs(rx); ry = Math.abs(ry); const px = cos_th * (ox - x) * 0.5 + sin_th * (oy - y) * 0.5; const py = cos_th * (oy - y) * 0.5 - sin_th * (ox - x) * 0.5; let pl = px * px / (rx * rx) + py * py / (ry * ry); if (pl > 1) { pl = Math.sqrt(pl); rx *= pl; ry *= pl; } const a00 = cos_th / rx; const a01 = sin_th / rx; const a10 = -sin_th / ry; const a11 = cos_th / ry; const x0 = a00 * ox + a01 * oy; const y0 = a10 * ox + a11 * oy; const x1 = a00 * x + a01 * y; const y1 = a10 * x + a11 * y; const d = (x1 - x0) * (x1 - x0) + (y1 - y0) * (y1 - y0); let sfactor_sq = 1 / d - 0.25; if (sfactor_sq < 0) sfactor_sq = 0; let sfactor = Math.sqrt(sfactor_sq); if (sweep == large) sfactor = -sfactor; const xc = 0.5 * (x0 + x1) - sfactor * (y1 - y0); const yc = 0.5 * (y0 + y1) + sfactor * (x1 - x0); const th0 = Math.atan2(y0 - yc, x0 - xc); const th1 = Math.atan2(y1 - yc, x1 - xc); let th_arc = th1 - th0; if (th_arc < 0 && sweep === 1) { th_arc += Tau; } else if (th_arc > 0 && sweep === 0) { th_arc -= Tau; } const segs = Math.ceil(Math.abs(th_arc / (HalfPi + 0.001))); const result = []; for (let i = 0; i < segs; ++i) { const th2 = th0 + i * th_arc / segs; const th3 = th0 + (i + 1) * th_arc / segs; result[i] = [xc, yc, th2, th3, rx, ry, sin_th, cos_th]; } return segmentCache[key] = result; } function bezier(params) { const key = join.call(params); if (bezierCache[key]) { return bezierCache[key]; } var cx = params[0], cy = params[1], th0 = params[2], th1 = params[3], rx = params[4], ry = params[5], sin_th = params[6], cos_th = params[7]; const a00 = cos_th * rx; const a01 = -sin_th * ry; const a10 = sin_th * rx; const a11 = cos_th * ry; const cos_th0 = Math.cos(th0); const sin_th0 = Math.sin(th0); const cos_th1 = Math.cos(th1); const sin_th1 = Math.sin(th1); const th_half = 0.5 * (th1 - th0); const sin_th_h2 = Math.sin(th_half * 0.5); const t = 8 / 3 * sin_th_h2 * sin_th_h2 / Math.sin(th_half); const x1 = cx + cos_th0 - t * sin_th0; const y1 = cy + sin_th0 + t * cos_th0; const x3 = cx + cos_th1; const y3 = cy + sin_th1; const x2 = x3 + t * sin_th1; const y2 = y3 - t * cos_th1; return bezierCache[key] = [a00 * x1 + a01 * y1, a10 * x1 + a11 * y1, a00 * x2 + a01 * y2, a10 * x2 + a11 * y2, a00 * x3 + a01 * y3, a10 * x3 + a11 * y3]; } const temp = ['l', 0, 0, 0, 0, 0, 0, 0]; function scale$1(current, sX, sY) { const c = temp[0] = current[0]; if (c === 'a' || c === 'A') { temp[1] = sX * current[1]; temp[2] = sY * current[2]; temp[3] = current[3]; temp[4] = current[4]; temp[5] = current[5]; temp[6] = sX * current[6]; temp[7] = sY * current[7]; } else if (c === 'h' || c === 'H') { temp[1] = sX * current[1]; } else if (c === 'v' || c === 'V') { temp[1] = sY * current[1]; } else { for (var i = 1, n = current.length; i < n; ++i) { temp[i] = (i % 2 == 1 ? sX : sY) * current[i]; } } return temp; } function pathRender (context, path, l, t, sX, sY) { var current, // current instruction previous = null, x = 0, // current x y = 0, // current y controlX = 0, // current control point x controlY = 0, // current control point y tempX, tempY, tempControlX, tempControlY, anchorX = 0, anchorY = 0; if (l == null) l = 0; if (t == null) t = 0; if (sX == null) sX = 1; if (sY == null) sY = sX; if (context.beginPath) context.beginPath(); for (var i = 0, len = path.length; i < len; ++i) { current = path[i]; if (sX !== 1 || sY !== 1) { current = scale$1(current, sX, sY); } switch (current[0]) { // first letter case 'l': // lineto, relative x += current[1]; y += current[2]; context.lineTo(x + l, y + t); break; case 'L': // lineto, absolute x = current[1]; y = current[2]; context.lineTo(x + l, y + t); break; case 'h': // horizontal lineto, relative x += current[1]; context.lineTo(x + l, y + t); break; case 'H': // horizontal lineto, absolute x = current[1]; context.lineTo(x + l, y + t); break; case 'v': // vertical lineto, relative y += current[1]; context.lineTo(x + l, y + t); break; case 'V': // verical lineto, absolute y = current[1]; context.lineTo(x + l, y + t); break; case 'm': // moveTo, relative x += current[1]; y += current[2]; anchorX = x; anchorY = y; context.moveTo(x + l, y + t); break; case 'M': // moveTo, absolute x = current[1]; y = current[2]; anchorX = x; anchorY = y; context.moveTo(x + l, y + t); break; case 'c': // bezierCurveTo, relative tempX = x + current[5]; tempY = y + current[6]; controlX = x + current[3]; controlY = y + current[4]; context.bezierCurveTo(x + current[1] + l, // x1 y + current[2] + t, // y1 controlX + l, // x2 controlY + t, // y2 tempX + l, tempY + t); x = tempX; y = tempY; break; case 'C': // bezierCurveTo, absolute x = current[5]; y = current[6]; controlX = current[3]; controlY = current[4]; context.bezierCurveTo(current[1] + l, current[2] + t, controlX + l, controlY + t, x + l, y + t); break; case 's': // shorthand cubic bezierCurveTo, relative // transform to absolute x,y tempX = x + current[3]; tempY = y + current[4]; // calculate reflection of previous control points controlX = 2 * x - controlX; controlY = 2 * y - controlY; context.bezierCurveTo(controlX + l, controlY + t, x + current[1] + l, y + current[2] + t, tempX + l, tempY + t); // set control point to 2nd one of this command // the first control point is assumed to be the reflection of // the second control point on the previous command relative // to the current point. controlX = x + current[1]; controlY = y + current[2]; x = tempX; y = tempY; break; case 'S': // shorthand cubic bezierCurveTo, absolute tempX = current[3]; tempY = current[4]; // calculate reflection of previous control points controlX = 2 * x - controlX; controlY = 2 * y - controlY; context.bezierCurveTo(controlX + l, controlY + t, current[1] + l, current[2] + t, tempX + l, tempY + t); x = tempX; y = tempY; // set control point to 2nd one of this command // the first control point is assumed to be the reflection of // the second control point on the previous command relative // to the current point. controlX = current[1]; controlY = current[2]; break; case 'q': // quadraticCurveTo, relative // transform to absolute x,y tempX = x + current[3]; tempY = y + current[4]; controlX = x + current[1]; controlY = y + current[2]; context.quadraticCurveTo(controlX + l, controlY + t, tempX + l, tempY + t); x = tempX; y = tempY; break; case 'Q': // quadraticCurveTo, absolute tempX = current[3]; tempY = current[4]; context.quadraticCurveTo(current[1] + l, current[2] + t, tempX + l, tempY + t); x = tempX; y = tempY; controlX = current[1]; controlY = current[2]; break; case 't': // shorthand quadraticCurveTo, relative // transform to absolute x,y tempX = x + current[1]; tempY = y + current[2]; if (previous[0].match(/[QqTt]/) === null) { // If there is no previous command or if the previous command was not a Q, q, T or t, // assume the control point is coincident with the current point controlX = x; controlY = y; } else if (previous[0] === 't') { // calculate reflection of previous control points for t controlX = 2 * x - tempControlX; controlY = 2 * y - tempControlY; } else if (previous[0] === 'q') { // calculate reflection of previous control points for q controlX = 2 * x - controlX; controlY = 2 * y - controlY; } tempControlX = controlX; tempControlY = controlY; context.quadraticCurveTo(controlX + l, controlY + t, tempX + l, tempY + t); x = tempX; y = tempY; controlX = x + current[1]; controlY = y + current[2]; break; case 'T': tempX = current[1]; tempY = current[2]; // calculate reflection of previous control points controlX = 2 * x - controlX; controlY = 2 * y - controlY; context.quadraticCurveTo(controlX + l, controlY + t, tempX + l, tempY + t); x = tempX; y = tempY; break; case 'a': drawArc(context, x + l, y + t, [current[1], current[2], current[3], current[4], current[5], current[6] + x + l, current[7] + y + t]); x += current[6]; y += current[7]; break; case 'A': drawArc(context, x + l, y + t, [current[1], current[2], current[3], current[4], current[5], current[6] + l, current[7] + t]); x = current[6]; y = current[7]; break; case 'z': case 'Z': x = anchorX; y = anchorY; context.closePath(); break; } previous = current; } } function drawArc(context, x, y, coords) { const seg = segments(coords[5], // end x coords[6], // end y coords[0], // radius x coords[1], // radius y coords[3], // large flag coords[4], // sweep flag coords[2], // rotation x, y); for (let i = 0; i < seg.length; ++i) { const bez = bezier(seg[i]); context.bezierCurveTo(bez[0], bez[1], bez[2], bez[3], bez[4], bez[5]); } } const Tan30 = 0.5773502691896257; const builtins = { 'circle': { draw: function (context, size) { const r = Math.sqrt(size) / 2; context.moveTo(r, 0); context.arc(0, 0, r, 0, Tau); } }, 'cross': { draw: function (context, size) { var r = Math.sqrt(size) / 2, s = r / 2.5; context.moveTo(-r, -s); context.lineTo(-r, s); context.lineTo(-s, s); context.lineTo(-s, r); context.lineTo(s, r); context.lineTo(s, s); context.lineTo(r, s); context.lineTo(r, -s); context.lineTo(s, -s); context.lineTo(s, -r); context.lineTo(-s, -r); context.lineTo(-s, -s); context.closePath(); } }, 'diamond': { draw: function (context, size) { const r = Math.sqrt(size) / 2; context.moveTo(-r, 0); context.lineTo(0, -r); context.lineTo(r, 0); context.lineTo(0, r); context.closePath(); } }, 'square': { draw: function (context, size) { var w = Math.sqrt(size), x = -w / 2; context.rect(x, x, w, w); } }, 'arrow': { draw: function (context, size) { var r = Math.sqrt(size) / 2, s = r / 7, t = r / 2.5, v = r / 8; context.moveTo(-s, r); context.lineTo(s, r); context.lineTo(s, -v); context.lineTo(t, -v); context.lineTo(0, -r); context.lineTo(-t, -v); context.lineTo(-s, -v); context.closePath(); } }, 'wedge': { draw: function (context, size) { var r = Math.sqrt(size) / 2, h = HalfSqrt3 * r, o = h - r * Tan30, b = r / 4; context.moveTo(0, -h - o); context.lineTo(-b, h - o); context.lineTo(b, h - o); context.closePath(); } }, 'triangle': { draw: function (context, size) { var r = Math.sqrt(size) / 2, h = HalfSqrt3 * r, o = h - r * Tan30; context.moveTo(0, -h - o); context.lineTo(-r, h - o); context.lineTo(r, h - o); context.closePath(); } }, 'triangle-up': { draw: function (context, size) { var r = Math.sqrt(size) / 2, h = HalfSqrt3 * r; context.moveTo(0, -h); context.lineTo(-r, h); context.lineTo(r, h); context.closePath(); } }, 'triangle-down': { draw: function (context, size) { var r = Math.sqrt(size) / 2, h = HalfSqrt3 * r; context.moveTo(0, h); context.lineTo(-r, -h); context.lineTo(r, -h); context.closePath(); } }, 'triangle-right': { draw: function (context, size) { var r = Math.sqrt(size) / 2, h = HalfSqrt3 * r; context.moveTo(h, 0); context.lineTo(-h, -r); context.lineTo(-h, r); context.closePath(); } }, 'triangle-left': { draw: function (context, size) { var r = Math.sqrt(size) / 2, h = HalfSqrt3 * r; context.moveTo(-h, 0); context.lineTo(h, -r); context.lineTo(h, r); context.closePath(); } }, 'stroke': { draw: function (context, size) { const r = Math.sqrt(size) / 2; context.moveTo(-r, 0); context.lineTo(r, 0); } } }; function vega_scenegraph_module_symbols(_) { return has(builtins, _) ? builtins[_] : customSymbol(_); } var custom = {}; function customSymbol(path) { if (!has(custom, path)) { const parsed = vega_scenegraph_module_parse(path); custom[path] = { draw: function (context, size) { pathRender(context, parsed, 0, 0, Math.sqrt(size) / 2); } }; } return custom[path]; } // See http://spencermortensen.com/articles/bezier-circle/ const C = 0.448084975506; // C = 1 - c function rectangleX(d) { return d.x; } function rectangleY(d) { return d.y; } function rectangleWidth(d) { return d.width; } function rectangleHeight(d) { return d.height; } function vega_scenegraph_module_number(_) { return typeof _ === 'function' ? _ : () => +_; } function clamp(value, min, max) { return Math.max(min, Math.min(value, max)); } function vg_rect () { var x = rectangleX, y = rectangleY, width = rectangleWidth, height = rectangleHeight, crTL = vega_scenegraph_module_number(0), crTR = crTL, crBL = crTL, crBR = crTL, context = null; function rectangle(_, x0, y0) { var buffer, x1 = x0 != null ? x0 : +x.call(this, _), y1 = y0 != null ? y0 : +y.call(this, _), w = +width.call(this, _), h = +height.call(this, _), s = Math.min(w, h) / 2, tl = clamp(+crTL.call(this, _), 0, s), tr = clamp(+crTR.call(this, _), 0, s), bl = clamp(+crBL.call(this, _), 0, s), br = clamp(+crBR.call(this, _), 0, s); if (!context) context = buffer = (0,path/* path */.ET)(); if (tl <= 0 && tr <= 0 && bl <= 0 && br <= 0) { context.rect(x1, y1, w, h); } else { var x2 = x1 + w, y2 = y1 + h; context.moveTo(x1 + tl, y1); context.lineTo(x2 - tr, y1); context.bezierCurveTo(x2 - C * tr, y1, x2, y1 + C * tr, x2, y1 + tr); context.lineTo(x2, y2 - br); context.bezierCurveTo(x2, y2 - C * br, x2 - C * br, y2, x2 - br, y2); context.lineTo(x1 + bl, y2); context.bezierCurveTo(x1 + C * bl, y2, x1, y2 - C * bl, x1, y2 - bl); context.lineTo(x1, y1 + tl); context.bezierCurveTo(x1, y1 + C * tl, x1 + C * tl, y1, x1 + tl, y1); context.closePath(); } if (buffer) { context = null; return buffer + '' || null; } } rectangle.x = function (_) { if (arguments.length) { x = vega_scenegraph_module_number(_); return rectangle; } else { return x; } }; rectangle.y = function (_) { if (arguments.length) { y = vega_scenegraph_module_number(_); return rectangle; } else { return y; } }; rectangle.width = function (_) { if (arguments.length) { width = vega_scenegraph_module_number(_); return rectangle; } else { return width; } }; rectangle.height = function (_) { if (arguments.length) { height = vega_scenegraph_module_number(_); return rectangle; } else { return height; } }; rectangle.cornerRadius = function (tl, tr, br, bl) { if (arguments.length) { crTL = vega_scenegraph_module_number(tl); crTR = tr != null ? vega_scenegraph_module_number(tr) : crTL; crBR = br != null ? vega_scenegraph_module_number(br) : crTL; crBL = bl != null ? vega_scenegraph_module_number(bl) : crTR; return rectangle; } else { return crTL; } }; rectangle.context = function (_) { if (arguments.length) { context = _ == null ? null : _; return rectangle; } else { return context; } }; return rectangle; } function vg_trail () { var x, y, size, defined, context = null, ready, x1, y1, r1; function point(x2, y2, w2) { const r2 = w2 / 2; if (ready) { var ux = y1 - y2, uy = x2 - x1; if (ux || uy) { // get normal vector var ud = Math.hypot(ux, uy), rx = (ux /= ud) * r1, ry = (uy /= ud) * r1, t = Math.atan2(uy, ux); // draw segment context.moveTo(x1 - rx, y1 - ry); context.lineTo(x2 - ux * r2, y2 - uy * r2); context.arc(x2, y2, r2, t - Math.PI, t); context.lineTo(x1 + rx, y1 + ry); context.arc(x1, y1, r1, t, t + Math.PI); } else { context.arc(x2, y2, r2, 0, Tau); } context.closePath(); } else { ready = 1; } x1 = x2; y1 = y2; r1 = r2; } function trail(data) { var i, n = data.length, d, defined0 = false, buffer; if (context == null) context = buffer = (0,path/* path */.ET)(); for (i = 0; i <= n; ++i) { if (!(i < n && defined(d = data[i], i, data)) === defined0) { if (defined0 = !defined0) ready = 0; } if (defined0) point(+x(d, i, data), +y(d, i, data), +size(d, i, data)); } if (buffer) { context = null; return buffer + '' || null; } } trail.x = function (_) { if (arguments.length) { x = _; return trail; } else { return x; } }; trail.y = function (_) { if (arguments.length) { y = _; return trail; } else { return y; } }; trail.size = function (_) { if (arguments.length) { size = _; return trail; } else { return size; } }; trail.defined = function (_) { if (arguments.length) { defined = _; return trail; } else { return defined; } }; trail.context = function (_) { if (arguments.length) { if (_ == null) { context = null; } else { context = _; } return trail; } else { return context; } }; return trail; } function value$1(a, b) { return a != null ? a : b; } const x = item => item.x || 0, y = item => item.y || 0, w = item => item.width || 0, h = item => item.height || 0, xw = item => (item.x || 0) + (item.width || 0), yh = item => (item.y || 0) + (item.height || 0), sa = item => item.startAngle || 0, ea = item => item.endAngle || 0, pa = item => item.padAngle || 0, ir = item => item.innerRadius || 0, or = item => item.outerRadius || 0, cr = item => item.cornerRadius || 0, tl = item => value$1(item.cornerRadiusTopLeft, item.cornerRadius) || 0, tr = item => value$1(item.cornerRadiusTopRight, item.cornerRadius) || 0, br = item => value$1(item.cornerRadiusBottomRight, item.cornerRadius) || 0, bl = item => value$1(item.cornerRadiusBottomLeft, item.cornerRadius) || 0, sz = item => value$1(item.size, 64), ts = item => item.size || 1, def = item => !(item.defined === false), type = item => vega_scenegraph_module_symbols(item.shape || 'circle'); const arcShape = (0,arc/* default */.Z)().startAngle(sa).endAngle(ea).padAngle(pa).innerRadius(ir).outerRadius(or).cornerRadius(cr), areavShape = src_area().x(x).y1(y).y0(yh).defined(def), areahShape = src_area().y(y).x1(x).x0(xw).defined(def), lineShape = (0,line/* default */.Z)().x(x).y(y).defined(def), rectShape = vg_rect().x(x).y(y).width(w).height(h).cornerRadius(tl, tr, br, bl), symbolShape = symbol_Symbol().type(type).size(sz), trailShape = vg_trail().x(x).y(y).defined(def).size(ts); function hasCornerRadius(item) { return item.cornerRadius || item.cornerRadiusTopLeft || item.cornerRadiusTopRight || item.cornerRadiusBottomRight || item.cornerRadiusBottomLeft; } function arc$1(context, item) { return arcShape.context(context)(item); } function area$1(context, items) { const item = items[0], interp = item.interpolate || 'linear'; return (item.orient === 'horizontal' ? areahShape : areavShape).curve(curves(interp, item.orient, item.tension)).context(context)(items); } function line$1(context, items) { const item = items[0], interp = item.interpolate || 'linear'; return lineShape.curve(curves(interp, item.orient, item.tension)).context(context)(items); } function rectangle(context, item, x, y) { return rectShape.context(context)(item, x, y); } function shape$1(context, item) { return (item.mark.shape || item.shape).context(context)(item); } function symbol$1(context, item) { return symbolShape.context(context)(item); } function trail$1(context, items) { return trailShape.context(context)(items); } var clip_id = 1; function resetSVGClipId() { clip_id = 1; } function clip$1 (renderer, item, size) { var clip = item.clip, defs = renderer._defs, id = item.clip_id || (item.clip_id = 'clip' + clip_id++), c = defs.clipping[id] || (defs.clipping[id] = { id: id }); if (vega_util_module_isFunction(clip)) { c.path = clip(null); } else if (hasCornerRadius(size)) { c.path = rectangle(null, size, 0, 0); } else { c.width = size.width || 0; c.height = size.height || 0; } return 'url(#' + id + ')'; } function Bounds(b) { this.clear(); if (b) this.union(b); } Bounds.prototype = { clone() { return new Bounds(this); }, clear() { this.x1 = +Number.MAX_VALUE; this.y1 = +Number.MAX_VALUE; this.x2 = -Number.MAX_VALUE; this.y2 = -Number.MAX_VALUE; return this; }, empty() { return this.x1 === +Number.MAX_VALUE && this.y1 === +Number.MAX_VALUE && this.x2 === -Number.MAX_VALUE && this.y2 === -Number.MAX_VALUE; }, equals(b) { return this.x1 === b.x1 && this.y1 === b.y1 && this.x2 === b.x2 && this.y2 === b.y2; }, set(x1, y1, x2, y2) { if (x2 < x1) { this.x2 = x1; this.x1 = x2; } else { this.x1 = x1; this.x2 = x2; } if (y2 < y1) { this.y2 = y1; this.y1 = y2; } else { this.y1 = y1; this.y2 = y2; } return this; }, add(x, y) { if (x < this.x1) this.x1 = x; if (y < this.y1) this.y1 = y; if (x > this.x2) this.x2 = x; if (y > this.y2) this.y2 = y; return this; }, expand(d) { this.x1 -= d; this.y1 -= d; this.x2 += d; this.y2 += d; return this; }, round() { this.x1 = Math.floor(this.x1); this.y1 = Math.floor(this.y1); this.x2 = Math.ceil(this.x2); this.y2 = Math.ceil(this.y2); return this; }, scale(s) { this.x1 *= s; this.y1 *= s; this.x2 *= s; this.y2 *= s; return this; }, translate(dx, dy) { this.x1 += dx; this.x2 += dx; this.y1 += dy; this.y2 += dy; return this; }, rotate(angle, x, y) { const p = this.rotatedPoints(angle, x, y); return this.clear().add(p[0], p[1]).add(p[2], p[3]).add(p[4], p[5]).add(p[6], p[7]); }, rotatedPoints(angle, x, y) { var { x1, y1, x2, y2 } = this, cos = Math.cos(angle), sin = Math.sin(angle), cx = x - x * cos + y * sin, cy = y - x * sin - y * cos; return [cos * x1 - sin * y1 + cx, sin * x1 + cos * y1 + cy, cos * x1 - sin * y2 + cx, sin * x1 + cos * y2 + cy, cos * x2 - sin * y1 + cx, sin * x2 + cos * y1 + cy, cos * x2 - sin * y2 + cx, sin * x2 + cos * y2 + cy]; }, union(b) { if (b.x1 < this.x1) this.x1 = b.x1; if (b.y1 < this.y1) this.y1 = b.y1; if (b.x2 > this.x2) this.x2 = b.x2; if (b.y2 > this.y2) this.y2 = b.y2; return this; }, intersect(b) { if (b.x1 > this.x1) this.x1 = b.x1; if (b.y1 > this.y1) this.y1 = b.y1; if (b.x2 < this.x2) this.x2 = b.x2; if (b.y2 < this.y2) this.y2 = b.y2; return this; }, encloses(b) { return b && this.x1 <= b.x1 && this.x2 >= b.x2 && this.y1 <= b.y1 && this.y2 >= b.y2; }, alignsWith(b) { return b && (this.x1 == b.x1 || this.x2 == b.x2 || this.y1 == b.y1 || this.y2 == b.y2); }, intersects(b) { return b && !(this.x2 < b.x1 || this.x1 > b.x2 || this.y2 < b.y1 || this.y1 > b.y2); }, contains(x, y) { return !(x < this.x1 || x > this.x2 || y < this.y1 || y > this.y2); }, width() { return this.x2 - this.x1; }, height() { return this.y2 - this.y1; } }; function Item(mark) { this.mark = mark; this.bounds = this.bounds || new Bounds(); } function GroupItem(mark) { Item.call(this, mark); this.items = this.items || []; } inherits(GroupItem, Item); class ResourceLoader { constructor(customLoader) { this._pending = 0; this._loader = customLoader || loader(); } pending() { return this._pending; } sanitizeURL(uri) { const loader = this; increment(loader); return loader._loader.sanitize(uri, { context: 'href' }).then(opt => { decrement(loader); return opt; }).catch(() => { decrement(loader); return null; }); } loadImage(uri) { const loader = this, Image = domImage(); increment(loader); return loader._loader.sanitize(uri, { context: 'image' }).then(opt => { const url = opt.href; if (!url || !Image) throw { url: url }; const img = new Image(); // set crossOrigin only if cors is defined; empty string sets anonymous mode // https://developer.mozilla.org/en-US/docs/Web/API/HTMLImageElement/crossOrigin const cors = has(opt, 'crossOrigin') ? opt.crossOrigin : 'anonymous'; if (cors != null) img.crossOrigin = cors; // attempt to load image resource img.onload = () => decrement(loader); img.onerror = () => decrement(loader); img.src = url; return img; }).catch(e => { decrement(loader); return { complete: false, width: 0, height: 0, src: e && e.url || '' }; }); } ready() { const loader = this; return new Promise(accept => { function poll(value) { if (!loader.pending()) accept(value);else setTimeout(() => { poll(true); }, 10); } poll(false); }); } } function increment(loader) { loader._pending += 1; } function decrement(loader) { loader._pending -= 1; } function boundStroke (bounds, item, miter) { if (item.stroke && item.opacity !== 0 && item.strokeOpacity !== 0) { const sw = item.strokeWidth != null ? +item.strokeWidth : 1; bounds.expand(sw + (miter ? miterAdjustment(item, sw) : 0)); } return bounds; } function miterAdjustment(item, strokeWidth) { // TODO: more sophisticated adjustment? Or miter support in boundContext? return item.strokeJoin && item.strokeJoin !== 'miter' ? 0 : strokeWidth; } const circleThreshold = Tau - 1e-8; let bounds, lx, ly, rot, ma, mb, mc, md; const vega_scenegraph_module_add = (x, y) => bounds.add(x, y); const addL = (x, y) => vega_scenegraph_module_add(lx = x, ly = y); const addX = x => vega_scenegraph_module_add(x, bounds.y1); const addY = y => vega_scenegraph_module_add(bounds.x1, y); const px = (x, y) => ma * x + mc * y; const py = (x, y) => mb * x + md * y; const addp = (x, y) => vega_scenegraph_module_add(px(x, y), py(x, y)); const addpL = (x, y) => addL(px(x, y), py(x, y)); function boundContext (_, deg) { bounds = _; if (deg) { rot = deg * DegToRad; ma = md = Math.cos(rot); mb = Math.sin(rot); mc = -mb; } else { ma = md = 1; rot = mb = mc = 0; } return context$1; } const context$1 = { beginPath() {}, closePath() {}, moveTo: addpL, lineTo: addpL, rect(x, y, w, h) { if (rot) { addp(x + w, y); addp(x + w, y + h); addp(x, y + h); addpL(x, y); } else { vega_scenegraph_module_add(x + w, y + h); addL(x, y); } }, quadraticCurveTo(x1, y1, x2, y2) { const px1 = px(x1, y1), py1 = py(x1, y1), px2 = px(x2, y2), py2 = py(x2, y2); quadExtrema(lx, px1, px2, addX); quadExtrema(ly, py1, py2, addY); addL(px2, py2); }, bezierCurveTo(x1, y1, x2, y2, x3, y3) { const px1 = px(x1, y1), py1 = py(x1, y1), px2 = px(x2, y2), py2 = py(x2, y2), px3 = px(x3, y3), py3 = py(x3, y3); cubicExtrema(lx, px1, px2, px3, addX); cubicExtrema(ly, py1, py2, py3, addY); addL(px3, py3); }, arc(cx, cy, r, sa, ea, ccw) { sa += rot; ea += rot; // store last point on path lx = r * Math.cos(ea) + cx; ly = r * Math.sin(ea) + cy; if (Math.abs(ea - sa) > circleThreshold) { // treat as full circle vega_scenegraph_module_add(cx - r, cy - r); vega_scenegraph_module_add(cx + r, cy + r); } else { const update = a => vega_scenegraph_module_add(r * Math.cos(a) + cx, r * Math.sin(a) + cy); let s, i; // sample end points update(sa); update(ea); // sample interior points aligned with 90 degrees if (ea !== sa) { sa = sa % Tau; if (sa < 0) sa += Tau; ea = ea % Tau; if (ea < 0) ea += Tau; if (ea < sa) { ccw = !ccw; // flip direction s = sa; sa = ea; ea = s; // swap end-points } if (ccw) { ea -= Tau; s = sa - sa % HalfPi; for (i = 0; i < 4 && s > ea; ++i, s -= HalfPi) update(s); } else { s = sa - sa % HalfPi + HalfPi; for (i = 0; i < 4 && s < ea; ++i, s = s + HalfPi) update(s); } } } } }; function quadExtrema(x0, x1, x2, cb) { const t = (x0 - x1) / (x0 + x2 - 2 * x1); if (0 < t && t < 1) cb(x0 + (x1 - x0) * t); } function cubicExtrema(x0, x1, x2, x3, cb) { const a = x3 - x0 + 3 * x1 - 3 * x2, b = x0 + x2 - 2 * x1, c = x0 - x1; let t0 = 0, t1 = 0, r; // solve for parameter t if (Math.abs(a) > Epsilon) { // quadratic equation r = b * b + c * a; if (r >= 0) { r = Math.sqrt(r); t0 = (-b + r) / a; t1 = (-b - r) / a; } } else { // linear equation t0 = 0.5 * c / b; } // calculate position if (0 < t0 && t0 < 1) cb(cubic(t0, x0, x1, x2, x3)); if (0 < t1 && t1 < 1) cb(cubic(t1, x0, x1, x2, x3)); } function cubic(t, x0, x1, x2, x3) { const s = 1 - t, s2 = s * s, t2 = t * t; return s2 * s * x0 + 3 * s2 * t * x1 + 3 * s * t2 * x2 + t2 * t * x3; } var context = (context = domCanvas(1, 1)) ? context.getContext('2d') : null; const b = new Bounds(); function intersectPath(draw) { return function (item, brush) { // rely on (inaccurate) bounds intersection if no context if (!context) return true; // add path to offscreen graphics context draw(context, item); // get bounds intersection region b.clear().union(item.bounds).intersect(brush).round(); const { x1, y1, x2, y2 } = b; // iterate over intersection region // perform fine grained inclusion test for (let y = y1; y <= y2; ++y) { for (let x = x1; x <= x2; ++x) { if (context.isPointInPath(x, y)) { return true; } } } // false if no hits in intersection region return false; }; } function intersectPoint(item, box) { return box.contains(item.x || 0, item.y || 0); } function intersectRect(item, box) { const x = item.x || 0, y = item.y || 0, w = item.width || 0, h = item.height || 0; return box.intersects(b.set(x, y, x + w, y + h)); } function intersectRule(item, box) { const x = item.x || 0, y = item.y || 0, x2 = item.x2 != null ? item.x2 : x, y2 = item.y2 != null ? item.y2 : y; return intersectBoxLine(box, x, y, x2, y2); } function intersectBoxLine(box, x, y, u, v) { const { x1, y1, x2, y2 } = box, dx = u - x, dy = v - y; let t0 = 0, t1 = 1, p, q, r, e; for (e = 0; e < 4; ++e) { if (e === 0) { p = -dx; q = -(x1 - x); } if (e === 1) { p = dx; q = x2 - x; } if (e === 2) { p = -dy; q = -(y1 - y); } if (e === 3) { p = dy; q = y2 - y; } if (Math.abs(p) < 1e-10 && q < 0) return false; r = q / p; if (p < 0) { if (r > t1) return false;else if (r > t0) t0 = r; } else if (p > 0) { if (r < t0) return false;else if (r < t1) t1 = r; } } return true; } function blend (context, item) { context.globalCompositeOperation = item.blend || 'source-over'; } function vega_scenegraph_module_value (value, dflt) { return value == null ? dflt : value; } function addStops(gradient, stops) { const n = stops.length; for (let i = 0; i < n; ++i) { gradient.addColorStop(stops[i].offset, stops[i].color); } return gradient; } function gradient (context, spec, bounds) { const w = bounds.width(), h = bounds.height(); let gradient; if (spec.gradient === 'radial') { gradient = context.createRadialGradient(bounds.x1 + vega_scenegraph_module_value(spec.x1, 0.5) * w, bounds.y1 + vega_scenegraph_module_value(spec.y1, 0.5) * h, Math.max(w, h) * vega_scenegraph_module_value(spec.r1, 0), bounds.x1 + vega_scenegraph_module_value(spec.x2, 0.5) * w, bounds.y1 + vega_scenegraph_module_value(spec.y2, 0.5) * h, Math.max(w, h) * vega_scenegraph_module_value(spec.r2, 0.5)); } else { // linear gradient const x1 = vega_scenegraph_module_value(spec.x1, 0), y1 = vega_scenegraph_module_value(spec.y1, 0), x2 = vega_scenegraph_module_value(spec.x2, 1), y2 = vega_scenegraph_module_value(spec.y2, 0); if (x1 === x2 || y1 === y2 || w === h) { // axis aligned: use normal gradient gradient = context.createLinearGradient(bounds.x1 + x1 * w, bounds.y1 + y1 * h, bounds.x1 + x2 * w, bounds.y1 + y2 * h); } else { // not axis aligned: render gradient into a pattern (#2365) // this allows us to use normalized bounding box coordinates const image = domCanvas(Math.ceil(w), Math.ceil(h)), ictx = image.getContext('2d'); ictx.scale(w, h); ictx.fillStyle = addStops(ictx.createLinearGradient(x1, y1, x2, y2), spec.stops); ictx.fillRect(0, 0, w, h); return context.createPattern(image, 'no-repeat'); } } return addStops(gradient, spec.stops); } function color (context, item, value) { return isGradient(value) ? gradient(context, value, item.bounds) : value; } function fill (context, item, opacity) { opacity *= item.fillOpacity == null ? 1 : item.fillOpacity; if (opacity > 0) { context.globalAlpha = opacity; context.fillStyle = color(context, item, item.fill); return true; } else { return false; } } var vega_scenegraph_module_Empty = []; function stroke (context, item, opacity) { var lw = (lw = item.strokeWidth) != null ? lw : 1; if (lw <= 0) return false; opacity *= item.strokeOpacity == null ? 1 : item.strokeOpacity; if (opacity > 0) { context.globalAlpha = opacity; context.strokeStyle = color(context, item, item.stroke); context.lineWidth = lw; context.lineCap = item.strokeCap || 'butt'; context.lineJoin = item.strokeJoin || 'miter'; context.miterLimit = item.strokeMiterLimit || 10; if (context.setLineDash) { context.setLineDash(item.strokeDash || vega_scenegraph_module_Empty); context.lineDashOffset = item.strokeDashOffset || 0; } return true; } else { return false; } } function vega_scenegraph_module_compare(a, b) { return a.zindex - b.zindex || a.index - b.index; } function zorder(scene) { if (!scene.zdirty) return scene.zitems; var items = scene.items, output = [], item, i, n; for (i = 0, n = items.length; i < n; ++i) { item = items[i]; item.index = i; if (item.zindex) output.push(item); } scene.zdirty = false; return scene.zitems = output.sort(vega_scenegraph_module_compare); } function visit(scene, visitor) { var items = scene.items, i, n; if (!items || !items.length) return; const zitems = zorder(scene); if (zitems && zitems.length) { for (i = 0, n = items.length; i < n; ++i) { if (!items[i].zindex) visitor(items[i]); } items = zitems; } for (i = 0, n = items.length; i < n; ++i) { visitor(items[i]); } } function pickVisit(scene, visitor) { var items = scene.items, hit, i; if (!items || !items.length) return null; const zitems = zorder(scene); if (zitems && zitems.length) items = zitems; for (i = items.length; --i >= 0;) { if (hit = visitor(items[i])) return hit; } if (items === zitems) { for (items = scene.items, i = items.length; --i >= 0;) { if (!items[i].zindex) { if (hit = visitor(items[i])) return hit; } } } return null; } function drawAll(path) { return function (context, scene, bounds) { visit(scene, item => { if (!bounds || bounds.intersects(item.bounds)) { drawPath(path, context, item, item); } }); }; } function drawOne(path) { return function (context, scene, bounds) { if (scene.items.length && (!bounds || bounds.intersects(scene.bounds))) { drawPath(path, context, scene.items[0], scene.items); } }; } function drawPath(path, context, item, items) { var opacity = item.opacity == null ? 1 : item.opacity; if (opacity === 0) return; if (path(context, items)) return; blend(context, item); if (item.fill && fill(context, item, opacity)) { context.fill(); } if (item.stroke && stroke(context, item, opacity)) { context.stroke(); } } function pick$1(test) { test = test || truthy; return function (context, scene, x, y, gx, gy) { x *= context.pixelRatio; y *= context.pixelRatio; return pickVisit(scene, item => { const b = item.bounds; // first hit test against bounding box if (b && !b.contains(gx, gy) || !b) return; // if in bounding box, perform more careful test if (test(context, item, x, y, gx, gy)) return item; }); }; } function hitPath(path, filled) { return function (context, o, x, y) { var item = Array.isArray(o) ? o[0] : o, fill = filled == null ? item.fill : filled, stroke = item.stroke && context.isPointInStroke, lw, lc; if (stroke) { lw = item.strokeWidth; lc = item.strokeCap; context.lineWidth = lw != null ? lw : 1; context.lineCap = lc != null ? lc : 'butt'; } return path(context, o) ? false : fill && context.isPointInPath(x, y) || stroke && context.isPointInStroke(x, y); }; } function pickPath(path) { return pick$1(hitPath(path)); } function translate(x, y) { return 'translate(' + x + ',' + y + ')'; } function rotate(a) { return 'rotate(' + a + ')'; } function vega_scenegraph_module_scale(scaleX, scaleY) { return 'scale(' + scaleX + ',' + scaleY + ')'; } function translateItem(item) { return translate(item.x || 0, item.y || 0); } function rotateItem(item) { return translate(item.x || 0, item.y || 0) + (item.angle ? ' ' + rotate(item.angle) : ''); } function transformItem(item) { return translate(item.x || 0, item.y || 0) + (item.angle ? ' ' + rotate(item.angle) : '') + (item.scaleX || item.scaleY ? ' ' + vega_scenegraph_module_scale(item.scaleX || 1, item.scaleY || 1) : ''); } function markItemPath (type, shape, isect) { function attr(emit, item) { emit('transform', rotateItem(item)); emit('d', shape(null, item)); } function bound(bounds, item) { shape(boundContext(bounds, item.angle), item); return boundStroke(bounds, item).translate(item.x || 0, item.y || 0); } function draw(context, item) { var x = item.x || 0, y = item.y || 0, a = item.angle || 0; context.translate(x, y); if (a) context.rotate(a *= DegToRad); context.beginPath(); shape(context, item); if (a) context.rotate(-a); context.translate(-x, -y); } return { type: type, tag: 'path', nested: false, attr: attr, bound: bound, draw: drawAll(draw), pick: pickPath(draw), isect: isect || intersectPath(draw) }; } var vega_scenegraph_module_arc = markItemPath('arc', arc$1); function pickArea(a, p) { var v = a[0].orient === 'horizontal' ? p[1] : p[0], z = a[0].orient === 'horizontal' ? 'y' : 'x', i = a.length, min = +Infinity, hit, d; while (--i >= 0) { if (a[i].defined === false) continue; d = Math.abs(a[i][z] - v); if (d < min) { min = d; hit = a[i]; } } return hit; } function pickLine(a, p) { var t = Math.pow(a[0].strokeWidth || 1, 2), i = a.length, dx, dy, dd; while (--i >= 0) { if (a[i].defined === false) continue; dx = a[i].x - p[0]; dy = a[i].y - p[1]; dd = dx * dx + dy * dy; if (dd < t) return a[i]; } return null; } function pickTrail(a, p) { var i = a.length, dx, dy, dd; while (--i >= 0) { if (a[i].defined === false) continue; dx = a[i].x - p[0]; dy = a[i].y - p[1]; dd = dx * dx + dy * dy; dx = a[i].size || 1; if (dd < dx * dx) return a[i]; } return null; } function markMultiItemPath (type, shape, tip) { function attr(emit, item) { var items = item.mark.items; if (items.length) emit('d', shape(null, items)); } function bound(bounds, mark) { var items = mark.items; if (items.length === 0) { return bounds; } else { shape(boundContext(bounds), items); return boundStroke(bounds, items[0]); } } function draw(context, items) { context.beginPath(); shape(context, items); } const hit = hitPath(draw); function pick(context, scene, x, y, gx, gy) { var items = scene.items, b = scene.bounds; if (!items || !items.length || b && !b.contains(gx, gy)) { return null; } x *= context.pixelRatio; y *= context.pixelRatio; return hit(context, items, x, y) ? items[0] : null; } return { type: type, tag: 'path', nested: true, attr: attr, bound: bound, draw: drawOne(draw), pick: pick, isect: intersectPoint, tip: tip }; } var vega_scenegraph_module_area = markMultiItemPath('area', area$1, pickArea); function clip (context, scene) { var clip = scene.clip; context.save(); if (vega_util_module_isFunction(clip)) { context.beginPath(); clip(context); context.clip(); } else { clipGroup(context, scene.group); } } function clipGroup(context, group) { context.beginPath(); hasCornerRadius(group) ? rectangle(context, group, 0, 0) : context.rect(0, 0, group.width || 0, group.height || 0); context.clip(); } function offset$1(item) { const sw = vega_scenegraph_module_value(item.strokeWidth, 1); return item.strokeOffset != null ? item.strokeOffset : item.stroke && sw > 0.5 && sw < 1.5 ? 0.5 - Math.abs(sw - 1) : 0; } function attr$5(emit, item) { emit('transform', translateItem(item)); } function emitRectangle(emit, item) { const off = offset$1(item); emit('d', rectangle(null, item, off, off)); } function background(emit, item) { emit('class', 'background'); emit('aria-hidden', true); emitRectangle(emit, item); } function foreground(emit, item) { emit('class', 'foreground'); emit('aria-hidden', true); if (item.strokeForeground) { emitRectangle(emit, item); } else { emit('d', ''); } } function content(emit, item, renderer) { const url = item.clip ? clip$1(renderer, item, item) : null; emit('clip-path', url); } function bound$5(bounds, group) { if (!group.clip && group.items) { const items = group.items, m = items.length; for (let j = 0; j < m; ++j) { bounds.union(items[j].bounds); } } if ((group.clip || group.width || group.height) && !group.noBound) { bounds.add(0, 0).add(group.width || 0, group.height || 0); } boundStroke(bounds, group); return bounds.translate(group.x || 0, group.y || 0); } function rectanglePath(context, group, x, y) { const off = offset$1(group); context.beginPath(); rectangle(context, group, (x || 0) + off, (y || 0) + off); } const hitBackground = hitPath(rectanglePath); const hitForeground = hitPath(rectanglePath, false); const hitCorner = hitPath(rectanglePath, true); function draw$4(context, scene, bounds, markTypes) { visit(scene, group => { const gx = group.x || 0, gy = group.y || 0, fore = group.strokeForeground, opacity = group.opacity == null ? 1 : group.opacity; // draw group background if ((group.stroke || group.fill) && opacity) { rectanglePath(context, group, gx, gy); blend(context, group); if (group.fill && fill(context, group, opacity)) { context.fill(); } if (group.stroke && !fore && stroke(context, group, opacity)) { context.stroke(); } } // setup graphics context, set clip and bounds context.save(); context.translate(gx, gy); if (group.clip) clipGroup(context, group); if (bounds) bounds.translate(-gx, -gy); // draw group contents visit(group, item => { if (item.marktype === 'group' || markTypes == null || markTypes.includes(item.marktype)) { this.draw(context, item, bounds, markTypes); } }); // restore graphics context if (bounds) bounds.translate(gx, gy); context.restore(); // draw group foreground if (fore && group.stroke && opacity) { rectanglePath(context, group, gx, gy); blend(context, group); if (stroke(context, group, opacity)) { context.stroke(); } } }); } function pick(context, scene, x, y, gx, gy) { if (scene.bounds && !scene.bounds.contains(gx, gy) || !scene.items) { return null; } const cx = x * context.pixelRatio, cy = y * context.pixelRatio; return pickVisit(scene, group => { let hit, dx, dy; // first hit test bounding box const b = group.bounds; if (b && !b.contains(gx, gy)) return; // passed bounds check, test rectangular clip dx = group.x || 0; dy = group.y || 0; const dw = dx + (group.width || 0), dh = dy + (group.height || 0), c = group.clip; if (c && (gx < dx || gx > dw || gy < dy || gy > dh)) return; // adjust coordinate system context.save(); context.translate(dx, dy); dx = gx - dx; dy = gy - dy; // test background for rounded corner clip if (c && hasCornerRadius(group) && !hitCorner(context, group, cx, cy)) { context.restore(); return null; } const fore = group.strokeForeground, ix = scene.interactive !== false; // hit test against group foreground if (ix && fore && group.stroke && hitForeground(context, group, cx, cy)) { context.restore(); return group; } // hit test against contained marks hit = pickVisit(group, mark => pickMark(mark, dx, dy) ? this.pick(mark, x, y, dx, dy) : null); // hit test against group background if (!hit && ix && (group.fill || !fore && group.stroke) && hitBackground(context, group, cx, cy)) { hit = group; } // restore state and return context.restore(); return hit || null; }); } function pickMark(mark, x, y) { return (mark.interactive !== false || mark.marktype === 'group') && mark.bounds && mark.bounds.contains(x, y); } var group = { type: 'group', tag: 'g', nested: false, attr: attr$5, bound: bound$5, draw: draw$4, pick: pick, isect: intersectRect, content: content, background: background, foreground: foreground }; var metadata = { 'xmlns': 'http://www.w3.org/2000/svg', 'xmlns:xlink': 'http://www.w3.org/1999/xlink', 'version': '1.1' }; function getImage(item, renderer) { var image = item.image; if (!image || item.url && item.url !== image.url) { image = { complete: false, width: 0, height: 0 }; renderer.loadImage(item.url).then(image => { item.image = image; item.image.url = item.url; }); } return image; } function imageWidth(item, image) { return item.width != null ? item.width : !image || !image.width ? 0 : item.aspect !== false && item.height ? item.height * image.width / image.height : image.width; } function imageHeight(item, image) { return item.height != null ? item.height : !image || !image.height ? 0 : item.aspect !== false && item.width ? item.width * image.height / image.width : image.height; } function imageXOffset(align, w) { return align === 'center' ? w / 2 : align === 'right' ? w : 0; } function imageYOffset(baseline, h) { return baseline === 'middle' ? h / 2 : baseline === 'bottom' ? h : 0; } function attr$4(emit, item, renderer) { const img = getImage(item, renderer), w = imageWidth(item, img), h = imageHeight(item, img), x = (item.x || 0) - imageXOffset(item.align, w), y = (item.y || 0) - imageYOffset(item.baseline, h), i = !img.src && img.toDataURL ? img.toDataURL() : img.src || ''; emit('href', i, metadata['xmlns:xlink'], 'xlink:href'); emit('transform', translate(x, y)); emit('width', w); emit('height', h); emit('preserveAspectRatio', item.aspect === false ? 'none' : 'xMidYMid'); } function bound$4(bounds, item) { const img = item.image, w = imageWidth(item, img), h = imageHeight(item, img), x = (item.x || 0) - imageXOffset(item.align, w), y = (item.y || 0) - imageYOffset(item.baseline, h); return bounds.set(x, y, x + w, y + h); } function draw$3(context, scene, bounds) { visit(scene, item => { if (bounds && !bounds.intersects(item.bounds)) return; // bounds check const img = getImage(item, this); let w = imageWidth(item, img); let h = imageHeight(item, img); if (w === 0 || h === 0) return; // early exit let x = (item.x || 0) - imageXOffset(item.align, w), y = (item.y || 0) - imageYOffset(item.baseline, h), opacity, ar0, ar1, t; if (item.aspect !== false) { ar0 = img.width / img.height; ar1 = item.width / item.height; if (ar0 === ar0 && ar1 === ar1 && ar0 !== ar1) { if (ar1 < ar0) { t = w / ar0; y += (h - t) / 2; h = t; } else { t = h * ar0; x += (w - t) / 2; w = t; } } } if (img.complete || img.toDataURL) { blend(context, item); context.globalAlpha = (opacity = item.opacity) != null ? opacity : 1; context.imageSmoothingEnabled = item.smooth !== false; context.drawImage(img, x, y, w, h); } }); } var vega_scenegraph_module_image = { type: 'image', tag: 'image', nested: false, attr: attr$4, bound: bound$4, draw: draw$3, pick: pick$1(), isect: truthy, // bounds check is sufficient get: getImage, xOffset: imageXOffset, yOffset: imageYOffset }; var vega_scenegraph_module_line = markMultiItemPath('line', line$1, pickLine); function attr$3(emit, item) { var sx = item.scaleX || 1, sy = item.scaleY || 1; if (sx !== 1 || sy !== 1) { emit('vector-effect', 'non-scaling-stroke'); } emit('transform', transformItem(item)); emit('d', item.path); } function path$1(context, item) { var path = item.path; if (path == null) return true; var x = item.x || 0, y = item.y || 0, sx = item.scaleX || 1, sy = item.scaleY || 1, a = (item.angle || 0) * DegToRad, cache = item.pathCache; if (!cache || cache.path !== path) { (item.pathCache = cache = vega_scenegraph_module_parse(path)).path = path; } if (a && context.rotate && context.translate) { context.translate(x, y); context.rotate(a); pathRender(context, cache, 0, 0, sx, sy); context.rotate(-a); context.translate(-x, -y); } else { pathRender(context, cache, x, y, sx, sy); } } function bound$3(bounds, item) { return path$1(boundContext(bounds, item.angle), item) ? bounds.set(0, 0, 0, 0) : boundStroke(bounds, item, true); } var path$2 = { type: 'path', tag: 'path', nested: false, attr: attr$3, bound: bound$3, draw: drawAll(path$1), pick: pickPath(path$1), isect: intersectPath(path$1) }; function attr$2(emit, item) { emit('d', rectangle(null, item)); } function bound$2(bounds, item) { var x, y; return boundStroke(bounds.set(x = item.x || 0, y = item.y || 0, x + item.width || 0, y + item.height || 0), item); } function draw$2(context, item) { context.beginPath(); rectangle(context, item); } var rect = { type: 'rect', tag: 'path', nested: false, attr: attr$2, bound: bound$2, draw: drawAll(draw$2), pick: pickPath(draw$2), isect: intersectRect }; function attr$1(emit, item) { emit('transform', translateItem(item)); emit('x2', item.x2 != null ? item.x2 - (item.x || 0) : 0); emit('y2', item.y2 != null ? item.y2 - (item.y || 0) : 0); } function bound$1(bounds, item) { var x1, y1; return boundStroke(bounds.set(x1 = item.x || 0, y1 = item.y || 0, item.x2 != null ? item.x2 : x1, item.y2 != null ? item.y2 : y1), item); } function vega_scenegraph_module_path(context, item, opacity) { var x1, y1, x2, y2; if (item.stroke && stroke(context, item, opacity)) { x1 = item.x || 0; y1 = item.y || 0; x2 = item.x2 != null ? item.x2 : x1; y2 = item.y2 != null ? item.y2 : y1; context.beginPath(); context.moveTo(x1, y1); context.lineTo(x2, y2); return true; } return false; } function draw$1(context, scene, bounds) { visit(scene, item => { if (bounds && !bounds.intersects(item.bounds)) return; // bounds check var opacity = item.opacity == null ? 1 : item.opacity; if (opacity && vega_scenegraph_module_path(context, item, opacity)) { blend(context, item); context.stroke(); } }); } function hit$1(context, item, x, y) { if (!context.isPointInStroke) return false; return vega_scenegraph_module_path(context, item, 1) && context.isPointInStroke(x, y); } var rule = { type: 'rule', tag: 'line', nested: false, attr: attr$1, bound: bound$1, draw: draw$1, pick: pick$1(hit$1), isect: intersectRule }; var shape = markItemPath('shape', shape$1); var symbol = markItemPath('symbol', symbol$1, intersectPoint); // memoize text width measurement const widthCache = lruCache(); var textMetrics = { height: fontSize, measureWidth: measureWidth, estimateWidth: estimateWidth, width: estimateWidth, canvas: useCanvas }; useCanvas(true); function useCanvas(use) { textMetrics.width = use && context ? measureWidth : estimateWidth; } // make simple estimate if no canvas is available function estimateWidth(item, text) { return _estimateWidth(textValue(item, text), fontSize(item)); } function _estimateWidth(text, currentFontHeight) { return ~~(0.8 * text.length * currentFontHeight); } // measure text width if canvas is available function measureWidth(item, text) { return fontSize(item) <= 0 || !(text = textValue(item, text)) ? 0 : _measureWidth(text, font(item)); } function _measureWidth(text, currentFont) { const key = `(${currentFont}) ${text}`; let width = widthCache.get(key); if (width === undefined) { context.font = currentFont; width = context.measureText(text).width; widthCache.set(key, width); } return width; } function fontSize(item) { return item.fontSize != null ? +item.fontSize || 0 : 11; } function lineHeight(item) { return item.lineHeight != null ? item.lineHeight : fontSize(item) + 2; } function lineArray(_) { return isArray(_) ? _.length > 1 ? _ : _[0] : _; } function textLines(item) { return lineArray(item.lineBreak && item.text && !isArray(item.text) ? item.text.split(item.lineBreak) : item.text); } function multiLineOffset(item) { const tl = textLines(item); return (isArray(tl) ? tl.length - 1 : 0) * lineHeight(item); } function textValue(item, line) { const text = line == null ? '' : (line + '').trim(); return item.limit > 0 && text.length ? vega_scenegraph_module_truncate(item, text) : text; } function widthGetter(item) { if (textMetrics.width === measureWidth) { // we are using canvas const currentFont = font(item); return text => _measureWidth(text, currentFont); } else if (textMetrics.width === estimateWidth) { // we are relying on estimates const currentFontHeight = fontSize(item); return text => _estimateWidth(text, currentFontHeight); } else { // User defined textMetrics.width function in use (e.g. vl-convert) return text => textMetrics.width(item, text); } } function vega_scenegraph_module_truncate(item, text) { var limit = +item.limit, width = widthGetter(item); if (width(text) < limit) return text; var ellipsis = item.ellipsis || '\u2026', rtl = item.dir === 'rtl', lo = 0, hi = text.length, mid; limit -= width(ellipsis); if (rtl) { while (lo < hi) { mid = lo + hi >>> 1; if (width(text.slice(mid)) > limit) lo = mid + 1;else hi = mid; } return ellipsis + text.slice(lo); } else { while (lo < hi) { mid = 1 + (lo + hi >>> 1); if (width(text.slice(0, mid)) < limit) lo = mid;else hi = mid - 1; } return text.slice(0, lo) + ellipsis; } } function fontFamily(item, quote) { var font = item.font; return (quote && font ? String(font).replace(/"/g, '\'') : font) || 'sans-serif'; } function font(item, quote) { return '' + (item.fontStyle ? item.fontStyle + ' ' : '') + (item.fontVariant ? item.fontVariant + ' ' : '') + (item.fontWeight ? item.fontWeight + ' ' : '') + fontSize(item) + 'px ' + fontFamily(item, quote); } function vega_scenegraph_module_offset(item) { // perform our own font baseline calculation // why? not all browsers support SVG 1.1 'alignment-baseline' :( // this also ensures consistent layout across renderers var baseline = item.baseline, h = fontSize(item); return Math.round(baseline === 'top' ? 0.79 * h : baseline === 'middle' ? 0.30 * h : baseline === 'bottom' ? -0.21 * h : baseline === 'line-top' ? 0.29 * h + 0.5 * lineHeight(item) : baseline === 'line-bottom' ? 0.29 * h - 0.5 * lineHeight(item) : 0); } const textAlign = { 'left': 'start', 'center': 'middle', 'right': 'end' }; const tempBounds = new Bounds(); function anchorPoint(item) { var x = item.x || 0, y = item.y || 0, r = item.radius || 0, t; if (r) { t = (item.theta || 0) - HalfPi; x += r * Math.cos(t); y += r * Math.sin(t); } tempBounds.x1 = x; tempBounds.y1 = y; return tempBounds; } function attr(emit, item) { var dx = item.dx || 0, dy = (item.dy || 0) + vega_scenegraph_module_offset(item), p = anchorPoint(item), x = p.x1, y = p.y1, a = item.angle || 0, t; emit('text-anchor', textAlign[item.align] || 'start'); if (a) { t = translate(x, y) + ' ' + rotate(a); if (dx || dy) t += ' ' + translate(dx, dy); } else { t = translate(x + dx, y + dy); } emit('transform', t); } function bound(bounds, item, mode) { var h = textMetrics.height(item), a = item.align, p = anchorPoint(item), x = p.x1, y = p.y1, dx = item.dx || 0, dy = (item.dy || 0) + vega_scenegraph_module_offset(item) - Math.round(0.8 * h), // use 4/5 offset tl = textLines(item), w; // get dimensions if (isArray(tl)) { // multi-line text h += lineHeight(item) * (tl.length - 1); w = tl.reduce((w, t) => Math.max(w, textMetrics.width(item, t)), 0); } else { // single-line text w = textMetrics.width(item, tl); } // horizontal alignment if (a === 'center') { dx -= w / 2; } else if (a === 'right') { dx -= w; } else ; bounds.set(dx += x, dy += y, dx + w, dy + h); if (item.angle && !mode) { bounds.rotate(item.angle * DegToRad, x, y); } else if (mode === 2) { return bounds.rotatedPoints(item.angle * DegToRad, x, y); } return bounds; } function draw(context, scene, bounds) { visit(scene, item => { var opacity = item.opacity == null ? 1 : item.opacity, p, x, y, i, lh, tl, str; if (bounds && !bounds.intersects(item.bounds) || // bounds check opacity === 0 || item.fontSize <= 0 || item.text == null || item.text.length === 0) return; context.font = font(item); context.textAlign = item.align || 'left'; p = anchorPoint(item); x = p.x1, y = p.y1; if (item.angle) { context.save(); context.translate(x, y); context.rotate(item.angle * DegToRad); x = y = 0; // reset x, y } x += item.dx || 0; y += (item.dy || 0) + vega_scenegraph_module_offset(item); tl = textLines(item); blend(context, item); if (isArray(tl)) { lh = lineHeight(item); for (i = 0; i < tl.length; ++i) { str = textValue(item, tl[i]); if (item.fill && fill(context, item, opacity)) { context.fillText(str, x, y); } if (item.stroke && stroke(context, item, opacity)) { context.strokeText(str, x, y); } y += lh; } } else { str = textValue(item, tl); if (item.fill && fill(context, item, opacity)) { context.fillText(str, x, y); } if (item.stroke && stroke(context, item, opacity)) { context.strokeText(str, x, y); } } if (item.angle) context.restore(); }); } function hit(context, item, x, y, gx, gy) { if (item.fontSize <= 0) return false; if (!item.angle) return true; // bounds sufficient if no rotation // project point into space of unrotated bounds var p = anchorPoint(item), ax = p.x1, ay = p.y1, b = bound(tempBounds, item, 1), a = -item.angle * DegToRad, cos = Math.cos(a), sin = Math.sin(a), px = cos * gx - sin * gy + (ax - cos * ax + sin * ay), py = sin * gx + cos * gy + (ay - sin * ax - cos * ay); return b.contains(px, py); } function intersectText(item, box) { const p = bound(tempBounds, item, 2); return intersectBoxLine(box, p[0], p[1], p[2], p[3]) || intersectBoxLine(box, p[0], p[1], p[4], p[5]) || intersectBoxLine(box, p[4], p[5], p[6], p[7]) || intersectBoxLine(box, p[2], p[3], p[6], p[7]); } var vega_scenegraph_module_text = { type: 'text', tag: 'text', nested: false, attr: attr, bound: bound, draw: draw, pick: pick$1(hit), isect: intersectText }; var trail = markMultiItemPath('trail', trail$1, pickTrail); var Marks = { arc: vega_scenegraph_module_arc, area: vega_scenegraph_module_area, group: group, image: vega_scenegraph_module_image, line: vega_scenegraph_module_line, path: path$2, rect: rect, rule: rule, shape: shape, symbol: symbol, text: vega_scenegraph_module_text, trail: trail }; function boundItem (item, func, opt) { var type = Marks[item.mark.marktype], bound = func || type.bound; if (type.nested) item = item.mark; return bound(item.bounds || (item.bounds = new Bounds()), item, opt); } var DUMMY = { mark: null }; function boundMark (mark, bounds, opt) { var type = Marks[mark.marktype], bound = type.bound, items = mark.items, hasItems = items && items.length, i, n, item, b; if (type.nested) { if (hasItems) { item = items[0]; } else { // no items, fake it DUMMY.mark = mark; item = DUMMY; } b = boundItem(item, bound, opt); bounds = bounds && bounds.union(b) || b; return bounds; } bounds = bounds || mark.bounds && mark.bounds.clear() || new Bounds(); if (hasItems) { for (i = 0, n = items.length; i < n; ++i) { bounds.union(boundItem(items[i], bound, opt)); } } return mark.bounds = bounds; } const keys = ['marktype', 'name', 'role', 'interactive', 'clip', 'items', 'zindex', 'x', 'y', 'width', 'height', 'align', 'baseline', // layout 'fill', 'fillOpacity', 'opacity', 'blend', // fill 'stroke', 'strokeOpacity', 'strokeWidth', 'strokeCap', // stroke 'strokeDash', 'strokeDashOffset', // stroke dash 'strokeForeground', 'strokeOffset', // group 'startAngle', 'endAngle', 'innerRadius', 'outerRadius', // arc 'cornerRadius', 'padAngle', // arc, rect 'cornerRadiusTopLeft', 'cornerRadiusTopRight', // rect, group 'cornerRadiusBottomLeft', 'cornerRadiusBottomRight', 'interpolate', 'tension', 'orient', 'defined', // area, line 'url', 'aspect', 'smooth', // image 'path', 'scaleX', 'scaleY', // path 'x2', 'y2', // rule 'size', 'shape', // symbol 'text', 'angle', 'theta', 'radius', 'dir', 'dx', 'dy', // text 'ellipsis', 'limit', 'lineBreak', 'lineHeight', 'font', 'fontSize', 'fontWeight', 'fontStyle', 'fontVariant', // font 'description', 'aria', 'ariaRole', 'ariaRoleDescription' // aria ]; function sceneToJSON(scene, indent) { return JSON.stringify(scene, keys, indent); } function sceneFromJSON(json) { const scene = typeof json === 'string' ? JSON.parse(json) : json; return initialize(scene); } function initialize(scene) { var type = scene.marktype, items = scene.items, parent, i, n; if (items) { for (i = 0, n = items.length; i < n; ++i) { parent = type ? 'mark' : 'group'; items[i][parent] = scene; if (items[i].zindex) items[i][parent].zdirty = true; if ('group' === (type || parent)) initialize(items[i]); } } if (type) boundMark(scene); return scene; } class Scenegraph { constructor(scene) { if (arguments.length) { this.root = sceneFromJSON(scene); } else { this.root = createMark({ marktype: 'group', name: 'root', role: 'frame' }); this.root.items = [new GroupItem(this.root)]; } } toJSON(indent) { return sceneToJSON(this.root, indent || 0); } mark(markdef, group, index) { group = group || this.root.items[0]; const mark = createMark(markdef, group); group.items[index] = mark; if (mark.zindex) mark.group.zdirty = true; return mark; } } function createMark(def, group) { const mark = { bounds: new Bounds(), clip: !!def.clip, group: group, interactive: def.interactive === false ? false : true, items: [], marktype: def.marktype, name: def.name || undefined, role: def.role || undefined, zindex: def.zindex || 0 }; // add accessibility properties if defined if (def.aria != null) { mark.aria = def.aria; } if (def.description) { mark.description = def.description; } return mark; } // create a new DOM element function domCreate(doc, tag, ns) { if (!doc && typeof document !== 'undefined' && document.createElement) { doc = document; } return doc ? ns ? doc.createElementNS(ns, tag) : doc.createElement(tag) : null; } // find first child element with matching tag function domFind(el, tag) { tag = tag.toLowerCase(); var nodes = el.childNodes, i = 0, n = nodes.length; for (; i < n; ++i) if (nodes[i].tagName.toLowerCase() === tag) { return nodes[i]; } } // retrieve child element at given index // create & insert if doesn't exist or if tags do not match function domChild(el, index, tag, ns) { var a = el.childNodes[index], b; if (!a || a.tagName.toLowerCase() !== tag.toLowerCase()) { b = a || null; a = domCreate(el.ownerDocument, tag, ns); el.insertBefore(a, b); } return a; } // remove all child elements at or above the given index function domClear(el, index) { var nodes = el.childNodes, curr = nodes.length; while (curr > index) el.removeChild(nodes[--curr]); return el; } // generate css class name for mark function cssClass(mark) { return 'mark-' + mark.marktype + (mark.role ? ' role-' + mark.role : '') + (mark.name ? ' ' + mark.name : ''); } function vega_scenegraph_module_point (event, el) { const rect = el.getBoundingClientRect(); return [event.clientX - rect.left - (el.clientLeft || 0), event.clientY - rect.top - (el.clientTop || 0)]; } function resolveItem (item, event, el, origin) { var mark = item && item.mark, mdef, p; if (mark && (mdef = Marks[mark.marktype]).tip) { p = vega_scenegraph_module_point(event, el); p[0] -= origin[0]; p[1] -= origin[1]; while (item = item.mark.group) { p[0] -= item.x || 0; p[1] -= item.y || 0; } item = mdef.tip(mark.items, p); } return item; } class Handler { /** * Create a new Handler instance. * @param {object} [customLoader] - Optional loader instance for * href URL sanitization. If not specified, a standard loader * instance will be generated. * @param {function} [customTooltip] - Optional tooltip handler * function for custom tooltip display. * @constructor */ constructor(customLoader, customTooltip) { this._active = null; this._handlers = {}; this._loader = customLoader || loader(); this._tooltip = customTooltip || defaultTooltip; } /** * Initialize a new Handler instance. * @param {DOMElement} el - The containing DOM element for the display. * @param {Array} origin - The origin of the display, in pixels. * The coordinate system will be translated to this point. * @param {object} [obj] - Optional context object that should serve as * the "this" context for event callbacks. * @return {Handler} - This handler instance. */ initialize(el, origin, obj) { this._el = el; this._obj = obj || null; return this.origin(origin); } /** * Returns the parent container element for a visualization. * @return {DOMElement} - The containing DOM element. */ element() { return this._el; } /** * Returns the scene element (e.g., canvas or SVG) of the visualization * Subclasses must override if the first child is not the scene element. * @return {DOMElement} - The scene (e.g., canvas or SVG) element. */ canvas() { return this._el && this._el.firstChild; } /** * Get / set the origin coordinates of the visualization. */ origin(origin) { if (arguments.length) { this._origin = origin || [0, 0]; return this; } else { return this._origin.slice(); } } /** * Get / set the scenegraph root. */ scene(scene) { if (!arguments.length) return this._scene; this._scene = scene; return this; } /** * Add an event handler. Subclasses should override this method. */ on(/*type, handler*/) {} /** * Remove an event handler. Subclasses should override this method. */ off(/*type, handler*/) {} /** * Utility method for finding the array index of an event handler. * @param {Array} h - An array of registered event handlers. * @param {string} type - The event type. * @param {function} handler - The event handler instance to find. * @return {number} - The handler's array index or -1 if not registered. */ _handlerIndex(h, type, handler) { for (let i = h ? h.length : 0; --i >= 0;) { if (h[i].type === type && (!handler || h[i].handler === handler)) { return i; } } return -1; } /** * Returns an array with registered event handlers. * @param {string} [type] - The event type to query. Any annotations * are ignored; for example, for the argument "click.foo", ".foo" will * be ignored and the method returns all "click" handlers. If type is * null or unspecified, this method returns handlers for all types. * @return {Array} - A new array containing all registered event handlers. */ handlers(type) { const h = this._handlers, a = []; if (type) { a.push(...h[this.eventName(type)]); } else { for (const k in h) { a.push(...h[k]); } } return a; } /** * Parses an event name string to return the specific event type. * For example, given "click.foo" returns "click" * @param {string} name - The input event type string. * @return {string} - A string with the event type only. */ eventName(name) { const i = name.indexOf('.'); return i < 0 ? name : name.slice(0, i); } /** * Handle hyperlink navigation in response to an item.href value. * @param {Event} event - The event triggering hyperlink navigation. * @param {Item} item - The scenegraph item. * @param {string} href - The URL to navigate to. */ handleHref(event, item, href) { this._loader.sanitize(href, { context: 'href' }).then(opt => { const e = new MouseEvent(event.type, event), a = domCreate(null, 'a'); for (const name in opt) a.setAttribute(name, opt[name]); a.dispatchEvent(e); }).catch(() => {}); } /** * Handle tooltip display in response to an item.tooltip value. * @param {Event} event - The event triggering tooltip display. * @param {Item} item - The scenegraph item. * @param {boolean} show - A boolean flag indicating whether * to show or hide a tooltip for the given item. */ handleTooltip(event, item, show) { if (item && item.tooltip != null) { item = resolveItem(item, event, this.canvas(), this._origin); const value = show && item && item.tooltip || null; this._tooltip.call(this._obj, this, event, item, value); } } /** * Returns the size of a scenegraph item and its position relative * to the viewport. * @param {Item} item - The scenegraph item. * @return {object} - A bounding box object (compatible with the * DOMRect type) consisting of x, y, width, heigh, top, left, * right, and bottom properties. */ getItemBoundingClientRect(item) { const el = this.canvas(); if (!el) return; const rect = el.getBoundingClientRect(), origin = this._origin, bounds = item.bounds, width = bounds.width(), height = bounds.height(); let x = bounds.x1 + origin[0] + rect.left, y = bounds.y1 + origin[1] + rect.top; // translate coordinate for each parent group while (item.mark && (item = item.mark.group)) { x += item.x || 0; y += item.y || 0; } // return DOMRect-compatible bounding box return { x, y, width, height, left: x, top: y, right: x + width, bottom: y + height }; } } // The default tooltip display handler. // Sets the HTML title attribute on the visualization container. function defaultTooltip(handler, event, item, value) { handler.element().setAttribute('title', value || ''); } class Renderer { /** * Create a new Renderer instance. * @param {object} [loader] - Optional loader instance for * image and href URL sanitization. If not specified, a * standard loader instance will be generated. * @constructor */ constructor(loader) { this._el = null; this._bgcolor = null; this._loader = new ResourceLoader(loader); } /** * Initialize a new Renderer instance. * @param {DOMElement} el - The containing DOM element for the display. * @param {number} width - The coordinate width of the display, in pixels. * @param {number} height - The coordinate height of the display, in pixels. * @param {Array} origin - The origin of the display, in pixels. * The coordinate system will be translated to this point. * @param {number} [scaleFactor=1] - Optional scaleFactor by which to multiply * the width and height to determine the final pixel size. * @return {Renderer} - This renderer instance. */ initialize(el, width, height, origin, scaleFactor) { this._el = el; return this.resize(width, height, origin, scaleFactor); } /** * Returns the parent container element for a visualization. * @return {DOMElement} - The containing DOM element. */ element() { return this._el; } /** * Returns the scene element (e.g., canvas or SVG) of the visualization * Subclasses must override if the first child is not the scene element. * @return {DOMElement} - The scene (e.g., canvas or SVG) element. */ canvas() { return this._el && this._el.firstChild; } /** * Get / set the background color. */ background(bgcolor) { if (arguments.length === 0) return this._bgcolor; this._bgcolor = bgcolor; return this; } /** * Resize the display. * @param {number} width - The new coordinate width of the display, in pixels. * @param {number} height - The new coordinate height of the display, in pixels. * @param {Array} origin - The new origin of the display, in pixels. * The coordinate system will be translated to this point. * @param {number} [scaleFactor=1] - Optional scaleFactor by which to multiply * the width and height to determine the final pixel size. * @return {Renderer} - This renderer instance; */ resize(width, height, origin, scaleFactor) { this._width = width; this._height = height; this._origin = origin || [0, 0]; this._scale = scaleFactor || 1; return this; } /** * Report a dirty item whose bounds should be redrawn. * This base class method does nothing. Subclasses that perform * incremental should implement this method. * @param {Item} item - The dirty item whose bounds should be redrawn. */ dirty(/*item*/) {} /** * Render an input scenegraph, potentially with a set of dirty items. * This method will perform an immediate rendering with available resources. * The renderer may also need to perform image loading to perform a complete * render. This process can lead to asynchronous re-rendering of the scene * after this method returns. To receive notification when rendering is * complete, use the renderAsync method instead. * @param {object} scene - The root mark of a scenegraph to render. * @param {Array} markTypes - Array of the mark types to render. * If undefined, render all mark types * @return {Renderer} - This renderer instance. */ render(scene, markTypes) { const r = this; // bind arguments into a render call, and cache it // this function may be subsequently called for async redraw r._call = function () { r._render(scene, markTypes); }; // invoke the renderer r._call(); // clear the cached call for garbage collection // async redraws will stash their own copy r._call = null; return r; } /** * Internal rendering method. Renderer subclasses should override this * method to actually perform rendering. * @param {object} scene - The root mark of a scenegraph to render. * @param {Array} markTypes - Array of the mark types to render. * If undefined, render all mark types */ _render(/*scene, markTypes*/ ) { // subclasses to override } /** * Asynchronous rendering method. Similar to render, but returns a Promise * that resolves when all rendering is completed. Sometimes a renderer must * perform image loading to get a complete rendering. The returned * Promise will not resolve until this process completes. * @param {object} scene - The root mark of a scenegraph to render. * @param {Array} markTypes - Array of the mark types to render. * If undefined, render all mark types * @return {Promise} - A Promise that resolves when rendering is complete. */ renderAsync(scene, markTypes) { const r = this.render(scene, markTypes); return this._ready ? this._ready.then(() => r) : Promise.resolve(r); } /** * Internal method for asynchronous resource loading. * Proxies method calls to the ImageLoader, and tracks loading * progress to invoke a re-render once complete. * @param {string} method - The method name to invoke on the ImageLoader. * @param {string} uri - The URI for the requested resource. * @return {Promise} - A Promise that resolves to the requested resource. */ _load(method, uri) { var r = this, p = r._loader[method](uri); if (!r._ready) { // re-render the scene when loading completes const call = r._call; r._ready = r._loader.ready().then(redraw => { if (redraw) call(); r._ready = null; }); } return p; } /** * Sanitize a URL to include as a hyperlink in the rendered scene. * This method proxies a call to ImageLoader.sanitizeURL, but also tracks * image loading progress and invokes a re-render once complete. * @param {string} uri - The URI string to sanitize. * @return {Promise} - A Promise that resolves to the sanitized URL. */ sanitizeURL(uri) { return this._load('sanitizeURL', uri); } /** * Requests an image to include in the rendered scene. * This method proxies a call to ImageLoader.loadImage, but also tracks * image loading progress and invokes a re-render once complete. * @param {string} uri - The URI string of the image. * @return {Promise} - A Promise that resolves to the loaded Image. */ loadImage(uri) { return this._load('loadImage', uri); } } const KeyDownEvent = 'keydown'; const KeyPressEvent = 'keypress'; const KeyUpEvent = 'keyup'; const DragEnterEvent = 'dragenter'; const DragLeaveEvent = 'dragleave'; const DragOverEvent = 'dragover'; const PointerDownEvent = 'pointerdown'; const PointerUpEvent = 'pointerup'; const PointerMoveEvent = 'pointermove'; const PointerOutEvent = 'pointerout'; const PointerOverEvent = 'pointerover'; const MouseDownEvent = 'mousedown'; const MouseUpEvent = 'mouseup'; const MouseMoveEvent = 'mousemove'; const MouseOutEvent = 'mouseout'; const MouseOverEvent = 'mouseover'; const ClickEvent = 'click'; const DoubleClickEvent = 'dblclick'; const WheelEvent = 'wheel'; const MouseWheelEvent = 'mousewheel'; const TouchStartEvent = 'touchstart'; const TouchMoveEvent = 'touchmove'; const TouchEndEvent = 'touchend'; const Events = [KeyDownEvent, KeyPressEvent, KeyUpEvent, DragEnterEvent, DragLeaveEvent, DragOverEvent, PointerDownEvent, PointerUpEvent, PointerMoveEvent, PointerOutEvent, PointerOverEvent, MouseDownEvent, MouseUpEvent, MouseMoveEvent, MouseOutEvent, MouseOverEvent, ClickEvent, DoubleClickEvent, WheelEvent, MouseWheelEvent, TouchStartEvent, TouchMoveEvent, TouchEndEvent]; const TooltipShowEvent = PointerMoveEvent; const TooltipHideEvent = MouseOutEvent; const HrefEvent = ClickEvent; class CanvasHandler extends Handler { constructor(loader, tooltip) { super(loader, tooltip); this._down = null; this._touch = null; this._first = true; this._events = {}; // supported events this.events = Events; this.pointermove = move([PointerMoveEvent, MouseMoveEvent], [PointerOverEvent, MouseOverEvent], [PointerOutEvent, MouseOutEvent]); this.dragover = move([DragOverEvent], [DragEnterEvent], [DragLeaveEvent]), this.pointerout = inactive([PointerOutEvent, MouseOutEvent]); this.dragleave = inactive([DragLeaveEvent]); } initialize(el, origin, obj) { this._canvas = el && domFind(el, 'canvas'); // add minimal events required for proper state management [ClickEvent, MouseDownEvent, PointerDownEvent, PointerMoveEvent, PointerOutEvent, DragLeaveEvent].forEach(type => eventListenerCheck(this, type)); return super.initialize(el, origin, obj); } // return the backing canvas instance canvas() { return this._canvas; } // retrieve the current canvas context context() { return this._canvas.getContext('2d'); } // to keep old versions of firefox happy DOMMouseScroll(evt) { this.fire(MouseWheelEvent, evt); } pointerdown(evt) { this._down = this._active; this.fire(PointerDownEvent, evt); } mousedown(evt) { this._down = this._active; this.fire(MouseDownEvent, evt); } click(evt) { if (this._down === this._active) { this.fire(ClickEvent, evt); this._down = null; } } touchstart(evt) { this._touch = this.pickEvent(evt.changedTouches[0]); if (this._first) { this._active = this._touch; this._first = false; } this.fire(TouchStartEvent, evt, true); } touchmove(evt) { this.fire(TouchMoveEvent, evt, true); } touchend(evt) { this.fire(TouchEndEvent, evt, true); this._touch = null; } // fire an event fire(type, evt, touch) { const a = touch ? this._touch : this._active, h = this._handlers[type]; // set event type relative to scenegraph items evt.vegaType = type; // handle hyperlinks and tooltips first if (type === HrefEvent && a && a.href) { this.handleHref(evt, a, a.href); } else if (type === TooltipShowEvent || type === TooltipHideEvent) { this.handleTooltip(evt, a, type !== TooltipHideEvent); } // invoke all registered handlers if (h) { for (let i = 0, len = h.length; i < len; ++i) { h[i].handler.call(this._obj, evt, a); } } } // add an event handler on(type, handler) { const name = this.eventName(type), h = this._handlers, i = this._handlerIndex(h[name], type, handler); if (i < 0) { eventListenerCheck(this, type); (h[name] || (h[name] = [])).push({ type: type, handler: handler }); } return this; } // remove an event handler off(type, handler) { const name = this.eventName(type), h = this._handlers[name], i = this._handlerIndex(h, type, handler); if (i >= 0) { h.splice(i, 1); } return this; } pickEvent(evt) { const p = vega_scenegraph_module_point(evt, this._canvas), o = this._origin; return this.pick(this._scene, p[0], p[1], p[0] - o[0], p[1] - o[1]); } // find the scenegraph item at the current pointer position // x, y -- the absolute x, y pointer coordinates on the canvas element // gx, gy -- the relative coordinates within the current group pick(scene, x, y, gx, gy) { const g = this.context(), mark = Marks[scene.marktype]; return mark.pick.call(this, g, scene, x, y, gx, gy); } } const eventBundle = type => type === TouchStartEvent || type === TouchMoveEvent || type === TouchEndEvent ? [TouchStartEvent, TouchMoveEvent, TouchEndEvent] : [type]; // lazily add listeners to the canvas as needed function eventListenerCheck(handler, type) { eventBundle(type).forEach(_ => addEventListener(handler, _)); } function addEventListener(handler, type) { const canvas = handler.canvas(); if (canvas && !handler._events[type]) { handler._events[type] = 1; canvas.addEventListener(type, handler[type] ? evt => handler[type](evt) : evt => handler.fire(type, evt)); } } function fireAll(handler, types, event) { types.forEach(type => handler.fire(type, event)); } function move(moveEvents, overEvents, outEvents) { return function (evt) { const a = this._active, p = this.pickEvent(evt); if (p === a) { // active item and picked item are the same fireAll(this, moveEvents, evt); // fire move } else { // active item and picked item are different if (!a || !a.exit) { // fire out for prior active item // suppress if active item was removed from scene fireAll(this, outEvents, evt); } this._active = p; // set new active item fireAll(this, overEvents, evt); // fire over for new active item fireAll(this, moveEvents, evt); // fire move for new active item } }; } function inactive(types) { return function (evt) { fireAll(this, types, evt); this._active = null; }; } function devicePixelRatio() { return typeof window !== 'undefined' ? window.devicePixelRatio || 1 : 1; } function resize (canvas, width, height, origin, scaleFactor, opt) { const inDOM = typeof HTMLElement !== 'undefined' && canvas instanceof HTMLElement && canvas.parentNode != null, context = canvas.getContext('2d'), ratio = inDOM ? devicePixelRatio() : scaleFactor; canvas.width = width * ratio; canvas.height = height * ratio; for (const key in opt) { context[key] = opt[key]; } if (inDOM && ratio !== 1) { canvas.style.width = width + 'px'; canvas.style.height = height + 'px'; } context.pixelRatio = ratio; context.setTransform(ratio, 0, 0, ratio, ratio * origin[0], ratio * origin[1]); return canvas; } class CanvasRenderer extends Renderer { constructor(loader) { super(loader); this._options = {}; this._redraw = false; this._dirty = new Bounds(); this._tempb = new Bounds(); } initialize(el, width, height, origin, scaleFactor, options) { this._options = options || {}; this._canvas = this._options.externalContext ? null : domCanvas(1, 1, this._options.type); // instantiate a small canvas if (el && this._canvas) { domClear(el, 0).appendChild(this._canvas); this._canvas.setAttribute('class', 'marks'); } // this method will invoke resize to size the canvas appropriately return super.initialize(el, width, height, origin, scaleFactor); } resize(width, height, origin, scaleFactor) { super.resize(width, height, origin, scaleFactor); if (this._canvas) { // configure canvas size and transform resize(this._canvas, this._width, this._height, this._origin, this._scale, this._options.context); } else { // external context needs to be scaled and positioned to origin const ctx = this._options.externalContext; if (!ctx) vega_util_module_error('CanvasRenderer is missing a valid canvas or context'); ctx.scale(this._scale, this._scale); ctx.translate(this._origin[0], this._origin[1]); } this._redraw = true; return this; } canvas() { return this._canvas; } context() { return this._options.externalContext || (this._canvas ? this._canvas.getContext('2d') : null); } dirty(item) { const b = this._tempb.clear().union(item.bounds); let g = item.mark.group; while (g) { b.translate(g.x || 0, g.y || 0); g = g.mark.group; } this._dirty.union(b); } _render(scene, markTypes) { const g = this.context(), o = this._origin, w = this._width, h = this._height, db = this._dirty, vb = viewBounds(o, w, h); // setup g.save(); const b = this._redraw || db.empty() ? (this._redraw = false, vb.expand(1)) : clipToBounds(g, vb.intersect(db), o); this.clear(-o[0], -o[1], w, h); // render this.draw(g, scene, b, markTypes); // takedown g.restore(); db.clear(); return this; } draw(ctx, scene, bounds, markTypes) { if (scene.marktype !== 'group' && markTypes != null && !markTypes.includes(scene.marktype)) { return; } const mark = Marks[scene.marktype]; if (scene.clip) clip(ctx, scene); mark.draw.call(this, ctx, scene, bounds, markTypes); if (scene.clip) ctx.restore(); } clear(x, y, w, h) { const opt = this._options, g = this.context(); if (opt.type !== 'pdf' && !opt.externalContext) { // calling clear rect voids vector output in pdf mode // and could remove external context content (#2615) g.clearRect(x, y, w, h); } if (this._bgcolor != null) { g.fillStyle = this._bgcolor; g.fillRect(x, y, w, h); } } } const viewBounds = (origin, width, height) => new Bounds().set(0, 0, width, height).translate(-origin[0], -origin[1]); function clipToBounds(g, b, origin) { // expand bounds by 1 pixel, then round to pixel boundaries b.expand(1).round(); // align to base pixel grid in case of non-integer scaling (#2425) if (g.pixelRatio % 1) { b.scale(g.pixelRatio).round().scale(1 / g.pixelRatio); } // to avoid artifacts translate if origin has fractional pixels b.translate(-(origin[0] % 1), -(origin[1] % 1)); // set clip path g.beginPath(); g.rect(b.x1, b.y1, b.width(), b.height()); g.clip(); return b; } class SVGHandler extends Handler { constructor(loader, tooltip) { super(loader, tooltip); const h = this; h._hrefHandler = listener(h, (evt, item) => { if (item && item.href) h.handleHref(evt, item, item.href); }); h._tooltipHandler = listener(h, (evt, item) => { h.handleTooltip(evt, item, evt.type !== TooltipHideEvent); }); } initialize(el, origin, obj) { let svg = this._svg; if (svg) { svg.removeEventListener(HrefEvent, this._hrefHandler); svg.removeEventListener(TooltipShowEvent, this._tooltipHandler); svg.removeEventListener(TooltipHideEvent, this._tooltipHandler); } this._svg = svg = el && domFind(el, 'svg'); if (svg) { svg.addEventListener(HrefEvent, this._hrefHandler); svg.addEventListener(TooltipShowEvent, this._tooltipHandler); svg.addEventListener(TooltipHideEvent, this._tooltipHandler); } return super.initialize(el, origin, obj); } canvas() { return this._svg; } // add an event handler on(type, handler) { const name = this.eventName(type), h = this._handlers, i = this._handlerIndex(h[name], type, handler); if (i < 0) { const x = { type, handler, listener: listener(this, handler) }; (h[name] || (h[name] = [])).push(x); if (this._svg) { this._svg.addEventListener(name, x.listener); } } return this; } // remove an event handler off(type, handler) { const name = this.eventName(type), h = this._handlers[name], i = this._handlerIndex(h, type, handler); if (i >= 0) { if (this._svg) { this._svg.removeEventListener(name, h[i].listener); } h.splice(i, 1); } return this; } } // wrap an event listener for the SVG DOM const listener = (context, handler) => evt => { let item = evt.target.__data__; item = Array.isArray(item) ? item[0] : item; evt.vegaType = evt.type; handler.call(context._obj, evt, item); }; const ARIA_HIDDEN = 'aria-hidden'; const ARIA_LABEL = 'aria-label'; const ARIA_ROLE = 'role'; const ARIA_ROLEDESCRIPTION = 'aria-roledescription'; const GRAPHICS_OBJECT = 'graphics-object'; const GRAPHICS_SYMBOL = 'graphics-symbol'; const vega_scenegraph_module_bundle = (role, roledesc, label) => ({ [ARIA_ROLE]: role, [ARIA_ROLEDESCRIPTION]: roledesc, [ARIA_LABEL]: label || undefined }); // these roles are covered by related roles // we can ignore them, no need to generate attributes const AriaIgnore = vega_util_module_toSet(['axis-domain', 'axis-grid', 'axis-label', 'axis-tick', 'axis-title', 'legend-band', 'legend-entry', 'legend-gradient', 'legend-label', 'legend-title', 'legend-symbol', 'title']); // aria attribute generators for guide roles const AriaGuides = { 'axis': { desc: 'axis', caption: axisCaption }, 'legend': { desc: 'legend', caption: legendCaption }, 'title-text': { desc: 'title', caption: item => `Title text '${titleCaption(item)}'` }, 'title-subtitle': { desc: 'subtitle', caption: item => `Subtitle text '${titleCaption(item)}'` } }; // aria properties generated for mark item encoding channels const AriaEncode = { ariaRole: ARIA_ROLE, ariaRoleDescription: ARIA_ROLEDESCRIPTION, description: ARIA_LABEL }; function ariaItemAttributes(emit, item) { const hide = item.aria === false; emit(ARIA_HIDDEN, hide || undefined); if (hide || item.description == null) { for (const prop in AriaEncode) { emit(AriaEncode[prop], undefined); } } else { const type = item.mark.marktype; emit(ARIA_LABEL, item.description); emit(ARIA_ROLE, item.ariaRole || (type === 'group' ? GRAPHICS_OBJECT : GRAPHICS_SYMBOL)); emit(ARIA_ROLEDESCRIPTION, item.ariaRoleDescription || `${type} mark`); } } function ariaMarkAttributes(mark) { return mark.aria === false ? { [ARIA_HIDDEN]: true } : AriaIgnore[mark.role] ? null : AriaGuides[mark.role] ? ariaGuide(mark, AriaGuides[mark.role]) : ariaMark(mark); } function ariaMark(mark) { const type = mark.marktype; const recurse = type === 'group' || type === 'text' || mark.items.some(_ => _.description != null && _.aria !== false); return vega_scenegraph_module_bundle(recurse ? GRAPHICS_OBJECT : GRAPHICS_SYMBOL, `${type} mark container`, mark.description); } function ariaGuide(mark, opt) { try { const item = mark.items[0], caption = opt.caption || (() => ''); return vega_scenegraph_module_bundle(opt.role || GRAPHICS_SYMBOL, opt.desc, item.description || caption(item)); } catch (err) { return null; } } function titleCaption(item) { return array(item.text).join(' '); } function axisCaption(item) { const datum = item.datum, orient = item.orient, title = datum.title ? extractTitle(item) : null, ctx = item.context, scale = ctx.scales[datum.scale].value, locale = ctx.dataflow.locale(), type = scale.type, xy = orient === 'left' || orient === 'right' ? 'Y' : 'X'; return `${xy}-axis` + (title ? ` titled '${title}'` : '') + ` for a ${isDiscrete(type) ? 'discrete' : type} scale` + ` with ${domainCaption(locale, scale, item)}`; } function legendCaption(item) { const datum = item.datum, title = datum.title ? extractTitle(item) : null, type = `${datum.type || ''} legend`.trim(), scales = datum.scales, props = Object.keys(scales), ctx = item.context, scale = ctx.scales[scales[props[0]]].value, locale = ctx.dataflow.locale(); return capitalize(type) + (title ? ` titled '${title}'` : '') + ` for ${channelCaption(props)}` + ` with ${domainCaption(locale, scale, item)}`; } function extractTitle(item) { try { return array(peek(item.items).items[0].text).join(' '); } catch (err) { return null; } } function channelCaption(props) { props = props.map(p => p + (p === 'fill' || p === 'stroke' ? ' color' : '')); return props.length < 2 ? props[0] : props.slice(0, -1).join(', ') + ' and ' + peek(props); } function capitalize(s) { return s.length ? s[0].toUpperCase() + s.slice(1) : s; } const innerText = val => (val + '').replace(/&/g, '&').replace(//g, '>'); const attrText = val => innerText(val).replace(/"/g, '"').replace(/\t/g, ' ').replace(/\n/g, ' ').replace(/\r/g, ' '); function markup() { let buf = '', outer = '', inner = ''; const stack = [], clear = () => outer = inner = '', push = tag => { if (outer) { buf += `${outer}>${inner}`; clear(); } stack.push(tag); }, attr = (name, value) => { if (value != null) outer += ` ${name}="${attrText(value)}"`; return m; }, m = { open(tag) { push(tag); outer = '<' + tag; for (var _len = arguments.length, attrs = new Array(_len > 1 ? _len - 1 : 0), _key = 1; _key < _len; _key++) { attrs[_key - 1] = arguments[_key]; } for (const set of attrs) { for (const key in set) attr(key, set[key]); } return m; }, close() { const tag = stack.pop(); if (outer) { buf += outer + (inner ? `>${inner}` : '/>'); } else { buf += ``; } clear(); return m; }, attr, text: t => (inner += innerText(t), m), toString: () => buf }; return m; } const serializeXML = node => _serialize(markup(), node) + ''; function _serialize(m, node) { m.open(node.tagName); if (node.hasAttributes()) { const attrs = node.attributes, n = attrs.length; for (let i = 0; i < n; ++i) { m.attr(attrs[i].name, attrs[i].value); } } if (node.hasChildNodes()) { const children = node.childNodes; for (const child of children) { child.nodeType === 3 // text node ? m.text(child.nodeValue) : _serialize(m, child); } } return m.close(); } const stylesAttr = { fill: 'fill', fillOpacity: 'fill-opacity', stroke: 'stroke', strokeOpacity: 'stroke-opacity', strokeWidth: 'stroke-width', strokeCap: 'stroke-linecap', strokeJoin: 'stroke-linejoin', strokeDash: 'stroke-dasharray', strokeDashOffset: 'stroke-dashoffset', strokeMiterLimit: 'stroke-miterlimit', opacity: 'opacity' }; const stylesCss = { blend: 'mix-blend-mode' }; // ensure miter limit default is consistent with canvas (#2498) const rootAttributes = { 'fill': 'none', 'stroke-miterlimit': 10 }; const RootIndex = 0, xmlns = 'http://www.w3.org/2000/xmlns/', svgns = metadata.xmlns; class SVGRenderer extends Renderer { constructor(loader) { super(loader); this._dirtyID = 0; this._dirty = []; this._svg = null; this._root = null; this._defs = null; } /** * Initialize a new SVGRenderer instance. * @param {DOMElement} el - The containing DOM element for the display. * @param {number} width - The coordinate width of the display, in pixels. * @param {number} height - The coordinate height of the display, in pixels. * @param {Array} origin - The origin of the display, in pixels. * The coordinate system will be translated to this point. * @param {number} [scaleFactor=1] - Optional scaleFactor by which to multiply * the width and height to determine the final pixel size. * @return {SVGRenderer} - This renderer instance. */ initialize(el, width, height, origin, scaleFactor) { // create the svg definitions cache this._defs = {}; this._clearDefs(); if (el) { this._svg = domChild(el, 0, 'svg', svgns); this._svg.setAttributeNS(xmlns, 'xmlns', svgns); this._svg.setAttributeNS(xmlns, 'xmlns:xlink', metadata['xmlns:xlink']); this._svg.setAttribute('version', metadata['version']); this._svg.setAttribute('class', 'marks'); domClear(el, 1); // set the svg root group this._root = domChild(this._svg, RootIndex, 'g', svgns); setAttributes(this._root, rootAttributes); // ensure no additional child elements domClear(this._svg, RootIndex + 1); } // set background color if defined this.background(this._bgcolor); return super.initialize(el, width, height, origin, scaleFactor); } /** * Get / set the background color. */ background(bgcolor) { if (arguments.length && this._svg) { this._svg.style.setProperty('background-color', bgcolor); } return super.background(...arguments); } /** * Resize the display. * @param {number} width - The new coordinate width of the display, in pixels. * @param {number} height - The new coordinate height of the display, in pixels. * @param {Array} origin - The new origin of the display, in pixels. * The coordinate system will be translated to this point. * @param {number} [scaleFactor=1] - Optional scaleFactor by which to multiply * the width and height to determine the final pixel size. * @return {SVGRenderer} - This renderer instance; */ resize(width, height, origin, scaleFactor) { super.resize(width, height, origin, scaleFactor); if (this._svg) { setAttributes(this._svg, { width: this._width * this._scale, height: this._height * this._scale, viewBox: `0 0 ${this._width} ${this._height}` }); this._root.setAttribute('transform', `translate(${this._origin})`); } this._dirty = []; return this; } /** * Returns the SVG element of the visualization. * @return {DOMElement} - The SVG element. */ canvas() { return this._svg; } /** * Returns an SVG text string for the rendered content, * or null if this renderer is currently headless. */ svg() { const svg = this._svg, bg = this._bgcolor; if (!svg) return null; let node; if (bg) { svg.removeAttribute('style'); node = domChild(svg, RootIndex, 'rect', svgns); setAttributes(node, { width: this._width, height: this._height, fill: bg }); } const text = serializeXML(svg); if (bg) { svg.removeChild(node); this._svg.style.setProperty('background-color', bg); } return text; } /** * Internal rendering method. * @param {object} scene - The root mark of a scenegraph to render. * @param {Array} markTypes - Array of the mark types to render. * If undefined, render all mark types */ _render(scene, markTypes) { // perform spot updates and re-render markup if (this._dirtyCheck()) { if (this._dirtyAll) this._clearDefs(); this.mark(this._root, scene, undefined, markTypes); domClear(this._root, 1); } this.defs(); this._dirty = []; ++this._dirtyID; return this; } // -- Manage rendering of items marked as dirty -- /** * Flag a mark item as dirty. * @param {Item} item - The mark item. */ dirty(item) { if (item.dirty !== this._dirtyID) { item.dirty = this._dirtyID; this._dirty.push(item); } } /** * Check if a mark item is considered dirty. * @param {Item} item - The mark item. */ isDirty(item) { return this._dirtyAll || !item._svg || !item._svg.ownerSVGElement || item.dirty === this._dirtyID; } /** * Internal method to check dirty status and, if possible, * make targetted updates without a full rendering pass. */ _dirtyCheck() { this._dirtyAll = true; const items = this._dirty; if (!items.length || !this._dirtyID) return true; const id = ++this._dirtyID; let item, mark, type, mdef, i, n, o; for (i = 0, n = items.length; i < n; ++i) { item = items[i]; mark = item.mark; if (mark.marktype !== type) { // memoize mark instance lookup type = mark.marktype; mdef = Marks[type]; } if (mark.zdirty && mark.dirty !== id) { this._dirtyAll = false; dirtyParents(item, id); mark.items.forEach(i => { i.dirty = id; }); } if (mark.zdirty) continue; // handle in standard drawing pass if (item.exit) { // EXIT if (mdef.nested && mark.items.length) { // if nested mark with remaining points, update instead o = mark.items[0]; if (o._svg) this._update(mdef, o._svg, o); } else if (item._svg) { // otherwise remove from DOM o = item._svg.parentNode; if (o) o.removeChild(item._svg); } item._svg = null; continue; } item = mdef.nested ? mark.items[0] : item; if (item._update === id) continue; // already visited if (!item._svg || !item._svg.ownerSVGElement) { // ENTER this._dirtyAll = false; dirtyParents(item, id); } else { // IN-PLACE UPDATE this._update(mdef, item._svg, item); } item._update = id; } return !this._dirtyAll; } // -- Construct & maintain scenegraph to SVG mapping --- /** * Render a set of mark items. * @param {SVGElement} el - The parent element in the SVG tree. * @param {object} scene - The mark parent to render. * @param {SVGElement} prev - The previous sibling in the SVG tree. * @param {Array} markTypes - Array of the mark types to render. * If undefined, render all mark types */ mark(el, scene, prev, markTypes) { if (!this.isDirty(scene)) { return scene._svg; } const svg = this._svg, markType = scene.marktype, mdef = Marks[markType], events = scene.interactive === false ? 'none' : null, isGroup = mdef.tag === 'g'; const parent = bind(scene, el, prev, 'g', svg); if (markType !== 'group' && markTypes != null && !markTypes.includes(markType)) { domClear(parent, 0); return scene._svg; } parent.setAttribute('class', cssClass(scene)); // apply aria attributes to parent container element const aria = ariaMarkAttributes(scene); for (const key in aria) setAttribute(parent, key, aria[key]); if (!isGroup) { setAttribute(parent, 'pointer-events', events); } setAttribute(parent, 'clip-path', scene.clip ? clip$1(this, scene, scene.group) : null); let sibling = null, i = 0; const process = item => { const dirty = this.isDirty(item), node = bind(item, parent, sibling, mdef.tag, svg); if (dirty) { this._update(mdef, node, item); if (isGroup) recurse(this, node, item, markTypes); } sibling = node; ++i; }; if (mdef.nested) { if (scene.items.length) process(scene.items[0]); } else { visit(scene, process); } domClear(parent, i); return parent; } /** * Update the attributes of an SVG element for a mark item. * @param {object} mdef - The mark definition object * @param {SVGElement} el - The SVG element. * @param {Item} item - The mark item. */ _update(mdef, el, item) { // set dom element and values cache // provides access to emit method vega_scenegraph_module_element = el; values = el.__values__; // apply aria-specific properties ariaItemAttributes(emit, item); // apply svg attributes mdef.attr(emit, item, this); // some marks need special treatment const extra = mark_extras[mdef.type]; if (extra) extra.call(this, mdef, el, item); // apply svg style attributes // note: element state may have been modified by 'extra' method if (vega_scenegraph_module_element) this.style(vega_scenegraph_module_element, item); } /** * Update the presentation attributes of an SVG element for a mark item. * @param {SVGElement} el - The SVG element. * @param {Item} item - The mark item. */ style(el, item) { if (item == null) return; for (const prop in stylesAttr) { let value = prop === 'font' ? fontFamily(item) : item[prop]; if (value === values[prop]) continue; const name = stylesAttr[prop]; if (value == null) { el.removeAttribute(name); } else { if (isGradient(value)) { value = gradientRef(value, this._defs.gradient, href()); } el.setAttribute(name, value + ''); } values[prop] = value; } for (const prop in stylesCss) { setStyle(el, stylesCss[prop], item[prop]); } } /** * Render SVG defs, as needed. * Must be called *after* marks have been processed to ensure the * collected state is current and accurate. */ defs() { const svg = this._svg, defs = this._defs; let el = defs.el, index = 0; for (const id in defs.gradient) { if (!el) defs.el = el = domChild(svg, RootIndex + 1, 'defs', svgns); index = updateGradient(el, defs.gradient[id], index); } for (const id in defs.clipping) { if (!el) defs.el = el = domChild(svg, RootIndex + 1, 'defs', svgns); index = updateClipping(el, defs.clipping[id], index); } // clean-up if (el) { index === 0 ? (svg.removeChild(el), defs.el = null) : domClear(el, index); } } /** * Clear defs caches. */ _clearDefs() { const def = this._defs; def.gradient = {}; def.clipping = {}; } } // mark ancestor chain with a dirty id function dirtyParents(item, id) { for (; item && item.dirty !== id; item = item.mark.group) { item.dirty = id; if (item.mark && item.mark.dirty !== id) { item.mark.dirty = id; } else return; } } // update gradient definitions function updateGradient(el, grad, index) { let i, n, stop; if (grad.gradient === 'radial') { // SVG radial gradients automatically transform to normalized bbox // coordinates, in a way that is cumbersome to replicate in canvas. // We wrap the radial gradient in a pattern element, allowing us to // maintain a circular gradient that matches what canvas provides. let pt = domChild(el, index++, 'pattern', svgns); setAttributes(pt, { id: patternPrefix + grad.id, viewBox: '0,0,1,1', width: '100%', height: '100%', preserveAspectRatio: 'xMidYMid slice' }); pt = domChild(pt, 0, 'rect', svgns); setAttributes(pt, { width: 1, height: 1, fill: `url(${href()}#${grad.id})` }); el = domChild(el, index++, 'radialGradient', svgns); setAttributes(el, { id: grad.id, fx: grad.x1, fy: grad.y1, fr: grad.r1, cx: grad.x2, cy: grad.y2, r: grad.r2 }); } else { el = domChild(el, index++, 'linearGradient', svgns); setAttributes(el, { id: grad.id, x1: grad.x1, x2: grad.x2, y1: grad.y1, y2: grad.y2 }); } for (i = 0, n = grad.stops.length; i < n; ++i) { stop = domChild(el, i, 'stop', svgns); stop.setAttribute('offset', grad.stops[i].offset); stop.setAttribute('stop-color', grad.stops[i].color); } domClear(el, i); return index; } // update clipping path definitions function updateClipping(el, clip, index) { let mask; el = domChild(el, index, 'clipPath', svgns); el.setAttribute('id', clip.id); if (clip.path) { mask = domChild(el, 0, 'path', svgns); mask.setAttribute('d', clip.path); } else { mask = domChild(el, 0, 'rect', svgns); setAttributes(mask, { x: 0, y: 0, width: clip.width, height: clip.height }); } domClear(el, 1); return index + 1; } // Recursively process group contents. function recurse(renderer, el, group, markTypes) { // child 'g' element is second to last among children (path, g, path) // other children here are foreground and background path elements el = el.lastChild.previousSibling; let prev, idx = 0; visit(group, item => { prev = renderer.mark(el, item, prev, markTypes); ++idx; }); // remove any extraneous DOM elements domClear(el, 1 + idx); } // Bind a scenegraph item to an SVG DOM element. // Create new SVG elements as needed. function bind(item, el, sibling, tag, svg) { let node = item._svg, doc; // create a new dom node if needed if (!node) { doc = el.ownerDocument; node = domCreate(doc, tag, svgns); item._svg = node; if (item.mark) { node.__data__ = item; node.__values__ = { fill: 'default' }; // if group, create background, content, and foreground elements if (tag === 'g') { const bg = domCreate(doc, 'path', svgns); node.appendChild(bg); bg.__data__ = item; const cg = domCreate(doc, 'g', svgns); node.appendChild(cg); cg.__data__ = item; const fg = domCreate(doc, 'path', svgns); node.appendChild(fg); fg.__data__ = item; fg.__values__ = { fill: 'default' }; } } } // (re-)insert if (a) not contained in SVG or (b) sibling order has changed if (node.ownerSVGElement !== svg || siblingCheck(node, sibling)) { el.insertBefore(node, sibling ? sibling.nextSibling : el.firstChild); } return node; } // check if two nodes are ordered siblings function siblingCheck(node, sibling) { return node.parentNode && node.parentNode.childNodes.length > 1 && node.previousSibling != sibling; // treat null/undefined the same } // -- Set attributes & styles on SVG elements --- let vega_scenegraph_module_element = null, // temp var for current SVG element values = null; // temp var for current values hash // Extra configuration for certain mark types const mark_extras = { group(mdef, el, item) { const fg = vega_scenegraph_module_element = el.childNodes[2]; values = fg.__values__; mdef.foreground(emit, item, this); values = el.__values__; // use parent's values hash vega_scenegraph_module_element = el.childNodes[1]; mdef.content(emit, item, this); const bg = vega_scenegraph_module_element = el.childNodes[0]; mdef.background(emit, item, this); const value = item.mark.interactive === false ? 'none' : null; if (value !== values.events) { setAttribute(fg, 'pointer-events', value); setAttribute(bg, 'pointer-events', value); values.events = value; } if (item.strokeForeground && item.stroke) { const fill = item.fill; setAttribute(fg, 'display', null); // set style of background this.style(bg, item); setAttribute(bg, 'stroke', null); // set style of foreground if (fill) item.fill = null; values = fg.__values__; this.style(fg, item); if (fill) item.fill = fill; // leave element null to prevent downstream styling vega_scenegraph_module_element = null; } else { // ensure foreground is ignored setAttribute(fg, 'display', 'none'); } }, image(mdef, el, item) { if (item.smooth === false) { setStyle(el, 'image-rendering', 'optimizeSpeed'); setStyle(el, 'image-rendering', 'pixelated'); } else { setStyle(el, 'image-rendering', null); } }, text(mdef, el, item) { const tl = textLines(item); let key, value, doc, lh; if (isArray(tl)) { // multi-line text value = tl.map(_ => textValue(item, _)); key = value.join('\n'); // content cache key if (key !== values.text) { domClear(el, 0); doc = el.ownerDocument; lh = lineHeight(item); value.forEach((t, i) => { const ts = domCreate(doc, 'tspan', svgns); ts.__data__ = item; // data binding ts.textContent = t; if (i) { ts.setAttribute('x', 0); ts.setAttribute('dy', lh); } el.appendChild(ts); }); values.text = key; } } else { // single-line text value = textValue(item, tl); if (value !== values.text) { el.textContent = value; values.text = value; } } setAttribute(el, 'font-family', fontFamily(item)); setAttribute(el, 'font-size', fontSize(item) + 'px'); setAttribute(el, 'font-style', item.fontStyle); setAttribute(el, 'font-variant', item.fontVariant); setAttribute(el, 'font-weight', item.fontWeight); } }; function emit(name, value, ns) { // early exit if value is unchanged if (value === values[name]) return; // use appropriate method given namespace (ns) if (ns) { setAttributeNS(vega_scenegraph_module_element, name, value, ns); } else { setAttribute(vega_scenegraph_module_element, name, value); } // note current value for future comparison values[name] = value; } function setStyle(el, name, value) { if (value !== values[name]) { if (value == null) { el.style.removeProperty(name); } else { el.style.setProperty(name, value + ''); } values[name] = value; } } function setAttributes(el, attrs) { for (const key in attrs) { setAttribute(el, key, attrs[key]); } } function setAttribute(el, name, value) { if (value != null) { // if value is provided, update DOM attribute el.setAttribute(name, value); } else { // else remove DOM attribute el.removeAttribute(name); } } function setAttributeNS(el, name, value, ns) { if (value != null) { // if value is provided, update DOM attribute el.setAttributeNS(ns, name, value); } else { // else remove DOM attribute el.removeAttributeNS(ns, name); } } function href() { let loc; return typeof window === 'undefined' ? '' : (loc = window.location).hash ? loc.href.slice(0, -loc.hash.length) : loc.href; } class SVGStringRenderer extends Renderer { constructor(loader) { super(loader); this._text = null; this._defs = { gradient: {}, clipping: {} }; } /** * Returns the rendered SVG text string, * or null if rendering has not yet occurred. */ svg() { return this._text; } /** * Internal rendering method. * @param {object} scene - The root mark of a scenegraph to render. */ _render(scene) { const m = markup(); // svg tag m.open('svg', extend({}, metadata, { class: 'marks', width: this._width * this._scale, height: this._height * this._scale, viewBox: `0 0 ${this._width} ${this._height}` })); // background, if defined const bg = this._bgcolor; if (bg && bg !== 'transparent' && bg !== 'none') { m.open('rect', { width: this._width, height: this._height, fill: bg }).close(); } // root content group m.open('g', rootAttributes, { transform: 'translate(' + this._origin + ')' }); this.mark(m, scene); m.close(); // // defs this.defs(m); // get SVG text string this._text = m.close() + ''; return this; } /** * Render a set of mark items. * @param {object} m - The markup context. * @param {object} scene - The mark parent to render. */ mark(m, scene) { const mdef = Marks[scene.marktype], tag = mdef.tag, attrList = [ariaItemAttributes, mdef.attr]; // render opening group tag m.open('g', { 'class': cssClass(scene), 'clip-path': scene.clip ? clip$1(this, scene, scene.group) : null }, ariaMarkAttributes(scene), { 'pointer-events': tag !== 'g' && scene.interactive === false ? 'none' : null }); // render contained elements const process = item => { const href = this.href(item); if (href) m.open('a', href); m.open(tag, this.attr(scene, item, attrList, tag !== 'g' ? tag : null)); if (tag === 'text') { const tl = textLines(item); if (isArray(tl)) { // multi-line text const attrs = { x: 0, dy: lineHeight(item) }; for (let i = 0; i < tl.length; ++i) { m.open('tspan', i ? attrs : null).text(textValue(item, tl[i])).close(); } } else { // single-line text m.text(textValue(item, tl)); } } else if (tag === 'g') { const fore = item.strokeForeground, fill = item.fill, stroke = item.stroke; if (fore && stroke) { item.stroke = null; } m.open('path', this.attr(scene, item, mdef.background, 'bgrect')).close(); // recurse for group content m.open('g', this.attr(scene, item, mdef.content)); visit(item, scene => this.mark(m, scene)); m.close(); if (fore && stroke) { if (fill) item.fill = null; item.stroke = stroke; m.open('path', this.attr(scene, item, mdef.foreground, 'bgrect')).close(); if (fill) item.fill = fill; } else { m.open('path', this.attr(scene, item, mdef.foreground, 'bgfore')).close(); } } m.close(); // if (href) m.close(); // }; if (mdef.nested) { if (scene.items && scene.items.length) process(scene.items[0]); } else { visit(scene, process); } // render closing group tag return m.close(); // } /** * Get href attributes for a hyperlinked mark item. * @param {Item} item - The mark item. */ href(item) { const href = item.href; let attr; if (href) { if (attr = this._hrefs && this._hrefs[href]) { return attr; } else { this.sanitizeURL(href).then(attr => { // rewrite to use xlink namespace attr['xlink:href'] = attr.href; attr.href = null; (this._hrefs || (this._hrefs = {}))[href] = attr; }); } } return null; } /** * Get an object of SVG attributes for a mark item. * @param {object} scene - The mark parent. * @param {Item} item - The mark item. * @param {array|function} attrs - One or more attribute emitters. * @param {string} tag - The tag being rendered. */ attr(scene, item, attrs, tag) { const object = {}, emit = (name, value, ns, prefixed) => { object[prefixed || name] = value; }; // apply mark specific attributes if (Array.isArray(attrs)) { attrs.forEach(fn => fn(emit, item, this)); } else { attrs(emit, item, this); } // apply style attributes if (tag) { style(object, item, scene, tag, this._defs); } return object; } /** * Render SVG defs, as needed. * Must be called *after* marks have been processed to ensure the * collected state is current and accurate. * @param {object} m - The markup context. */ defs(m) { const gradient = this._defs.gradient, clipping = this._defs.clipping, count = Object.keys(gradient).length + Object.keys(clipping).length; if (count === 0) return; // nothing to do m.open('defs'); for (const id in gradient) { const def = gradient[id], stops = def.stops; if (def.gradient === 'radial') { // SVG radial gradients automatically transform to normalized bbox // coordinates, in a way that is cumbersome to replicate in canvas. // We wrap the radial gradient in a pattern element, allowing us to // maintain a circular gradient that matches what canvas provides. m.open('pattern', { id: patternPrefix + id, viewBox: '0,0,1,1', width: '100%', height: '100%', preserveAspectRatio: 'xMidYMid slice' }); m.open('rect', { width: '1', height: '1', fill: 'url(#' + id + ')' }).close(); m.close(); // m.open('radialGradient', { id: id, fx: def.x1, fy: def.y1, fr: def.r1, cx: def.x2, cy: def.y2, r: def.r2 }); } else { m.open('linearGradient', { id: id, x1: def.x1, x2: def.x2, y1: def.y1, y2: def.y2 }); } for (let i = 0; i < stops.length; ++i) { m.open('stop', { offset: stops[i].offset, 'stop-color': stops[i].color }).close(); } m.close(); } for (const id in clipping) { const def = clipping[id]; m.open('clipPath', { id: id }); if (def.path) { m.open('path', { d: def.path }).close(); } else { m.open('rect', { x: 0, y: 0, width: def.width, height: def.height }).close(); } m.close(); } m.close(); } } // Helper function for attr for style presentation attributes function style(s, item, scene, tag, defs) { let styleList; if (item == null) return s; if (tag === 'bgrect' && scene.interactive === false) { s['pointer-events'] = 'none'; } if (tag === 'bgfore') { if (scene.interactive === false) { s['pointer-events'] = 'none'; } s.display = 'none'; if (item.fill !== null) return s; } if (tag === 'image' && item.smooth === false) { styleList = ['image-rendering: optimizeSpeed;', 'image-rendering: pixelated;']; } if (tag === 'text') { s['font-family'] = fontFamily(item); s['font-size'] = fontSize(item) + 'px'; s['font-style'] = item.fontStyle; s['font-variant'] = item.fontVariant; s['font-weight'] = item.fontWeight; } for (const prop in stylesAttr) { let value = item[prop]; const name = stylesAttr[prop]; if (value === 'transparent' && (name === 'fill' || name === 'stroke')) ; else if (value != null) { if (isGradient(value)) { value = gradientRef(value, defs.gradient, ''); } s[name] = value; } } for (const prop in stylesCss) { const value = item[prop]; if (value != null) { styleList = styleList || []; styleList.push(`${stylesCss[prop]}: ${value};`); } } if (styleList) { s.style = styleList.join(' '); } return s; } /** * @typedef {Object} HybridRendererOptions * * @property {string[]} [svgMarkTypes=['text']] - An array of SVG mark types to render * in the SVG layer. All other mark types * will be rendered in the Canvas layer. * @property {boolean} [svgOnTop=true] - Flag to determine if SVG should be rendered on top. * @property {boolean} [debug=false] - Flag to enable or disable debugging mode. When true, * the top layer will be stacked below the bottom layer * rather than overlaid on top. */ /** @type {HybridRendererOptions} */ const OPTS = { svgMarkTypes: ['text'], svgOnTop: true, debug: false }; /** * Configure the HybridRenderer * * @param {HybridRendererOptions} options - HybridRenderer configuration options. */ function setHybridRendererOptions(options) { OPTS['svgMarkTypes'] = options.svgMarkTypes ?? ['text']; OPTS['svgOnTop'] = options.svgOnTop ?? true; OPTS['debug'] = options.debug ?? false; } class HybridRenderer extends Renderer { constructor(loader) { super(loader); this._svgRenderer = new SVGRenderer(loader); this._canvasRenderer = new CanvasRenderer(loader); } /** * Initialize a new HybridRenderer instance. * @param {DOMElement} el - The containing DOM element for the display. * @param {number} width - The coordinate width of the display, in pixels. * @param {number} height - The coordinate height of the display, in pixels. * @param {Array} origin - The origin of the display, in pixels. * The coordinate system will be translated to this point. * @param {number} [scaleFactor=1] - Optional scaleFactor by which to multiply * the width and height to determine the final pixel size. * @return {HybridRenderer} - This renderer instance. */ initialize(el, width, height, origin, scaleFactor) { this._root_el = domChild(el, 0, 'div'); const bottomEl = domChild(this._root_el, 0, 'div'); const topEl = domChild(this._root_el, 1, 'div'); this._root_el.style.position = 'relative'; // Set position absolute to overlay svg on top of canvas if (!OPTS.debug) { bottomEl.style.height = '100%'; topEl.style.position = 'absolute'; topEl.style.top = '0'; topEl.style.left = '0'; topEl.style.height = '100%'; topEl.style.width = '100%'; } this._svgEl = OPTS.svgOnTop ? topEl : bottomEl; this._canvasEl = OPTS.svgOnTop ? bottomEl : topEl; // pointer-events to none on SVG layer so that canvas gets all events this._svgEl.style.pointerEvents = 'none'; this._canvasRenderer.initialize(this._canvasEl, width, height, origin, scaleFactor); this._svgRenderer.initialize(this._svgEl, width, height, origin, scaleFactor); return super.initialize(el, width, height, origin, scaleFactor); } /** * Flag a mark item as dirty. * @param {Item} item - The mark item. */ dirty(item) { if (OPTS.svgMarkTypes.includes(item.mark.marktype)) { this._svgRenderer.dirty(item); } else { this._canvasRenderer.dirty(item); } return this; } /** * Internal rendering method. * @param {object} scene - The root mark of a scenegraph to render. * @param {Array} markTypes - Array of the mark types to render. * If undefined, render all mark types */ _render(scene, markTypes) { const allMarkTypes = markTypes ?? ['arc', 'area', 'image', 'line', 'path', 'rect', 'rule', 'shape', 'symbol', 'text', 'trail']; const canvasMarkTypes = allMarkTypes.filter(m => !OPTS.svgMarkTypes.includes(m)); this._svgRenderer.render(scene, OPTS.svgMarkTypes); this._canvasRenderer.render(scene, canvasMarkTypes); } /** * Resize the display. * @param {number} width - The new coordinate width of the display, in pixels. * @param {number} height - The new coordinate height of the display, in pixels. * @param {Array} origin - The new origin of the display, in pixels. * The coordinate system will be translated to this point. * @param {number} [scaleFactor=1] - Optional scaleFactor by which to multiply * the width and height to determine the final pixel size. * @return {SVGRenderer} - This renderer instance; */ resize(width, height, origin, scaleFactor) { super.resize(width, height, origin, scaleFactor); this._svgRenderer.resize(width, height, origin, scaleFactor); this._canvasRenderer.resize(width, height, origin, scaleFactor); return this; } background(bgcolor) { // Propagate background color to lower canvas renderer if (OPTS.svgOnTop) { this._canvasRenderer.background(bgcolor); } else { this._svgRenderer.background(bgcolor); } return this; } } class HybridHandler extends CanvasHandler { constructor(loader, tooltip) { super(loader, tooltip); } initialize(el, origin, obj) { const canvas = domChild(domChild(el, 0, 'div'), OPTS.svgOnTop ? 0 : 1, 'div'); return super.initialize(canvas, origin, obj); } } const Canvas = 'canvas'; const Hybrid = 'hybrid'; const PNG = 'png'; const SVG = 'svg'; const vega_scenegraph_module_None = 'none'; const RenderType = { Canvas: Canvas, PNG: PNG, SVG: SVG, Hybrid: Hybrid, None: vega_scenegraph_module_None }; const modules = {}; modules[Canvas] = modules[PNG] = { renderer: CanvasRenderer, headless: CanvasRenderer, handler: CanvasHandler }; modules[SVG] = { renderer: SVGRenderer, headless: SVGStringRenderer, handler: SVGHandler }; modules[Hybrid] = { renderer: HybridRenderer, headless: HybridRenderer, handler: HybridHandler }; modules[vega_scenegraph_module_None] = {}; function renderModule(name, _) { name = String(name || '').toLowerCase(); if (arguments.length > 1) { modules[name] = _; return this; } else { return modules[name]; } } function intersect(scene, bounds, filter) { const hits = [], // intersection results box = new Bounds().union(bounds), // defensive copy type = scene.marktype; return type ? intersectMark(scene, box, filter, hits) : type === 'group' ? intersectGroup(scene, box, filter, hits) : vega_util_module_error('Intersect scene must be mark node or group item.'); } function intersectMark(mark, box, filter, hits) { if (visitMark(mark, box, filter)) { const items = mark.items, type = mark.marktype, n = items.length; let i = 0; if (type === 'group') { for (; i < n; ++i) { intersectGroup(items[i], box, filter, hits); } } else { for (const test = Marks[type].isect; i < n; ++i) { const item = items[i]; if (intersectItem(item, box, test)) hits.push(item); } } } return hits; } function visitMark(mark, box, filter) { // process if bounds intersect and if // (1) mark is a group mark (so we must recurse), or // (2) mark is interactive and passes filter return mark.bounds && box.intersects(mark.bounds) && (mark.marktype === 'group' || mark.interactive !== false && (!filter || filter(mark))); } function intersectGroup(group, box, filter, hits) { // test intersect against group // skip groups by default unless filter says otherwise if (filter && filter(group.mark) && intersectItem(group, box, Marks.group.isect)) { hits.push(group); } // recursively test children marks // translate box to group coordinate space const marks = group.items, n = marks && marks.length; if (n) { const x = group.x || 0, y = group.y || 0; box.translate(-x, -y); for (let i = 0; i < n; ++i) { intersectMark(marks[i], box, filter, hits); } box.translate(x, y); } return hits; } function intersectItem(item, box, test) { // test bounds enclosure, bounds intersection, then detailed test const bounds = item.bounds; return box.encloses(bounds) || box.intersects(bounds) && test(item, box); } const clipBounds = new Bounds(); function boundClip (mark) { const clip = mark.clip; if (vega_util_module_isFunction(clip)) { clip(boundContext(clipBounds.clear())); } else if (clip) { clipBounds.set(0, 0, mark.group.width, mark.group.height); } else return; mark.bounds.intersect(clipBounds); } const TOLERANCE = 1e-9; function sceneEqual(a, b, key) { return a === b ? true : key === 'path' ? pathEqual(a, b) : a instanceof Date && b instanceof Date ? +a === +b : isNumber(a) && isNumber(b) ? Math.abs(a - b) <= TOLERANCE : !a || !b || !isObject(a) && !isObject(b) ? a == b : objectEqual(a, b); } function pathEqual(a, b) { return sceneEqual(vega_scenegraph_module_parse(a), vega_scenegraph_module_parse(b)); } function objectEqual(a, b) { var ka = Object.keys(a), kb = Object.keys(b), key, i; if (ka.length !== kb.length) return false; ka.sort(); kb.sort(); for (i = ka.length - 1; i >= 0; i--) { if (ka[i] != kb[i]) return false; } for (i = ka.length - 1; i >= 0; i--) { key = ka[i]; if (!sceneEqual(a[key], b[key], key)) return false; } return typeof a === typeof b; } function resetSVGDefIds() { resetSVGClipId(); resetSVGGradientId(); } ;// CONCATENATED MODULE: ../node_modules/vega-view-transforms/build/vega-view-transforms.module.js const Top = 'top'; const Left = 'left'; const Right = 'right'; const Bottom = 'bottom'; const TopLeft = 'top-left'; const TopRight = 'top-right'; const BottomLeft = 'bottom-left'; const BottomRight = 'bottom-right'; const Start = 'start'; const Middle = 'middle'; const End = 'end'; const X = 'x'; const Y = 'y'; const Group = 'group'; const AxisRole = 'axis'; const TitleRole = 'title'; const FrameRole = 'frame'; const ScopeRole = 'scope'; const LegendRole = 'legend'; const RowHeader = 'row-header'; const RowFooter = 'row-footer'; const RowTitle = 'row-title'; const ColHeader = 'column-header'; const ColFooter = 'column-footer'; const ColTitle = 'column-title'; const Padding = 'padding'; const Symbols = 'symbol'; const Fit = 'fit'; const FitX = 'fit-x'; const FitY = 'fit-y'; const Pad = 'pad'; const vega_view_transforms_module_None = 'none'; const All = 'all'; const Each = 'each'; const Flush = 'flush'; const Column = 'column'; const Row = 'row'; /** * Calculate bounding boxes for scenegraph items. * @constructor * @param {object} params - The parameters for this operator. * @param {object} params.mark - The scenegraph mark instance to bound. */ function Bound(params) { Transform.call(this, null, params); } inherits(Bound, Transform, { transform(_, pulse) { const view = pulse.dataflow, mark = _.mark, type = mark.marktype, entry = Marks[type], bound = entry.bound; let markBounds = mark.bounds, rebound; if (entry.nested) { // multi-item marks have a single bounds instance if (mark.items.length) view.dirty(mark.items[0]); markBounds = vega_view_transforms_module_boundItem(mark, bound); mark.items.forEach(item => { item.bounds.clear().union(markBounds); }); } else if (type === Group || _.modified()) { // operator parameters modified -> re-bound all items // updates group bounds in response to modified group content pulse.visit(pulse.MOD, item => view.dirty(item)); markBounds.clear(); mark.items.forEach(item => markBounds.union(vega_view_transforms_module_boundItem(item, bound))); // force reflow for axes/legends/titles to propagate any layout changes switch (mark.role) { case AxisRole: case LegendRole: case TitleRole: pulse.reflow(); } } else { // incrementally update bounds, re-bound mark as needed rebound = pulse.changed(pulse.REM); pulse.visit(pulse.ADD, item => { markBounds.union(vega_view_transforms_module_boundItem(item, bound)); }); pulse.visit(pulse.MOD, item => { rebound = rebound || markBounds.alignsWith(item.bounds); view.dirty(item); markBounds.union(vega_view_transforms_module_boundItem(item, bound)); }); if (rebound) { markBounds.clear(); mark.items.forEach(item => markBounds.union(item.bounds)); } } // ensure mark bounds do not exceed any clipping region boundClip(mark); return pulse.modifies('bounds'); } }); function vega_view_transforms_module_boundItem(item, bound, opt) { return bound(item.bounds.clear(), item, opt); } const COUNTER_NAME = ':vega_identifier:'; /** * Adds a unique identifier to all added tuples. * This transform creates a new signal that serves as an id counter. * As a result, the id counter is shared across all instances of this * transform, generating unique ids across multiple data streams. In * addition, this signal value can be included in a snapshot of the * dataflow state, enabling correct resumption of id allocation. * @constructor * @param {object} params - The parameters for this operator. * @param {string} params.as - The field name for the generated identifier. */ function Identifier(params) { Transform.call(this, 0, params); } Identifier.Definition = { 'type': 'Identifier', 'metadata': { 'modifies': true }, 'params': [{ 'name': 'as', 'type': 'string', 'required': true }] }; inherits(Identifier, Transform, { transform(_, pulse) { const counter = getCounter(pulse.dataflow), as = _.as; let id = counter.value; pulse.visit(pulse.ADD, t => t[as] = t[as] || ++id); counter.set(this.value = id); return pulse; } }); function getCounter(view) { return view._signals[COUNTER_NAME] || (view._signals[COUNTER_NAME] = view.add(0)); } /** * Bind scenegraph items to a scenegraph mark instance. * @constructor * @param {object} params - The parameters for this operator. * @param {object} params.markdef - The mark definition for creating the mark. * This is an object of legal scenegraph mark properties which *must* include * the 'marktype' property. */ function Mark(params) { Transform.call(this, null, params); } inherits(Mark, Transform, { transform(_, pulse) { let mark = this.value; // acquire mark on first invocation, bind context and group if (!mark) { mark = pulse.dataflow.scenegraph().mark(_.markdef, lookup$1(_), _.index); mark.group.context = _.context; if (!_.context.group) _.context.group = mark.group; mark.source = this.source; // point to upstream collector mark.clip = _.clip; mark.interactive = _.interactive; this.value = mark; } // initialize entering items const Init = mark.marktype === Group ? GroupItem : Item; pulse.visit(pulse.ADD, item => Init.call(item, mark)); // update clipping and/or interactive status if (_.modified('clip') || _.modified('interactive')) { mark.clip = _.clip; mark.interactive = !!_.interactive; mark.zdirty = true; // force scenegraph re-eval pulse.reflow(); } // bind items array to scenegraph mark mark.items = pulse.source; return pulse; } }); function lookup$1(_) { const g = _.groups, p = _.parent; return g && g.size === 1 ? g.get(Object.keys(g.object)[0]) : g && p ? g.lookup(p) : null; } /** * Analyze items for overlap, changing opacity to hide items with * overlapping bounding boxes. This transform will preserve at least * two items (e.g., first and last) even if overlap persists. * @param {object} params - The parameters for this operator. * @param {function(*,*): number} [params.sort] - A comparator * function for sorting items. * @param {object} [params.method] - The overlap removal method to apply. * One of 'parity' (default, hide every other item until there is no * more overlap) or 'greedy' (sequentially scan and hide and items that * overlap with the last visible item). * @param {object} [params.boundScale] - A scale whose range should be used * to bound the items. Items exceeding the bounds of the scale range * will be treated as overlapping. If null or undefined, no bounds check * will be applied. * @param {object} [params.boundOrient] - The orientation of the scale * (top, bottom, left, or right) used to bound items. This parameter is * ignored if boundScale is null or undefined. * @param {object} [params.boundTolerance] - The tolerance in pixels for * bound inclusion testing (default 1). This specifies by how many pixels * an item's bounds may exceed the scale range bounds and not be culled. * @constructor */ function Overlap(params) { Transform.call(this, null, params); } const methods = { parity: items => items.filter((item, i) => i % 2 ? item.opacity = 0 : 1), greedy: (items, sep) => { let a; return items.filter((b, i) => !i || !vega_view_transforms_module_intersect(a.bounds, b.bounds, sep) ? (a = b, 1) : b.opacity = 0); } }; // compute bounding box intersection // including padding pixels of separation const vega_view_transforms_module_intersect = (a, b, sep) => sep > Math.max(b.x1 - a.x2, a.x1 - b.x2, b.y1 - a.y2, a.y1 - b.y2); const hasOverlap = (items, pad) => { for (var i = 1, n = items.length, a = items[0].bounds, b; i < n; a = b, ++i) { if (vega_view_transforms_module_intersect(a, b = items[i].bounds, pad)) return true; } }; const hasBounds = item => { const b = item.bounds; return b.width() > 1 && b.height() > 1; }; const boundTest = (scale, orient, tolerance) => { var range = scale.range(), b = new Bounds(); if (orient === Top || orient === Bottom) { b.set(range[0], -Infinity, range[1], +Infinity); } else { b.set(-Infinity, range[0], +Infinity, range[1]); } b.expand(tolerance || 1); return item => b.encloses(item.bounds); }; // reset all items to be fully opaque const vega_view_transforms_module_reset = source => { source.forEach(item => item.opacity = 1); return source; }; // add all tuples to mod, fork pulse if parameters were modified // fork prevents cross-stream tuple pollution (e.g., pulse from scale) const reflow = (pulse, _) => pulse.reflow(_.modified()).modifies('opacity'); inherits(Overlap, Transform, { transform(_, pulse) { const reduce = methods[_.method] || methods.parity, sep = _.separation || 0; let source = pulse.materialize(pulse.SOURCE).source, items, test; if (!source || !source.length) return; if (!_.method) { // early exit if method is falsy if (_.modified('method')) { vega_view_transforms_module_reset(source); pulse = reflow(pulse, _); } return pulse; } // skip labels with no content source = source.filter(hasBounds); // early exit, nothing to do if (!source.length) return; if (_.sort) { source = source.slice().sort(_.sort); } items = vega_view_transforms_module_reset(source); pulse = reflow(pulse, _); if (items.length >= 3 && hasOverlap(items, sep)) { do { items = reduce(items, sep); } while (items.length >= 3 && hasOverlap(items, sep)); if (items.length < 3 && !peek(source).opacity) { if (items.length > 1) peek(items).opacity = 0; peek(source).opacity = 1; } } if (_.boundScale && _.boundTolerance >= 0) { test = boundTest(_.boundScale, _.boundOrient, +_.boundTolerance); source.forEach(item => { if (!test(item)) item.opacity = 0; }); } // re-calculate mark bounds const bounds = items[0].mark.bounds.clear(); source.forEach(item => { if (item.opacity) bounds.union(item.bounds); }); return pulse; } }); /** * Queue modified scenegraph items for rendering. * @constructor */ function Render(params) { Transform.call(this, null, params); } inherits(Render, Transform, { transform(_, pulse) { const view = pulse.dataflow; pulse.visit(pulse.ALL, item => view.dirty(item)); // set z-index dirty flag as needed if (pulse.fields && pulse.fields['zindex']) { const item = pulse.source && pulse.source[0]; if (item) item.mark.zdirty = true; } } }); const vega_view_transforms_module_tempBounds = new Bounds(); function vega_view_transforms_module_set(item, property, value) { return item[property] === value ? 0 : (item[property] = value, 1); } function isYAxis(mark) { var orient = mark.items[0].orient; return orient === Left || orient === Right; } function axisIndices(datum) { let index = +datum.grid; return [datum.ticks ? index++ : -1, // ticks index datum.labels ? index++ : -1, // labels index index + +datum.domain // title index ]; } function axisLayout(view, axis, width, height) { var item = axis.items[0], datum = item.datum, delta = item.translate != null ? item.translate : 0.5, orient = item.orient, indices = axisIndices(datum), range = item.range, offset = item.offset, position = item.position, minExtent = item.minExtent, maxExtent = item.maxExtent, title = datum.title && item.items[indices[2]].items[0], titlePadding = item.titlePadding, bounds = item.bounds, dl = title && multiLineOffset(title), x = 0, y = 0, i, s; vega_view_transforms_module_tempBounds.clear().union(bounds); bounds.clear(); if ((i = indices[0]) > -1) bounds.union(item.items[i].bounds); if ((i = indices[1]) > -1) bounds.union(item.items[i].bounds); // position axis group and title switch (orient) { case Top: x = position || 0; y = -offset; s = Math.max(minExtent, Math.min(maxExtent, -bounds.y1)); bounds.add(0, -s).add(range, 0); if (title) axisTitleLayout(view, title, s, titlePadding, dl, 0, -1, bounds); break; case Left: x = -offset; y = position || 0; s = Math.max(minExtent, Math.min(maxExtent, -bounds.x1)); bounds.add(-s, 0).add(0, range); if (title) axisTitleLayout(view, title, s, titlePadding, dl, 1, -1, bounds); break; case Right: x = width + offset; y = position || 0; s = Math.max(minExtent, Math.min(maxExtent, bounds.x2)); bounds.add(0, 0).add(s, range); if (title) axisTitleLayout(view, title, s, titlePadding, dl, 1, 1, bounds); break; case Bottom: x = position || 0; y = height + offset; s = Math.max(minExtent, Math.min(maxExtent, bounds.y2)); bounds.add(0, 0).add(range, s); if (title) axisTitleLayout(view, title, s, titlePadding, 0, 0, 1, bounds); break; default: x = item.x; y = item.y; } // update bounds boundStroke(bounds.translate(x, y), item); if (vega_view_transforms_module_set(item, 'x', x + delta) | vega_view_transforms_module_set(item, 'y', y + delta)) { item.bounds = vega_view_transforms_module_tempBounds; view.dirty(item); item.bounds = bounds; view.dirty(item); } return item.mark.bounds.clear().union(bounds); } function axisTitleLayout(view, title, offset, pad, dl, isYAxis, sign, bounds) { const b = title.bounds; if (title.auto) { const v = sign * (offset + dl + pad); let dx = 0, dy = 0; view.dirty(title); isYAxis ? dx = (title.x || 0) - (title.x = v) : dy = (title.y || 0) - (title.y = v); title.mark.bounds.clear().union(b.translate(-dx, -dy)); view.dirty(title); } bounds.union(b); } // aggregation functions for grid margin determination const vega_view_transforms_module_min = (a, b) => Math.floor(Math.min(a, b)); const vega_view_transforms_module_max = (a, b) => Math.ceil(Math.max(a, b)); function gridLayoutGroups(group) { var groups = group.items, n = groups.length, i = 0, mark, items; const views = { marks: [], rowheaders: [], rowfooters: [], colheaders: [], colfooters: [], rowtitle: null, coltitle: null }; // layout axes, gather legends, collect bounds for (; i < n; ++i) { mark = groups[i]; items = mark.items; if (mark.marktype === Group) { switch (mark.role) { case AxisRole: case LegendRole: case TitleRole: break; case RowHeader: views.rowheaders.push(...items); break; case RowFooter: views.rowfooters.push(...items); break; case ColHeader: views.colheaders.push(...items); break; case ColFooter: views.colfooters.push(...items); break; case RowTitle: views.rowtitle = items[0]; break; case ColTitle: views.coltitle = items[0]; break; default: views.marks.push(...items); } } } return views; } function bboxFlush(item) { return new Bounds().set(0, 0, item.width || 0, item.height || 0); } function bboxFull(item) { const b = item.bounds.clone(); return b.empty() ? b.set(0, 0, 0, 0) : b.translate(-(item.x || 0), -(item.y || 0)); } function vega_view_transforms_module_get(opt, key, d) { const v = isObject(opt) ? opt[key] : opt; return v != null ? v : d !== undefined ? d : 0; } function offsetValue(v) { return v < 0 ? Math.ceil(-v) : 0; } function gridLayout(view, groups, opt) { var dirty = !opt.nodirty, bbox = opt.bounds === Flush ? bboxFlush : bboxFull, bounds = vega_view_transforms_module_tempBounds.set(0, 0, 0, 0), alignCol = vega_view_transforms_module_get(opt.align, Column), alignRow = vega_view_transforms_module_get(opt.align, Row), padCol = vega_view_transforms_module_get(opt.padding, Column), padRow = vega_view_transforms_module_get(opt.padding, Row), ncols = opt.columns || groups.length, nrows = ncols <= 0 ? 1 : Math.ceil(groups.length / ncols), n = groups.length, xOffset = Array(n), xExtent = Array(ncols), xMax = 0, yOffset = Array(n), yExtent = Array(nrows), yMax = 0, dx = Array(n), dy = Array(n), boxes = Array(n), m, i, c, r, b, g, px, py, x, y, offset; for (i = 0; i < ncols; ++i) xExtent[i] = 0; for (i = 0; i < nrows; ++i) yExtent[i] = 0; // determine offsets for each group for (i = 0; i < n; ++i) { g = groups[i]; b = boxes[i] = bbox(g); g.x = g.x || 0; dx[i] = 0; g.y = g.y || 0; dy[i] = 0; c = i % ncols; r = ~~(i / ncols); xMax = Math.max(xMax, px = Math.ceil(b.x2)); yMax = Math.max(yMax, py = Math.ceil(b.y2)); xExtent[c] = Math.max(xExtent[c], px); yExtent[r] = Math.max(yExtent[r], py); xOffset[i] = padCol + offsetValue(b.x1); yOffset[i] = padRow + offsetValue(b.y1); if (dirty) view.dirty(groups[i]); } // set initial alignment offsets for (i = 0; i < n; ++i) { if (i % ncols === 0) xOffset[i] = 0; if (i < ncols) yOffset[i] = 0; } // enforce column alignment constraints if (alignCol === Each) { for (c = 1; c < ncols; ++c) { for (offset = 0, i = c; i < n; i += ncols) { if (offset < xOffset[i]) offset = xOffset[i]; } for (i = c; i < n; i += ncols) { xOffset[i] = offset + xExtent[c - 1]; } } } else if (alignCol === All) { for (offset = 0, i = 0; i < n; ++i) { if (i % ncols && offset < xOffset[i]) offset = xOffset[i]; } for (i = 0; i < n; ++i) { if (i % ncols) xOffset[i] = offset + xMax; } } else { for (alignCol = false, c = 1; c < ncols; ++c) { for (i = c; i < n; i += ncols) { xOffset[i] += xExtent[c - 1]; } } } // enforce row alignment constraints if (alignRow === Each) { for (r = 1; r < nrows; ++r) { for (offset = 0, i = r * ncols, m = i + ncols; i < m; ++i) { if (offset < yOffset[i]) offset = yOffset[i]; } for (i = r * ncols; i < m; ++i) { yOffset[i] = offset + yExtent[r - 1]; } } } else if (alignRow === All) { for (offset = 0, i = ncols; i < n; ++i) { if (offset < yOffset[i]) offset = yOffset[i]; } for (i = ncols; i < n; ++i) { yOffset[i] = offset + yMax; } } else { for (alignRow = false, r = 1; r < nrows; ++r) { for (i = r * ncols, m = i + ncols; i < m; ++i) { yOffset[i] += yExtent[r - 1]; } } } // perform horizontal grid layout for (x = 0, i = 0; i < n; ++i) { x = xOffset[i] + (i % ncols ? x : 0); dx[i] += x - groups[i].x; } // perform vertical grid layout for (c = 0; c < ncols; ++c) { for (y = 0, i = c; i < n; i += ncols) { y += yOffset[i]; dy[i] += y - groups[i].y; } } // perform horizontal centering if (alignCol && vega_view_transforms_module_get(opt.center, Column) && nrows > 1) { for (i = 0; i < n; ++i) { b = alignCol === All ? xMax : xExtent[i % ncols]; x = b - boxes[i].x2 - groups[i].x - dx[i]; if (x > 0) dx[i] += x / 2; } } // perform vertical centering if (alignRow && vega_view_transforms_module_get(opt.center, Row) && ncols !== 1) { for (i = 0; i < n; ++i) { b = alignRow === All ? yMax : yExtent[~~(i / ncols)]; y = b - boxes[i].y2 - groups[i].y - dy[i]; if (y > 0) dy[i] += y / 2; } } // position grid relative to anchor for (i = 0; i < n; ++i) { bounds.union(boxes[i].translate(dx[i], dy[i])); } x = vega_view_transforms_module_get(opt.anchor, X); y = vega_view_transforms_module_get(opt.anchor, Y); switch (vega_view_transforms_module_get(opt.anchor, Column)) { case End: x -= bounds.width(); break; case Middle: x -= bounds.width() / 2; } switch (vega_view_transforms_module_get(opt.anchor, Row)) { case End: y -= bounds.height(); break; case Middle: y -= bounds.height() / 2; } x = Math.round(x); y = Math.round(y); // update mark positions, bounds, dirty bounds.clear(); for (i = 0; i < n; ++i) { groups[i].mark.bounds.clear(); } for (i = 0; i < n; ++i) { g = groups[i]; g.x += dx[i] += x; g.y += dy[i] += y; bounds.union(g.mark.bounds.union(g.bounds.translate(dx[i], dy[i]))); if (dirty) view.dirty(g); } return bounds; } function trellisLayout(view, group, opt) { var views = gridLayoutGroups(group), groups = views.marks, bbox = opt.bounds === Flush ? boundFlush : boundFull, off = opt.offset, ncols = opt.columns || groups.length, nrows = ncols <= 0 ? 1 : Math.ceil(groups.length / ncols), cells = nrows * ncols, x, y, x2, y2, anchor, band, offset; // -- initial grid layout const bounds = gridLayout(view, groups, opt); if (bounds.empty()) bounds.set(0, 0, 0, 0); // empty grid // -- layout grid headers and footers -- // perform row header layout if (views.rowheaders) { band = vega_view_transforms_module_get(opt.headerBand, Row, null); x = layoutHeaders(view, views.rowheaders, groups, ncols, nrows, -vega_view_transforms_module_get(off, 'rowHeader'), vega_view_transforms_module_min, 0, bbox, 'x1', 0, ncols, 1, band); } // perform column header layout if (views.colheaders) { band = vega_view_transforms_module_get(opt.headerBand, Column, null); y = layoutHeaders(view, views.colheaders, groups, ncols, ncols, -vega_view_transforms_module_get(off, 'columnHeader'), vega_view_transforms_module_min, 1, bbox, 'y1', 0, 1, ncols, band); } // perform row footer layout if (views.rowfooters) { band = vega_view_transforms_module_get(opt.footerBand, Row, null); x2 = layoutHeaders(view, views.rowfooters, groups, ncols, nrows, vega_view_transforms_module_get(off, 'rowFooter'), vega_view_transforms_module_max, 0, bbox, 'x2', ncols - 1, ncols, 1, band); } // perform column footer layout if (views.colfooters) { band = vega_view_transforms_module_get(opt.footerBand, Column, null); y2 = layoutHeaders(view, views.colfooters, groups, ncols, ncols, vega_view_transforms_module_get(off, 'columnFooter'), vega_view_transforms_module_max, 1, bbox, 'y2', cells - ncols, 1, ncols, band); } // perform row title layout if (views.rowtitle) { anchor = vega_view_transforms_module_get(opt.titleAnchor, Row); offset = vega_view_transforms_module_get(off, 'rowTitle'); offset = anchor === End ? x2 + offset : x - offset; band = vega_view_transforms_module_get(opt.titleBand, Row, 0.5); layoutTitle(view, views.rowtitle, offset, 0, bounds, band); } // perform column title layout if (views.coltitle) { anchor = vega_view_transforms_module_get(opt.titleAnchor, Column); offset = vega_view_transforms_module_get(off, 'columnTitle'); offset = anchor === End ? y2 + offset : y - offset; band = vega_view_transforms_module_get(opt.titleBand, Column, 0.5); layoutTitle(view, views.coltitle, offset, 1, bounds, band); } } function boundFlush(item, field) { return field === 'x1' ? item.x || 0 : field === 'y1' ? item.y || 0 : field === 'x2' ? (item.x || 0) + (item.width || 0) : field === 'y2' ? (item.y || 0) + (item.height || 0) : undefined; } function boundFull(item, field) { return item.bounds[field]; } function layoutHeaders(view, headers, groups, ncols, limit, offset, agg, isX, bound, bf, start, stride, back, band) { var n = groups.length, init = 0, edge = 0, i, j, k, m, b, h, g, x, y; // if no groups, early exit and return 0 if (!n) return init; // compute margin for (i = start; i < n; i += stride) { if (groups[i]) init = agg(init, bound(groups[i], bf)); } // if no headers, return margin calculation if (!headers.length) return init; // check if number of headers exceeds number of rows or columns if (headers.length > limit) { view.warn('Grid headers exceed limit: ' + limit); headers = headers.slice(0, limit); } // apply offset init += offset; // clear mark bounds for all headers for (j = 0, m = headers.length; j < m; ++j) { view.dirty(headers[j]); headers[j].mark.bounds.clear(); } // layout each header for (i = start, j = 0, m = headers.length; j < m; ++j, i += stride) { h = headers[j]; b = h.mark.bounds; // search for nearest group to align to // necessary if table has empty cells for (k = i; k >= 0 && (g = groups[k]) == null; k -= back); // assign coordinates and update bounds if (isX) { x = band == null ? g.x : Math.round(g.bounds.x1 + band * g.bounds.width()); y = init; } else { x = init; y = band == null ? g.y : Math.round(g.bounds.y1 + band * g.bounds.height()); } b.union(h.bounds.translate(x - (h.x || 0), y - (h.y || 0))); h.x = x; h.y = y; view.dirty(h); // update current edge of layout bounds edge = agg(edge, b[bf]); } return edge; } function layoutTitle(view, g, offset, isX, bounds, band) { if (!g) return; view.dirty(g); // compute title coordinates var x = offset, y = offset; isX ? x = Math.round(bounds.x1 + band * bounds.width()) : y = Math.round(bounds.y1 + band * bounds.height()); // assign coordinates and update bounds g.bounds.translate(x - (g.x || 0), y - (g.y || 0)); g.mark.bounds.clear().union(g.bounds); g.x = x; g.y = y; // queue title for redraw view.dirty(g); } // utility for looking up legend layout configuration function vega_view_transforms_module_lookup(config, orient) { const opt = config[orient] || {}; return (key, d) => opt[key] != null ? opt[key] : config[key] != null ? config[key] : d; } // if legends specify offset directly, use the maximum specified value function offsets(legends, value) { let max = -Infinity; legends.forEach(item => { if (item.offset != null) max = Math.max(max, item.offset); }); return max > -Infinity ? max : value; } function legendParams(g, orient, config, xb, yb, w, h) { const _ = vega_view_transforms_module_lookup(config, orient), offset = offsets(g, _('offset', 0)), anchor = _('anchor', Start), mult = anchor === End ? 1 : anchor === Middle ? 0.5 : 0; const p = { align: Each, bounds: _('bounds', Flush), columns: _('direction') === 'vertical' ? 1 : g.length, padding: _('margin', 8), center: _('center'), nodirty: true }; switch (orient) { case Left: p.anchor = { x: Math.floor(xb.x1) - offset, column: End, y: mult * (h || xb.height() + 2 * xb.y1), row: anchor }; break; case Right: p.anchor = { x: Math.ceil(xb.x2) + offset, y: mult * (h || xb.height() + 2 * xb.y1), row: anchor }; break; case Top: p.anchor = { y: Math.floor(yb.y1) - offset, row: End, x: mult * (w || yb.width() + 2 * yb.x1), column: anchor }; break; case Bottom: p.anchor = { y: Math.ceil(yb.y2) + offset, x: mult * (w || yb.width() + 2 * yb.x1), column: anchor }; break; case TopLeft: p.anchor = { x: offset, y: offset }; break; case TopRight: p.anchor = { x: w - offset, y: offset, column: End }; break; case BottomLeft: p.anchor = { x: offset, y: h - offset, row: End }; break; case BottomRight: p.anchor = { x: w - offset, y: h - offset, column: End, row: End }; break; } return p; } function legendLayout(view, legend) { var item = legend.items[0], datum = item.datum, orient = item.orient, bounds = item.bounds, x = item.x, y = item.y, w, h; // cache current bounds for later comparison item._bounds ? item._bounds.clear().union(bounds) : item._bounds = bounds.clone(); bounds.clear(); // adjust legend to accommodate padding and title legendGroupLayout(view, item, item.items[0].items[0]); // aggregate bounds to determine size, and include origin bounds = legendBounds(item, bounds); w = 2 * item.padding; h = 2 * item.padding; if (!bounds.empty()) { w = Math.ceil(bounds.width() + w); h = Math.ceil(bounds.height() + h); } if (datum.type === Symbols) { legendEntryLayout(item.items[0].items[0].items[0].items); } if (orient !== vega_view_transforms_module_None) { item.x = x = 0; item.y = y = 0; } item.width = w; item.height = h; boundStroke(bounds.set(x, y, x + w, y + h), item); item.mark.bounds.clear().union(bounds); return item; } function legendBounds(item, b) { // aggregate item bounds item.items.forEach(_ => b.union(_.bounds)); // anchor to legend origin b.x1 = item.padding; b.y1 = item.padding; return b; } function legendGroupLayout(view, item, entry) { var pad = item.padding, ex = pad - entry.x, ey = pad - entry.y; if (!item.datum.title) { if (ex || ey) vega_view_transforms_module_translate(view, entry, ex, ey); } else { var title = item.items[1].items[0], anchor = title.anchor, tpad = item.titlePadding || 0, tx = pad - title.x, ty = pad - title.y; switch (title.orient) { case Left: ex += Math.ceil(title.bounds.width()) + tpad; break; case Right: case Bottom: break; default: ey += title.bounds.height() + tpad; } if (ex || ey) vega_view_transforms_module_translate(view, entry, ex, ey); switch (title.orient) { case Left: ty += legendTitleOffset(item, entry, title, anchor, 1, 1); break; case Right: tx += legendTitleOffset(item, entry, title, End, 0, 0) + tpad; ty += legendTitleOffset(item, entry, title, anchor, 1, 1); break; case Bottom: tx += legendTitleOffset(item, entry, title, anchor, 0, 0); ty += legendTitleOffset(item, entry, title, End, -1, 0, 1) + tpad; break; default: tx += legendTitleOffset(item, entry, title, anchor, 0, 0); } if (tx || ty) vega_view_transforms_module_translate(view, title, tx, ty); // translate legend if title pushes into negative coordinates if ((tx = Math.round(title.bounds.x1 - pad)) < 0) { vega_view_transforms_module_translate(view, entry, -tx, 0); vega_view_transforms_module_translate(view, title, -tx, 0); } } } function legendTitleOffset(item, entry, title, anchor, y, lr, noBar) { const grad = item.datum.type !== 'symbol', vgrad = title.datum.vgrad, e = grad && (lr || !vgrad) && !noBar ? entry.items[0] : entry, s = e.bounds[y ? 'y2' : 'x2'] - item.padding, u = vgrad && lr ? s : 0, v = vgrad && lr ? 0 : s, o = y <= 0 ? 0 : multiLineOffset(title); return Math.round(anchor === Start ? u : anchor === End ? v - o : 0.5 * (s - o)); } function vega_view_transforms_module_translate(view, item, dx, dy) { item.x += dx; item.y += dy; item.bounds.translate(dx, dy); item.mark.bounds.translate(dx, dy); view.dirty(item); } function legendEntryLayout(entries) { // get max widths for each column const widths = entries.reduce((w, g) => { w[g.column] = Math.max(g.bounds.x2 - g.x, w[g.column] || 0); return w; }, {}); // set dimensions of legend entry groups entries.forEach(g => { g.width = widths[g.column]; g.height = g.bounds.y2 - g.y; }); } function titleLayout(view, mark, width, height, viewBounds) { var group = mark.items[0], frame = group.frame, orient = group.orient, anchor = group.anchor, offset = group.offset, padding = group.padding, title = group.items[0].items[0], subtitle = group.items[1] && group.items[1].items[0], end = orient === Left || orient === Right ? height : width, start = 0, x = 0, y = 0, sx = 0, sy = 0, pos; if (frame !== Group) { orient === Left ? (start = viewBounds.y2, end = viewBounds.y1) : orient === Right ? (start = viewBounds.y1, end = viewBounds.y2) : (start = viewBounds.x1, end = viewBounds.x2); } else if (orient === Left) { start = height, end = 0; } pos = anchor === Start ? start : anchor === End ? end : (start + end) / 2; if (subtitle && subtitle.text) { // position subtitle switch (orient) { case Top: case Bottom: sy = title.bounds.height() + padding; break; case Left: sx = title.bounds.width() + padding; break; case Right: sx = -title.bounds.width() - padding; break; } vega_view_transforms_module_tempBounds.clear().union(subtitle.bounds); vega_view_transforms_module_tempBounds.translate(sx - (subtitle.x || 0), sy - (subtitle.y || 0)); if (vega_view_transforms_module_set(subtitle, 'x', sx) | vega_view_transforms_module_set(subtitle, 'y', sy)) { view.dirty(subtitle); subtitle.bounds.clear().union(vega_view_transforms_module_tempBounds); subtitle.mark.bounds.clear().union(vega_view_transforms_module_tempBounds); view.dirty(subtitle); } vega_view_transforms_module_tempBounds.clear().union(subtitle.bounds); } else { vega_view_transforms_module_tempBounds.clear(); } vega_view_transforms_module_tempBounds.union(title.bounds); // position title group switch (orient) { case Top: x = pos; y = viewBounds.y1 - vega_view_transforms_module_tempBounds.height() - offset; break; case Left: x = viewBounds.x1 - vega_view_transforms_module_tempBounds.width() - offset; y = pos; break; case Right: x = viewBounds.x2 + vega_view_transforms_module_tempBounds.width() + offset; y = pos; break; case Bottom: x = pos; y = viewBounds.y2 + offset; break; default: x = group.x; y = group.y; } if (vega_view_transforms_module_set(group, 'x', x) | vega_view_transforms_module_set(group, 'y', y)) { vega_view_transforms_module_tempBounds.translate(x, y); view.dirty(group); group.bounds.clear().union(vega_view_transforms_module_tempBounds); mark.bounds.clear().union(vega_view_transforms_module_tempBounds); view.dirty(group); } return group.bounds; } /** * Layout view elements such as axes and legends. * Also performs size adjustments. * @constructor * @param {object} params - The parameters for this operator. * @param {object} params.mark - Scenegraph mark of groups to layout. */ function ViewLayout(params) { Transform.call(this, null, params); } inherits(ViewLayout, Transform, { transform(_, pulse) { const view = pulse.dataflow; _.mark.items.forEach(group => { if (_.layout) trellisLayout(view, group, _.layout); layoutGroup(view, group, _); }); return shouldReflow(_.mark.group) ? pulse.reflow() : pulse; } }); function shouldReflow(group) { // We typically should reflow if layout is invoked (#2568), as child items // may have resized and reflow ensures group bounds are re-calculated. // However, legend entries have a special exception to avoid instability. // For example, if a selected legend symbol gains a stroke on hover, // we don't want to re-position subsequent elements in the legend. return group && group.mark.role !== 'legend-entry'; } function layoutGroup(view, group, _) { var items = group.items, width = Math.max(0, group.width || 0), height = Math.max(0, group.height || 0), viewBounds = new Bounds().set(0, 0, width, height), xBounds = viewBounds.clone(), yBounds = viewBounds.clone(), legends = [], title, mark, orient, b, i, n; // layout axes, gather legends, collect bounds for (i = 0, n = items.length; i < n; ++i) { mark = items[i]; switch (mark.role) { case AxisRole: b = isYAxis(mark) ? xBounds : yBounds; b.union(axisLayout(view, mark, width, height)); break; case TitleRole: title = mark; break; case LegendRole: legends.push(legendLayout(view, mark)); break; case FrameRole: case ScopeRole: case RowHeader: case RowFooter: case RowTitle: case ColHeader: case ColFooter: case ColTitle: xBounds.union(mark.bounds); yBounds.union(mark.bounds); break; default: viewBounds.union(mark.bounds); } } // layout legends, adjust viewBounds if (legends.length) { // group legends by orient const l = {}; legends.forEach(item => { orient = item.orient || Right; if (orient !== vega_view_transforms_module_None) (l[orient] || (l[orient] = [])).push(item); }); // perform grid layout for each orient group for (const orient in l) { const g = l[orient]; gridLayout(view, g, legendParams(g, orient, _.legends, xBounds, yBounds, width, height)); } // update view bounds legends.forEach(item => { const b = item.bounds; if (!b.equals(item._bounds)) { item.bounds = item._bounds; view.dirty(item); // dirty previous location item.bounds = b; view.dirty(item); } if (_.autosize && (_.autosize.type === Fit || _.autosize.type === FitX || _.autosize.type === FitY)) { // For autosize fit, incorporate the orthogonal dimension only. // Legends that overrun the chart area will then be clipped; // otherwise the chart area gets reduced to nothing! switch (item.orient) { case Left: case Right: viewBounds.add(b.x1, 0).add(b.x2, 0); break; case Top: case Bottom: viewBounds.add(0, b.y1).add(0, b.y2); } } else { viewBounds.union(b); } }); } // combine bounding boxes viewBounds.union(xBounds).union(yBounds); // layout title, adjust bounds if (title) { viewBounds.union(titleLayout(view, title, width, height, viewBounds)); } // override aggregated view bounds if content is clipped if (group.clip) { viewBounds.set(0, 0, group.width || 0, group.height || 0); } // perform size adjustment viewSizeLayout(view, group, viewBounds, _); } function viewSizeLayout(view, group, viewBounds, _) { const auto = _.autosize || {}, type = auto.type; if (view._autosize < 1 || !type) return; let viewWidth = view._width, viewHeight = view._height, width = Math.max(0, group.width || 0), left = Math.max(0, Math.ceil(-viewBounds.x1)), height = Math.max(0, group.height || 0), top = Math.max(0, Math.ceil(-viewBounds.y1)); const right = Math.max(0, Math.ceil(viewBounds.x2 - width)), bottom = Math.max(0, Math.ceil(viewBounds.y2 - height)); if (auto.contains === Padding) { const padding = view.padding(); viewWidth -= padding.left + padding.right; viewHeight -= padding.top + padding.bottom; } if (type === vega_view_transforms_module_None) { left = 0; top = 0; width = viewWidth; height = viewHeight; } else if (type === Fit) { width = Math.max(0, viewWidth - left - right); height = Math.max(0, viewHeight - top - bottom); } else if (type === FitX) { width = Math.max(0, viewWidth - left - right); viewHeight = height + top + bottom; } else if (type === FitY) { viewWidth = width + left + right; height = Math.max(0, viewHeight - top - bottom); } else if (type === Pad) { viewWidth = width + left + right; viewHeight = height + top + bottom; } view._resizeView(viewWidth, viewHeight, width, height, [left, top], auto.resize); } ;// CONCATENATED MODULE: ../node_modules/d3-array/src/sum.js function sum_sum(values, valueof) { let sum = 0; if (valueof === undefined) { for (let value of values) { if (value = +value) { sum += value; } } } else { let index = -1; for (let value of values) { if (value = +valueof(value, ++index, values)) { sum += value; } } } return sum; } ;// CONCATENATED MODULE: ../node_modules/vega-encode/build/vega-encode.module.js /** * Generates axis ticks for visualizing a spatial scale. * @constructor * @param {object} params - The parameters for this operator. * @param {Scale} params.scale - The scale to generate ticks for. * @param {*} [params.count=10] - The approximate number of ticks, or * desired tick interval, to use. * @param {Array<*>} [params.values] - The exact tick values to use. * These must be legal domain values for the provided scale. * If provided, the count argument is ignored. * @param {function(*):string} [params.formatSpecifier] - A format specifier * to use in conjunction with scale.tickFormat. Legal values are * any valid d3 4.0 format specifier. * @param {function(*):string} [params.format] - The format function to use. * If provided, the formatSpecifier argument is ignored. */ function AxisTicks(params) { Transform.call(this, null, params); } inherits(AxisTicks, Transform, { transform(_, pulse) { if (this.value && !_.modified()) { return pulse.StopPropagation; } var locale = pulse.dataflow.locale(), out = pulse.fork(pulse.NO_SOURCE | pulse.NO_FIELDS), ticks = this.value, scale = _.scale, tally = _.count == null ? _.values ? _.values.length : 10 : _.count, count = tickCount(scale, tally, _.minstep), format = _.format || vega_scale_module_tickFormat(locale, scale, count, _.formatSpecifier, _.formatType, !!_.values), values = _.values ? validTicks(scale, _.values, count) : tickValues(scale, count); if (ticks) out.rem = ticks; ticks = values.map((value, i) => ingest$1({ index: i / (values.length - 1 || 1), value: value, label: format(value) })); if (_.extra && ticks.length) { // add an extra tick pegged to the initial domain value // this is used to generate axes with 'binned' domains ticks.push(ingest$1({ index: -1, extra: { value: ticks[0].value }, label: '' })); } out.source = ticks; out.add = ticks; this.value = ticks; return out; } }); /** * Joins a set of data elements against a set of visual items. * @constructor * @param {object} params - The parameters for this operator. * @param {function(object): object} [params.item] - An item generator function. * @param {function(object): *} [params.key] - The key field associating data and visual items. */ function DataJoin(params) { Transform.call(this, null, params); } function defaultItemCreate() { return ingest$1({}); } function newMap(key) { const map = fastmap().test(t => t.exit); map.lookup = t => map.get(key(t)); return map; } inherits(DataJoin, Transform, { transform(_, pulse) { var df = pulse.dataflow, out = pulse.fork(pulse.NO_SOURCE | pulse.NO_FIELDS), item = _.item || defaultItemCreate, key = _.key || tupleid, map = this.value; // prevent transient (e.g., hover) requests from // cascading across marks derived from marks if (isArray(out.encode)) { out.encode = null; } if (map && (_.modified('key') || pulse.modified(key))) { vega_util_module_error('DataJoin does not support modified key function or fields.'); } if (!map) { pulse = pulse.addAll(); this.value = map = newMap(key); } pulse.visit(pulse.ADD, t => { const k = key(t); let x = map.get(k); if (x) { if (x.exit) { map.empty--; out.add.push(x); } else { out.mod.push(x); } } else { x = item(t); map.set(k, x); out.add.push(x); } x.datum = t; x.exit = false; }); pulse.visit(pulse.MOD, t => { const k = key(t), x = map.get(k); if (x) { x.datum = t; out.mod.push(x); } }); pulse.visit(pulse.REM, t => { const k = key(t), x = map.get(k); if (t === x.datum && !x.exit) { out.rem.push(x); x.exit = true; ++map.empty; } }); if (pulse.changed(pulse.ADD_MOD)) out.modifies('datum'); if (pulse.clean() || _.clean && map.empty > df.cleanThreshold) { df.runAfter(map.clean); } return out; } }); /** * Invokes encoding functions for visual items. * @constructor * @param {object} params - The parameters to the encoding functions. This * parameter object will be passed through to all invoked encoding functions. * @param {object} [params.mod=false] - Flag indicating if tuples in the input * mod set that are unmodified by encoders should be included in the output. * @param {object} param.encoders - The encoding functions * @param {function(object, object): boolean} [param.encoders.update] - Update encoding set * @param {function(object, object): boolean} [param.encoders.enter] - Enter encoding set * @param {function(object, object): boolean} [param.encoders.exit] - Exit encoding set */ function Encode(params) { Transform.call(this, null, params); } inherits(Encode, Transform, { transform(_, pulse) { var out = pulse.fork(pulse.ADD_REM), fmod = _.mod || false, encoders = _.encoders, encode = pulse.encode; // if an array, the encode directive includes additional sets // that must be defined in order for the primary set to be invoked // e.g., only run the update set if the hover set is defined if (isArray(encode)) { if (out.changed() || encode.every(e => encoders[e])) { encode = encode[0]; out.encode = null; // consume targeted encode directive } else { return pulse.StopPropagation; } } // marshall encoder functions var reenter = encode === 'enter', update = encoders.update || falsy, enter = encoders.enter || falsy, exit = encoders.exit || falsy, set = (encode && !reenter ? encoders[encode] : update) || falsy; if (pulse.changed(pulse.ADD)) { pulse.visit(pulse.ADD, t => { enter(t, _); update(t, _); }); out.modifies(enter.output); out.modifies(update.output); if (set !== falsy && set !== update) { pulse.visit(pulse.ADD, t => { set(t, _); }); out.modifies(set.output); } } if (pulse.changed(pulse.REM) && exit !== falsy) { pulse.visit(pulse.REM, t => { exit(t, _); }); out.modifies(exit.output); } if (reenter || set !== falsy) { const flag = pulse.MOD | (_.modified() ? pulse.REFLOW : 0); if (reenter) { pulse.visit(flag, t => { const mod = enter(t, _) || fmod; if (set(t, _) || mod) out.mod.push(t); }); if (out.mod.length) out.modifies(enter.output); } else { pulse.visit(flag, t => { if (set(t, _) || fmod) out.mod.push(t); }); } if (out.mod.length) out.modifies(set.output); } return out.changed() ? out : pulse.StopPropagation; } }); /** * Generates legend entries for visualizing a scale. * @constructor * @param {object} params - The parameters for this operator. * @param {Scale} params.scale - The scale to generate items for. * @param {*} [params.count=5] - The approximate number of items, or * desired tick interval, to use. * @param {*} [params.limit] - The maximum number of entries to * include in a symbol legend. * @param {Array<*>} [params.values] - The exact tick values to use. * These must be legal domain values for the provided scale. * If provided, the count argument is ignored. * @param {string} [params.formatSpecifier] - A format specifier * to use in conjunction with scale.tickFormat. Legal values are * any valid D3 format specifier string. * @param {function(*):string} [params.format] - The format function to use. * If provided, the formatSpecifier argument is ignored. */ function LegendEntries(params) { Transform.call(this, [], params); } inherits(LegendEntries, Transform, { transform(_, pulse) { if (this.value != null && !_.modified()) { return pulse.StopPropagation; } var locale = pulse.dataflow.locale(), out = pulse.fork(pulse.NO_SOURCE | pulse.NO_FIELDS), items = this.value, type = _.type || SymbolLegend, scale = _.scale, limit = +_.limit, count = tickCount(scale, _.count == null ? 5 : _.count, _.minstep), lskip = !!_.values || type === SymbolLegend, format = _.format || labelFormat(locale, scale, count, type, _.formatSpecifier, _.formatType, lskip), values = _.values || labelValues(scale, count), domain, fraction, size, offset, ellipsis; if (items) out.rem = items; if (type === SymbolLegend) { if (limit && values.length > limit) { pulse.dataflow.warn('Symbol legend count exceeds limit, filtering items.'); items = values.slice(0, limit - 1); ellipsis = true; } else { items = values; } if (vega_util_module_isFunction(size = _.size)) { // if first value maps to size zero, remove from list (vega#717) if (!_.values && scale(items[0]) === 0) { items = items.slice(1); } // compute size offset for legend entries offset = items.reduce((max, value) => Math.max(max, size(value, _)), 0); } else { size = vega_util_module_constant(offset = size || 8); } items = items.map((value, index) => ingest$1({ index: index, label: format(value, index, items), value: value, offset: offset, size: size(value, _) })); if (ellipsis) { ellipsis = values[items.length]; items.push(ingest$1({ index: items.length, label: `\u2026${values.length - items.length} entries`, value: ellipsis, offset: offset, size: size(ellipsis, _) })); } } else if (type === GradientLegend) { domain = scale.domain(), fraction = scaleFraction(scale, domain[0], peek(domain)); // if automatic label generation produces 2 or fewer values, // use the domain end points instead (fixes vega/vega#1364) if (values.length < 3 && !_.values && domain[0] !== peek(domain)) { values = [domain[0], peek(domain)]; } items = values.map((value, index) => ingest$1({ index: index, label: format(value, index, values), value: value, perc: fraction(value) })); } else { size = values.length - 1; fraction = labelFraction(scale); items = values.map((value, index) => ingest$1({ index: index, label: format(value, index, values), value: value, perc: index ? fraction(value) : 0, perc2: index === size ? 1 : fraction(values[index + 1]) })); } out.source = items; out.add = items; this.value = items; return out; } }); const sourceX = t => t.source.x; const sourceY = t => t.source.y; const targetX = t => t.target.x; const targetY = t => t.target.y; /** * Layout paths linking source and target elements. * @constructor * @param {object} params - The parameters for this operator. */ function LinkPath(params) { Transform.call(this, {}, params); } LinkPath.Definition = { 'type': 'LinkPath', 'metadata': { 'modifies': true }, 'params': [{ 'name': 'sourceX', 'type': 'field', 'default': 'source.x' }, { 'name': 'sourceY', 'type': 'field', 'default': 'source.y' }, { 'name': 'targetX', 'type': 'field', 'default': 'target.x' }, { 'name': 'targetY', 'type': 'field', 'default': 'target.y' }, { 'name': 'orient', 'type': 'enum', 'default': 'vertical', 'values': ['horizontal', 'vertical', 'radial'] }, { 'name': 'shape', 'type': 'enum', 'default': 'line', 'values': ['line', 'arc', 'curve', 'diagonal', 'orthogonal'] }, { 'name': 'require', 'type': 'signal' }, { 'name': 'as', 'type': 'string', 'default': 'path' }] }; inherits(LinkPath, Transform, { transform(_, pulse) { var sx = _.sourceX || sourceX, sy = _.sourceY || sourceY, tx = _.targetX || targetX, ty = _.targetY || targetY, as = _.as || 'path', orient = _.orient || 'vertical', shape = _.shape || 'line', path = Paths.get(shape + '-' + orient) || Paths.get(shape); if (!path) { vega_util_module_error('LinkPath unsupported type: ' + _.shape + (_.orient ? '-' + _.orient : '')); } pulse.visit(pulse.SOURCE, t => { t[as] = path(sx(t), sy(t), tx(t), ty(t)); }); return pulse.reflow(_.modified()).modifies(as); } }); const vega_encode_module_line = (sx, sy, tx, ty) => 'M' + sx + ',' + sy + 'L' + tx + ',' + ty; const lineR = (sa, sr, ta, tr) => vega_encode_module_line(sr * Math.cos(sa), sr * Math.sin(sa), tr * Math.cos(ta), tr * Math.sin(ta)); const vega_encode_module_arc = (sx, sy, tx, ty) => { var dx = tx - sx, dy = ty - sy, rr = Math.hypot(dx, dy) / 2, ra = 180 * Math.atan2(dy, dx) / Math.PI; return 'M' + sx + ',' + sy + 'A' + rr + ',' + rr + ' ' + ra + ' 0 1' + ' ' + tx + ',' + ty; }; const arcR = (sa, sr, ta, tr) => vega_encode_module_arc(sr * Math.cos(sa), sr * Math.sin(sa), tr * Math.cos(ta), tr * Math.sin(ta)); const curve = (sx, sy, tx, ty) => { const dx = tx - sx, dy = ty - sy, ix = 0.2 * (dx + dy), iy = 0.2 * (dy - dx); return 'M' + sx + ',' + sy + 'C' + (sx + ix) + ',' + (sy + iy) + ' ' + (tx + iy) + ',' + (ty - ix) + ' ' + tx + ',' + ty; }; const curveR = (sa, sr, ta, tr) => curve(sr * Math.cos(sa), sr * Math.sin(sa), tr * Math.cos(ta), tr * Math.sin(ta)); const orthoX = (sx, sy, tx, ty) => 'M' + sx + ',' + sy + 'V' + ty + 'H' + tx; const orthoY = (sx, sy, tx, ty) => 'M' + sx + ',' + sy + 'H' + tx + 'V' + ty; const orthoR = (sa, sr, ta, tr) => { const sc = Math.cos(sa), ss = Math.sin(sa), tc = Math.cos(ta), ts = Math.sin(ta), sf = Math.abs(ta - sa) > Math.PI ? ta <= sa : ta > sa; return 'M' + sr * sc + ',' + sr * ss + 'A' + sr + ',' + sr + ' 0 0,' + (sf ? 1 : 0) + ' ' + sr * tc + ',' + sr * ts + 'L' + tr * tc + ',' + tr * ts; }; const diagonalX = (sx, sy, tx, ty) => { const m = (sx + tx) / 2; return 'M' + sx + ',' + sy + 'C' + m + ',' + sy + ' ' + m + ',' + ty + ' ' + tx + ',' + ty; }; const diagonalY = (sx, sy, tx, ty) => { const m = (sy + ty) / 2; return 'M' + sx + ',' + sy + 'C' + sx + ',' + m + ' ' + tx + ',' + m + ' ' + tx + ',' + ty; }; const diagonalR = (sa, sr, ta, tr) => { const sc = Math.cos(sa), ss = Math.sin(sa), tc = Math.cos(ta), ts = Math.sin(ta), mr = (sr + tr) / 2; return 'M' + sr * sc + ',' + sr * ss + 'C' + mr * sc + ',' + mr * ss + ' ' + mr * tc + ',' + mr * ts + ' ' + tr * tc + ',' + tr * ts; }; const Paths = fastmap({ 'line': vega_encode_module_line, 'line-radial': lineR, 'arc': vega_encode_module_arc, 'arc-radial': arcR, 'curve': curve, 'curve-radial': curveR, 'orthogonal-horizontal': orthoX, 'orthogonal-vertical': orthoY, 'orthogonal-radial': orthoR, 'diagonal-horizontal': diagonalX, 'diagonal-vertical': diagonalY, 'diagonal-radial': diagonalR }); /** * Pie and donut chart layout. * @constructor * @param {object} params - The parameters for this operator. * @param {function(object): *} params.field - The value field to size pie segments. * @param {number} [params.startAngle=0] - The start angle (in radians) of the layout. * @param {number} [params.endAngle=2π] - The end angle (in radians) of the layout. * @param {boolean} [params.sort] - Boolean flag for sorting sectors by value. */ function Pie(params) { Transform.call(this, null, params); } Pie.Definition = { 'type': 'Pie', 'metadata': { 'modifies': true }, 'params': [{ 'name': 'field', 'type': 'field' }, { 'name': 'startAngle', 'type': 'number', 'default': 0 }, { 'name': 'endAngle', 'type': 'number', 'default': 6.283185307179586 }, { 'name': 'sort', 'type': 'boolean', 'default': false }, { 'name': 'as', 'type': 'string', 'array': true, 'length': 2, 'default': ['startAngle', 'endAngle'] }] }; inherits(Pie, Transform, { transform(_, pulse) { var as = _.as || ['startAngle', 'endAngle'], startAngle = as[0], endAngle = as[1], field = _.field || one, start = _.startAngle || 0, stop = _.endAngle != null ? _.endAngle : 2 * Math.PI, data = pulse.source, values = data.map(field), n = values.length, a = start, k = (stop - start) / sum_sum(values), index = (0,range/* default */.Z)(n), i, t, v; if (_.sort) { index.sort((a, b) => values[a] - values[b]); } for (i = 0; i < n; ++i) { v = values[index[i]]; t = data[index[i]]; t[startAngle] = a; t[endAngle] = a += v * k; } this.value = values; return pulse.reflow(_.modified()).modifies(as); } }); const DEFAULT_COUNT = 5; function includeZero(scale) { const type = scale.type; return !scale.bins && (type === Linear || type === Pow || type === Sqrt); } function includePad(type) { return isContinuous(type) && type !== Sequential; } const vega_encode_module_SKIP = vega_util_module_toSet(['set', 'modified', 'clear', 'type', 'scheme', 'schemeExtent', 'schemeCount', 'domain', 'domainMin', 'domainMid', 'domainMax', 'domainRaw', 'domainImplicit', 'nice', 'zero', 'bins', 'range', 'rangeStep', 'round', 'reverse', 'interpolate', 'interpolateGamma']); /** * Maintains a scale function mapping data values to visual channels. * @constructor * @param {object} params - The parameters for this operator. */ function Scale(params) { Transform.call(this, null, params); this.modified(true); // always treat as modified } inherits(Scale, Transform, { transform(_, pulse) { var df = pulse.dataflow, scale$1 = this.value, key = scaleKey(_); if (!scale$1 || key !== scale$1.type) { this.value = scale$1 = vega_scale_module_scale(key)(); } for (key in _) if (!vega_encode_module_SKIP[key]) { // padding is a scale property for band/point but not others if (key === 'padding' && includePad(scale$1.type)) continue; // invoke scale property setter, raise warning if not found vega_util_module_isFunction(scale$1[key]) ? scale$1[key](_[key]) : df.warn('Unsupported scale property: ' + key); } configureRange(scale$1, _, configureBins(scale$1, _, configureDomain(scale$1, _, df))); return pulse.fork(pulse.NO_SOURCE | pulse.NO_FIELDS); } }); function scaleKey(_) { var t = _.type, d = '', n; // backwards compatibility pre Vega 5. if (t === Sequential) return Sequential + '-' + Linear; if (isContinuousColor(_)) { n = _.rawDomain ? _.rawDomain.length : _.domain ? _.domain.length + +(_.domainMid != null) : 0; d = n === 2 ? Sequential + '-' : n === 3 ? Diverging + '-' : ''; } return (d + t || Linear).toLowerCase(); } function isContinuousColor(_) { const t = _.type; return isContinuous(t) && t !== Time && t !== UTC && (_.scheme || _.range && _.range.length && _.range.every(vega_util_module_isString)); } function configureDomain(scale, _, df) { // check raw domain, if provided use that and exit early const raw = rawDomain(scale, _.domainRaw, df); if (raw > -1) return raw; var domain = _.domain, type = scale.type, zero = _.zero || _.zero === undefined && includeZero(scale), n, mid; if (!domain) return 0; // adjust domain based on zero, min, max settings if (zero || _.domainMin != null || _.domainMax != null || _.domainMid != null) { n = (domain = domain.slice()).length - 1 || 1; if (zero) { if (domain[0] > 0) domain[0] = 0; if (domain[n] < 0) domain[n] = 0; } if (_.domainMin != null) domain[0] = _.domainMin; if (_.domainMax != null) domain[n] = _.domainMax; if (_.domainMid != null) { mid = _.domainMid; const i = mid > domain[n] ? n + 1 : mid < domain[0] ? 0 : n; if (i !== n) df.warn('Scale domainMid exceeds domain min or max.', mid); domain.splice(i, 0, mid); } } // adjust continuous domain for minimum pixel padding if (includePad(type) && _.padding && domain[0] !== peek(domain)) { domain = padDomain(type, domain, _.range, _.padding, _.exponent, _.constant); } // set the scale domain scale.domain(domainCheck(type, domain, df)); // if ordinal scale domain is defined, prevent implicit // domain construction as side-effect of scale lookup if (type === Ordinal) { scale.unknown(_.domainImplicit ? ordinal/* implicit */.O : undefined); } // perform 'nice' adjustment as requested if (_.nice && scale.nice) { scale.nice(_.nice !== true && tickCount(scale, _.nice) || null); } // return the cardinality of the domain return domain.length; } function rawDomain(scale, raw, df) { if (raw) { scale.domain(domainCheck(scale.type, raw, df)); return raw.length; } else { return -1; } } function padDomain(type, domain, range, pad, exponent, constant) { var span = Math.abs(peek(range) - range[0]), frac = span / (span - 2 * pad), d = type === Log ? zoomLog(domain, null, frac) : type === Sqrt ? zoomPow(domain, null, frac, 0.5) : type === Pow ? zoomPow(domain, null, frac, exponent || 1) : type === Symlog ? zoomSymlog(domain, null, frac, constant || 1) : zoomLinear(domain, null, frac); domain = domain.slice(); domain[0] = d[0]; domain[domain.length - 1] = d[1]; return domain; } function domainCheck(type, domain, df) { if (isLogarithmic(type)) { // sum signs of domain values // if all pos or all neg, abs(sum) === domain.length var s = Math.abs(domain.reduce((s, v) => s + (v < 0 ? -1 : v > 0 ? 1 : 0), 0)); if (s !== domain.length) { df.warn('Log scale domain includes zero: ' + $(domain)); } } return domain; } function configureBins(scale, _, count) { let bins = _.bins; if (bins && !isArray(bins)) { // generate bin boundary array const domain = scale.domain(), lo = domain[0], hi = peek(domain), step = bins.step; let start = bins.start == null ? lo : bins.start, stop = bins.stop == null ? hi : bins.stop; if (!step) vega_util_module_error('Scale bins parameter missing step property.'); if (start < lo) start = step * Math.ceil(lo / step); if (stop > hi) stop = step * Math.floor(hi / step); bins = (0,range/* default */.Z)(start, stop + step / 2, step); } if (bins) { // assign bin boundaries to scale instance scale.bins = bins; } else if (scale.bins) { // no current bins, remove bins if previously set delete scale.bins; } // special handling for bin-ordinal scales if (scale.type === BinOrdinal) { if (!bins) { // the domain specifies the bins scale.bins = scale.domain(); } else if (!_.domain && !_.domainRaw) { // the bins specify the domain scale.domain(bins); count = bins.length; } } // return domain cardinality return count; } function configureRange(scale, _, count) { var type = scale.type, round = _.round || false, range = _.range; // if range step specified, calculate full range extent if (_.rangeStep != null) { range = configureRangeStep(type, _, count); } // else if a range scheme is defined, use that else if (_.scheme) { range = configureScheme(type, _, count); if (vega_util_module_isFunction(range)) { if (scale.interpolator) { return scale.interpolator(range); } else { vega_util_module_error(`Scale type ${type} does not support interpolating color schemes.`); } } } // given a range array for an interpolating scale, convert to interpolator if (range && isInterpolating(type)) { return scale.interpolator(interpolateColors(flip(range, _.reverse), _.interpolate, _.interpolateGamma)); } // configure rounding / interpolation if (range && _.interpolate && scale.interpolate) { scale.interpolate(interpolate(_.interpolate, _.interpolateGamma)); } else if (vega_util_module_isFunction(scale.round)) { scale.round(round); } else if (vega_util_module_isFunction(scale.rangeRound)) { scale.interpolate(round ? src_round/* default */.Z : value/* default */.Z); } if (range) scale.range(flip(range, _.reverse)); } function configureRangeStep(type, _, count) { if (type !== Band && type !== Point) { vega_util_module_error('Only band and point scales support rangeStep.'); } // calculate full range based on requested step size and padding var outer = (_.paddingOuter != null ? _.paddingOuter : _.padding) || 0, inner = type === Point ? 1 : (_.paddingInner != null ? _.paddingInner : _.padding) || 0; return [0, _.rangeStep * bandSpace(count, inner, outer)]; } function configureScheme(type, _, count) { var extent = _.schemeExtent, name, scheme$1; if (isArray(_.scheme)) { scheme$1 = interpolateColors(_.scheme, _.interpolate, _.interpolateGamma); } else { name = _.scheme.toLowerCase(); scheme$1 = scheme(name); if (!scheme$1) vega_util_module_error(`Unrecognized scheme name: ${_.scheme}`); } // determine size for potential discrete range count = type === Threshold ? count + 1 : type === BinOrdinal ? count - 1 : type === vega_scale_module_Quantile || type === Quantize ? +_.schemeCount || DEFAULT_COUNT : count; // adjust and/or quantize scheme as appropriate return isInterpolating(type) ? adjustScheme(scheme$1, extent, _.reverse) : vega_util_module_isFunction(scheme$1) ? quantizeInterpolator(adjustScheme(scheme$1, extent), count) : type === Ordinal ? scheme$1 : scheme$1.slice(0, count); } function adjustScheme(scheme, extent, reverse) { return vega_util_module_isFunction(scheme) && (extent || reverse) ? interpolateRange(scheme, flip(extent || [0, 1], reverse)) : scheme; } function flip(array, reverse) { return reverse ? array.slice().reverse() : array; } /** * Sorts scenegraph items in the pulse source array. * @constructor * @param {object} params - The parameters for this operator. * @param {function(*,*): number} [params.sort] - A comparator * function for sorting tuples. */ function SortItems(params) { Transform.call(this, null, params); } inherits(SortItems, Transform, { transform(_, pulse) { const mod = _.modified('sort') || pulse.changed(pulse.ADD) || pulse.modified(_.sort.fields) || pulse.modified('datum'); if (mod) pulse.source.sort(stableCompare(_.sort)); this.modified(mod); return pulse; } }); const Zero = 'zero', Center = 'center', Normalize = 'normalize', DefOutput = ['y0', 'y1']; /** * Stack layout for visualization elements. * @constructor * @param {object} params - The parameters for this operator. * @param {function(object): *} params.field - The value field to stack. * @param {Array} [params.groupby] - An array of accessors to groupby. * @param {function(object,object): number} [params.sort] - A comparator for stack sorting. * @param {string} [offset='zero'] - Stack baseline offset. One of 'zero', 'center', 'normalize'. */ function Stack(params) { Transform.call(this, null, params); } Stack.Definition = { 'type': 'Stack', 'metadata': { 'modifies': true }, 'params': [{ 'name': 'field', 'type': 'field' }, { 'name': 'groupby', 'type': 'field', 'array': true }, { 'name': 'sort', 'type': 'compare' }, { 'name': 'offset', 'type': 'enum', 'default': Zero, 'values': [Zero, Center, Normalize] }, { 'name': 'as', 'type': 'string', 'array': true, 'length': 2, 'default': DefOutput }] }; inherits(Stack, Transform, { transform(_, pulse) { var as = _.as || DefOutput, y0 = as[0], y1 = as[1], sort = stableCompare(_.sort), field = _.field || one, stack = _.offset === Center ? stackCenter : _.offset === Normalize ? stackNormalize : stackZero, groups, i, n, max; // partition, sum, and sort the stack groups groups = vega_encode_module_partition(pulse.source, _.groupby, sort, field); // compute stack layouts per group for (i = 0, n = groups.length, max = groups.max; i < n; ++i) { stack(groups[i], max, field, y0, y1); } return pulse.reflow(_.modified()).modifies(as); } }); function stackCenter(group, max, field, y0, y1) { var last = (max - group.sum) / 2, m = group.length, j = 0, t; for (; j < m; ++j) { t = group[j]; t[y0] = last; t[y1] = last += Math.abs(field(t)); } } function stackNormalize(group, max, field, y0, y1) { var scale = 1 / group.sum, last = 0, m = group.length, j = 0, v = 0, t; for (; j < m; ++j) { t = group[j]; t[y0] = last; t[y1] = last = scale * (v += Math.abs(field(t))); } } function stackZero(group, max, field, y0, y1) { var lastPos = 0, lastNeg = 0, m = group.length, j = 0, v, t; for (; j < m; ++j) { t = group[j]; v = +field(t); if (v < 0) { t[y0] = lastNeg; t[y1] = lastNeg += v; } else { t[y0] = lastPos; t[y1] = lastPos += v; } } } function vega_encode_module_partition(data, groupby, sort, field) { var groups = [], get = f => f(t), map, i, n, m, t, k, g, s, max; // partition data points into stack groups if (groupby == null) { groups.push(data.slice()); } else { for (map = {}, i = 0, n = data.length; i < n; ++i) { t = data[i]; k = groupby.map(get); g = map[k]; if (!g) { map[k] = g = []; groups.push(g); } g.push(t); } } // compute sums of groups, sort groups as needed for (k = 0, max = 0, m = groups.length; k < m; ++k) { g = groups[k]; for (i = 0, s = 0, n = g.length; i < n; ++i) { s += Math.abs(field(g[i])); } g.sum = s; if (s > max) max = s; if (sort) g.sort(sort); } groups.max = max; return groups; } ;// CONCATENATED MODULE: ../node_modules/d3-geo/src/identity.js /* harmony default export */ const d3_geo_src_identity = (x => x); ;// CONCATENATED MODULE: ../node_modules/d3-geo/src/stream.js function streamGeometry(geometry, stream) { if (geometry && streamGeometryType.hasOwnProperty(geometry.type)) { streamGeometryType[geometry.type](geometry, stream); } } var streamObjectType = { Feature: function(object, stream) { streamGeometry(object.geometry, stream); }, FeatureCollection: function(object, stream) { var features = object.features, i = -1, n = features.length; while (++i < n) streamGeometry(features[i].geometry, stream); } }; var streamGeometryType = { Sphere: function(object, stream) { stream.sphere(); }, Point: function(object, stream) { object = object.coordinates; stream.point(object[0], object[1], object[2]); }, MultiPoint: function(object, stream) { var coordinates = object.coordinates, i = -1, n = coordinates.length; while (++i < n) object = coordinates[i], stream.point(object[0], object[1], object[2]); }, LineString: function(object, stream) { streamLine(object.coordinates, stream, 0); }, MultiLineString: function(object, stream) { var coordinates = object.coordinates, i = -1, n = coordinates.length; while (++i < n) streamLine(coordinates[i], stream, 0); }, Polygon: function(object, stream) { streamPolygon(object.coordinates, stream); }, MultiPolygon: function(object, stream) { var coordinates = object.coordinates, i = -1, n = coordinates.length; while (++i < n) streamPolygon(coordinates[i], stream); }, GeometryCollection: function(object, stream) { var geometries = object.geometries, i = -1, n = geometries.length; while (++i < n) streamGeometry(geometries[i], stream); } }; function streamLine(coordinates, stream, closed) { var i = -1, n = coordinates.length - closed, coordinate; stream.lineStart(); while (++i < n) coordinate = coordinates[i], stream.point(coordinate[0], coordinate[1], coordinate[2]); stream.lineEnd(); } function streamPolygon(coordinates, stream) { var i = -1, n = coordinates.length; stream.polygonStart(); while (++i < n) streamLine(coordinates[i], stream, 1); stream.polygonEnd(); } /* harmony default export */ function src_stream(object, stream) { if (object && streamObjectType.hasOwnProperty(object.type)) { streamObjectType[object.type](object, stream); } else { streamGeometry(object, stream); } } ;// CONCATENATED MODULE: ../node_modules/d3-array/src/fsum.js // https://github.com/python/cpython/blob/a74eea238f5baba15797e2e8b570d153bc8690a7/Modules/mathmodule.c#L1423 class Adder { constructor() { this._partials = new Float64Array(32); this._n = 0; } add(x) { const p = this._partials; let i = 0; for (let j = 0; j < this._n && j < 32; j++) { const y = p[j], hi = x + y, lo = Math.abs(x) < Math.abs(y) ? x - (hi - y) : y - (hi - x); if (lo) p[i++] = lo; x = hi; } p[i] = x; this._n = i + 1; return this; } valueOf() { const p = this._partials; let n = this._n, x, y, lo, hi = 0; if (n > 0) { hi = p[--n]; while (n > 0) { x = hi; y = p[--n]; hi = x + y; lo = y - (hi - x); if (lo) break; } if (n > 0 && ((lo < 0 && p[n - 1] < 0) || (lo > 0 && p[n - 1] > 0))) { y = lo * 2; x = hi + y; if (y == x - hi) hi = x; } } return hi; } } function fsum(values, valueof) { const adder = new Adder(); if (valueof === undefined) { for (let value of values) { if (value = +value) { adder.add(value); } } } else { let index = -1; for (let value of values) { if (value = +valueof(value, ++index, values)) { adder.add(value); } } } return +adder; } function fcumsum(values, valueof) { const adder = new Adder(); let index = -1; return Float64Array.from(values, valueof === undefined ? v => adder.add(+v || 0) : v => adder.add(+valueof(v, ++index, values) || 0) ); } ;// CONCATENATED MODULE: ../node_modules/d3-geo/src/math.js var math_epsilon = 1e-6; var epsilon2 = 1e-12; var pi = Math.PI; var halfPi = pi / 2; var quarterPi = pi / 4; var tau = pi * 2; var math_degrees = 180 / pi; var math_radians = pi / 180; var abs = Math.abs; var atan = Math.atan; var atan2 = Math.atan2; var cos = Math.cos; var ceil = Math.ceil; var math_exp = Math.exp; var math_floor = Math.floor; var hypot = Math.hypot; var math_log = Math.log; var math_pow = Math.pow; var sin = Math.sin; var sign = Math.sign || function(x) { return x > 0 ? 1 : x < 0 ? -1 : 0; }; var math_sqrt = Math.sqrt; var tan = Math.tan; function acos(x) { return x > 1 ? 0 : x < -1 ? pi : Math.acos(x); } function asin(x) { return x > 1 ? halfPi : x < -1 ? -halfPi : Math.asin(x); } function haversin(x) { return (x = sin(x / 2)) * x; } ;// CONCATENATED MODULE: ../node_modules/d3-geo/src/noop.js function noop_noop() {} ;// CONCATENATED MODULE: ../node_modules/d3-geo/src/path/area.js var areaSum = new Adder(), areaRingSum = new Adder(), x00, y00, x0, y0; var areaStream = { point: noop_noop, lineStart: noop_noop, lineEnd: noop_noop, polygonStart: function() { areaStream.lineStart = areaRingStart; areaStream.lineEnd = areaRingEnd; }, polygonEnd: function() { areaStream.lineStart = areaStream.lineEnd = areaStream.point = noop_noop; areaSum.add(abs(areaRingSum)); areaRingSum = new Adder(); }, result: function() { var area = areaSum / 2; areaSum = new Adder(); return area; } }; function areaRingStart() { areaStream.point = areaPointFirst; } function areaPointFirst(x, y) { areaStream.point = areaPoint; x00 = x0 = x, y00 = y0 = y; } function areaPoint(x, y) { areaRingSum.add(y0 * x - x0 * y); x0 = x, y0 = y; } function areaRingEnd() { areaPoint(x00, y00); } /* harmony default export */ const path_area = (areaStream); ;// CONCATENATED MODULE: ../node_modules/d3-geo/src/path/bounds.js var bounds_x0 = Infinity, bounds_y0 = bounds_x0, x1 = -bounds_x0, y1 = x1; var boundsStream = { point: boundsPoint, lineStart: noop_noop, lineEnd: noop_noop, polygonStart: noop_noop, polygonEnd: noop_noop, result: function() { var bounds = [[bounds_x0, bounds_y0], [x1, y1]]; x1 = y1 = -(bounds_y0 = bounds_x0 = Infinity); return bounds; } }; function boundsPoint(x, y) { if (x < bounds_x0) bounds_x0 = x; if (x > x1) x1 = x; if (y < bounds_y0) bounds_y0 = y; if (y > y1) y1 = y; } /* harmony default export */ const path_bounds = (boundsStream); ;// CONCATENATED MODULE: ../node_modules/d3-geo/src/path/centroid.js // TODO Enforce positive area for exterior, negative area for interior? var X0 = 0, Y0 = 0, Z0 = 0, X1 = 0, Y1 = 0, Z1 = 0, X2 = 0, Y2 = 0, Z2 = 0, centroid_x00, centroid_y00, centroid_x0, centroid_y0; var centroidStream = { point: centroidPoint, lineStart: centroidLineStart, lineEnd: centroidLineEnd, polygonStart: function() { centroidStream.lineStart = centroidRingStart; centroidStream.lineEnd = centroidRingEnd; }, polygonEnd: function() { centroidStream.point = centroidPoint; centroidStream.lineStart = centroidLineStart; centroidStream.lineEnd = centroidLineEnd; }, result: function() { var centroid = Z2 ? [X2 / Z2, Y2 / Z2] : Z1 ? [X1 / Z1, Y1 / Z1] : Z0 ? [X0 / Z0, Y0 / Z0] : [NaN, NaN]; X0 = Y0 = Z0 = X1 = Y1 = Z1 = X2 = Y2 = Z2 = 0; return centroid; } }; function centroidPoint(x, y) { X0 += x; Y0 += y; ++Z0; } function centroidLineStart() { centroidStream.point = centroidPointFirstLine; } function centroidPointFirstLine(x, y) { centroidStream.point = centroidPointLine; centroidPoint(centroid_x0 = x, centroid_y0 = y); } function centroidPointLine(x, y) { var dx = x - centroid_x0, dy = y - centroid_y0, z = math_sqrt(dx * dx + dy * dy); X1 += z * (centroid_x0 + x) / 2; Y1 += z * (centroid_y0 + y) / 2; Z1 += z; centroidPoint(centroid_x0 = x, centroid_y0 = y); } function centroidLineEnd() { centroidStream.point = centroidPoint; } function centroidRingStart() { centroidStream.point = centroidPointFirstRing; } function centroidRingEnd() { centroidPointRing(centroid_x00, centroid_y00); } function centroidPointFirstRing(x, y) { centroidStream.point = centroidPointRing; centroidPoint(centroid_x00 = centroid_x0 = x, centroid_y00 = centroid_y0 = y); } function centroidPointRing(x, y) { var dx = x - centroid_x0, dy = y - centroid_y0, z = math_sqrt(dx * dx + dy * dy); X1 += z * (centroid_x0 + x) / 2; Y1 += z * (centroid_y0 + y) / 2; Z1 += z; z = centroid_y0 * x - centroid_x0 * y; X2 += z * (centroid_x0 + x); Y2 += z * (centroid_y0 + y); Z2 += z * 3; centroidPoint(centroid_x0 = x, centroid_y0 = y); } /* harmony default export */ const centroid = (centroidStream); ;// CONCATENATED MODULE: ../node_modules/d3-geo/src/path/context.js function PathContext(context) { this._context = context; } PathContext.prototype = { _radius: 4.5, pointRadius: function(_) { return this._radius = _, this; }, polygonStart: function() { this._line = 0; }, polygonEnd: function() { this._line = NaN; }, lineStart: function() { this._point = 0; }, lineEnd: function() { if (this._line === 0) this._context.closePath(); this._point = NaN; }, point: function(x, y) { switch (this._point) { case 0: { this._context.moveTo(x, y); this._point = 1; break; } case 1: { this._context.lineTo(x, y); break; } default: { this._context.moveTo(x + this._radius, y); this._context.arc(x, y, this._radius, 0, tau); break; } } }, result: noop_noop }; ;// CONCATENATED MODULE: ../node_modules/d3-geo/src/path/measure.js var lengthSum = new Adder(), lengthRing, measure_x00, measure_y00, measure_x0, measure_y0; var lengthStream = { point: noop_noop, lineStart: function() { lengthStream.point = lengthPointFirst; }, lineEnd: function() { if (lengthRing) lengthPoint(measure_x00, measure_y00); lengthStream.point = noop_noop; }, polygonStart: function() { lengthRing = true; }, polygonEnd: function() { lengthRing = null; }, result: function() { var length = +lengthSum; lengthSum = new Adder(); return length; } }; function lengthPointFirst(x, y) { lengthStream.point = lengthPoint; measure_x00 = measure_x0 = x, measure_y00 = measure_y0 = y; } function lengthPoint(x, y) { measure_x0 -= x, measure_y0 -= y; lengthSum.add(math_sqrt(measure_x0 * measure_x0 + measure_y0 * measure_y0)); measure_x0 = x, measure_y0 = y; } /* harmony default export */ const path_measure = (lengthStream); ;// CONCATENATED MODULE: ../node_modules/d3-geo/src/path/string.js // Simple caching for constant-radius points. let cacheDigits, cacheAppend, cacheRadius, cacheCircle; class PathString { constructor(digits) { this._append = digits == null ? append : appendRound(digits); this._radius = 4.5; this._ = ""; } pointRadius(_) { this._radius = +_; return this; } polygonStart() { this._line = 0; } polygonEnd() { this._line = NaN; } lineStart() { this._point = 0; } lineEnd() { if (this._line === 0) this._ += "Z"; this._point = NaN; } point(x, y) { switch (this._point) { case 0: { this._append`M${x},${y}`; this._point = 1; break; } case 1: { this._append`L${x},${y}`; break; } default: { this._append`M${x},${y}`; if (this._radius !== cacheRadius || this._append !== cacheAppend) { const r = this._radius; const s = this._; this._ = ""; // stash the old string so we can cache the circle path fragment this._append`m0,${r}a${r},${r} 0 1,1 0,${-2 * r}a${r},${r} 0 1,1 0,${2 * r}z`; cacheRadius = r; cacheAppend = this._append; cacheCircle = this._; this._ = s; } this._ += cacheCircle; break; } } } result() { const result = this._; this._ = ""; return result.length ? result : null; } } function append(strings) { let i = 1; this._ += strings[0]; for (const j = strings.length; i < j; ++i) { this._ += arguments[i] + strings[i]; } } function appendRound(digits) { const d = Math.floor(digits); if (!(d >= 0)) throw new RangeError(`invalid digits: ${digits}`); if (d > 15) return append; if (d !== cacheDigits) { const k = 10 ** d; cacheDigits = d; cacheAppend = function append(strings) { let i = 1; this._ += strings[0]; for (const j = strings.length; i < j; ++i) { this._ += Math.round(arguments[i] * k) / k + strings[i]; } }; } return cacheAppend; } ;// CONCATENATED MODULE: ../node_modules/d3-geo/src/path/index.js /* harmony default export */ function d3_geo_src_path(projection, context) { let digits = 3, pointRadius = 4.5, projectionStream, contextStream; function path(object) { if (object) { if (typeof pointRadius === "function") contextStream.pointRadius(+pointRadius.apply(this, arguments)); src_stream(object, projectionStream(contextStream)); } return contextStream.result(); } path.area = function(object) { src_stream(object, projectionStream(path_area)); return path_area.result(); }; path.measure = function(object) { src_stream(object, projectionStream(path_measure)); return path_measure.result(); }; path.bounds = function(object) { src_stream(object, projectionStream(path_bounds)); return path_bounds.result(); }; path.centroid = function(object) { src_stream(object, projectionStream(centroid)); return centroid.result(); }; path.projection = function(_) { if (!arguments.length) return projection; projectionStream = _ == null ? (projection = null, d3_geo_src_identity) : (projection = _).stream; return path; }; path.context = function(_) { if (!arguments.length) return context; contextStream = _ == null ? (context = null, new PathString(digits)) : new PathContext(context = _); if (typeof pointRadius !== "function") contextStream.pointRadius(pointRadius); return path; }; path.pointRadius = function(_) { if (!arguments.length) return pointRadius; pointRadius = typeof _ === "function" ? _ : (contextStream.pointRadius(+_), +_); return path; }; path.digits = function(_) { if (!arguments.length) return digits; if (_ == null) digits = null; else { const d = Math.floor(_); if (!(d >= 0)) throw new RangeError(`invalid digits: ${_}`); digits = d; } if (context === null) contextStream = new PathString(digits); return path; }; return path.projection(projection).digits(digits).context(context); } ;// CONCATENATED MODULE: ../node_modules/d3-geo/src/clip/buffer.js /* harmony default export */ function buffer() { var lines = [], line; return { point: function(x, y, m) { line.push([x, y, m]); }, lineStart: function() { lines.push(line = []); }, lineEnd: noop_noop, rejoin: function() { if (lines.length > 1) lines.push(lines.pop().concat(lines.shift())); }, result: function() { var result = lines; lines = []; line = null; return result; } }; } ;// CONCATENATED MODULE: ../node_modules/d3-geo/src/pointEqual.js /* harmony default export */ function pointEqual(a, b) { return abs(a[0] - b[0]) < math_epsilon && abs(a[1] - b[1]) < math_epsilon; } ;// CONCATENATED MODULE: ../node_modules/d3-geo/src/clip/rejoin.js function Intersection(point, points, other, entry) { this.x = point; this.z = points; this.o = other; // another intersection this.e = entry; // is an entry? this.v = false; // visited this.n = this.p = null; // next & previous } // A generalized polygon clipping algorithm: given a polygon that has been cut // into its visible line segments, and rejoins the segments by interpolating // along the clip edge. /* harmony default export */ function rejoin(segments, compareIntersection, startInside, interpolate, stream) { var subject = [], clip = [], i, n; segments.forEach(function(segment) { if ((n = segment.length - 1) <= 0) return; var n, p0 = segment[0], p1 = segment[n], x; if (pointEqual(p0, p1)) { if (!p0[2] && !p1[2]) { stream.lineStart(); for (i = 0; i < n; ++i) stream.point((p0 = segment[i])[0], p0[1]); stream.lineEnd(); return; } // handle degenerate cases by moving the point p1[0] += 2 * math_epsilon; } subject.push(x = new Intersection(p0, segment, null, true)); clip.push(x.o = new Intersection(p0, null, x, false)); subject.push(x = new Intersection(p1, segment, null, false)); clip.push(x.o = new Intersection(p1, null, x, true)); }); if (!subject.length) return; clip.sort(compareIntersection); rejoin_link(subject); rejoin_link(clip); for (i = 0, n = clip.length; i < n; ++i) { clip[i].e = startInside = !startInside; } var start = subject[0], points, point; while (1) { // Find first unvisited intersection. var current = start, isSubject = true; while (current.v) if ((current = current.n) === start) return; points = current.z; stream.lineStart(); do { current.v = current.o.v = true; if (current.e) { if (isSubject) { for (i = 0, n = points.length; i < n; ++i) stream.point((point = points[i])[0], point[1]); } else { interpolate(current.x, current.n.x, 1, stream); } current = current.n; } else { if (isSubject) { points = current.p.z; for (i = points.length - 1; i >= 0; --i) stream.point((point = points[i])[0], point[1]); } else { interpolate(current.x, current.p.x, -1, stream); } current = current.p; } current = current.o; points = current.z; isSubject = !isSubject; } while (!current.v); stream.lineEnd(); } } function rejoin_link(array) { if (!(n = array.length)) return; var n, i = 0, a = array[0], b; while (++i < n) { a.n = b = array[i]; b.p = a; a = b; } a.n = b = array[0]; b.p = a; } ;// CONCATENATED MODULE: ../node_modules/d3-geo/src/cartesian.js function spherical(cartesian) { return [atan2(cartesian[1], cartesian[0]), asin(cartesian[2])]; } function cartesian(spherical) { var lambda = spherical[0], phi = spherical[1], cosPhi = cos(phi); return [cosPhi * cos(lambda), cosPhi * sin(lambda), sin(phi)]; } function cartesianDot(a, b) { return a[0] * b[0] + a[1] * b[1] + a[2] * b[2]; } function cartesianCross(a, b) { return [a[1] * b[2] - a[2] * b[1], a[2] * b[0] - a[0] * b[2], a[0] * b[1] - a[1] * b[0]]; } // TODO return a function cartesianAddInPlace(a, b) { a[0] += b[0], a[1] += b[1], a[2] += b[2]; } function cartesianScale(vector, k) { return [vector[0] * k, vector[1] * k, vector[2] * k]; } // TODO return d function cartesianNormalizeInPlace(d) { var l = math_sqrt(d[0] * d[0] + d[1] * d[1] + d[2] * d[2]); d[0] /= l, d[1] /= l, d[2] /= l; } ;// CONCATENATED MODULE: ../node_modules/d3-geo/src/polygonContains.js function longitude(point) { return abs(point[0]) <= pi ? point[0] : sign(point[0]) * ((abs(point[0]) + pi) % tau - pi); } /* harmony default export */ function polygonContains(polygon, point) { var lambda = longitude(point), phi = point[1], sinPhi = sin(phi), normal = [sin(lambda), -cos(lambda), 0], angle = 0, winding = 0; var sum = new Adder(); if (sinPhi === 1) phi = halfPi + math_epsilon; else if (sinPhi === -1) phi = -halfPi - math_epsilon; for (var i = 0, n = polygon.length; i < n; ++i) { if (!(m = (ring = polygon[i]).length)) continue; var ring, m, point0 = ring[m - 1], lambda0 = longitude(point0), phi0 = point0[1] / 2 + quarterPi, sinPhi0 = sin(phi0), cosPhi0 = cos(phi0); for (var j = 0; j < m; ++j, lambda0 = lambda1, sinPhi0 = sinPhi1, cosPhi0 = cosPhi1, point0 = point1) { var point1 = ring[j], lambda1 = longitude(point1), phi1 = point1[1] / 2 + quarterPi, sinPhi1 = sin(phi1), cosPhi1 = cos(phi1), delta = lambda1 - lambda0, sign = delta >= 0 ? 1 : -1, absDelta = sign * delta, antimeridian = absDelta > pi, k = sinPhi0 * sinPhi1; sum.add(atan2(k * sign * sin(absDelta), cosPhi0 * cosPhi1 + k * cos(absDelta))); angle += antimeridian ? delta + sign * tau : delta; // Are the longitudes either side of the point’s meridian (lambda), // and are the latitudes smaller than the parallel (phi)? if (antimeridian ^ lambda0 >= lambda ^ lambda1 >= lambda) { var arc = cartesianCross(cartesian(point0), cartesian(point1)); cartesianNormalizeInPlace(arc); var intersection = cartesianCross(normal, arc); cartesianNormalizeInPlace(intersection); var phiArc = (antimeridian ^ delta >= 0 ? -1 : 1) * asin(intersection[2]); if (phi > phiArc || phi === phiArc && (arc[0] || arc[1])) { winding += antimeridian ^ delta >= 0 ? 1 : -1; } } } } // First, determine whether the South pole is inside or outside: // // It is inside if: // * the polygon winds around it in a clockwise direction. // * the polygon does not (cumulatively) wind around it, but has a negative // (counter-clockwise) area. // // Second, count the (signed) number of times a segment crosses a lambda // from the point to the South pole. If it is zero, then the point is the // same side as the South pole. return (angle < -math_epsilon || angle < math_epsilon && sum < -epsilon2) ^ (winding & 1); } ;// CONCATENATED MODULE: ../node_modules/d3-array/src/merge.js function* flatten(arrays) { for (const array of arrays) { yield* array; } } function merge_merge(arrays) { return Array.from(flatten(arrays)); } ;// CONCATENATED MODULE: ../node_modules/d3-geo/src/clip/index.js /* harmony default export */ function src_clip(pointVisible, clipLine, interpolate, start) { return function(sink) { var line = clipLine(sink), ringBuffer = buffer(), ringSink = clipLine(ringBuffer), polygonStarted = false, polygon, segments, ring; var clip = { point: point, lineStart: lineStart, lineEnd: lineEnd, polygonStart: function() { clip.point = pointRing; clip.lineStart = ringStart; clip.lineEnd = ringEnd; segments = []; polygon = []; }, polygonEnd: function() { clip.point = point; clip.lineStart = lineStart; clip.lineEnd = lineEnd; segments = merge_merge(segments); var startInside = polygonContains(polygon, start); if (segments.length) { if (!polygonStarted) sink.polygonStart(), polygonStarted = true; rejoin(segments, compareIntersection, startInside, interpolate, sink); } else if (startInside) { if (!polygonStarted) sink.polygonStart(), polygonStarted = true; sink.lineStart(); interpolate(null, null, 1, sink); sink.lineEnd(); } if (polygonStarted) sink.polygonEnd(), polygonStarted = false; segments = polygon = null; }, sphere: function() { sink.polygonStart(); sink.lineStart(); interpolate(null, null, 1, sink); sink.lineEnd(); sink.polygonEnd(); } }; function point(lambda, phi) { if (pointVisible(lambda, phi)) sink.point(lambda, phi); } function pointLine(lambda, phi) { line.point(lambda, phi); } function lineStart() { clip.point = pointLine; line.lineStart(); } function lineEnd() { clip.point = point; line.lineEnd(); } function pointRing(lambda, phi) { ring.push([lambda, phi]); ringSink.point(lambda, phi); } function ringStart() { ringSink.lineStart(); ring = []; } function ringEnd() { pointRing(ring[0][0], ring[0][1]); ringSink.lineEnd(); var clean = ringSink.clean(), ringSegments = ringBuffer.result(), i, n = ringSegments.length, m, segment, point; ring.pop(); polygon.push(ring); ring = null; if (!n) return; // No intersections. if (clean & 1) { segment = ringSegments[0]; if ((m = segment.length - 1) > 0) { if (!polygonStarted) sink.polygonStart(), polygonStarted = true; sink.lineStart(); for (i = 0; i < m; ++i) sink.point((point = segment[i])[0], point[1]); sink.lineEnd(); } return; } // Rejoin connected segments. // TODO reuse ringBuffer.rejoin()? if (n > 1 && clean & 2) ringSegments.push(ringSegments.pop().concat(ringSegments.shift())); segments.push(ringSegments.filter(validSegment)); } return clip; }; } function validSegment(segment) { return segment.length > 1; } // Intersections are sorted along the clip edge. For both antimeridian cutting // and circle clipping, the same comparison is used. function compareIntersection(a, b) { return ((a = a.x)[0] < 0 ? a[1] - halfPi - math_epsilon : halfPi - a[1]) - ((b = b.x)[0] < 0 ? b[1] - halfPi - math_epsilon : halfPi - b[1]); } ;// CONCATENATED MODULE: ../node_modules/d3-geo/src/clip/antimeridian.js /* harmony default export */ const antimeridian = (src_clip( function() { return true; }, clipAntimeridianLine, clipAntimeridianInterpolate, [-pi, -halfPi] )); // Takes a line and cuts into visible segments. Return values: 0 - there were // intersections or the line was empty; 1 - no intersections; 2 - there were // intersections, and the first and last segments should be rejoined. function clipAntimeridianLine(stream) { var lambda0 = NaN, phi0 = NaN, sign0 = NaN, clean; // no intersections return { lineStart: function() { stream.lineStart(); clean = 1; }, point: function(lambda1, phi1) { var sign1 = lambda1 > 0 ? pi : -pi, delta = abs(lambda1 - lambda0); if (abs(delta - pi) < math_epsilon) { // line crosses a pole stream.point(lambda0, phi0 = (phi0 + phi1) / 2 > 0 ? halfPi : -halfPi); stream.point(sign0, phi0); stream.lineEnd(); stream.lineStart(); stream.point(sign1, phi0); stream.point(lambda1, phi0); clean = 0; } else if (sign0 !== sign1 && delta >= pi) { // line crosses antimeridian if (abs(lambda0 - sign0) < math_epsilon) lambda0 -= sign0 * math_epsilon; // handle degeneracies if (abs(lambda1 - sign1) < math_epsilon) lambda1 -= sign1 * math_epsilon; phi0 = clipAntimeridianIntersect(lambda0, phi0, lambda1, phi1); stream.point(sign0, phi0); stream.lineEnd(); stream.lineStart(); stream.point(sign1, phi0); clean = 0; } stream.point(lambda0 = lambda1, phi0 = phi1); sign0 = sign1; }, lineEnd: function() { stream.lineEnd(); lambda0 = phi0 = NaN; }, clean: function() { return 2 - clean; // if intersections, rejoin first and last segments } }; } function clipAntimeridianIntersect(lambda0, phi0, lambda1, phi1) { var cosPhi0, cosPhi1, sinLambda0Lambda1 = sin(lambda0 - lambda1); return abs(sinLambda0Lambda1) > math_epsilon ? atan((sin(phi0) * (cosPhi1 = cos(phi1)) * sin(lambda1) - sin(phi1) * (cosPhi0 = cos(phi0)) * sin(lambda0)) / (cosPhi0 * cosPhi1 * sinLambda0Lambda1)) : (phi0 + phi1) / 2; } function clipAntimeridianInterpolate(from, to, direction, stream) { var phi; if (from == null) { phi = direction * halfPi; stream.point(-pi, phi); stream.point(0, phi); stream.point(pi, phi); stream.point(pi, 0); stream.point(pi, -phi); stream.point(0, -phi); stream.point(-pi, -phi); stream.point(-pi, 0); stream.point(-pi, phi); } else if (abs(from[0] - to[0]) > math_epsilon) { var lambda = from[0] < to[0] ? pi : -pi; phi = direction * lambda / 2; stream.point(-lambda, phi); stream.point(0, phi); stream.point(lambda, phi); } else { stream.point(to[0], to[1]); } } ;// CONCATENATED MODULE: ../node_modules/d3-geo/src/circle.js // Generates a circle centered at [0°, 0°], with a given radius and precision. function circleStream(stream, radius, delta, direction, t0, t1) { if (!delta) return; var cosRadius = cos(radius), sinRadius = sin(radius), step = direction * delta; if (t0 == null) { t0 = radius + direction * tau; t1 = radius - step / 2; } else { t0 = circleRadius(cosRadius, t0); t1 = circleRadius(cosRadius, t1); if (direction > 0 ? t0 < t1 : t0 > t1) t0 += direction * tau; } for (var point, t = t0; direction > 0 ? t > t1 : t < t1; t -= step) { point = spherical([cosRadius, -sinRadius * cos(t), -sinRadius * sin(t)]); stream.point(point[0], point[1]); } } // Returns the signed angle of a cartesian point relative to [cosRadius, 0, 0]. function circleRadius(cosRadius, point) { point = cartesian(point), point[0] -= cosRadius; cartesianNormalizeInPlace(point); var radius = acos(-point[1]); return ((-point[2] < 0 ? -radius : radius) + tau - math_epsilon) % tau; } /* harmony default export */ function src_circle() { var center = constant([0, 0]), radius = constant(90), precision = constant(6), ring, rotate, stream = {point: point}; function point(x, y) { ring.push(x = rotate(x, y)); x[0] *= degrees, x[1] *= degrees; } function circle() { var c = center.apply(this, arguments), r = radius.apply(this, arguments) * radians, p = precision.apply(this, arguments) * radians; ring = []; rotate = rotateRadians(-c[0] * radians, -c[1] * radians, 0).invert; circleStream(stream, r, p, 1); c = {type: "Polygon", coordinates: [ring]}; ring = rotate = null; return c; } circle.center = function(_) { return arguments.length ? (center = typeof _ === "function" ? _ : constant([+_[0], +_[1]]), circle) : center; }; circle.radius = function(_) { return arguments.length ? (radius = typeof _ === "function" ? _ : constant(+_), circle) : radius; }; circle.precision = function(_) { return arguments.length ? (precision = typeof _ === "function" ? _ : constant(+_), circle) : precision; }; return circle; } ;// CONCATENATED MODULE: ../node_modules/d3-geo/src/clip/circle.js /* harmony default export */ function clip_circle(radius) { var cr = cos(radius), delta = 6 * math_radians, smallRadius = cr > 0, notHemisphere = abs(cr) > math_epsilon; // TODO optimise for this common case function interpolate(from, to, direction, stream) { circleStream(stream, radius, delta, direction, from, to); } function visible(lambda, phi) { return cos(lambda) * cos(phi) > cr; } // Takes a line and cuts into visible segments. Return values used for polygon // clipping: 0 - there were intersections or the line was empty; 1 - no // intersections 2 - there were intersections, and the first and last segments // should be rejoined. function clipLine(stream) { var point0, // previous point c0, // code for previous point v0, // visibility of previous point v00, // visibility of first point clean; // no intersections return { lineStart: function() { v00 = v0 = false; clean = 1; }, point: function(lambda, phi) { var point1 = [lambda, phi], point2, v = visible(lambda, phi), c = smallRadius ? v ? 0 : code(lambda, phi) : v ? code(lambda + (lambda < 0 ? pi : -pi), phi) : 0; if (!point0 && (v00 = v0 = v)) stream.lineStart(); if (v !== v0) { point2 = intersect(point0, point1); if (!point2 || pointEqual(point0, point2) || pointEqual(point1, point2)) point1[2] = 1; } if (v !== v0) { clean = 0; if (v) { // outside going in stream.lineStart(); point2 = intersect(point1, point0); stream.point(point2[0], point2[1]); } else { // inside going out point2 = intersect(point0, point1); stream.point(point2[0], point2[1], 2); stream.lineEnd(); } point0 = point2; } else if (notHemisphere && point0 && smallRadius ^ v) { var t; // If the codes for two points are different, or are both zero, // and there this segment intersects with the small circle. if (!(c & c0) && (t = intersect(point1, point0, true))) { clean = 0; if (smallRadius) { stream.lineStart(); stream.point(t[0][0], t[0][1]); stream.point(t[1][0], t[1][1]); stream.lineEnd(); } else { stream.point(t[1][0], t[1][1]); stream.lineEnd(); stream.lineStart(); stream.point(t[0][0], t[0][1], 3); } } } if (v && (!point0 || !pointEqual(point0, point1))) { stream.point(point1[0], point1[1]); } point0 = point1, v0 = v, c0 = c; }, lineEnd: function() { if (v0) stream.lineEnd(); point0 = null; }, // Rejoin first and last segments if there were intersections and the first // and last points were visible. clean: function() { return clean | ((v00 && v0) << 1); } }; } // Intersects the great circle between a and b with the clip circle. function intersect(a, b, two) { var pa = cartesian(a), pb = cartesian(b); // We have two planes, n1.p = d1 and n2.p = d2. // Find intersection line p(t) = c1 n1 + c2 n2 + t (n1 ⨯ n2). var n1 = [1, 0, 0], // normal n2 = cartesianCross(pa, pb), n2n2 = cartesianDot(n2, n2), n1n2 = n2[0], // cartesianDot(n1, n2), determinant = n2n2 - n1n2 * n1n2; // Two polar points. if (!determinant) return !two && a; var c1 = cr * n2n2 / determinant, c2 = -cr * n1n2 / determinant, n1xn2 = cartesianCross(n1, n2), A = cartesianScale(n1, c1), B = cartesianScale(n2, c2); cartesianAddInPlace(A, B); // Solve |p(t)|^2 = 1. var u = n1xn2, w = cartesianDot(A, u), uu = cartesianDot(u, u), t2 = w * w - uu * (cartesianDot(A, A) - 1); if (t2 < 0) return; var t = math_sqrt(t2), q = cartesianScale(u, (-w - t) / uu); cartesianAddInPlace(q, A); q = spherical(q); if (!two) return q; // Two intersection points. var lambda0 = a[0], lambda1 = b[0], phi0 = a[1], phi1 = b[1], z; if (lambda1 < lambda0) z = lambda0, lambda0 = lambda1, lambda1 = z; var delta = lambda1 - lambda0, polar = abs(delta - pi) < math_epsilon, meridian = polar || delta < math_epsilon; if (!polar && phi1 < phi0) z = phi0, phi0 = phi1, phi1 = z; // Check that the first point is between a and b. if (meridian ? polar ? phi0 + phi1 > 0 ^ q[1] < (abs(q[0] - lambda0) < math_epsilon ? phi0 : phi1) : phi0 <= q[1] && q[1] <= phi1 : delta > pi ^ (lambda0 <= q[0] && q[0] <= lambda1)) { var q1 = cartesianScale(u, (-w + t) / uu); cartesianAddInPlace(q1, A); return [q, spherical(q1)]; } } // Generates a 4-bit vector representing the location of a point relative to // the small circle's bounding box. function code(lambda, phi) { var r = smallRadius ? radius : pi - radius, code = 0; if (lambda < -r) code |= 1; // left else if (lambda > r) code |= 2; // right if (phi < -r) code |= 4; // below else if (phi > r) code |= 8; // above return code; } return src_clip(visible, clipLine, interpolate, smallRadius ? [0, -radius] : [-pi, radius - pi]); } ;// CONCATENATED MODULE: ../node_modules/d3-geo/src/clip/line.js /* harmony default export */ function clip_line(a, b, x0, y0, x1, y1) { var ax = a[0], ay = a[1], bx = b[0], by = b[1], t0 = 0, t1 = 1, dx = bx - ax, dy = by - ay, r; r = x0 - ax; if (!dx && r > 0) return; r /= dx; if (dx < 0) { if (r < t0) return; if (r < t1) t1 = r; } else if (dx > 0) { if (r > t1) return; if (r > t0) t0 = r; } r = x1 - ax; if (!dx && r < 0) return; r /= dx; if (dx < 0) { if (r > t1) return; if (r > t0) t0 = r; } else if (dx > 0) { if (r < t0) return; if (r < t1) t1 = r; } r = y0 - ay; if (!dy && r > 0) return; r /= dy; if (dy < 0) { if (r < t0) return; if (r < t1) t1 = r; } else if (dy > 0) { if (r > t1) return; if (r > t0) t0 = r; } r = y1 - ay; if (!dy && r < 0) return; r /= dy; if (dy < 0) { if (r > t1) return; if (r > t0) t0 = r; } else if (dy > 0) { if (r < t0) return; if (r < t1) t1 = r; } if (t0 > 0) a[0] = ax + t0 * dx, a[1] = ay + t0 * dy; if (t1 < 1) b[0] = ax + t1 * dx, b[1] = ay + t1 * dy; return true; } ;// CONCATENATED MODULE: ../node_modules/d3-geo/src/clip/rectangle.js var clipMax = 1e9, clipMin = -clipMax; // TODO Use d3-polygon’s polygonContains here for the ring check? // TODO Eliminate duplicate buffering in clipBuffer and polygon.push? function clipRectangle(x0, y0, x1, y1) { function visible(x, y) { return x0 <= x && x <= x1 && y0 <= y && y <= y1; } function interpolate(from, to, direction, stream) { var a = 0, a1 = 0; if (from == null || (a = corner(from, direction)) !== (a1 = corner(to, direction)) || comparePoint(from, to) < 0 ^ direction > 0) { do stream.point(a === 0 || a === 3 ? x0 : x1, a > 1 ? y1 : y0); while ((a = (a + direction + 4) % 4) !== a1); } else { stream.point(to[0], to[1]); } } function corner(p, direction) { return abs(p[0] - x0) < math_epsilon ? direction > 0 ? 0 : 3 : abs(p[0] - x1) < math_epsilon ? direction > 0 ? 2 : 1 : abs(p[1] - y0) < math_epsilon ? direction > 0 ? 1 : 0 : direction > 0 ? 3 : 2; // abs(p[1] - y1) < epsilon } function compareIntersection(a, b) { return comparePoint(a.x, b.x); } function comparePoint(a, b) { var ca = corner(a, 1), cb = corner(b, 1); return ca !== cb ? ca - cb : ca === 0 ? b[1] - a[1] : ca === 1 ? a[0] - b[0] : ca === 2 ? a[1] - b[1] : b[0] - a[0]; } return function(stream) { var activeStream = stream, bufferStream = buffer(), segments, polygon, ring, x__, y__, v__, // first point x_, y_, v_, // previous point first, clean; var clipStream = { point: point, lineStart: lineStart, lineEnd: lineEnd, polygonStart: polygonStart, polygonEnd: polygonEnd }; function point(x, y) { if (visible(x, y)) activeStream.point(x, y); } function polygonInside() { var winding = 0; for (var i = 0, n = polygon.length; i < n; ++i) { for (var ring = polygon[i], j = 1, m = ring.length, point = ring[0], a0, a1, b0 = point[0], b1 = point[1]; j < m; ++j) { a0 = b0, a1 = b1, point = ring[j], b0 = point[0], b1 = point[1]; if (a1 <= y1) { if (b1 > y1 && (b0 - a0) * (y1 - a1) > (b1 - a1) * (x0 - a0)) ++winding; } else { if (b1 <= y1 && (b0 - a0) * (y1 - a1) < (b1 - a1) * (x0 - a0)) --winding; } } } return winding; } // Buffer geometry within a polygon and then clip it en masse. function polygonStart() { activeStream = bufferStream, segments = [], polygon = [], clean = true; } function polygonEnd() { var startInside = polygonInside(), cleanInside = clean && startInside, visible = (segments = merge_merge(segments)).length; if (cleanInside || visible) { stream.polygonStart(); if (cleanInside) { stream.lineStart(); interpolate(null, null, 1, stream); stream.lineEnd(); } if (visible) { rejoin(segments, compareIntersection, startInside, interpolate, stream); } stream.polygonEnd(); } activeStream = stream, segments = polygon = ring = null; } function lineStart() { clipStream.point = linePoint; if (polygon) polygon.push(ring = []); first = true; v_ = false; x_ = y_ = NaN; } // TODO rather than special-case polygons, simply handle them separately. // Ideally, coincident intersection points should be jittered to avoid // clipping issues. function lineEnd() { if (segments) { linePoint(x__, y__); if (v__ && v_) bufferStream.rejoin(); segments.push(bufferStream.result()); } clipStream.point = point; if (v_) activeStream.lineEnd(); } function linePoint(x, y) { var v = visible(x, y); if (polygon) ring.push([x, y]); if (first) { x__ = x, y__ = y, v__ = v; first = false; if (v) { activeStream.lineStart(); activeStream.point(x, y); } } else { if (v && v_) activeStream.point(x, y); else { var a = [x_ = Math.max(clipMin, Math.min(clipMax, x_)), y_ = Math.max(clipMin, Math.min(clipMax, y_))], b = [x = Math.max(clipMin, Math.min(clipMax, x)), y = Math.max(clipMin, Math.min(clipMax, y))]; if (clip_line(a, b, x0, y0, x1, y1)) { if (!v_) { activeStream.lineStart(); activeStream.point(a[0], a[1]); } activeStream.point(b[0], b[1]); if (!v) activeStream.lineEnd(); clean = false; } else if (v) { activeStream.lineStart(); activeStream.point(x, y); clean = false; } } } x_ = x, y_ = y, v_ = v; } return clipStream; }; } ;// CONCATENATED MODULE: ../node_modules/d3-geo/src/compose.js /* harmony default export */ function compose(a, b) { function compose(x, y) { return x = a(x, y), b(x[0], x[1]); } if (a.invert && b.invert) compose.invert = function(x, y) { return x = b.invert(x, y), x && a.invert(x[0], x[1]); }; return compose; } ;// CONCATENATED MODULE: ../node_modules/d3-geo/src/rotation.js function rotationIdentity(lambda, phi) { if (abs(lambda) > pi) lambda -= Math.round(lambda / tau) * tau; return [lambda, phi]; } rotationIdentity.invert = rotationIdentity; function rotation_rotateRadians(deltaLambda, deltaPhi, deltaGamma) { return (deltaLambda %= tau) ? (deltaPhi || deltaGamma ? compose(rotationLambda(deltaLambda), rotationPhiGamma(deltaPhi, deltaGamma)) : rotationLambda(deltaLambda)) : (deltaPhi || deltaGamma ? rotationPhiGamma(deltaPhi, deltaGamma) : rotationIdentity); } function forwardRotationLambda(deltaLambda) { return function(lambda, phi) { lambda += deltaLambda; if (abs(lambda) > pi) lambda -= Math.round(lambda / tau) * tau; return [lambda, phi]; }; } function rotationLambda(deltaLambda) { var rotation = forwardRotationLambda(deltaLambda); rotation.invert = forwardRotationLambda(-deltaLambda); return rotation; } function rotationPhiGamma(deltaPhi, deltaGamma) { var cosDeltaPhi = cos(deltaPhi), sinDeltaPhi = sin(deltaPhi), cosDeltaGamma = cos(deltaGamma), sinDeltaGamma = sin(deltaGamma); function rotation(lambda, phi) { var cosPhi = cos(phi), x = cos(lambda) * cosPhi, y = sin(lambda) * cosPhi, z = sin(phi), k = z * cosDeltaPhi + x * sinDeltaPhi; return [ atan2(y * cosDeltaGamma - k * sinDeltaGamma, x * cosDeltaPhi - z * sinDeltaPhi), asin(k * cosDeltaGamma + y * sinDeltaGamma) ]; } rotation.invert = function(lambda, phi) { var cosPhi = cos(phi), x = cos(lambda) * cosPhi, y = sin(lambda) * cosPhi, z = sin(phi), k = z * cosDeltaGamma - y * sinDeltaGamma; return [ atan2(y * cosDeltaGamma + z * sinDeltaGamma, x * cosDeltaPhi + k * sinDeltaPhi), asin(k * cosDeltaPhi - x * sinDeltaPhi) ]; }; return rotation; } /* harmony default export */ function rotation(rotate) { rotate = rotation_rotateRadians(rotate[0] * math_radians, rotate[1] * math_radians, rotate.length > 2 ? rotate[2] * math_radians : 0); function forward(coordinates) { coordinates = rotate(coordinates[0] * math_radians, coordinates[1] * math_radians); return coordinates[0] *= math_degrees, coordinates[1] *= math_degrees, coordinates; } forward.invert = function(coordinates) { coordinates = rotate.invert(coordinates[0] * math_radians, coordinates[1] * math_radians); return coordinates[0] *= math_degrees, coordinates[1] *= math_degrees, coordinates; }; return forward; } ;// CONCATENATED MODULE: ../node_modules/d3-geo/src/transform.js /* harmony default export */ function src_transform(methods) { return { stream: transform_transformer(methods) }; } function transform_transformer(methods) { return function(stream) { var s = new TransformStream; for (var key in methods) s[key] = methods[key]; s.stream = stream; return s; }; } function TransformStream() {} TransformStream.prototype = { constructor: TransformStream, point: function(x, y) { this.stream.point(x, y); }, sphere: function() { this.stream.sphere(); }, lineStart: function() { this.stream.lineStart(); }, lineEnd: function() { this.stream.lineEnd(); }, polygonStart: function() { this.stream.polygonStart(); }, polygonEnd: function() { this.stream.polygonEnd(); } }; ;// CONCATENATED MODULE: ../node_modules/d3-geo/src/projection/fit.js function fit(projection, fitBounds, object) { var clip = projection.clipExtent && projection.clipExtent(); projection.scale(150).translate([0, 0]); if (clip != null) projection.clipExtent(null); src_stream(object, projection.stream(path_bounds)); fitBounds(path_bounds.result()); if (clip != null) projection.clipExtent(clip); return projection; } function fitExtent(projection, extent, object) { return fit(projection, function(b) { var w = extent[1][0] - extent[0][0], h = extent[1][1] - extent[0][1], k = Math.min(w / (b[1][0] - b[0][0]), h / (b[1][1] - b[0][1])), x = +extent[0][0] + (w - k * (b[1][0] + b[0][0])) / 2, y = +extent[0][1] + (h - k * (b[1][1] + b[0][1])) / 2; projection.scale(150 * k).translate([x, y]); }, object); } function fitSize(projection, size, object) { return fitExtent(projection, [[0, 0], size], object); } function fitWidth(projection, width, object) { return fit(projection, function(b) { var w = +width, k = w / (b[1][0] - b[0][0]), x = (w - k * (b[1][0] + b[0][0])) / 2, y = -k * b[0][1]; projection.scale(150 * k).translate([x, y]); }, object); } function fitHeight(projection, height, object) { return fit(projection, function(b) { var h = +height, k = h / (b[1][1] - b[0][1]), x = -k * b[0][0], y = (h - k * (b[1][1] + b[0][1])) / 2; projection.scale(150 * k).translate([x, y]); }, object); } ;// CONCATENATED MODULE: ../node_modules/d3-geo/src/projection/resample.js var maxDepth = 16, // maximum depth of subdivision cosMinDistance = cos(30 * math_radians); // cos(minimum angular distance) /* harmony default export */ function resample(project, delta2) { return +delta2 ? resample_resample(project, delta2) : resampleNone(project); } function resampleNone(project) { return transform_transformer({ point: function(x, y) { x = project(x, y); this.stream.point(x[0], x[1]); } }); } function resample_resample(project, delta2) { function resampleLineTo(x0, y0, lambda0, a0, b0, c0, x1, y1, lambda1, a1, b1, c1, depth, stream) { var dx = x1 - x0, dy = y1 - y0, d2 = dx * dx + dy * dy; if (d2 > 4 * delta2 && depth--) { var a = a0 + a1, b = b0 + b1, c = c0 + c1, m = math_sqrt(a * a + b * b + c * c), phi2 = asin(c /= m), lambda2 = abs(abs(c) - 1) < math_epsilon || abs(lambda0 - lambda1) < math_epsilon ? (lambda0 + lambda1) / 2 : atan2(b, a), p = project(lambda2, phi2), x2 = p[0], y2 = p[1], dx2 = x2 - x0, dy2 = y2 - y0, dz = dy * dx2 - dx * dy2; if (dz * dz / d2 > delta2 // perpendicular projected distance || abs((dx * dx2 + dy * dy2) / d2 - 0.5) > 0.3 // midpoint close to an end || a0 * a1 + b0 * b1 + c0 * c1 < cosMinDistance) { // angular distance resampleLineTo(x0, y0, lambda0, a0, b0, c0, x2, y2, lambda2, a /= m, b /= m, c, depth, stream); stream.point(x2, y2); resampleLineTo(x2, y2, lambda2, a, b, c, x1, y1, lambda1, a1, b1, c1, depth, stream); } } } return function(stream) { var lambda00, x00, y00, a00, b00, c00, // first point lambda0, x0, y0, a0, b0, c0; // previous point var resampleStream = { point: point, lineStart: lineStart, lineEnd: lineEnd, polygonStart: function() { stream.polygonStart(); resampleStream.lineStart = ringStart; }, polygonEnd: function() { stream.polygonEnd(); resampleStream.lineStart = lineStart; } }; function point(x, y) { x = project(x, y); stream.point(x[0], x[1]); } function lineStart() { x0 = NaN; resampleStream.point = linePoint; stream.lineStart(); } function linePoint(lambda, phi) { var c = cartesian([lambda, phi]), p = project(lambda, phi); resampleLineTo(x0, y0, lambda0, a0, b0, c0, x0 = p[0], y0 = p[1], lambda0 = lambda, a0 = c[0], b0 = c[1], c0 = c[2], maxDepth, stream); stream.point(x0, y0); } function lineEnd() { resampleStream.point = point; stream.lineEnd(); } function ringStart() { lineStart(); resampleStream.point = ringPoint; resampleStream.lineEnd = ringEnd; } function ringPoint(lambda, phi) { linePoint(lambda00 = lambda, phi), x00 = x0, y00 = y0, a00 = a0, b00 = b0, c00 = c0; resampleStream.point = linePoint; } function ringEnd() { resampleLineTo(x0, y0, lambda0, a0, b0, c0, x00, y00, lambda00, a00, b00, c00, maxDepth, stream); resampleStream.lineEnd = lineEnd; lineEnd(); } return resampleStream; }; } ;// CONCATENATED MODULE: ../node_modules/d3-geo/src/projection/index.js var transformRadians = transform_transformer({ point: function(x, y) { this.stream.point(x * math_radians, y * math_radians); } }); function transformRotate(rotate) { return transform_transformer({ point: function(x, y) { var r = rotate(x, y); return this.stream.point(r[0], r[1]); } }); } function scaleTranslate(k, dx, dy, sx, sy) { function transform(x, y) { x *= sx; y *= sy; return [dx + k * x, dy - k * y]; } transform.invert = function(x, y) { return [(x - dx) / k * sx, (dy - y) / k * sy]; }; return transform; } function scaleTranslateRotate(k, dx, dy, sx, sy, alpha) { if (!alpha) return scaleTranslate(k, dx, dy, sx, sy); var cosAlpha = cos(alpha), sinAlpha = sin(alpha), a = cosAlpha * k, b = sinAlpha * k, ai = cosAlpha / k, bi = sinAlpha / k, ci = (sinAlpha * dy - cosAlpha * dx) / k, fi = (sinAlpha * dx + cosAlpha * dy) / k; function transform(x, y) { x *= sx; y *= sy; return [a * x - b * y + dx, dy - b * x - a * y]; } transform.invert = function(x, y) { return [sx * (ai * x - bi * y + ci), sy * (fi - bi * x - ai * y)]; }; return transform; } function projection(project) { return projectionMutator(function() { return project; })(); } function projectionMutator(projectAt) { var project, k = 150, // scale x = 480, y = 250, // translate lambda = 0, phi = 0, // center deltaLambda = 0, deltaPhi = 0, deltaGamma = 0, rotate, // pre-rotate alpha = 0, // post-rotate angle sx = 1, // reflectX sy = 1, // reflectX theta = null, preclip = antimeridian, // pre-clip angle x0 = null, y0, x1, y1, postclip = d3_geo_src_identity, // post-clip extent delta2 = 0.5, // precision projectResample, projectTransform, projectRotateTransform, cache, cacheStream; function projection(point) { return projectRotateTransform(point[0] * math_radians, point[1] * math_radians); } function invert(point) { point = projectRotateTransform.invert(point[0], point[1]); return point && [point[0] * math_degrees, point[1] * math_degrees]; } projection.stream = function(stream) { return cache && cacheStream === stream ? cache : cache = transformRadians(transformRotate(rotate)(preclip(projectResample(postclip(cacheStream = stream))))); }; projection.preclip = function(_) { return arguments.length ? (preclip = _, theta = undefined, reset()) : preclip; }; projection.postclip = function(_) { return arguments.length ? (postclip = _, x0 = y0 = x1 = y1 = null, reset()) : postclip; }; projection.clipAngle = function(_) { return arguments.length ? (preclip = +_ ? clip_circle(theta = _ * math_radians) : (theta = null, antimeridian), reset()) : theta * math_degrees; }; projection.clipExtent = function(_) { return arguments.length ? (postclip = _ == null ? (x0 = y0 = x1 = y1 = null, d3_geo_src_identity) : clipRectangle(x0 = +_[0][0], y0 = +_[0][1], x1 = +_[1][0], y1 = +_[1][1]), reset()) : x0 == null ? null : [[x0, y0], [x1, y1]]; }; projection.scale = function(_) { return arguments.length ? (k = +_, recenter()) : k; }; projection.translate = function(_) { return arguments.length ? (x = +_[0], y = +_[1], recenter()) : [x, y]; }; projection.center = function(_) { return arguments.length ? (lambda = _[0] % 360 * math_radians, phi = _[1] % 360 * math_radians, recenter()) : [lambda * math_degrees, phi * math_degrees]; }; projection.rotate = function(_) { return arguments.length ? (deltaLambda = _[0] % 360 * math_radians, deltaPhi = _[1] % 360 * math_radians, deltaGamma = _.length > 2 ? _[2] % 360 * math_radians : 0, recenter()) : [deltaLambda * math_degrees, deltaPhi * math_degrees, deltaGamma * math_degrees]; }; projection.angle = function(_) { return arguments.length ? (alpha = _ % 360 * math_radians, recenter()) : alpha * math_degrees; }; projection.reflectX = function(_) { return arguments.length ? (sx = _ ? -1 : 1, recenter()) : sx < 0; }; projection.reflectY = function(_) { return arguments.length ? (sy = _ ? -1 : 1, recenter()) : sy < 0; }; projection.precision = function(_) { return arguments.length ? (projectResample = resample(projectTransform, delta2 = _ * _), reset()) : math_sqrt(delta2); }; projection.fitExtent = function(extent, object) { return fitExtent(projection, extent, object); }; projection.fitSize = function(size, object) { return fitSize(projection, size, object); }; projection.fitWidth = function(width, object) { return fitWidth(projection, width, object); }; projection.fitHeight = function(height, object) { return fitHeight(projection, height, object); }; function recenter() { var center = scaleTranslateRotate(k, 0, 0, sx, sy, alpha).apply(null, project(lambda, phi)), transform = scaleTranslateRotate(k, x - center[0], y - center[1], sx, sy, alpha); rotate = rotation_rotateRadians(deltaLambda, deltaPhi, deltaGamma); projectTransform = compose(project, transform); projectRotateTransform = compose(rotate, projectTransform); projectResample = resample(projectTransform, delta2); return reset(); } function reset() { cache = cacheStream = null; return projection; } return function() { project = projectAt.apply(this, arguments); projection.invert = project.invert && invert; return recenter(); }; } ;// CONCATENATED MODULE: ../node_modules/d3-geo/src/projection/conic.js function conicProjection(projectAt) { var phi0 = 0, phi1 = pi / 3, m = projectionMutator(projectAt), p = m(phi0, phi1); p.parallels = function(_) { return arguments.length ? m(phi0 = _[0] * math_radians, phi1 = _[1] * math_radians) : [phi0 * math_degrees, phi1 * math_degrees]; }; return p; } ;// CONCATENATED MODULE: ../node_modules/d3-geo/src/projection/cylindricalEqualArea.js function cylindricalEqualAreaRaw(phi0) { var cosPhi0 = cos(phi0); function forward(lambda, phi) { return [lambda * cosPhi0, sin(phi) / cosPhi0]; } forward.invert = function(x, y) { return [x / cosPhi0, asin(y * cosPhi0)]; }; return forward; } ;// CONCATENATED MODULE: ../node_modules/d3-geo/src/projection/conicEqualArea.js function conicEqualAreaRaw(y0, y1) { var sy0 = sin(y0), n = (sy0 + sin(y1)) / 2; // Are the parallels symmetrical around the Equator? if (abs(n) < math_epsilon) return cylindricalEqualAreaRaw(y0); var c = 1 + sy0 * (2 * n - sy0), r0 = math_sqrt(c) / n; function project(x, y) { var r = math_sqrt(c - 2 * n * sin(y)) / n; return [r * sin(x *= n), r0 - r * cos(x)]; } project.invert = function(x, y) { var r0y = r0 - y, l = atan2(x, abs(r0y)) * sign(r0y); if (r0y * n < 0) l -= pi * sign(x) * sign(r0y); return [l / n, asin((c - (x * x + r0y * r0y) * n * n) / (2 * n))]; }; return project; } /* harmony default export */ function conicEqualArea() { return conicProjection(conicEqualAreaRaw) .scale(155.424) .center([0, 33.6442]); } ;// CONCATENATED MODULE: ../node_modules/d3-geo/src/projection/albers.js /* harmony default export */ function albers() { return conicEqualArea() .parallels([29.5, 45.5]) .scale(1070) .translate([480, 250]) .rotate([96, 0]) .center([-0.6, 38.7]); } ;// CONCATENATED MODULE: ../node_modules/d3-geo/src/projection/albersUsa.js // The projections must have mutually exclusive clip regions on the sphere, // as this will avoid emitting interleaving lines and polygons. function multiplex(streams) { var n = streams.length; return { point: function(x, y) { var i = -1; while (++i < n) streams[i].point(x, y); }, sphere: function() { var i = -1; while (++i < n) streams[i].sphere(); }, lineStart: function() { var i = -1; while (++i < n) streams[i].lineStart(); }, lineEnd: function() { var i = -1; while (++i < n) streams[i].lineEnd(); }, polygonStart: function() { var i = -1; while (++i < n) streams[i].polygonStart(); }, polygonEnd: function() { var i = -1; while (++i < n) streams[i].polygonEnd(); } }; } // A composite projection for the United States, configured by default for // 960×500. The projection also works quite well at 960×600 if you change the // scale to 1285 and adjust the translate accordingly. The set of standard // parallels for each region comes from USGS, which is published here: // http://egsc.usgs.gov/isb/pubs/MapProjections/projections.html#albers /* harmony default export */ function albersUsa() { var cache, cacheStream, lower48 = albers(), lower48Point, alaska = conicEqualArea().rotate([154, 0]).center([-2, 58.5]).parallels([55, 65]), alaskaPoint, // EPSG:3338 hawaii = conicEqualArea().rotate([157, 0]).center([-3, 19.9]).parallels([8, 18]), hawaiiPoint, // ESRI:102007 point, pointStream = {point: function(x, y) { point = [x, y]; }}; function albersUsa(coordinates) { var x = coordinates[0], y = coordinates[1]; return point = null, (lower48Point.point(x, y), point) || (alaskaPoint.point(x, y), point) || (hawaiiPoint.point(x, y), point); } albersUsa.invert = function(coordinates) { var k = lower48.scale(), t = lower48.translate(), x = (coordinates[0] - t[0]) / k, y = (coordinates[1] - t[1]) / k; return (y >= 0.120 && y < 0.234 && x >= -0.425 && x < -0.214 ? alaska : y >= 0.166 && y < 0.234 && x >= -0.214 && x < -0.115 ? hawaii : lower48).invert(coordinates); }; albersUsa.stream = function(stream) { return cache && cacheStream === stream ? cache : cache = multiplex([lower48.stream(cacheStream = stream), alaska.stream(stream), hawaii.stream(stream)]); }; albersUsa.precision = function(_) { if (!arguments.length) return lower48.precision(); lower48.precision(_), alaska.precision(_), hawaii.precision(_); return reset(); }; albersUsa.scale = function(_) { if (!arguments.length) return lower48.scale(); lower48.scale(_), alaska.scale(_ * 0.35), hawaii.scale(_); return albersUsa.translate(lower48.translate()); }; albersUsa.translate = function(_) { if (!arguments.length) return lower48.translate(); var k = lower48.scale(), x = +_[0], y = +_[1]; lower48Point = lower48 .translate(_) .clipExtent([[x - 0.455 * k, y - 0.238 * k], [x + 0.455 * k, y + 0.238 * k]]) .stream(pointStream); alaskaPoint = alaska .translate([x - 0.307 * k, y + 0.201 * k]) .clipExtent([[x - 0.425 * k + math_epsilon, y + 0.120 * k + math_epsilon], [x - 0.214 * k - math_epsilon, y + 0.234 * k - math_epsilon]]) .stream(pointStream); hawaiiPoint = hawaii .translate([x - 0.205 * k, y + 0.212 * k]) .clipExtent([[x - 0.214 * k + math_epsilon, y + 0.166 * k + math_epsilon], [x - 0.115 * k - math_epsilon, y + 0.234 * k - math_epsilon]]) .stream(pointStream); return reset(); }; albersUsa.fitExtent = function(extent, object) { return fitExtent(albersUsa, extent, object); }; albersUsa.fitSize = function(size, object) { return fitSize(albersUsa, size, object); }; albersUsa.fitWidth = function(width, object) { return fitWidth(albersUsa, width, object); }; albersUsa.fitHeight = function(height, object) { return fitHeight(albersUsa, height, object); }; function reset() { cache = cacheStream = null; return albersUsa; } return albersUsa.scale(1070); } ;// CONCATENATED MODULE: ../node_modules/d3-geo/src/projection/azimuthal.js function azimuthalRaw(scale) { return function(x, y) { var cx = cos(x), cy = cos(y), k = scale(cx * cy); if (k === Infinity) return [2, 0]; return [ k * cy * sin(x), k * sin(y) ]; } } function azimuthalInvert(angle) { return function(x, y) { var z = math_sqrt(x * x + y * y), c = angle(z), sc = sin(c), cc = cos(c); return [ atan2(x * sc, z * cc), asin(z && y * sc / z) ]; } } ;// CONCATENATED MODULE: ../node_modules/d3-geo/src/projection/azimuthalEqualArea.js var azimuthalEqualAreaRaw = azimuthalRaw(function(cxcy) { return math_sqrt(2 / (1 + cxcy)); }); azimuthalEqualAreaRaw.invert = azimuthalInvert(function(z) { return 2 * asin(z / 2); }); /* harmony default export */ function azimuthalEqualArea() { return projection(azimuthalEqualAreaRaw) .scale(124.75) .clipAngle(180 - 1e-3); } ;// CONCATENATED MODULE: ../node_modules/d3-geo/src/projection/azimuthalEquidistant.js var azimuthalEquidistantRaw = azimuthalRaw(function(c) { return (c = acos(c)) && c / sin(c); }); azimuthalEquidistantRaw.invert = azimuthalInvert(function(z) { return z; }); /* harmony default export */ function azimuthalEquidistant() { return projection(azimuthalEquidistantRaw) .scale(79.4188) .clipAngle(180 - 1e-3); } ;// CONCATENATED MODULE: ../node_modules/d3-geo/src/projection/mercator.js function mercatorRaw(lambda, phi) { return [lambda, math_log(tan((halfPi + phi) / 2))]; } mercatorRaw.invert = function(x, y) { return [x, 2 * atan(math_exp(y)) - halfPi]; }; /* harmony default export */ function mercator() { return mercatorProjection(mercatorRaw) .scale(961 / tau); } function mercatorProjection(project) { var m = projection(project), center = m.center, scale = m.scale, translate = m.translate, clipExtent = m.clipExtent, x0 = null, y0, x1, y1; // clip extent m.scale = function(_) { return arguments.length ? (scale(_), reclip()) : scale(); }; m.translate = function(_) { return arguments.length ? (translate(_), reclip()) : translate(); }; m.center = function(_) { return arguments.length ? (center(_), reclip()) : center(); }; m.clipExtent = function(_) { return arguments.length ? ((_ == null ? x0 = y0 = x1 = y1 = null : (x0 = +_[0][0], y0 = +_[0][1], x1 = +_[1][0], y1 = +_[1][1])), reclip()) : x0 == null ? null : [[x0, y0], [x1, y1]]; }; function reclip() { var k = pi * scale(), t = m(rotation(m.rotate()).invert([0, 0])); return clipExtent(x0 == null ? [[t[0] - k, t[1] - k], [t[0] + k, t[1] + k]] : project === mercatorRaw ? [[Math.max(t[0] - k, x0), y0], [Math.min(t[0] + k, x1), y1]] : [[x0, Math.max(t[1] - k, y0)], [x1, Math.min(t[1] + k, y1)]]); } return reclip(); } ;// CONCATENATED MODULE: ../node_modules/d3-geo/src/projection/conicConformal.js function tany(y) { return tan((halfPi + y) / 2); } function conicConformalRaw(y0, y1) { var cy0 = cos(y0), n = y0 === y1 ? sin(y0) : math_log(cy0 / cos(y1)) / math_log(tany(y1) / tany(y0)), f = cy0 * math_pow(tany(y0), n) / n; if (!n) return mercatorRaw; function project(x, y) { if (f > 0) { if (y < -halfPi + math_epsilon) y = -halfPi + math_epsilon; } else { if (y > halfPi - math_epsilon) y = halfPi - math_epsilon; } var r = f / math_pow(tany(y), n); return [r * sin(n * x), f - r * cos(n * x)]; } project.invert = function(x, y) { var fy = f - y, r = sign(n) * math_sqrt(x * x + fy * fy), l = atan2(x, abs(fy)) * sign(fy); if (fy * n < 0) l -= pi * sign(x) * sign(fy); return [l / n, 2 * atan(math_pow(f / r, 1 / n)) - halfPi]; }; return project; } /* harmony default export */ function conicConformal() { return conicProjection(conicConformalRaw) .scale(109.5) .parallels([30, 30]); } ;// CONCATENATED MODULE: ../node_modules/d3-geo/src/projection/equirectangular.js function equirectangularRaw(lambda, phi) { return [lambda, phi]; } equirectangularRaw.invert = equirectangularRaw; /* harmony default export */ function equirectangular() { return projection(equirectangularRaw) .scale(152.63); } ;// CONCATENATED MODULE: ../node_modules/d3-geo/src/projection/conicEquidistant.js function conicEquidistantRaw(y0, y1) { var cy0 = cos(y0), n = y0 === y1 ? sin(y0) : (cy0 - cos(y1)) / (y1 - y0), g = cy0 / n + y0; if (abs(n) < math_epsilon) return equirectangularRaw; function project(x, y) { var gy = g - y, nx = n * x; return [gy * sin(nx), g - gy * cos(nx)]; } project.invert = function(x, y) { var gy = g - y, l = atan2(x, abs(gy)) * sign(gy); if (gy * n < 0) l -= pi * sign(x) * sign(gy); return [l / n, g - sign(n) * math_sqrt(x * x + gy * gy)]; }; return project; } /* harmony default export */ function conicEquidistant() { return conicProjection(conicEquidistantRaw) .scale(131.154) .center([0, 13.9389]); } ;// CONCATENATED MODULE: ../node_modules/d3-geo/src/projection/equalEarth.js var A1 = 1.340264, A2 = -0.081106, A3 = 0.000893, A4 = 0.003796, M = math_sqrt(3) / 2, iterations = 12; function equalEarthRaw(lambda, phi) { var l = asin(M * sin(phi)), l2 = l * l, l6 = l2 * l2 * l2; return [ lambda * cos(l) / (M * (A1 + 3 * A2 * l2 + l6 * (7 * A3 + 9 * A4 * l2))), l * (A1 + A2 * l2 + l6 * (A3 + A4 * l2)) ]; } equalEarthRaw.invert = function(x, y) { var l = y, l2 = l * l, l6 = l2 * l2 * l2; for (var i = 0, delta, fy, fpy; i < iterations; ++i) { fy = l * (A1 + A2 * l2 + l6 * (A3 + A4 * l2)) - y; fpy = A1 + 3 * A2 * l2 + l6 * (7 * A3 + 9 * A4 * l2); l -= delta = fy / fpy, l2 = l * l, l6 = l2 * l2 * l2; if (abs(delta) < epsilon2) break; } return [ M * x * (A1 + 3 * A2 * l2 + l6 * (7 * A3 + 9 * A4 * l2)) / cos(l), asin(sin(l) / M) ]; }; /* harmony default export */ function equalEarth() { return projection(equalEarthRaw) .scale(177.158); } ;// CONCATENATED MODULE: ../node_modules/d3-geo/src/projection/gnomonic.js function gnomonicRaw(x, y) { var cy = cos(y), k = cos(x) * cy; return [cy * sin(x) / k, sin(y) / k]; } gnomonicRaw.invert = azimuthalInvert(atan); /* harmony default export */ function gnomonic() { return projection(gnomonicRaw) .scale(144.049) .clipAngle(60); } ;// CONCATENATED MODULE: ../node_modules/d3-geo/src/projection/identity.js /* harmony default export */ function projection_identity() { var k = 1, tx = 0, ty = 0, sx = 1, sy = 1, // scale, translate and reflect alpha = 0, ca, sa, // angle x0 = null, y0, x1, y1, // clip extent kx = 1, ky = 1, transform = transform_transformer({ point: function(x, y) { var p = projection([x, y]) this.stream.point(p[0], p[1]); } }), postclip = d3_geo_src_identity, cache, cacheStream; function reset() { kx = k * sx; ky = k * sy; cache = cacheStream = null; return projection; } function projection (p) { var x = p[0] * kx, y = p[1] * ky; if (alpha) { var t = y * ca - x * sa; x = x * ca + y * sa; y = t; } return [x + tx, y + ty]; } projection.invert = function(p) { var x = p[0] - tx, y = p[1] - ty; if (alpha) { var t = y * ca + x * sa; x = x * ca - y * sa; y = t; } return [x / kx, y / ky]; }; projection.stream = function(stream) { return cache && cacheStream === stream ? cache : cache = transform(postclip(cacheStream = stream)); }; projection.postclip = function(_) { return arguments.length ? (postclip = _, x0 = y0 = x1 = y1 = null, reset()) : postclip; }; projection.clipExtent = function(_) { return arguments.length ? (postclip = _ == null ? (x0 = y0 = x1 = y1 = null, d3_geo_src_identity) : clipRectangle(x0 = +_[0][0], y0 = +_[0][1], x1 = +_[1][0], y1 = +_[1][1]), reset()) : x0 == null ? null : [[x0, y0], [x1, y1]]; }; projection.scale = function(_) { return arguments.length ? (k = +_, reset()) : k; }; projection.translate = function(_) { return arguments.length ? (tx = +_[0], ty = +_[1], reset()) : [tx, ty]; } projection.angle = function(_) { return arguments.length ? (alpha = _ % 360 * math_radians, sa = sin(alpha), ca = cos(alpha), reset()) : alpha * math_degrees; }; projection.reflectX = function(_) { return arguments.length ? (sx = _ ? -1 : 1, reset()) : sx < 0; }; projection.reflectY = function(_) { return arguments.length ? (sy = _ ? -1 : 1, reset()) : sy < 0; }; projection.fitExtent = function(extent, object) { return fitExtent(projection, extent, object); }; projection.fitSize = function(size, object) { return fitSize(projection, size, object); }; projection.fitWidth = function(width, object) { return fitWidth(projection, width, object); }; projection.fitHeight = function(height, object) { return fitHeight(projection, height, object); }; return projection; } ;// CONCATENATED MODULE: ../node_modules/d3-geo/src/projection/naturalEarth1.js function naturalEarth1Raw(lambda, phi) { var phi2 = phi * phi, phi4 = phi2 * phi2; return [ lambda * (0.8707 - 0.131979 * phi2 + phi4 * (-0.013791 + phi4 * (0.003971 * phi2 - 0.001529 * phi4))), phi * (1.007226 + phi2 * (0.015085 + phi4 * (-0.044475 + 0.028874 * phi2 - 0.005916 * phi4))) ]; } naturalEarth1Raw.invert = function(x, y) { var phi = y, i = 25, delta; do { var phi2 = phi * phi, phi4 = phi2 * phi2; phi -= delta = (phi * (1.007226 + phi2 * (0.015085 + phi4 * (-0.044475 + 0.028874 * phi2 - 0.005916 * phi4))) - y) / (1.007226 + phi2 * (0.015085 * 3 + phi4 * (-0.044475 * 7 + 0.028874 * 9 * phi2 - 0.005916 * 11 * phi4))); } while (abs(delta) > math_epsilon && --i > 0); return [ x / (0.8707 + (phi2 = phi * phi) * (-0.131979 + phi2 * (-0.013791 + phi2 * phi2 * phi2 * (0.003971 - 0.001529 * phi2)))), phi ]; }; /* harmony default export */ function naturalEarth1() { return projection(naturalEarth1Raw) .scale(175.295); } ;// CONCATENATED MODULE: ../node_modules/d3-geo/src/projection/orthographic.js function orthographicRaw(x, y) { return [cos(y) * sin(x), sin(y)]; } orthographicRaw.invert = azimuthalInvert(asin); /* harmony default export */ function orthographic() { return projection(orthographicRaw) .scale(249.5) .clipAngle(90 + math_epsilon); } ;// CONCATENATED MODULE: ../node_modules/d3-geo/src/projection/stereographic.js function stereographicRaw(x, y) { var cy = cos(y), k = 1 + cos(x) * cy; return [cy * sin(x) / k, sin(y) / k]; } stereographicRaw.invert = azimuthalInvert(function(z) { return 2 * atan(z); }); /* harmony default export */ function stereographic() { return projection(stereographicRaw) .scale(250) .clipAngle(142); } ;// CONCATENATED MODULE: ../node_modules/d3-geo/src/projection/transverseMercator.js function transverseMercatorRaw(lambda, phi) { return [math_log(tan((halfPi + phi) / 2)), -lambda]; } transverseMercatorRaw.invert = function(x, y) { return [-y, 2 * atan(math_exp(x)) - halfPi]; }; /* harmony default export */ function transverseMercator() { var m = mercatorProjection(transverseMercatorRaw), center = m.center, rotate = m.rotate; m.center = function(_) { return arguments.length ? center([-_[1], _[0]]) : (_ = center(), [_[1], -_[0]]); }; m.rotate = function(_) { return arguments.length ? rotate([_[0], _[1], _.length > 2 ? _[2] + 90 : 90]) : (_ = rotate(), [_[0], _[1], _[2] - 90]); }; return rotate([0, 0, 90]) .scale(159.155); } ;// CONCATENATED MODULE: ../node_modules/d3-geo-projection/src/math.js var math_abs = Math.abs; var math_atan = Math.atan; var math_atan2 = Math.atan2; var math_ceil = Math.ceil; var math_cos = Math.cos; var src_math_exp = Math.exp; var src_math_floor = Math.floor; var src_math_log = Math.log; var math_max = Math.max; var math_min = Math.min; var src_math_pow = Math.pow; var round = Math.round; var math_sign = Math.sign || function(x) { return x > 0 ? 1 : x < 0 ? -1 : 0; }; var math_sin = Math.sin; var math_tan = Math.tan; var src_math_epsilon = 1e-6; var math_epsilon2 = 1e-12; var math_pi = Math.PI; var math_halfPi = math_pi / 2; var math_quarterPi = math_pi / 4; var sqrt1_2 = Math.SQRT1_2; var sqrt2 = src_math_sqrt(2); var sqrtPi = src_math_sqrt(math_pi); var math_tau = math_pi * 2; var src_math_degrees = 180 / math_pi; var src_math_radians = math_pi / 180; function sinci(x) { return x ? x / Math.sin(x) : 1; } function math_asin(x) { return x > 1 ? math_halfPi : x < -1 ? -math_halfPi : Math.asin(x); } function math_acos(x) { return x > 1 ? 0 : x < -1 ? math_pi : Math.acos(x); } function src_math_sqrt(x) { return x > 0 ? Math.sqrt(x) : 0; } function tanh(x) { x = src_math_exp(2 * x); return (x - 1) / (x + 1); } function sinh(x) { return (src_math_exp(x) - src_math_exp(-x)) / 2; } function cosh(x) { return (src_math_exp(x) + src_math_exp(-x)) / 2; } function arsinh(x) { return src_math_log(x + src_math_sqrt(x * x + 1)); } function arcosh(x) { return src_math_log(x + src_math_sqrt(x * x - 1)); } ;// CONCATENATED MODULE: ../node_modules/d3-geo-projection/src/mollweide.js function mollweideBromleyTheta(cp, phi) { var cpsinPhi = cp * math_sin(phi), i = 30, delta; do phi -= delta = (phi + math_sin(phi) - cpsinPhi) / (1 + math_cos(phi)); while (math_abs(delta) > src_math_epsilon && --i > 0); return phi / 2; } function mollweideBromleyRaw(cx, cy, cp) { function forward(lambda, phi) { return [cx * lambda * math_cos(phi = mollweideBromleyTheta(cp, phi)), cy * math_sin(phi)]; } forward.invert = function(x, y) { return y = math_asin(y / cy), [x / (cx * math_cos(y)), math_asin((2 * y + math_sin(2 * y)) / cp)]; }; return forward; } var mollweideRaw = mollweideBromleyRaw(sqrt2 / math_halfPi, sqrt2, math_pi); /* harmony default export */ function mollweide() { return projection(mollweideRaw) .scale(169.529); } ;// CONCATENATED MODULE: ../node_modules/vega-projection/build/vega-projection.module.js const defaultPath = d3_geo_src_path(); const projectionProperties = [ // standard properties in d3-geo 'clipAngle', 'clipExtent', 'scale', 'translate', 'center', 'rotate', 'parallels', 'precision', 'reflectX', 'reflectY', // extended properties in d3-geo-projections 'coefficient', 'distance', 'fraction', 'lobes', 'parallel', 'radius', 'ratio', 'spacing', 'tilt']; /** * Augment projections with their type and a copy method. */ function vega_projection_module_create(type, constructor) { return function projection() { const p = constructor(); p.type = type; p.path = d3_geo_src_path().projection(p); p.copy = p.copy || function () { const c = projection(); projectionProperties.forEach(prop => { if (p[prop]) c[prop](p[prop]()); }); c.path.pointRadius(p.path.pointRadius()); return c; }; return registerScale(p); }; } function vega_projection_module_projection(type, proj) { if (!type || typeof type !== 'string') { throw new Error('Projection type must be a name string.'); } type = type.toLowerCase(); if (arguments.length > 1) { projections[type] = vega_projection_module_create(type, proj); return this; } else { return projections[type] || null; } } function getProjectionPath(proj) { return proj && proj.path || defaultPath; } const projections = { // base d3-geo projection types albers: albers, albersusa: albersUsa, azimuthalequalarea: azimuthalEqualArea, azimuthalequidistant: azimuthalEquidistant, conicconformal: conicConformal, conicequalarea: conicEqualArea, conicequidistant: conicEquidistant, equalEarth: equalEarth, equirectangular: equirectangular, gnomonic: gnomonic, identity: projection_identity, mercator: mercator, mollweide: mollweide, naturalEarth1: naturalEarth1, orthographic: orthographic, stereographic: stereographic, transversemercator: transverseMercator }; for (const key in projections) { vega_projection_module_projection(key, projections[key]); } ;// CONCATENATED MODULE: ../node_modules/d3-geo/src/graticule.js function graticuleX(y0, y1, dy) { var y = (0,range/* default */.Z)(y0, y1 - math_epsilon, dy).concat(y1); return function(x) { return y.map(function(y) { return [x, y]; }); }; } function graticuleY(x0, x1, dx) { var x = (0,range/* default */.Z)(x0, x1 - math_epsilon, dx).concat(x1); return function(y) { return x.map(function(x) { return [x, y]; }); }; } function graticule() { var x1, x0, X1, X0, y1, y0, Y1, Y0, dx = 10, dy = dx, DX = 90, DY = 360, x, y, X, Y, precision = 2.5; function graticule() { return {type: "MultiLineString", coordinates: lines()}; } function lines() { return (0,range/* default */.Z)(ceil(X0 / DX) * DX, X1, DX).map(X) .concat((0,range/* default */.Z)(ceil(Y0 / DY) * DY, Y1, DY).map(Y)) .concat((0,range/* default */.Z)(ceil(x0 / dx) * dx, x1, dx).filter(function(x) { return abs(x % DX) > math_epsilon; }).map(x)) .concat((0,range/* default */.Z)(ceil(y0 / dy) * dy, y1, dy).filter(function(y) { return abs(y % DY) > math_epsilon; }).map(y)); } graticule.lines = function() { return lines().map(function(coordinates) { return {type: "LineString", coordinates: coordinates}; }); }; graticule.outline = function() { return { type: "Polygon", coordinates: [ X(X0).concat( Y(Y1).slice(1), X(X1).reverse().slice(1), Y(Y0).reverse().slice(1)) ] }; }; graticule.extent = function(_) { if (!arguments.length) return graticule.extentMinor(); return graticule.extentMajor(_).extentMinor(_); }; graticule.extentMajor = function(_) { if (!arguments.length) return [[X0, Y0], [X1, Y1]]; X0 = +_[0][0], X1 = +_[1][0]; Y0 = +_[0][1], Y1 = +_[1][1]; if (X0 > X1) _ = X0, X0 = X1, X1 = _; if (Y0 > Y1) _ = Y0, Y0 = Y1, Y1 = _; return graticule.precision(precision); }; graticule.extentMinor = function(_) { if (!arguments.length) return [[x0, y0], [x1, y1]]; x0 = +_[0][0], x1 = +_[1][0]; y0 = +_[0][1], y1 = +_[1][1]; if (x0 > x1) _ = x0, x0 = x1, x1 = _; if (y0 > y1) _ = y0, y0 = y1, y1 = _; return graticule.precision(precision); }; graticule.step = function(_) { if (!arguments.length) return graticule.stepMinor(); return graticule.stepMajor(_).stepMinor(_); }; graticule.stepMajor = function(_) { if (!arguments.length) return [DX, DY]; DX = +_[0], DY = +_[1]; return graticule; }; graticule.stepMinor = function(_) { if (!arguments.length) return [dx, dy]; dx = +_[0], dy = +_[1]; return graticule; }; graticule.precision = function(_) { if (!arguments.length) return precision; precision = +_; x = graticuleX(y0, y1, 90); y = graticuleY(x0, x1, precision); X = graticuleX(Y0, Y1, 90); Y = graticuleY(X0, X1, precision); return graticule; }; return graticule .extentMajor([[-180, -90 + math_epsilon], [180, 90 - math_epsilon]]) .extentMinor([[-180, -80 - math_epsilon], [180, 80 + math_epsilon]]); } function graticule10() { return graticule()(); } // EXTERNAL MODULE: ../node_modules/d3-color/src/color.js var src_color = __webpack_require__(12738); ;// CONCATENATED MODULE: ../node_modules/vega-geo/build/vega-geo.module.js function vega_geo_module_noop() {} const cases = [[], [[[1.0, 1.5], [0.5, 1.0]]], [[[1.5, 1.0], [1.0, 1.5]]], [[[1.5, 1.0], [0.5, 1.0]]], [[[1.0, 0.5], [1.5, 1.0]]], [[[1.0, 1.5], [0.5, 1.0]], [[1.0, 0.5], [1.5, 1.0]]], [[[1.0, 0.5], [1.0, 1.5]]], [[[1.0, 0.5], [0.5, 1.0]]], [[[0.5, 1.0], [1.0, 0.5]]], [[[1.0, 1.5], [1.0, 0.5]]], [[[0.5, 1.0], [1.0, 0.5]], [[1.5, 1.0], [1.0, 1.5]]], [[[1.5, 1.0], [1.0, 0.5]]], [[[0.5, 1.0], [1.5, 1.0]]], [[[1.0, 1.5], [1.5, 1.0]]], [[[0.5, 1.0], [1.0, 1.5]]], []]; // Implementation adapted from d3/d3-contour. Thanks! function contours () { var dx = 1, dy = 1, smooth = smoothLinear; function contours(values, tz) { return tz.map(value => contour(values, value)); } // Accumulate, smooth contour rings, assign holes to exterior rings. // Based on https://github.com/mbostock/shapefile/blob/v0.6.2/shp/polygon.js function contour(values, value) { var polygons = [], holes = []; isorings(values, value, ring => { smooth(ring, values, value); if (vega_geo_module_area(ring) > 0) polygons.push([ring]);else holes.push(ring); }); holes.forEach(hole => { for (var i = 0, n = polygons.length, polygon; i < n; ++i) { if (contains((polygon = polygons[i])[0], hole) !== -1) { polygon.push(hole); return; } } }); return { type: 'MultiPolygon', value: value, coordinates: polygons }; } // Marching squares with isolines stitched into rings. // Based on https://github.com/topojson/topojson-client/blob/v3.0.0/src/stitch.js function isorings(values, value, callback) { var fragmentByStart = [], fragmentByEnd = [], x, y, t0, t1, t2, t3; // Special case for the first row (y = -1, t2 = t3 = 0). x = y = -1; t1 = values[0] >= value; cases[t1 << 1].forEach(stitch); while (++x < dx - 1) { t0 = t1, t1 = values[x + 1] >= value; cases[t0 | t1 << 1].forEach(stitch); } cases[t1 << 0].forEach(stitch); // General case for the intermediate rows. while (++y < dy - 1) { x = -1; t1 = values[y * dx + dx] >= value; t2 = values[y * dx] >= value; cases[t1 << 1 | t2 << 2].forEach(stitch); while (++x < dx - 1) { t0 = t1, t1 = values[y * dx + dx + x + 1] >= value; t3 = t2, t2 = values[y * dx + x + 1] >= value; cases[t0 | t1 << 1 | t2 << 2 | t3 << 3].forEach(stitch); } cases[t1 | t2 << 3].forEach(stitch); } // Special case for the last row (y = dy - 1, t0 = t1 = 0). x = -1; t2 = values[y * dx] >= value; cases[t2 << 2].forEach(stitch); while (++x < dx - 1) { t3 = t2, t2 = values[y * dx + x + 1] >= value; cases[t2 << 2 | t3 << 3].forEach(stitch); } cases[t2 << 3].forEach(stitch); function stitch(line) { var start = [line[0][0] + x, line[0][1] + y], end = [line[1][0] + x, line[1][1] + y], startIndex = index(start), endIndex = index(end), f, g; if (f = fragmentByEnd[startIndex]) { if (g = fragmentByStart[endIndex]) { delete fragmentByEnd[f.end]; delete fragmentByStart[g.start]; if (f === g) { f.ring.push(end); callback(f.ring); } else { fragmentByStart[f.start] = fragmentByEnd[g.end] = { start: f.start, end: g.end, ring: f.ring.concat(g.ring) }; } } else { delete fragmentByEnd[f.end]; f.ring.push(end); fragmentByEnd[f.end = endIndex] = f; } } else if (f = fragmentByStart[endIndex]) { if (g = fragmentByEnd[startIndex]) { delete fragmentByStart[f.start]; delete fragmentByEnd[g.end]; if (f === g) { f.ring.push(end); callback(f.ring); } else { fragmentByStart[g.start] = fragmentByEnd[f.end] = { start: g.start, end: f.end, ring: g.ring.concat(f.ring) }; } } else { delete fragmentByStart[f.start]; f.ring.unshift(start); fragmentByStart[f.start = startIndex] = f; } } else { fragmentByStart[startIndex] = fragmentByEnd[endIndex] = { start: startIndex, end: endIndex, ring: [start, end] }; } } } function index(point) { return point[0] * 2 + point[1] * (dx + 1) * 4; } function smoothLinear(ring, values, value) { ring.forEach(point => { var x = point[0], y = point[1], xt = x | 0, yt = y | 0, v0, v1 = values[yt * dx + xt]; if (x > 0 && x < dx && xt === x) { v0 = values[yt * dx + xt - 1]; point[0] = x + (value - v0) / (v1 - v0) - 0.5; } if (y > 0 && y < dy && yt === y) { v0 = values[(yt - 1) * dx + xt]; point[1] = y + (value - v0) / (v1 - v0) - 0.5; } }); } contours.contour = contour; contours.size = function (_) { if (!arguments.length) return [dx, dy]; var _0 = Math.floor(_[0]), _1 = Math.floor(_[1]); if (!(_0 >= 0 && _1 >= 0)) vega_util_module_error('invalid size'); return dx = _0, dy = _1, contours; }; contours.smooth = function (_) { return arguments.length ? (smooth = _ ? smoothLinear : vega_geo_module_noop, contours) : smooth === smoothLinear; }; return contours; } function vega_geo_module_area(ring) { var i = 0, n = ring.length, area = ring[n - 1][1] * ring[0][0] - ring[n - 1][0] * ring[0][1]; while (++i < n) area += ring[i - 1][1] * ring[i][0] - ring[i - 1][0] * ring[i][1]; return area; } function contains(ring, hole) { var i = -1, n = hole.length, c; while (++i < n) if (c = ringContains(ring, hole[i])) return c; return 0; } function ringContains(ring, point) { var x = point[0], y = point[1], contains = -1; for (var i = 0, n = ring.length, j = n - 1; i < n; j = i++) { var pi = ring[i], xi = pi[0], yi = pi[1], pj = ring[j], xj = pj[0], yj = pj[1]; if (segmentContains(pi, pj, point)) return 0; if (yi > y !== yj > y && x < (xj - xi) * (y - yi) / (yj - yi) + xi) contains = -contains; } return contains; } function segmentContains(a, b, c) { var i; return collinear(a, b, c) && within(a[i = +(a[0] === b[0])], c[i], b[i]); } function collinear(a, b, c) { return (b[0] - a[0]) * (c[1] - a[1]) === (c[0] - a[0]) * (b[1] - a[1]); } function within(p, q, r) { return p <= q && q <= r || r <= q && q <= p; } function vega_geo_module_quantize (k, nice, zero) { return function (values) { var ex = extent(values), start = zero ? Math.min(ex[0], 0) : ex[0], stop = ex[1], span = stop - start, step = nice ? (0,ticks/* tickStep */.ly)(start, stop, k) : span / (k + 1); return (0,range/* default */.Z)(start + step, stop, step); }; } /** * Generate isocontours (level sets) based on input raster grid data. * @constructor * @param {object} params - The parameters for this operator. * @param {function(object): *} [params.field] - The field with raster grid * data. If unspecified, the tuple itself is interpreted as a raster grid. * @param {Array} [params.thresholds] - Contour threshold array. If * specified, the levels, nice, resolve, and zero parameters are ignored. * @param {number} [params.levels] - The desired number of contour levels. * @param {boolean} [params.nice] - Boolean flag indicating if the contour * threshold values should be automatically aligned to "nice" * human-friendly values. Setting this flag may cause the number of * thresholds to deviate from the specified levels. * @param {string} [params.resolve] - The method for resolving thresholds * across multiple input grids. If 'independent' (the default), threshold * calculation will be performed separately for each grid. If 'shared', a * single set of threshold values will be used for all input grids. * @param {boolean} [params.zero] - Boolean flag indicating if the contour * threshold values should include zero. * @param {boolean} [params.smooth] - Boolean flag indicating if the contour * polygons should be smoothed using linear interpolation. The default is * true. The parameter is ignored when using density estimation. * @param {boolean} [params.scale] - Optional numerical value by which to * scale the output isocontour coordinates. This parameter can be useful * to scale the contours to match a desired output resolution. * @param {string} [params.as='contour'] - The output field in which to store * the generated isocontour data (default 'contour'). */ function Isocontour(params) { Transform.call(this, null, params); } Isocontour.Definition = { 'type': 'Isocontour', 'metadata': { 'generates': true }, 'params': [{ 'name': 'field', 'type': 'field' }, { 'name': 'thresholds', 'type': 'number', 'array': true }, { 'name': 'levels', 'type': 'number' }, { 'name': 'nice', 'type': 'boolean', 'default': false }, { 'name': 'resolve', 'type': 'enum', 'values': ['shared', 'independent'], 'default': 'independent' }, { 'name': 'zero', 'type': 'boolean', 'default': true }, { 'name': 'smooth', 'type': 'boolean', 'default': true }, { 'name': 'scale', 'type': 'number', 'expr': true }, { 'name': 'translate', 'type': 'number', 'array': true, 'expr': true }, { 'name': 'as', 'type': 'string', 'null': true, 'default': 'contour' }] }; inherits(Isocontour, Transform, { transform(_, pulse) { if (this.value && !pulse.changed() && !_.modified()) { return pulse.StopPropagation; } var out = pulse.fork(pulse.NO_SOURCE | pulse.NO_FIELDS), source = pulse.materialize(pulse.SOURCE).source, field = _.field || identity, contour = contours().smooth(_.smooth !== false), tz = _.thresholds || levels(source, field, _), as = _.as === null ? null : _.as || 'contour', values = []; source.forEach(t => { const grid = field(t); // generate contour paths in GeoJSON format const paths = contour.size([grid.width, grid.height])(grid.values, isArray(tz) ? tz : tz(grid.values)); // adjust contour path coordinates as needed transformPaths(paths, grid, t, _); // ingest; copy source data properties to output paths.forEach(p => { values.push(rederive(t, ingest$1(as != null ? { [as]: p } : p))); }); }); if (this.value) out.rem = this.value; this.value = out.source = out.add = values; return out; } }); function levels(values, f, _) { const q = vega_geo_module_quantize(_.levels || 10, _.nice, _.zero !== false); return _.resolve !== 'shared' ? q : q(values.map(t => (0,max/* default */.Z)(f(t).values))); } function transformPaths(paths, grid, datum, _) { let s = _.scale || grid.scale, t = _.translate || grid.translate; if (vega_util_module_isFunction(s)) s = s(datum, _); if (vega_util_module_isFunction(t)) t = t(datum, _); if ((s === 1 || s == null) && !t) return; const sx = (isNumber(s) ? s : s[0]) || 1, sy = (isNumber(s) ? s : s[1]) || 1, tx = t && t[0] || 0, ty = t && t[1] || 0; paths.forEach(vega_geo_module_transform(grid, sx, sy, tx, ty)); } function vega_geo_module_transform(grid, sx, sy, tx, ty) { const x1 = grid.x1 || 0, y1 = grid.y1 || 0, flip = sx * sy < 0; function transformPolygon(coordinates) { coordinates.forEach(transformRing); } function transformRing(coordinates) { if (flip) coordinates.reverse(); // maintain winding order coordinates.forEach(transformPoint); } function transformPoint(coordinates) { coordinates[0] = (coordinates[0] - x1) * sx + tx; coordinates[1] = (coordinates[1] - y1) * sy + ty; } return function (geometry) { geometry.coordinates.forEach(transformPolygon); return geometry; }; } function radius(bw, data, f) { const v = bw >= 0 ? bw : estimateBandwidth(data, f); return Math.round((Math.sqrt(4 * v * v + 1) - 1) / 2); } function vega_geo_module_number(_) { return vega_util_module_isFunction(_) ? _ : vega_util_module_constant(+_); } // Implementation adapted from d3/d3-contour. Thanks! function density2D () { var x = d => d[0], y = d => d[1], weight = one, bandwidth = [-1, -1], dx = 960, dy = 500, k = 2; // log2(cellSize) function density(data, counts) { const rx = radius(bandwidth[0], data, x) >> k, // blur x-radius ry = radius(bandwidth[1], data, y) >> k, // blur y-radius ox = rx ? rx + 2 : 0, // x-offset padding for blur oy = ry ? ry + 2 : 0, // y-offset padding for blur n = 2 * ox + (dx >> k), // grid width m = 2 * oy + (dy >> k), // grid height values0 = new Float32Array(n * m), values1 = new Float32Array(n * m); let values = values0; data.forEach(d => { const xi = ox + (+x(d) >> k), yi = oy + (+y(d) >> k); if (xi >= 0 && xi < n && yi >= 0 && yi < m) { values0[xi + yi * n] += +weight(d); } }); if (rx > 0 && ry > 0) { blurX(n, m, values0, values1, rx); blurY(n, m, values1, values0, ry); blurX(n, m, values0, values1, rx); blurY(n, m, values1, values0, ry); blurX(n, m, values0, values1, rx); blurY(n, m, values1, values0, ry); } else if (rx > 0) { blurX(n, m, values0, values1, rx); blurX(n, m, values1, values0, rx); blurX(n, m, values0, values1, rx); values = values1; } else if (ry > 0) { blurY(n, m, values0, values1, ry); blurY(n, m, values1, values0, ry); blurY(n, m, values0, values1, ry); values = values1; } // scale density estimates // density in points per square pixel or probability density const s = counts ? Math.pow(2, -2 * k) : 1 / sum_sum(values); for (let i = 0, sz = n * m; i < sz; ++i) values[i] *= s; return { values: values, scale: 1 << k, width: n, height: m, x1: ox, y1: oy, x2: ox + (dx >> k), y2: oy + (dy >> k) }; } density.x = function (_) { return arguments.length ? (x = vega_geo_module_number(_), density) : x; }; density.y = function (_) { return arguments.length ? (y = vega_geo_module_number(_), density) : y; }; density.weight = function (_) { return arguments.length ? (weight = vega_geo_module_number(_), density) : weight; }; density.size = function (_) { if (!arguments.length) return [dx, dy]; var _0 = +_[0], _1 = +_[1]; if (!(_0 >= 0 && _1 >= 0)) vega_util_module_error('invalid size'); return dx = _0, dy = _1, density; }; density.cellSize = function (_) { if (!arguments.length) return 1 << k; if (!((_ = +_) >= 1)) vega_util_module_error('invalid cell size'); k = Math.floor(Math.log(_) / Math.LN2); return density; }; density.bandwidth = function (_) { if (!arguments.length) return bandwidth; _ = array(_); if (_.length === 1) _ = [+_[0], +_[0]]; if (_.length !== 2) vega_util_module_error('invalid bandwidth'); return bandwidth = _, density; }; return density; } function blurX(n, m, source, target, r) { const w = (r << 1) + 1; for (let j = 0; j < m; ++j) { for (let i = 0, sr = 0; i < n + r; ++i) { if (i < n) { sr += source[i + j * n]; } if (i >= r) { if (i >= w) { sr -= source[i - w + j * n]; } target[i - r + j * n] = sr / Math.min(i + 1, n - 1 + w - i, w); } } } } function blurY(n, m, source, target, r) { const w = (r << 1) + 1; for (let i = 0; i < n; ++i) { for (let j = 0, sr = 0; j < m + r; ++j) { if (j < m) { sr += source[i + j * n]; } if (j >= r) { if (j >= w) { sr -= source[i + (j - w) * n]; } target[i + (j - r) * n] = sr / Math.min(j + 1, m - 1 + w - j, w); } } } } /** * Perform 2D kernel-density estimation of point data. * @constructor * @param {object} params - The parameters for this operator. * @param {Array} params.size - The [width, height] extent (in * units of input pixels) over which to perform density estimation. * @param {function(object): number} params.x - The x-coordinate accessor. * @param {function(object): number} params.y - The y-coordinate accessor. * @param {function(object): number} [params.weight] - The weight accessor. * @param {Array} [params.groupby] - An array of accessors * to groupby. * @param {number} [params.cellSize] - Contour density calculation cell size. * This parameter determines the level of spatial approximation. For example, * the default value of 4 maps to 2x reductions in both x- and y- dimensions. * A value of 1 will result in an output raster grid whose dimensions exactly * matches the size parameter. * @param {Array} [params.bandwidth] - The KDE kernel bandwidths, * in pixels. The input can be a two-element array specifying separate * x and y bandwidths, or a single-element array specifying both. If the * bandwidth is unspecified or less than zero, the bandwidth will be * automatically determined. * @param {boolean} [params.counts=false] - A boolean flag indicating if the * output values should be probability estimates (false, default) or * smoothed counts (true). * @param {string} [params.as='grid'] - The output field in which to store * the generated raster grid (default 'grid'). */ function KDE2D(params) { Transform.call(this, null, params); } KDE2D.Definition = { 'type': 'KDE2D', 'metadata': { 'generates': true }, 'params': [{ 'name': 'size', 'type': 'number', 'array': true, 'length': 2, 'required': true }, { 'name': 'x', 'type': 'field', 'required': true }, { 'name': 'y', 'type': 'field', 'required': true }, { 'name': 'weight', 'type': 'field' }, { 'name': 'groupby', 'type': 'field', 'array': true }, { 'name': 'cellSize', 'type': 'number' }, { 'name': 'bandwidth', 'type': 'number', 'array': true, 'length': 2 }, { 'name': 'counts', 'type': 'boolean', 'default': false }, { 'name': 'as', 'type': 'string', 'default': 'grid' }] }; const PARAMS = ['x', 'y', 'weight', 'size', 'cellSize', 'bandwidth']; function params(obj, _) { PARAMS.forEach(param => _[param] != null ? obj[param](_[param]) : 0); return obj; } inherits(KDE2D, Transform, { transform(_, pulse) { if (this.value && !pulse.changed() && !_.modified()) return pulse.StopPropagation; var out = pulse.fork(pulse.NO_SOURCE | pulse.NO_FIELDS), source = pulse.materialize(pulse.SOURCE).source, groups = vega_geo_module_partition(source, _.groupby), names = (_.groupby || []).map(accessorName), kde = params(density2D(), _), as = _.as || 'grid', values = []; function set(t, vals) { for (let i = 0; i < names.length; ++i) t[names[i]] = vals[i]; return t; } // generate density raster grids values = groups.map(g => ingest$1(set({ [as]: kde(g, _.counts) }, g.dims))); if (this.value) out.rem = this.value; this.value = out.source = out.add = values; return out; } }); function vega_geo_module_partition(data, groupby) { var groups = [], get = f => f(t), map, i, n, t, k, g; // partition data points into groups if (groupby == null) { groups.push(data); } else { for (map = {}, i = 0, n = data.length; i < n; ++i) { t = data[i]; k = groupby.map(get); g = map[k]; if (!g) { map[k] = g = []; g.dims = k; groups.push(g); } g.push(t); } } return groups; } /** * Generate contours based on kernel-density estimation of point data. * @constructor * @param {object} params - The parameters for this operator. * @param {Array} params.size - The dimensions [width, height] over which to compute contours. * If the values parameter is provided, this must be the dimensions of the input data. * If density estimation is performed, this is the output view dimensions in pixels. * @param {Array} [params.values] - An array of numeric values representing an * width x height grid of values over which to compute contours. If unspecified, this * transform will instead attempt to compute contours for the kernel density estimate * using values drawn from data tuples in the input pulse. * @param {function(object): number} [params.x] - The pixel x-coordinate accessor for density estimation. * @param {function(object): number} [params.y] - The pixel y-coordinate accessor for density estimation. * @param {function(object): number} [params.weight] - The data point weight accessor for density estimation. * @param {number} [params.cellSize] - Contour density calculation cell size. * @param {number} [params.bandwidth] - Kernel density estimation bandwidth. * @param {Array} [params.thresholds] - Contour threshold array. If * this parameter is set, the count and nice parameters will be ignored. * @param {number} [params.count] - The desired number of contours. * @param {boolean} [params.nice] - Boolean flag indicating if the contour * threshold values should be automatically aligned to "nice" * human-friendly values. Setting this flag may cause the number of * thresholds to deviate from the specified count. * @param {boolean} [params.smooth] - Boolean flag indicating if the contour * polygons should be smoothed using linear interpolation. The default is * true. The parameter is ignored when using density estimation. */ function Contour(params) { Transform.call(this, null, params); } Contour.Definition = { 'type': 'Contour', 'metadata': { 'generates': true }, 'params': [{ 'name': 'size', 'type': 'number', 'array': true, 'length': 2, 'required': true }, { 'name': 'values', 'type': 'number', 'array': true }, { 'name': 'x', 'type': 'field' }, { 'name': 'y', 'type': 'field' }, { 'name': 'weight', 'type': 'field' }, { 'name': 'cellSize', 'type': 'number' }, { 'name': 'bandwidth', 'type': 'number' }, { 'name': 'count', 'type': 'number' }, { 'name': 'nice', 'type': 'boolean', 'default': false }, { 'name': 'thresholds', 'type': 'number', 'array': true }, { 'name': 'smooth', 'type': 'boolean', 'default': true }] }; inherits(Contour, Transform, { transform(_, pulse) { if (this.value && !pulse.changed() && !_.modified()) { return pulse.StopPropagation; } var out = pulse.fork(pulse.NO_SOURCE | pulse.NO_FIELDS), contour = contours().smooth(_.smooth !== false), values = _.values, thresh = _.thresholds || vega_geo_module_quantize(_.count || 10, _.nice, !!values), size = _.size, grid, post; if (!values) { values = pulse.materialize(pulse.SOURCE).source; grid = params(density2D(), _)(values, true); post = vega_geo_module_transform(grid, grid.scale || 1, grid.scale || 1, 0, 0); size = [grid.width, grid.height]; values = grid.values; } thresh = isArray(thresh) ? thresh : thresh(values); values = contour.size(size)(values, thresh); if (post) values.forEach(post); if (this.value) out.rem = this.value; this.value = out.source = out.add = (values || []).map(ingest$1); return out; } }); const Feature = 'Feature'; const FeatureCollection = 'FeatureCollection'; const MultiPoint = 'MultiPoint'; /** * Consolidate an array of [longitude, latitude] points or GeoJSON features * into a combined GeoJSON object. This transform is particularly useful for * combining geo data for a Projection's fit argument. The resulting GeoJSON * data is available as this transform's value. Input pulses are unchanged. * @constructor * @param {object} params - The parameters for this operator. * @param {Array} [params.fields] - A two-element array * of field accessors for the longitude and latitude values. * @param {function(object): *} params.geojson - A field accessor for * retrieving GeoJSON feature data. */ function GeoJSON(params) { Transform.call(this, null, params); } GeoJSON.Definition = { 'type': 'GeoJSON', 'metadata': {}, 'params': [{ 'name': 'fields', 'type': 'field', 'array': true, 'length': 2 }, { 'name': 'geojson', 'type': 'field' }] }; inherits(GeoJSON, Transform, { transform(_, pulse) { var features = this._features, points = this._points, fields = _.fields, lon = fields && fields[0], lat = fields && fields[1], geojson = _.geojson || !fields && identity, flag = pulse.ADD, mod; mod = _.modified() || pulse.changed(pulse.REM) || pulse.modified(accessorFields(geojson)) || lon && pulse.modified(accessorFields(lon)) || lat && pulse.modified(accessorFields(lat)); if (!this.value || mod) { flag = pulse.SOURCE; this._features = features = []; this._points = points = []; } if (geojson) { pulse.visit(flag, t => features.push(geojson(t))); } if (lon && lat) { pulse.visit(flag, t => { var x = lon(t), y = lat(t); if (x != null && y != null && (x = +x) === x && (y = +y) === y) { points.push([x, y]); } }); features = features.concat({ type: Feature, geometry: { type: MultiPoint, coordinates: points } }); } this.value = { type: FeatureCollection, features: features }; } }); /** * Map GeoJSON data to an SVG path string. * @constructor * @param {object} params - The parameters for this operator. * @param {function(number, number): *} params.projection - The cartographic * projection to apply. * @param {function(object): *} [params.field] - The field with GeoJSON data, * or null if the tuple itself is a GeoJSON feature. * @param {string} [params.as='path'] - The output field in which to store * the generated path data (default 'path'). */ function GeoPath(params) { Transform.call(this, null, params); } GeoPath.Definition = { 'type': 'GeoPath', 'metadata': { 'modifies': true }, 'params': [{ 'name': 'projection', 'type': 'projection' }, { 'name': 'field', 'type': 'field' }, { 'name': 'pointRadius', 'type': 'number', 'expr': true }, { 'name': 'as', 'type': 'string', 'default': 'path' }] }; inherits(GeoPath, Transform, { transform(_, pulse) { var out = pulse.fork(pulse.ALL), path = this.value, field = _.field || identity, as = _.as || 'path', flag = out.SOURCE; if (!path || _.modified()) { // parameters updated, reset and reflow this.value = path = getProjectionPath(_.projection); out.materialize().reflow(); } else { flag = field === identity || pulse.modified(field.fields) ? out.ADD_MOD : out.ADD; } const prev = initPath(path, _.pointRadius); out.visit(flag, t => t[as] = path(field(t))); path.pointRadius(prev); return out.modifies(as); } }); function initPath(path, pointRadius) { const prev = path.pointRadius(); path.context(null); if (pointRadius != null) { path.pointRadius(pointRadius); } return prev; } /** * Geo-code a longitude/latitude point to an x/y coordinate. * @constructor * @param {object} params - The parameters for this operator. * @param {function(number, number): *} params.projection - The cartographic * projection to apply. * @param {Array} params.fields - A two-element array of * field accessors for the longitude and latitude values. * @param {Array} [params.as] - A two-element array of field names * under which to store the result. Defaults to ['x','y']. */ function GeoPoint(params) { Transform.call(this, null, params); } GeoPoint.Definition = { 'type': 'GeoPoint', 'metadata': { 'modifies': true }, 'params': [{ 'name': 'projection', 'type': 'projection', 'required': true }, { 'name': 'fields', 'type': 'field', 'array': true, 'required': true, 'length': 2 }, { 'name': 'as', 'type': 'string', 'array': true, 'length': 2, 'default': ['x', 'y'] }] }; inherits(GeoPoint, Transform, { transform(_, pulse) { var proj = _.projection, lon = _.fields[0], lat = _.fields[1], as = _.as || ['x', 'y'], x = as[0], y = as[1], mod; function set(t) { const xy = proj([lon(t), lat(t)]); if (xy) { t[x] = xy[0]; t[y] = xy[1]; } else { t[x] = undefined; t[y] = undefined; } } if (_.modified()) { // parameters updated, reflow pulse = pulse.materialize().reflow(true).visit(pulse.SOURCE, set); } else { mod = pulse.modified(lon.fields) || pulse.modified(lat.fields); pulse.visit(mod ? pulse.ADD_MOD : pulse.ADD, set); } return pulse.modifies(as); } }); /** * Annotate items with a geopath shape generator. * @constructor * @param {object} params - The parameters for this operator. * @param {function(number, number): *} params.projection - The cartographic * projection to apply. * @param {function(object): *} [params.field] - The field with GeoJSON data, * or null if the tuple itself is a GeoJSON feature. * @param {string} [params.as='shape'] - The output field in which to store * the generated path data (default 'shape'). */ function GeoShape(params) { Transform.call(this, null, params); } GeoShape.Definition = { 'type': 'GeoShape', 'metadata': { 'modifies': true, 'nomod': true }, 'params': [{ 'name': 'projection', 'type': 'projection' }, { 'name': 'field', 'type': 'field', 'default': 'datum' }, { 'name': 'pointRadius', 'type': 'number', 'expr': true }, { 'name': 'as', 'type': 'string', 'default': 'shape' }] }; inherits(GeoShape, Transform, { transform(_, pulse) { var out = pulse.fork(pulse.ALL), shape = this.value, as = _.as || 'shape', flag = out.ADD; if (!shape || _.modified()) { // parameters updated, reset and reflow this.value = shape = shapeGenerator(getProjectionPath(_.projection), _.field || field('datum'), _.pointRadius); out.materialize().reflow(); flag = out.SOURCE; } out.visit(flag, t => t[as] = shape); return out.modifies(as); } }); function shapeGenerator(path, field, pointRadius) { const shape = pointRadius == null ? _ => path(field(_)) : _ => { var prev = path.pointRadius(), value = path.pointRadius(pointRadius)(field(_)); path.pointRadius(prev); return value; }; shape.context = _ => { path.context(_); return shape; }; return shape; } /** * GeoJSON feature generator for creating graticules. * @constructor */ function Graticule(params) { Transform.call(this, [], params); this.generator = graticule(); } Graticule.Definition = { 'type': 'Graticule', 'metadata': { 'changes': true, 'generates': true }, 'params': [{ 'name': 'extent', 'type': 'array', 'array': true, 'length': 2, 'content': { 'type': 'number', 'array': true, 'length': 2 } }, { 'name': 'extentMajor', 'type': 'array', 'array': true, 'length': 2, 'content': { 'type': 'number', 'array': true, 'length': 2 } }, { 'name': 'extentMinor', 'type': 'array', 'array': true, 'length': 2, 'content': { 'type': 'number', 'array': true, 'length': 2 } }, { 'name': 'step', 'type': 'number', 'array': true, 'length': 2 }, { 'name': 'stepMajor', 'type': 'number', 'array': true, 'length': 2, 'default': [90, 360] }, { 'name': 'stepMinor', 'type': 'number', 'array': true, 'length': 2, 'default': [10, 10] }, { 'name': 'precision', 'type': 'number', 'default': 2.5 }] }; inherits(Graticule, Transform, { transform(_, pulse) { var src = this.value, gen = this.generator, t; if (!src.length || _.modified()) { for (const prop in _) { if (vega_util_module_isFunction(gen[prop])) { gen[prop](_[prop]); } } } t = gen(); if (src.length) { pulse.mod.push(replace(src[0], t)); } else { pulse.add.push(ingest$1(t)); } src[0] = t; return pulse; } }); /** * Render a heatmap image for input raster grid data. * @constructor * @param {object} params - The parameters for this operator. * @param {function(object): *} [params.field] - The field with raster grid * data. If unspecified, the tuple itself is interpreted as a raster grid. * @param {string} [params.color] - A constant color value or function for * individual pixel color. If a function, it will be invoked with an input * object that includes $x, $y, $value, and $max fields for the grid. * @param {number} [params.opacity] - A constant opacity value or function for * individual pixel opacity. If a function, it will be invoked with an input * object that includes $x, $y, $value, and $max fields for the grid. * @param {string} [params.resolve] - The method for resolving maximum values * across multiple input grids. If 'independent' (the default), maximum * calculation will be performed separately for each grid. If 'shared', * a single global maximum will be used for all input grids. * @param {string} [params.as='image'] - The output field in which to store * the generated bitmap canvas images (default 'image'). */ function Heatmap(params) { Transform.call(this, null, params); } Heatmap.Definition = { 'type': 'heatmap', 'metadata': { 'modifies': true }, 'params': [{ 'name': 'field', 'type': 'field' }, { 'name': 'color', 'type': 'string', 'expr': true }, { 'name': 'opacity', 'type': 'number', 'expr': true }, { 'name': 'resolve', 'type': 'enum', 'values': ['shared', 'independent'], 'default': 'independent' }, { 'name': 'as', 'type': 'string', 'default': 'image' }] }; inherits(Heatmap, Transform, { transform(_, pulse) { if (!pulse.changed() && !_.modified()) { return pulse.StopPropagation; } var source = pulse.materialize(pulse.SOURCE).source, shared = _.resolve === 'shared', field = _.field || identity, opacity = opacity_(_.opacity, _), color = color_(_.color, _), as = _.as || 'image', obj = { $x: 0, $y: 0, $value: 0, $max: shared ? (0,max/* default */.Z)(source.map(t => (0,max/* default */.Z)(field(t).values))) : 0 }; source.forEach(t => { const v = field(t); // build proxy data object const o = extend({}, t, obj); // set maximum value if not globally shared if (!shared) o.$max = (0,max/* default */.Z)(v.values || []); // generate canvas image // optimize color/opacity if not pixel-dependent t[as] = toCanvas(v, o, color.dep ? color : vega_util_module_constant(color(o)), opacity.dep ? opacity : vega_util_module_constant(opacity(o))); }); return pulse.reflow(true).modifies(as); } }); // get image color function function color_(color, _) { let f; if (vega_util_module_isFunction(color)) { f = obj => (0,src_color/* rgb */.B8)(color(obj, _)); f.dep = dependency(color); } else { // default to mid-grey f = vega_util_module_constant((0,src_color/* rgb */.B8)(color || '#888')); } return f; } // get image opacity function function opacity_(opacity, _) { let f; if (vega_util_module_isFunction(opacity)) { f = obj => opacity(obj, _); f.dep = dependency(opacity); } else if (opacity) { f = vega_util_module_constant(opacity); } else { // default to [0, max] opacity gradient f = obj => obj.$value / obj.$max || 0; f.dep = true; } return f; } // check if function depends on individual pixel data function dependency(f) { if (!vega_util_module_isFunction(f)) return false; const set = vega_util_module_toSet(accessorFields(f)); return set.$x || set.$y || set.$value || set.$max; } // render raster grid to canvas function toCanvas(grid, obj, color, opacity) { const n = grid.width, m = grid.height, x1 = grid.x1 || 0, y1 = grid.y1 || 0, x2 = grid.x2 || n, y2 = grid.y2 || m, val = grid.values, value = val ? i => val[i] : zero, can = domCanvas(x2 - x1, y2 - y1), ctx = can.getContext('2d'), img = ctx.getImageData(0, 0, x2 - x1, y2 - y1), pix = img.data; for (let j = y1, k = 0; j < y2; ++j) { obj.$y = j - y1; for (let i = x1, r = j * n; i < x2; ++i, k += 4) { obj.$x = i - x1; obj.$value = value(i + r); const v = color(obj); pix[k + 0] = v.r; pix[k + 1] = v.g; pix[k + 2] = v.b; pix[k + 3] = ~~(255 * opacity(obj)); } } ctx.putImageData(img, 0, 0); return can; } /** * Maintains a cartographic projection. * @constructor * @param {object} params - The parameters for this operator. */ function Projection(params) { Transform.call(this, null, params); this.modified(true); // always treat as modified } inherits(Projection, Transform, { transform(_, pulse) { let proj = this.value; if (!proj || _.modified('type')) { this.value = proj = vega_geo_module_create(_.type); projectionProperties.forEach(prop => { if (_[prop] != null) vega_geo_module_set(proj, prop, _[prop]); }); } else { projectionProperties.forEach(prop => { if (_.modified(prop)) vega_geo_module_set(proj, prop, _[prop]); }); } if (_.pointRadius != null) proj.path.pointRadius(_.pointRadius); if (_.fit) vega_geo_module_fit(proj, _); return pulse.fork(pulse.NO_SOURCE | pulse.NO_FIELDS); } }); function vega_geo_module_fit(proj, _) { const data = collectGeoJSON(_.fit); _.extent ? proj.fitExtent(_.extent, data) : _.size ? proj.fitSize(_.size, data) : 0; } function vega_geo_module_create(type) { const constructor = vega_projection_module_projection((type || 'mercator').toLowerCase()); if (!constructor) vega_util_module_error('Unrecognized projection type: ' + type); return constructor(); } function vega_geo_module_set(proj, key, value) { if (vega_util_module_isFunction(proj[key])) proj[key](value); } function collectGeoJSON(data) { data = array(data); return data.length === 1 ? data[0] : { type: FeatureCollection, features: data.reduce((a, f) => a.concat(featurize(f)), []) }; } function featurize(f) { return f.type === FeatureCollection ? f.features : array(f).filter(d => d != null).map(d => d.type === Feature ? d : { type: Feature, geometry: d }); } ;// CONCATENATED MODULE: ../node_modules/d3-force/src/center.js /* harmony default export */ function center(x, y) { var nodes, strength = 1; if (x == null) x = 0; if (y == null) y = 0; function force() { var i, n = nodes.length, node, sx = 0, sy = 0; for (i = 0; i < n; ++i) { node = nodes[i], sx += node.x, sy += node.y; } for (sx = (sx / n - x) * strength, sy = (sy / n - y) * strength, i = 0; i < n; ++i) { node = nodes[i], node.x -= sx, node.y -= sy; } } force.initialize = function(_) { nodes = _; }; force.x = function(_) { return arguments.length ? (x = +_, force) : x; }; force.y = function(_) { return arguments.length ? (y = +_, force) : y; }; force.strength = function(_) { return arguments.length ? (strength = +_, force) : strength; }; return force; } ;// CONCATENATED MODULE: ../node_modules/d3-quadtree/src/add.js /* harmony default export */ function src_add(d) { const x = +this._x.call(null, d), y = +this._y.call(null, d); return add_add(this.cover(x, y), x, y, d); } function add_add(tree, x, y, d) { if (isNaN(x) || isNaN(y)) return tree; // ignore invalid points var parent, node = tree._root, leaf = {data: d}, x0 = tree._x0, y0 = tree._y0, x1 = tree._x1, y1 = tree._y1, xm, ym, xp, yp, right, bottom, i, j; // If the tree is empty, initialize the root as a leaf. if (!node) return tree._root = leaf, tree; // Find the existing leaf for the new point, or add it. while (node.length) { if (right = x >= (xm = (x0 + x1) / 2)) x0 = xm; else x1 = xm; if (bottom = y >= (ym = (y0 + y1) / 2)) y0 = ym; else y1 = ym; if (parent = node, !(node = node[i = bottom << 1 | right])) return parent[i] = leaf, tree; } // Is the new point is exactly coincident with the existing point? xp = +tree._x.call(null, node.data); yp = +tree._y.call(null, node.data); if (x === xp && y === yp) return leaf.next = node, parent ? parent[i] = leaf : tree._root = leaf, tree; // Otherwise, split the leaf node until the old and new point are separated. do { parent = parent ? parent[i] = new Array(4) : tree._root = new Array(4); if (right = x >= (xm = (x0 + x1) / 2)) x0 = xm; else x1 = xm; if (bottom = y >= (ym = (y0 + y1) / 2)) y0 = ym; else y1 = ym; } while ((i = bottom << 1 | right) === (j = (yp >= ym) << 1 | (xp >= xm))); return parent[j] = node, parent[i] = leaf, tree; } function addAll(data) { var d, i, n = data.length, x, y, xz = new Array(n), yz = new Array(n), x0 = Infinity, y0 = Infinity, x1 = -Infinity, y1 = -Infinity; // Compute the points and their extent. for (i = 0; i < n; ++i) { if (isNaN(x = +this._x.call(null, d = data[i])) || isNaN(y = +this._y.call(null, d))) continue; xz[i] = x; yz[i] = y; if (x < x0) x0 = x; if (x > x1) x1 = x; if (y < y0) y0 = y; if (y > y1) y1 = y; } // If there were no (valid) points, abort. if (x0 > x1 || y0 > y1) return this; // Expand the tree to cover the new points. this.cover(x0, y0).cover(x1, y1); // Add the new points. for (i = 0; i < n; ++i) { add_add(this, xz[i], yz[i], data[i]); } return this; } ;// CONCATENATED MODULE: ../node_modules/d3-quadtree/src/cover.js /* harmony default export */ function cover(x, y) { if (isNaN(x = +x) || isNaN(y = +y)) return this; // ignore invalid points var x0 = this._x0, y0 = this._y0, x1 = this._x1, y1 = this._y1; // If the quadtree has no extent, initialize them. // Integer extent are necessary so that if we later double the extent, // the existing quadrant boundaries don’t change due to floating point error! if (isNaN(x0)) { x1 = (x0 = Math.floor(x)) + 1; y1 = (y0 = Math.floor(y)) + 1; } // Otherwise, double repeatedly to cover. else { var z = x1 - x0 || 1, node = this._root, parent, i; while (x0 > x || x >= x1 || y0 > y || y >= y1) { i = (y < y0) << 1 | (x < x0); parent = new Array(4), parent[i] = node, node = parent, z *= 2; switch (i) { case 0: x1 = x0 + z, y1 = y0 + z; break; case 1: x0 = x1 - z, y1 = y0 + z; break; case 2: x1 = x0 + z, y0 = y1 - z; break; case 3: x0 = x1 - z, y0 = y1 - z; break; } } if (this._root && this._root.length) this._root = node; } this._x0 = x0; this._y0 = y0; this._x1 = x1; this._y1 = y1; return this; } ;// CONCATENATED MODULE: ../node_modules/d3-quadtree/src/data.js /* harmony default export */ function data() { var data = []; this.visit(function(node) { if (!node.length) do data.push(node.data); while (node = node.next) }); return data; } ;// CONCATENATED MODULE: ../node_modules/d3-quadtree/src/extent.js /* harmony default export */ function src_extent(_) { return arguments.length ? this.cover(+_[0][0], +_[0][1]).cover(+_[1][0], +_[1][1]) : isNaN(this._x0) ? undefined : [[this._x0, this._y0], [this._x1, this._y1]]; } ;// CONCATENATED MODULE: ../node_modules/d3-quadtree/src/quad.js /* harmony default export */ function src_quad(node, x0, y0, x1, y1) { this.node = node; this.x0 = x0; this.y0 = y0; this.x1 = x1; this.y1 = y1; } ;// CONCATENATED MODULE: ../node_modules/d3-quadtree/src/find.js /* harmony default export */ function src_find(x, y, radius) { var data, x0 = this._x0, y0 = this._y0, x1, y1, x2, y2, x3 = this._x1, y3 = this._y1, quads = [], node = this._root, q, i; if (node) quads.push(new src_quad(node, x0, y0, x3, y3)); if (radius == null) radius = Infinity; else { x0 = x - radius, y0 = y - radius; x3 = x + radius, y3 = y + radius; radius *= radius; } while (q = quads.pop()) { // Stop searching if this quadrant can’t contain a closer node. if (!(node = q.node) || (x1 = q.x0) > x3 || (y1 = q.y0) > y3 || (x2 = q.x1) < x0 || (y2 = q.y1) < y0) continue; // Bisect the current quadrant. if (node.length) { var xm = (x1 + x2) / 2, ym = (y1 + y2) / 2; quads.push( new src_quad(node[3], xm, ym, x2, y2), new src_quad(node[2], x1, ym, xm, y2), new src_quad(node[1], xm, y1, x2, ym), new src_quad(node[0], x1, y1, xm, ym) ); // Visit the closest quadrant first. if (i = (y >= ym) << 1 | (x >= xm)) { q = quads[quads.length - 1]; quads[quads.length - 1] = quads[quads.length - 1 - i]; quads[quads.length - 1 - i] = q; } } // Visit this point. (Visiting coincident points isn’t necessary!) else { var dx = x - +this._x.call(null, node.data), dy = y - +this._y.call(null, node.data), d2 = dx * dx + dy * dy; if (d2 < radius) { var d = Math.sqrt(radius = d2); x0 = x - d, y0 = y - d; x3 = x + d, y3 = y + d; data = node.data; } } } return data; } ;// CONCATENATED MODULE: ../node_modules/d3-quadtree/src/remove.js /* harmony default export */ function remove(d) { if (isNaN(x = +this._x.call(null, d)) || isNaN(y = +this._y.call(null, d))) return this; // ignore invalid points var parent, node = this._root, retainer, previous, next, x0 = this._x0, y0 = this._y0, x1 = this._x1, y1 = this._y1, x, y, xm, ym, right, bottom, i, j; // If the tree is empty, initialize the root as a leaf. if (!node) return this; // Find the leaf node for the point. // While descending, also retain the deepest parent with a non-removed sibling. if (node.length) while (true) { if (right = x >= (xm = (x0 + x1) / 2)) x0 = xm; else x1 = xm; if (bottom = y >= (ym = (y0 + y1) / 2)) y0 = ym; else y1 = ym; if (!(parent = node, node = node[i = bottom << 1 | right])) return this; if (!node.length) break; if (parent[(i + 1) & 3] || parent[(i + 2) & 3] || parent[(i + 3) & 3]) retainer = parent, j = i; } // Find the point to remove. while (node.data !== d) if (!(previous = node, node = node.next)) return this; if (next = node.next) delete node.next; // If there are multiple coincident points, remove just the point. if (previous) return (next ? previous.next = next : delete previous.next), this; // If this is the root point, remove it. if (!parent) return this._root = next, this; // Remove this leaf. next ? parent[i] = next : delete parent[i]; // If the parent now contains exactly one leaf, collapse superfluous parents. if ((node = parent[0] || parent[1] || parent[2] || parent[3]) && node === (parent[3] || parent[2] || parent[1] || parent[0]) && !node.length) { if (retainer) retainer[j] = node; else this._root = node; } return this; } function removeAll(data) { for (var i = 0, n = data.length; i < n; ++i) this.remove(data[i]); return this; } ;// CONCATENATED MODULE: ../node_modules/d3-quadtree/src/root.js /* harmony default export */ function root() { return this._root; } ;// CONCATENATED MODULE: ../node_modules/d3-quadtree/src/size.js /* harmony default export */ function size() { var size = 0; this.visit(function(node) { if (!node.length) do ++size; while (node = node.next) }); return size; } ;// CONCATENATED MODULE: ../node_modules/d3-quadtree/src/visit.js /* harmony default export */ function src_visit(callback) { var quads = [], q, node = this._root, child, x0, y0, x1, y1; if (node) quads.push(new src_quad(node, this._x0, this._y0, this._x1, this._y1)); while (q = quads.pop()) { if (!callback(node = q.node, x0 = q.x0, y0 = q.y0, x1 = q.x1, y1 = q.y1) && node.length) { var xm = (x0 + x1) / 2, ym = (y0 + y1) / 2; if (child = node[3]) quads.push(new src_quad(child, xm, ym, x1, y1)); if (child = node[2]) quads.push(new src_quad(child, x0, ym, xm, y1)); if (child = node[1]) quads.push(new src_quad(child, xm, y0, x1, ym)); if (child = node[0]) quads.push(new src_quad(child, x0, y0, xm, ym)); } } return this; } ;// CONCATENATED MODULE: ../node_modules/d3-quadtree/src/visitAfter.js /* harmony default export */ function visitAfter(callback) { var quads = [], next = [], q; if (this._root) quads.push(new src_quad(this._root, this._x0, this._y0, this._x1, this._y1)); while (q = quads.pop()) { var node = q.node; if (node.length) { var child, x0 = q.x0, y0 = q.y0, x1 = q.x1, y1 = q.y1, xm = (x0 + x1) / 2, ym = (y0 + y1) / 2; if (child = node[0]) quads.push(new src_quad(child, x0, y0, xm, ym)); if (child = node[1]) quads.push(new src_quad(child, xm, y0, x1, ym)); if (child = node[2]) quads.push(new src_quad(child, x0, ym, xm, y1)); if (child = node[3]) quads.push(new src_quad(child, xm, ym, x1, y1)); } next.push(q); } while (q = next.pop()) { callback(q.node, q.x0, q.y0, q.x1, q.y1); } return this; } ;// CONCATENATED MODULE: ../node_modules/d3-quadtree/src/x.js function defaultX(d) { return d[0]; } /* harmony default export */ function src_x(_) { return arguments.length ? (this._x = _, this) : this._x; } ;// CONCATENATED MODULE: ../node_modules/d3-quadtree/src/y.js function defaultY(d) { return d[1]; } /* harmony default export */ function src_y(_) { return arguments.length ? (this._y = _, this) : this._y; } ;// CONCATENATED MODULE: ../node_modules/d3-quadtree/src/quadtree.js function quadtree(nodes, x, y) { var tree = new Quadtree(x == null ? defaultX : x, y == null ? defaultY : y, NaN, NaN, NaN, NaN); return nodes == null ? tree : tree.addAll(nodes); } function Quadtree(x, y, x0, y0, x1, y1) { this._x = x; this._y = y; this._x0 = x0; this._y0 = y0; this._x1 = x1; this._y1 = y1; this._root = undefined; } function leaf_copy(leaf) { var copy = {data: leaf.data}, next = copy; while (leaf = leaf.next) next = next.next = {data: leaf.data}; return copy; } var treeProto = quadtree.prototype = Quadtree.prototype; treeProto.copy = function() { var copy = new Quadtree(this._x, this._y, this._x0, this._y0, this._x1, this._y1), node = this._root, nodes, child; if (!node) return copy; if (!node.length) return copy._root = leaf_copy(node), copy; nodes = [{source: node, target: copy._root = new Array(4)}]; while (node = nodes.pop()) { for (var i = 0; i < 4; ++i) { if (child = node.source[i]) { if (child.length) nodes.push({source: child, target: node.target[i] = new Array(4)}); else node.target[i] = leaf_copy(child); } } } return copy; }; treeProto.add = src_add; treeProto.addAll = addAll; treeProto.cover = cover; treeProto.data = data; treeProto.extent = src_extent; treeProto.find = src_find; treeProto.remove = remove; treeProto.removeAll = removeAll; treeProto.root = root; treeProto.size = size; treeProto.visit = src_visit; treeProto.visitAfter = visitAfter; treeProto.x = src_x; treeProto.y = src_y; ;// CONCATENATED MODULE: ../node_modules/d3-force/src/constant.js /* harmony default export */ function d3_force_src_constant(x) { return function() { return x; }; } ;// CONCATENATED MODULE: ../node_modules/d3-force/src/jiggle.js /* harmony default export */ function jiggle(random) { return (random() - 0.5) * 1e-6; } ;// CONCATENATED MODULE: ../node_modules/d3-force/src/collide.js function collide_x(d) { return d.x + d.vx; } function collide_y(d) { return d.y + d.vy; } /* harmony default export */ function collide(radius) { var nodes, radii, random, strength = 1, iterations = 1; if (typeof radius !== "function") radius = d3_force_src_constant(radius == null ? 1 : +radius); function force() { var i, n = nodes.length, tree, node, xi, yi, ri, ri2; for (var k = 0; k < iterations; ++k) { tree = quadtree(nodes, collide_x, collide_y).visitAfter(prepare); for (i = 0; i < n; ++i) { node = nodes[i]; ri = radii[node.index], ri2 = ri * ri; xi = node.x + node.vx; yi = node.y + node.vy; tree.visit(apply); } } function apply(quad, x0, y0, x1, y1) { var data = quad.data, rj = quad.r, r = ri + rj; if (data) { if (data.index > node.index) { var x = xi - data.x - data.vx, y = yi - data.y - data.vy, l = x * x + y * y; if (l < r * r) { if (x === 0) x = jiggle(random), l += x * x; if (y === 0) y = jiggle(random), l += y * y; l = (r - (l = Math.sqrt(l))) / l * strength; node.vx += (x *= l) * (r = (rj *= rj) / (ri2 + rj)); node.vy += (y *= l) * r; data.vx -= x * (r = 1 - r); data.vy -= y * r; } } return; } return x0 > xi + r || x1 < xi - r || y0 > yi + r || y1 < yi - r; } } function prepare(quad) { if (quad.data) return quad.r = radii[quad.data.index]; for (var i = quad.r = 0; i < 4; ++i) { if (quad[i] && quad[i].r > quad.r) { quad.r = quad[i].r; } } } function initialize() { if (!nodes) return; var i, n = nodes.length, node; radii = new Array(n); for (i = 0; i < n; ++i) node = nodes[i], radii[node.index] = +radius(node, i, nodes); } force.initialize = function(_nodes, _random) { nodes = _nodes; random = _random; initialize(); }; force.iterations = function(_) { return arguments.length ? (iterations = +_, force) : iterations; }; force.strength = function(_) { return arguments.length ? (strength = +_, force) : strength; }; force.radius = function(_) { return arguments.length ? (radius = typeof _ === "function" ? _ : d3_force_src_constant(+_), initialize(), force) : radius; }; return force; } // EXTERNAL MODULE: ../node_modules/d3-dispatch/src/dispatch.js var dispatch = __webpack_require__(65043); // EXTERNAL MODULE: ../node_modules/d3-timer/src/timer.js var timer = __webpack_require__(11647); ;// CONCATENATED MODULE: ../node_modules/d3-force/src/lcg.js // https://en.wikipedia.org/wiki/Linear_congruential_generator#Parameters_in_common_use const lcg_a = 1664525; const lcg_c = 1013904223; const m = 4294967296; // 2^32 /* harmony default export */ function src_lcg() { let s = 1; return () => (s = (lcg_a * s + lcg_c) % m) / m; } ;// CONCATENATED MODULE: ../node_modules/d3-force/src/simulation.js function simulation_x(d) { return d.x; } function simulation_y(d) { return d.y; } var initialRadius = 10, initialAngle = Math.PI * (3 - Math.sqrt(5)); /* harmony default export */ function simulation(nodes) { var simulation, alpha = 1, alphaMin = 0.001, alphaDecay = 1 - Math.pow(alphaMin, 1 / 300), alphaTarget = 0, velocityDecay = 0.6, forces = new Map(), stepper = (0,timer/* timer */.HT)(step), event = (0,dispatch/* default */.Z)("tick", "end"), random = src_lcg(); if (nodes == null) nodes = []; function step() { tick(); event.call("tick", simulation); if (alpha < alphaMin) { stepper.stop(); event.call("end", simulation); } } function tick(iterations) { var i, n = nodes.length, node; if (iterations === undefined) iterations = 1; for (var k = 0; k < iterations; ++k) { alpha += (alphaTarget - alpha) * alphaDecay; forces.forEach(function(force) { force(alpha); }); for (i = 0; i < n; ++i) { node = nodes[i]; if (node.fx == null) node.x += node.vx *= velocityDecay; else node.x = node.fx, node.vx = 0; if (node.fy == null) node.y += node.vy *= velocityDecay; else node.y = node.fy, node.vy = 0; } } return simulation; } function initializeNodes() { for (var i = 0, n = nodes.length, node; i < n; ++i) { node = nodes[i], node.index = i; if (node.fx != null) node.x = node.fx; if (node.fy != null) node.y = node.fy; if (isNaN(node.x) || isNaN(node.y)) { var radius = initialRadius * Math.sqrt(0.5 + i), angle = i * initialAngle; node.x = radius * Math.cos(angle); node.y = radius * Math.sin(angle); } if (isNaN(node.vx) || isNaN(node.vy)) { node.vx = node.vy = 0; } } } function initializeForce(force) { if (force.initialize) force.initialize(nodes, random); return force; } initializeNodes(); return simulation = { tick: tick, restart: function() { return stepper.restart(step), simulation; }, stop: function() { return stepper.stop(), simulation; }, nodes: function(_) { return arguments.length ? (nodes = _, initializeNodes(), forces.forEach(initializeForce), simulation) : nodes; }, alpha: function(_) { return arguments.length ? (alpha = +_, simulation) : alpha; }, alphaMin: function(_) { return arguments.length ? (alphaMin = +_, simulation) : alphaMin; }, alphaDecay: function(_) { return arguments.length ? (alphaDecay = +_, simulation) : +alphaDecay; }, alphaTarget: function(_) { return arguments.length ? (alphaTarget = +_, simulation) : alphaTarget; }, velocityDecay: function(_) { return arguments.length ? (velocityDecay = 1 - _, simulation) : 1 - velocityDecay; }, randomSource: function(_) { return arguments.length ? (random = _, forces.forEach(initializeForce), simulation) : random; }, force: function(name, _) { return arguments.length > 1 ? ((_ == null ? forces.delete(name) : forces.set(name, initializeForce(_))), simulation) : forces.get(name); }, find: function(x, y, radius) { var i = 0, n = nodes.length, dx, dy, d2, node, closest; if (radius == null) radius = Infinity; else radius *= radius; for (i = 0; i < n; ++i) { node = nodes[i]; dx = x - node.x; dy = y - node.y; d2 = dx * dx + dy * dy; if (d2 < radius) closest = node, radius = d2; } return closest; }, on: function(name, _) { return arguments.length > 1 ? (event.on(name, _), simulation) : event.on(name); } }; } ;// CONCATENATED MODULE: ../node_modules/d3-force/src/manyBody.js /* harmony default export */ function manyBody() { var nodes, node, random, alpha, strength = d3_force_src_constant(-30), strengths, distanceMin2 = 1, distanceMax2 = Infinity, theta2 = 0.81; function force(_) { var i, n = nodes.length, tree = quadtree(nodes, simulation_x, simulation_y).visitAfter(accumulate); for (alpha = _, i = 0; i < n; ++i) node = nodes[i], tree.visit(apply); } function initialize() { if (!nodes) return; var i, n = nodes.length, node; strengths = new Array(n); for (i = 0; i < n; ++i) node = nodes[i], strengths[node.index] = +strength(node, i, nodes); } function accumulate(quad) { var strength = 0, q, c, weight = 0, x, y, i; // For internal nodes, accumulate forces from child quadrants. if (quad.length) { for (x = y = i = 0; i < 4; ++i) { if ((q = quad[i]) && (c = Math.abs(q.value))) { strength += q.value, weight += c, x += c * q.x, y += c * q.y; } } quad.x = x / weight; quad.y = y / weight; } // For leaf nodes, accumulate forces from coincident quadrants. else { q = quad; q.x = q.data.x; q.y = q.data.y; do strength += strengths[q.data.index]; while (q = q.next); } quad.value = strength; } function apply(quad, x1, _, x2) { if (!quad.value) return true; var x = quad.x - node.x, y = quad.y - node.y, w = x2 - x1, l = x * x + y * y; // Apply the Barnes-Hut approximation if possible. // Limit forces for very close nodes; randomize direction if coincident. if (w * w / theta2 < l) { if (l < distanceMax2) { if (x === 0) x = jiggle(random), l += x * x; if (y === 0) y = jiggle(random), l += y * y; if (l < distanceMin2) l = Math.sqrt(distanceMin2 * l); node.vx += x * quad.value * alpha / l; node.vy += y * quad.value * alpha / l; } return true; } // Otherwise, process points directly. else if (quad.length || l >= distanceMax2) return; // Limit forces for very close nodes; randomize direction if coincident. if (quad.data !== node || quad.next) { if (x === 0) x = jiggle(random), l += x * x; if (y === 0) y = jiggle(random), l += y * y; if (l < distanceMin2) l = Math.sqrt(distanceMin2 * l); } do if (quad.data !== node) { w = strengths[quad.data.index] * alpha / l; node.vx += x * w; node.vy += y * w; } while (quad = quad.next); } force.initialize = function(_nodes, _random) { nodes = _nodes; random = _random; initialize(); }; force.strength = function(_) { return arguments.length ? (strength = typeof _ === "function" ? _ : d3_force_src_constant(+_), initialize(), force) : strength; }; force.distanceMin = function(_) { return arguments.length ? (distanceMin2 = _ * _, force) : Math.sqrt(distanceMin2); }; force.distanceMax = function(_) { return arguments.length ? (distanceMax2 = _ * _, force) : Math.sqrt(distanceMax2); }; force.theta = function(_) { return arguments.length ? (theta2 = _ * _, force) : Math.sqrt(theta2); }; return force; } ;// CONCATENATED MODULE: ../node_modules/d3-force/src/link.js function index(d) { return d.index; } function link_find(nodeById, nodeId) { var node = nodeById.get(nodeId); if (!node) throw new Error("node not found: " + nodeId); return node; } /* harmony default export */ function src_link(links) { var id = index, strength = defaultStrength, strengths, distance = d3_force_src_constant(30), distances, nodes, count, bias, random, iterations = 1; if (links == null) links = []; function defaultStrength(link) { return 1 / Math.min(count[link.source.index], count[link.target.index]); } function force(alpha) { for (var k = 0, n = links.length; k < iterations; ++k) { for (var i = 0, link, source, target, x, y, l, b; i < n; ++i) { link = links[i], source = link.source, target = link.target; x = target.x + target.vx - source.x - source.vx || jiggle(random); y = target.y + target.vy - source.y - source.vy || jiggle(random); l = Math.sqrt(x * x + y * y); l = (l - distances[i]) / l * alpha * strengths[i]; x *= l, y *= l; target.vx -= x * (b = bias[i]); target.vy -= y * b; source.vx += x * (b = 1 - b); source.vy += y * b; } } } function initialize() { if (!nodes) return; var i, n = nodes.length, m = links.length, nodeById = new Map(nodes.map((d, i) => [id(d, i, nodes), d])), link; for (i = 0, count = new Array(n); i < m; ++i) { link = links[i], link.index = i; if (typeof link.source !== "object") link.source = link_find(nodeById, link.source); if (typeof link.target !== "object") link.target = link_find(nodeById, link.target); count[link.source.index] = (count[link.source.index] || 0) + 1; count[link.target.index] = (count[link.target.index] || 0) + 1; } for (i = 0, bias = new Array(m); i < m; ++i) { link = links[i], bias[i] = count[link.source.index] / (count[link.source.index] + count[link.target.index]); } strengths = new Array(m), initializeStrength(); distances = new Array(m), initializeDistance(); } function initializeStrength() { if (!nodes) return; for (var i = 0, n = links.length; i < n; ++i) { strengths[i] = +strength(links[i], i, links); } } function initializeDistance() { if (!nodes) return; for (var i = 0, n = links.length; i < n; ++i) { distances[i] = +distance(links[i], i, links); } } force.initialize = function(_nodes, _random) { nodes = _nodes; random = _random; initialize(); }; force.links = function(_) { return arguments.length ? (links = _, initialize(), force) : links; }; force.id = function(_) { return arguments.length ? (id = _, force) : id; }; force.iterations = function(_) { return arguments.length ? (iterations = +_, force) : iterations; }; force.strength = function(_) { return arguments.length ? (strength = typeof _ === "function" ? _ : d3_force_src_constant(+_), initializeStrength(), force) : strength; }; force.distance = function(_) { return arguments.length ? (distance = typeof _ === "function" ? _ : d3_force_src_constant(+_), initializeDistance(), force) : distance; }; return force; } ;// CONCATENATED MODULE: ../node_modules/d3-force/src/x.js /* harmony default export */ function d3_force_src_x(x) { var strength = d3_force_src_constant(0.1), nodes, strengths, xz; if (typeof x !== "function") x = d3_force_src_constant(x == null ? 0 : +x); function force(alpha) { for (var i = 0, n = nodes.length, node; i < n; ++i) { node = nodes[i], node.vx += (xz[i] - node.x) * strengths[i] * alpha; } } function initialize() { if (!nodes) return; var i, n = nodes.length; strengths = new Array(n); xz = new Array(n); for (i = 0; i < n; ++i) { strengths[i] = isNaN(xz[i] = +x(nodes[i], i, nodes)) ? 0 : +strength(nodes[i], i, nodes); } } force.initialize = function(_) { nodes = _; initialize(); }; force.strength = function(_) { return arguments.length ? (strength = typeof _ === "function" ? _ : d3_force_src_constant(+_), initialize(), force) : strength; }; force.x = function(_) { return arguments.length ? (x = typeof _ === "function" ? _ : d3_force_src_constant(+_), initialize(), force) : x; }; return force; } ;// CONCATENATED MODULE: ../node_modules/d3-force/src/y.js /* harmony default export */ function d3_force_src_y(y) { var strength = d3_force_src_constant(0.1), nodes, strengths, yz; if (typeof y !== "function") y = d3_force_src_constant(y == null ? 0 : +y); function force(alpha) { for (var i = 0, n = nodes.length, node; i < n; ++i) { node = nodes[i], node.vy += (yz[i] - node.y) * strengths[i] * alpha; } } function initialize() { if (!nodes) return; var i, n = nodes.length; strengths = new Array(n); yz = new Array(n); for (i = 0; i < n; ++i) { strengths[i] = isNaN(yz[i] = +y(nodes[i], i, nodes)) ? 0 : +strength(nodes[i], i, nodes); } } force.initialize = function(_) { nodes = _; initialize(); }; force.strength = function(_) { return arguments.length ? (strength = typeof _ === "function" ? _ : d3_force_src_constant(+_), initialize(), force) : strength; }; force.y = function(_) { return arguments.length ? (y = typeof _ === "function" ? _ : d3_force_src_constant(+_), initialize(), force) : y; }; return force; } ;// CONCATENATED MODULE: ../node_modules/vega-force/build/vega-force.module.js const ForceMap = { center: center, collide: collide, nbody: manyBody, link: src_link, x: d3_force_src_x, y: d3_force_src_y }; const Forces = 'forces', ForceParams = ['alpha', 'alphaMin', 'alphaTarget', 'velocityDecay', 'forces'], ForceConfig = ['static', 'iterations'], ForceOutput = ['x', 'y', 'vx', 'vy']; /** * Force simulation layout. * @constructor * @param {object} params - The parameters for this operator. * @param {Array} params.forces - The forces to apply. */ function Force(params) { Transform.call(this, null, params); } Force.Definition = { 'type': 'Force', 'metadata': { 'modifies': true }, 'params': [{ 'name': 'static', 'type': 'boolean', 'default': false }, { 'name': 'restart', 'type': 'boolean', 'default': false }, { 'name': 'iterations', 'type': 'number', 'default': 300 }, { 'name': 'alpha', 'type': 'number', 'default': 1 }, { 'name': 'alphaMin', 'type': 'number', 'default': 0.001 }, { 'name': 'alphaTarget', 'type': 'number', 'default': 0 }, { 'name': 'velocityDecay', 'type': 'number', 'default': 0.4 }, { 'name': 'forces', 'type': 'param', 'array': true, 'params': [{ 'key': { 'force': 'center' }, 'params': [{ 'name': 'x', 'type': 'number', 'default': 0 }, { 'name': 'y', 'type': 'number', 'default': 0 }] }, { 'key': { 'force': 'collide' }, 'params': [{ 'name': 'radius', 'type': 'number', 'expr': true }, { 'name': 'strength', 'type': 'number', 'default': 0.7 }, { 'name': 'iterations', 'type': 'number', 'default': 1 }] }, { 'key': { 'force': 'nbody' }, 'params': [{ 'name': 'strength', 'type': 'number', 'default': -30, 'expr': true }, { 'name': 'theta', 'type': 'number', 'default': 0.9 }, { 'name': 'distanceMin', 'type': 'number', 'default': 1 }, { 'name': 'distanceMax', 'type': 'number' }] }, { 'key': { 'force': 'link' }, 'params': [{ 'name': 'links', 'type': 'data' }, { 'name': 'id', 'type': 'field' }, { 'name': 'distance', 'type': 'number', 'default': 30, 'expr': true }, { 'name': 'strength', 'type': 'number', 'expr': true }, { 'name': 'iterations', 'type': 'number', 'default': 1 }] }, { 'key': { 'force': 'x' }, 'params': [{ 'name': 'strength', 'type': 'number', 'default': 0.1 }, { 'name': 'x', 'type': 'field' }] }, { 'key': { 'force': 'y' }, 'params': [{ 'name': 'strength', 'type': 'number', 'default': 0.1 }, { 'name': 'y', 'type': 'field' }] }] }, { 'name': 'as', 'type': 'string', 'array': true, 'modify': false, 'default': ForceOutput }] }; inherits(Force, Transform, { transform(_, pulse) { var sim = this.value, change = pulse.changed(pulse.ADD_REM), params = _.modified(ForceParams), iters = _.iterations || 300; // configure simulation if (!sim) { this.value = sim = vega_force_module_simulation(pulse.source, _); sim.on('tick', rerun(pulse.dataflow, this)); if (!_.static) { change = true; sim.tick(); // ensure we run on init } pulse.modifies('index'); } else { if (change) { pulse.modifies('index'); sim.nodes(pulse.source); } if (params || pulse.changed(pulse.MOD)) { setup(sim, _, 0, pulse); } } // run simulation if (params || change || _.modified(ForceConfig) || pulse.changed() && _.restart) { sim.alpha(Math.max(sim.alpha(), _.alpha || 1)).alphaDecay(1 - Math.pow(sim.alphaMin(), 1 / iters)); if (_.static) { for (sim.stop(); --iters >= 0;) sim.tick(); } else { if (sim.stopped()) sim.restart(); if (!change) return pulse.StopPropagation; // defer to sim ticks } } return this.finish(_, pulse); }, finish(_, pulse) { const dataflow = pulse.dataflow; // inspect dependencies, touch link source data for (let args = this._argops, j = 0, m = args.length, arg; j < m; ++j) { arg = args[j]; if (arg.name !== Forces || arg.op._argval.force !== 'link') { continue; } for (var ops = arg.op._argops, i = 0, n = ops.length, op; i < n; ++i) { if (ops[i].name === 'links' && (op = ops[i].op.source)) { dataflow.pulse(op, dataflow.changeset().reflow()); break; } } } // reflow all nodes return pulse.reflow(_.modified()).modifies(ForceOutput); } }); function rerun(df, op) { return () => df.touch(op).run(); } function vega_force_module_simulation(nodes, _) { const sim = simulation(nodes), stop = sim.stop, restart = sim.restart; let stopped = false; sim.stopped = () => stopped; sim.restart = () => (stopped = false, restart()); sim.stop = () => (stopped = true, stop()); return setup(sim, _, true).on('end', () => stopped = true); } function setup(sim, _, init, pulse) { var f = array(_.forces), i, n, p, name; for (i = 0, n = ForceParams.length; i < n; ++i) { p = ForceParams[i]; if (p !== Forces && _.modified(p)) sim[p](_[p]); } for (i = 0, n = f.length; i < n; ++i) { name = Forces + i; p = init || _.modified(Forces, i) ? getForce(f[i]) : pulse && modified(f[i], pulse) ? sim.force(name) : null; if (p) sim.force(name, p); } for (n = sim.numForces || 0; i < n; ++i) { sim.force(Forces + i, null); // remove } sim.numForces = f.length; return sim; } function modified(f, pulse) { var k, v; for (k in f) { if (vega_util_module_isFunction(v = f[k]) && pulse.modified(accessorFields(v))) return 1; } return 0; } function getForce(_) { var f, p; if (!has(ForceMap, _.force)) { vega_util_module_error('Unrecognized force: ' + _.force); } f = ForceMap[_.force](); for (p in _) { if (vega_util_module_isFunction(f[p])) setForceParam(f[p], _[p], _); } return f; } function setForceParam(f, v, _) { f(vega_util_module_isFunction(v) ? d => v(d, _) : v); } // EXTERNAL MODULE: ../node_modules/d3-hierarchy/src/hierarchy/index.js + 13 modules var hierarchy = __webpack_require__(68775); // EXTERNAL MODULE: ../node_modules/d3-hierarchy/src/accessors.js var accessors = __webpack_require__(4474); // EXTERNAL MODULE: ../node_modules/d3-hierarchy/src/constant.js var d3_hierarchy_src_constant = __webpack_require__(10174); ;// CONCATENATED MODULE: ../node_modules/d3-hierarchy/src/lcg.js // https://en.wikipedia.org/wiki/Linear_congruential_generator#Parameters_in_common_use const src_lcg_a = 1664525; const src_lcg_c = 1013904223; const lcg_m = 4294967296; // 2^32 /* harmony default export */ function d3_hierarchy_src_lcg() { let s = 1; return () => (s = (src_lcg_a * s + src_lcg_c) % lcg_m) / lcg_m; } ;// CONCATENATED MODULE: ../node_modules/d3-hierarchy/src/array.js /* harmony default export */ function d3_hierarchy_src_array(x) { return typeof x === "object" && "length" in x ? x // Array, TypedArray, NodeList, array-like : Array.from(x); // Map, Set, iterable, string, or anything else } function shuffle(array, random) { let m = array.length, t, i; while (m) { i = random() * m-- | 0; t = array[m]; array[m] = array[i]; array[i] = t; } return array; } ;// CONCATENATED MODULE: ../node_modules/d3-hierarchy/src/pack/enclose.js /* harmony default export */ function enclose(circles) { return packEncloseRandom(circles, lcg()); } function packEncloseRandom(circles, random) { var i = 0, n = (circles = shuffle(Array.from(circles), random)).length, B = [], p, e; while (i < n) { p = circles[i]; if (e && enclosesWeak(e, p)) ++i; else e = encloseBasis(B = extendBasis(B, p)), i = 0; } return e; } function extendBasis(B, p) { var i, j; if (enclosesWeakAll(p, B)) return [p]; // If we get here then B must have at least one element. for (i = 0; i < B.length; ++i) { if (enclosesNot(p, B[i]) && enclosesWeakAll(encloseBasis2(B[i], p), B)) { return [B[i], p]; } } // If we get here then B must have at least two elements. for (i = 0; i < B.length - 1; ++i) { for (j = i + 1; j < B.length; ++j) { if (enclosesNot(encloseBasis2(B[i], B[j]), p) && enclosesNot(encloseBasis2(B[i], p), B[j]) && enclosesNot(encloseBasis2(B[j], p), B[i]) && enclosesWeakAll(encloseBasis3(B[i], B[j], p), B)) { return [B[i], B[j], p]; } } } // If we get here then something is very wrong. throw new Error; } function enclosesNot(a, b) { var dr = a.r - b.r, dx = b.x - a.x, dy = b.y - a.y; return dr < 0 || dr * dr < dx * dx + dy * dy; } function enclosesWeak(a, b) { var dr = a.r - b.r + Math.max(a.r, b.r, 1) * 1e-9, dx = b.x - a.x, dy = b.y - a.y; return dr > 0 && dr * dr > dx * dx + dy * dy; } function enclosesWeakAll(a, B) { for (var i = 0; i < B.length; ++i) { if (!enclosesWeak(a, B[i])) { return false; } } return true; } function encloseBasis(B) { switch (B.length) { case 1: return encloseBasis1(B[0]); case 2: return encloseBasis2(B[0], B[1]); case 3: return encloseBasis3(B[0], B[1], B[2]); } } function encloseBasis1(a) { return { x: a.x, y: a.y, r: a.r }; } function encloseBasis2(a, b) { var x1 = a.x, y1 = a.y, r1 = a.r, x2 = b.x, y2 = b.y, r2 = b.r, x21 = x2 - x1, y21 = y2 - y1, r21 = r2 - r1, l = Math.sqrt(x21 * x21 + y21 * y21); return { x: (x1 + x2 + x21 / l * r21) / 2, y: (y1 + y2 + y21 / l * r21) / 2, r: (l + r1 + r2) / 2 }; } function encloseBasis3(a, b, c) { var x1 = a.x, y1 = a.y, r1 = a.r, x2 = b.x, y2 = b.y, r2 = b.r, x3 = c.x, y3 = c.y, r3 = c.r, a2 = x1 - x2, a3 = x1 - x3, b2 = y1 - y2, b3 = y1 - y3, c2 = r2 - r1, c3 = r3 - r1, d1 = x1 * x1 + y1 * y1 - r1 * r1, d2 = d1 - x2 * x2 - y2 * y2 + r2 * r2, d3 = d1 - x3 * x3 - y3 * y3 + r3 * r3, ab = a3 * b2 - a2 * b3, xa = (b2 * d3 - b3 * d2) / (ab * 2) - x1, xb = (b3 * c2 - b2 * c3) / ab, ya = (a3 * d2 - a2 * d3) / (ab * 2) - y1, yb = (a2 * c3 - a3 * c2) / ab, A = xb * xb + yb * yb - 1, B = 2 * (r1 + xa * xb + ya * yb), C = xa * xa + ya * ya - r1 * r1, r = -(Math.abs(A) > 1e-6 ? (B + Math.sqrt(B * B - 4 * A * C)) / (2 * A) : C / B); return { x: x1 + xa + xb * r, y: y1 + ya + yb * r, r: r }; } ;// CONCATENATED MODULE: ../node_modules/d3-hierarchy/src/pack/siblings.js function place(b, a, c) { var dx = b.x - a.x, x, a2, dy = b.y - a.y, y, b2, d2 = dx * dx + dy * dy; if (d2) { a2 = a.r + c.r, a2 *= a2; b2 = b.r + c.r, b2 *= b2; if (a2 > b2) { x = (d2 + b2 - a2) / (2 * d2); y = Math.sqrt(Math.max(0, b2 / d2 - x * x)); c.x = b.x - x * dx - y * dy; c.y = b.y - x * dy + y * dx; } else { x = (d2 + a2 - b2) / (2 * d2); y = Math.sqrt(Math.max(0, a2 / d2 - x * x)); c.x = a.x + x * dx - y * dy; c.y = a.y + x * dy + y * dx; } } else { c.x = a.x + c.r; c.y = a.y; } } function intersects(a, b) { var dr = a.r + b.r - 1e-6, dx = b.x - a.x, dy = b.y - a.y; return dr > 0 && dr * dr > dx * dx + dy * dy; } function score(node) { var a = node._, b = node.next._, ab = a.r + b.r, dx = (a.x * b.r + b.x * a.r) / ab, dy = (a.y * b.r + b.y * a.r) / ab; return dx * dx + dy * dy; } function Node(circle) { this._ = circle; this.next = null; this.previous = null; } function packSiblingsRandom(circles, random) { if (!(n = (circles = d3_hierarchy_src_array(circles)).length)) return 0; var a, b, c, n, aa, ca, i, j, k, sj, sk; // Place the first circle. a = circles[0], a.x = 0, a.y = 0; if (!(n > 1)) return a.r; // Place the second circle. b = circles[1], a.x = -b.r, b.x = a.r, b.y = 0; if (!(n > 2)) return a.r + b.r; // Place the third circle. place(b, a, c = circles[2]); // Initialize the front-chain using the first three circles a, b and c. a = new Node(a), b = new Node(b), c = new Node(c); a.next = c.previous = b; b.next = a.previous = c; c.next = b.previous = a; // Attempt to place each remaining circle… pack: for (i = 3; i < n; ++i) { place(a._, b._, c = circles[i]), c = new Node(c); // Find the closest intersecting circle on the front-chain, if any. // “Closeness” is determined by linear distance along the front-chain. // “Ahead” or “behind” is likewise determined by linear distance. j = b.next, k = a.previous, sj = b._.r, sk = a._.r; do { if (sj <= sk) { if (intersects(j._, c._)) { b = j, a.next = b, b.previous = a, --i; continue pack; } sj += j._.r, j = j.next; } else { if (intersects(k._, c._)) { a = k, a.next = b, b.previous = a, --i; continue pack; } sk += k._.r, k = k.previous; } } while (j !== k.next); // Success! Insert the new circle c between a and b. c.previous = a, c.next = b, a.next = b.previous = b = c; // Compute the new closest circle pair to the centroid. aa = score(a); while ((c = c.next) !== b) { if ((ca = score(c)) < aa) { a = c, aa = ca; } } b = a.next; } // Compute the enclosing circle of the front chain. a = [b._], c = b; while ((c = c.next) !== b) a.push(c._); c = packEncloseRandom(a, random); // Translate the circles to put the enclosing circle around the origin. for (i = 0; i < n; ++i) a = circles[i], a.x -= c.x, a.y -= c.y; return c.r; } /* harmony default export */ function siblings(circles) { packSiblingsRandom(circles, lcg()); return circles; } ;// CONCATENATED MODULE: ../node_modules/d3-hierarchy/src/pack/index.js function defaultRadius(d) { return Math.sqrt(d.value); } /* harmony default export */ function pack() { var radius = null, dx = 1, dy = 1, padding = d3_hierarchy_src_constant/* constantZero */.G; function pack(root) { const random = d3_hierarchy_src_lcg(); root.x = dx / 2, root.y = dy / 2; if (radius) { root.eachBefore(radiusLeaf(radius)) .eachAfter(packChildrenRandom(padding, 0.5, random)) .eachBefore(translateChild(1)); } else { root.eachBefore(radiusLeaf(defaultRadius)) .eachAfter(packChildrenRandom(d3_hierarchy_src_constant/* constantZero */.G, 1, random)) .eachAfter(packChildrenRandom(padding, root.r / Math.min(dx, dy), random)) .eachBefore(translateChild(Math.min(dx, dy) / (2 * root.r))); } return root; } pack.radius = function(x) { return arguments.length ? (radius = (0,accessors/* optional */.j)(x), pack) : radius; }; pack.size = function(x) { return arguments.length ? (dx = +x[0], dy = +x[1], pack) : [dx, dy]; }; pack.padding = function(x) { return arguments.length ? (padding = typeof x === "function" ? x : (0,d3_hierarchy_src_constant/* default */.Z)(+x), pack) : padding; }; return pack; } function radiusLeaf(radius) { return function(node) { if (!node.children) { node.r = Math.max(0, +radius(node) || 0); } }; } function packChildrenRandom(padding, k, random) { return function(node) { if (children = node.children) { var children, i, n = children.length, r = padding(node) * k || 0, e; if (r) for (i = 0; i < n; ++i) children[i].r += r; e = packSiblingsRandom(children, random); if (r) for (i = 0; i < n; ++i) children[i].r -= r; node.r = e + r; } }; } function translateChild(k) { return function(node) { var parent = node.parent; node.r *= k; if (parent) { node.x = parent.x + k * node.x; node.y = parent.y + k * node.y; } }; } // EXTERNAL MODULE: ../node_modules/d3-hierarchy/src/treemap/round.js var treemap_round = __webpack_require__(41916); // EXTERNAL MODULE: ../node_modules/d3-hierarchy/src/treemap/dice.js var dice = __webpack_require__(98039); ;// CONCATENATED MODULE: ../node_modules/d3-hierarchy/src/partition.js /* harmony default export */ function src_partition() { var dx = 1, dy = 1, padding = 0, round = false; function partition(root) { var n = root.height + 1; root.x0 = root.y0 = padding; root.x1 = dx; root.y1 = dy / n; root.eachBefore(positionNode(dy, n)); if (round) root.eachBefore(treemap_round/* default */.Z); return root; } function positionNode(dy, n) { return function(node) { if (node.children) { (0,dice/* default */.Z)(node, node.x0, dy * (node.depth + 1) / n, node.x1, dy * (node.depth + 2) / n); } var x0 = node.x0, y0 = node.y0, x1 = node.x1 - padding, y1 = node.y1 - padding; if (x1 < x0) x0 = x1 = (x0 + x1) / 2; if (y1 < y0) y0 = y1 = (y0 + y1) / 2; node.x0 = x0; node.y0 = y0; node.x1 = x1; node.y1 = y1; }; } partition.round = function(x) { return arguments.length ? (round = !!x, partition) : round; }; partition.size = function(x) { return arguments.length ? (dx = +x[0], dy = +x[1], partition) : [dx, dy]; }; partition.padding = function(x) { return arguments.length ? (padding = +x, partition) : padding; }; return partition; } ;// CONCATENATED MODULE: ../node_modules/d3-hierarchy/src/stratify.js var preroot = {depth: -1}, ambiguous = {}, imputed = {}; function defaultId(d) { return d.id; } function defaultParentId(d) { return d.parentId; } /* harmony default export */ function stratify() { var id = defaultId, parentId = defaultParentId, path; function stratify(data) { var nodes = Array.from(data), currentId = id, currentParentId = parentId, n, d, i, root, parent, node, nodeId, nodeKey, nodeByKey = new Map; if (path != null) { const I = nodes.map((d, i) => normalize(path(d, i, data))); const P = I.map(parentof); const S = new Set(I).add(""); for (const i of P) { if (!S.has(i)) { S.add(i); I.push(i); P.push(parentof(i)); nodes.push(imputed); } } currentId = (_, i) => I[i]; currentParentId = (_, i) => P[i]; } for (i = 0, n = nodes.length; i < n; ++i) { d = nodes[i], node = nodes[i] = new hierarchy/* Node */.NB(d); if ((nodeId = currentId(d, i, data)) != null && (nodeId += "")) { nodeKey = node.id = nodeId; nodeByKey.set(nodeKey, nodeByKey.has(nodeKey) ? ambiguous : node); } if ((nodeId = currentParentId(d, i, data)) != null && (nodeId += "")) { node.parent = nodeId; } } for (i = 0; i < n; ++i) { node = nodes[i]; if (nodeId = node.parent) { parent = nodeByKey.get(nodeId); if (!parent) throw new Error("missing: " + nodeId); if (parent === ambiguous) throw new Error("ambiguous: " + nodeId); if (parent.children) parent.children.push(node); else parent.children = [node]; node.parent = parent; } else { if (root) throw new Error("multiple roots"); root = node; } } if (!root) throw new Error("no root"); // When imputing internal nodes, only introduce roots if needed. // Then replace the imputed marker data with null. if (path != null) { while (root.data === imputed && root.children.length === 1) { root = root.children[0], --n; } for (let i = nodes.length - 1; i >= 0; --i) { node = nodes[i]; if (node.data !== imputed) break; node.data = null; } } root.parent = preroot; root.eachBefore(function(node) { node.depth = node.parent.depth + 1; --n; }).eachBefore(hierarchy/* computeHeight */.le); root.parent = null; if (n > 0) throw new Error("cycle"); return root; } stratify.id = function(x) { return arguments.length ? (id = (0,accessors/* optional */.j)(x), stratify) : id; }; stratify.parentId = function(x) { return arguments.length ? (parentId = (0,accessors/* optional */.j)(x), stratify) : parentId; }; stratify.path = function(x) { return arguments.length ? (path = (0,accessors/* optional */.j)(x), stratify) : path; }; return stratify; } // To normalize a path, we coerce to a string, strip the trailing slash if any // (as long as the trailing slash is not immediately preceded by another slash), // and add leading slash if missing. function normalize(path) { path = `${path}`; let i = path.length; if (slash(path, i - 1) && !slash(path, i - 2)) path = path.slice(0, -1); return path[0] === "/" ? path : `/${path}`; } // Walk backwards to find the first slash that is not the leading slash, e.g.: // "/foo/bar" ⇥ "/foo", "/foo" ⇥ "/", "/" ↦ "". (The root is special-cased // because the id of the root must be a truthy value.) function parentof(path) { let i = path.length; if (i < 2) return ""; while (--i > 1) if (slash(path, i)) break; return path.slice(0, i); } // Slashes can be escaped; to determine whether a slash is a path delimiter, we // count the number of preceding backslashes escaping the forward slash: an odd // number indicates an escaped forward slash. function slash(path, i) { if (path[i] === "/") { let k = 0; while (i > 0 && path[--i] === "\\") ++k; if ((k & 1) === 0) return true; } return false; } ;// CONCATENATED MODULE: ../node_modules/d3-hierarchy/src/tree.js function defaultSeparation(a, b) { return a.parent === b.parent ? 1 : 2; } // function radialSeparation(a, b) { // return (a.parent === b.parent ? 1 : 2) / a.depth; // } // This function is used to traverse the left contour of a subtree (or // subforest). It returns the successor of v on this contour. This successor is // either given by the leftmost child of v or by the thread of v. The function // returns null if and only if v is on the highest level of its subtree. function nextLeft(v) { var children = v.children; return children ? children[0] : v.t; } // This function works analogously to nextLeft. function nextRight(v) { var children = v.children; return children ? children[children.length - 1] : v.t; } // Shifts the current subtree rooted at w+. This is done by increasing // prelim(w+) and mod(w+) by shift. function moveSubtree(wm, wp, shift) { var change = shift / (wp.i - wm.i); wp.c -= change; wp.s += shift; wm.c += change; wp.z += shift; wp.m += shift; } // All other shifts, applied to the smaller subtrees between w- and w+, are // performed by this function. To prepare the shifts, we have to adjust // change(w+), shift(w+), and change(w-). function executeShifts(v) { var shift = 0, change = 0, children = v.children, i = children.length, w; while (--i >= 0) { w = children[i]; w.z += shift; w.m += shift; shift += w.s + (change += w.c); } } // If vi-’s ancestor is a sibling of v, returns vi-’s ancestor. Otherwise, // returns the specified (default) ancestor. function nextAncestor(vim, v, ancestor) { return vim.a.parent === v.parent ? vim.a : ancestor; } function TreeNode(node, i) { this._ = node; this.parent = null; this.children = null; this.A = null; // default ancestor this.a = this; // ancestor this.z = 0; // prelim this.m = 0; // mod this.c = 0; // change this.s = 0; // shift this.t = null; // thread this.i = i; // number } TreeNode.prototype = Object.create(hierarchy/* Node */.NB.prototype); function treeRoot(root) { var tree = new TreeNode(root, 0), node, nodes = [tree], child, children, i, n; while (node = nodes.pop()) { if (children = node._.children) { node.children = new Array(n = children.length); for (i = n - 1; i >= 0; --i) { nodes.push(child = node.children[i] = new TreeNode(children[i], i)); child.parent = node; } } } (tree.parent = new TreeNode(null, 0)).children = [tree]; return tree; } // Node-link tree diagram using the Reingold-Tilford "tidy" algorithm /* harmony default export */ function tree() { var separation = defaultSeparation, dx = 1, dy = 1, nodeSize = null; function tree(root) { var t = treeRoot(root); // Compute the layout using Buchheim et al.’s algorithm. t.eachAfter(firstWalk), t.parent.m = -t.z; t.eachBefore(secondWalk); // If a fixed node size is specified, scale x and y. if (nodeSize) root.eachBefore(sizeNode); // If a fixed tree size is specified, scale x and y based on the extent. // Compute the left-most, right-most, and depth-most nodes for extents. else { var left = root, right = root, bottom = root; root.eachBefore(function(node) { if (node.x < left.x) left = node; if (node.x > right.x) right = node; if (node.depth > bottom.depth) bottom = node; }); var s = left === right ? 1 : separation(left, right) / 2, tx = s - left.x, kx = dx / (right.x + s + tx), ky = dy / (bottom.depth || 1); root.eachBefore(function(node) { node.x = (node.x + tx) * kx; node.y = node.depth * ky; }); } return root; } // Computes a preliminary x-coordinate for v. Before that, FIRST WALK is // applied recursively to the children of v, as well as the function // APPORTION. After spacing out the children by calling EXECUTE SHIFTS, the // node v is placed to the midpoint of its outermost children. function firstWalk(v) { var children = v.children, siblings = v.parent.children, w = v.i ? siblings[v.i - 1] : null; if (children) { executeShifts(v); var midpoint = (children[0].z + children[children.length - 1].z) / 2; if (w) { v.z = w.z + separation(v._, w._); v.m = v.z - midpoint; } else { v.z = midpoint; } } else if (w) { v.z = w.z + separation(v._, w._); } v.parent.A = apportion(v, w, v.parent.A || siblings[0]); } // Computes all real x-coordinates by summing up the modifiers recursively. function secondWalk(v) { v._.x = v.z + v.parent.m; v.m += v.parent.m; } // The core of the algorithm. Here, a new subtree is combined with the // previous subtrees. Threads are used to traverse the inside and outside // contours of the left and right subtree up to the highest common level. The // vertices used for the traversals are vi+, vi-, vo-, and vo+, where the // superscript o means outside and i means inside, the subscript - means left // subtree and + means right subtree. For summing up the modifiers along the // contour, we use respective variables si+, si-, so-, and so+. Whenever two // nodes of the inside contours conflict, we compute the left one of the // greatest uncommon ancestors using the function ANCESTOR and call MOVE // SUBTREE to shift the subtree and prepare the shifts of smaller subtrees. // Finally, we add a new thread (if necessary). function apportion(v, w, ancestor) { if (w) { var vip = v, vop = v, vim = w, vom = vip.parent.children[0], sip = vip.m, sop = vop.m, sim = vim.m, som = vom.m, shift; while (vim = nextRight(vim), vip = nextLeft(vip), vim && vip) { vom = nextLeft(vom); vop = nextRight(vop); vop.a = v; shift = vim.z + sim - vip.z - sip + separation(vim._, vip._); if (shift > 0) { moveSubtree(nextAncestor(vim, v, ancestor), v, shift); sip += shift; sop += shift; } sim += vim.m; sip += vip.m; som += vom.m; sop += vop.m; } if (vim && !nextRight(vop)) { vop.t = vim; vop.m += sim - sop; } if (vip && !nextLeft(vom)) { vom.t = vip; vom.m += sip - som; ancestor = v; } } return ancestor; } function sizeNode(node) { node.x *= dx; node.y = node.depth * dy; } tree.separation = function(x) { return arguments.length ? (separation = x, tree) : separation; }; tree.size = function(x) { return arguments.length ? (nodeSize = false, dx = +x[0], dy = +x[1], tree) : (nodeSize ? null : [dx, dy]); }; tree.nodeSize = function(x) { return arguments.length ? (nodeSize = true, dx = +x[0], dy = +x[1], tree) : (nodeSize ? [dx, dy] : null); }; return tree; } ;// CONCATENATED MODULE: ../node_modules/d3-hierarchy/src/cluster.js function cluster_defaultSeparation(a, b) { return a.parent === b.parent ? 1 : 2; } function meanX(children) { return children.reduce(meanXReduce, 0) / children.length; } function meanXReduce(x, c) { return x + c.x; } function maxY(children) { return 1 + children.reduce(maxYReduce, 0); } function maxYReduce(y, c) { return Math.max(y, c.y); } function leafLeft(node) { var children; while (children = node.children) node = children[0]; return node; } function leafRight(node) { var children; while (children = node.children) node = children[children.length - 1]; return node; } /* harmony default export */ function cluster() { var separation = cluster_defaultSeparation, dx = 1, dy = 1, nodeSize = false; function cluster(root) { var previousNode, x = 0; // First walk, computing the initial x & y values. root.eachAfter(function(node) { var children = node.children; if (children) { node.x = meanX(children); node.y = maxY(children); } else { node.x = previousNode ? x += separation(node, previousNode) : 0; node.y = 0; previousNode = node; } }); var left = leafLeft(root), right = leafRight(root), x0 = left.x - separation(left, right) / 2, x1 = right.x + separation(right, left) / 2; // Second walk, normalizing x & y to the desired size. return root.eachAfter(nodeSize ? function(node) { node.x = (node.x - root.x) * dx; node.y = (root.y - node.y) * dy; } : function(node) { node.x = (node.x - x0) / (x1 - x0) * dx; node.y = (1 - (root.y ? node.y / root.y : 1)) * dy; }); } cluster.separation = function(x) { return arguments.length ? (separation = x, cluster) : separation; }; cluster.size = function(x) { return arguments.length ? (nodeSize = false, dx = +x[0], dy = +x[1], cluster) : (nodeSize ? null : [dx, dy]); }; cluster.nodeSize = function(x) { return arguments.length ? (nodeSize = true, dx = +x[0], dy = +x[1], cluster) : (nodeSize ? [dx, dy] : null); }; return cluster; } ;// CONCATENATED MODULE: ../node_modules/d3-hierarchy/src/treemap/binary.js /* harmony default export */ function binary(parent, x0, y0, x1, y1) { var nodes = parent.children, i, n = nodes.length, sum, sums = new Array(n + 1); for (sums[0] = sum = i = 0; i < n; ++i) { sums[i + 1] = sum += nodes[i].value; } partition(0, n, parent.value, x0, y0, x1, y1); function partition(i, j, value, x0, y0, x1, y1) { if (i >= j - 1) { var node = nodes[i]; node.x0 = x0, node.y0 = y0; node.x1 = x1, node.y1 = y1; return; } var valueOffset = sums[i], valueTarget = (value / 2) + valueOffset, k = i + 1, hi = j - 1; while (k < hi) { var mid = k + hi >>> 1; if (sums[mid] < valueTarget) k = mid + 1; else hi = mid; } if ((valueTarget - sums[k - 1]) < (sums[k] - valueTarget) && i + 1 < k) --k; var valueLeft = sums[k] - valueOffset, valueRight = value - valueLeft; if ((x1 - x0) > (y1 - y0)) { var xk = value ? (x0 * valueRight + x1 * valueLeft) / value : x1; partition(i, k, valueLeft, x0, y0, xk, y1); partition(k, j, valueRight, xk, y0, x1, y1); } else { var yk = value ? (y0 * valueRight + y1 * valueLeft) / value : y1; partition(i, k, valueLeft, x0, y0, x1, yk); partition(k, j, valueRight, x0, yk, x1, y1); } } } // EXTERNAL MODULE: ../node_modules/d3-hierarchy/src/treemap/slice.js var treemap_slice = __webpack_require__(4915); ;// CONCATENATED MODULE: ../node_modules/d3-hierarchy/src/treemap/sliceDice.js /* harmony default export */ function sliceDice(parent, x0, y0, x1, y1) { (parent.depth & 1 ? treemap_slice/* default */.Z : dice/* default */.Z)(parent, x0, y0, x1, y1); } // EXTERNAL MODULE: ../node_modules/d3-hierarchy/src/treemap/squarify.js var squarify = __webpack_require__(20737); ;// CONCATENATED MODULE: ../node_modules/d3-hierarchy/src/treemap/resquarify.js /* harmony default export */ const resquarify = ((function custom(ratio) { function resquarify(parent, x0, y0, x1, y1) { if ((rows = parent._squarify) && (rows.ratio === ratio)) { var rows, row, nodes, i, j = -1, n, m = rows.length, value = parent.value; while (++j < m) { row = rows[j], nodes = row.children; for (i = row.value = 0, n = nodes.length; i < n; ++i) row.value += nodes[i].value; if (row.dice) (0,dice/* default */.Z)(row, x0, y0, x1, value ? y0 += (y1 - y0) * row.value / value : y1); else (0,treemap_slice/* default */.Z)(row, x0, y0, value ? x0 += (x1 - x0) * row.value / value : x1, y1); value -= row.value; } } else { parent._squarify = rows = (0,squarify/* squarifyRatio */.DD)(ratio, parent, x0, y0, x1, y1); rows.ratio = ratio; } } resquarify.ratio = function(x) { return custom((x = +x) > 1 ? x : 1); }; return resquarify; })(squarify/* phi */.Sk)); // EXTERNAL MODULE: ../node_modules/d3-hierarchy/src/treemap/index.js var treemap = __webpack_require__(99375); ;// CONCATENATED MODULE: ../node_modules/vega-hierarchy/build/vega-hierarchy.module.js // Build lookup table mapping tuple keys to tree node instances function vega_hierarchy_module_lookup (tree, key, filter) { const map = {}; tree.each(node => { const t = node.data; if (filter(t)) map[key(t)] = node; }); tree.lookup = map; return tree; } /** * Nest tuples into a tree structure, grouped by key values. * @constructor * @param {object} params - The parameters for this operator. * @param {Array} params.keys - The key fields to nest by, in order. * @param {boolean} [params.generate=false] - A boolean flag indicating if * non-leaf nodes generated by this transform should be included in the * output. The default (false) includes only the input data (leaf nodes) * in the data stream. */ function Nest(params) { Transform.call(this, null, params); } Nest.Definition = { 'type': 'Nest', 'metadata': { 'treesource': true, 'changes': true }, 'params': [{ 'name': 'keys', 'type': 'field', 'array': true }, { 'name': 'generate', 'type': 'boolean' }] }; const children = n => n.values; inherits(Nest, Transform, { transform(_, pulse) { if (!pulse.source) { vega_util_module_error('Nest transform requires an upstream data source.'); } var gen = _.generate, mod = _.modified(), out = pulse.clone(), tree = this.value; if (!tree || mod || pulse.changed()) { // collect nodes to remove if (tree) { tree.each(node => { if (node.children && isTuple(node.data)) { out.rem.push(node.data); } }); } // generate new tree structure this.value = tree = (0,hierarchy/* default */.ZP)({ values: array(_.keys).reduce((n, k) => { n.key(k); return n; }, nest()).entries(out.source) }, children); // collect nodes to add if (gen) { tree.each(node => { if (node.children) { node = ingest$1(node.data); out.add.push(node); out.source.push(node); } }); } // build lookup table vega_hierarchy_module_lookup(tree, tupleid, tupleid); } out.source.root = tree; return out; } }); function nest() { const keys = [], nest = { entries: array => entries(apply(array, 0), 0), key: d => (keys.push(d), nest) }; function apply(array, depth) { if (depth >= keys.length) { return array; } const n = array.length, key = keys[depth++], valuesByKey = {}, result = {}; let i = -1, keyValue, value, values; while (++i < n) { keyValue = key(value = array[i]) + ''; if (values = valuesByKey[keyValue]) { values.push(value); } else { valuesByKey[keyValue] = [value]; } } for (keyValue in valuesByKey) { result[keyValue] = apply(valuesByKey[keyValue], depth); } return result; } function entries(map, depth) { if (++depth > keys.length) return map; const array = []; for (const key in map) { array.push({ key, values: entries(map[key], depth) }); } return array; } return nest; } /** * Abstract class for tree layout. * @constructor * @param {object} params - The parameters for this operator. */ function HierarchyLayout(params) { Transform.call(this, null, params); } const vega_hierarchy_module_defaultSeparation = (a, b) => a.parent === b.parent ? 1 : 2; inherits(HierarchyLayout, Transform, { transform(_, pulse) { if (!pulse.source || !pulse.source.root) { vega_util_module_error(this.constructor.name + ' transform requires a backing tree data source.'); } const layout = this.layout(_.method), fields = this.fields, root = pulse.source.root, as = _.as || fields; if (_.field) root.sum(_.field);else root.count(); if (_.sort) root.sort(stableCompare(_.sort, d => d.data)); setParams(layout, this.params, _); if (layout.separation) { layout.separation(_.separation !== false ? vega_hierarchy_module_defaultSeparation : one); } try { this.value = layout(root); } catch (err) { vega_util_module_error(err); } root.each(node => setFields(node, fields, as)); return pulse.reflow(_.modified()).modifies(as).modifies('leaf'); } }); function setParams(layout, params, _) { for (let p, i = 0, n = params.length; i < n; ++i) { p = params[i]; if (p in _) layout[p](_[p]); } } function setFields(node, fields, as) { const t = node.data, n = fields.length - 1; for (let i = 0; i < n; ++i) { t[as[i]] = node[fields[i]]; } t[as[n]] = node.children ? node.children.length : 0; } const Output$3 = ['x', 'y', 'r', 'depth', 'children']; /** * Packed circle tree layout. * @constructor * @param {object} params - The parameters for this operator. * @param {function(object): *} params.field - The value field to size nodes. */ function Pack(params) { HierarchyLayout.call(this, params); } Pack.Definition = { 'type': 'Pack', 'metadata': { 'tree': true, 'modifies': true }, 'params': [{ 'name': 'field', 'type': 'field' }, { 'name': 'sort', 'type': 'compare' }, { 'name': 'padding', 'type': 'number', 'default': 0 }, { 'name': 'radius', 'type': 'field', 'default': null }, { 'name': 'size', 'type': 'number', 'array': true, 'length': 2 }, { 'name': 'as', 'type': 'string', 'array': true, 'length': Output$3.length, 'default': Output$3 }] }; inherits(Pack, HierarchyLayout, { layout: pack, params: ['radius', 'size', 'padding'], fields: Output$3 }); const Output$2 = ['x0', 'y0', 'x1', 'y1', 'depth', 'children']; /** * Partition tree layout. * @constructor * @param {object} params - The parameters for this operator. * @param {function(object): *} params.field - The value field to size nodes. */ function Partition(params) { HierarchyLayout.call(this, params); } Partition.Definition = { 'type': 'Partition', 'metadata': { 'tree': true, 'modifies': true }, 'params': [{ 'name': 'field', 'type': 'field' }, { 'name': 'sort', 'type': 'compare' }, { 'name': 'padding', 'type': 'number', 'default': 0 }, { 'name': 'round', 'type': 'boolean', 'default': false }, { 'name': 'size', 'type': 'number', 'array': true, 'length': 2 }, { 'name': 'as', 'type': 'string', 'array': true, 'length': Output$2.length, 'default': Output$2 }] }; inherits(Partition, HierarchyLayout, { layout: src_partition, params: ['size', 'round', 'padding'], fields: Output$2 }); /** * Stratify a collection of tuples into a tree structure based on * id and parent id fields. * @constructor * @param {object} params - The parameters for this operator. * @param {function(object): *} params.key - Unique key field for each tuple. * @param {function(object): *} params.parentKey - Field with key for parent tuple. */ function Stratify(params) { Transform.call(this, null, params); } Stratify.Definition = { 'type': 'Stratify', 'metadata': { 'treesource': true }, 'params': [{ 'name': 'key', 'type': 'field', 'required': true }, { 'name': 'parentKey', 'type': 'field', 'required': true }] }; inherits(Stratify, Transform, { transform(_, pulse) { if (!pulse.source) { vega_util_module_error('Stratify transform requires an upstream data source.'); } let tree = this.value; const mod = _.modified(), out = pulse.fork(pulse.ALL).materialize(pulse.SOURCE), run = !tree || mod || pulse.changed(pulse.ADD_REM) || pulse.modified(_.key.fields) || pulse.modified(_.parentKey.fields); // prevent upstream source pollution out.source = out.source.slice(); if (run) { tree = out.source.length ? vega_hierarchy_module_lookup(stratify().id(_.key).parentId(_.parentKey)(out.source), _.key, truthy) : vega_hierarchy_module_lookup(stratify()([{}]), _.key, _.key); } out.source.root = this.value = tree; return out; } }); const Layouts = { tidy: tree, cluster: cluster }; const Output$1 = ['x', 'y', 'depth', 'children']; /** * Tree layout. Depending on the method parameter, performs either * Reingold-Tilford 'tidy' layout or dendrogram 'cluster' layout. * @constructor * @param {object} params - The parameters for this operator. */ function Tree(params) { HierarchyLayout.call(this, params); } Tree.Definition = { 'type': 'Tree', 'metadata': { 'tree': true, 'modifies': true }, 'params': [{ 'name': 'field', 'type': 'field' }, { 'name': 'sort', 'type': 'compare' }, { 'name': 'method', 'type': 'enum', 'default': 'tidy', 'values': ['tidy', 'cluster'] }, { 'name': 'size', 'type': 'number', 'array': true, 'length': 2 }, { 'name': 'nodeSize', 'type': 'number', 'array': true, 'length': 2 }, { 'name': 'separation', 'type': 'boolean', 'default': true }, { 'name': 'as', 'type': 'string', 'array': true, 'length': Output$1.length, 'default': Output$1 }] }; inherits(Tree, HierarchyLayout, { /** * Tree layout generator. Supports both 'tidy' and 'cluster' layouts. */ layout(method) { const m = method || 'tidy'; if (has(Layouts, m)) return Layouts[m]();else vega_util_module_error('Unrecognized Tree layout method: ' + m); }, params: ['size', 'nodeSize'], fields: Output$1 }); /** * Generate tuples representing links between tree nodes. * The resulting tuples will contain 'source' and 'target' fields, * which point to parent and child node tuples, respectively. * @constructor * @param {object} params - The parameters for this operator. */ function TreeLinks(params) { Transform.call(this, [], params); } TreeLinks.Definition = { 'type': 'TreeLinks', 'metadata': { 'tree': true, 'generates': true, 'changes': true }, 'params': [] }; inherits(TreeLinks, Transform, { transform(_, pulse) { const links = this.value, tree = pulse.source && pulse.source.root, out = pulse.fork(pulse.NO_SOURCE), lut = {}; if (!tree) vega_util_module_error('TreeLinks transform requires a tree data source.'); if (pulse.changed(pulse.ADD_REM)) { // remove previous links out.rem = links; // build lookup table of valid tuples pulse.visit(pulse.SOURCE, t => lut[tupleid(t)] = 1); // generate links for all edges incident on valid tuples tree.each(node => { const t = node.data, p = node.parent && node.parent.data; if (p && lut[tupleid(t)] && lut[tupleid(p)]) { out.add.push(ingest$1({ source: p, target: t })); } }); this.value = out.add; } else if (pulse.changed(pulse.MOD)) { // build lookup table of modified tuples pulse.visit(pulse.MOD, t => lut[tupleid(t)] = 1); // gather links incident on modified tuples links.forEach(link => { if (lut[tupleid(link.source)] || lut[tupleid(link.target)]) { out.mod.push(link); } }); } return out; } }); const Tiles = { binary: binary, dice: dice/* default */.Z, slice: treemap_slice/* default */.Z, slicedice: sliceDice, squarify: squarify/* default */.ZP, resquarify: resquarify }; const vega_hierarchy_module_Output = ['x0', 'y0', 'x1', 'y1', 'depth', 'children']; /** * Treemap layout. * @constructor * @param {object} params - The parameters for this operator. * @param {function(object): *} params.field - The value field to size nodes. */ function Treemap(params) { HierarchyLayout.call(this, params); } Treemap.Definition = { 'type': 'Treemap', 'metadata': { 'tree': true, 'modifies': true }, 'params': [{ 'name': 'field', 'type': 'field' }, { 'name': 'sort', 'type': 'compare' }, { 'name': 'method', 'type': 'enum', 'default': 'squarify', 'values': ['squarify', 'resquarify', 'binary', 'dice', 'slice', 'slicedice'] }, { 'name': 'padding', 'type': 'number', 'default': 0 }, { 'name': 'paddingInner', 'type': 'number', 'default': 0 }, { 'name': 'paddingOuter', 'type': 'number', 'default': 0 }, { 'name': 'paddingTop', 'type': 'number', 'default': 0 }, { 'name': 'paddingRight', 'type': 'number', 'default': 0 }, { 'name': 'paddingBottom', 'type': 'number', 'default': 0 }, { 'name': 'paddingLeft', 'type': 'number', 'default': 0 }, { 'name': 'ratio', 'type': 'number', 'default': 1.618033988749895 }, { 'name': 'round', 'type': 'boolean', 'default': false }, { 'name': 'size', 'type': 'number', 'array': true, 'length': 2 }, { 'name': 'as', 'type': 'string', 'array': true, 'length': vega_hierarchy_module_Output.length, 'default': vega_hierarchy_module_Output }] }; inherits(Treemap, HierarchyLayout, { /** * Treemap layout generator. Adds 'method' and 'ratio' parameters * to configure the underlying tile method. */ layout() { const x = (0,treemap/* default */.Z)(); x.ratio = _ => { const t = x.tile(); if (t.ratio) x.tile(t.ratio(_)); }; x.method = _ => { if (has(Tiles, _)) x.tile(Tiles[_]);else vega_util_module_error('Unrecognized Treemap layout method: ' + _); }; return x; }, params: ['method', 'ratio', 'size', 'round', 'padding', 'paddingInner', 'paddingOuter', 'paddingTop', 'paddingRight', 'paddingBottom', 'paddingLeft'], fields: vega_hierarchy_module_Output }); ;// CONCATENATED MODULE: ../node_modules/vega-label/build/vega-label.module.js // bit mask for getting first 2 bytes of alpha value const ALPHA_MASK = 0xff000000; function baseBitmaps($, data) { const bitmap = $.bitmap(); // when there is no base mark but data points are to be avoided (data || []).forEach(d => bitmap.set($(d.boundary[0]), $(d.boundary[3]))); return [bitmap, undefined]; } function markBitmaps($, baseMark, avoidMarks, labelInside, isGroupArea) { // create canvas const width = $.width, height = $.height, border = labelInside || isGroupArea, context = domCanvas(width, height).getContext('2d'), baseMarkContext = domCanvas(width, height).getContext('2d'), strokeContext = border && domCanvas(width, height).getContext('2d'); // render all marks to be avoided into canvas avoidMarks.forEach(items => vega_label_module_draw(context, items, false)); vega_label_module_draw(baseMarkContext, baseMark, false); if (border) { vega_label_module_draw(strokeContext, baseMark, true); } // get canvas buffer, create bitmaps const buffer = getBuffer(context, width, height), baseMarkBuffer = getBuffer(baseMarkContext, width, height), strokeBuffer = border && getBuffer(strokeContext, width, height), layer1 = $.bitmap(), layer2 = border && $.bitmap(); // populate bitmap layers let x, y, u, v, index, alpha, strokeAlpha, baseMarkAlpha; for (y = 0; y < height; ++y) { for (x = 0; x < width; ++x) { index = y * width + x; alpha = buffer[index] & ALPHA_MASK; baseMarkAlpha = baseMarkBuffer[index] & ALPHA_MASK; strokeAlpha = border && strokeBuffer[index] & ALPHA_MASK; if (alpha || strokeAlpha || baseMarkAlpha) { u = $(x); v = $(y); if (!isGroupArea && (alpha || baseMarkAlpha)) layer1.set(u, v); // update interior bitmap if (border && (alpha || strokeAlpha)) layer2.set(u, v); // update border bitmap } } } return [layer1, layer2]; } function getBuffer(context, width, height) { return new Uint32Array(context.getImageData(0, 0, width, height).data.buffer); } function vega_label_module_draw(context, items, interior) { if (!items.length) return; const type = items[0].mark.marktype; if (type === 'group') { items.forEach(group => { group.items.forEach(mark => vega_label_module_draw(context, mark.items, interior)); }); } else { Marks[type].draw(context, { items: interior ? items.map(prepare) : items }); } } /** * Prepare item before drawing into canvas (setting stroke and opacity) * @param {object} source item to be prepared * @returns prepared item */ function prepare(source) { const item = rederive(source, {}); if (item.stroke && item.strokeOpacity !== 0 || item.fill && item.fillOpacity !== 0) { return { ...item, strokeOpacity: 1, stroke: '#000', fillOpacity: 0 }; } return item; } const DIV = 5, // bit shift from x, y index to bit vector array index vega_label_module_MOD = 31, // bit mask for index lookup within a bit vector SIZE = 32, // individual bit vector size RIGHT0 = new Uint32Array(SIZE + 1), // left-anchored bit vectors, full -> 0 RIGHT1 = new Uint32Array(SIZE + 1); // right-anchored bit vectors, 0 -> full RIGHT1[0] = 0; RIGHT0[0] = ~RIGHT1[0]; for (let i = 1; i <= SIZE; ++i) { RIGHT1[i] = RIGHT1[i - 1] << 1 | 1; RIGHT0[i] = ~RIGHT1[i]; } function Bitmap (w, h) { const array = new Uint32Array(~~((w * h + SIZE) / SIZE)); function _set(index, mask) { array[index] |= mask; } function _clear(index, mask) { array[index] &= mask; } return { array: array, get: (x, y) => { const index = y * w + x; return array[index >>> DIV] & 1 << (index & vega_label_module_MOD); }, set: (x, y) => { const index = y * w + x; _set(index >>> DIV, 1 << (index & vega_label_module_MOD)); }, clear: (x, y) => { const index = y * w + x; _clear(index >>> DIV, ~(1 << (index & vega_label_module_MOD))); }, getRange: (x, y, x2, y2) => { let r = y2, start, end, indexStart, indexEnd; for (; r >= y; --r) { start = r * w + x; end = r * w + x2; indexStart = start >>> DIV; indexEnd = end >>> DIV; if (indexStart === indexEnd) { if (array[indexStart] & RIGHT0[start & vega_label_module_MOD] & RIGHT1[(end & vega_label_module_MOD) + 1]) { return true; } } else { if (array[indexStart] & RIGHT0[start & vega_label_module_MOD]) return true; if (array[indexEnd] & RIGHT1[(end & vega_label_module_MOD) + 1]) return true; for (let i = indexStart + 1; i < indexEnd; ++i) { if (array[i]) return true; } } } return false; }, setRange: (x, y, x2, y2) => { let start, end, indexStart, indexEnd, i; for (; y <= y2; ++y) { start = y * w + x; end = y * w + x2; indexStart = start >>> DIV; indexEnd = end >>> DIV; if (indexStart === indexEnd) { _set(indexStart, RIGHT0[start & vega_label_module_MOD] & RIGHT1[(end & vega_label_module_MOD) + 1]); } else { _set(indexStart, RIGHT0[start & vega_label_module_MOD]); _set(indexEnd, RIGHT1[(end & vega_label_module_MOD) + 1]); for (i = indexStart + 1; i < indexEnd; ++i) _set(i, 0xffffffff); } } }, clearRange: (x, y, x2, y2) => { let start, end, indexStart, indexEnd, i; for (; y <= y2; ++y) { start = y * w + x; end = y * w + x2; indexStart = start >>> DIV; indexEnd = end >>> DIV; if (indexStart === indexEnd) { _clear(indexStart, RIGHT1[start & vega_label_module_MOD] | RIGHT0[(end & vega_label_module_MOD) + 1]); } else { _clear(indexStart, RIGHT1[start & vega_label_module_MOD]); _clear(indexEnd, RIGHT0[(end & vega_label_module_MOD) + 1]); for (i = indexStart + 1; i < indexEnd; ++i) _clear(i, 0); } } }, outOfBounds: (x, y, x2, y2) => x < 0 || y < 0 || y2 >= h || x2 >= w }; } function scaler (width, height, padding) { const ratio = Math.max(1, Math.sqrt(width * height / 1e6)), w = ~~((width + 2 * padding + ratio) / ratio), h = ~~((height + 2 * padding + ratio) / ratio), scale = _ => ~~((_ + padding) / ratio); scale.invert = _ => _ * ratio - padding; scale.bitmap = () => Bitmap(w, h); scale.ratio = ratio; scale.padding = padding; scale.width = width; scale.height = height; return scale; } function placeAreaLabelNaive ($, bitmaps, avoidBaseMark, markIndex) { const width = $.width, height = $.height; // try to place a label within an input area mark return function (d) { const items = d.datum.datum.items[markIndex].items, // area points n = items.length, // number of points textHeight = d.datum.fontSize, // label width textWidth = textMetrics.width(d.datum, d.datum.text); // label height let maxAreaWidth = 0, x1, x2, y1, y2, x, y, areaWidth; // for each area sample point for (let i = 0; i < n; ++i) { x1 = items[i].x; y1 = items[i].y; x2 = items[i].x2 === undefined ? x1 : items[i].x2; y2 = items[i].y2 === undefined ? y1 : items[i].y2; x = (x1 + x2) / 2; y = (y1 + y2) / 2; areaWidth = Math.abs(x2 - x1 + y2 - y1); if (areaWidth >= maxAreaWidth) { maxAreaWidth = areaWidth; d.x = x; d.y = y; } } x = textWidth / 2; y = textHeight / 2; x1 = d.x - x; x2 = d.x + x; y1 = d.y - y; y2 = d.y + y; d.align = 'center'; if (x1 < 0 && x2 <= width) { d.align = 'left'; } else if (0 <= x1 && width < x2) { d.align = 'right'; } d.baseline = 'middle'; if (y1 < 0 && y2 <= height) { d.baseline = 'top'; } else if (0 <= y1 && height < y2) { d.baseline = 'bottom'; } return true; }; } function outOfBounds(x, y, textWidth, textHeight, width, height) { let r = textWidth / 2; return x - r < 0 || x + r > width || y - (r = textHeight / 2) < 0 || y + r > height; } function collision($, x, y, textHeight, textWidth, h, bm0, bm1) { const w = textWidth * h / (textHeight * 2), x1 = $(x - w), x2 = $(x + w), y1 = $(y - (h = h / 2)), y2 = $(y + h); return bm0.outOfBounds(x1, y1, x2, y2) || bm0.getRange(x1, y1, x2, y2) || bm1 && bm1.getRange(x1, y1, x2, y2); } function placeAreaLabelReducedSearch ($, bitmaps, avoidBaseMark, markIndex) { const width = $.width, height = $.height, bm0 = bitmaps[0], // where labels have been placed bm1 = bitmaps[1]; // area outlines function tryLabel(_x, _y, maxSize, textWidth, textHeight) { const x = $.invert(_x), y = $.invert(_y); let lo = maxSize, hi = height, mid; if (!outOfBounds(x, y, textWidth, textHeight, width, height) && !collision($, x, y, textHeight, textWidth, lo, bm0, bm1) && !collision($, x, y, textHeight, textWidth, textHeight, bm0, null)) { // if the label fits at the current sample point, // perform binary search to find the largest font size that fits while (hi - lo >= 1) { mid = (lo + hi) / 2; if (collision($, x, y, textHeight, textWidth, mid, bm0, bm1)) { hi = mid; } else { lo = mid; } } // place label if current lower bound exceeds prior max font size if (lo > maxSize) { return [x, y, lo, true]; } } } // try to place a label within an input area mark return function (d) { const items = d.datum.datum.items[markIndex].items, // area points n = items.length, // number of points textHeight = d.datum.fontSize, // label width textWidth = textMetrics.width(d.datum, d.datum.text); // label height let maxSize = avoidBaseMark ? textHeight : 0, labelPlaced = false, labelPlaced2 = false, maxAreaWidth = 0, x1, x2, y1, y2, x, y, _x, _y, _x1, _xMid, _x2, _y1, _yMid, _y2, areaWidth, result, swapTmp; // for each area sample point for (let i = 0; i < n; ++i) { x1 = items[i].x; y1 = items[i].y; x2 = items[i].x2 === undefined ? x1 : items[i].x2; y2 = items[i].y2 === undefined ? y1 : items[i].y2; if (x1 > x2) { swapTmp = x1; x1 = x2; x2 = swapTmp; } if (y1 > y2) { swapTmp = y1; y1 = y2; y2 = swapTmp; } _x1 = $(x1); _x2 = $(x2); _xMid = ~~((_x1 + _x2) / 2); _y1 = $(y1); _y2 = $(y2); _yMid = ~~((_y1 + _y2) / 2); // search along the line from mid point between the 2 border to lower border for (_x = _xMid; _x >= _x1; --_x) { for (_y = _yMid; _y >= _y1; --_y) { result = tryLabel(_x, _y, maxSize, textWidth, textHeight); if (result) { [d.x, d.y, maxSize, labelPlaced] = result; } } } // search along the line from mid point between the 2 border to upper border for (_x = _xMid; _x <= _x2; ++_x) { for (_y = _yMid; _y <= _y2; ++_y) { result = tryLabel(_x, _y, maxSize, textWidth, textHeight); if (result) { [d.x, d.y, maxSize, labelPlaced] = result; } } } // place label at slice center if not placed through other means // and if we're not avoiding overlap with other areas if (!labelPlaced && !avoidBaseMark) { // one span is zero, hence we can add areaWidth = Math.abs(x2 - x1 + y2 - y1); x = (x1 + x2) / 2; y = (y1 + y2) / 2; // place label if it fits and improves the max area width if (areaWidth >= maxAreaWidth && !outOfBounds(x, y, textWidth, textHeight, width, height) && !collision($, x, y, textHeight, textWidth, textHeight, bm0, null)) { maxAreaWidth = areaWidth; d.x = x; d.y = y; labelPlaced2 = true; } } } // record current label placement information, update label bitmap if (labelPlaced || labelPlaced2) { x = textWidth / 2; y = textHeight / 2; bm0.setRange($(d.x - x), $(d.y - y), $(d.x + x), $(d.y + y)); d.align = 'center'; d.baseline = 'middle'; return true; } else { return false; } }; } // pixel direction offsets for flood fill search const X_DIR = [-1, -1, 1, 1]; const Y_DIR = [-1, 1, -1, 1]; function placeAreaLabelFloodFill ($, bitmaps, avoidBaseMark, markIndex) { const width = $.width, height = $.height, bm0 = bitmaps[0], // where labels have been placed bm1 = bitmaps[1], // area outlines bm2 = $.bitmap(); // flood-fill visitations // try to place a label within an input area mark return function (d) { const items = d.datum.datum.items[markIndex].items, // area points n = items.length, // number of points textHeight = d.datum.fontSize, // label width textWidth = textMetrics.width(d.datum, d.datum.text), // label height stack = []; // flood fill stack let maxSize = avoidBaseMark ? textHeight : 0, labelPlaced = false, labelPlaced2 = false, maxAreaWidth = 0, x1, x2, y1, y2, x, y, _x, _y, lo, hi, mid, areaWidth; // for each area sample point for (let i = 0; i < n; ++i) { x1 = items[i].x; y1 = items[i].y; x2 = items[i].x2 === undefined ? x1 : items[i].x2; y2 = items[i].y2 === undefined ? y1 : items[i].y2; // add scaled center point to stack stack.push([$((x1 + x2) / 2), $((y1 + y2) / 2)]); // perform flood fill, visit points while (stack.length) { [_x, _y] = stack.pop(); // exit if point already marked if (bm0.get(_x, _y) || bm1.get(_x, _y) || bm2.get(_x, _y)) continue; // mark point in flood fill bitmap // add search points for all (in bound) directions bm2.set(_x, _y); for (let j = 0; j < 4; ++j) { x = _x + X_DIR[j]; y = _y + Y_DIR[j]; if (!bm2.outOfBounds(x, y, x, y)) stack.push([x, y]); } // unscale point back to x, y space x = $.invert(_x); y = $.invert(_y); lo = maxSize; hi = height; // TODO: make this bound smaller if (!outOfBounds(x, y, textWidth, textHeight, width, height) && !collision($, x, y, textHeight, textWidth, lo, bm0, bm1) && !collision($, x, y, textHeight, textWidth, textHeight, bm0, null)) { // if the label fits at the current sample point, // perform binary search to find the largest font size that fits while (hi - lo >= 1) { mid = (lo + hi) / 2; if (collision($, x, y, textHeight, textWidth, mid, bm0, bm1)) { hi = mid; } else { lo = mid; } } // place label if current lower bound exceeds prior max font size if (lo > maxSize) { d.x = x; d.y = y; maxSize = lo; labelPlaced = true; } } } // place label at slice center if not placed through other means // and if we're not avoiding overlap with other areas if (!labelPlaced && !avoidBaseMark) { // one span is zero, hence we can add areaWidth = Math.abs(x2 - x1 + y2 - y1); x = (x1 + x2) / 2; y = (y1 + y2) / 2; // place label if it fits and improves the max area width if (areaWidth >= maxAreaWidth && !outOfBounds(x, y, textWidth, textHeight, width, height) && !collision($, x, y, textHeight, textWidth, textHeight, bm0, null)) { maxAreaWidth = areaWidth; d.x = x; d.y = y; labelPlaced2 = true; } } } // record current label placement information, update label bitmap if (labelPlaced || labelPlaced2) { x = textWidth / 2; y = textHeight / 2; bm0.setRange($(d.x - x), $(d.y - y), $(d.x + x), $(d.y + y)); d.align = 'center'; d.baseline = 'middle'; return true; } else { return false; } }; } const Aligns = ['right', 'center', 'left'], Baselines = ['bottom', 'middle', 'top']; function placeMarkLabel ($, bitmaps, anchors, offsets) { const width = $.width, height = $.height, bm0 = bitmaps[0], bm1 = bitmaps[1], n = offsets.length; return function (d) { const boundary = d.boundary, textHeight = d.datum.fontSize; // can not be placed if the mark is not visible in the graph bound if (boundary[2] < 0 || boundary[5] < 0 || boundary[0] > width || boundary[3] > height) { return false; } let textWidth = d.textWidth ?? 0, dx, dy, isInside, sizeFactor, insideFactor, x1, x2, y1, y2, xc, yc, _x1, _x2, _y1, _y2; // for each anchor and offset for (let i = 0; i < n; ++i) { dx = (anchors[i] & 0x3) - 1; dy = (anchors[i] >>> 0x2 & 0x3) - 1; isInside = dx === 0 && dy === 0 || offsets[i] < 0; sizeFactor = dx && dy ? Math.SQRT1_2 : 1; insideFactor = offsets[i] < 0 ? -1 : 1; x1 = boundary[1 + dx] + offsets[i] * dx * sizeFactor; yc = boundary[4 + dy] + insideFactor * textHeight * dy / 2 + offsets[i] * dy * sizeFactor; y1 = yc - textHeight / 2; y2 = yc + textHeight / 2; _x1 = $(x1); _y1 = $(y1); _y2 = $(y2); if (!textWidth) { // to avoid finding width of text label, if (!test(_x1, _x1, _y1, _y2, bm0, bm1, x1, x1, y1, y2, boundary, isInside)) { // skip this anchor/offset option if we fail to place a label with 1px width continue; } else { // Otherwise, find the label width textWidth = textMetrics.width(d.datum, d.datum.text); } } xc = x1 + insideFactor * textWidth * dx / 2; x1 = xc - textWidth / 2; x2 = xc + textWidth / 2; _x1 = $(x1); _x2 = $(x2); if (test(_x1, _x2, _y1, _y2, bm0, bm1, x1, x2, y1, y2, boundary, isInside)) { // place label if the position is placeable d.x = !dx ? xc : dx * insideFactor < 0 ? x2 : x1; d.y = !dy ? yc : dy * insideFactor < 0 ? y2 : y1; d.align = Aligns[dx * insideFactor + 1]; d.baseline = Baselines[dy * insideFactor + 1]; bm0.setRange(_x1, _y1, _x2, _y2); return true; } } return false; }; } // Test if a label with the given dimensions can be added without overlap function test(_x1, _x2, _y1, _y2, bm0, bm1, x1, x2, y1, y2, boundary, isInside) { return !(bm0.outOfBounds(_x1, _y1, _x2, _y2) || (isInside && bm1 || bm0).getRange(_x1, _y1, _x2, _y2)); } // 8-bit representation of anchors const TOP = 0x0, MIDDLE = 0x4, BOTTOM = 0x8, LEFT = 0x0, CENTER = 0x1, RIGHT = 0x2; // Mapping from text anchor to number representation const anchorCode = { 'top-left': TOP + LEFT, 'top': TOP + CENTER, 'top-right': TOP + RIGHT, 'left': MIDDLE + LEFT, 'middle': MIDDLE + CENTER, 'right': MIDDLE + RIGHT, 'bottom-left': BOTTOM + LEFT, 'bottom': BOTTOM + CENTER, 'bottom-right': BOTTOM + RIGHT }; const placeAreaLabel = { 'naive': placeAreaLabelNaive, 'reduced-search': placeAreaLabelReducedSearch, 'floodfill': placeAreaLabelFloodFill }; function labelLayout (texts, size, compare, offset, anchor, avoidMarks, avoidBaseMark, lineAnchor, markIndex, padding, method) { // early exit for empty data if (!texts.length) return texts; const positions = Math.max(offset.length, anchor.length), offsets = getOffsets(offset, positions), anchors = getAnchors(anchor, positions), marktype = markType(texts[0].datum), grouptype = marktype === 'group' && texts[0].datum.items[markIndex].marktype, isGroupArea = grouptype === 'area', boundary = markBoundary(marktype, grouptype, lineAnchor, markIndex), infPadding = padding === null || padding === Infinity, isNaiveGroupArea = isGroupArea && method === 'naive'; let maxTextWidth = -1, maxTextHeight = -1; // prepare text mark data for placing const data = texts.map(d => { const textWidth = infPadding ? textMetrics.width(d, d.text) : undefined; maxTextWidth = Math.max(maxTextWidth, textWidth); maxTextHeight = Math.max(maxTextHeight, d.fontSize); return { datum: d, opacity: 0, x: undefined, y: undefined, align: undefined, baseline: undefined, boundary: boundary(d), textWidth }; }); padding = padding === null || padding === Infinity ? Math.max(maxTextWidth, maxTextHeight) + Math.max(...offset) : padding; const $ = scaler(size[0], size[1], padding); let bitmaps; if (!isNaiveGroupArea) { // sort labels in priority order, if comparator is provided if (compare) { data.sort((a, b) => compare(a.datum, b.datum)); } // flag indicating if label can be placed inside its base mark let labelInside = false; for (let i = 0; i < anchors.length && !labelInside; ++i) { // label inside if anchor is at center // label inside if offset to be inside the mark bound labelInside = anchors[i] === 0x5 || offsets[i] < 0; } // extract data information from base mark when base mark is to be avoided // base mark is implicitly avoided if it is a group area const baseMark = (marktype && avoidBaseMark || isGroupArea) && texts.map(d => d.datum); // generate bitmaps for layout calculation bitmaps = avoidMarks.length || baseMark ? markBitmaps($, baseMark || [], avoidMarks, labelInside, isGroupArea) : baseBitmaps($, avoidBaseMark && data); } // generate label placement function const place = isGroupArea ? placeAreaLabel[method]($, bitmaps, avoidBaseMark, markIndex) : placeMarkLabel($, bitmaps, anchors, offsets); // place all labels data.forEach(d => d.opacity = +place(d)); return data; } function getOffsets(_, count) { const offsets = new Float64Array(count), n = _.length; for (let i = 0; i < n; ++i) offsets[i] = _[i] || 0; for (let i = n; i < count; ++i) offsets[i] = offsets[n - 1]; return offsets; } function getAnchors(_, count) { const anchors = new Int8Array(count), n = _.length; for (let i = 0; i < n; ++i) anchors[i] |= anchorCode[_[i]]; for (let i = n; i < count; ++i) anchors[i] = anchors[n - 1]; return anchors; } function markType(item) { return item && item.mark && item.mark.marktype; } /** * Factory function for function for getting base mark boundary, depending * on mark and group type. When mark type is undefined, line or area: boundary * is the coordinate of each data point. When base mark is grouped line, * boundary is either at the start or end of the line depending on the * value of lineAnchor. Otherwise, use bounds of base mark. */ function markBoundary(marktype, grouptype, lineAnchor, markIndex) { const xy = d => [d.x, d.x, d.x, d.y, d.y, d.y]; if (!marktype) { return xy; // no reactive geometry } else if (marktype === 'line' || marktype === 'area') { return d => xy(d.datum); } else if (grouptype === 'line') { return d => { const items = d.datum.items[markIndex].items; return xy(items.length ? items[lineAnchor === 'start' ? 0 : items.length - 1] : { x: NaN, y: NaN }); }; } else { return d => { const b = d.datum.bounds; return [b.x1, (b.x1 + b.x2) / 2, b.x2, b.y1, (b.y1 + b.y2) / 2, b.y2]; }; } } const vega_label_module_Output = ['x', 'y', 'opacity', 'align', 'baseline']; const Anchors = ['top-left', 'left', 'bottom-left', 'top', 'bottom', 'top-right', 'right', 'bottom-right']; /** * Compute text label layout to annotate marks. * @constructor * @param {object} params - The parameters for this operator. * @param {Array} params.size - The size of the layout, provided as a [width, height] array. * @param {function(*,*): number} [params.sort] - An optional * comparator function for sorting label data in priority order. * @param {Array} [params.anchor] - Label anchor points relative to the base mark bounding box. * The available options are 'top-left', 'left', 'bottom-left', 'top', * 'bottom', 'top-right', 'right', 'bottom-right', 'middle'. * @param {Array} [params.offset] - Label offsets (in pixels) from the base mark bounding box. * This parameter is parallel to the list of anchor points. * @param {number | null} [params.padding=0] - The amount (in pixels) that a label may exceed the layout size. * If this parameter is null, a label may exceed the layout size without any boundary. * @param {string} [params.lineAnchor='end'] - For group line mark labels only, indicates the anchor * position for labels. One of 'start' or 'end'. * @param {string} [params.markIndex=0] - For group mark labels only, an index indicating * which mark within the group should be labeled. * @param {Array} [params.avoidMarks] - A list of additional mark names for which the label * layout should avoid overlap. * @param {boolean} [params.avoidBaseMark=true] - Boolean flag indicating if labels should avoid * overlap with the underlying base mark being labeled. * @param {string} [params.method='naive'] - For area make labels only, a method for * place labels. One of 'naive', 'reduced-search', or 'floodfill'. * @param {Array} [params.as] - The output fields written by the transform. * The default is ['x', 'y', 'opacity', 'align', 'baseline']. */ function Label(params) { Transform.call(this, null, params); } Label.Definition = { type: 'Label', metadata: { modifies: true }, params: [{ name: 'size', type: 'number', array: true, length: 2, required: true }, { name: 'sort', type: 'compare' }, { name: 'anchor', type: 'string', array: true, default: Anchors }, { name: 'offset', type: 'number', array: true, default: [1] }, { name: 'padding', type: 'number', default: 0, null: true }, { name: 'lineAnchor', type: 'string', values: ['start', 'end'], default: 'end' }, { name: 'markIndex', type: 'number', default: 0 }, { name: 'avoidBaseMark', type: 'boolean', default: true }, { name: 'avoidMarks', type: 'data', array: true }, { name: 'method', type: 'string', default: 'naive' }, { name: 'as', type: 'string', array: true, length: vega_label_module_Output.length, default: vega_label_module_Output }] }; inherits(Label, Transform, { transform(_, pulse) { function modp(param) { const p = _[param]; return vega_util_module_isFunction(p) && pulse.modified(p.fields); } const mod = _.modified(); if (!(mod || pulse.changed(pulse.ADD_REM) || modp('sort'))) return; if (!_.size || _.size.length !== 2) { vega_util_module_error('Size parameter should be specified as a [width, height] array.'); } const as = _.as || vega_label_module_Output; // run label layout labelLayout(pulse.materialize(pulse.SOURCE).source || [], _.size, _.sort, array(_.offset == null ? 1 : _.offset), array(_.anchor || Anchors), _.avoidMarks || [], _.avoidBaseMark !== false, _.lineAnchor || 'end', _.markIndex || 0, _.padding === undefined ? 0 : _.padding, _.method || 'naive').forEach(l => { // write layout results to data stream const t = l.datum; t[as[0]] = l.x; t[as[1]] = l.y; t[as[2]] = l.opacity; t[as[3]] = l.align; t[as[4]] = l.baseline; }); return pulse.reflow(mod).modifies(as); } }); ;// CONCATENATED MODULE: ../node_modules/vega-regression/build/vega-regression.module.js function vega_regression_module_partition (data, groupby) { var groups = [], get = function (f) { return f(t); }, map, i, n, t, k, g; // partition data points into stack groups if (groupby == null) { groups.push(data); } else { for (map = {}, i = 0, n = data.length; i < n; ++i) { t = data[i]; k = groupby.map(get); g = map[k]; if (!g) { map[k] = g = []; g.dims = k; groups.push(g); } g.push(t); } } return groups; } /** * Compute locally-weighted regression fits for one or more data groups. * @constructor * @param {object} params - The parameters for this operator. * @param {function(object): *} params.x - An accessor for the predictor data field. * @param {function(object): *} params.y - An accessor for the predicted data field. * @param {Array} [params.groupby] - An array of accessors to groupby. * @param {number} [params.bandwidth=0.3] - The loess bandwidth. */ function Loess(params) { Transform.call(this, null, params); } Loess.Definition = { 'type': 'Loess', 'metadata': { 'generates': true }, 'params': [{ 'name': 'x', 'type': 'field', 'required': true }, { 'name': 'y', 'type': 'field', 'required': true }, { 'name': 'groupby', 'type': 'field', 'array': true }, { 'name': 'bandwidth', 'type': 'number', 'default': 0.3 }, { 'name': 'as', 'type': 'string', 'array': true }] }; inherits(Loess, Transform, { transform(_, pulse) { const out = pulse.fork(pulse.NO_SOURCE | pulse.NO_FIELDS); if (!this.value || pulse.changed() || _.modified()) { const source = pulse.materialize(pulse.SOURCE).source, groups = vega_regression_module_partition(source, _.groupby), names = (_.groupby || []).map(accessorName), m = names.length, as = _.as || [accessorName(_.x), accessorName(_.y)], values = []; groups.forEach(g => { loess(g, _.x, _.y, _.bandwidth || 0.3).forEach(p => { const t = {}; for (let i = 0; i < m; ++i) { t[names[i]] = g.dims[i]; } t[as[0]] = p[0]; t[as[1]] = p[1]; values.push(ingest$1(t)); }); }); if (this.value) out.rem = this.value; this.value = out.add = out.source = values; } return out; } }); const vega_regression_module_Methods = { constant: vega_statistics_module_constant, linear: linear, log: vega_statistics_module_log, exp: vega_statistics_module_exp, pow: vega_statistics_module_pow, quad: quad, poly: poly }; const degreesOfFreedom = (method, order) => method === 'poly' ? order : method === 'quad' ? 2 : 1; /** * Compute regression fits for one or more data groups. * @constructor * @param {object} params - The parameters for this operator. * @param {function(object): *} params.x - An accessor for the predictor data field. * @param {function(object): *} params.y - An accessor for the predicted data field. * @param {string} [params.method='linear'] - The regression method to apply. * @param {Array} [params.groupby] - An array of accessors to groupby. * @param {Array} [params.extent] - The domain extent over which to plot the regression line. * @param {number} [params.order=3] - The polynomial order. Only applies to the 'poly' method. */ function Regression(params) { Transform.call(this, null, params); } Regression.Definition = { 'type': 'Regression', 'metadata': { 'generates': true }, 'params': [{ 'name': 'x', 'type': 'field', 'required': true }, { 'name': 'y', 'type': 'field', 'required': true }, { 'name': 'groupby', 'type': 'field', 'array': true }, { 'name': 'method', 'type': 'string', 'default': 'linear', 'values': Object.keys(vega_regression_module_Methods) }, { 'name': 'order', 'type': 'number', 'default': 3 }, { 'name': 'extent', 'type': 'number', 'array': true, 'length': 2 }, { 'name': 'params', 'type': 'boolean', 'default': false }, { 'name': 'as', 'type': 'string', 'array': true }] }; inherits(Regression, Transform, { transform(_, pulse) { const out = pulse.fork(pulse.NO_SOURCE | pulse.NO_FIELDS); if (!this.value || pulse.changed() || _.modified()) { const source = pulse.materialize(pulse.SOURCE).source, groups = vega_regression_module_partition(source, _.groupby), names = (_.groupby || []).map(accessorName), method = _.method || 'linear', order = _.order == null ? 3 : _.order, dof = degreesOfFreedom(method, order), as = _.as || [accessorName(_.x), accessorName(_.y)], fit = vega_regression_module_Methods[method], values = []; let domain = _.extent; if (!has(vega_regression_module_Methods, method)) { vega_util_module_error('Invalid regression method: ' + method); } if (domain != null) { if (method === 'log' && domain[0] <= 0) { pulse.dataflow.warn('Ignoring extent with values <= 0 for log regression.'); domain = null; } } groups.forEach(g => { const n = g.length; if (n <= dof) { pulse.dataflow.warn('Skipping regression with more parameters than data points.'); return; } const model = fit(g, _.x, _.y, order); if (_.params) { // if parameter vectors requested return those values.push(ingest$1({ keys: g.dims, coef: model.coef, rSquared: model.rSquared })); return; } const dom = domain || extent(g, _.x), add = p => { const t = {}; for (let i = 0; i < names.length; ++i) { t[names[i]] = g.dims[i]; } t[as[0]] = p[0]; t[as[1]] = p[1]; values.push(ingest$1(t)); }; if (method === 'linear' || method === 'constant') { // for linear or constant regression we only need the end points dom.forEach(x => add([x, model.predict(x)])); } else { // otherwise return trend line sample points sampleCurve(model.predict, dom, 25, 200).forEach(add); } }); if (this.value) out.rem = this.value; this.value = out.add = out.source = values; } return out; } }); ;// CONCATENATED MODULE: ../node_modules/robust-predicates/esm/util.js const util_epsilon = 1.1102230246251565e-16; const util_splitter = 134217729; const util_resulterrbound = (3 + 8 * util_epsilon) * util_epsilon; // fast_expansion_sum_zeroelim routine from oritinal code function util_sum(elen, e, flen, f, h) { let Q, Qnew, hh, bvirt; let enow = e[0]; let fnow = f[0]; let eindex = 0; let findex = 0; if ((fnow > enow) === (fnow > -enow)) { Q = enow; enow = e[++eindex]; } else { Q = fnow; fnow = f[++findex]; } let hindex = 0; if (eindex < elen && findex < flen) { if ((fnow > enow) === (fnow > -enow)) { Qnew = enow + Q; hh = Q - (Qnew - enow); enow = e[++eindex]; } else { Qnew = fnow + Q; hh = Q - (Qnew - fnow); fnow = f[++findex]; } Q = Qnew; if (hh !== 0) { h[hindex++] = hh; } while (eindex < elen && findex < flen) { if ((fnow > enow) === (fnow > -enow)) { Qnew = Q + enow; bvirt = Qnew - Q; hh = Q - (Qnew - bvirt) + (enow - bvirt); enow = e[++eindex]; } else { Qnew = Q + fnow; bvirt = Qnew - Q; hh = Q - (Qnew - bvirt) + (fnow - bvirt); fnow = f[++findex]; } Q = Qnew; if (hh !== 0) { h[hindex++] = hh; } } } while (eindex < elen) { Qnew = Q + enow; bvirt = Qnew - Q; hh = Q - (Qnew - bvirt) + (enow - bvirt); enow = e[++eindex]; Q = Qnew; if (hh !== 0) { h[hindex++] = hh; } } while (findex < flen) { Qnew = Q + fnow; bvirt = Qnew - Q; hh = Q - (Qnew - bvirt) + (fnow - bvirt); fnow = f[++findex]; Q = Qnew; if (hh !== 0) { h[hindex++] = hh; } } if (Q !== 0 || hindex === 0) { h[hindex++] = Q; } return hindex; } function util_sum_three(alen, a, blen, b, clen, c, tmp, out) { return util_sum(util_sum(alen, a, blen, b, tmp), tmp, clen, c, out); } // scale_expansion_zeroelim routine from oritinal code function util_scale(elen, e, b, h) { let Q, sum, hh, product1, product0; let bvirt, c, ahi, alo, bhi, blo; c = util_splitter * b; bhi = c - (c - b); blo = b - bhi; let enow = e[0]; Q = enow * b; c = util_splitter * enow; ahi = c - (c - enow); alo = enow - ahi; hh = alo * blo - (Q - ahi * bhi - alo * bhi - ahi * blo); let hindex = 0; if (hh !== 0) { h[hindex++] = hh; } for (let i = 1; i < elen; i++) { enow = e[i]; product1 = enow * b; c = util_splitter * enow; ahi = c - (c - enow); alo = enow - ahi; product0 = alo * blo - (product1 - ahi * bhi - alo * bhi - ahi * blo); sum = Q + product0; bvirt = sum - Q; hh = Q - (sum - bvirt) + (product0 - bvirt); if (hh !== 0) { h[hindex++] = hh; } Q = product1 + sum; hh = sum - (Q - product1); if (hh !== 0) { h[hindex++] = hh; } } if (Q !== 0 || hindex === 0) { h[hindex++] = Q; } return hindex; } function util_negate(elen, e) { for (let i = 0; i < elen; i++) e[i] = -e[i]; return elen; } function util_estimate(elen, e) { let Q = e[0]; for (let i = 1; i < elen; i++) Q += e[i]; return Q; } function vec(n) { return new Float64Array(n); } ;// CONCATENATED MODULE: ../node_modules/robust-predicates/esm/orient2d.js const ccwerrboundA = (3 + 16 * util_epsilon) * util_epsilon; const ccwerrboundB = (2 + 12 * util_epsilon) * util_epsilon; const ccwerrboundC = (9 + 64 * util_epsilon) * util_epsilon * util_epsilon; const B = vec(4); const C1 = vec(8); const C2 = vec(12); const D = vec(16); const u = vec(4); function orient2dadapt(ax, ay, bx, by, cx, cy, detsum) { let acxtail, acytail, bcxtail, bcytail; let bvirt, c, ahi, alo, bhi, blo, _i, _j, _0, s1, s0, t1, t0, u3; const acx = ax - cx; const bcx = bx - cx; const acy = ay - cy; const bcy = by - cy; s1 = acx * bcy; c = util_splitter * acx; ahi = c - (c - acx); alo = acx - ahi; c = util_splitter * bcy; bhi = c - (c - bcy); blo = bcy - bhi; s0 = alo * blo - (s1 - ahi * bhi - alo * bhi - ahi * blo); t1 = acy * bcx; c = util_splitter * acy; ahi = c - (c - acy); alo = acy - ahi; c = util_splitter * bcx; bhi = c - (c - bcx); blo = bcx - bhi; t0 = alo * blo - (t1 - ahi * bhi - alo * bhi - ahi * blo); _i = s0 - t0; bvirt = s0 - _i; B[0] = s0 - (_i + bvirt) + (bvirt - t0); _j = s1 + _i; bvirt = _j - s1; _0 = s1 - (_j - bvirt) + (_i - bvirt); _i = _0 - t1; bvirt = _0 - _i; B[1] = _0 - (_i + bvirt) + (bvirt - t1); u3 = _j + _i; bvirt = u3 - _j; B[2] = _j - (u3 - bvirt) + (_i - bvirt); B[3] = u3; let det = util_estimate(4, B); let errbound = ccwerrboundB * detsum; if (det >= errbound || -det >= errbound) { return det; } bvirt = ax - acx; acxtail = ax - (acx + bvirt) + (bvirt - cx); bvirt = bx - bcx; bcxtail = bx - (bcx + bvirt) + (bvirt - cx); bvirt = ay - acy; acytail = ay - (acy + bvirt) + (bvirt - cy); bvirt = by - bcy; bcytail = by - (bcy + bvirt) + (bvirt - cy); if (acxtail === 0 && acytail === 0 && bcxtail === 0 && bcytail === 0) { return det; } errbound = ccwerrboundC * detsum + util_resulterrbound * Math.abs(det); det += (acx * bcytail + bcy * acxtail) - (acy * bcxtail + bcx * acytail); if (det >= errbound || -det >= errbound) return det; s1 = acxtail * bcy; c = util_splitter * acxtail; ahi = c - (c - acxtail); alo = acxtail - ahi; c = util_splitter * bcy; bhi = c - (c - bcy); blo = bcy - bhi; s0 = alo * blo - (s1 - ahi * bhi - alo * bhi - ahi * blo); t1 = acytail * bcx; c = util_splitter * acytail; ahi = c - (c - acytail); alo = acytail - ahi; c = util_splitter * bcx; bhi = c - (c - bcx); blo = bcx - bhi; t0 = alo * blo - (t1 - ahi * bhi - alo * bhi - ahi * blo); _i = s0 - t0; bvirt = s0 - _i; u[0] = s0 - (_i + bvirt) + (bvirt - t0); _j = s1 + _i; bvirt = _j - s1; _0 = s1 - (_j - bvirt) + (_i - bvirt); _i = _0 - t1; bvirt = _0 - _i; u[1] = _0 - (_i + bvirt) + (bvirt - t1); u3 = _j + _i; bvirt = u3 - _j; u[2] = _j - (u3 - bvirt) + (_i - bvirt); u[3] = u3; const C1len = util_sum(4, B, 4, u, C1); s1 = acx * bcytail; c = util_splitter * acx; ahi = c - (c - acx); alo = acx - ahi; c = util_splitter * bcytail; bhi = c - (c - bcytail); blo = bcytail - bhi; s0 = alo * blo - (s1 - ahi * bhi - alo * bhi - ahi * blo); t1 = acy * bcxtail; c = util_splitter * acy; ahi = c - (c - acy); alo = acy - ahi; c = util_splitter * bcxtail; bhi = c - (c - bcxtail); blo = bcxtail - bhi; t0 = alo * blo - (t1 - ahi * bhi - alo * bhi - ahi * blo); _i = s0 - t0; bvirt = s0 - _i; u[0] = s0 - (_i + bvirt) + (bvirt - t0); _j = s1 + _i; bvirt = _j - s1; _0 = s1 - (_j - bvirt) + (_i - bvirt); _i = _0 - t1; bvirt = _0 - _i; u[1] = _0 - (_i + bvirt) + (bvirt - t1); u3 = _j + _i; bvirt = u3 - _j; u[2] = _j - (u3 - bvirt) + (_i - bvirt); u[3] = u3; const C2len = util_sum(C1len, C1, 4, u, C2); s1 = acxtail * bcytail; c = util_splitter * acxtail; ahi = c - (c - acxtail); alo = acxtail - ahi; c = util_splitter * bcytail; bhi = c - (c - bcytail); blo = bcytail - bhi; s0 = alo * blo - (s1 - ahi * bhi - alo * bhi - ahi * blo); t1 = acytail * bcxtail; c = util_splitter * acytail; ahi = c - (c - acytail); alo = acytail - ahi; c = util_splitter * bcxtail; bhi = c - (c - bcxtail); blo = bcxtail - bhi; t0 = alo * blo - (t1 - ahi * bhi - alo * bhi - ahi * blo); _i = s0 - t0; bvirt = s0 - _i; u[0] = s0 - (_i + bvirt) + (bvirt - t0); _j = s1 + _i; bvirt = _j - s1; _0 = s1 - (_j - bvirt) + (_i - bvirt); _i = _0 - t1; bvirt = _0 - _i; u[1] = _0 - (_i + bvirt) + (bvirt - t1); u3 = _j + _i; bvirt = u3 - _j; u[2] = _j - (u3 - bvirt) + (_i - bvirt); u[3] = u3; const Dlen = util_sum(C2len, C2, 4, u, D); return D[Dlen - 1]; } function orient2d(ax, ay, bx, by, cx, cy) { const detleft = (ay - cy) * (bx - cx); const detright = (ax - cx) * (by - cy); const det = detleft - detright; const detsum = Math.abs(detleft + detright); if (Math.abs(det) >= ccwerrboundA * detsum) return det; return -orient2dadapt(ax, ay, bx, by, cx, cy, detsum); } function orient2dfast(ax, ay, bx, by, cx, cy) { return (ay - cy) * (bx - cx) - (ax - cx) * (by - cy); } ;// CONCATENATED MODULE: ../node_modules/robust-predicates/esm/orient3d.js const o3derrboundA = (7 + 56 * util_epsilon) * util_epsilon; const o3derrboundB = (3 + 28 * util_epsilon) * util_epsilon; const o3derrboundC = (26 + 288 * util_epsilon) * util_epsilon * util_epsilon; const bc = vec(4); const ca = vec(4); const ab = vec(4); const at_b = vec(4); const at_c = vec(4); const bt_c = vec(4); const bt_a = vec(4); const ct_a = vec(4); const ct_b = vec(4); const bct = vec(8); const cat = vec(8); const abt = vec(8); const orient3d_u = vec(4); const _8 = vec(8); const _8b = vec(8); const _16 = vec(8); const _12 = vec(12); let fin = vec(192); let fin2 = vec(192); function finadd(finlen, alen, a) { finlen = sum(finlen, fin, alen, a, fin2); const tmp = fin; fin = fin2; fin2 = tmp; return finlen; } function tailinit(xtail, ytail, ax, ay, bx, by, a, b) { let bvirt, c, ahi, alo, bhi, blo, _i, _j, _k, _0, s1, s0, t1, t0, u3, negate; if (xtail === 0) { if (ytail === 0) { a[0] = 0; b[0] = 0; return 1; } else { negate = -ytail; s1 = negate * ax; c = splitter * negate; ahi = c - (c - negate); alo = negate - ahi; c = splitter * ax; bhi = c - (c - ax); blo = ax - bhi; a[0] = alo * blo - (s1 - ahi * bhi - alo * bhi - ahi * blo); a[1] = s1; s1 = ytail * bx; c = splitter * ytail; ahi = c - (c - ytail); alo = ytail - ahi; c = splitter * bx; bhi = c - (c - bx); blo = bx - bhi; b[0] = alo * blo - (s1 - ahi * bhi - alo * bhi - ahi * blo); b[1] = s1; return 2; } } else { if (ytail === 0) { s1 = xtail * ay; c = splitter * xtail; ahi = c - (c - xtail); alo = xtail - ahi; c = splitter * ay; bhi = c - (c - ay); blo = ay - bhi; a[0] = alo * blo - (s1 - ahi * bhi - alo * bhi - ahi * blo); a[1] = s1; negate = -xtail; s1 = negate * by; c = splitter * negate; ahi = c - (c - negate); alo = negate - ahi; c = splitter * by; bhi = c - (c - by); blo = by - bhi; b[0] = alo * blo - (s1 - ahi * bhi - alo * bhi - ahi * blo); b[1] = s1; return 2; } else { s1 = xtail * ay; c = splitter * xtail; ahi = c - (c - xtail); alo = xtail - ahi; c = splitter * ay; bhi = c - (c - ay); blo = ay - bhi; s0 = alo * blo - (s1 - ahi * bhi - alo * bhi - ahi * blo); t1 = ytail * ax; c = splitter * ytail; ahi = c - (c - ytail); alo = ytail - ahi; c = splitter * ax; bhi = c - (c - ax); blo = ax - bhi; t0 = alo * blo - (t1 - ahi * bhi - alo * bhi - ahi * blo); _i = s0 - t0; bvirt = s0 - _i; a[0] = s0 - (_i + bvirt) + (bvirt - t0); _j = s1 + _i; bvirt = _j - s1; _0 = s1 - (_j - bvirt) + (_i - bvirt); _i = _0 - t1; bvirt = _0 - _i; a[1] = _0 - (_i + bvirt) + (bvirt - t1); u3 = _j + _i; bvirt = u3 - _j; a[2] = _j - (u3 - bvirt) + (_i - bvirt); a[3] = u3; s1 = ytail * bx; c = splitter * ytail; ahi = c - (c - ytail); alo = ytail - ahi; c = splitter * bx; bhi = c - (c - bx); blo = bx - bhi; s0 = alo * blo - (s1 - ahi * bhi - alo * bhi - ahi * blo); t1 = xtail * by; c = splitter * xtail; ahi = c - (c - xtail); alo = xtail - ahi; c = splitter * by; bhi = c - (c - by); blo = by - bhi; t0 = alo * blo - (t1 - ahi * bhi - alo * bhi - ahi * blo); _i = s0 - t0; bvirt = s0 - _i; b[0] = s0 - (_i + bvirt) + (bvirt - t0); _j = s1 + _i; bvirt = _j - s1; _0 = s1 - (_j - bvirt) + (_i - bvirt); _i = _0 - t1; bvirt = _0 - _i; b[1] = _0 - (_i + bvirt) + (bvirt - t1); u3 = _j + _i; bvirt = u3 - _j; b[2] = _j - (u3 - bvirt) + (_i - bvirt); b[3] = u3; return 4; } } } function tailadd(finlen, a, b, k, z) { let bvirt, c, ahi, alo, bhi, blo, _i, _j, _k, _0, s1, s0, u3; s1 = a * b; c = splitter * a; ahi = c - (c - a); alo = a - ahi; c = splitter * b; bhi = c - (c - b); blo = b - bhi; s0 = alo * blo - (s1 - ahi * bhi - alo * bhi - ahi * blo); c = splitter * k; bhi = c - (c - k); blo = k - bhi; _i = s0 * k; c = splitter * s0; ahi = c - (c - s0); alo = s0 - ahi; orient3d_u[0] = alo * blo - (_i - ahi * bhi - alo * bhi - ahi * blo); _j = s1 * k; c = splitter * s1; ahi = c - (c - s1); alo = s1 - ahi; _0 = alo * blo - (_j - ahi * bhi - alo * bhi - ahi * blo); _k = _i + _0; bvirt = _k - _i; orient3d_u[1] = _i - (_k - bvirt) + (_0 - bvirt); u3 = _j + _k; orient3d_u[2] = _k - (u3 - _j); orient3d_u[3] = u3; finlen = finadd(finlen, 4, orient3d_u); if (z !== 0) { c = splitter * z; bhi = c - (c - z); blo = z - bhi; _i = s0 * z; c = splitter * s0; ahi = c - (c - s0); alo = s0 - ahi; orient3d_u[0] = alo * blo - (_i - ahi * bhi - alo * bhi - ahi * blo); _j = s1 * z; c = splitter * s1; ahi = c - (c - s1); alo = s1 - ahi; _0 = alo * blo - (_j - ahi * bhi - alo * bhi - ahi * blo); _k = _i + _0; bvirt = _k - _i; orient3d_u[1] = _i - (_k - bvirt) + (_0 - bvirt); u3 = _j + _k; orient3d_u[2] = _k - (u3 - _j); orient3d_u[3] = u3; finlen = finadd(finlen, 4, orient3d_u); } return finlen; } function orient3dadapt(ax, ay, az, bx, by, bz, cx, cy, cz, dx, dy, dz, permanent) { let finlen; let adxtail, bdxtail, cdxtail; let adytail, bdytail, cdytail; let adztail, bdztail, cdztail; let bvirt, c, ahi, alo, bhi, blo, _i, _j, _k, _0, s1, s0, t1, t0, u3; const adx = ax - dx; const bdx = bx - dx; const cdx = cx - dx; const ady = ay - dy; const bdy = by - dy; const cdy = cy - dy; const adz = az - dz; const bdz = bz - dz; const cdz = cz - dz; s1 = bdx * cdy; c = splitter * bdx; ahi = c - (c - bdx); alo = bdx - ahi; c = splitter * cdy; bhi = c - (c - cdy); blo = cdy - bhi; s0 = alo * blo - (s1 - ahi * bhi - alo * bhi - ahi * blo); t1 = cdx * bdy; c = splitter * cdx; ahi = c - (c - cdx); alo = cdx - ahi; c = splitter * bdy; bhi = c - (c - bdy); blo = bdy - bhi; t0 = alo * blo - (t1 - ahi * bhi - alo * bhi - ahi * blo); _i = s0 - t0; bvirt = s0 - _i; bc[0] = s0 - (_i + bvirt) + (bvirt - t0); _j = s1 + _i; bvirt = _j - s1; _0 = s1 - (_j - bvirt) + (_i - bvirt); _i = _0 - t1; bvirt = _0 - _i; bc[1] = _0 - (_i + bvirt) + (bvirt - t1); u3 = _j + _i; bvirt = u3 - _j; bc[2] = _j - (u3 - bvirt) + (_i - bvirt); bc[3] = u3; s1 = cdx * ady; c = splitter * cdx; ahi = c - (c - cdx); alo = cdx - ahi; c = splitter * ady; bhi = c - (c - ady); blo = ady - bhi; s0 = alo * blo - (s1 - ahi * bhi - alo * bhi - ahi * blo); t1 = adx * cdy; c = splitter * adx; ahi = c - (c - adx); alo = adx - ahi; c = splitter * cdy; bhi = c - (c - cdy); blo = cdy - bhi; t0 = alo * blo - (t1 - ahi * bhi - alo * bhi - ahi * blo); _i = s0 - t0; bvirt = s0 - _i; ca[0] = s0 - (_i + bvirt) + (bvirt - t0); _j = s1 + _i; bvirt = _j - s1; _0 = s1 - (_j - bvirt) + (_i - bvirt); _i = _0 - t1; bvirt = _0 - _i; ca[1] = _0 - (_i + bvirt) + (bvirt - t1); u3 = _j + _i; bvirt = u3 - _j; ca[2] = _j - (u3 - bvirt) + (_i - bvirt); ca[3] = u3; s1 = adx * bdy; c = splitter * adx; ahi = c - (c - adx); alo = adx - ahi; c = splitter * bdy; bhi = c - (c - bdy); blo = bdy - bhi; s0 = alo * blo - (s1 - ahi * bhi - alo * bhi - ahi * blo); t1 = bdx * ady; c = splitter * bdx; ahi = c - (c - bdx); alo = bdx - ahi; c = splitter * ady; bhi = c - (c - ady); blo = ady - bhi; t0 = alo * blo - (t1 - ahi * bhi - alo * bhi - ahi * blo); _i = s0 - t0; bvirt = s0 - _i; ab[0] = s0 - (_i + bvirt) + (bvirt - t0); _j = s1 + _i; bvirt = _j - s1; _0 = s1 - (_j - bvirt) + (_i - bvirt); _i = _0 - t1; bvirt = _0 - _i; ab[1] = _0 - (_i + bvirt) + (bvirt - t1); u3 = _j + _i; bvirt = u3 - _j; ab[2] = _j - (u3 - bvirt) + (_i - bvirt); ab[3] = u3; finlen = sum( sum( scale(4, bc, adz, _8), _8, scale(4, ca, bdz, _8b), _8b, _16), _16, scale(4, ab, cdz, _8), _8, fin); let det = estimate(finlen, fin); let errbound = o3derrboundB * permanent; if (det >= errbound || -det >= errbound) { return det; } bvirt = ax - adx; adxtail = ax - (adx + bvirt) + (bvirt - dx); bvirt = bx - bdx; bdxtail = bx - (bdx + bvirt) + (bvirt - dx); bvirt = cx - cdx; cdxtail = cx - (cdx + bvirt) + (bvirt - dx); bvirt = ay - ady; adytail = ay - (ady + bvirt) + (bvirt - dy); bvirt = by - bdy; bdytail = by - (bdy + bvirt) + (bvirt - dy); bvirt = cy - cdy; cdytail = cy - (cdy + bvirt) + (bvirt - dy); bvirt = az - adz; adztail = az - (adz + bvirt) + (bvirt - dz); bvirt = bz - bdz; bdztail = bz - (bdz + bvirt) + (bvirt - dz); bvirt = cz - cdz; cdztail = cz - (cdz + bvirt) + (bvirt - dz); if (adxtail === 0 && bdxtail === 0 && cdxtail === 0 && adytail === 0 && bdytail === 0 && cdytail === 0 && adztail === 0 && bdztail === 0 && cdztail === 0) { return det; } errbound = o3derrboundC * permanent + resulterrbound * Math.abs(det); det += adz * (bdx * cdytail + cdy * bdxtail - (bdy * cdxtail + cdx * bdytail)) + adztail * (bdx * cdy - bdy * cdx) + bdz * (cdx * adytail + ady * cdxtail - (cdy * adxtail + adx * cdytail)) + bdztail * (cdx * ady - cdy * adx) + cdz * (adx * bdytail + bdy * adxtail - (ady * bdxtail + bdx * adytail)) + cdztail * (adx * bdy - ady * bdx); if (det >= errbound || -det >= errbound) { return det; } const at_len = tailinit(adxtail, adytail, bdx, bdy, cdx, cdy, at_b, at_c); const bt_len = tailinit(bdxtail, bdytail, cdx, cdy, adx, ady, bt_c, bt_a); const ct_len = tailinit(cdxtail, cdytail, adx, ady, bdx, bdy, ct_a, ct_b); const bctlen = sum(bt_len, bt_c, ct_len, ct_b, bct); finlen = finadd(finlen, scale(bctlen, bct, adz, _16), _16); const catlen = sum(ct_len, ct_a, at_len, at_c, cat); finlen = finadd(finlen, scale(catlen, cat, bdz, _16), _16); const abtlen = sum(at_len, at_b, bt_len, bt_a, abt); finlen = finadd(finlen, scale(abtlen, abt, cdz, _16), _16); if (adztail !== 0) { finlen = finadd(finlen, scale(4, bc, adztail, _12), _12); finlen = finadd(finlen, scale(bctlen, bct, adztail, _16), _16); } if (bdztail !== 0) { finlen = finadd(finlen, scale(4, ca, bdztail, _12), _12); finlen = finadd(finlen, scale(catlen, cat, bdztail, _16), _16); } if (cdztail !== 0) { finlen = finadd(finlen, scale(4, ab, cdztail, _12), _12); finlen = finadd(finlen, scale(abtlen, abt, cdztail, _16), _16); } if (adxtail !== 0) { if (bdytail !== 0) { finlen = tailadd(finlen, adxtail, bdytail, cdz, cdztail); } if (cdytail !== 0) { finlen = tailadd(finlen, -adxtail, cdytail, bdz, bdztail); } } if (bdxtail !== 0) { if (cdytail !== 0) { finlen = tailadd(finlen, bdxtail, cdytail, adz, adztail); } if (adytail !== 0) { finlen = tailadd(finlen, -bdxtail, adytail, cdz, cdztail); } } if (cdxtail !== 0) { if (adytail !== 0) { finlen = tailadd(finlen, cdxtail, adytail, bdz, bdztail); } if (bdytail !== 0) { finlen = tailadd(finlen, -cdxtail, bdytail, adz, adztail); } } return fin[finlen - 1]; } function orient3d(ax, ay, az, bx, by, bz, cx, cy, cz, dx, dy, dz) { const adx = ax - dx; const bdx = bx - dx; const cdx = cx - dx; const ady = ay - dy; const bdy = by - dy; const cdy = cy - dy; const adz = az - dz; const bdz = bz - dz; const cdz = cz - dz; const bdxcdy = bdx * cdy; const cdxbdy = cdx * bdy; const cdxady = cdx * ady; const adxcdy = adx * cdy; const adxbdy = adx * bdy; const bdxady = bdx * ady; const det = adz * (bdxcdy - cdxbdy) + bdz * (cdxady - adxcdy) + cdz * (adxbdy - bdxady); const permanent = (Math.abs(bdxcdy) + Math.abs(cdxbdy)) * Math.abs(adz) + (Math.abs(cdxady) + Math.abs(adxcdy)) * Math.abs(bdz) + (Math.abs(adxbdy) + Math.abs(bdxady)) * Math.abs(cdz); const errbound = o3derrboundA * permanent; if (det > errbound || -det > errbound) { return det; } return orient3dadapt(ax, ay, az, bx, by, bz, cx, cy, cz, dx, dy, dz, permanent); } function orient3dfast(ax, ay, az, bx, by, bz, cx, cy, cz, dx, dy, dz) { const adx = ax - dx; const bdx = bx - dx; const cdx = cx - dx; const ady = ay - dy; const bdy = by - dy; const cdy = cy - dy; const adz = az - dz; const bdz = bz - dz; const cdz = cz - dz; return adx * (bdy * cdz - bdz * cdy) + bdx * (cdy * adz - cdz * ady) + cdx * (ady * bdz - adz * bdy); } ;// CONCATENATED MODULE: ../node_modules/robust-predicates/esm/incircle.js const iccerrboundA = (10 + 96 * util_epsilon) * util_epsilon; const iccerrboundB = (4 + 48 * util_epsilon) * util_epsilon; const iccerrboundC = (44 + 576 * util_epsilon) * util_epsilon * util_epsilon; const incircle_bc = vec(4); const incircle_ca = vec(4); const incircle_ab = vec(4); const aa = vec(4); const bb = vec(4); const cc = vec(4); const incircle_u = vec(4); const v = vec(4); const axtbc = vec(8); const aytbc = vec(8); const bxtca = vec(8); const bytca = vec(8); const cxtab = vec(8); const cytab = vec(8); const incircle_abt = vec(8); const incircle_bct = vec(8); const incircle_cat = vec(8); const abtt = vec(4); const bctt = vec(4); const catt = vec(4); const incircle_8 = vec(8); const incircle_16 = vec(16); const _16b = vec(16); const _16c = vec(16); const _32 = vec(32); const _32b = vec(32); const _48 = vec(48); const _64 = vec(64); let incircle_fin = vec(1152); let incircle_fin2 = vec(1152); function incircle_finadd(finlen, a, alen) { finlen = sum(finlen, incircle_fin, a, alen, incircle_fin2); const tmp = incircle_fin; incircle_fin = incircle_fin2; incircle_fin2 = tmp; return finlen; } function incircleadapt(ax, ay, bx, by, cx, cy, dx, dy, permanent) { let finlen; let adxtail, bdxtail, cdxtail, adytail, bdytail, cdytail; let axtbclen, aytbclen, bxtcalen, bytcalen, cxtablen, cytablen; let abtlen, bctlen, catlen; let abttlen, bcttlen, cattlen; let n1, n0; let bvirt, c, ahi, alo, bhi, blo, _i, _j, _0, s1, s0, t1, t0, u3; const adx = ax - dx; const bdx = bx - dx; const cdx = cx - dx; const ady = ay - dy; const bdy = by - dy; const cdy = cy - dy; s1 = bdx * cdy; c = splitter * bdx; ahi = c - (c - bdx); alo = bdx - ahi; c = splitter * cdy; bhi = c - (c - cdy); blo = cdy - bhi; s0 = alo * blo - (s1 - ahi * bhi - alo * bhi - ahi * blo); t1 = cdx * bdy; c = splitter * cdx; ahi = c - (c - cdx); alo = cdx - ahi; c = splitter * bdy; bhi = c - (c - bdy); blo = bdy - bhi; t0 = alo * blo - (t1 - ahi * bhi - alo * bhi - ahi * blo); _i = s0 - t0; bvirt = s0 - _i; incircle_bc[0] = s0 - (_i + bvirt) + (bvirt - t0); _j = s1 + _i; bvirt = _j - s1; _0 = s1 - (_j - bvirt) + (_i - bvirt); _i = _0 - t1; bvirt = _0 - _i; incircle_bc[1] = _0 - (_i + bvirt) + (bvirt - t1); u3 = _j + _i; bvirt = u3 - _j; incircle_bc[2] = _j - (u3 - bvirt) + (_i - bvirt); incircle_bc[3] = u3; s1 = cdx * ady; c = splitter * cdx; ahi = c - (c - cdx); alo = cdx - ahi; c = splitter * ady; bhi = c - (c - ady); blo = ady - bhi; s0 = alo * blo - (s1 - ahi * bhi - alo * bhi - ahi * blo); t1 = adx * cdy; c = splitter * adx; ahi = c - (c - adx); alo = adx - ahi; c = splitter * cdy; bhi = c - (c - cdy); blo = cdy - bhi; t0 = alo * blo - (t1 - ahi * bhi - alo * bhi - ahi * blo); _i = s0 - t0; bvirt = s0 - _i; incircle_ca[0] = s0 - (_i + bvirt) + (bvirt - t0); _j = s1 + _i; bvirt = _j - s1; _0 = s1 - (_j - bvirt) + (_i - bvirt); _i = _0 - t1; bvirt = _0 - _i; incircle_ca[1] = _0 - (_i + bvirt) + (bvirt - t1); u3 = _j + _i; bvirt = u3 - _j; incircle_ca[2] = _j - (u3 - bvirt) + (_i - bvirt); incircle_ca[3] = u3; s1 = adx * bdy; c = splitter * adx; ahi = c - (c - adx); alo = adx - ahi; c = splitter * bdy; bhi = c - (c - bdy); blo = bdy - bhi; s0 = alo * blo - (s1 - ahi * bhi - alo * bhi - ahi * blo); t1 = bdx * ady; c = splitter * bdx; ahi = c - (c - bdx); alo = bdx - ahi; c = splitter * ady; bhi = c - (c - ady); blo = ady - bhi; t0 = alo * blo - (t1 - ahi * bhi - alo * bhi - ahi * blo); _i = s0 - t0; bvirt = s0 - _i; incircle_ab[0] = s0 - (_i + bvirt) + (bvirt - t0); _j = s1 + _i; bvirt = _j - s1; _0 = s1 - (_j - bvirt) + (_i - bvirt); _i = _0 - t1; bvirt = _0 - _i; incircle_ab[1] = _0 - (_i + bvirt) + (bvirt - t1); u3 = _j + _i; bvirt = u3 - _j; incircle_ab[2] = _j - (u3 - bvirt) + (_i - bvirt); incircle_ab[3] = u3; finlen = sum( sum( sum( scale(scale(4, incircle_bc, adx, incircle_8), incircle_8, adx, incircle_16), incircle_16, scale(scale(4, incircle_bc, ady, incircle_8), incircle_8, ady, _16b), _16b, _32), _32, sum( scale(scale(4, incircle_ca, bdx, incircle_8), incircle_8, bdx, incircle_16), incircle_16, scale(scale(4, incircle_ca, bdy, incircle_8), incircle_8, bdy, _16b), _16b, _32b), _32b, _64), _64, sum( scale(scale(4, incircle_ab, cdx, incircle_8), incircle_8, cdx, incircle_16), incircle_16, scale(scale(4, incircle_ab, cdy, incircle_8), incircle_8, cdy, _16b), _16b, _32), _32, incircle_fin); let det = estimate(finlen, incircle_fin); let errbound = iccerrboundB * permanent; if (det >= errbound || -det >= errbound) { return det; } bvirt = ax - adx; adxtail = ax - (adx + bvirt) + (bvirt - dx); bvirt = ay - ady; adytail = ay - (ady + bvirt) + (bvirt - dy); bvirt = bx - bdx; bdxtail = bx - (bdx + bvirt) + (bvirt - dx); bvirt = by - bdy; bdytail = by - (bdy + bvirt) + (bvirt - dy); bvirt = cx - cdx; cdxtail = cx - (cdx + bvirt) + (bvirt - dx); bvirt = cy - cdy; cdytail = cy - (cdy + bvirt) + (bvirt - dy); if (adxtail === 0 && bdxtail === 0 && cdxtail === 0 && adytail === 0 && bdytail === 0 && cdytail === 0) { return det; } errbound = iccerrboundC * permanent + resulterrbound * Math.abs(det); det += ((adx * adx + ady * ady) * ((bdx * cdytail + cdy * bdxtail) - (bdy * cdxtail + cdx * bdytail)) + 2 * (adx * adxtail + ady * adytail) * (bdx * cdy - bdy * cdx)) + ((bdx * bdx + bdy * bdy) * ((cdx * adytail + ady * cdxtail) - (cdy * adxtail + adx * cdytail)) + 2 * (bdx * bdxtail + bdy * bdytail) * (cdx * ady - cdy * adx)) + ((cdx * cdx + cdy * cdy) * ((adx * bdytail + bdy * adxtail) - (ady * bdxtail + bdx * adytail)) + 2 * (cdx * cdxtail + cdy * cdytail) * (adx * bdy - ady * bdx)); if (det >= errbound || -det >= errbound) { return det; } if (bdxtail !== 0 || bdytail !== 0 || cdxtail !== 0 || cdytail !== 0) { s1 = adx * adx; c = splitter * adx; ahi = c - (c - adx); alo = adx - ahi; s0 = alo * alo - (s1 - ahi * ahi - (ahi + ahi) * alo); t1 = ady * ady; c = splitter * ady; ahi = c - (c - ady); alo = ady - ahi; t0 = alo * alo - (t1 - ahi * ahi - (ahi + ahi) * alo); _i = s0 + t0; bvirt = _i - s0; aa[0] = s0 - (_i - bvirt) + (t0 - bvirt); _j = s1 + _i; bvirt = _j - s1; _0 = s1 - (_j - bvirt) + (_i - bvirt); _i = _0 + t1; bvirt = _i - _0; aa[1] = _0 - (_i - bvirt) + (t1 - bvirt); u3 = _j + _i; bvirt = u3 - _j; aa[2] = _j - (u3 - bvirt) + (_i - bvirt); aa[3] = u3; } if (cdxtail !== 0 || cdytail !== 0 || adxtail !== 0 || adytail !== 0) { s1 = bdx * bdx; c = splitter * bdx; ahi = c - (c - bdx); alo = bdx - ahi; s0 = alo * alo - (s1 - ahi * ahi - (ahi + ahi) * alo); t1 = bdy * bdy; c = splitter * bdy; ahi = c - (c - bdy); alo = bdy - ahi; t0 = alo * alo - (t1 - ahi * ahi - (ahi + ahi) * alo); _i = s0 + t0; bvirt = _i - s0; bb[0] = s0 - (_i - bvirt) + (t0 - bvirt); _j = s1 + _i; bvirt = _j - s1; _0 = s1 - (_j - bvirt) + (_i - bvirt); _i = _0 + t1; bvirt = _i - _0; bb[1] = _0 - (_i - bvirt) + (t1 - bvirt); u3 = _j + _i; bvirt = u3 - _j; bb[2] = _j - (u3 - bvirt) + (_i - bvirt); bb[3] = u3; } if (adxtail !== 0 || adytail !== 0 || bdxtail !== 0 || bdytail !== 0) { s1 = cdx * cdx; c = splitter * cdx; ahi = c - (c - cdx); alo = cdx - ahi; s0 = alo * alo - (s1 - ahi * ahi - (ahi + ahi) * alo); t1 = cdy * cdy; c = splitter * cdy; ahi = c - (c - cdy); alo = cdy - ahi; t0 = alo * alo - (t1 - ahi * ahi - (ahi + ahi) * alo); _i = s0 + t0; bvirt = _i - s0; cc[0] = s0 - (_i - bvirt) + (t0 - bvirt); _j = s1 + _i; bvirt = _j - s1; _0 = s1 - (_j - bvirt) + (_i - bvirt); _i = _0 + t1; bvirt = _i - _0; cc[1] = _0 - (_i - bvirt) + (t1 - bvirt); u3 = _j + _i; bvirt = u3 - _j; cc[2] = _j - (u3 - bvirt) + (_i - bvirt); cc[3] = u3; } if (adxtail !== 0) { axtbclen = scale(4, incircle_bc, adxtail, axtbc); finlen = incircle_finadd(finlen, sum_three( scale(axtbclen, axtbc, 2 * adx, incircle_16), incircle_16, scale(scale(4, cc, adxtail, incircle_8), incircle_8, bdy, _16b), _16b, scale(scale(4, bb, adxtail, incircle_8), incircle_8, -cdy, _16c), _16c, _32, _48), _48); } if (adytail !== 0) { aytbclen = scale(4, incircle_bc, adytail, aytbc); finlen = incircle_finadd(finlen, sum_three( scale(aytbclen, aytbc, 2 * ady, incircle_16), incircle_16, scale(scale(4, bb, adytail, incircle_8), incircle_8, cdx, _16b), _16b, scale(scale(4, cc, adytail, incircle_8), incircle_8, -bdx, _16c), _16c, _32, _48), _48); } if (bdxtail !== 0) { bxtcalen = scale(4, incircle_ca, bdxtail, bxtca); finlen = incircle_finadd(finlen, sum_three( scale(bxtcalen, bxtca, 2 * bdx, incircle_16), incircle_16, scale(scale(4, aa, bdxtail, incircle_8), incircle_8, cdy, _16b), _16b, scale(scale(4, cc, bdxtail, incircle_8), incircle_8, -ady, _16c), _16c, _32, _48), _48); } if (bdytail !== 0) { bytcalen = scale(4, incircle_ca, bdytail, bytca); finlen = incircle_finadd(finlen, sum_three( scale(bytcalen, bytca, 2 * bdy, incircle_16), incircle_16, scale(scale(4, cc, bdytail, incircle_8), incircle_8, adx, _16b), _16b, scale(scale(4, aa, bdytail, incircle_8), incircle_8, -cdx, _16c), _16c, _32, _48), _48); } if (cdxtail !== 0) { cxtablen = scale(4, incircle_ab, cdxtail, cxtab); finlen = incircle_finadd(finlen, sum_three( scale(cxtablen, cxtab, 2 * cdx, incircle_16), incircle_16, scale(scale(4, bb, cdxtail, incircle_8), incircle_8, ady, _16b), _16b, scale(scale(4, aa, cdxtail, incircle_8), incircle_8, -bdy, _16c), _16c, _32, _48), _48); } if (cdytail !== 0) { cytablen = scale(4, incircle_ab, cdytail, cytab); finlen = incircle_finadd(finlen, sum_three( scale(cytablen, cytab, 2 * cdy, incircle_16), incircle_16, scale(scale(4, aa, cdytail, incircle_8), incircle_8, bdx, _16b), _16b, scale(scale(4, bb, cdytail, incircle_8), incircle_8, -adx, _16c), _16c, _32, _48), _48); } if (adxtail !== 0 || adytail !== 0) { if (bdxtail !== 0 || bdytail !== 0 || cdxtail !== 0 || cdytail !== 0) { s1 = bdxtail * cdy; c = splitter * bdxtail; ahi = c - (c - bdxtail); alo = bdxtail - ahi; c = splitter * cdy; bhi = c - (c - cdy); blo = cdy - bhi; s0 = alo * blo - (s1 - ahi * bhi - alo * bhi - ahi * blo); t1 = bdx * cdytail; c = splitter * bdx; ahi = c - (c - bdx); alo = bdx - ahi; c = splitter * cdytail; bhi = c - (c - cdytail); blo = cdytail - bhi; t0 = alo * blo - (t1 - ahi * bhi - alo * bhi - ahi * blo); _i = s0 + t0; bvirt = _i - s0; incircle_u[0] = s0 - (_i - bvirt) + (t0 - bvirt); _j = s1 + _i; bvirt = _j - s1; _0 = s1 - (_j - bvirt) + (_i - bvirt); _i = _0 + t1; bvirt = _i - _0; incircle_u[1] = _0 - (_i - bvirt) + (t1 - bvirt); u3 = _j + _i; bvirt = u3 - _j; incircle_u[2] = _j - (u3 - bvirt) + (_i - bvirt); incircle_u[3] = u3; s1 = cdxtail * -bdy; c = splitter * cdxtail; ahi = c - (c - cdxtail); alo = cdxtail - ahi; c = splitter * -bdy; bhi = c - (c - -bdy); blo = -bdy - bhi; s0 = alo * blo - (s1 - ahi * bhi - alo * bhi - ahi * blo); t1 = cdx * -bdytail; c = splitter * cdx; ahi = c - (c - cdx); alo = cdx - ahi; c = splitter * -bdytail; bhi = c - (c - -bdytail); blo = -bdytail - bhi; t0 = alo * blo - (t1 - ahi * bhi - alo * bhi - ahi * blo); _i = s0 + t0; bvirt = _i - s0; v[0] = s0 - (_i - bvirt) + (t0 - bvirt); _j = s1 + _i; bvirt = _j - s1; _0 = s1 - (_j - bvirt) + (_i - bvirt); _i = _0 + t1; bvirt = _i - _0; v[1] = _0 - (_i - bvirt) + (t1 - bvirt); u3 = _j + _i; bvirt = u3 - _j; v[2] = _j - (u3 - bvirt) + (_i - bvirt); v[3] = u3; bctlen = sum(4, incircle_u, 4, v, incircle_bct); s1 = bdxtail * cdytail; c = splitter * bdxtail; ahi = c - (c - bdxtail); alo = bdxtail - ahi; c = splitter * cdytail; bhi = c - (c - cdytail); blo = cdytail - bhi; s0 = alo * blo - (s1 - ahi * bhi - alo * bhi - ahi * blo); t1 = cdxtail * bdytail; c = splitter * cdxtail; ahi = c - (c - cdxtail); alo = cdxtail - ahi; c = splitter * bdytail; bhi = c - (c - bdytail); blo = bdytail - bhi; t0 = alo * blo - (t1 - ahi * bhi - alo * bhi - ahi * blo); _i = s0 - t0; bvirt = s0 - _i; bctt[0] = s0 - (_i + bvirt) + (bvirt - t0); _j = s1 + _i; bvirt = _j - s1; _0 = s1 - (_j - bvirt) + (_i - bvirt); _i = _0 - t1; bvirt = _0 - _i; bctt[1] = _0 - (_i + bvirt) + (bvirt - t1); u3 = _j + _i; bvirt = u3 - _j; bctt[2] = _j - (u3 - bvirt) + (_i - bvirt); bctt[3] = u3; bcttlen = 4; } else { incircle_bct[0] = 0; bctlen = 1; bctt[0] = 0; bcttlen = 1; } if (adxtail !== 0) { const len = scale(bctlen, incircle_bct, adxtail, _16c); finlen = incircle_finadd(finlen, sum( scale(axtbclen, axtbc, adxtail, incircle_16), incircle_16, scale(len, _16c, 2 * adx, _32), _32, _48), _48); const len2 = scale(bcttlen, bctt, adxtail, incircle_8); finlen = incircle_finadd(finlen, sum_three( scale(len2, incircle_8, 2 * adx, incircle_16), incircle_16, scale(len2, incircle_8, adxtail, _16b), _16b, scale(len, _16c, adxtail, _32), _32, _32b, _64), _64); if (bdytail !== 0) { finlen = incircle_finadd(finlen, scale(scale(4, cc, adxtail, incircle_8), incircle_8, bdytail, incircle_16), incircle_16); } if (cdytail !== 0) { finlen = incircle_finadd(finlen, scale(scale(4, bb, -adxtail, incircle_8), incircle_8, cdytail, incircle_16), incircle_16); } } if (adytail !== 0) { const len = scale(bctlen, incircle_bct, adytail, _16c); finlen = incircle_finadd(finlen, sum( scale(aytbclen, aytbc, adytail, incircle_16), incircle_16, scale(len, _16c, 2 * ady, _32), _32, _48), _48); const len2 = scale(bcttlen, bctt, adytail, incircle_8); finlen = incircle_finadd(finlen, sum_three( scale(len2, incircle_8, 2 * ady, incircle_16), incircle_16, scale(len2, incircle_8, adytail, _16b), _16b, scale(len, _16c, adytail, _32), _32, _32b, _64), _64); } } if (bdxtail !== 0 || bdytail !== 0) { if (cdxtail !== 0 || cdytail !== 0 || adxtail !== 0 || adytail !== 0) { s1 = cdxtail * ady; c = splitter * cdxtail; ahi = c - (c - cdxtail); alo = cdxtail - ahi; c = splitter * ady; bhi = c - (c - ady); blo = ady - bhi; s0 = alo * blo - (s1 - ahi * bhi - alo * bhi - ahi * blo); t1 = cdx * adytail; c = splitter * cdx; ahi = c - (c - cdx); alo = cdx - ahi; c = splitter * adytail; bhi = c - (c - adytail); blo = adytail - bhi; t0 = alo * blo - (t1 - ahi * bhi - alo * bhi - ahi * blo); _i = s0 + t0; bvirt = _i - s0; incircle_u[0] = s0 - (_i - bvirt) + (t0 - bvirt); _j = s1 + _i; bvirt = _j - s1; _0 = s1 - (_j - bvirt) + (_i - bvirt); _i = _0 + t1; bvirt = _i - _0; incircle_u[1] = _0 - (_i - bvirt) + (t1 - bvirt); u3 = _j + _i; bvirt = u3 - _j; incircle_u[2] = _j - (u3 - bvirt) + (_i - bvirt); incircle_u[3] = u3; n1 = -cdy; n0 = -cdytail; s1 = adxtail * n1; c = splitter * adxtail; ahi = c - (c - adxtail); alo = adxtail - ahi; c = splitter * n1; bhi = c - (c - n1); blo = n1 - bhi; s0 = alo * blo - (s1 - ahi * bhi - alo * bhi - ahi * blo); t1 = adx * n0; c = splitter * adx; ahi = c - (c - adx); alo = adx - ahi; c = splitter * n0; bhi = c - (c - n0); blo = n0 - bhi; t0 = alo * blo - (t1 - ahi * bhi - alo * bhi - ahi * blo); _i = s0 + t0; bvirt = _i - s0; v[0] = s0 - (_i - bvirt) + (t0 - bvirt); _j = s1 + _i; bvirt = _j - s1; _0 = s1 - (_j - bvirt) + (_i - bvirt); _i = _0 + t1; bvirt = _i - _0; v[1] = _0 - (_i - bvirt) + (t1 - bvirt); u3 = _j + _i; bvirt = u3 - _j; v[2] = _j - (u3 - bvirt) + (_i - bvirt); v[3] = u3; catlen = sum(4, incircle_u, 4, v, incircle_cat); s1 = cdxtail * adytail; c = splitter * cdxtail; ahi = c - (c - cdxtail); alo = cdxtail - ahi; c = splitter * adytail; bhi = c - (c - adytail); blo = adytail - bhi; s0 = alo * blo - (s1 - ahi * bhi - alo * bhi - ahi * blo); t1 = adxtail * cdytail; c = splitter * adxtail; ahi = c - (c - adxtail); alo = adxtail - ahi; c = splitter * cdytail; bhi = c - (c - cdytail); blo = cdytail - bhi; t0 = alo * blo - (t1 - ahi * bhi - alo * bhi - ahi * blo); _i = s0 - t0; bvirt = s0 - _i; catt[0] = s0 - (_i + bvirt) + (bvirt - t0); _j = s1 + _i; bvirt = _j - s1; _0 = s1 - (_j - bvirt) + (_i - bvirt); _i = _0 - t1; bvirt = _0 - _i; catt[1] = _0 - (_i + bvirt) + (bvirt - t1); u3 = _j + _i; bvirt = u3 - _j; catt[2] = _j - (u3 - bvirt) + (_i - bvirt); catt[3] = u3; cattlen = 4; } else { incircle_cat[0] = 0; catlen = 1; catt[0] = 0; cattlen = 1; } if (bdxtail !== 0) { const len = scale(catlen, incircle_cat, bdxtail, _16c); finlen = incircle_finadd(finlen, sum( scale(bxtcalen, bxtca, bdxtail, incircle_16), incircle_16, scale(len, _16c, 2 * bdx, _32), _32, _48), _48); const len2 = scale(cattlen, catt, bdxtail, incircle_8); finlen = incircle_finadd(finlen, sum_three( scale(len2, incircle_8, 2 * bdx, incircle_16), incircle_16, scale(len2, incircle_8, bdxtail, _16b), _16b, scale(len, _16c, bdxtail, _32), _32, _32b, _64), _64); if (cdytail !== 0) { finlen = incircle_finadd(finlen, scale(scale(4, aa, bdxtail, incircle_8), incircle_8, cdytail, incircle_16), incircle_16); } if (adytail !== 0) { finlen = incircle_finadd(finlen, scale(scale(4, cc, -bdxtail, incircle_8), incircle_8, adytail, incircle_16), incircle_16); } } if (bdytail !== 0) { const len = scale(catlen, incircle_cat, bdytail, _16c); finlen = incircle_finadd(finlen, sum( scale(bytcalen, bytca, bdytail, incircle_16), incircle_16, scale(len, _16c, 2 * bdy, _32), _32, _48), _48); const len2 = scale(cattlen, catt, bdytail, incircle_8); finlen = incircle_finadd(finlen, sum_three( scale(len2, incircle_8, 2 * bdy, incircle_16), incircle_16, scale(len2, incircle_8, bdytail, _16b), _16b, scale(len, _16c, bdytail, _32), _32, _32b, _64), _64); } } if (cdxtail !== 0 || cdytail !== 0) { if (adxtail !== 0 || adytail !== 0 || bdxtail !== 0 || bdytail !== 0) { s1 = adxtail * bdy; c = splitter * adxtail; ahi = c - (c - adxtail); alo = adxtail - ahi; c = splitter * bdy; bhi = c - (c - bdy); blo = bdy - bhi; s0 = alo * blo - (s1 - ahi * bhi - alo * bhi - ahi * blo); t1 = adx * bdytail; c = splitter * adx; ahi = c - (c - adx); alo = adx - ahi; c = splitter * bdytail; bhi = c - (c - bdytail); blo = bdytail - bhi; t0 = alo * blo - (t1 - ahi * bhi - alo * bhi - ahi * blo); _i = s0 + t0; bvirt = _i - s0; incircle_u[0] = s0 - (_i - bvirt) + (t0 - bvirt); _j = s1 + _i; bvirt = _j - s1; _0 = s1 - (_j - bvirt) + (_i - bvirt); _i = _0 + t1; bvirt = _i - _0; incircle_u[1] = _0 - (_i - bvirt) + (t1 - bvirt); u3 = _j + _i; bvirt = u3 - _j; incircle_u[2] = _j - (u3 - bvirt) + (_i - bvirt); incircle_u[3] = u3; n1 = -ady; n0 = -adytail; s1 = bdxtail * n1; c = splitter * bdxtail; ahi = c - (c - bdxtail); alo = bdxtail - ahi; c = splitter * n1; bhi = c - (c - n1); blo = n1 - bhi; s0 = alo * blo - (s1 - ahi * bhi - alo * bhi - ahi * blo); t1 = bdx * n0; c = splitter * bdx; ahi = c - (c - bdx); alo = bdx - ahi; c = splitter * n0; bhi = c - (c - n0); blo = n0 - bhi; t0 = alo * blo - (t1 - ahi * bhi - alo * bhi - ahi * blo); _i = s0 + t0; bvirt = _i - s0; v[0] = s0 - (_i - bvirt) + (t0 - bvirt); _j = s1 + _i; bvirt = _j - s1; _0 = s1 - (_j - bvirt) + (_i - bvirt); _i = _0 + t1; bvirt = _i - _0; v[1] = _0 - (_i - bvirt) + (t1 - bvirt); u3 = _j + _i; bvirt = u3 - _j; v[2] = _j - (u3 - bvirt) + (_i - bvirt); v[3] = u3; abtlen = sum(4, incircle_u, 4, v, incircle_abt); s1 = adxtail * bdytail; c = splitter * adxtail; ahi = c - (c - adxtail); alo = adxtail - ahi; c = splitter * bdytail; bhi = c - (c - bdytail); blo = bdytail - bhi; s0 = alo * blo - (s1 - ahi * bhi - alo * bhi - ahi * blo); t1 = bdxtail * adytail; c = splitter * bdxtail; ahi = c - (c - bdxtail); alo = bdxtail - ahi; c = splitter * adytail; bhi = c - (c - adytail); blo = adytail - bhi; t0 = alo * blo - (t1 - ahi * bhi - alo * bhi - ahi * blo); _i = s0 - t0; bvirt = s0 - _i; abtt[0] = s0 - (_i + bvirt) + (bvirt - t0); _j = s1 + _i; bvirt = _j - s1; _0 = s1 - (_j - bvirt) + (_i - bvirt); _i = _0 - t1; bvirt = _0 - _i; abtt[1] = _0 - (_i + bvirt) + (bvirt - t1); u3 = _j + _i; bvirt = u3 - _j; abtt[2] = _j - (u3 - bvirt) + (_i - bvirt); abtt[3] = u3; abttlen = 4; } else { incircle_abt[0] = 0; abtlen = 1; abtt[0] = 0; abttlen = 1; } if (cdxtail !== 0) { const len = scale(abtlen, incircle_abt, cdxtail, _16c); finlen = incircle_finadd(finlen, sum( scale(cxtablen, cxtab, cdxtail, incircle_16), incircle_16, scale(len, _16c, 2 * cdx, _32), _32, _48), _48); const len2 = scale(abttlen, abtt, cdxtail, incircle_8); finlen = incircle_finadd(finlen, sum_three( scale(len2, incircle_8, 2 * cdx, incircle_16), incircle_16, scale(len2, incircle_8, cdxtail, _16b), _16b, scale(len, _16c, cdxtail, _32), _32, _32b, _64), _64); if (adytail !== 0) { finlen = incircle_finadd(finlen, scale(scale(4, bb, cdxtail, incircle_8), incircle_8, adytail, incircle_16), incircle_16); } if (bdytail !== 0) { finlen = incircle_finadd(finlen, scale(scale(4, aa, -cdxtail, incircle_8), incircle_8, bdytail, incircle_16), incircle_16); } } if (cdytail !== 0) { const len = scale(abtlen, incircle_abt, cdytail, _16c); finlen = incircle_finadd(finlen, sum( scale(cytablen, cytab, cdytail, incircle_16), incircle_16, scale(len, _16c, 2 * cdy, _32), _32, _48), _48); const len2 = scale(abttlen, abtt, cdytail, incircle_8); finlen = incircle_finadd(finlen, sum_three( scale(len2, incircle_8, 2 * cdy, incircle_16), incircle_16, scale(len2, incircle_8, cdytail, _16b), _16b, scale(len, _16c, cdytail, _32), _32, _32b, _64), _64); } } return incircle_fin[finlen - 1]; } function incircle(ax, ay, bx, by, cx, cy, dx, dy) { const adx = ax - dx; const bdx = bx - dx; const cdx = cx - dx; const ady = ay - dy; const bdy = by - dy; const cdy = cy - dy; const bdxcdy = bdx * cdy; const cdxbdy = cdx * bdy; const alift = adx * adx + ady * ady; const cdxady = cdx * ady; const adxcdy = adx * cdy; const blift = bdx * bdx + bdy * bdy; const adxbdy = adx * bdy; const bdxady = bdx * ady; const clift = cdx * cdx + cdy * cdy; const det = alift * (bdxcdy - cdxbdy) + blift * (cdxady - adxcdy) + clift * (adxbdy - bdxady); const permanent = (Math.abs(bdxcdy) + Math.abs(cdxbdy)) * alift + (Math.abs(cdxady) + Math.abs(adxcdy)) * blift + (Math.abs(adxbdy) + Math.abs(bdxady)) * clift; const errbound = iccerrboundA * permanent; if (det > errbound || -det > errbound) { return det; } return incircleadapt(ax, ay, bx, by, cx, cy, dx, dy, permanent); } function incirclefast(ax, ay, bx, by, cx, cy, dx, dy) { const adx = ax - dx; const ady = ay - dy; const bdx = bx - dx; const bdy = by - dy; const cdx = cx - dx; const cdy = cy - dy; const abdet = adx * bdy - bdx * ady; const bcdet = bdx * cdy - cdx * bdy; const cadet = cdx * ady - adx * cdy; const alift = adx * adx + ady * ady; const blift = bdx * bdx + bdy * bdy; const clift = cdx * cdx + cdy * cdy; return alift * bcdet + blift * cadet + clift * abdet; } ;// CONCATENATED MODULE: ../node_modules/robust-predicates/esm/insphere.js const isperrboundA = (16 + 224 * util_epsilon) * util_epsilon; const isperrboundB = (5 + 72 * util_epsilon) * util_epsilon; const isperrboundC = (71 + 1408 * util_epsilon) * util_epsilon * util_epsilon; const insphere_ab = vec(4); const insphere_bc = vec(4); const cd = vec(4); const de = vec(4); const insphere_ea = vec(4); const ac = vec(4); const bd = vec(4); const ce = vec(4); const da = vec(4); const eb = vec(4); const abc = vec(24); const bcd = vec(24); const cde = vec(24); const dea = vec(24); const eab = vec(24); const abd = vec(24); const bce = vec(24); const cda = vec(24); const deb = vec(24); const eac = vec(24); const adet = vec(1152); const bdet = vec(1152); const cdet = vec(1152); const ddet = vec(1152); const edet = vec(1152); const abdet = vec(2304); const cddet = vec(2304); const cdedet = vec(3456); const deter = vec(5760); const insphere_8 = vec(8); const insphere_8b = vec(8); const _8c = vec(8); const insphere_16 = vec(16); const _24 = vec(24); const insphere_48 = vec(48); const _48b = vec(48); const _96 = vec(96); const _192 = vec(192); const _384x = vec(384); const _384y = vec(384); const _384z = vec(384); const _768 = vec(768); function sum_three_scale(a, b, c, az, bz, cz, out) { return sum_three( scale(4, a, az, insphere_8), insphere_8, scale(4, b, bz, insphere_8b), insphere_8b, scale(4, c, cz, _8c), _8c, insphere_16, out); } function liftexact(alen, a, blen, b, clen, c, dlen, d, x, y, z, out) { const len = sum( sum(alen, a, blen, b, insphere_48), insphere_48, negate(sum(clen, c, dlen, d, _48b), _48b), _48b, _96); return sum_three( scale(scale(len, _96, x, _192), _192, x, _384x), _384x, scale(scale(len, _96, y, _192), _192, y, _384y), _384y, scale(scale(len, _96, z, _192), _192, z, _384z), _384z, _768, out); } function insphereexact(ax, ay, az, bx, by, bz, cx, cy, cz, dx, dy, dz, ex, ey, ez) { let bvirt, c, ahi, alo, bhi, blo, _i, _j, _0, s1, s0, t1, t0, u3; s1 = ax * by; c = splitter * ax; ahi = c - (c - ax); alo = ax - ahi; c = splitter * by; bhi = c - (c - by); blo = by - bhi; s0 = alo * blo - (s1 - ahi * bhi - alo * bhi - ahi * blo); t1 = bx * ay; c = splitter * bx; ahi = c - (c - bx); alo = bx - ahi; c = splitter * ay; bhi = c - (c - ay); blo = ay - bhi; t0 = alo * blo - (t1 - ahi * bhi - alo * bhi - ahi * blo); _i = s0 - t0; bvirt = s0 - _i; insphere_ab[0] = s0 - (_i + bvirt) + (bvirt - t0); _j = s1 + _i; bvirt = _j - s1; _0 = s1 - (_j - bvirt) + (_i - bvirt); _i = _0 - t1; bvirt = _0 - _i; insphere_ab[1] = _0 - (_i + bvirt) + (bvirt - t1); u3 = _j + _i; bvirt = u3 - _j; insphere_ab[2] = _j - (u3 - bvirt) + (_i - bvirt); insphere_ab[3] = u3; s1 = bx * cy; c = splitter * bx; ahi = c - (c - bx); alo = bx - ahi; c = splitter * cy; bhi = c - (c - cy); blo = cy - bhi; s0 = alo * blo - (s1 - ahi * bhi - alo * bhi - ahi * blo); t1 = cx * by; c = splitter * cx; ahi = c - (c - cx); alo = cx - ahi; c = splitter * by; bhi = c - (c - by); blo = by - bhi; t0 = alo * blo - (t1 - ahi * bhi - alo * bhi - ahi * blo); _i = s0 - t0; bvirt = s0 - _i; insphere_bc[0] = s0 - (_i + bvirt) + (bvirt - t0); _j = s1 + _i; bvirt = _j - s1; _0 = s1 - (_j - bvirt) + (_i - bvirt); _i = _0 - t1; bvirt = _0 - _i; insphere_bc[1] = _0 - (_i + bvirt) + (bvirt - t1); u3 = _j + _i; bvirt = u3 - _j; insphere_bc[2] = _j - (u3 - bvirt) + (_i - bvirt); insphere_bc[3] = u3; s1 = cx * dy; c = splitter * cx; ahi = c - (c - cx); alo = cx - ahi; c = splitter * dy; bhi = c - (c - dy); blo = dy - bhi; s0 = alo * blo - (s1 - ahi * bhi - alo * bhi - ahi * blo); t1 = dx * cy; c = splitter * dx; ahi = c - (c - dx); alo = dx - ahi; c = splitter * cy; bhi = c - (c - cy); blo = cy - bhi; t0 = alo * blo - (t1 - ahi * bhi - alo * bhi - ahi * blo); _i = s0 - t0; bvirt = s0 - _i; cd[0] = s0 - (_i + bvirt) + (bvirt - t0); _j = s1 + _i; bvirt = _j - s1; _0 = s1 - (_j - bvirt) + (_i - bvirt); _i = _0 - t1; bvirt = _0 - _i; cd[1] = _0 - (_i + bvirt) + (bvirt - t1); u3 = _j + _i; bvirt = u3 - _j; cd[2] = _j - (u3 - bvirt) + (_i - bvirt); cd[3] = u3; s1 = dx * ey; c = splitter * dx; ahi = c - (c - dx); alo = dx - ahi; c = splitter * ey; bhi = c - (c - ey); blo = ey - bhi; s0 = alo * blo - (s1 - ahi * bhi - alo * bhi - ahi * blo); t1 = ex * dy; c = splitter * ex; ahi = c - (c - ex); alo = ex - ahi; c = splitter * dy; bhi = c - (c - dy); blo = dy - bhi; t0 = alo * blo - (t1 - ahi * bhi - alo * bhi - ahi * blo); _i = s0 - t0; bvirt = s0 - _i; de[0] = s0 - (_i + bvirt) + (bvirt - t0); _j = s1 + _i; bvirt = _j - s1; _0 = s1 - (_j - bvirt) + (_i - bvirt); _i = _0 - t1; bvirt = _0 - _i; de[1] = _0 - (_i + bvirt) + (bvirt - t1); u3 = _j + _i; bvirt = u3 - _j; de[2] = _j - (u3 - bvirt) + (_i - bvirt); de[3] = u3; s1 = ex * ay; c = splitter * ex; ahi = c - (c - ex); alo = ex - ahi; c = splitter * ay; bhi = c - (c - ay); blo = ay - bhi; s0 = alo * blo - (s1 - ahi * bhi - alo * bhi - ahi * blo); t1 = ax * ey; c = splitter * ax; ahi = c - (c - ax); alo = ax - ahi; c = splitter * ey; bhi = c - (c - ey); blo = ey - bhi; t0 = alo * blo - (t1 - ahi * bhi - alo * bhi - ahi * blo); _i = s0 - t0; bvirt = s0 - _i; insphere_ea[0] = s0 - (_i + bvirt) + (bvirt - t0); _j = s1 + _i; bvirt = _j - s1; _0 = s1 - (_j - bvirt) + (_i - bvirt); _i = _0 - t1; bvirt = _0 - _i; insphere_ea[1] = _0 - (_i + bvirt) + (bvirt - t1); u3 = _j + _i; bvirt = u3 - _j; insphere_ea[2] = _j - (u3 - bvirt) + (_i - bvirt); insphere_ea[3] = u3; s1 = ax * cy; c = splitter * ax; ahi = c - (c - ax); alo = ax - ahi; c = splitter * cy; bhi = c - (c - cy); blo = cy - bhi; s0 = alo * blo - (s1 - ahi * bhi - alo * bhi - ahi * blo); t1 = cx * ay; c = splitter * cx; ahi = c - (c - cx); alo = cx - ahi; c = splitter * ay; bhi = c - (c - ay); blo = ay - bhi; t0 = alo * blo - (t1 - ahi * bhi - alo * bhi - ahi * blo); _i = s0 - t0; bvirt = s0 - _i; ac[0] = s0 - (_i + bvirt) + (bvirt - t0); _j = s1 + _i; bvirt = _j - s1; _0 = s1 - (_j - bvirt) + (_i - bvirt); _i = _0 - t1; bvirt = _0 - _i; ac[1] = _0 - (_i + bvirt) + (bvirt - t1); u3 = _j + _i; bvirt = u3 - _j; ac[2] = _j - (u3 - bvirt) + (_i - bvirt); ac[3] = u3; s1 = bx * dy; c = splitter * bx; ahi = c - (c - bx); alo = bx - ahi; c = splitter * dy; bhi = c - (c - dy); blo = dy - bhi; s0 = alo * blo - (s1 - ahi * bhi - alo * bhi - ahi * blo); t1 = dx * by; c = splitter * dx; ahi = c - (c - dx); alo = dx - ahi; c = splitter * by; bhi = c - (c - by); blo = by - bhi; t0 = alo * blo - (t1 - ahi * bhi - alo * bhi - ahi * blo); _i = s0 - t0; bvirt = s0 - _i; bd[0] = s0 - (_i + bvirt) + (bvirt - t0); _j = s1 + _i; bvirt = _j - s1; _0 = s1 - (_j - bvirt) + (_i - bvirt); _i = _0 - t1; bvirt = _0 - _i; bd[1] = _0 - (_i + bvirt) + (bvirt - t1); u3 = _j + _i; bvirt = u3 - _j; bd[2] = _j - (u3 - bvirt) + (_i - bvirt); bd[3] = u3; s1 = cx * ey; c = splitter * cx; ahi = c - (c - cx); alo = cx - ahi; c = splitter * ey; bhi = c - (c - ey); blo = ey - bhi; s0 = alo * blo - (s1 - ahi * bhi - alo * bhi - ahi * blo); t1 = ex * cy; c = splitter * ex; ahi = c - (c - ex); alo = ex - ahi; c = splitter * cy; bhi = c - (c - cy); blo = cy - bhi; t0 = alo * blo - (t1 - ahi * bhi - alo * bhi - ahi * blo); _i = s0 - t0; bvirt = s0 - _i; ce[0] = s0 - (_i + bvirt) + (bvirt - t0); _j = s1 + _i; bvirt = _j - s1; _0 = s1 - (_j - bvirt) + (_i - bvirt); _i = _0 - t1; bvirt = _0 - _i; ce[1] = _0 - (_i + bvirt) + (bvirt - t1); u3 = _j + _i; bvirt = u3 - _j; ce[2] = _j - (u3 - bvirt) + (_i - bvirt); ce[3] = u3; s1 = dx * ay; c = splitter * dx; ahi = c - (c - dx); alo = dx - ahi; c = splitter * ay; bhi = c - (c - ay); blo = ay - bhi; s0 = alo * blo - (s1 - ahi * bhi - alo * bhi - ahi * blo); t1 = ax * dy; c = splitter * ax; ahi = c - (c - ax); alo = ax - ahi; c = splitter * dy; bhi = c - (c - dy); blo = dy - bhi; t0 = alo * blo - (t1 - ahi * bhi - alo * bhi - ahi * blo); _i = s0 - t0; bvirt = s0 - _i; da[0] = s0 - (_i + bvirt) + (bvirt - t0); _j = s1 + _i; bvirt = _j - s1; _0 = s1 - (_j - bvirt) + (_i - bvirt); _i = _0 - t1; bvirt = _0 - _i; da[1] = _0 - (_i + bvirt) + (bvirt - t1); u3 = _j + _i; bvirt = u3 - _j; da[2] = _j - (u3 - bvirt) + (_i - bvirt); da[3] = u3; s1 = ex * by; c = splitter * ex; ahi = c - (c - ex); alo = ex - ahi; c = splitter * by; bhi = c - (c - by); blo = by - bhi; s0 = alo * blo - (s1 - ahi * bhi - alo * bhi - ahi * blo); t1 = bx * ey; c = splitter * bx; ahi = c - (c - bx); alo = bx - ahi; c = splitter * ey; bhi = c - (c - ey); blo = ey - bhi; t0 = alo * blo - (t1 - ahi * bhi - alo * bhi - ahi * blo); _i = s0 - t0; bvirt = s0 - _i; eb[0] = s0 - (_i + bvirt) + (bvirt - t0); _j = s1 + _i; bvirt = _j - s1; _0 = s1 - (_j - bvirt) + (_i - bvirt); _i = _0 - t1; bvirt = _0 - _i; eb[1] = _0 - (_i + bvirt) + (bvirt - t1); u3 = _j + _i; bvirt = u3 - _j; eb[2] = _j - (u3 - bvirt) + (_i - bvirt); eb[3] = u3; const abclen = sum_three_scale(insphere_ab, insphere_bc, ac, cz, az, -bz, abc); const bcdlen = sum_three_scale(insphere_bc, cd, bd, dz, bz, -cz, bcd); const cdelen = sum_three_scale(cd, de, ce, ez, cz, -dz, cde); const dealen = sum_three_scale(de, insphere_ea, da, az, dz, -ez, dea); const eablen = sum_three_scale(insphere_ea, insphere_ab, eb, bz, ez, -az, eab); const abdlen = sum_three_scale(insphere_ab, bd, da, dz, az, bz, abd); const bcelen = sum_three_scale(insphere_bc, ce, eb, ez, bz, cz, bce); const cdalen = sum_three_scale(cd, da, ac, az, cz, dz, cda); const deblen = sum_three_scale(de, eb, bd, bz, dz, ez, deb); const eaclen = sum_three_scale(insphere_ea, ac, ce, cz, ez, az, eac); const deterlen = sum_three( liftexact(cdelen, cde, bcelen, bce, deblen, deb, bcdlen, bcd, ax, ay, az, adet), adet, liftexact(dealen, dea, cdalen, cda, eaclen, eac, cdelen, cde, bx, by, bz, bdet), bdet, sum_three( liftexact(eablen, eab, deblen, deb, abdlen, abd, dealen, dea, cx, cy, cz, cdet), cdet, liftexact(abclen, abc, eaclen, eac, bcelen, bce, eablen, eab, dx, dy, dz, ddet), ddet, liftexact(bcdlen, bcd, abdlen, abd, cdalen, cda, abclen, abc, ex, ey, ez, edet), edet, cddet, cdedet), cdedet, abdet, deter); return deter[deterlen - 1]; } const xdet = vec(96); const ydet = vec(96); const zdet = vec(96); const insphere_fin = vec(1152); function liftadapt(a, b, c, az, bz, cz, x, y, z, out) { const len = sum_three_scale(a, b, c, az, bz, cz, _24); return sum_three( scale(scale(len, _24, x, insphere_48), insphere_48, x, xdet), xdet, scale(scale(len, _24, y, insphere_48), insphere_48, y, ydet), ydet, scale(scale(len, _24, z, insphere_48), insphere_48, z, zdet), zdet, _192, out); } function insphereadapt(ax, ay, az, bx, by, bz, cx, cy, cz, dx, dy, dz, ex, ey, ez, permanent) { let ab3, bc3, cd3, da3, ac3, bd3; let aextail, bextail, cextail, dextail; let aeytail, beytail, ceytail, deytail; let aeztail, beztail, ceztail, deztail; let bvirt, c, ahi, alo, bhi, blo, _i, _j, _0, s1, s0, t1, t0; const aex = ax - ex; const bex = bx - ex; const cex = cx - ex; const dex = dx - ex; const aey = ay - ey; const bey = by - ey; const cey = cy - ey; const dey = dy - ey; const aez = az - ez; const bez = bz - ez; const cez = cz - ez; const dez = dz - ez; s1 = aex * bey; c = splitter * aex; ahi = c - (c - aex); alo = aex - ahi; c = splitter * bey; bhi = c - (c - bey); blo = bey - bhi; s0 = alo * blo - (s1 - ahi * bhi - alo * bhi - ahi * blo); t1 = bex * aey; c = splitter * bex; ahi = c - (c - bex); alo = bex - ahi; c = splitter * aey; bhi = c - (c - aey); blo = aey - bhi; t0 = alo * blo - (t1 - ahi * bhi - alo * bhi - ahi * blo); _i = s0 - t0; bvirt = s0 - _i; insphere_ab[0] = s0 - (_i + bvirt) + (bvirt - t0); _j = s1 + _i; bvirt = _j - s1; _0 = s1 - (_j - bvirt) + (_i - bvirt); _i = _0 - t1; bvirt = _0 - _i; insphere_ab[1] = _0 - (_i + bvirt) + (bvirt - t1); ab3 = _j + _i; bvirt = ab3 - _j; insphere_ab[2] = _j - (ab3 - bvirt) + (_i - bvirt); insphere_ab[3] = ab3; s1 = bex * cey; c = splitter * bex; ahi = c - (c - bex); alo = bex - ahi; c = splitter * cey; bhi = c - (c - cey); blo = cey - bhi; s0 = alo * blo - (s1 - ahi * bhi - alo * bhi - ahi * blo); t1 = cex * bey; c = splitter * cex; ahi = c - (c - cex); alo = cex - ahi; c = splitter * bey; bhi = c - (c - bey); blo = bey - bhi; t0 = alo * blo - (t1 - ahi * bhi - alo * bhi - ahi * blo); _i = s0 - t0; bvirt = s0 - _i; insphere_bc[0] = s0 - (_i + bvirt) + (bvirt - t0); _j = s1 + _i; bvirt = _j - s1; _0 = s1 - (_j - bvirt) + (_i - bvirt); _i = _0 - t1; bvirt = _0 - _i; insphere_bc[1] = _0 - (_i + bvirt) + (bvirt - t1); bc3 = _j + _i; bvirt = bc3 - _j; insphere_bc[2] = _j - (bc3 - bvirt) + (_i - bvirt); insphere_bc[3] = bc3; s1 = cex * dey; c = splitter * cex; ahi = c - (c - cex); alo = cex - ahi; c = splitter * dey; bhi = c - (c - dey); blo = dey - bhi; s0 = alo * blo - (s1 - ahi * bhi - alo * bhi - ahi * blo); t1 = dex * cey; c = splitter * dex; ahi = c - (c - dex); alo = dex - ahi; c = splitter * cey; bhi = c - (c - cey); blo = cey - bhi; t0 = alo * blo - (t1 - ahi * bhi - alo * bhi - ahi * blo); _i = s0 - t0; bvirt = s0 - _i; cd[0] = s0 - (_i + bvirt) + (bvirt - t0); _j = s1 + _i; bvirt = _j - s1; _0 = s1 - (_j - bvirt) + (_i - bvirt); _i = _0 - t1; bvirt = _0 - _i; cd[1] = _0 - (_i + bvirt) + (bvirt - t1); cd3 = _j + _i; bvirt = cd3 - _j; cd[2] = _j - (cd3 - bvirt) + (_i - bvirt); cd[3] = cd3; s1 = dex * aey; c = splitter * dex; ahi = c - (c - dex); alo = dex - ahi; c = splitter * aey; bhi = c - (c - aey); blo = aey - bhi; s0 = alo * blo - (s1 - ahi * bhi - alo * bhi - ahi * blo); t1 = aex * dey; c = splitter * aex; ahi = c - (c - aex); alo = aex - ahi; c = splitter * dey; bhi = c - (c - dey); blo = dey - bhi; t0 = alo * blo - (t1 - ahi * bhi - alo * bhi - ahi * blo); _i = s0 - t0; bvirt = s0 - _i; da[0] = s0 - (_i + bvirt) + (bvirt - t0); _j = s1 + _i; bvirt = _j - s1; _0 = s1 - (_j - bvirt) + (_i - bvirt); _i = _0 - t1; bvirt = _0 - _i; da[1] = _0 - (_i + bvirt) + (bvirt - t1); da3 = _j + _i; bvirt = da3 - _j; da[2] = _j - (da3 - bvirt) + (_i - bvirt); da[3] = da3; s1 = aex * cey; c = splitter * aex; ahi = c - (c - aex); alo = aex - ahi; c = splitter * cey; bhi = c - (c - cey); blo = cey - bhi; s0 = alo * blo - (s1 - ahi * bhi - alo * bhi - ahi * blo); t1 = cex * aey; c = splitter * cex; ahi = c - (c - cex); alo = cex - ahi; c = splitter * aey; bhi = c - (c - aey); blo = aey - bhi; t0 = alo * blo - (t1 - ahi * bhi - alo * bhi - ahi * blo); _i = s0 - t0; bvirt = s0 - _i; ac[0] = s0 - (_i + bvirt) + (bvirt - t0); _j = s1 + _i; bvirt = _j - s1; _0 = s1 - (_j - bvirt) + (_i - bvirt); _i = _0 - t1; bvirt = _0 - _i; ac[1] = _0 - (_i + bvirt) + (bvirt - t1); ac3 = _j + _i; bvirt = ac3 - _j; ac[2] = _j - (ac3 - bvirt) + (_i - bvirt); ac[3] = ac3; s1 = bex * dey; c = splitter * bex; ahi = c - (c - bex); alo = bex - ahi; c = splitter * dey; bhi = c - (c - dey); blo = dey - bhi; s0 = alo * blo - (s1 - ahi * bhi - alo * bhi - ahi * blo); t1 = dex * bey; c = splitter * dex; ahi = c - (c - dex); alo = dex - ahi; c = splitter * bey; bhi = c - (c - bey); blo = bey - bhi; t0 = alo * blo - (t1 - ahi * bhi - alo * bhi - ahi * blo); _i = s0 - t0; bvirt = s0 - _i; bd[0] = s0 - (_i + bvirt) + (bvirt - t0); _j = s1 + _i; bvirt = _j - s1; _0 = s1 - (_j - bvirt) + (_i - bvirt); _i = _0 - t1; bvirt = _0 - _i; bd[1] = _0 - (_i + bvirt) + (bvirt - t1); bd3 = _j + _i; bvirt = bd3 - _j; bd[2] = _j - (bd3 - bvirt) + (_i - bvirt); bd[3] = bd3; const finlen = sum( sum( negate(liftadapt(insphere_bc, cd, bd, dez, bez, -cez, aex, aey, aez, adet), adet), adet, liftadapt(cd, da, ac, aez, cez, dez, bex, bey, bez, bdet), bdet, abdet), abdet, sum( negate(liftadapt(da, insphere_ab, bd, bez, dez, aez, cex, cey, cez, cdet), cdet), cdet, liftadapt(insphere_ab, insphere_bc, ac, cez, aez, -bez, dex, dey, dez, ddet), ddet, cddet), cddet, insphere_fin); let det = estimate(finlen, insphere_fin); let errbound = isperrboundB * permanent; if (det >= errbound || -det >= errbound) { return det; } bvirt = ax - aex; aextail = ax - (aex + bvirt) + (bvirt - ex); bvirt = ay - aey; aeytail = ay - (aey + bvirt) + (bvirt - ey); bvirt = az - aez; aeztail = az - (aez + bvirt) + (bvirt - ez); bvirt = bx - bex; bextail = bx - (bex + bvirt) + (bvirt - ex); bvirt = by - bey; beytail = by - (bey + bvirt) + (bvirt - ey); bvirt = bz - bez; beztail = bz - (bez + bvirt) + (bvirt - ez); bvirt = cx - cex; cextail = cx - (cex + bvirt) + (bvirt - ex); bvirt = cy - cey; ceytail = cy - (cey + bvirt) + (bvirt - ey); bvirt = cz - cez; ceztail = cz - (cez + bvirt) + (bvirt - ez); bvirt = dx - dex; dextail = dx - (dex + bvirt) + (bvirt - ex); bvirt = dy - dey; deytail = dy - (dey + bvirt) + (bvirt - ey); bvirt = dz - dez; deztail = dz - (dez + bvirt) + (bvirt - ez); if (aextail === 0 && aeytail === 0 && aeztail === 0 && bextail === 0 && beytail === 0 && beztail === 0 && cextail === 0 && ceytail === 0 && ceztail === 0 && dextail === 0 && deytail === 0 && deztail === 0) { return det; } errbound = isperrboundC * permanent + resulterrbound * Math.abs(det); const abeps = (aex * beytail + bey * aextail) - (aey * bextail + bex * aeytail); const bceps = (bex * ceytail + cey * bextail) - (bey * cextail + cex * beytail); const cdeps = (cex * deytail + dey * cextail) - (cey * dextail + dex * ceytail); const daeps = (dex * aeytail + aey * dextail) - (dey * aextail + aex * deytail); const aceps = (aex * ceytail + cey * aextail) - (aey * cextail + cex * aeytail); const bdeps = (bex * deytail + dey * bextail) - (bey * dextail + dex * beytail); det += (((bex * bex + bey * bey + bez * bez) * ((cez * daeps + dez * aceps + aez * cdeps) + (ceztail * da3 + deztail * ac3 + aeztail * cd3)) + (dex * dex + dey * dey + dez * dez) * ((aez * bceps - bez * aceps + cez * abeps) + (aeztail * bc3 - beztail * ac3 + ceztail * ab3))) - ((aex * aex + aey * aey + aez * aez) * ((bez * cdeps - cez * bdeps + dez * bceps) + (beztail * cd3 - ceztail * bd3 + deztail * bc3)) + (cex * cex + cey * cey + cez * cez) * ((dez * abeps + aez * bdeps + bez * daeps) + (deztail * ab3 + aeztail * bd3 + beztail * da3)))) + 2 * (((bex * bextail + bey * beytail + bez * beztail) * (cez * da3 + dez * ac3 + aez * cd3) + (dex * dextail + dey * deytail + dez * deztail) * (aez * bc3 - bez * ac3 + cez * ab3)) - ((aex * aextail + aey * aeytail + aez * aeztail) * (bez * cd3 - cez * bd3 + dez * bc3) + (cex * cextail + cey * ceytail + cez * ceztail) * (dez * ab3 + aez * bd3 + bez * da3))); if (det >= errbound || -det >= errbound) { return det; } return insphereexact(ax, ay, az, bx, by, bz, cx, cy, cz, dx, dy, dz, ex, ey, ez); } function insphere(ax, ay, az, bx, by, bz, cx, cy, cz, dx, dy, dz, ex, ey, ez) { const aex = ax - ex; const bex = bx - ex; const cex = cx - ex; const dex = dx - ex; const aey = ay - ey; const bey = by - ey; const cey = cy - ey; const dey = dy - ey; const aez = az - ez; const bez = bz - ez; const cez = cz - ez; const dez = dz - ez; const aexbey = aex * bey; const bexaey = bex * aey; const ab = aexbey - bexaey; const bexcey = bex * cey; const cexbey = cex * bey; const bc = bexcey - cexbey; const cexdey = cex * dey; const dexcey = dex * cey; const cd = cexdey - dexcey; const dexaey = dex * aey; const aexdey = aex * dey; const da = dexaey - aexdey; const aexcey = aex * cey; const cexaey = cex * aey; const ac = aexcey - cexaey; const bexdey = bex * dey; const dexbey = dex * bey; const bd = bexdey - dexbey; const alift = aex * aex + aey * aey + aez * aez; const blift = bex * bex + bey * bey + bez * bez; const clift = cex * cex + cey * cey + cez * cez; const dlift = dex * dex + dey * dey + dez * dez; const det = (clift * (dez * ab + aez * bd + bez * da) - dlift * (aez * bc - bez * ac + cez * ab)) + (alift * (bez * cd - cez * bd + dez * bc) - blift * (cez * da + dez * ac + aez * cd)); const aezplus = Math.abs(aez); const bezplus = Math.abs(bez); const cezplus = Math.abs(cez); const dezplus = Math.abs(dez); const aexbeyplus = Math.abs(aexbey) + Math.abs(bexaey); const bexceyplus = Math.abs(bexcey) + Math.abs(cexbey); const cexdeyplus = Math.abs(cexdey) + Math.abs(dexcey); const dexaeyplus = Math.abs(dexaey) + Math.abs(aexdey); const aexceyplus = Math.abs(aexcey) + Math.abs(cexaey); const bexdeyplus = Math.abs(bexdey) + Math.abs(dexbey); const permanent = (cexdeyplus * bezplus + bexdeyplus * cezplus + bexceyplus * dezplus) * alift + (dexaeyplus * cezplus + aexceyplus * dezplus + cexdeyplus * aezplus) * blift + (aexbeyplus * dezplus + bexdeyplus * aezplus + dexaeyplus * bezplus) * clift + (bexceyplus * aezplus + aexceyplus * bezplus + aexbeyplus * cezplus) * dlift; const errbound = isperrboundA * permanent; if (det > errbound || -det > errbound) { return det; } return -insphereadapt(ax, ay, az, bx, by, bz, cx, cy, cz, dx, dy, dz, ex, ey, ez, permanent); } function inspherefast(pax, pay, paz, pbx, pby, pbz, pcx, pcy, pcz, pdx, pdy, pdz, pex, pey, pez) { const aex = pax - pex; const bex = pbx - pex; const cex = pcx - pex; const dex = pdx - pex; const aey = pay - pey; const bey = pby - pey; const cey = pcy - pey; const dey = pdy - pey; const aez = paz - pez; const bez = pbz - pez; const cez = pcz - pez; const dez = pdz - pez; const ab = aex * bey - bex * aey; const bc = bex * cey - cex * bey; const cd = cex * dey - dex * cey; const da = dex * aey - aex * dey; const ac = aex * cey - cex * aey; const bd = bex * dey - dex * bey; const abc = aez * bc - bez * ac + cez * ab; const bcd = bez * cd - cez * bd + dez * bc; const cda = cez * da + dez * ac + aez * cd; const dab = dez * ab + aez * bd + bez * da; const alift = aex * aex + aey * aey + aez * aez; const blift = bex * bex + bey * bey + bez * bez; const clift = cex * cex + cey * cey + cez * cez; const dlift = dex * dex + dey * dey + dez * dez; return (clift * dab - dlift * abc) + (alift * bcd - blift * cda); } ;// CONCATENATED MODULE: ../node_modules/robust-predicates/index.js ;// CONCATENATED MODULE: ../node_modules/delaunator/index.js const delaunator_EPSILON = Math.pow(2, -52); const EDGE_STACK = new Uint32Array(512); class Delaunator { static from(points, getX = defaultGetX, getY = defaultGetY) { const n = points.length; const coords = new Float64Array(n * 2); for (let i = 0; i < n; i++) { const p = points[i]; coords[2 * i] = getX(p); coords[2 * i + 1] = getY(p); } return new Delaunator(coords); } constructor(coords) { const n = coords.length >> 1; if (n > 0 && typeof coords[0] !== 'number') throw new Error('Expected coords to contain numbers.'); this.coords = coords; // arrays that will store the triangulation graph const maxTriangles = Math.max(2 * n - 5, 0); this._triangles = new Uint32Array(maxTriangles * 3); this._halfedges = new Int32Array(maxTriangles * 3); // temporary arrays for tracking the edges of the advancing convex hull this._hashSize = Math.ceil(Math.sqrt(n)); this._hullPrev = new Uint32Array(n); // edge to prev edge this._hullNext = new Uint32Array(n); // edge to next edge this._hullTri = new Uint32Array(n); // edge to adjacent triangle this._hullHash = new Int32Array(this._hashSize).fill(-1); // angular edge hash // temporary arrays for sorting points this._ids = new Uint32Array(n); this._dists = new Float64Array(n); this.update(); } update() { const {coords, _hullPrev: hullPrev, _hullNext: hullNext, _hullTri: hullTri, _hullHash: hullHash} = this; const n = coords.length >> 1; // populate an array of point indices; calculate input data bbox let minX = Infinity; let minY = Infinity; let maxX = -Infinity; let maxY = -Infinity; for (let i = 0; i < n; i++) { const x = coords[2 * i]; const y = coords[2 * i + 1]; if (x < minX) minX = x; if (y < minY) minY = y; if (x > maxX) maxX = x; if (y > maxY) maxY = y; this._ids[i] = i; } const cx = (minX + maxX) / 2; const cy = (minY + maxY) / 2; let minDist = Infinity; let i0, i1, i2; // pick a seed point close to the center for (let i = 0; i < n; i++) { const d = dist(cx, cy, coords[2 * i], coords[2 * i + 1]); if (d < minDist) { i0 = i; minDist = d; } } const i0x = coords[2 * i0]; const i0y = coords[2 * i0 + 1]; minDist = Infinity; // find the point closest to the seed for (let i = 0; i < n; i++) { if (i === i0) continue; const d = dist(i0x, i0y, coords[2 * i], coords[2 * i + 1]); if (d < minDist && d > 0) { i1 = i; minDist = d; } } let i1x = coords[2 * i1]; let i1y = coords[2 * i1 + 1]; let minRadius = Infinity; // find the third point which forms the smallest circumcircle with the first two for (let i = 0; i < n; i++) { if (i === i0 || i === i1) continue; const r = circumradius(i0x, i0y, i1x, i1y, coords[2 * i], coords[2 * i + 1]); if (r < minRadius) { i2 = i; minRadius = r; } } let i2x = coords[2 * i2]; let i2y = coords[2 * i2 + 1]; if (minRadius === Infinity) { // order collinear points by dx (or dy if all x are identical) // and return the list as a hull for (let i = 0; i < n; i++) { this._dists[i] = (coords[2 * i] - coords[0]) || (coords[2 * i + 1] - coords[1]); } quicksort(this._ids, this._dists, 0, n - 1); const hull = new Uint32Array(n); let j = 0; for (let i = 0, d0 = -Infinity; i < n; i++) { const id = this._ids[i]; if (this._dists[id] > d0) { hull[j++] = id; d0 = this._dists[id]; } } this.hull = hull.subarray(0, j); this.triangles = new Uint32Array(0); this.halfedges = new Uint32Array(0); return; } // swap the order of the seed points for counter-clockwise orientation if (orient2d(i0x, i0y, i1x, i1y, i2x, i2y) < 0) { const i = i1; const x = i1x; const y = i1y; i1 = i2; i1x = i2x; i1y = i2y; i2 = i; i2x = x; i2y = y; } const center = circumcenter(i0x, i0y, i1x, i1y, i2x, i2y); this._cx = center.x; this._cy = center.y; for (let i = 0; i < n; i++) { this._dists[i] = dist(coords[2 * i], coords[2 * i + 1], center.x, center.y); } // sort the points by distance from the seed triangle circumcenter quicksort(this._ids, this._dists, 0, n - 1); // set up the seed triangle as the starting hull this._hullStart = i0; let hullSize = 3; hullNext[i0] = hullPrev[i2] = i1; hullNext[i1] = hullPrev[i0] = i2; hullNext[i2] = hullPrev[i1] = i0; hullTri[i0] = 0; hullTri[i1] = 1; hullTri[i2] = 2; hullHash.fill(-1); hullHash[this._hashKey(i0x, i0y)] = i0; hullHash[this._hashKey(i1x, i1y)] = i1; hullHash[this._hashKey(i2x, i2y)] = i2; this.trianglesLen = 0; this._addTriangle(i0, i1, i2, -1, -1, -1); for (let k = 0, xp, yp; k < this._ids.length; k++) { const i = this._ids[k]; const x = coords[2 * i]; const y = coords[2 * i + 1]; // skip near-duplicate points if (k > 0 && Math.abs(x - xp) <= delaunator_EPSILON && Math.abs(y - yp) <= delaunator_EPSILON) continue; xp = x; yp = y; // skip seed triangle points if (i === i0 || i === i1 || i === i2) continue; // find a visible edge on the convex hull using edge hash let start = 0; for (let j = 0, key = this._hashKey(x, y); j < this._hashSize; j++) { start = hullHash[(key + j) % this._hashSize]; if (start !== -1 && start !== hullNext[start]) break; } start = hullPrev[start]; let e = start, q; while (q = hullNext[e], orient2d(x, y, coords[2 * e], coords[2 * e + 1], coords[2 * q], coords[2 * q + 1]) >= 0) { e = q; if (e === start) { e = -1; break; } } if (e === -1) continue; // likely a near-duplicate point; skip it // add the first triangle from the point let t = this._addTriangle(e, i, hullNext[e], -1, -1, hullTri[e]); // recursively flip triangles from the point until they satisfy the Delaunay condition hullTri[i] = this._legalize(t + 2); hullTri[e] = t; // keep track of boundary triangles on the hull hullSize++; // walk forward through the hull, adding more triangles and flipping recursively let n = hullNext[e]; while (q = hullNext[n], orient2d(x, y, coords[2 * n], coords[2 * n + 1], coords[2 * q], coords[2 * q + 1]) < 0) { t = this._addTriangle(n, i, q, hullTri[i], -1, hullTri[n]); hullTri[i] = this._legalize(t + 2); hullNext[n] = n; // mark as removed hullSize--; n = q; } // walk backward from the other side, adding more triangles and flipping if (e === start) { while (q = hullPrev[e], orient2d(x, y, coords[2 * q], coords[2 * q + 1], coords[2 * e], coords[2 * e + 1]) < 0) { t = this._addTriangle(q, i, e, -1, hullTri[e], hullTri[q]); this._legalize(t + 2); hullTri[q] = t; hullNext[e] = e; // mark as removed hullSize--; e = q; } } // update the hull indices this._hullStart = hullPrev[i] = e; hullNext[e] = hullPrev[n] = i; hullNext[i] = n; // save the two new edges in the hash table hullHash[this._hashKey(x, y)] = i; hullHash[this._hashKey(coords[2 * e], coords[2 * e + 1])] = e; } this.hull = new Uint32Array(hullSize); for (let i = 0, e = this._hullStart; i < hullSize; i++) { this.hull[i] = e; e = hullNext[e]; } // trim typed triangle mesh arrays this.triangles = this._triangles.subarray(0, this.trianglesLen); this.halfedges = this._halfedges.subarray(0, this.trianglesLen); } _hashKey(x, y) { return Math.floor(pseudoAngle(x - this._cx, y - this._cy) * this._hashSize) % this._hashSize; } _legalize(a) { const {_triangles: triangles, _halfedges: halfedges, coords} = this; let i = 0; let ar = 0; // recursion eliminated with a fixed-size stack while (true) { const b = halfedges[a]; /* if the pair of triangles doesn't satisfy the Delaunay condition * (p1 is inside the circumcircle of [p0, pl, pr]), flip them, * then do the same check/flip recursively for the new pair of triangles * * pl pl * /||\ / \ * al/ || \bl al/ \a * / || \ / \ * / a||b \ flip /___ar___\ * p0\ || /p1 => p0\---bl---/p1 * \ || / \ / * ar\ || /br b\ /br * \||/ \ / * pr pr */ const a0 = a - a % 3; ar = a0 + (a + 2) % 3; if (b === -1) { // convex hull edge if (i === 0) break; a = EDGE_STACK[--i]; continue; } const b0 = b - b % 3; const al = a0 + (a + 1) % 3; const bl = b0 + (b + 2) % 3; const p0 = triangles[ar]; const pr = triangles[a]; const pl = triangles[al]; const p1 = triangles[bl]; const illegal = inCircle( coords[2 * p0], coords[2 * p0 + 1], coords[2 * pr], coords[2 * pr + 1], coords[2 * pl], coords[2 * pl + 1], coords[2 * p1], coords[2 * p1 + 1]); if (illegal) { triangles[a] = p1; triangles[b] = p0; const hbl = halfedges[bl]; // edge swapped on the other side of the hull (rare); fix the halfedge reference if (hbl === -1) { let e = this._hullStart; do { if (this._hullTri[e] === bl) { this._hullTri[e] = a; break; } e = this._hullPrev[e]; } while (e !== this._hullStart); } this._link(a, hbl); this._link(b, halfedges[ar]); this._link(ar, bl); const br = b0 + (b + 1) % 3; // don't worry about hitting the cap: it can only happen on extremely degenerate input if (i < EDGE_STACK.length) { EDGE_STACK[i++] = br; } } else { if (i === 0) break; a = EDGE_STACK[--i]; } } return ar; } _link(a, b) { this._halfedges[a] = b; if (b !== -1) this._halfedges[b] = a; } // add a new triangle given vertex indices and adjacent half-edge ids _addTriangle(i0, i1, i2, a, b, c) { const t = this.trianglesLen; this._triangles[t] = i0; this._triangles[t + 1] = i1; this._triangles[t + 2] = i2; this._link(t, a); this._link(t + 1, b); this._link(t + 2, c); this.trianglesLen += 3; return t; } } // monotonically increases with real angle, but doesn't need expensive trigonometry function pseudoAngle(dx, dy) { const p = dx / (Math.abs(dx) + Math.abs(dy)); return (dy > 0 ? 3 - p : 1 + p) / 4; // [0..1] } function dist(ax, ay, bx, by) { const dx = ax - bx; const dy = ay - by; return dx * dx + dy * dy; } function inCircle(ax, ay, bx, by, cx, cy, px, py) { const dx = ax - px; const dy = ay - py; const ex = bx - px; const ey = by - py; const fx = cx - px; const fy = cy - py; const ap = dx * dx + dy * dy; const bp = ex * ex + ey * ey; const cp = fx * fx + fy * fy; return dx * (ey * cp - bp * fy) - dy * (ex * cp - bp * fx) + ap * (ex * fy - ey * fx) < 0; } function circumradius(ax, ay, bx, by, cx, cy) { const dx = bx - ax; const dy = by - ay; const ex = cx - ax; const ey = cy - ay; const bl = dx * dx + dy * dy; const cl = ex * ex + ey * ey; const d = 0.5 / (dx * ey - dy * ex); const x = (ey * bl - dy * cl) * d; const y = (dx * cl - ex * bl) * d; return x * x + y * y; } function circumcenter(ax, ay, bx, by, cx, cy) { const dx = bx - ax; const dy = by - ay; const ex = cx - ax; const ey = cy - ay; const bl = dx * dx + dy * dy; const cl = ex * ex + ey * ey; const d = 0.5 / (dx * ey - dy * ex); const x = ax + (ey * bl - dy * cl) * d; const y = ay + (dx * cl - ex * bl) * d; return {x, y}; } function quicksort(ids, dists, left, right) { if (right - left <= 20) { for (let i = left + 1; i <= right; i++) { const temp = ids[i]; const tempDist = dists[temp]; let j = i - 1; while (j >= left && dists[ids[j]] > tempDist) ids[j + 1] = ids[j--]; ids[j + 1] = temp; } } else { const median = (left + right) >> 1; let i = left + 1; let j = right; delaunator_swap(ids, median, i); if (dists[ids[left]] > dists[ids[right]]) delaunator_swap(ids, left, right); if (dists[ids[i]] > dists[ids[right]]) delaunator_swap(ids, i, right); if (dists[ids[left]] > dists[ids[i]]) delaunator_swap(ids, left, i); const temp = ids[i]; const tempDist = dists[temp]; while (true) { do i++; while (dists[ids[i]] < tempDist); do j--; while (dists[ids[j]] > tempDist); if (j < i) break; delaunator_swap(ids, i, j); } ids[left + 1] = ids[j]; ids[j] = temp; if (right - i + 1 >= j - left) { quicksort(ids, dists, i, right); quicksort(ids, dists, left, j - 1); } else { quicksort(ids, dists, left, j - 1); quicksort(ids, dists, i, right); } } } function delaunator_swap(arr, i, j) { const tmp = arr[i]; arr[i] = arr[j]; arr[j] = tmp; } function defaultGetX(p) { return p[0]; } function defaultGetY(p) { return p[1]; } ;// CONCATENATED MODULE: ../node_modules/d3-delaunay/src/path.js const path_epsilon = 1e-6; class Path { constructor() { this._x0 = this._y0 = // start of current subpath this._x1 = this._y1 = null; // end of current subpath this._ = ""; } moveTo(x, y) { this._ += `M${this._x0 = this._x1 = +x},${this._y0 = this._y1 = +y}`; } closePath() { if (this._x1 !== null) { this._x1 = this._x0, this._y1 = this._y0; this._ += "Z"; } } lineTo(x, y) { this._ += `L${this._x1 = +x},${this._y1 = +y}`; } arc(x, y, r) { x = +x, y = +y, r = +r; const x0 = x + r; const y0 = y; if (r < 0) throw new Error("negative radius"); if (this._x1 === null) this._ += `M${x0},${y0}`; else if (Math.abs(this._x1 - x0) > path_epsilon || Math.abs(this._y1 - y0) > path_epsilon) this._ += "L" + x0 + "," + y0; if (!r) return; this._ += `A${r},${r},0,1,1,${x - r},${y}A${r},${r},0,1,1,${this._x1 = x0},${this._y1 = y0}`; } rect(x, y, w, h) { this._ += `M${this._x0 = this._x1 = +x},${this._y0 = this._y1 = +y}h${+w}v${+h}h${-w}Z`; } value() { return this._ || null; } } ;// CONCATENATED MODULE: ../node_modules/d3-delaunay/src/polygon.js class Polygon { constructor() { this._ = []; } moveTo(x, y) { this._.push([x, y]); } closePath() { this._.push(this._[0].slice()); } lineTo(x, y) { this._.push([x, y]); } value() { return this._.length ? this._ : null; } } ;// CONCATENATED MODULE: ../node_modules/d3-delaunay/src/voronoi.js class Voronoi { constructor(delaunay, [xmin, ymin, xmax, ymax] = [0, 0, 960, 500]) { if (!((xmax = +xmax) >= (xmin = +xmin)) || !((ymax = +ymax) >= (ymin = +ymin))) throw new Error("invalid bounds"); this.delaunay = delaunay; this._circumcenters = new Float64Array(delaunay.points.length * 2); this.vectors = new Float64Array(delaunay.points.length * 2); this.xmax = xmax, this.xmin = xmin; this.ymax = ymax, this.ymin = ymin; this._init(); } update() { this.delaunay.update(); this._init(); return this; } _init() { const {delaunay: {points, hull, triangles}, vectors} = this; let bx, by; // lazily computed barycenter of the hull // Compute circumcenters. const circumcenters = this.circumcenters = this._circumcenters.subarray(0, triangles.length / 3 * 2); for (let i = 0, j = 0, n = triangles.length, x, y; i < n; i += 3, j += 2) { const t1 = triangles[i] * 2; const t2 = triangles[i + 1] * 2; const t3 = triangles[i + 2] * 2; const x1 = points[t1]; const y1 = points[t1 + 1]; const x2 = points[t2]; const y2 = points[t2 + 1]; const x3 = points[t3]; const y3 = points[t3 + 1]; const dx = x2 - x1; const dy = y2 - y1; const ex = x3 - x1; const ey = y3 - y1; const ab = (dx * ey - dy * ex) * 2; if (Math.abs(ab) < 1e-9) { // For a degenerate triangle, the circumcenter is at the infinity, in a // direction orthogonal to the halfedge and away from the “center” of // the diagram , defined as the hull’s barycenter. if (bx === undefined) { bx = by = 0; for (const i of hull) bx += points[i * 2], by += points[i * 2 + 1]; bx /= hull.length, by /= hull.length; } const a = 1e9 * Math.sign((bx - x1) * ey - (by - y1) * ex); x = (x1 + x3) / 2 - a * ey; y = (y1 + y3) / 2 + a * ex; } else { const d = 1 / ab; const bl = dx * dx + dy * dy; const cl = ex * ex + ey * ey; x = x1 + (ey * bl - dy * cl) * d; y = y1 + (dx * cl - ex * bl) * d; } circumcenters[j] = x; circumcenters[j + 1] = y; } // Compute exterior cell rays. let h = hull[hull.length - 1]; let p0, p1 = h * 4; let x0, x1 = points[2 * h]; let y0, y1 = points[2 * h + 1]; vectors.fill(0); for (let i = 0; i < hull.length; ++i) { h = hull[i]; p0 = p1, x0 = x1, y0 = y1; p1 = h * 4, x1 = points[2 * h], y1 = points[2 * h + 1]; vectors[p0 + 2] = vectors[p1] = y0 - y1; vectors[p0 + 3] = vectors[p1 + 1] = x1 - x0; } } render(context) { const buffer = context == null ? context = new Path : undefined; const {delaunay: {halfedges, inedges, hull}, circumcenters, vectors} = this; if (hull.length <= 1) return null; for (let i = 0, n = halfedges.length; i < n; ++i) { const j = halfedges[i]; if (j < i) continue; const ti = Math.floor(i / 3) * 2; const tj = Math.floor(j / 3) * 2; const xi = circumcenters[ti]; const yi = circumcenters[ti + 1]; const xj = circumcenters[tj]; const yj = circumcenters[tj + 1]; this._renderSegment(xi, yi, xj, yj, context); } let h0, h1 = hull[hull.length - 1]; for (let i = 0; i < hull.length; ++i) { h0 = h1, h1 = hull[i]; const t = Math.floor(inedges[h1] / 3) * 2; const x = circumcenters[t]; const y = circumcenters[t + 1]; const v = h0 * 4; const p = this._project(x, y, vectors[v + 2], vectors[v + 3]); if (p) this._renderSegment(x, y, p[0], p[1], context); } return buffer && buffer.value(); } renderBounds(context) { const buffer = context == null ? context = new Path : undefined; context.rect(this.xmin, this.ymin, this.xmax - this.xmin, this.ymax - this.ymin); return buffer && buffer.value(); } renderCell(i, context) { const buffer = context == null ? context = new Path : undefined; const points = this._clip(i); if (points === null || !points.length) return; context.moveTo(points[0], points[1]); let n = points.length; while (points[0] === points[n-2] && points[1] === points[n-1] && n > 1) n -= 2; for (let i = 2; i < n; i += 2) { if (points[i] !== points[i-2] || points[i+1] !== points[i-1]) context.lineTo(points[i], points[i + 1]); } context.closePath(); return buffer && buffer.value(); } *cellPolygons() { const {delaunay: {points}} = this; for (let i = 0, n = points.length / 2; i < n; ++i) { const cell = this.cellPolygon(i); if (cell) cell.index = i, yield cell; } } cellPolygon(i) { const polygon = new Polygon; this.renderCell(i, polygon); return polygon.value(); } _renderSegment(x0, y0, x1, y1, context) { let S; const c0 = this._regioncode(x0, y0); const c1 = this._regioncode(x1, y1); if (c0 === 0 && c1 === 0) { context.moveTo(x0, y0); context.lineTo(x1, y1); } else if (S = this._clipSegment(x0, y0, x1, y1, c0, c1)) { context.moveTo(S[0], S[1]); context.lineTo(S[2], S[3]); } } contains(i, x, y) { if ((x = +x, x !== x) || (y = +y, y !== y)) return false; return this.delaunay._step(i, x, y) === i; } *neighbors(i) { const ci = this._clip(i); if (ci) for (const j of this.delaunay.neighbors(i)) { const cj = this._clip(j); // find the common edge if (cj) loop: for (let ai = 0, li = ci.length; ai < li; ai += 2) { for (let aj = 0, lj = cj.length; aj < lj; aj += 2) { if (ci[ai] === cj[aj] && ci[ai + 1] === cj[aj + 1] && ci[(ai + 2) % li] === cj[(aj + lj - 2) % lj] && ci[(ai + 3) % li] === cj[(aj + lj - 1) % lj]) { yield j; break loop; } } } } } _cell(i) { const {circumcenters, delaunay: {inedges, halfedges, triangles}} = this; const e0 = inedges[i]; if (e0 === -1) return null; // coincident point const points = []; let e = e0; do { const t = Math.floor(e / 3); points.push(circumcenters[t * 2], circumcenters[t * 2 + 1]); e = e % 3 === 2 ? e - 2 : e + 1; if (triangles[e] !== i) break; // bad triangulation e = halfedges[e]; } while (e !== e0 && e !== -1); return points; } _clip(i) { // degenerate case (1 valid point: return the box) if (i === 0 && this.delaunay.hull.length === 1) { return [this.xmax, this.ymin, this.xmax, this.ymax, this.xmin, this.ymax, this.xmin, this.ymin]; } const points = this._cell(i); if (points === null) return null; const {vectors: V} = this; const v = i * 4; return this._simplify(V[v] || V[v + 1] ? this._clipInfinite(i, points, V[v], V[v + 1], V[v + 2], V[v + 3]) : this._clipFinite(i, points)); } _clipFinite(i, points) { const n = points.length; let P = null; let x0, y0, x1 = points[n - 2], y1 = points[n - 1]; let c0, c1 = this._regioncode(x1, y1); let e0, e1 = 0; for (let j = 0; j < n; j += 2) { x0 = x1, y0 = y1, x1 = points[j], y1 = points[j + 1]; c0 = c1, c1 = this._regioncode(x1, y1); if (c0 === 0 && c1 === 0) { e0 = e1, e1 = 0; if (P) P.push(x1, y1); else P = [x1, y1]; } else { let S, sx0, sy0, sx1, sy1; if (c0 === 0) { if ((S = this._clipSegment(x0, y0, x1, y1, c0, c1)) === null) continue; [sx0, sy0, sx1, sy1] = S; } else { if ((S = this._clipSegment(x1, y1, x0, y0, c1, c0)) === null) continue; [sx1, sy1, sx0, sy0] = S; e0 = e1, e1 = this._edgecode(sx0, sy0); if (e0 && e1) this._edge(i, e0, e1, P, P.length); if (P) P.push(sx0, sy0); else P = [sx0, sy0]; } e0 = e1, e1 = this._edgecode(sx1, sy1); if (e0 && e1) this._edge(i, e0, e1, P, P.length); if (P) P.push(sx1, sy1); else P = [sx1, sy1]; } } if (P) { e0 = e1, e1 = this._edgecode(P[0], P[1]); if (e0 && e1) this._edge(i, e0, e1, P, P.length); } else if (this.contains(i, (this.xmin + this.xmax) / 2, (this.ymin + this.ymax) / 2)) { return [this.xmax, this.ymin, this.xmax, this.ymax, this.xmin, this.ymax, this.xmin, this.ymin]; } return P; } _clipSegment(x0, y0, x1, y1, c0, c1) { // for more robustness, always consider the segment in the same order const flip = c0 < c1; if (flip) [x0, y0, x1, y1, c0, c1] = [x1, y1, x0, y0, c1, c0]; while (true) { if (c0 === 0 && c1 === 0) return flip ? [x1, y1, x0, y0] : [x0, y0, x1, y1]; if (c0 & c1) return null; let x, y, c = c0 || c1; if (c & 0b1000) x = x0 + (x1 - x0) * (this.ymax - y0) / (y1 - y0), y = this.ymax; else if (c & 0b0100) x = x0 + (x1 - x0) * (this.ymin - y0) / (y1 - y0), y = this.ymin; else if (c & 0b0010) y = y0 + (y1 - y0) * (this.xmax - x0) / (x1 - x0), x = this.xmax; else y = y0 + (y1 - y0) * (this.xmin - x0) / (x1 - x0), x = this.xmin; if (c0) x0 = x, y0 = y, c0 = this._regioncode(x0, y0); else x1 = x, y1 = y, c1 = this._regioncode(x1, y1); } } _clipInfinite(i, points, vx0, vy0, vxn, vyn) { let P = Array.from(points), p; if (p = this._project(P[0], P[1], vx0, vy0)) P.unshift(p[0], p[1]); if (p = this._project(P[P.length - 2], P[P.length - 1], vxn, vyn)) P.push(p[0], p[1]); if (P = this._clipFinite(i, P)) { for (let j = 0, n = P.length, c0, c1 = this._edgecode(P[n - 2], P[n - 1]); j < n; j += 2) { c0 = c1, c1 = this._edgecode(P[j], P[j + 1]); if (c0 && c1) j = this._edge(i, c0, c1, P, j), n = P.length; } } else if (this.contains(i, (this.xmin + this.xmax) / 2, (this.ymin + this.ymax) / 2)) { P = [this.xmin, this.ymin, this.xmax, this.ymin, this.xmax, this.ymax, this.xmin, this.ymax]; } return P; } _edge(i, e0, e1, P, j) { while (e0 !== e1) { let x, y; switch (e0) { case 0b0101: e0 = 0b0100; continue; // top-left case 0b0100: e0 = 0b0110, x = this.xmax, y = this.ymin; break; // top case 0b0110: e0 = 0b0010; continue; // top-right case 0b0010: e0 = 0b1010, x = this.xmax, y = this.ymax; break; // right case 0b1010: e0 = 0b1000; continue; // bottom-right case 0b1000: e0 = 0b1001, x = this.xmin, y = this.ymax; break; // bottom case 0b1001: e0 = 0b0001; continue; // bottom-left case 0b0001: e0 = 0b0101, x = this.xmin, y = this.ymin; break; // left } // Note: this implicitly checks for out of bounds: if P[j] or P[j+1] are // undefined, the conditional statement will be executed. if ((P[j] !== x || P[j + 1] !== y) && this.contains(i, x, y)) { P.splice(j, 0, x, y), j += 2; } } return j; } _project(x0, y0, vx, vy) { let t = Infinity, c, x, y; if (vy < 0) { // top if (y0 <= this.ymin) return null; if ((c = (this.ymin - y0) / vy) < t) y = this.ymin, x = x0 + (t = c) * vx; } else if (vy > 0) { // bottom if (y0 >= this.ymax) return null; if ((c = (this.ymax - y0) / vy) < t) y = this.ymax, x = x0 + (t = c) * vx; } if (vx > 0) { // right if (x0 >= this.xmax) return null; if ((c = (this.xmax - x0) / vx) < t) x = this.xmax, y = y0 + (t = c) * vy; } else if (vx < 0) { // left if (x0 <= this.xmin) return null; if ((c = (this.xmin - x0) / vx) < t) x = this.xmin, y = y0 + (t = c) * vy; } return [x, y]; } _edgecode(x, y) { return (x === this.xmin ? 0b0001 : x === this.xmax ? 0b0010 : 0b0000) | (y === this.ymin ? 0b0100 : y === this.ymax ? 0b1000 : 0b0000); } _regioncode(x, y) { return (x < this.xmin ? 0b0001 : x > this.xmax ? 0b0010 : 0b0000) | (y < this.ymin ? 0b0100 : y > this.ymax ? 0b1000 : 0b0000); } _simplify(P) { if (P && P.length > 4) { for (let i = 0; i < P.length; i+= 2) { const j = (i + 2) % P.length, k = (i + 4) % P.length; if (P[i] === P[j] && P[j] === P[k] || P[i + 1] === P[j + 1] && P[j + 1] === P[k + 1]) { P.splice(j, 2), i -= 2; } } if (!P.length) P = null; } return P; } } ;// CONCATENATED MODULE: ../node_modules/d3-delaunay/src/delaunay.js const delaunay_tau = 2 * Math.PI, delaunay_pow = Math.pow; function pointX(p) { return p[0]; } function pointY(p) { return p[1]; } // A triangulation is collinear if all its triangles have a non-null area function delaunay_collinear(d) { const {triangles, coords} = d; for (let i = 0; i < triangles.length; i += 3) { const a = 2 * triangles[i], b = 2 * triangles[i + 1], c = 2 * triangles[i + 2], cross = (coords[c] - coords[a]) * (coords[b + 1] - coords[a + 1]) - (coords[b] - coords[a]) * (coords[c + 1] - coords[a + 1]); if (cross > 1e-10) return false; } return true; } function jitter(x, y, r) { return [x + Math.sin(x + y) * r, y + Math.cos(x - y) * r]; } class Delaunay { static from(points, fx = pointX, fy = pointY, that) { return new Delaunay("length" in points ? flatArray(points, fx, fy, that) : Float64Array.from(flatIterable(points, fx, fy, that))); } constructor(points) { this._delaunator = new Delaunator(points); this.inedges = new Int32Array(points.length / 2); this._hullIndex = new Int32Array(points.length / 2); this.points = this._delaunator.coords; this._init(); } update() { this._delaunator.update(); this._init(); return this; } _init() { const d = this._delaunator, points = this.points; // check for collinear if (d.hull && d.hull.length > 2 && delaunay_collinear(d)) { this.collinear = Int32Array.from({length: points.length/2}, (_,i) => i) .sort((i, j) => points[2 * i] - points[2 * j] || points[2 * i + 1] - points[2 * j + 1]); // for exact neighbors const e = this.collinear[0], f = this.collinear[this.collinear.length - 1], bounds = [ points[2 * e], points[2 * e + 1], points[2 * f], points[2 * f + 1] ], r = 1e-8 * Math.hypot(bounds[3] - bounds[1], bounds[2] - bounds[0]); for (let i = 0, n = points.length / 2; i < n; ++i) { const p = jitter(points[2 * i], points[2 * i + 1], r); points[2 * i] = p[0]; points[2 * i + 1] = p[1]; } this._delaunator = new Delaunator(points); } else { delete this.collinear; } const halfedges = this.halfedges = this._delaunator.halfedges; const hull = this.hull = this._delaunator.hull; const triangles = this.triangles = this._delaunator.triangles; const inedges = this.inedges.fill(-1); const hullIndex = this._hullIndex.fill(-1); // Compute an index from each point to an (arbitrary) incoming halfedge // Used to give the first neighbor of each point; for this reason, // on the hull we give priority to exterior halfedges for (let e = 0, n = halfedges.length; e < n; ++e) { const p = triangles[e % 3 === 2 ? e - 2 : e + 1]; if (halfedges[e] === -1 || inedges[p] === -1) inedges[p] = e; } for (let i = 0, n = hull.length; i < n; ++i) { hullIndex[hull[i]] = i; } // degenerate case: 1 or 2 (distinct) points if (hull.length <= 2 && hull.length > 0) { this.triangles = new Int32Array(3).fill(-1); this.halfedges = new Int32Array(3).fill(-1); this.triangles[0] = hull[0]; inedges[hull[0]] = 1; if (hull.length === 2) { inedges[hull[1]] = 0; this.triangles[1] = hull[1]; this.triangles[2] = hull[1]; } } } voronoi(bounds) { return new Voronoi(this, bounds); } *neighbors(i) { const {inedges, hull, _hullIndex, halfedges, triangles, collinear} = this; // degenerate case with several collinear points if (collinear) { const l = collinear.indexOf(i); if (l > 0) yield collinear[l - 1]; if (l < collinear.length - 1) yield collinear[l + 1]; return; } const e0 = inedges[i]; if (e0 === -1) return; // coincident point let e = e0, p0 = -1; do { yield p0 = triangles[e]; e = e % 3 === 2 ? e - 2 : e + 1; if (triangles[e] !== i) return; // bad triangulation e = halfedges[e]; if (e === -1) { const p = hull[(_hullIndex[i] + 1) % hull.length]; if (p !== p0) yield p; return; } } while (e !== e0); } find(x, y, i = 0) { if ((x = +x, x !== x) || (y = +y, y !== y)) return -1; const i0 = i; let c; while ((c = this._step(i, x, y)) >= 0 && c !== i && c !== i0) i = c; return c; } _step(i, x, y) { const {inedges, hull, _hullIndex, halfedges, triangles, points} = this; if (inedges[i] === -1 || !points.length) return (i + 1) % (points.length >> 1); let c = i; let dc = delaunay_pow(x - points[i * 2], 2) + delaunay_pow(y - points[i * 2 + 1], 2); const e0 = inedges[i]; let e = e0; do { let t = triangles[e]; const dt = delaunay_pow(x - points[t * 2], 2) + delaunay_pow(y - points[t * 2 + 1], 2); if (dt < dc) dc = dt, c = t; e = e % 3 === 2 ? e - 2 : e + 1; if (triangles[e] !== i) break; // bad triangulation e = halfedges[e]; if (e === -1) { e = hull[(_hullIndex[i] + 1) % hull.length]; if (e !== t) { if (delaunay_pow(x - points[e * 2], 2) + delaunay_pow(y - points[e * 2 + 1], 2) < dc) return e; } break; } } while (e !== e0); return c; } render(context) { const buffer = context == null ? context = new Path : undefined; const {points, halfedges, triangles} = this; for (let i = 0, n = halfedges.length; i < n; ++i) { const j = halfedges[i]; if (j < i) continue; const ti = triangles[i] * 2; const tj = triangles[j] * 2; context.moveTo(points[ti], points[ti + 1]); context.lineTo(points[tj], points[tj + 1]); } this.renderHull(context); return buffer && buffer.value(); } renderPoints(context, r) { if (r === undefined && (!context || typeof context.moveTo !== "function")) r = context, context = null; r = r == undefined ? 2 : +r; const buffer = context == null ? context = new Path : undefined; const {points} = this; for (let i = 0, n = points.length; i < n; i += 2) { const x = points[i], y = points[i + 1]; context.moveTo(x + r, y); context.arc(x, y, r, 0, delaunay_tau); } return buffer && buffer.value(); } renderHull(context) { const buffer = context == null ? context = new Path : undefined; const {hull, points} = this; const h = hull[0] * 2, n = hull.length; context.moveTo(points[h], points[h + 1]); for (let i = 1; i < n; ++i) { const h = 2 * hull[i]; context.lineTo(points[h], points[h + 1]); } context.closePath(); return buffer && buffer.value(); } hullPolygon() { const polygon = new Polygon; this.renderHull(polygon); return polygon.value(); } renderTriangle(i, context) { const buffer = context == null ? context = new Path : undefined; const {points, triangles} = this; const t0 = triangles[i *= 3] * 2; const t1 = triangles[i + 1] * 2; const t2 = triangles[i + 2] * 2; context.moveTo(points[t0], points[t0 + 1]); context.lineTo(points[t1], points[t1 + 1]); context.lineTo(points[t2], points[t2 + 1]); context.closePath(); return buffer && buffer.value(); } *trianglePolygons() { const {triangles} = this; for (let i = 0, n = triangles.length / 3; i < n; ++i) { yield this.trianglePolygon(i); } } trianglePolygon(i) { const polygon = new Polygon; this.renderTriangle(i, polygon); return polygon.value(); } } function flatArray(points, fx, fy, that) { const n = points.length; const array = new Float64Array(n * 2); for (let i = 0; i < n; ++i) { const p = points[i]; array[i * 2] = fx.call(that, p, i, points); array[i * 2 + 1] = fy.call(that, p, i, points); } return array; } function* flatIterable(points, fx, fy, that) { let i = 0; for (const p of points) { yield fx.call(that, p, i, points); yield fy.call(that, p, i, points); ++i; } } ;// CONCATENATED MODULE: ../node_modules/vega-voronoi/build/vega-voronoi.module.js function vega_voronoi_module_Voronoi(params) { Transform.call(this, null, params); } vega_voronoi_module_Voronoi.Definition = { 'type': 'Voronoi', 'metadata': { 'modifies': true }, 'params': [{ 'name': 'x', 'type': 'field', 'required': true }, { 'name': 'y', 'type': 'field', 'required': true }, { 'name': 'size', 'type': 'number', 'array': true, 'length': 2 }, { 'name': 'extent', 'type': 'array', 'array': true, 'length': 2, 'default': [[-1e5, -1e5], [1e5, 1e5]], 'content': { 'type': 'number', 'array': true, 'length': 2 } }, { 'name': 'as', 'type': 'string', 'default': 'path' }] }; const defaultExtent = [-1e5, -1e5, 1e5, 1e5]; inherits(vega_voronoi_module_Voronoi, Transform, { transform(_, pulse) { const as = _.as || 'path', data = pulse.source; // nothing to do if no data if (!data || !data.length) return pulse; // configure and construct voronoi diagram let s = _.size; s = s ? [0, 0, s[0], s[1]] : (s = _.extent) ? [s[0][0], s[0][1], s[1][0], s[1][1]] : defaultExtent; const voronoi = this.value = Delaunay.from(data, _.x, _.y).voronoi(s); // map polygons to paths for (let i = 0, n = data.length; i < n; ++i) { const polygon = voronoi.cellPolygon(i); data[i][as] = polygon && !isPoint(polygon) ? toPathString(polygon) : null; } return pulse.reflow(_.modified()).modifies(as); } }); // suppress duplicated end point vertices function toPathString(p) { const x = p[0][0], y = p[0][1]; let n = p.length - 1; for (; p[n][0] === x && p[n][1] === y; --n); return 'M' + p.slice(0, n + 1).join('L') + 'Z'; } function isPoint(p) { return p.length === 2 && p[0][0] === p[1][0] && p[0][1] === p[1][1]; } ;// CONCATENATED MODULE: ../node_modules/vega-wordcloud/build/vega-wordcloud.module.js /* Copyright (c) 2013, Jason Davies. All rights reserved. Redistribution and use in source and binary forms, with or without modification, are permitted provided that the following conditions are met: * Redistributions of source code must retain the above copyright notice, this list of conditions and the following disclaimer. * Redistributions in binary form must reproduce the above copyright notice, this list of conditions and the following disclaimer in the documentation and/or other materials provided with the distribution. * The name Jason Davies may not be used to endorse or promote products derived from this software without specific prior written permission. THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL JASON DAVIES BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. */ // Word cloud layout by Jason Davies, https://www.jasondavies.com/wordcloud/ // Algorithm due to Jonathan Feinberg, http://static.mrfeinberg.com/bv_ch03.pdf var cloudRadians = Math.PI / 180, cw = 1 << 11 >> 5, ch = 1 << 11; function cloud () { var size = [256, 256], text, font, fontSize, fontStyle, fontWeight, rotate, padding, spiral = archimedeanSpiral, words = [], random = Math.random, cloud = {}; cloud.layout = function () { var contextAndRatio = getContext(domCanvas()), board = zeroArray((size[0] >> 5) * size[1]), bounds = null, n = words.length, i = -1, tags = [], data = words.map(d => ({ text: text(d), font: font(d), style: fontStyle(d), weight: fontWeight(d), rotate: rotate(d), size: ~~(fontSize(d) + 1e-14), padding: padding(d), xoff: 0, yoff: 0, x1: 0, y1: 0, x0: 0, y0: 0, hasText: false, sprite: null, datum: d })).sort((a, b) => b.size - a.size); while (++i < n) { var d = data[i]; d.x = size[0] * (random() + .5) >> 1; d.y = size[1] * (random() + .5) >> 1; cloudSprite(contextAndRatio, d, data, i); if (d.hasText && place(board, d, bounds)) { tags.push(d); if (bounds) cloudBounds(bounds, d);else bounds = [{ x: d.x + d.x0, y: d.y + d.y0 }, { x: d.x + d.x1, y: d.y + d.y1 }]; // Temporary hack d.x -= size[0] >> 1; d.y -= size[1] >> 1; } } return tags; }; function getContext(canvas) { canvas.width = canvas.height = 1; var ratio = Math.sqrt(canvas.getContext('2d').getImageData(0, 0, 1, 1).data.length >> 2); canvas.width = (cw << 5) / ratio; canvas.height = ch / ratio; var context = canvas.getContext('2d'); context.fillStyle = context.strokeStyle = 'red'; context.textAlign = 'center'; return { context: context, ratio: ratio }; } function place(board, tag, bounds) { var startX = tag.x, startY = tag.y, maxDelta = Math.hypot(size[0], size[1]), s = spiral(size), dt = random() < .5 ? 1 : -1, t = -dt, dxdy, dx, dy; while (dxdy = s(t += dt)) { dx = ~~dxdy[0]; dy = ~~dxdy[1]; if (Math.min(Math.abs(dx), Math.abs(dy)) >= maxDelta) break; tag.x = startX + dx; tag.y = startY + dy; if (tag.x + tag.x0 < 0 || tag.y + tag.y0 < 0 || tag.x + tag.x1 > size[0] || tag.y + tag.y1 > size[1]) continue; // TODO only check for collisions within current bounds. if (!bounds || !cloudCollide(tag, board, size[0])) { if (!bounds || collideRects(tag, bounds)) { var sprite = tag.sprite, w = tag.width >> 5, sw = size[0] >> 5, lx = tag.x - (w << 4), sx = lx & 0x7f, msx = 32 - sx, h = tag.y1 - tag.y0, x = (tag.y + tag.y0) * sw + (lx >> 5), last; for (var j = 0; j < h; j++) { last = 0; for (var i = 0; i <= w; i++) { board[x + i] |= last << msx | (i < w ? (last = sprite[j * w + i]) >>> sx : 0); } x += sw; } tag.sprite = null; return true; } } } return false; } cloud.words = function (_) { if (arguments.length) { words = _; return cloud; } else { return words; } }; cloud.size = function (_) { if (arguments.length) { size = [+_[0], +_[1]]; return cloud; } else { return size; } }; cloud.font = function (_) { if (arguments.length) { font = functor(_); return cloud; } else { return font; } }; cloud.fontStyle = function (_) { if (arguments.length) { fontStyle = functor(_); return cloud; } else { return fontStyle; } }; cloud.fontWeight = function (_) { if (arguments.length) { fontWeight = functor(_); return cloud; } else { return fontWeight; } }; cloud.rotate = function (_) { if (arguments.length) { rotate = functor(_); return cloud; } else { return rotate; } }; cloud.text = function (_) { if (arguments.length) { text = functor(_); return cloud; } else { return text; } }; cloud.spiral = function (_) { if (arguments.length) { spiral = spirals[_] || _; return cloud; } else { return spiral; } }; cloud.fontSize = function (_) { if (arguments.length) { fontSize = functor(_); return cloud; } else { return fontSize; } }; cloud.padding = function (_) { if (arguments.length) { padding = functor(_); return cloud; } else { return padding; } }; cloud.random = function (_) { if (arguments.length) { random = _; return cloud; } else { return random; } }; return cloud; } // Fetches a monochrome sprite bitmap for the specified text. // Load in batches for speed. function cloudSprite(contextAndRatio, d, data, di) { if (d.sprite) return; var c = contextAndRatio.context, ratio = contextAndRatio.ratio; c.clearRect(0, 0, (cw << 5) / ratio, ch / ratio); var x = 0, y = 0, maxh = 0, n = data.length, w, w32, h, i, j; --di; while (++di < n) { d = data[di]; c.save(); c.font = d.style + ' ' + d.weight + ' ' + ~~((d.size + 1) / ratio) + 'px ' + d.font; w = c.measureText(d.text + 'm').width * ratio; h = d.size << 1; if (d.rotate) { var sr = Math.sin(d.rotate * cloudRadians), cr = Math.cos(d.rotate * cloudRadians), wcr = w * cr, wsr = w * sr, hcr = h * cr, hsr = h * sr; w = Math.max(Math.abs(wcr + hsr), Math.abs(wcr - hsr)) + 0x1f >> 5 << 5; h = ~~Math.max(Math.abs(wsr + hcr), Math.abs(wsr - hcr)); } else { w = w + 0x1f >> 5 << 5; } if (h > maxh) maxh = h; if (x + w >= cw << 5) { x = 0; y += maxh; maxh = 0; } if (y + h >= ch) break; c.translate((x + (w >> 1)) / ratio, (y + (h >> 1)) / ratio); if (d.rotate) c.rotate(d.rotate * cloudRadians); c.fillText(d.text, 0, 0); if (d.padding) { c.lineWidth = 2 * d.padding; c.strokeText(d.text, 0, 0); } c.restore(); d.width = w; d.height = h; d.xoff = x; d.yoff = y; d.x1 = w >> 1; d.y1 = h >> 1; d.x0 = -d.x1; d.y0 = -d.y1; d.hasText = true; x += w; } var pixels = c.getImageData(0, 0, (cw << 5) / ratio, ch / ratio).data, sprite = []; while (--di >= 0) { d = data[di]; if (!d.hasText) continue; w = d.width; w32 = w >> 5; h = d.y1 - d.y0; // Zero the buffer for (i = 0; i < h * w32; i++) sprite[i] = 0; x = d.xoff; if (x == null) return; y = d.yoff; var seen = 0, seenRow = -1; for (j = 0; j < h; j++) { for (i = 0; i < w; i++) { var k = w32 * j + (i >> 5), m = pixels[(y + j) * (cw << 5) + (x + i) << 2] ? 1 << 31 - i % 32 : 0; sprite[k] |= m; seen |= m; } if (seen) seenRow = j;else { d.y0++; h--; j--; y++; } } d.y1 = d.y0 + seenRow; d.sprite = sprite.slice(0, (d.y1 - d.y0) * w32); } } // Use mask-based collision detection. function cloudCollide(tag, board, sw) { sw >>= 5; var sprite = tag.sprite, w = tag.width >> 5, lx = tag.x - (w << 4), sx = lx & 0x7f, msx = 32 - sx, h = tag.y1 - tag.y0, x = (tag.y + tag.y0) * sw + (lx >> 5), last; for (var j = 0; j < h; j++) { last = 0; for (var i = 0; i <= w; i++) { if ((last << msx | (i < w ? (last = sprite[j * w + i]) >>> sx : 0)) & board[x + i]) return true; } x += sw; } return false; } function cloudBounds(bounds, d) { var b0 = bounds[0], b1 = bounds[1]; if (d.x + d.x0 < b0.x) b0.x = d.x + d.x0; if (d.y + d.y0 < b0.y) b0.y = d.y + d.y0; if (d.x + d.x1 > b1.x) b1.x = d.x + d.x1; if (d.y + d.y1 > b1.y) b1.y = d.y + d.y1; } function collideRects(a, b) { return a.x + a.x1 > b[0].x && a.x + a.x0 < b[1].x && a.y + a.y1 > b[0].y && a.y + a.y0 < b[1].y; } function archimedeanSpiral(size) { var e = size[0] / size[1]; return function (t) { return [e * (t *= .1) * Math.cos(t), t * Math.sin(t)]; }; } function rectangularSpiral(size) { var dy = 4, dx = dy * size[0] / size[1], x = 0, y = 0; return function (t) { var sign = t < 0 ? -1 : 1; // See triangular numbers: T_n = n * (n + 1) / 2. switch (Math.sqrt(1 + 4 * sign * t) - sign & 3) { case 0: x += dx; break; case 1: y += dy; break; case 2: x -= dx; break; default: y -= dy; break; } return [x, y]; }; } // TODO reuse arrays? function zeroArray(n) { var a = [], i = -1; while (++i < n) a[i] = 0; return a; } function functor(d) { return typeof d === 'function' ? d : function () { return d; }; } var spirals = { archimedean: archimedeanSpiral, rectangular: rectangularSpiral }; const vega_wordcloud_module_Output = ['x', 'y', 'font', 'fontSize', 'fontStyle', 'fontWeight', 'angle']; const vega_wordcloud_module_Params = ['text', 'font', 'rotate', 'fontSize', 'fontStyle', 'fontWeight']; function Wordcloud(params) { Transform.call(this, cloud(), params); } Wordcloud.Definition = { 'type': 'Wordcloud', 'metadata': { 'modifies': true }, 'params': [{ 'name': 'size', 'type': 'number', 'array': true, 'length': 2 }, { 'name': 'font', 'type': 'string', 'expr': true, 'default': 'sans-serif' }, { 'name': 'fontStyle', 'type': 'string', 'expr': true, 'default': 'normal' }, { 'name': 'fontWeight', 'type': 'string', 'expr': true, 'default': 'normal' }, { 'name': 'fontSize', 'type': 'number', 'expr': true, 'default': 14 }, { 'name': 'fontSizeRange', 'type': 'number', 'array': 'nullable', 'default': [10, 50] }, { 'name': 'rotate', 'type': 'number', 'expr': true, 'default': 0 }, { 'name': 'text', 'type': 'field' }, { 'name': 'spiral', 'type': 'string', 'values': ['archimedean', 'rectangular'] }, { 'name': 'padding', 'type': 'number', 'expr': true }, { 'name': 'as', 'type': 'string', 'array': true, 'length': 7, 'default': vega_wordcloud_module_Output }] }; inherits(Wordcloud, Transform, { transform(_, pulse) { if (_.size && !(_.size[0] && _.size[1])) { vega_util_module_error('Wordcloud size dimensions must be non-zero.'); } function modp(param) { const p = _[param]; return vega_util_module_isFunction(p) && pulse.modified(p.fields); } const mod = _.modified(); if (!(mod || pulse.changed(pulse.ADD_REM) || vega_wordcloud_module_Params.some(modp))) return; const data = pulse.materialize(pulse.SOURCE).source, layout = this.value, as = _.as || vega_wordcloud_module_Output; let fontSize = _.fontSize || 14, range; vega_util_module_isFunction(fontSize) ? range = _.fontSizeRange : fontSize = vega_util_module_constant(fontSize); // create font size scaling function as needed if (range) { const fsize = fontSize, sizeScale = vega_scale_module_scale('sqrt')().domain(extent(data, fsize)).range(range); fontSize = x => sizeScale(fsize(x)); } data.forEach(t => { t[as[0]] = NaN; t[as[1]] = NaN; t[as[3]] = 0; }); // configure layout const words = layout.words(data).text(_.text).size(_.size || [500, 500]).padding(_.padding || 1).spiral(_.spiral || 'archimedean').rotate(_.rotate || 0).font(_.font || 'sans-serif').fontStyle(_.fontStyle || 'normal').fontWeight(_.fontWeight || 'normal').fontSize(fontSize).random(random).layout(); const size = layout.size(), dx = size[0] >> 1, dy = size[1] >> 1, n = words.length; for (let i = 0, w, t; i < n; ++i) { w = words[i]; t = w.datum; t[as[0]] = w.x + dx; t[as[1]] = w.y + dy; t[as[2]] = w.font; t[as[3]] = w.size; t[as[4]] = w.style; t[as[5]] = w.weight; t[as[6]] = w.rotate; } return pulse.reflow(mod).modifies(as); } }); ;// CONCATENATED MODULE: ../node_modules/d3-array/src/permute.js function permute_permute(source, keys) { return Array.from(keys, key => source[key]); } ;// CONCATENATED MODULE: ../node_modules/vega-crossfilter/build/vega-crossfilter.module.js const array8 = n => new Uint8Array(n); const array16 = n => new Uint16Array(n); const array32 = n => new Uint32Array(n); /** * Maintains CrossFilter state. */ function Bitmaps() { let width = 8, data = [], seen = array32(0), curr = vega_crossfilter_module_array(0, width), prev = vega_crossfilter_module_array(0, width); return { data: () => data, seen: () => seen = lengthen(seen, data.length), add(array) { for (let i = 0, j = data.length, n = array.length, t; i < n; ++i) { t = array[i]; t._index = j++; data.push(t); } }, remove(num, map) { // map: index -> boolean (true => remove) const n = data.length, copy = Array(n - num), reindex = data; // reuse old data array for index map let t, i, j; // seek forward to first removal for (i = 0; !map[i] && i < n; ++i) { copy[i] = data[i]; reindex[i] = i; } // condense arrays for (j = i; i < n; ++i) { t = data[i]; if (!map[i]) { reindex[i] = j; curr[j] = curr[i]; prev[j] = prev[i]; copy[j] = t; t._index = j++; } else { reindex[i] = -1; } curr[i] = 0; // clear unused bits } data = copy; return reindex; }, size: () => data.length, curr: () => curr, prev: () => prev, reset: k => prev[k] = curr[k], all: () => width < 0x101 ? 0xff : width < 0x10001 ? 0xffff : 0xffffffff, set(k, one) { curr[k] |= one; }, clear(k, one) { curr[k] &= ~one; }, resize(n, m) { const k = curr.length; if (n > k || m > width) { width = Math.max(m, width); curr = vega_crossfilter_module_array(n, width, curr); prev = vega_crossfilter_module_array(n, width); } } }; } function lengthen(array, length, copy) { if (array.length >= length) return array; copy = copy || new array.constructor(length); copy.set(array); return copy; } function vega_crossfilter_module_array(n, m, array) { const copy = (m < 0x101 ? array8 : m < 0x10001 ? array16 : array32)(n); if (array) copy.set(array); return copy; } function Dimension (index, i, query) { const bit = 1 << i; return { one: bit, zero: ~bit, range: query.slice(), bisect: index.bisect, index: index.index, size: index.size, onAdd(added, curr) { const dim = this, range = dim.bisect(dim.range, added.value), idx = added.index, lo = range[0], hi = range[1], n1 = idx.length; let i; for (i = 0; i < lo; ++i) curr[idx[i]] |= bit; for (i = hi; i < n1; ++i) curr[idx[i]] |= bit; return dim; } }; } /** * Maintains a list of values, sorted by key. */ function SortedIndex() { let index = array32(0), value = [], size = 0; function insert(key, data, base) { if (!data.length) return []; const n0 = size, n1 = data.length, addi = array32(n1); let addv = Array(n1), oldv, oldi, i; for (i = 0; i < n1; ++i) { addv[i] = key(data[i]); addi[i] = i; } addv = vega_crossfilter_module_sort(addv, addi); if (n0) { oldv = value; oldi = index; value = Array(n0 + n1); index = array32(n0 + n1); vega_crossfilter_module_merge(base, oldv, oldi, n0, addv, addi, n1, value, index); } else { if (base > 0) for (i = 0; i < n1; ++i) { addi[i] += base; } value = addv; index = addi; } size = n0 + n1; return { index: addi, value: addv }; } function remove(num, map) { // map: index -> remove const n = size; let idx, i, j; // seek forward to first removal for (i = 0; !map[index[i]] && i < n; ++i); // condense index and value arrays for (j = i; i < n; ++i) { if (!map[idx = index[i]]) { index[j] = idx; value[j] = value[i]; ++j; } } size = n - num; } function reindex(map) { for (let i = 0, n = size; i < n; ++i) { index[i] = map[index[i]]; } } function bisect(range, array) { let n; if (array) { n = array.length; } else { array = value; n = size; } return [(0,src_bisect/* bisectLeft */.Nw)(array, range[0], 0, n), (0,src_bisect/* bisectRight */.ml)(array, range[1], 0, n)]; } return { insert: insert, remove: remove, bisect: bisect, reindex: reindex, index: () => index, size: () => size }; } function vega_crossfilter_module_sort(values, index) { values.sort.call(index, (a, b) => { const x = values[a], y = values[b]; return x < y ? -1 : x > y ? 1 : 0; }); return permute_permute(values, index); } function vega_crossfilter_module_merge(base, value0, index0, n0, value1, index1, n1, value, index) { let i0 = 0, i1 = 0, i; for (i = 0; i0 < n0 && i1 < n1; ++i) { if (value0[i0] < value1[i1]) { value[i] = value0[i0]; index[i] = index0[i0++]; } else { value[i] = value1[i1]; index[i] = index1[i1++] + base; } } for (; i0 < n0; ++i0, ++i) { value[i] = value0[i0]; index[i] = index0[i0]; } for (; i1 < n1; ++i1, ++i) { value[i] = value1[i1]; index[i] = index1[i1] + base; } } /** * An indexed multi-dimensional filter. * @constructor * @param {object} params - The parameters for this operator. * @param {Array} params.fields - An array of dimension accessors to filter. * @param {Array} params.query - An array of per-dimension range queries. */ function CrossFilter(params) { Transform.call(this, Bitmaps(), params); this._indices = null; this._dims = null; } CrossFilter.Definition = { 'type': 'CrossFilter', 'metadata': {}, 'params': [{ 'name': 'fields', 'type': 'field', 'array': true, 'required': true }, { 'name': 'query', 'type': 'array', 'array': true, 'required': true, 'content': { 'type': 'number', 'array': true, 'length': 2 } }] }; inherits(CrossFilter, Transform, { transform(_, pulse) { if (!this._dims) { return this.init(_, pulse); } else { var init = _.modified('fields') || _.fields.some(f => pulse.modified(f.fields)); return init ? this.reinit(_, pulse) : this.eval(_, pulse); } }, init(_, pulse) { const fields = _.fields, query = _.query, indices = this._indices = {}, dims = this._dims = [], m = query.length; let i = 0, key, index; // instantiate indices and dimensions for (; i < m; ++i) { key = fields[i].fname; index = indices[key] || (indices[key] = SortedIndex()); dims.push(Dimension(index, i, query[i])); } return this.eval(_, pulse); }, reinit(_, pulse) { const output = pulse.materialize().fork(), fields = _.fields, query = _.query, indices = this._indices, dims = this._dims, bits = this.value, curr = bits.curr(), prev = bits.prev(), all = bits.all(), out = output.rem = output.add, mod = output.mod, m = query.length, adds = {}; let add, index, key, mods, remMap, modMap, i, n, f; // set prev to current state prev.set(curr); // if pulse has remove tuples, process them first if (pulse.rem.length) { remMap = this.remove(_, pulse, output); } // if pulse has added tuples, add them to state if (pulse.add.length) { bits.add(pulse.add); } // if pulse has modified tuples, create an index map if (pulse.mod.length) { modMap = {}; for (mods = pulse.mod, i = 0, n = mods.length; i < n; ++i) { modMap[mods[i]._index] = 1; } } // re-initialize indices as needed, update curr bitmap for (i = 0; i < m; ++i) { f = fields[i]; if (!dims[i] || _.modified('fields', i) || pulse.modified(f.fields)) { key = f.fname; if (!(add = adds[key])) { indices[key] = index = SortedIndex(); adds[key] = add = index.insert(f, pulse.source, 0); } dims[i] = Dimension(index, i, query[i]).onAdd(add, curr); } } // visit each tuple // if filter state changed, push index to add/rem // else if in mod and passes a filter, push index to mod for (i = 0, n = bits.data().length; i < n; ++i) { if (remMap[i]) { // skip if removed tuple continue; } else if (prev[i] !== curr[i]) { // add if state changed out.push(i); } else if (modMap[i] && curr[i] !== all) { // otherwise, pass mods through mod.push(i); } } bits.mask = (1 << m) - 1; return output; }, eval(_, pulse) { const output = pulse.materialize().fork(), m = this._dims.length; let mask = 0; if (pulse.rem.length) { this.remove(_, pulse, output); mask |= (1 << m) - 1; } if (_.modified('query') && !_.modified('fields')) { mask |= this.update(_, pulse, output); } if (pulse.add.length) { this.insert(_, pulse, output); mask |= (1 << m) - 1; } if (pulse.mod.length) { this.modify(pulse, output); mask |= (1 << m) - 1; } this.value.mask = mask; return output; }, insert(_, pulse, output) { const tuples = pulse.add, bits = this.value, dims = this._dims, indices = this._indices, fields = _.fields, adds = {}, out = output.add, n = bits.size() + tuples.length, m = dims.length; let k = bits.size(), j, key, add; // resize bitmaps and add tuples as needed bits.resize(n, m); bits.add(tuples); const curr = bits.curr(), prev = bits.prev(), all = bits.all(); // add to dimensional indices for (j = 0; j < m; ++j) { key = fields[j].fname; add = adds[key] || (adds[key] = indices[key].insert(fields[j], tuples, k)); dims[j].onAdd(add, curr); } // set previous filters, output if passes at least one filter for (; k < n; ++k) { prev[k] = all; if (curr[k] !== all) out.push(k); } }, modify(pulse, output) { const out = output.mod, bits = this.value, curr = bits.curr(), all = bits.all(), tuples = pulse.mod; let i, n, k; for (i = 0, n = tuples.length; i < n; ++i) { k = tuples[i]._index; if (curr[k] !== all) out.push(k); } }, remove(_, pulse, output) { const indices = this._indices, bits = this.value, curr = bits.curr(), prev = bits.prev(), all = bits.all(), map = {}, out = output.rem, tuples = pulse.rem; let i, n, k, f; // process tuples, output if passes at least one filter for (i = 0, n = tuples.length; i < n; ++i) { k = tuples[i]._index; map[k] = 1; // build index map prev[k] = f = curr[k]; curr[k] = all; if (f !== all) out.push(k); } // remove from dimensional indices for (k in indices) { indices[k].remove(n, map); } this.reindex(pulse, n, map); return map; }, // reindex filters and indices after propagation completes reindex(pulse, num, map) { const indices = this._indices, bits = this.value; pulse.runAfter(() => { const indexMap = bits.remove(num, map); for (const key in indices) indices[key].reindex(indexMap); }); }, update(_, pulse, output) { const dims = this._dims, query = _.query, stamp = pulse.stamp, m = dims.length; let mask = 0, i, q; // survey how many queries have changed output.filters = 0; for (q = 0; q < m; ++q) { if (_.modified('query', q)) { i = q; ++mask; } } if (mask === 1) { // only one query changed, use more efficient update mask = dims[i].one; this.incrementOne(dims[i], query[i], output.add, output.rem); } else { // multiple queries changed, perform full record keeping for (q = 0, mask = 0; q < m; ++q) { if (!_.modified('query', q)) continue; mask |= dims[q].one; this.incrementAll(dims[q], query[q], stamp, output.add); output.rem = output.add; // duplicate add/rem for downstream resolve } } return mask; }, incrementAll(dim, query, stamp, out) { const bits = this.value, seen = bits.seen(), curr = bits.curr(), prev = bits.prev(), index = dim.index(), old = dim.bisect(dim.range), range = dim.bisect(query), lo1 = range[0], hi1 = range[1], lo0 = old[0], hi0 = old[1], one = dim.one; let i, j, k; // Fast incremental update based on previous lo index. if (lo1 < lo0) { for (i = lo1, j = Math.min(lo0, hi1); i < j; ++i) { k = index[i]; if (seen[k] !== stamp) { prev[k] = curr[k]; seen[k] = stamp; out.push(k); } curr[k] ^= one; } } else if (lo1 > lo0) { for (i = lo0, j = Math.min(lo1, hi0); i < j; ++i) { k = index[i]; if (seen[k] !== stamp) { prev[k] = curr[k]; seen[k] = stamp; out.push(k); } curr[k] ^= one; } } // Fast incremental update based on previous hi index. if (hi1 > hi0) { for (i = Math.max(lo1, hi0), j = hi1; i < j; ++i) { k = index[i]; if (seen[k] !== stamp) { prev[k] = curr[k]; seen[k] = stamp; out.push(k); } curr[k] ^= one; } } else if (hi1 < hi0) { for (i = Math.max(lo0, hi1), j = hi0; i < j; ++i) { k = index[i]; if (seen[k] !== stamp) { prev[k] = curr[k]; seen[k] = stamp; out.push(k); } curr[k] ^= one; } } dim.range = query.slice(); }, incrementOne(dim, query, add, rem) { const bits = this.value, curr = bits.curr(), index = dim.index(), old = dim.bisect(dim.range), range = dim.bisect(query), lo1 = range[0], hi1 = range[1], lo0 = old[0], hi0 = old[1], one = dim.one; let i, j, k; // Fast incremental update based on previous lo index. if (lo1 < lo0) { for (i = lo1, j = Math.min(lo0, hi1); i < j; ++i) { k = index[i]; curr[k] ^= one; add.push(k); } } else if (lo1 > lo0) { for (i = lo0, j = Math.min(lo1, hi0); i < j; ++i) { k = index[i]; curr[k] ^= one; rem.push(k); } } // Fast incremental update based on previous hi index. if (hi1 > hi0) { for (i = Math.max(lo1, hi0), j = hi1; i < j; ++i) { k = index[i]; curr[k] ^= one; add.push(k); } } else if (hi1 < hi0) { for (i = Math.max(lo0, hi1), j = hi0; i < j; ++i) { k = index[i]; curr[k] ^= one; rem.push(k); } } dim.range = query.slice(); } }); /** * Selectively filters tuples by resolving against a filter bitmap. * Useful for processing the output of a cross-filter transform. * @constructor * @param {object} params - The parameters for this operator. * @param {object} params.ignore - A bit mask indicating which filters to ignore. * @param {object} params.filter - The per-tuple filter bitmaps. Typically this * parameter value is a reference to a {@link CrossFilter} transform. */ function ResolveFilter(params) { Transform.call(this, null, params); } ResolveFilter.Definition = { 'type': 'ResolveFilter', 'metadata': {}, 'params': [{ 'name': 'ignore', 'type': 'number', 'required': true, 'description': 'A bit mask indicating which filters to ignore.' }, { 'name': 'filter', 'type': 'object', 'required': true, 'description': 'Per-tuple filter bitmaps from a CrossFilter transform.' }] }; inherits(ResolveFilter, Transform, { transform(_, pulse) { const ignore = ~(_.ignore || 0), // bit mask where zeros -> dims to ignore bitmap = _.filter, mask = bitmap.mask; // exit early if no relevant filter changes if ((mask & ignore) === 0) return pulse.StopPropagation; const output = pulse.fork(pulse.ALL), data = bitmap.data(), curr = bitmap.curr(), prev = bitmap.prev(), pass = k => !(curr[k] & ignore) ? data[k] : null; // propagate all mod tuples that pass the filter output.filter(output.MOD, pass); // determine add & rem tuples via filter functions // for efficiency, we do *not* populate new arrays, // instead we add filter functions applied downstream if (!(mask & mask - 1)) { // only one filter changed output.filter(output.ADD, pass); output.filter(output.REM, k => (curr[k] & ignore) === mask ? data[k] : null); } else { // multiple filters changed output.filter(output.ADD, k => { const c = curr[k] & ignore, f = !c && c ^ prev[k] & ignore; return f ? data[k] : null; }); output.filter(output.REM, k => { const c = curr[k] & ignore, f = c && !(c ^ (c ^ prev[k] & ignore)); return f ? data[k] : null; }); } // add filter to source data in case of reflow... return output.filter(output.SOURCE, t => pass(t._index)); } }); ;// CONCATENATED MODULE: ../node_modules/vega-expression/build/vega-expression.module.js const RawCode = 'RawCode'; const Literal = 'Literal'; const Property = 'Property'; const vega_expression_module_Identifier = 'Identifier'; const ArrayExpression = 'ArrayExpression'; const BinaryExpression = 'BinaryExpression'; const CallExpression = 'CallExpression'; const ConditionalExpression = 'ConditionalExpression'; const LogicalExpression = 'LogicalExpression'; const MemberExpression = 'MemberExpression'; const ObjectExpression = 'ObjectExpression'; const UnaryExpression = 'UnaryExpression'; function ASTNode(type) { this.type = type; } ASTNode.prototype.visit = function (visitor) { let c, i, n; if (visitor(this)) return 1; for (c = vega_expression_module_children(this), i = 0, n = c.length; i < n; ++i) { if (c[i].visit(visitor)) return 1; } }; function vega_expression_module_children(node) { switch (node.type) { case ArrayExpression: return node.elements; case BinaryExpression: case LogicalExpression: return [node.left, node.right]; case CallExpression: return [node.callee].concat(node.arguments); case ConditionalExpression: return [node.test, node.consequent, node.alternate]; case MemberExpression: return [node.object, node.property]; case ObjectExpression: return node.properties; case Property: return [node.key, node.value]; case UnaryExpression: return [node.argument]; case vega_expression_module_Identifier: case Literal: case RawCode: default: return []; } } /* The following expression parser is based on Esprima (http://esprima.org/). Original header comment and license for Esprima is included here: Copyright (C) 2013 Ariya Hidayat Copyright (C) 2013 Thaddee Tyl Copyright (C) 2013 Mathias Bynens Copyright (C) 2012 Ariya Hidayat Copyright (C) 2012 Mathias Bynens Copyright (C) 2012 Joost-Wim Boekesteijn Copyright (C) 2012 Kris Kowal Copyright (C) 2012 Yusuke Suzuki Copyright (C) 2012 Arpad Borsos Copyright (C) 2011 Ariya Hidayat Redistribution and use in source and binary forms, with or without modification, are permitted provided that the following conditions are met: * Redistributions of source code must retain the above copyright notice, this list of conditions and the following disclaimer. * Redistributions in binary form must reproduce the above copyright notice, this list of conditions and the following disclaimer in the documentation and/or other materials provided with the distribution. THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. */ var TokenName, vega_expression_module_source, vega_expression_module_index, vega_expression_module_length, lookahead; var TokenBooleanLiteral = 1, TokenEOF = 2, TokenIdentifier = 3, TokenKeyword = 4, TokenNullLiteral = 5, TokenNumericLiteral = 6, TokenPunctuator = 7, TokenStringLiteral = 8, TokenRegularExpression = 9; TokenName = {}; TokenName[TokenBooleanLiteral] = 'Boolean'; TokenName[TokenEOF] = ''; TokenName[TokenIdentifier] = 'Identifier'; TokenName[TokenKeyword] = 'Keyword'; TokenName[TokenNullLiteral] = 'Null'; TokenName[TokenNumericLiteral] = 'Numeric'; TokenName[TokenPunctuator] = 'Punctuator'; TokenName[TokenStringLiteral] = 'String'; TokenName[TokenRegularExpression] = 'RegularExpression'; var SyntaxArrayExpression = 'ArrayExpression', SyntaxBinaryExpression = 'BinaryExpression', SyntaxCallExpression = 'CallExpression', SyntaxConditionalExpression = 'ConditionalExpression', SyntaxIdentifier = 'Identifier', SyntaxLiteral = 'Literal', SyntaxLogicalExpression = 'LogicalExpression', SyntaxMemberExpression = 'MemberExpression', SyntaxObjectExpression = 'ObjectExpression', SyntaxProperty = 'Property', SyntaxUnaryExpression = 'UnaryExpression'; // Error messages should be identical to V8. var MessageUnexpectedToken = 'Unexpected token %0', MessageUnexpectedNumber = 'Unexpected number', MessageUnexpectedString = 'Unexpected string', MessageUnexpectedIdentifier = 'Unexpected identifier', MessageUnexpectedReserved = 'Unexpected reserved word', MessageUnexpectedEOS = 'Unexpected end of input', MessageInvalidRegExp = 'Invalid regular expression', MessageUnterminatedRegExp = 'Invalid regular expression: missing /', MessageStrictOctalLiteral = 'Octal literals are not allowed in strict mode.', MessageStrictDuplicateProperty = 'Duplicate data property in object literal not allowed in strict mode'; var ILLEGAL = 'ILLEGAL', DISABLED = 'Disabled.'; // See also tools/generate-unicode-regex.py. var RegexNonAsciiIdentifierStart = new RegExp('[\\xAA\\xB5\\xBA\\xC0-\\xD6\\xD8-\\xF6\\xF8-\\u02C1\\u02C6-\\u02D1\\u02E0-\\u02E4\\u02EC\\u02EE\\u0370-\\u0374\\u0376\\u0377\\u037A-\\u037D\\u037F\\u0386\\u0388-\\u038A\\u038C\\u038E-\\u03A1\\u03A3-\\u03F5\\u03F7-\\u0481\\u048A-\\u052F\\u0531-\\u0556\\u0559\\u0561-\\u0587\\u05D0-\\u05EA\\u05F0-\\u05F2\\u0620-\\u064A\\u066E\\u066F\\u0671-\\u06D3\\u06D5\\u06E5\\u06E6\\u06EE\\u06EF\\u06FA-\\u06FC\\u06FF\\u0710\\u0712-\\u072F\\u074D-\\u07A5\\u07B1\\u07CA-\\u07EA\\u07F4\\u07F5\\u07FA\\u0800-\\u0815\\u081A\\u0824\\u0828\\u0840-\\u0858\\u08A0-\\u08B2\\u0904-\\u0939\\u093D\\u0950\\u0958-\\u0961\\u0971-\\u0980\\u0985-\\u098C\\u098F\\u0990\\u0993-\\u09A8\\u09AA-\\u09B0\\u09B2\\u09B6-\\u09B9\\u09BD\\u09CE\\u09DC\\u09DD\\u09DF-\\u09E1\\u09F0\\u09F1\\u0A05-\\u0A0A\\u0A0F\\u0A10\\u0A13-\\u0A28\\u0A2A-\\u0A30\\u0A32\\u0A33\\u0A35\\u0A36\\u0A38\\u0A39\\u0A59-\\u0A5C\\u0A5E\\u0A72-\\u0A74\\u0A85-\\u0A8D\\u0A8F-\\u0A91\\u0A93-\\u0AA8\\u0AAA-\\u0AB0\\u0AB2\\u0AB3\\u0AB5-\\u0AB9\\u0ABD\\u0AD0\\u0AE0\\u0AE1\\u0B05-\\u0B0C\\u0B0F\\u0B10\\u0B13-\\u0B28\\u0B2A-\\u0B30\\u0B32\\u0B33\\u0B35-\\u0B39\\u0B3D\\u0B5C\\u0B5D\\u0B5F-\\u0B61\\u0B71\\u0B83\\u0B85-\\u0B8A\\u0B8E-\\u0B90\\u0B92-\\u0B95\\u0B99\\u0B9A\\u0B9C\\u0B9E\\u0B9F\\u0BA3\\u0BA4\\u0BA8-\\u0BAA\\u0BAE-\\u0BB9\\u0BD0\\u0C05-\\u0C0C\\u0C0E-\\u0C10\\u0C12-\\u0C28\\u0C2A-\\u0C39\\u0C3D\\u0C58\\u0C59\\u0C60\\u0C61\\u0C85-\\u0C8C\\u0C8E-\\u0C90\\u0C92-\\u0CA8\\u0CAA-\\u0CB3\\u0CB5-\\u0CB9\\u0CBD\\u0CDE\\u0CE0\\u0CE1\\u0CF1\\u0CF2\\u0D05-\\u0D0C\\u0D0E-\\u0D10\\u0D12-\\u0D3A\\u0D3D\\u0D4E\\u0D60\\u0D61\\u0D7A-\\u0D7F\\u0D85-\\u0D96\\u0D9A-\\u0DB1\\u0DB3-\\u0DBB\\u0DBD\\u0DC0-\\u0DC6\\u0E01-\\u0E30\\u0E32\\u0E33\\u0E40-\\u0E46\\u0E81\\u0E82\\u0E84\\u0E87\\u0E88\\u0E8A\\u0E8D\\u0E94-\\u0E97\\u0E99-\\u0E9F\\u0EA1-\\u0EA3\\u0EA5\\u0EA7\\u0EAA\\u0EAB\\u0EAD-\\u0EB0\\u0EB2\\u0EB3\\u0EBD\\u0EC0-\\u0EC4\\u0EC6\\u0EDC-\\u0EDF\\u0F00\\u0F40-\\u0F47\\u0F49-\\u0F6C\\u0F88-\\u0F8C\\u1000-\\u102A\\u103F\\u1050-\\u1055\\u105A-\\u105D\\u1061\\u1065\\u1066\\u106E-\\u1070\\u1075-\\u1081\\u108E\\u10A0-\\u10C5\\u10C7\\u10CD\\u10D0-\\u10FA\\u10FC-\\u1248\\u124A-\\u124D\\u1250-\\u1256\\u1258\\u125A-\\u125D\\u1260-\\u1288\\u128A-\\u128D\\u1290-\\u12B0\\u12B2-\\u12B5\\u12B8-\\u12BE\\u12C0\\u12C2-\\u12C5\\u12C8-\\u12D6\\u12D8-\\u1310\\u1312-\\u1315\\u1318-\\u135A\\u1380-\\u138F\\u13A0-\\u13F4\\u1401-\\u166C\\u166F-\\u167F\\u1681-\\u169A\\u16A0-\\u16EA\\u16EE-\\u16F8\\u1700-\\u170C\\u170E-\\u1711\\u1720-\\u1731\\u1740-\\u1751\\u1760-\\u176C\\u176E-\\u1770\\u1780-\\u17B3\\u17D7\\u17DC\\u1820-\\u1877\\u1880-\\u18A8\\u18AA\\u18B0-\\u18F5\\u1900-\\u191E\\u1950-\\u196D\\u1970-\\u1974\\u1980-\\u19AB\\u19C1-\\u19C7\\u1A00-\\u1A16\\u1A20-\\u1A54\\u1AA7\\u1B05-\\u1B33\\u1B45-\\u1B4B\\u1B83-\\u1BA0\\u1BAE\\u1BAF\\u1BBA-\\u1BE5\\u1C00-\\u1C23\\u1C4D-\\u1C4F\\u1C5A-\\u1C7D\\u1CE9-\\u1CEC\\u1CEE-\\u1CF1\\u1CF5\\u1CF6\\u1D00-\\u1DBF\\u1E00-\\u1F15\\u1F18-\\u1F1D\\u1F20-\\u1F45\\u1F48-\\u1F4D\\u1F50-\\u1F57\\u1F59\\u1F5B\\u1F5D\\u1F5F-\\u1F7D\\u1F80-\\u1FB4\\u1FB6-\\u1FBC\\u1FBE\\u1FC2-\\u1FC4\\u1FC6-\\u1FCC\\u1FD0-\\u1FD3\\u1FD6-\\u1FDB\\u1FE0-\\u1FEC\\u1FF2-\\u1FF4\\u1FF6-\\u1FFC\\u2071\\u207F\\u2090-\\u209C\\u2102\\u2107\\u210A-\\u2113\\u2115\\u2119-\\u211D\\u2124\\u2126\\u2128\\u212A-\\u212D\\u212F-\\u2139\\u213C-\\u213F\\u2145-\\u2149\\u214E\\u2160-\\u2188\\u2C00-\\u2C2E\\u2C30-\\u2C5E\\u2C60-\\u2CE4\\u2CEB-\\u2CEE\\u2CF2\\u2CF3\\u2D00-\\u2D25\\u2D27\\u2D2D\\u2D30-\\u2D67\\u2D6F\\u2D80-\\u2D96\\u2DA0-\\u2DA6\\u2DA8-\\u2DAE\\u2DB0-\\u2DB6\\u2DB8-\\u2DBE\\u2DC0-\\u2DC6\\u2DC8-\\u2DCE\\u2DD0-\\u2DD6\\u2DD8-\\u2DDE\\u2E2F\\u3005-\\u3007\\u3021-\\u3029\\u3031-\\u3035\\u3038-\\u303C\\u3041-\\u3096\\u309D-\\u309F\\u30A1-\\u30FA\\u30FC-\\u30FF\\u3105-\\u312D\\u3131-\\u318E\\u31A0-\\u31BA\\u31F0-\\u31FF\\u3400-\\u4DB5\\u4E00-\\u9FCC\\uA000-\\uA48C\\uA4D0-\\uA4FD\\uA500-\\uA60C\\uA610-\\uA61F\\uA62A\\uA62B\\uA640-\\uA66E\\uA67F-\\uA69D\\uA6A0-\\uA6EF\\uA717-\\uA71F\\uA722-\\uA788\\uA78B-\\uA78E\\uA790-\\uA7AD\\uA7B0\\uA7B1\\uA7F7-\\uA801\\uA803-\\uA805\\uA807-\\uA80A\\uA80C-\\uA822\\uA840-\\uA873\\uA882-\\uA8B3\\uA8F2-\\uA8F7\\uA8FB\\uA90A-\\uA925\\uA930-\\uA946\\uA960-\\uA97C\\uA984-\\uA9B2\\uA9CF\\uA9E0-\\uA9E4\\uA9E6-\\uA9EF\\uA9FA-\\uA9FE\\uAA00-\\uAA28\\uAA40-\\uAA42\\uAA44-\\uAA4B\\uAA60-\\uAA76\\uAA7A\\uAA7E-\\uAAAF\\uAAB1\\uAAB5\\uAAB6\\uAAB9-\\uAABD\\uAAC0\\uAAC2\\uAADB-\\uAADD\\uAAE0-\\uAAEA\\uAAF2-\\uAAF4\\uAB01-\\uAB06\\uAB09-\\uAB0E\\uAB11-\\uAB16\\uAB20-\\uAB26\\uAB28-\\uAB2E\\uAB30-\\uAB5A\\uAB5C-\\uAB5F\\uAB64\\uAB65\\uABC0-\\uABE2\\uAC00-\\uD7A3\\uD7B0-\\uD7C6\\uD7CB-\\uD7FB\\uF900-\\uFA6D\\uFA70-\\uFAD9\\uFB00-\\uFB06\\uFB13-\\uFB17\\uFB1D\\uFB1F-\\uFB28\\uFB2A-\\uFB36\\uFB38-\\uFB3C\\uFB3E\\uFB40\\uFB41\\uFB43\\uFB44\\uFB46-\\uFBB1\\uFBD3-\\uFD3D\\uFD50-\\uFD8F\\uFD92-\\uFDC7\\uFDF0-\\uFDFB\\uFE70-\\uFE74\\uFE76-\\uFEFC\\uFF21-\\uFF3A\\uFF41-\\uFF5A\\uFF66-\\uFFBE\\uFFC2-\\uFFC7\\uFFCA-\\uFFCF\\uFFD2-\\uFFD7\\uFFDA-\\uFFDC]'), // eslint-disable-next-line no-misleading-character-class RegexNonAsciiIdentifierPart = new RegExp('[\\xAA\\xB5\\xBA\\xC0-\\xD6\\xD8-\\xF6\\xF8-\\u02C1\\u02C6-\\u02D1\\u02E0-\\u02E4\\u02EC\\u02EE\\u0300-\\u0374\\u0376\\u0377\\u037A-\\u037D\\u037F\\u0386\\u0388-\\u038A\\u038C\\u038E-\\u03A1\\u03A3-\\u03F5\\u03F7-\\u0481\\u0483-\\u0487\\u048A-\\u052F\\u0531-\\u0556\\u0559\\u0561-\\u0587\\u0591-\\u05BD\\u05BF\\u05C1\\u05C2\\u05C4\\u05C5\\u05C7\\u05D0-\\u05EA\\u05F0-\\u05F2\\u0610-\\u061A\\u0620-\\u0669\\u066E-\\u06D3\\u06D5-\\u06DC\\u06DF-\\u06E8\\u06EA-\\u06FC\\u06FF\\u0710-\\u074A\\u074D-\\u07B1\\u07C0-\\u07F5\\u07FA\\u0800-\\u082D\\u0840-\\u085B\\u08A0-\\u08B2\\u08E4-\\u0963\\u0966-\\u096F\\u0971-\\u0983\\u0985-\\u098C\\u098F\\u0990\\u0993-\\u09A8\\u09AA-\\u09B0\\u09B2\\u09B6-\\u09B9\\u09BC-\\u09C4\\u09C7\\u09C8\\u09CB-\\u09CE\\u09D7\\u09DC\\u09DD\\u09DF-\\u09E3\\u09E6-\\u09F1\\u0A01-\\u0A03\\u0A05-\\u0A0A\\u0A0F\\u0A10\\u0A13-\\u0A28\\u0A2A-\\u0A30\\u0A32\\u0A33\\u0A35\\u0A36\\u0A38\\u0A39\\u0A3C\\u0A3E-\\u0A42\\u0A47\\u0A48\\u0A4B-\\u0A4D\\u0A51\\u0A59-\\u0A5C\\u0A5E\\u0A66-\\u0A75\\u0A81-\\u0A83\\u0A85-\\u0A8D\\u0A8F-\\u0A91\\u0A93-\\u0AA8\\u0AAA-\\u0AB0\\u0AB2\\u0AB3\\u0AB5-\\u0AB9\\u0ABC-\\u0AC5\\u0AC7-\\u0AC9\\u0ACB-\\u0ACD\\u0AD0\\u0AE0-\\u0AE3\\u0AE6-\\u0AEF\\u0B01-\\u0B03\\u0B05-\\u0B0C\\u0B0F\\u0B10\\u0B13-\\u0B28\\u0B2A-\\u0B30\\u0B32\\u0B33\\u0B35-\\u0B39\\u0B3C-\\u0B44\\u0B47\\u0B48\\u0B4B-\\u0B4D\\u0B56\\u0B57\\u0B5C\\u0B5D\\u0B5F-\\u0B63\\u0B66-\\u0B6F\\u0B71\\u0B82\\u0B83\\u0B85-\\u0B8A\\u0B8E-\\u0B90\\u0B92-\\u0B95\\u0B99\\u0B9A\\u0B9C\\u0B9E\\u0B9F\\u0BA3\\u0BA4\\u0BA8-\\u0BAA\\u0BAE-\\u0BB9\\u0BBE-\\u0BC2\\u0BC6-\\u0BC8\\u0BCA-\\u0BCD\\u0BD0\\u0BD7\\u0BE6-\\u0BEF\\u0C00-\\u0C03\\u0C05-\\u0C0C\\u0C0E-\\u0C10\\u0C12-\\u0C28\\u0C2A-\\u0C39\\u0C3D-\\u0C44\\u0C46-\\u0C48\\u0C4A-\\u0C4D\\u0C55\\u0C56\\u0C58\\u0C59\\u0C60-\\u0C63\\u0C66-\\u0C6F\\u0C81-\\u0C83\\u0C85-\\u0C8C\\u0C8E-\\u0C90\\u0C92-\\u0CA8\\u0CAA-\\u0CB3\\u0CB5-\\u0CB9\\u0CBC-\\u0CC4\\u0CC6-\\u0CC8\\u0CCA-\\u0CCD\\u0CD5\\u0CD6\\u0CDE\\u0CE0-\\u0CE3\\u0CE6-\\u0CEF\\u0CF1\\u0CF2\\u0D01-\\u0D03\\u0D05-\\u0D0C\\u0D0E-\\u0D10\\u0D12-\\u0D3A\\u0D3D-\\u0D44\\u0D46-\\u0D48\\u0D4A-\\u0D4E\\u0D57\\u0D60-\\u0D63\\u0D66-\\u0D6F\\u0D7A-\\u0D7F\\u0D82\\u0D83\\u0D85-\\u0D96\\u0D9A-\\u0DB1\\u0DB3-\\u0DBB\\u0DBD\\u0DC0-\\u0DC6\\u0DCA\\u0DCF-\\u0DD4\\u0DD6\\u0DD8-\\u0DDF\\u0DE6-\\u0DEF\\u0DF2\\u0DF3\\u0E01-\\u0E3A\\u0E40-\\u0E4E\\u0E50-\\u0E59\\u0E81\\u0E82\\u0E84\\u0E87\\u0E88\\u0E8A\\u0E8D\\u0E94-\\u0E97\\u0E99-\\u0E9F\\u0EA1-\\u0EA3\\u0EA5\\u0EA7\\u0EAA\\u0EAB\\u0EAD-\\u0EB9\\u0EBB-\\u0EBD\\u0EC0-\\u0EC4\\u0EC6\\u0EC8-\\u0ECD\\u0ED0-\\u0ED9\\u0EDC-\\u0EDF\\u0F00\\u0F18\\u0F19\\u0F20-\\u0F29\\u0F35\\u0F37\\u0F39\\u0F3E-\\u0F47\\u0F49-\\u0F6C\\u0F71-\\u0F84\\u0F86-\\u0F97\\u0F99-\\u0FBC\\u0FC6\\u1000-\\u1049\\u1050-\\u109D\\u10A0-\\u10C5\\u10C7\\u10CD\\u10D0-\\u10FA\\u10FC-\\u1248\\u124A-\\u124D\\u1250-\\u1256\\u1258\\u125A-\\u125D\\u1260-\\u1288\\u128A-\\u128D\\u1290-\\u12B0\\u12B2-\\u12B5\\u12B8-\\u12BE\\u12C0\\u12C2-\\u12C5\\u12C8-\\u12D6\\u12D8-\\u1310\\u1312-\\u1315\\u1318-\\u135A\\u135D-\\u135F\\u1380-\\u138F\\u13A0-\\u13F4\\u1401-\\u166C\\u166F-\\u167F\\u1681-\\u169A\\u16A0-\\u16EA\\u16EE-\\u16F8\\u1700-\\u170C\\u170E-\\u1714\\u1720-\\u1734\\u1740-\\u1753\\u1760-\\u176C\\u176E-\\u1770\\u1772\\u1773\\u1780-\\u17D3\\u17D7\\u17DC\\u17DD\\u17E0-\\u17E9\\u180B-\\u180D\\u1810-\\u1819\\u1820-\\u1877\\u1880-\\u18AA\\u18B0-\\u18F5\\u1900-\\u191E\\u1920-\\u192B\\u1930-\\u193B\\u1946-\\u196D\\u1970-\\u1974\\u1980-\\u19AB\\u19B0-\\u19C9\\u19D0-\\u19D9\\u1A00-\\u1A1B\\u1A20-\\u1A5E\\u1A60-\\u1A7C\\u1A7F-\\u1A89\\u1A90-\\u1A99\\u1AA7\\u1AB0-\\u1ABD\\u1B00-\\u1B4B\\u1B50-\\u1B59\\u1B6B-\\u1B73\\u1B80-\\u1BF3\\u1C00-\\u1C37\\u1C40-\\u1C49\\u1C4D-\\u1C7D\\u1CD0-\\u1CD2\\u1CD4-\\u1CF6\\u1CF8\\u1CF9\\u1D00-\\u1DF5\\u1DFC-\\u1F15\\u1F18-\\u1F1D\\u1F20-\\u1F45\\u1F48-\\u1F4D\\u1F50-\\u1F57\\u1F59\\u1F5B\\u1F5D\\u1F5F-\\u1F7D\\u1F80-\\u1FB4\\u1FB6-\\u1FBC\\u1FBE\\u1FC2-\\u1FC4\\u1FC6-\\u1FCC\\u1FD0-\\u1FD3\\u1FD6-\\u1FDB\\u1FE0-\\u1FEC\\u1FF2-\\u1FF4\\u1FF6-\\u1FFC\\u200C\\u200D\\u203F\\u2040\\u2054\\u2071\\u207F\\u2090-\\u209C\\u20D0-\\u20DC\\u20E1\\u20E5-\\u20F0\\u2102\\u2107\\u210A-\\u2113\\u2115\\u2119-\\u211D\\u2124\\u2126\\u2128\\u212A-\\u212D\\u212F-\\u2139\\u213C-\\u213F\\u2145-\\u2149\\u214E\\u2160-\\u2188\\u2C00-\\u2C2E\\u2C30-\\u2C5E\\u2C60-\\u2CE4\\u2CEB-\\u2CF3\\u2D00-\\u2D25\\u2D27\\u2D2D\\u2D30-\\u2D67\\u2D6F\\u2D7F-\\u2D96\\u2DA0-\\u2DA6\\u2DA8-\\u2DAE\\u2DB0-\\u2DB6\\u2DB8-\\u2DBE\\u2DC0-\\u2DC6\\u2DC8-\\u2DCE\\u2DD0-\\u2DD6\\u2DD8-\\u2DDE\\u2DE0-\\u2DFF\\u2E2F\\u3005-\\u3007\\u3021-\\u302F\\u3031-\\u3035\\u3038-\\u303C\\u3041-\\u3096\\u3099\\u309A\\u309D-\\u309F\\u30A1-\\u30FA\\u30FC-\\u30FF\\u3105-\\u312D\\u3131-\\u318E\\u31A0-\\u31BA\\u31F0-\\u31FF\\u3400-\\u4DB5\\u4E00-\\u9FCC\\uA000-\\uA48C\\uA4D0-\\uA4FD\\uA500-\\uA60C\\uA610-\\uA62B\\uA640-\\uA66F\\uA674-\\uA67D\\uA67F-\\uA69D\\uA69F-\\uA6F1\\uA717-\\uA71F\\uA722-\\uA788\\uA78B-\\uA78E\\uA790-\\uA7AD\\uA7B0\\uA7B1\\uA7F7-\\uA827\\uA840-\\uA873\\uA880-\\uA8C4\\uA8D0-\\uA8D9\\uA8E0-\\uA8F7\\uA8FB\\uA900-\\uA92D\\uA930-\\uA953\\uA960-\\uA97C\\uA980-\\uA9C0\\uA9CF-\\uA9D9\\uA9E0-\\uA9FE\\uAA00-\\uAA36\\uAA40-\\uAA4D\\uAA50-\\uAA59\\uAA60-\\uAA76\\uAA7A-\\uAAC2\\uAADB-\\uAADD\\uAAE0-\\uAAEF\\uAAF2-\\uAAF6\\uAB01-\\uAB06\\uAB09-\\uAB0E\\uAB11-\\uAB16\\uAB20-\\uAB26\\uAB28-\\uAB2E\\uAB30-\\uAB5A\\uAB5C-\\uAB5F\\uAB64\\uAB65\\uABC0-\\uABEA\\uABEC\\uABED\\uABF0-\\uABF9\\uAC00-\\uD7A3\\uD7B0-\\uD7C6\\uD7CB-\\uD7FB\\uF900-\\uFA6D\\uFA70-\\uFAD9\\uFB00-\\uFB06\\uFB13-\\uFB17\\uFB1D-\\uFB28\\uFB2A-\\uFB36\\uFB38-\\uFB3C\\uFB3E\\uFB40\\uFB41\\uFB43\\uFB44\\uFB46-\\uFBB1\\uFBD3-\\uFD3D\\uFD50-\\uFD8F\\uFD92-\\uFDC7\\uFDF0-\\uFDFB\\uFE00-\\uFE0F\\uFE20-\\uFE2D\\uFE33\\uFE34\\uFE4D-\\uFE4F\\uFE70-\\uFE74\\uFE76-\\uFEFC\\uFF10-\\uFF19\\uFF21-\\uFF3A\\uFF3F\\uFF41-\\uFF5A\\uFF66-\\uFFBE\\uFFC2-\\uFFC7\\uFFCA-\\uFFCF\\uFFD2-\\uFFD7\\uFFDA-\\uFFDC]'); // Ensure the condition is true, otherwise throw an error. // This is only to have a better contract semantic, i.e. another safety net // to catch a logic error. The condition shall be fulfilled in normal case. // Do NOT use this to enforce a certain condition on any user input. function assert(condition, message) { /* istanbul ignore next */ if (!condition) { throw new Error('ASSERT: ' + message); } } function isDecimalDigit(ch) { return ch >= 0x30 && ch <= 0x39; // 0..9 } function isHexDigit(ch) { return '0123456789abcdefABCDEF'.includes(ch); } function isOctalDigit(ch) { return '01234567'.includes(ch); } // 7.2 White Space function isWhiteSpace(ch) { return ch === 0x20 || ch === 0x09 || ch === 0x0B || ch === 0x0C || ch === 0xA0 || ch >= 0x1680 && [0x1680, 0x180E, 0x2000, 0x2001, 0x2002, 0x2003, 0x2004, 0x2005, 0x2006, 0x2007, 0x2008, 0x2009, 0x200A, 0x202F, 0x205F, 0x3000, 0xFEFF].includes(ch); } // 7.3 Line Terminators function isLineTerminator(ch) { return ch === 0x0A || ch === 0x0D || ch === 0x2028 || ch === 0x2029; } // 7.6 Identifier Names and Identifiers function isIdentifierStart(ch) { return ch === 0x24 || ch === 0x5F || // $ (dollar) and _ (underscore) ch >= 0x41 && ch <= 0x5A || // A..Z ch >= 0x61 && ch <= 0x7A || // a..z ch === 0x5C || // \ (backslash) ch >= 0x80 && RegexNonAsciiIdentifierStart.test(String.fromCharCode(ch)); } function isIdentifierPart(ch) { return ch === 0x24 || ch === 0x5F || // $ (dollar) and _ (underscore) ch >= 0x41 && ch <= 0x5A || // A..Z ch >= 0x61 && ch <= 0x7A || // a..z ch >= 0x30 && ch <= 0x39 || // 0..9 ch === 0x5C || // \ (backslash) ch >= 0x80 && RegexNonAsciiIdentifierPart.test(String.fromCharCode(ch)); } // 7.6.1.1 Keywords const keywords = { 'if': 1, 'in': 1, 'do': 1, 'var': 1, 'for': 1, 'new': 1, 'try': 1, 'let': 1, 'this': 1, 'else': 1, 'case': 1, 'void': 1, 'with': 1, 'enum': 1, 'while': 1, 'break': 1, 'catch': 1, 'throw': 1, 'const': 1, 'yield': 1, 'class': 1, 'super': 1, 'return': 1, 'typeof': 1, 'delete': 1, 'switch': 1, 'export': 1, 'import': 1, 'public': 1, 'static': 1, 'default': 1, 'finally': 1, 'extends': 1, 'package': 1, 'private': 1, 'function': 1, 'continue': 1, 'debugger': 1, 'interface': 1, 'protected': 1, 'instanceof': 1, 'implements': 1 }; function skipComment() { while (vega_expression_module_index < vega_expression_module_length) { const ch = vega_expression_module_source.charCodeAt(vega_expression_module_index); if (isWhiteSpace(ch) || isLineTerminator(ch)) { ++vega_expression_module_index; } else { break; } } } function scanHexEscape(prefix) { var i, len, ch, code = 0; len = prefix === 'u' ? 4 : 2; for (i = 0; i < len; ++i) { if (vega_expression_module_index < vega_expression_module_length && isHexDigit(vega_expression_module_source[vega_expression_module_index])) { ch = vega_expression_module_source[vega_expression_module_index++]; code = code * 16 + '0123456789abcdef'.indexOf(ch.toLowerCase()); } else { throwError({}, MessageUnexpectedToken, ILLEGAL); } } return String.fromCharCode(code); } function scanUnicodeCodePointEscape() { var ch, code, cu1, cu2; ch = vega_expression_module_source[vega_expression_module_index]; code = 0; // At least, one hex digit is required. if (ch === '}') { throwError({}, MessageUnexpectedToken, ILLEGAL); } while (vega_expression_module_index < vega_expression_module_length) { ch = vega_expression_module_source[vega_expression_module_index++]; if (!isHexDigit(ch)) { break; } code = code * 16 + '0123456789abcdef'.indexOf(ch.toLowerCase()); } if (code > 0x10FFFF || ch !== '}') { throwError({}, MessageUnexpectedToken, ILLEGAL); } // UTF-16 Encoding if (code <= 0xFFFF) { return String.fromCharCode(code); } cu1 = (code - 0x10000 >> 10) + 0xD800; cu2 = (code - 0x10000 & 1023) + 0xDC00; return String.fromCharCode(cu1, cu2); } function getEscapedIdentifier() { var ch, id; ch = vega_expression_module_source.charCodeAt(vega_expression_module_index++); id = String.fromCharCode(ch); // '\u' (U+005C, U+0075) denotes an escaped character. if (ch === 0x5C) { if (vega_expression_module_source.charCodeAt(vega_expression_module_index) !== 0x75) { throwError({}, MessageUnexpectedToken, ILLEGAL); } ++vega_expression_module_index; ch = scanHexEscape('u'); if (!ch || ch === '\\' || !isIdentifierStart(ch.charCodeAt(0))) { throwError({}, MessageUnexpectedToken, ILLEGAL); } id = ch; } while (vega_expression_module_index < vega_expression_module_length) { ch = vega_expression_module_source.charCodeAt(vega_expression_module_index); if (!isIdentifierPart(ch)) { break; } ++vega_expression_module_index; id += String.fromCharCode(ch); // '\u' (U+005C, U+0075) denotes an escaped character. if (ch === 0x5C) { id = id.substr(0, id.length - 1); if (vega_expression_module_source.charCodeAt(vega_expression_module_index) !== 0x75) { throwError({}, MessageUnexpectedToken, ILLEGAL); } ++vega_expression_module_index; ch = scanHexEscape('u'); if (!ch || ch === '\\' || !isIdentifierPart(ch.charCodeAt(0))) { throwError({}, MessageUnexpectedToken, ILLEGAL); } id += ch; } } return id; } function getIdentifier() { var start, ch; start = vega_expression_module_index++; while (vega_expression_module_index < vega_expression_module_length) { ch = vega_expression_module_source.charCodeAt(vega_expression_module_index); if (ch === 0x5C) { // Blackslash (U+005C) marks Unicode escape sequence. vega_expression_module_index = start; return getEscapedIdentifier(); } if (isIdentifierPart(ch)) { ++vega_expression_module_index; } else { break; } } return vega_expression_module_source.slice(start, vega_expression_module_index); } function scanIdentifier() { var start, id, type; start = vega_expression_module_index; // Backslash (U+005C) starts an escaped character. id = vega_expression_module_source.charCodeAt(vega_expression_module_index) === 0x5C ? getEscapedIdentifier() : getIdentifier(); // There is no keyword or literal with only one character. // Thus, it must be an identifier. if (id.length === 1) { type = TokenIdentifier; } else if (keywords.hasOwnProperty(id)) { // eslint-disable-line no-prototype-builtins type = TokenKeyword; } else if (id === 'null') { type = TokenNullLiteral; } else if (id === 'true' || id === 'false') { type = TokenBooleanLiteral; } else { type = TokenIdentifier; } return { type: type, value: id, start: start, end: vega_expression_module_index }; } // 7.7 Punctuators function scanPunctuator() { var start = vega_expression_module_index, code = vega_expression_module_source.charCodeAt(vega_expression_module_index), code2, ch1 = vega_expression_module_source[vega_expression_module_index], ch2, ch3, ch4; switch (code) { // Check for most common single-character punctuators. case 0x2E: // . dot case 0x28: // ( open bracket case 0x29: // ) close bracket case 0x3B: // ; semicolon case 0x2C: // , comma case 0x7B: // { open curly brace case 0x7D: // } close curly brace case 0x5B: // [ case 0x5D: // ] case 0x3A: // : case 0x3F: // ? case 0x7E: // ~ ++vega_expression_module_index; return { type: TokenPunctuator, value: String.fromCharCode(code), start: start, end: vega_expression_module_index }; default: code2 = vega_expression_module_source.charCodeAt(vega_expression_module_index + 1); // '=' (U+003D) marks an assignment or comparison operator. if (code2 === 0x3D) { switch (code) { case 0x2B: // + case 0x2D: // - case 0x2F: // / case 0x3C: // < case 0x3E: // > case 0x5E: // ^ case 0x7C: // | case 0x25: // % case 0x26: // & case 0x2A: // * vega_expression_module_index += 2; return { type: TokenPunctuator, value: String.fromCharCode(code) + String.fromCharCode(code2), start: start, end: vega_expression_module_index }; case 0x21: // ! case 0x3D: // = vega_expression_module_index += 2; // !== and === if (vega_expression_module_source.charCodeAt(vega_expression_module_index) === 0x3D) { ++vega_expression_module_index; } return { type: TokenPunctuator, value: vega_expression_module_source.slice(start, vega_expression_module_index), start: start, end: vega_expression_module_index }; } } } // 4-character punctuator: >>>= ch4 = vega_expression_module_source.substr(vega_expression_module_index, 4); if (ch4 === '>>>=') { vega_expression_module_index += 4; return { type: TokenPunctuator, value: ch4, start: start, end: vega_expression_module_index }; } // 3-character punctuators: === !== >>> <<= >>= ch3 = ch4.substr(0, 3); if (ch3 === '>>>' || ch3 === '<<=' || ch3 === '>>=') { vega_expression_module_index += 3; return { type: TokenPunctuator, value: ch3, start: start, end: vega_expression_module_index }; } // Other 2-character punctuators: ++ -- << >> && || ch2 = ch3.substr(0, 2); if (ch1 === ch2[1] && '+-<>&|'.includes(ch1) || ch2 === '=>') { vega_expression_module_index += 2; return { type: TokenPunctuator, value: ch2, start: start, end: vega_expression_module_index }; } if (ch2 === '//') { throwError({}, MessageUnexpectedToken, ILLEGAL); } // 1-character punctuators: < > = ! + - * % & | ^ / if ('<>=!+-*%&|^/'.includes(ch1)) { ++vega_expression_module_index; return { type: TokenPunctuator, value: ch1, start: start, end: vega_expression_module_index }; } throwError({}, MessageUnexpectedToken, ILLEGAL); } // 7.8.3 Numeric Literals function scanHexLiteral(start) { let number = ''; while (vega_expression_module_index < vega_expression_module_length) { if (!isHexDigit(vega_expression_module_source[vega_expression_module_index])) { break; } number += vega_expression_module_source[vega_expression_module_index++]; } if (number.length === 0) { throwError({}, MessageUnexpectedToken, ILLEGAL); } if (isIdentifierStart(vega_expression_module_source.charCodeAt(vega_expression_module_index))) { throwError({}, MessageUnexpectedToken, ILLEGAL); } return { type: TokenNumericLiteral, value: parseInt('0x' + number, 16), start: start, end: vega_expression_module_index }; } function scanOctalLiteral(start) { let number = '0' + vega_expression_module_source[vega_expression_module_index++]; while (vega_expression_module_index < vega_expression_module_length) { if (!isOctalDigit(vega_expression_module_source[vega_expression_module_index])) { break; } number += vega_expression_module_source[vega_expression_module_index++]; } if (isIdentifierStart(vega_expression_module_source.charCodeAt(vega_expression_module_index)) || isDecimalDigit(vega_expression_module_source.charCodeAt(vega_expression_module_index))) { throwError({}, MessageUnexpectedToken, ILLEGAL); } return { type: TokenNumericLiteral, value: parseInt(number, 8), octal: true, start: start, end: vega_expression_module_index }; } function scanNumericLiteral() { var number, start, ch; ch = vega_expression_module_source[vega_expression_module_index]; assert(isDecimalDigit(ch.charCodeAt(0)) || ch === '.', 'Numeric literal must start with a decimal digit or a decimal point'); start = vega_expression_module_index; number = ''; if (ch !== '.') { number = vega_expression_module_source[vega_expression_module_index++]; ch = vega_expression_module_source[vega_expression_module_index]; // Hex number starts with '0x'. // Octal number starts with '0'. if (number === '0') { if (ch === 'x' || ch === 'X') { ++vega_expression_module_index; return scanHexLiteral(start); } if (isOctalDigit(ch)) { return scanOctalLiteral(start); } // decimal number starts with '0' such as '09' is illegal. if (ch && isDecimalDigit(ch.charCodeAt(0))) { throwError({}, MessageUnexpectedToken, ILLEGAL); } } while (isDecimalDigit(vega_expression_module_source.charCodeAt(vega_expression_module_index))) { number += vega_expression_module_source[vega_expression_module_index++]; } ch = vega_expression_module_source[vega_expression_module_index]; } if (ch === '.') { number += vega_expression_module_source[vega_expression_module_index++]; while (isDecimalDigit(vega_expression_module_source.charCodeAt(vega_expression_module_index))) { number += vega_expression_module_source[vega_expression_module_index++]; } ch = vega_expression_module_source[vega_expression_module_index]; } if (ch === 'e' || ch === 'E') { number += vega_expression_module_source[vega_expression_module_index++]; ch = vega_expression_module_source[vega_expression_module_index]; if (ch === '+' || ch === '-') { number += vega_expression_module_source[vega_expression_module_index++]; } if (isDecimalDigit(vega_expression_module_source.charCodeAt(vega_expression_module_index))) { while (isDecimalDigit(vega_expression_module_source.charCodeAt(vega_expression_module_index))) { number += vega_expression_module_source[vega_expression_module_index++]; } } else { throwError({}, MessageUnexpectedToken, ILLEGAL); } } if (isIdentifierStart(vega_expression_module_source.charCodeAt(vega_expression_module_index))) { throwError({}, MessageUnexpectedToken, ILLEGAL); } return { type: TokenNumericLiteral, value: parseFloat(number), start: start, end: vega_expression_module_index }; } // 7.8.4 String Literals function scanStringLiteral() { var str = '', quote, start, ch, code, octal = false; quote = vega_expression_module_source[vega_expression_module_index]; assert(quote === '\'' || quote === '"', 'String literal must starts with a quote'); start = vega_expression_module_index; ++vega_expression_module_index; while (vega_expression_module_index < vega_expression_module_length) { ch = vega_expression_module_source[vega_expression_module_index++]; if (ch === quote) { quote = ''; break; } else if (ch === '\\') { ch = vega_expression_module_source[vega_expression_module_index++]; if (!ch || !isLineTerminator(ch.charCodeAt(0))) { switch (ch) { case 'u': case 'x': if (vega_expression_module_source[vega_expression_module_index] === '{') { ++vega_expression_module_index; str += scanUnicodeCodePointEscape(); } else { str += scanHexEscape(ch); } break; case 'n': str += '\n'; break; case 'r': str += '\r'; break; case 't': str += '\t'; break; case 'b': str += '\b'; break; case 'f': str += '\f'; break; case 'v': str += '\x0B'; break; default: if (isOctalDigit(ch)) { code = '01234567'.indexOf(ch); // \0 is not octal escape sequence if (code !== 0) { octal = true; } if (vega_expression_module_index < vega_expression_module_length && isOctalDigit(vega_expression_module_source[vega_expression_module_index])) { octal = true; code = code * 8 + '01234567'.indexOf(vega_expression_module_source[vega_expression_module_index++]); // 3 digits are only allowed when string starts // with 0, 1, 2, 3 if ('0123'.includes(ch) && vega_expression_module_index < vega_expression_module_length && isOctalDigit(vega_expression_module_source[vega_expression_module_index])) { code = code * 8 + '01234567'.indexOf(vega_expression_module_source[vega_expression_module_index++]); } } str += String.fromCharCode(code); } else { str += ch; } break; } } else { if (ch === '\r' && vega_expression_module_source[vega_expression_module_index] === '\n') { ++vega_expression_module_index; } } } else if (isLineTerminator(ch.charCodeAt(0))) { break; } else { str += ch; } } if (quote !== '') { throwError({}, MessageUnexpectedToken, ILLEGAL); } return { type: TokenStringLiteral, value: str, octal: octal, start: start, end: vega_expression_module_index }; } function testRegExp(pattern, flags) { let tmp = pattern; if (flags.includes('u')) { // Replace each astral symbol and every Unicode code point // escape sequence with a single ASCII symbol to avoid throwing on // regular expressions that are only valid in combination with the // `/u` flag. // Note: replacing with the ASCII symbol `x` might cause false // negatives in unlikely scenarios. For example, `[\u{61}-b]` is a // perfectly valid pattern that is equivalent to `[a-b]`, but it // would be replaced by `[x-b]` which throws an error. tmp = tmp.replace(/\\u\{([0-9a-fA-F]+)\}/g, ($0, $1) => { if (parseInt($1, 16) <= 0x10FFFF) { return 'x'; } throwError({}, MessageInvalidRegExp); }).replace(/[\uD800-\uDBFF][\uDC00-\uDFFF]/g, 'x'); } // First, detect invalid regular expressions. try { new RegExp(tmp); } catch (e) { throwError({}, MessageInvalidRegExp); } // Return a regular expression object for this pattern-flag pair, or // `null` in case the current environment doesn't support the flags it // uses. try { return new RegExp(pattern, flags); } catch (exception) { return null; } } function scanRegExpBody() { var ch, str, classMarker, terminated, body; ch = vega_expression_module_source[vega_expression_module_index]; assert(ch === '/', 'Regular expression literal must start with a slash'); str = vega_expression_module_source[vega_expression_module_index++]; classMarker = false; terminated = false; while (vega_expression_module_index < vega_expression_module_length) { ch = vega_expression_module_source[vega_expression_module_index++]; str += ch; if (ch === '\\') { ch = vega_expression_module_source[vega_expression_module_index++]; // ECMA-262 7.8.5 if (isLineTerminator(ch.charCodeAt(0))) { throwError({}, MessageUnterminatedRegExp); } str += ch; } else if (isLineTerminator(ch.charCodeAt(0))) { throwError({}, MessageUnterminatedRegExp); } else if (classMarker) { if (ch === ']') { classMarker = false; } } else { if (ch === '/') { terminated = true; break; } else if (ch === '[') { classMarker = true; } } } if (!terminated) { throwError({}, MessageUnterminatedRegExp); } // Exclude leading and trailing slash. body = str.substr(1, str.length - 2); return { value: body, literal: str }; } function scanRegExpFlags() { var ch, str, flags; str = ''; flags = ''; while (vega_expression_module_index < vega_expression_module_length) { ch = vega_expression_module_source[vega_expression_module_index]; if (!isIdentifierPart(ch.charCodeAt(0))) { break; } ++vega_expression_module_index; if (ch === '\\' && vega_expression_module_index < vega_expression_module_length) { throwError({}, MessageUnexpectedToken, ILLEGAL); } else { flags += ch; str += ch; } } if (flags.search(/[^gimuy]/g) >= 0) { throwError({}, MessageInvalidRegExp, flags); } return { value: flags, literal: str }; } function scanRegExp() { var start, body, flags, value; lookahead = null; skipComment(); start = vega_expression_module_index; body = scanRegExpBody(); flags = scanRegExpFlags(); value = testRegExp(body.value, flags.value); return { literal: body.literal + flags.literal, value: value, regex: { pattern: body.value, flags: flags.value }, start: start, end: vega_expression_module_index }; } function isIdentifierName(token) { return token.type === TokenIdentifier || token.type === TokenKeyword || token.type === TokenBooleanLiteral || token.type === TokenNullLiteral; } function advance() { skipComment(); if (vega_expression_module_index >= vega_expression_module_length) { return { type: TokenEOF, start: vega_expression_module_index, end: vega_expression_module_index }; } const ch = vega_expression_module_source.charCodeAt(vega_expression_module_index); if (isIdentifierStart(ch)) { return scanIdentifier(); } // Very common: ( and ) and ; if (ch === 0x28 || ch === 0x29 || ch === 0x3B) { return scanPunctuator(); } // String literal starts with single quote (U+0027) or double quote (U+0022). if (ch === 0x27 || ch === 0x22) { return scanStringLiteral(); } // Dot (.) U+002E can also start a floating-point number, hence the need // to check the next character. if (ch === 0x2E) { if (isDecimalDigit(vega_expression_module_source.charCodeAt(vega_expression_module_index + 1))) { return scanNumericLiteral(); } return scanPunctuator(); } if (isDecimalDigit(ch)) { return scanNumericLiteral(); } return scanPunctuator(); } function lex() { const token = lookahead; vega_expression_module_index = token.end; lookahead = advance(); vega_expression_module_index = token.end; return token; } function vega_expression_module_peek() { const pos = vega_expression_module_index; lookahead = advance(); vega_expression_module_index = pos; } function finishArrayExpression(elements) { const node = new ASTNode(SyntaxArrayExpression); node.elements = elements; return node; } function finishBinaryExpression(operator, left, right) { const node = new ASTNode(operator === '||' || operator === '&&' ? SyntaxLogicalExpression : SyntaxBinaryExpression); node.operator = operator; node.left = left; node.right = right; return node; } function finishCallExpression(callee, args) { const node = new ASTNode(SyntaxCallExpression); node.callee = callee; node.arguments = args; return node; } function finishConditionalExpression(test, consequent, alternate) { const node = new ASTNode(SyntaxConditionalExpression); node.test = test; node.consequent = consequent; node.alternate = alternate; return node; } function finishIdentifier(name) { const node = new ASTNode(SyntaxIdentifier); node.name = name; return node; } function finishLiteral(token) { const node = new ASTNode(SyntaxLiteral); node.value = token.value; node.raw = vega_expression_module_source.slice(token.start, token.end); if (token.regex) { if (node.raw === '//') { node.raw = '/(?:)/'; } node.regex = token.regex; } return node; } function finishMemberExpression(accessor, object, property) { const node = new ASTNode(SyntaxMemberExpression); node.computed = accessor === '['; node.object = object; node.property = property; if (!node.computed) property.member = true; return node; } function finishObjectExpression(properties) { const node = new ASTNode(SyntaxObjectExpression); node.properties = properties; return node; } function finishProperty(kind, key, value) { const node = new ASTNode(SyntaxProperty); node.key = key; node.value = value; node.kind = kind; return node; } function finishUnaryExpression(operator, argument) { const node = new ASTNode(SyntaxUnaryExpression); node.operator = operator; node.argument = argument; node.prefix = true; return node; } // Throw an exception function throwError(token, messageFormat) { var error, args = Array.prototype.slice.call(arguments, 2), msg = messageFormat.replace(/%(\d)/g, (whole, index) => { assert(index < args.length, 'Message reference must be in range'); return args[index]; }); error = new Error(msg); error.index = vega_expression_module_index; error.description = msg; throw error; } // Throw an exception because of the token. function throwUnexpected(token) { if (token.type === TokenEOF) { throwError(token, MessageUnexpectedEOS); } if (token.type === TokenNumericLiteral) { throwError(token, MessageUnexpectedNumber); } if (token.type === TokenStringLiteral) { throwError(token, MessageUnexpectedString); } if (token.type === TokenIdentifier) { throwError(token, MessageUnexpectedIdentifier); } if (token.type === TokenKeyword) { throwError(token, MessageUnexpectedReserved); } // BooleanLiteral, NullLiteral, or Punctuator. throwError(token, MessageUnexpectedToken, token.value); } // Expect the next token to match the specified punctuator. // If not, an exception will be thrown. function expect(value) { const token = lex(); if (token.type !== TokenPunctuator || token.value !== value) { throwUnexpected(token); } } // Return true if the next token matches the specified punctuator. function match(value) { return lookahead.type === TokenPunctuator && lookahead.value === value; } // Return true if the next token matches the specified keyword function matchKeyword(keyword) { return lookahead.type === TokenKeyword && lookahead.value === keyword; } // 11.1.4 Array Initialiser function parseArrayInitialiser() { const elements = []; vega_expression_module_index = lookahead.start; expect('['); while (!match(']')) { if (match(',')) { lex(); elements.push(null); } else { elements.push(parseConditionalExpression()); if (!match(']')) { expect(','); } } } lex(); return finishArrayExpression(elements); } // 11.1.5 Object Initialiser function parseObjectPropertyKey() { vega_expression_module_index = lookahead.start; const token = lex(); // Note: This function is called only from parseObjectProperty(), where // EOF and Punctuator tokens are already filtered out. if (token.type === TokenStringLiteral || token.type === TokenNumericLiteral) { if (token.octal) { throwError(token, MessageStrictOctalLiteral); } return finishLiteral(token); } return finishIdentifier(token.value); } function parseObjectProperty() { var token, key, id, value; vega_expression_module_index = lookahead.start; token = lookahead; if (token.type === TokenIdentifier) { id = parseObjectPropertyKey(); expect(':'); value = parseConditionalExpression(); return finishProperty('init', id, value); } if (token.type === TokenEOF || token.type === TokenPunctuator) { throwUnexpected(token); } else { key = parseObjectPropertyKey(); expect(':'); value = parseConditionalExpression(); return finishProperty('init', key, value); } } function parseObjectInitialiser() { var properties = [], property, name, key, map = {}, toString = String; vega_expression_module_index = lookahead.start; expect('{'); while (!match('}')) { property = parseObjectProperty(); if (property.key.type === SyntaxIdentifier) { name = property.key.name; } else { name = toString(property.key.value); } key = '$' + name; if (Object.prototype.hasOwnProperty.call(map, key)) { throwError({}, MessageStrictDuplicateProperty); } else { map[key] = true; } properties.push(property); if (!match('}')) { expect(','); } } expect('}'); return finishObjectExpression(properties); } // 11.1.6 The Grouping Operator function parseGroupExpression() { expect('('); const expr = parseExpression(); expect(')'); return expr; } // 11.1 Primary Expressions const legalKeywords = { 'if': 1 }; function parsePrimaryExpression() { var type, token, expr; if (match('(')) { return parseGroupExpression(); } if (match('[')) { return parseArrayInitialiser(); } if (match('{')) { return parseObjectInitialiser(); } type = lookahead.type; vega_expression_module_index = lookahead.start; if (type === TokenIdentifier || legalKeywords[lookahead.value]) { expr = finishIdentifier(lex().value); } else if (type === TokenStringLiteral || type === TokenNumericLiteral) { if (lookahead.octal) { throwError(lookahead, MessageStrictOctalLiteral); } expr = finishLiteral(lex()); } else if (type === TokenKeyword) { throw new Error(DISABLED); } else if (type === TokenBooleanLiteral) { token = lex(); token.value = token.value === 'true'; expr = finishLiteral(token); } else if (type === TokenNullLiteral) { token = lex(); token.value = null; expr = finishLiteral(token); } else if (match('/') || match('/=')) { expr = finishLiteral(scanRegExp()); vega_expression_module_peek(); } else { throwUnexpected(lex()); } return expr; } // 11.2 Left-Hand-Side Expressions function parseArguments() { const args = []; expect('('); if (!match(')')) { while (vega_expression_module_index < vega_expression_module_length) { args.push(parseConditionalExpression()); if (match(')')) { break; } expect(','); } } expect(')'); return args; } function parseNonComputedProperty() { vega_expression_module_index = lookahead.start; const token = lex(); if (!isIdentifierName(token)) { throwUnexpected(token); } return finishIdentifier(token.value); } function parseNonComputedMember() { expect('.'); return parseNonComputedProperty(); } function parseComputedMember() { expect('['); const expr = parseExpression(); expect(']'); return expr; } function parseLeftHandSideExpressionAllowCall() { var expr, args, property; expr = parsePrimaryExpression(); for (;;) { if (match('.')) { property = parseNonComputedMember(); expr = finishMemberExpression('.', expr, property); } else if (match('(')) { args = parseArguments(); expr = finishCallExpression(expr, args); } else if (match('[')) { property = parseComputedMember(); expr = finishMemberExpression('[', expr, property); } else { break; } } return expr; } // 11.3 Postfix Expressions function parsePostfixExpression() { const expr = parseLeftHandSideExpressionAllowCall(); if (lookahead.type === TokenPunctuator) { if (match('++') || match('--')) { throw new Error(DISABLED); } } return expr; } // 11.4 Unary Operators function parseUnaryExpression() { var token, expr; if (lookahead.type !== TokenPunctuator && lookahead.type !== TokenKeyword) { expr = parsePostfixExpression(); } else if (match('++') || match('--')) { throw new Error(DISABLED); } else if (match('+') || match('-') || match('~') || match('!')) { token = lex(); expr = parseUnaryExpression(); expr = finishUnaryExpression(token.value, expr); } else if (matchKeyword('delete') || matchKeyword('void') || matchKeyword('typeof')) { throw new Error(DISABLED); } else { expr = parsePostfixExpression(); } return expr; } function binaryPrecedence(token) { let prec = 0; if (token.type !== TokenPunctuator && token.type !== TokenKeyword) { return 0; } switch (token.value) { case '||': prec = 1; break; case '&&': prec = 2; break; case '|': prec = 3; break; case '^': prec = 4; break; case '&': prec = 5; break; case '==': case '!=': case '===': case '!==': prec = 6; break; case '<': case '>': case '<=': case '>=': case 'instanceof': case 'in': prec = 7; break; case '<<': case '>>': case '>>>': prec = 8; break; case '+': case '-': prec = 9; break; case '*': case '/': case '%': prec = 11; break; } return prec; } // 11.5 Multiplicative Operators // 11.6 Additive Operators // 11.7 Bitwise Shift Operators // 11.8 Relational Operators // 11.9 Equality Operators // 11.10 Binary Bitwise Operators // 11.11 Binary Logical Operators function parseBinaryExpression() { var marker, markers, expr, token, prec, stack, right, operator, left, i; marker = lookahead; left = parseUnaryExpression(); token = lookahead; prec = binaryPrecedence(token); if (prec === 0) { return left; } token.prec = prec; lex(); markers = [marker, lookahead]; right = parseUnaryExpression(); stack = [left, token, right]; while ((prec = binaryPrecedence(lookahead)) > 0) { // Reduce: make a binary expression from the three topmost entries. while (stack.length > 2 && prec <= stack[stack.length - 2].prec) { right = stack.pop(); operator = stack.pop().value; left = stack.pop(); markers.pop(); expr = finishBinaryExpression(operator, left, right); stack.push(expr); } // Shift. token = lex(); token.prec = prec; stack.push(token); markers.push(lookahead); expr = parseUnaryExpression(); stack.push(expr); } // Final reduce to clean-up the stack. i = stack.length - 1; expr = stack[i]; markers.pop(); while (i > 1) { markers.pop(); expr = finishBinaryExpression(stack[i - 1].value, stack[i - 2], expr); i -= 2; } return expr; } // 11.12 Conditional Operator function parseConditionalExpression() { var expr, consequent, alternate; expr = parseBinaryExpression(); if (match('?')) { lex(); consequent = parseConditionalExpression(); expect(':'); alternate = parseConditionalExpression(); expr = finishConditionalExpression(expr, consequent, alternate); } return expr; } // 11.14 Comma Operator function parseExpression() { const expr = parseConditionalExpression(); if (match(',')) { throw new Error(DISABLED); // no sequence expressions } return expr; } function parser (code) { vega_expression_module_source = code; vega_expression_module_index = 0; vega_expression_module_length = vega_expression_module_source.length; lookahead = null; vega_expression_module_peek(); const expr = parseExpression(); if (lookahead.type !== TokenEOF) { throw new Error('Unexpect token after expression.'); } return expr; } var Constants = { NaN: 'NaN', E: 'Math.E', LN2: 'Math.LN2', LN10: 'Math.LN10', LOG2E: 'Math.LOG2E', LOG10E: 'Math.LOG10E', PI: 'Math.PI', SQRT1_2: 'Math.SQRT1_2', SQRT2: 'Math.SQRT2', MIN_VALUE: 'Number.MIN_VALUE', MAX_VALUE: 'Number.MAX_VALUE' }; function Functions (codegen) { function fncall(name, args, cast, type) { let obj = codegen(args[0]); if (cast) { obj = cast + '(' + obj + ')'; if (cast.lastIndexOf('new ', 0) === 0) obj = '(' + obj + ')'; } return obj + '.' + name + (type < 0 ? '' : type === 0 ? '()' : '(' + args.slice(1).map(codegen).join(',') + ')'); } function fn(name, cast, type) { return args => fncall(name, args, cast, type); } const DATE = 'new Date', STRING = 'String', REGEXP = 'RegExp'; return { // MATH functions isNaN: 'Number.isNaN', isFinite: 'Number.isFinite', abs: 'Math.abs', acos: 'Math.acos', asin: 'Math.asin', atan: 'Math.atan', atan2: 'Math.atan2', ceil: 'Math.ceil', cos: 'Math.cos', exp: 'Math.exp', floor: 'Math.floor', hypot: 'Math.hypot', log: 'Math.log', max: 'Math.max', min: 'Math.min', pow: 'Math.pow', random: 'Math.random', round: 'Math.round', sin: 'Math.sin', sqrt: 'Math.sqrt', tan: 'Math.tan', clamp: function (args) { if (args.length < 3) vega_util_module_error('Missing arguments to clamp function.'); if (args.length > 3) vega_util_module_error('Too many arguments to clamp function.'); const a = args.map(codegen); return 'Math.max(' + a[1] + ', Math.min(' + a[2] + ',' + a[0] + '))'; }, // DATE functions now: 'Date.now', utc: 'Date.UTC', datetime: DATE, date: fn('getDate', DATE, 0), day: fn('getDay', DATE, 0), year: fn('getFullYear', DATE, 0), month: fn('getMonth', DATE, 0), hours: fn('getHours', DATE, 0), minutes: fn('getMinutes', DATE, 0), seconds: fn('getSeconds', DATE, 0), milliseconds: fn('getMilliseconds', DATE, 0), time: fn('getTime', DATE, 0), timezoneoffset: fn('getTimezoneOffset', DATE, 0), utcdate: fn('getUTCDate', DATE, 0), utcday: fn('getUTCDay', DATE, 0), utcyear: fn('getUTCFullYear', DATE, 0), utcmonth: fn('getUTCMonth', DATE, 0), utchours: fn('getUTCHours', DATE, 0), utcminutes: fn('getUTCMinutes', DATE, 0), utcseconds: fn('getUTCSeconds', DATE, 0), utcmilliseconds: fn('getUTCMilliseconds', DATE, 0), // sequence functions length: fn('length', null, -1), // STRING functions parseFloat: 'parseFloat', parseInt: 'parseInt', upper: fn('toUpperCase', STRING, 0), lower: fn('toLowerCase', STRING, 0), substring: fn('substring', STRING), split: fn('split', STRING), trim: fn('trim', STRING, 0), // base64 encode/decode btoa: 'btoa', atob: 'atob', // REGEXP functions regexp: REGEXP, test: fn('test', REGEXP), // Control Flow functions if: function (args) { if (args.length < 3) vega_util_module_error('Missing arguments to if function.'); if (args.length > 3) vega_util_module_error('Too many arguments to if function.'); const a = args.map(codegen); return '(' + a[0] + '?' + a[1] + ':' + a[2] + ')'; } }; } function stripQuotes(s) { const n = s && s.length - 1; return n && (s[0] === '"' && s[n] === '"' || s[0] === '\'' && s[n] === '\'') ? s.slice(1, -1) : s; } function codegen (opt) { opt = opt || {}; const allowed = opt.allowed ? vega_util_module_toSet(opt.allowed) : {}, forbidden = opt.forbidden ? vega_util_module_toSet(opt.forbidden) : {}, constants = opt.constants || Constants, functions = (opt.functions || Functions)(visit), globalvar = opt.globalvar, fieldvar = opt.fieldvar, outputGlobal = vega_util_module_isFunction(globalvar) ? globalvar : id => `${globalvar}["${id}"]`; let globals = {}, fields = {}, memberDepth = 0; function visit(ast) { if (vega_util_module_isString(ast)) return ast; const generator = Generators[ast.type]; if (generator == null) vega_util_module_error('Unsupported type: ' + ast.type); return generator(ast); } const Generators = { Literal: n => n.raw, Identifier: n => { const id = n.name; if (memberDepth > 0) { return id; } else if (has(forbidden, id)) { return vega_util_module_error('Illegal identifier: ' + id); } else if (has(constants, id)) { return constants[id]; } else if (has(allowed, id)) { return id; } else { globals[id] = 1; return outputGlobal(id); } }, MemberExpression: n => { const d = !n.computed, o = visit(n.object); if (d) memberDepth += 1; const p = visit(n.property); if (o === fieldvar) { // strip quotes to sanitize field name (#1653) fields[stripQuotes(p)] = 1; } if (d) memberDepth -= 1; return o + (d ? '.' + p : '[' + p + ']'); }, CallExpression: n => { if (n.callee.type !== 'Identifier') { vega_util_module_error('Illegal callee type: ' + n.callee.type); } const callee = n.callee.name, args = n.arguments, fn = has(functions, callee) && functions[callee]; if (!fn) vega_util_module_error('Unrecognized function: ' + callee); return vega_util_module_isFunction(fn) ? fn(args) : fn + '(' + args.map(visit).join(',') + ')'; }, ArrayExpression: n => '[' + n.elements.map(visit).join(',') + ']', BinaryExpression: n => '(' + visit(n.left) + ' ' + n.operator + ' ' + visit(n.right) + ')', UnaryExpression: n => '(' + n.operator + visit(n.argument) + ')', ConditionalExpression: n => '(' + visit(n.test) + '?' + visit(n.consequent) + ':' + visit(n.alternate) + ')', LogicalExpression: n => '(' + visit(n.left) + n.operator + visit(n.right) + ')', ObjectExpression: n => '{' + n.properties.map(visit).join(',') + '}', Property: n => { memberDepth += 1; const k = visit(n.key); memberDepth -= 1; return k + ':' + visit(n.value); } }; function codegen(ast) { const result = { code: visit(ast), globals: Object.keys(globals), fields: Object.keys(fields) }; globals = {}; fields = {}; return result; } codegen.functions = functions; codegen.constants = constants; return codegen; } ;// CONCATENATED MODULE: ../node_modules/d3-geo/src/area.js var area_areaRingSum = new Adder(); // hello? var area_areaSum = new Adder(), lambda00, phi00, lambda0, cosPhi0, sinPhi0; var area_areaStream = { point: noop_noop, lineStart: noop_noop, lineEnd: noop_noop, polygonStart: function() { area_areaRingSum = new Adder(); area_areaStream.lineStart = area_areaRingStart; area_areaStream.lineEnd = area_areaRingEnd; }, polygonEnd: function() { var areaRing = +area_areaRingSum; area_areaSum.add(areaRing < 0 ? tau + areaRing : areaRing); this.lineStart = this.lineEnd = this.point = noop_noop; }, sphere: function() { area_areaSum.add(tau); } }; function area_areaRingStart() { area_areaStream.point = area_areaPointFirst; } function area_areaRingEnd() { area_areaPoint(lambda00, phi00); } function area_areaPointFirst(lambda, phi) { area_areaStream.point = area_areaPoint; lambda00 = lambda, phi00 = phi; lambda *= math_radians, phi *= math_radians; lambda0 = lambda, cosPhi0 = cos(phi = phi / 2 + quarterPi), sinPhi0 = sin(phi); } function area_areaPoint(lambda, phi) { lambda *= math_radians, phi *= math_radians; phi = phi / 2 + quarterPi; // half the angular distance from south pole // Spherical excess E for a spherical triangle with vertices: south pole, // previous point, current point. Uses a formula derived from Cagnoli’s // theorem. See Todhunter, Spherical Trig. (1871), Sec. 103, Eq. (2). var dLambda = lambda - lambda0, sdLambda = dLambda >= 0 ? 1 : -1, adLambda = sdLambda * dLambda, cosPhi = cos(phi), sinPhi = sin(phi), k = sinPhi0 * sinPhi, u = cosPhi0 * cosPhi + k * cos(adLambda), v = k * sdLambda * sin(adLambda); area_areaRingSum.add(atan2(v, u)); // Advance the previous points. lambda0 = lambda, cosPhi0 = cosPhi, sinPhi0 = sinPhi; } /* harmony default export */ function d3_geo_src_area(object) { area_areaSum = new Adder(); src_stream(object, area_areaStream); return area_areaSum * 2; } ;// CONCATENATED MODULE: ../node_modules/d3-geo/src/bounds.js var bounds_lambda0, phi0, lambda1, phi1, // bounds lambda2, // previous lambda-coordinate bounds_lambda00, bounds_phi00, // first point p0, // previous 3D point deltaSum, ranges, bounds_range; var bounds_boundsStream = { point: bounds_boundsPoint, lineStart: boundsLineStart, lineEnd: boundsLineEnd, polygonStart: function() { bounds_boundsStream.point = boundsRingPoint; bounds_boundsStream.lineStart = boundsRingStart; bounds_boundsStream.lineEnd = boundsRingEnd; deltaSum = new Adder(); area_areaStream.polygonStart(); }, polygonEnd: function() { area_areaStream.polygonEnd(); bounds_boundsStream.point = bounds_boundsPoint; bounds_boundsStream.lineStart = boundsLineStart; bounds_boundsStream.lineEnd = boundsLineEnd; if (area_areaRingSum < 0) bounds_lambda0 = -(lambda1 = 180), phi0 = -(phi1 = 90); else if (deltaSum > math_epsilon) phi1 = 90; else if (deltaSum < -math_epsilon) phi0 = -90; bounds_range[0] = bounds_lambda0, bounds_range[1] = lambda1; }, sphere: function() { bounds_lambda0 = -(lambda1 = 180), phi0 = -(phi1 = 90); } }; function bounds_boundsPoint(lambda, phi) { ranges.push(bounds_range = [bounds_lambda0 = lambda, lambda1 = lambda]); if (phi < phi0) phi0 = phi; if (phi > phi1) phi1 = phi; } function linePoint(lambda, phi) { var p = cartesian([lambda * math_radians, phi * math_radians]); if (p0) { var normal = cartesianCross(p0, p), equatorial = [normal[1], -normal[0], 0], inflection = cartesianCross(equatorial, normal); cartesianNormalizeInPlace(inflection); inflection = spherical(inflection); var delta = lambda - lambda2, sign = delta > 0 ? 1 : -1, lambdai = inflection[0] * math_degrees * sign, phii, antimeridian = abs(delta) > 180; if (antimeridian ^ (sign * lambda2 < lambdai && lambdai < sign * lambda)) { phii = inflection[1] * math_degrees; if (phii > phi1) phi1 = phii; } else if (lambdai = (lambdai + 360) % 360 - 180, antimeridian ^ (sign * lambda2 < lambdai && lambdai < sign * lambda)) { phii = -inflection[1] * math_degrees; if (phii < phi0) phi0 = phii; } else { if (phi < phi0) phi0 = phi; if (phi > phi1) phi1 = phi; } if (antimeridian) { if (lambda < lambda2) { if (angle(bounds_lambda0, lambda) > angle(bounds_lambda0, lambda1)) lambda1 = lambda; } else { if (angle(lambda, lambda1) > angle(bounds_lambda0, lambda1)) bounds_lambda0 = lambda; } } else { if (lambda1 >= bounds_lambda0) { if (lambda < bounds_lambda0) bounds_lambda0 = lambda; if (lambda > lambda1) lambda1 = lambda; } else { if (lambda > lambda2) { if (angle(bounds_lambda0, lambda) > angle(bounds_lambda0, lambda1)) lambda1 = lambda; } else { if (angle(lambda, lambda1) > angle(bounds_lambda0, lambda1)) bounds_lambda0 = lambda; } } } } else { ranges.push(bounds_range = [bounds_lambda0 = lambda, lambda1 = lambda]); } if (phi < phi0) phi0 = phi; if (phi > phi1) phi1 = phi; p0 = p, lambda2 = lambda; } function boundsLineStart() { bounds_boundsStream.point = linePoint; } function boundsLineEnd() { bounds_range[0] = bounds_lambda0, bounds_range[1] = lambda1; bounds_boundsStream.point = bounds_boundsPoint; p0 = null; } function boundsRingPoint(lambda, phi) { if (p0) { var delta = lambda - lambda2; deltaSum.add(abs(delta) > 180 ? delta + (delta > 0 ? 360 : -360) : delta); } else { bounds_lambda00 = lambda, bounds_phi00 = phi; } area_areaStream.point(lambda, phi); linePoint(lambda, phi); } function boundsRingStart() { area_areaStream.lineStart(); } function boundsRingEnd() { boundsRingPoint(bounds_lambda00, bounds_phi00); area_areaStream.lineEnd(); if (abs(deltaSum) > math_epsilon) bounds_lambda0 = -(lambda1 = 180); bounds_range[0] = bounds_lambda0, bounds_range[1] = lambda1; p0 = null; } // Finds the left-right distance between two longitudes. // This is almost the same as (lambda1 - lambda0 + 360°) % 360°, except that we want // the distance between ±180° to be 360°. function angle(lambda0, lambda1) { return (lambda1 -= lambda0) < 0 ? lambda1 + 360 : lambda1; } function rangeCompare(a, b) { return a[0] - b[0]; } function rangeContains(range, x) { return range[0] <= range[1] ? range[0] <= x && x <= range[1] : x < range[0] || range[1] < x; } /* harmony default export */ function src_bounds(feature) { var i, n, a, b, merged, deltaMax, delta; phi1 = lambda1 = -(bounds_lambda0 = phi0 = Infinity); ranges = []; src_stream(feature, bounds_boundsStream); // First, sort ranges by their minimum longitudes. if (n = ranges.length) { ranges.sort(rangeCompare); // Then, merge any ranges that overlap. for (i = 1, a = ranges[0], merged = [a]; i < n; ++i) { b = ranges[i]; if (rangeContains(a, b[0]) || rangeContains(a, b[1])) { if (angle(a[0], b[1]) > angle(a[0], a[1])) a[1] = b[1]; if (angle(b[0], a[1]) > angle(a[0], a[1])) a[0] = b[0]; } else { merged.push(a = b); } } // Finally, find the largest gap between the merged ranges. // The final bounding box will be the inverse of this gap. for (deltaMax = -Infinity, n = merged.length - 1, i = 0, a = merged[n]; i <= n; a = b, ++i) { b = merged[i]; if ((delta = angle(a[1], b[0])) > deltaMax) deltaMax = delta, bounds_lambda0 = b[0], lambda1 = a[1]; } } ranges = bounds_range = null; return bounds_lambda0 === Infinity || phi0 === Infinity ? [[NaN, NaN], [NaN, NaN]] : [[bounds_lambda0, phi0], [lambda1, phi1]]; } ;// CONCATENATED MODULE: ../node_modules/d3-geo/src/centroid.js var W0, W1, centroid_X0, centroid_Y0, centroid_Z0, centroid_X1, centroid_Y1, centroid_Z1, centroid_X2, centroid_Y2, centroid_Z2, centroid_lambda00, centroid_phi00, // first point src_centroid_x0, src_centroid_y0, z0; // previous point var centroid_centroidStream = { sphere: noop_noop, point: centroid_centroidPoint, lineStart: centroid_centroidLineStart, lineEnd: centroid_centroidLineEnd, polygonStart: function() { centroid_centroidStream.lineStart = centroid_centroidRingStart; centroid_centroidStream.lineEnd = centroid_centroidRingEnd; }, polygonEnd: function() { centroid_centroidStream.lineStart = centroid_centroidLineStart; centroid_centroidStream.lineEnd = centroid_centroidLineEnd; } }; // Arithmetic mean of Cartesian vectors. function centroid_centroidPoint(lambda, phi) { lambda *= math_radians, phi *= math_radians; var cosPhi = cos(phi); centroidPointCartesian(cosPhi * cos(lambda), cosPhi * sin(lambda), sin(phi)); } function centroidPointCartesian(x, y, z) { ++W0; centroid_X0 += (x - centroid_X0) / W0; centroid_Y0 += (y - centroid_Y0) / W0; centroid_Z0 += (z - centroid_Z0) / W0; } function centroid_centroidLineStart() { centroid_centroidStream.point = centroidLinePointFirst; } function centroidLinePointFirst(lambda, phi) { lambda *= math_radians, phi *= math_radians; var cosPhi = cos(phi); src_centroid_x0 = cosPhi * cos(lambda); src_centroid_y0 = cosPhi * sin(lambda); z0 = sin(phi); centroid_centroidStream.point = centroidLinePoint; centroidPointCartesian(src_centroid_x0, src_centroid_y0, z0); } function centroidLinePoint(lambda, phi) { lambda *= math_radians, phi *= math_radians; var cosPhi = cos(phi), x = cosPhi * cos(lambda), y = cosPhi * sin(lambda), z = sin(phi), w = atan2(math_sqrt((w = src_centroid_y0 * z - z0 * y) * w + (w = z0 * x - src_centroid_x0 * z) * w + (w = src_centroid_x0 * y - src_centroid_y0 * x) * w), src_centroid_x0 * x + src_centroid_y0 * y + z0 * z); W1 += w; centroid_X1 += w * (src_centroid_x0 + (src_centroid_x0 = x)); centroid_Y1 += w * (src_centroid_y0 + (src_centroid_y0 = y)); centroid_Z1 += w * (z0 + (z0 = z)); centroidPointCartesian(src_centroid_x0, src_centroid_y0, z0); } function centroid_centroidLineEnd() { centroid_centroidStream.point = centroid_centroidPoint; } // See J. E. Brock, The Inertia Tensor for a Spherical Triangle, // J. Applied Mechanics 42, 239 (1975). function centroid_centroidRingStart() { centroid_centroidStream.point = centroidRingPointFirst; } function centroid_centroidRingEnd() { centroidRingPoint(centroid_lambda00, centroid_phi00); centroid_centroidStream.point = centroid_centroidPoint; } function centroidRingPointFirst(lambda, phi) { centroid_lambda00 = lambda, centroid_phi00 = phi; lambda *= math_radians, phi *= math_radians; centroid_centroidStream.point = centroidRingPoint; var cosPhi = cos(phi); src_centroid_x0 = cosPhi * cos(lambda); src_centroid_y0 = cosPhi * sin(lambda); z0 = sin(phi); centroidPointCartesian(src_centroid_x0, src_centroid_y0, z0); } function centroidRingPoint(lambda, phi) { lambda *= math_radians, phi *= math_radians; var cosPhi = cos(phi), x = cosPhi * cos(lambda), y = cosPhi * sin(lambda), z = sin(phi), cx = src_centroid_y0 * z - z0 * y, cy = z0 * x - src_centroid_x0 * z, cz = src_centroid_x0 * y - src_centroid_y0 * x, m = hypot(cx, cy, cz), w = asin(m), // line weight = angle v = m && -w / m; // area weight multiplier centroid_X2.add(v * cx); centroid_Y2.add(v * cy); centroid_Z2.add(v * cz); W1 += w; centroid_X1 += w * (src_centroid_x0 + (src_centroid_x0 = x)); centroid_Y1 += w * (src_centroid_y0 + (src_centroid_y0 = y)); centroid_Z1 += w * (z0 + (z0 = z)); centroidPointCartesian(src_centroid_x0, src_centroid_y0, z0); } /* harmony default export */ function src_centroid(object) { W0 = W1 = centroid_X0 = centroid_Y0 = centroid_Z0 = centroid_X1 = centroid_Y1 = centroid_Z1 = 0; centroid_X2 = new Adder(); centroid_Y2 = new Adder(); centroid_Z2 = new Adder(); src_stream(object, centroid_centroidStream); var x = +centroid_X2, y = +centroid_Y2, z = +centroid_Z2, m = hypot(x, y, z); // If the area-weighted ccentroid is undefined, fall back to length-weighted ccentroid. if (m < epsilon2) { x = centroid_X1, y = centroid_Y1, z = centroid_Z1; // If the feature has zero length, fall back to arithmetic mean of point vectors. if (W1 < math_epsilon) x = centroid_X0, y = centroid_Y0, z = centroid_Z0; m = hypot(x, y, z); // If the feature still has an undefined ccentroid, then return. if (m < epsilon2) return [NaN, NaN]; } return [atan2(y, x) * math_degrees, asin(z / m) * math_degrees]; } // EXTERNAL MODULE: ../node_modules/d3-color/src/lab.js var lab = __webpack_require__(64836); // EXTERNAL MODULE: ../node_modules/internmap/src/index.js var internmap_src = __webpack_require__(18694); ;// CONCATENATED MODULE: ../node_modules/d3-array/src/union.js function union(...others) { const set = new internmap_src/* InternSet */.H(); for (const other of others) { for (const o of other) { set.add(o); } } return set; } ;// CONCATENATED MODULE: ../node_modules/d3-array/src/intersection.js function intersection(values, ...others) { values = new internmap_src/* InternSet */.H(values); others = others.map(intersection_set); out: for (const value of values) { for (const other of others) { if (!other.has(value)) { values.delete(value); continue out; } } } return values; } function intersection_set(values) { return values instanceof internmap_src/* InternSet */.H ? values : new internmap_src/* InternSet */.H(values); } ;// CONCATENATED MODULE: ../node_modules/vega-selections/build/vega-selection.module.js // Registers vega-util field accessors to protect against XSS attacks const SELECTION_GETTER = Symbol('vega_selection_getter'); function vega_selection_module_getter(f) { if (!f.getter || !f.getter[SELECTION_GETTER]) { f.getter = field(f.field); f.getter[SELECTION_GETTER] = true; } return f.getter; } const Intersect = 'intersect'; const Union = 'union'; const VlMulti = 'vlMulti'; const VlPoint = 'vlPoint'; const Or = 'or'; const And = 'and'; const SelectionId = '_vgsid_'; const $selectionId = field(SelectionId); const TYPE_ENUM = 'E', TYPE_RANGE_INC = 'R', TYPE_RANGE_EXC = 'R-E', TYPE_RANGE_LE = 'R-LE', TYPE_RANGE_RE = 'R-RE', TYPE_PRED_LT = 'E-LT', TYPE_PRED_LTE = 'E-LTE', TYPE_PRED_GT = 'E-GT', TYPE_PRED_GTE = 'E-GTE', TYPE_PRED_VALID = 'E-VALID', TYPE_PRED_ONE_OF = 'E-ONE', UNIT_INDEX = 'index:unit'; // TODO: revisit date coercion? function testPoint(datum, entry) { var fields = entry.fields, values = entry.values, n = fields.length, i = 0, dval, f; for (; i < n; ++i) { f = fields[i]; dval = vega_selection_module_getter(f)(datum); if (isDate(dval)) dval = toNumber(dval); if (isDate(values[i])) values[i] = toNumber(values[i]); if (isArray(values[i]) && isDate(values[i][0])) values[i] = values[i].map(toNumber); if (f.type === TYPE_ENUM) { // Enumerated fields can either specify individual values (single/multi selections) // or an array of values (interval selections). if (isArray(values[i]) ? !values[i].includes(dval) : dval !== values[i]) { return false; } } else { if (f.type === TYPE_RANGE_INC) { if (!inrange(dval, values[i])) return false; } else if (f.type === TYPE_RANGE_RE) { // Discrete selection of bins test within the range [bin_start, bin_end). if (!inrange(dval, values[i], true, false)) return false; } else if (f.type === TYPE_RANGE_EXC) { // 'R-E'/'R-LE' included for completeness. if (!inrange(dval, values[i], false, false)) return false; } else if (f.type === TYPE_RANGE_LE) { if (!inrange(dval, values[i], false, true)) return false; } else if (f.type === TYPE_PRED_LT) { if (dval >= values[i]) return false; } else if (f.type === TYPE_PRED_LTE) { if (dval > values[i]) return false; } else if (f.type === TYPE_PRED_GT) { if (dval <= values[i]) return false; } else if (f.type === TYPE_PRED_GTE) { if (dval < values[i]) return false; } else if (f.type === TYPE_PRED_VALID) { if (dval === null || isNaN(dval)) return false; } else if (f.type === TYPE_PRED_ONE_OF) { if (values[i].indexOf(dval) === -1) return false; } } } return true; } /** * Tests if a tuple is contained within an interactive selection. * @param {string} name - The name of the data set representing the selection. * Tuples in the dataset are of the form * {unit: string, fields: array, values: array<*>}. * Fielddef is of the form * {field: string, channel: string, type: 'E' | 'R'} where * 'type' identifies whether tuples in the dataset enumerate * values for the field, or specify a continuous range. * @param {object} datum - The tuple to test for inclusion. * @param {string} op - The set operation for combining selections. * One of 'intersect' or 'union' (default). * @return {boolean} - True if the datum is in the selection, false otherwise. */ function selectionTest(name, datum, op) { var data = this.context.data[name], entries = data ? data.values.value : [], unitIdx = data ? data[UNIT_INDEX] && data[UNIT_INDEX].value : undefined, intersect = op === Intersect, n = entries.length, i = 0, entry, miss, count, unit, b; for (; i < n; ++i) { entry = entries[i]; if (unitIdx && intersect) { // multi selections union within the same unit and intersect across units. miss = miss || {}; count = miss[unit = entry.unit] || 0; // if we've already matched this unit, skip. if (count === -1) continue; b = testPoint(datum, entry); miss[unit] = b ? -1 : ++count; // if we match and there are no other units return true // if we've missed against all tuples in this unit return false if (b && unitIdx.size === 1) return true; if (!b && count === unitIdx.get(unit).count) return false; } else { b = testPoint(datum, entry); // if we find a miss and we do require intersection return false // if we find a match and we don't require intersection return true if (intersect ^ b) return b; } } // if intersecting and we made it here, then we saw no misses // if not intersecting, then we saw no matches // if no active selections, return false return n && intersect; } const bisect = (0,bisector/* default */.Z)($selectionId), bisectLeft = bisect.left, bisectRight = bisect.right; function selectionIdTest(name, datum, op) { const data = this.context.data[name], entries = data ? data.values.value : [], unitIdx = data ? data[UNIT_INDEX] && data[UNIT_INDEX].value : undefined, intersect = op === Intersect, value = $selectionId(datum), index = bisectLeft(entries, value); if (index === entries.length) return false; if ($selectionId(entries[index]) !== value) return false; if (unitIdx && intersect) { if (unitIdx.size === 1) return true; if (bisectRight(entries, value) - index < unitIdx.size) return false; } return true; } /** * Maps an array of scene graph items to an array of selection tuples. * @param {string} name - The name of the dataset representing the selection. * @param {string} base - The base object that generated tuples extend. * * @returns {array} An array of selection entries for the given unit. */ function selectionTuples(array, base) { return array.map(x => extend(base.fields ? { values: base.fields.map(f => vega_selection_module_getter(f)(x.datum)) } : { [SelectionId]: $selectionId(x.datum) }, base)); } /** * Resolves selection for use as a scale domain or reads via the API. * @param {string} name - The name of the dataset representing the selection * @param {string} [op='union'] - The set operation for combining selections. * One of 'intersect' or 'union' (default). * @param {boolean} isMulti - Identifies a "multi" selection to perform more * expensive resolution computation. * @param {boolean} vl5 - With Vega-Lite v5, "multi" selections are now called "point" * selections, and thus the resolved tuple should reflect this name. * This parameter allows us to reflect this change without triggering * a major version bump for Vega. * @returns {object} An object of selected fields and values. */ function selectionResolve(name, op, isMulti, vl5) { var data = this.context.data[name], entries = data ? data.values.value : [], resolved = {}, multiRes = {}, types = {}, entry, fields, values, unit, field, value, res, resUnit, type, union, n = entries.length, i = 0, j, m; // First union all entries within the same unit. for (; i < n; ++i) { entry = entries[i]; unit = entry.unit; fields = entry.fields; values = entry.values; if (fields && values) { // Intentional selection stores for (j = 0, m = fields.length; j < m; ++j) { field = fields[j]; res = resolved[field.field] || (resolved[field.field] = {}); resUnit = res[unit] || (res[unit] = []); types[field.field] = type = field.type.charAt(0); union = ops[`${type}_union`]; res[unit] = union(resUnit, array(values[j])); } // If the same multi-selection is repeated over views and projected over // an encoding, it may operate over different fields making it especially // tricky to reliably resolve it. At best, we can de-dupe identical entries // but doing so may be more computationally expensive than it is worth. // Instead, for now, we simply transform our store representation into // a more human-friendly one. if (isMulti) { resUnit = multiRes[unit] || (multiRes[unit] = []); resUnit.push(array(values).reduce((obj, curr, j) => (obj[fields[j].field] = curr, obj), {})); } } else { // Short circuit extensional selectionId stores which hold sorted IDs unique to each unit. field = SelectionId; value = $selectionId(entry); res = resolved[field] || (resolved[field] = {}); resUnit = res[unit] || (res[unit] = []); resUnit.push(value); if (isMulti) { resUnit = multiRes[unit] || (multiRes[unit] = []); resUnit.push({ [SelectionId]: value }); } } } // Then resolve fields across units as per the op. op = op || Union; if (resolved[SelectionId]) { resolved[SelectionId] = ops[`${SelectionId}_${op}`](...Object.values(resolved[SelectionId])); } else { Object.keys(resolved).forEach(field => { resolved[field] = Object.keys(resolved[field]).map(unit => resolved[field][unit]).reduce((acc, curr) => acc === undefined ? curr : ops[`${types[field]}_${op}`](acc, curr)); }); } entries = Object.keys(multiRes); if (isMulti && entries.length) { const key = vl5 ? VlPoint : VlMulti; resolved[key] = op === Union ? { [Or]: entries.reduce((acc, k) => (acc.push(...multiRes[k]), acc), []) } : { [And]: entries.map(k => ({ [Or]: multiRes[k] })) }; } return resolved; } var ops = { [`${SelectionId}_union`]: union, [`${SelectionId}_intersect`]: intersection, E_union: function (base, value) { if (!base.length) return value; var i = 0, n = value.length; for (; i < n; ++i) if (!base.includes(value[i])) base.push(value[i]); return base; }, E_intersect: function (base, value) { return !base.length ? value : base.filter(v => value.includes(v)); }, R_union: function (base, value) { var lo = toNumber(value[0]), hi = toNumber(value[1]); if (lo > hi) { lo = value[1]; hi = value[0]; } if (!base.length) return [lo, hi]; if (base[0] > lo) base[0] = lo; if (base[1] < hi) base[1] = hi; return base; }, R_intersect: function (base, value) { var lo = toNumber(value[0]), hi = toNumber(value[1]); if (lo > hi) { lo = value[1]; hi = value[0]; } if (!base.length) return [lo, hi]; if (hi < base[0] || base[1] < lo) { return []; } else { if (base[0] < lo) base[0] = lo; if (base[1] > hi) base[1] = hi; } return base; } }; const DataPrefix = ':', IndexPrefix = '@'; function selectionVisitor(name, args, scope, params) { if (args[0].type !== Literal) vega_util_module_error('First argument to selection functions must be a string literal.'); const data = args[0].value, op = args.length >= 2 && peek(args).value, field = 'unit', indexName = IndexPrefix + field, dataName = DataPrefix + data; // eslint-disable-next-line no-prototype-builtins if (op === Intersect && !has(params, indexName)) { params[indexName] = scope.getData(data).indataRef(scope, field); } // eslint-disable-next-line no-prototype-builtins if (!has(params, dataName)) { params[dataName] = scope.getData(data).tuplesRef(); } } ;// CONCATENATED MODULE: ../node_modules/vega-functions/build/vega-functions.module.js function vega_functions_module_data(name) { const data = this.context.data[name]; return data ? data.values.value : []; } function indata(name, field, value) { const index = this.context.data[name]['index:' + field], entry = index ? index.value.get(value) : undefined; return entry ? entry.count : entry; } function setdata(name, tuples) { const df = this.context.dataflow, data = this.context.data[name], input = data.input; df.pulse(input, df.changeset().remove(truthy).insert(tuples)); return 1; } function encode (item, name, retval) { if (item) { const df = this.context.dataflow, target = item.mark.source; df.pulse(target, df.changeset().encode(item, name)); } return retval !== undefined ? retval : item; } const wrap = method => function (value, spec) { const locale = this.context.dataflow.locale(); return value === null ? 'null' : locale[method](spec)(value); }; const vega_functions_module_format = wrap('format'); const timeFormat = wrap('timeFormat'); const utcFormat = wrap('utcFormat'); const timeParse = wrap('timeParse'); const utcParse = wrap('utcParse'); const dateObj = new Date(2000, 0, 1); function vega_functions_module_time(month, day, specifier) { if (!Number.isInteger(month) || !Number.isInteger(day)) return ''; dateObj.setYear(2000); dateObj.setMonth(month); dateObj.setDate(day); return timeFormat.call(this, dateObj, specifier); } function monthFormat(month) { return vega_functions_module_time.call(this, month, 1, '%B'); } function monthAbbrevFormat(month) { return vega_functions_module_time.call(this, month, 1, '%b'); } function dayFormat(day) { return vega_functions_module_time.call(this, 0, 2 + day, '%A'); } function dayAbbrevFormat(day) { return vega_functions_module_time.call(this, 0, 2 + day, '%a'); } const vega_functions_module_DataPrefix = ':'; const vega_functions_module_IndexPrefix = '@'; const ScalePrefix = '%'; const SignalPrefix = '$'; function dataVisitor(name, args, scope, params) { if (args[0].type !== Literal) { vega_util_module_error('First argument to data functions must be a string literal.'); } const data = args[0].value, dataName = vega_functions_module_DataPrefix + data; if (!has(dataName, params)) { try { params[dataName] = scope.getData(data).tuplesRef(); } catch (err) { // if data set does not exist, there's nothing to track } } } function indataVisitor(name, args, scope, params) { if (args[0].type !== Literal) vega_util_module_error('First argument to indata must be a string literal.'); if (args[1].type !== Literal) vega_util_module_error('Second argument to indata must be a string literal.'); const data = args[0].value, field = args[1].value, indexName = vega_functions_module_IndexPrefix + field; if (!has(indexName, params)) { params[indexName] = scope.getData(data).indataRef(scope, field); } } function scaleVisitor(name, args, scope, params) { if (args[0].type === Literal) { // add scale dependency addScaleDependency(scope, params, args[0].value); } else { // indirect scale lookup; add all scales as parameters for (name in scope.scales) { addScaleDependency(scope, params, name); } } } function addScaleDependency(scope, params, name) { const scaleName = ScalePrefix + name; if (!has(params, scaleName)) { try { params[scaleName] = scope.scaleRef(name); } catch (err) { // TODO: error handling? warning? } } } /** * Name must be a string. Return undefined if the scale is not registered. */ function getScale(name, ctx) { if (vega_util_module_isString(name)) { const maybeScale = ctx.scales[name]; return maybeScale && isRegisteredScale(maybeScale.value) ? maybeScale.value : undefined; } return undefined; } function internalScaleFunctions(codegen, fnctx, visitors) { // add helper method to the 'this' expression function context fnctx.__bandwidth = s => s && s.bandwidth ? s.bandwidth() : 0; // register AST visitors for internal scale functions visitors._bandwidth = scaleVisitor; visitors._range = scaleVisitor; visitors._scale = scaleVisitor; // resolve scale reference directly to the signal hash argument const ref = arg => '_[' + (arg.type === Literal ? $(ScalePrefix + arg.value) : $(ScalePrefix) + '+' + codegen(arg)) + ']'; // define and return internal scale function code generators // these internal functions are called by mark encoders return { _bandwidth: args => `this.__bandwidth(${ref(args[0])})`, _range: args => `${ref(args[0])}.range()`, _scale: args => `${ref(args[0])}(${codegen(args[1])})` }; } function geoMethod(methodName, globalMethod) { return function (projection, geojson, group) { if (projection) { // projection defined, use it const p = getScale(projection, (group || this).context); return p && p.path[methodName](geojson); } else { // projection undefined, use global method return globalMethod(geojson); } }; } const geoArea = geoMethod('area', d3_geo_src_area); const geoBounds = geoMethod('bounds', src_bounds); const geoCentroid = geoMethod('centroid', src_centroid); function geoScale(projection, group) { const p = getScale(projection, (group || this).context); return p && p.scale(); } function inScope (item) { const group = this.context.group; let value = false; if (group) while (item) { if (item === group) { value = true; break; } item = item.mark.group; } return value; } function vega_functions_module_log(df, method, args) { try { df[method].apply(df, ['EXPRESSION'].concat([].slice.call(args))); } catch (err) { df.warn(err); } return args[args.length - 1]; } function warn() { return vega_functions_module_log(this.context.dataflow, 'warn', arguments); } function info() { return vega_functions_module_log(this.context.dataflow, 'info', arguments); } function debug() { return vega_functions_module_log(this.context.dataflow, 'debug', arguments); } // https://www.w3.org/TR/2008/REC-WCAG20-20081211/#relativeluminancedef function channel_luminance_value(channelValue) { const val = channelValue / 255; if (val <= 0.03928) { return val / 12.92; } return Math.pow((val + 0.055) / 1.055, 2.4); } function luminance(color) { const c = (0,src_color/* rgb */.B8)(color), r = channel_luminance_value(c.r), g = channel_luminance_value(c.g), b = channel_luminance_value(c.b); return 0.2126 * r + 0.7152 * g + 0.0722 * b; } // https://www.w3.org/TR/2008/REC-WCAG20-20081211/#contrast-ratiodef function contrast(color1, color2) { const lum1 = luminance(color1), lum2 = luminance(color2), lumL = Math.max(lum1, lum2), lumD = Math.min(lum1, lum2); return (lumL + 0.05) / (lumD + 0.05); } function vega_functions_module_merge () { const args = [].slice.call(arguments); args.unshift({}); return extend(...args); } function equal(a, b) { return a === b || a !== a && b !== b ? true : isArray(a) ? isArray(b) && a.length === b.length ? equalArray(a, b) : false : isObject(a) && isObject(b) ? equalObject(a, b) : false; } function equalArray(a, b) { for (let i = 0, n = a.length; i < n; ++i) { if (!equal(a[i], b[i])) return false; } return true; } function equalObject(a, b) { for (const key in a) { if (!equal(a[key], b[key])) return false; } return true; } function removePredicate(props) { return _ => equalObject(props, _); } function modify (name, insert, remove, toggle, modify, values) { const df = this.context.dataflow, data = this.context.data[name], input = data.input, stamp = df.stamp(); let changes = data.changes, predicate, key; if (df._trigger === false || !(input.value.length || insert || toggle)) { // nothing to do! return 0; } if (!changes || changes.stamp < stamp) { data.changes = changes = df.changeset(); changes.stamp = stamp; df.runAfter(() => { data.modified = true; df.pulse(input, changes).run(); }, true, 1); } if (remove) { predicate = remove === true ? truthy : isArray(remove) || isTuple(remove) ? remove : removePredicate(remove); changes.remove(predicate); } if (insert) { changes.insert(insert); } if (toggle) { predicate = removePredicate(toggle); if (input.value.some(predicate)) { changes.remove(predicate); } else { changes.insert(toggle); } } if (modify) { for (key in values) { changes.modify(modify, key, values[key]); } } return 1; } function pinchDistance(event) { const t = event.touches, dx = t[0].clientX - t[1].clientX, dy = t[0].clientY - t[1].clientY; return Math.hypot(dx, dy); } function pinchAngle(event) { const t = event.touches; return Math.atan2(t[0].clientY - t[1].clientY, t[0].clientX - t[1].clientX); } // memoize accessor functions const vega_functions_module_accessors = {}; function pluck (data, name) { const accessor = vega_functions_module_accessors[name] || (vega_functions_module_accessors[name] = field(name)); return isArray(data) ? data.map(accessor) : accessor(data); } function vega_functions_module_array(seq) { return isArray(seq) || ArrayBuffer.isView(seq) ? seq : null; } function vega_functions_module_sequence(seq) { return vega_functions_module_array(seq) || (vega_util_module_isString(seq) ? seq : null); } function vega_functions_module_join(seq) { for (var _len = arguments.length, args = new Array(_len > 1 ? _len - 1 : 0), _key = 1; _key < _len; _key++) { args[_key - 1] = arguments[_key]; } return vega_functions_module_array(seq).join(...args); } function indexof(seq) { for (var _len2 = arguments.length, args = new Array(_len2 > 1 ? _len2 - 1 : 0), _key2 = 1; _key2 < _len2; _key2++) { args[_key2 - 1] = arguments[_key2]; } return vega_functions_module_sequence(seq).indexOf(...args); } function lastindexof(seq) { for (var _len3 = arguments.length, args = new Array(_len3 > 1 ? _len3 - 1 : 0), _key3 = 1; _key3 < _len3; _key3++) { args[_key3 - 1] = arguments[_key3]; } return vega_functions_module_sequence(seq).lastIndexOf(...args); } function vega_functions_module_slice(seq) { for (var _len4 = arguments.length, args = new Array(_len4 > 1 ? _len4 - 1 : 0), _key4 = 1; _key4 < _len4; _key4++) { args[_key4 - 1] = arguments[_key4]; } return vega_functions_module_sequence(seq).slice(...args); } function vega_functions_module_replace(str, pattern, repl) { if (vega_util_module_isFunction(repl)) vega_util_module_error('Function argument passed to replace.'); if (!vega_util_module_isString(pattern) && !isRegExp(pattern)) vega_util_module_error('Please pass a string or RegExp argument to replace.'); return String(str).replace(pattern, repl); } function vega_functions_module_reverse(seq) { return vega_functions_module_array(seq).slice().reverse(); } function vega_functions_module_sort(seq) { return vega_functions_module_array(seq).slice().sort(ascending); } function bandspace(count, paddingInner, paddingOuter) { return bandSpace(count || 0, paddingInner || 0, paddingOuter || 0); } function bandwidth(name, group) { const s = getScale(name, (group || this).context); return s && s.bandwidth ? s.bandwidth() : 0; } function vega_functions_module_copy(name, group) { const s = getScale(name, (group || this).context); return s ? s.copy() : undefined; } function domain(name, group) { const s = getScale(name, (group || this).context); return s ? s.domain() : []; } function invert(name, range, group) { const s = getScale(name, (group || this).context); return !s ? undefined : isArray(range) ? (s.invertRange || s.invert)(range) : (s.invert || s.invertExtent)(range); } function vega_functions_module_range(name, group) { const s = getScale(name, (group || this).context); return s && s.range ? s.range() : []; } function vega_functions_module_scale(name, value, group) { const s = getScale(name, (group || this).context); return s ? s(value) : undefined; } /** * Passing a function is only used for for testing. * Outside of tests, the first argument should be a string. */ function scaleGradient (scaleOrFunction, p0, p1, count, group) { let scale = typeof scaleOrFunction === 'string' ? getScale(scaleOrFunction, (group || this).context) : scaleOrFunction; const gradient = Gradient(p0, p1); let stops = scale.domain(), min = stops[0], max = peek(stops), fraction = identity; if (!(max - min)) { // expand scale if domain has zero span, fix #1479 scale = (scale.interpolator ? vega_scale_module_scale('sequential')().interpolator(scale.interpolator()) : vega_scale_module_scale('linear')().interpolate(scale.interpolate()).range(scale.range())).domain([min = 0, max = 1]); } else { fraction = scaleFraction(scale, min, max); } if (scale.ticks) { stops = scale.ticks(+count || 15); if (min !== stops[0]) stops.unshift(min); if (max !== peek(stops)) stops.push(max); } stops.forEach(_ => gradient.stop(fraction(_), scale(_))); return gradient; } function geoShape(projection, geojson, group) { const p = getScale(projection, (group || this).context); return function (context) { return p ? p.path.context(context)(geojson) : ''; }; } function pathShape(path) { let p = null; return function (context) { return context ? pathRender(context, p = p || vega_scenegraph_module_parse(path)) : path; }; } const datum = d => d.data; function treeNodes(name, context) { const tree = vega_functions_module_data.call(context, name); return tree.root && tree.root.lookup || {}; } function treePath(name, source, target) { const nodes = treeNodes(name, this), s = nodes[source], t = nodes[target]; return s && t ? s.path(t).map(datum) : undefined; } function treeAncestors(name, node) { const n = treeNodes(name, this)[node]; return n ? n.ancestors().map(datum) : undefined; } const _window = () => typeof window !== 'undefined' && window || null; function screen() { const w = _window(); return w ? w.screen : {}; } function windowSize() { const w = _window(); return w ? [w.innerWidth, w.innerHeight] : [undefined, undefined]; } function containerSize() { const view = this.context.dataflow, el = view.container && view.container(); return el ? [el.clientWidth, el.clientHeight] : [undefined, undefined]; } function vega_functions_module_intersect (b, opt, group) { if (!b) return []; const [u, v] = b, box = new Bounds().set(u[0], u[1], v[0], v[1]), scene = group || this.context.dataflow.scenegraph().root; return intersect(scene, box, vega_functions_module_filter(opt)); } function vega_functions_module_filter(opt) { let p = null; if (opt) { const types = array(opt.marktype), names = array(opt.markname); p = _ => (!types.length || types.some(t => _.marktype === t)) && (!names.length || names.some(s => _.name === s)); } return p; } /** * Appends a new point to the lasso * * @param {*} lasso the lasso in pixel space * @param {*} x the x coordinate in pixel space * @param {*} y the y coordinate in pixel space * @param {*} minDist the minimum distance, in pixels, that thenew point needs to be apart from the last point * @returns a new array containing the lasso with the new point */ function lassoAppend(lasso, x, y) { let minDist = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : 5; lasso = array(lasso); const last = lasso[lasso.length - 1]; // Add point to lasso if its the first point or distance to last point exceed minDist return last === undefined || Math.hypot(last[0] - x, last[1] - y) > minDist ? [...lasso, [x, y]] : lasso; } /** * Generates a svg path command which draws a lasso * * @param {*} lasso the lasso in pixel space in the form [[x,y], [x,y], ...] * @returns the svg path command that draws the lasso */ function lassoPath(lasso) { return array(lasso).reduce((svg, _ref, i) => { let [x, y] = _ref; return svg += i == 0 ? `M ${x},${y} ` : i === lasso.length - 1 ? ' Z' : `L ${x},${y} `; }, ''); } /** * Inverts the lasso from pixel space to an array of vega scenegraph tuples * * @param {*} data the dataset * @param {*} pixelLasso the lasso in pixel space, [[x,y], [x,y], ...] * @param {*} unit the unit where the lasso is defined * * @returns an array of vega scenegraph tuples */ function intersectLasso(markname, pixelLasso, unit) { const { x, y, mark } = unit; const bb = new Bounds().set(Number.MAX_SAFE_INTEGER, Number.MAX_SAFE_INTEGER, Number.MIN_SAFE_INTEGER, Number.MIN_SAFE_INTEGER); // Get bounding box around lasso for (const [px, py] of pixelLasso) { if (px < bb.x1) bb.x1 = px; if (px > bb.x2) bb.x2 = px; if (py < bb.y1) bb.y1 = py; if (py > bb.y2) bb.y2 = py; } // Translate bb against unit coordinates bb.translate(x, y); const intersection = vega_functions_module_intersect([[bb.x1, bb.y1], [bb.x2, bb.y2]], markname, mark); // Check every point against the lasso return intersection.filter(tuple => pointInPolygon(tuple.x, tuple.y, pixelLasso)); } /** * Performs a test if a point is inside a polygon based on the idea from * https://wrf.ecse.rpi.edu/Research/Short_Notes/pnpoly.html * * This method will not need the same start/end point since it wraps around the edges of the array * * @param {*} test a point to test against * @param {*} polygon a polygon in the form [[x,y], [x,y], ...] * @returns true if the point lies inside the polygon, false otherwise */ function pointInPolygon(testx, testy, polygon) { let intersections = 0; for (let i = 0, j = polygon.length - 1; i < polygon.length; j = i++) { const [prevX, prevY] = polygon[j]; const [x, y] = polygon[i]; // count intersections if (y > testy != prevY > testy && testx < (prevX - x) * (testy - y) / (prevY - y) + x) { intersections++; } } // point is in polygon if intersection count is odd return intersections & 1; } // Expression function context object const functionContext = { random() { return random(); }, // override default cumulativeNormal: cumulativeNormal, cumulativeLogNormal: cumulativeLogNormal, cumulativeUniform: cumulativeUniform, densityNormal: densityNormal, densityLogNormal: densityLogNormal, densityUniform: densityUniform, quantileNormal: quantileNormal, quantileLogNormal: quantileLogNormal, quantileUniform: quantileUniform, sampleNormal: sampleNormal, sampleLogNormal: sampleLogNormal, sampleUniform: sampleUniform, isArray: isArray, isBoolean: isBoolean, isDate: isDate, isDefined(_) { return _ !== undefined; }, isNumber: isNumber, isObject: isObject, isRegExp: isRegExp, isString: vega_util_module_isString, isTuple: isTuple, isValid(_) { return _ != null && _ === _; }, toBoolean: toBoolean, toDate(_) { return toDate(_); }, // suppress extra arguments toNumber: toNumber, toString: vega_util_module_toString, indexof, join: vega_functions_module_join, lastindexof, replace: vega_functions_module_replace, reverse: vega_functions_module_reverse, sort: vega_functions_module_sort, slice: vega_functions_module_slice, flush: flush, lerp: lerp, merge: vega_functions_module_merge, pad: pad, peek: peek, pluck, span: span, inrange: inrange, truncate: truncate, rgb: src_color/* rgb */.B8, lab: lab/* default */.ZP, hcl: lab/* hcl */.Uc, hsl: src_color/* hsl */.Ym, luminance, contrast, sequence: range/* default */.Z, format: vega_functions_module_format, utcFormat, utcParse, utcOffset: utcOffset, utcSequence: utcSequence, timeFormat, timeParse, timeOffset: timeOffset, timeSequence: timeSequence, timeUnitSpecifier: timeUnitSpecifier, monthFormat, monthAbbrevFormat, dayFormat, dayAbbrevFormat, quarter: quarter, utcquarter: utcquarter, week: vega_time_module_week, utcweek: utcweek, dayofyear: dayofyear, utcdayofyear: utcdayofyear, warn, info, debug, extent(_) { return extent(_); }, // suppress extra arguments inScope, intersect: vega_functions_module_intersect, clampRange: clampRange, pinchDistance, pinchAngle, screen, containerSize, windowSize, bandspace, setdata, pathShape, panLinear: panLinear, panLog: panLog, panPow: panPow, panSymlog: panSymlog, zoomLinear: zoomLinear, zoomLog: zoomLog, zoomPow: zoomPow, zoomSymlog: zoomSymlog, encode, modify, lassoAppend, lassoPath, intersectLasso }; const eventFunctions = ['view', 'item', 'group', 'xy', 'x', 'y'], // event functions eventPrefix = 'event.vega.', // event function prefix thisPrefix = 'this.', // function context prefix astVisitors = {}; // AST visitors for dependency analysis // export code generator parameters const codegenParams = { forbidden: ['_'], allowed: ['datum', 'event', 'item'], fieldvar: 'datum', globalvar: id => `_[${$(SignalPrefix + id)}]`, functions: buildFunctions, constants: Constants, visitors: astVisitors }; // export code generator const codeGenerator = codegen(codegenParams); // Build expression function registry function buildFunctions(codegen) { const fn = Functions(codegen); eventFunctions.forEach(name => fn[name] = eventPrefix + name); for (const name in functionContext) { fn[name] = thisPrefix + name; } extend(fn, internalScaleFunctions(codegen, functionContext, astVisitors)); return fn; } // Register an expression function function expressionFunction(name, fn, visitor) { if (arguments.length === 1) { return functionContext[name]; } // register with the functionContext functionContext[name] = fn; // if there is an astVisitor register that, too if (visitor) astVisitors[name] = visitor; // if the code generator has already been initialized, // we need to also register the function with it if (codeGenerator) codeGenerator.functions[name] = thisPrefix + name; return this; } // register expression functions with ast visitors expressionFunction('bandwidth', bandwidth, scaleVisitor); expressionFunction('copy', vega_functions_module_copy, scaleVisitor); expressionFunction('domain', domain, scaleVisitor); expressionFunction('range', vega_functions_module_range, scaleVisitor); expressionFunction('invert', invert, scaleVisitor); expressionFunction('scale', vega_functions_module_scale, scaleVisitor); expressionFunction('gradient', scaleGradient, scaleVisitor); expressionFunction('geoArea', geoArea, scaleVisitor); expressionFunction('geoBounds', geoBounds, scaleVisitor); expressionFunction('geoCentroid', geoCentroid, scaleVisitor); expressionFunction('geoShape', geoShape, scaleVisitor); expressionFunction('geoScale', geoScale, scaleVisitor); expressionFunction('indata', indata, indataVisitor); expressionFunction('data', vega_functions_module_data, dataVisitor); expressionFunction('treePath', treePath, dataVisitor); expressionFunction('treeAncestors', treeAncestors, dataVisitor); // register Vega-Lite selection functions expressionFunction('vlSelectionTest', selectionTest, selectionVisitor); expressionFunction('vlSelectionIdTest', selectionIdTest, selectionVisitor); expressionFunction('vlSelectionResolve', selectionResolve, selectionVisitor); expressionFunction('vlSelectionTuples', selectionTuples); function vega_functions_module_parser (expr, scope) { const params = {}; // parse the expression to an abstract syntax tree (ast) let ast; try { expr = vega_util_module_isString(expr) ? expr : $(expr) + ''; ast = parser(expr); } catch (err) { vega_util_module_error('Expression parse error: ' + expr); } // analyze ast function calls for dependencies ast.visit(node => { if (node.type !== CallExpression) return; const name = node.callee.name, visit = codegenParams.visitors[name]; if (visit) visit(name, node.arguments, scope, params); }); // perform code generation const gen = codeGenerator(ast); // collect signal dependencies gen.globals.forEach(name => { const signalName = SignalPrefix + name; if (!has(params, signalName) && scope.getSignal(name)) { params[signalName] = scope.signalRef(name); } }); // return generated expression code and dependencies return { $expr: extend({ code: gen.code }, scope.options.ast ? { ast } : null), $fields: gen.fields, $params: params }; } ;// CONCATENATED MODULE: ../node_modules/vega-runtime/build/vega-runtime.module.js /** * Parse a serialized dataflow specification. */ function vega_runtime_module_parse (spec) { const ctx = this, operators = spec.operators || []; // parse background if (spec.background) { ctx.background = spec.background; } // parse event configuration if (spec.eventConfig) { ctx.eventConfig = spec.eventConfig; } // parse locale configuration if (spec.locale) { ctx.locale = spec.locale; } // parse operators operators.forEach(entry => ctx.parseOperator(entry)); // parse operator parameters operators.forEach(entry => ctx.parseOperatorParameters(entry)); // parse streams (spec.streams || []).forEach(entry => ctx.parseStream(entry)); // parse updates (spec.updates || []).forEach(entry => ctx.parseUpdate(entry)); return ctx.resolve(); } const Skip = vega_util_module_toSet(['rule']), Swap = vega_util_module_toSet(['group', 'image', 'rect']); function adjustSpatial(encode, marktype) { let code = ''; if (Skip[marktype]) return code; if (encode.x2) { if (encode.x) { if (Swap[marktype]) { code += 'if(o.x>o.x2)$=o.x,o.x=o.x2,o.x2=$;'; } code += 'o.width=o.x2-o.x;'; } else { code += 'o.x=o.x2-(o.width||0);'; } } if (encode.xc) { code += 'o.x=o.xc-(o.width||0)/2;'; } if (encode.y2) { if (encode.y) { if (Swap[marktype]) { code += 'if(o.y>o.y2)$=o.y,o.y=o.y2,o.y2=$;'; } code += 'o.height=o.y2-o.y;'; } else { code += 'o.y=o.y2-(o.height||0);'; } } if (encode.yc) { code += 'o.y=o.yc-(o.height||0)/2;'; } return code; } function canonicalType(type) { return (type + '').toLowerCase(); } function isOperator(type) { return canonicalType(type) === 'operator'; } function isCollect(type) { return canonicalType(type) === 'collect'; } function expression(ctx, args, code) { // wrap code in return statement if expression does not terminate if (!code.endsWith(';')) { code = 'return(' + code + ');'; } const fn = Function(...args.concat(code)); return ctx && ctx.functions ? fn.bind(ctx.functions) : fn; } // generate code for comparing a single field function _compare(u, v, lt, gt) { return `((u = ${u}) < (v = ${v}) || u == null) && v != null ? ${lt} : (u > v || v == null) && u != null ? ${gt} : ((v = v instanceof Date ? +v : v), (u = u instanceof Date ? +u : u)) !== u && v === v ? ${lt} : v !== v && u === u ? ${gt} : `; } var expressionCodegen = { /** * Parse an expression used to update an operator value. */ operator: (ctx, expr) => expression(ctx, ['_'], expr.code), /** * Parse an expression provided as an operator parameter value. */ parameter: (ctx, expr) => expression(ctx, ['datum', '_'], expr.code), /** * Parse an expression applied to an event stream. */ event: (ctx, expr) => expression(ctx, ['event'], expr.code), /** * Parse an expression used to handle an event-driven operator update. */ handler: (ctx, expr) => { const code = `var datum=event.item&&event.item.datum;return ${expr.code};`; return expression(ctx, ['_', 'event'], code); }, /** * Parse an expression that performs visual encoding. */ encode: (ctx, encode) => { const { marktype, channels } = encode; let code = 'var o=item,datum=o.datum,m=0,$;'; for (const name in channels) { const o = 'o[' + $(name) + ']'; code += `$=${channels[name].code};if(${o}!==$)${o}=$,m=1;`; } code += adjustSpatial(channels, marktype); code += 'return m;'; return expression(ctx, ['item', '_'], code); }, /** * Optimized code generators for access and comparison. */ codegen: { get(path) { const ref = `[${path.map($).join('][')}]`; const get = Function('_', `return _${ref};`); get.path = ref; return get; }, comparator(fields, orders) { let t; const map = (f, i) => { const o = orders[i]; let u, v; if (f.path) { u = `a${f.path}`; v = `b${f.path}`; } else { (t = t || {})['f' + i] = f; u = `this.f${i}(a)`; v = `this.f${i}(b)`; } return _compare(u, v, -o, o); }; const fn = Function('a', 'b', 'var u, v; return ' + fields.map(map).join('') + '0;'); return t ? fn.bind(t) : fn; } } }; /** * Parse a dataflow operator. */ function parseOperator(spec) { const ctx = this; if (isOperator(spec.type) || !spec.type) { ctx.operator(spec, spec.update ? ctx.operatorExpression(spec.update) : null); } else { ctx.transform(spec, spec.type); } } /** * Parse and assign operator parameters. */ function parseOperatorParameters(spec) { const ctx = this; if (spec.params) { const op = ctx.get(spec.id); if (!op) vega_util_module_error('Invalid operator id: ' + spec.id); ctx.dataflow.connect(op, op.parameters(ctx.parseParameters(spec.params), spec.react, spec.initonly)); } } /** * Parse a set of operator parameters. */ function parseParameters(spec, params) { params = params || {}; const ctx = this; for (const key in spec) { const value = spec[key]; params[key] = isArray(value) ? value.map(v => parseParameter(v, ctx, params)) : parseParameter(value, ctx, params); } return params; } /** * Parse a single parameter. */ function parseParameter(spec, ctx, params) { if (!spec || !isObject(spec)) return spec; for (let i = 0, n = PARSERS.length, p; i < n; ++i) { p = PARSERS[i]; if (has(spec, p.key)) { return p.parse(spec, ctx, params); } } return spec; } /** Reference parsers. */ var PARSERS = [{ key: '$ref', parse: getOperator }, { key: '$key', parse: getKey }, { key: '$expr', parse: getExpression }, { key: '$field', parse: vega_runtime_module_getField }, { key: '$encode', parse: getEncode }, { key: '$compare', parse: getCompare }, { key: '$context', parse: getContext }, { key: '$subflow', parse: getSubflow }, { key: '$tupleid', parse: getTupleId }]; /** * Resolve an operator reference. */ function getOperator(_, ctx) { return ctx.get(_.$ref) || vega_util_module_error('Operator not defined: ' + _.$ref); } /** * Resolve an expression reference. */ function getExpression(_, ctx, params) { if (_.$params) { // parse expression parameters ctx.parseParameters(_.$params, params); } const k = 'e:' + _.$expr.code; return ctx.fn[k] || (ctx.fn[k] = accessor(ctx.parameterExpression(_.$expr), _.$fields)); } /** * Resolve a key accessor reference. */ function getKey(_, ctx) { const k = 'k:' + _.$key + '_' + !!_.$flat; return ctx.fn[k] || (ctx.fn[k] = key(_.$key, _.$flat, ctx.expr.codegen)); } /** * Resolve a field accessor reference. */ function vega_runtime_module_getField(_, ctx) { if (!_.$field) return null; const k = 'f:' + _.$field + '_' + _.$name; return ctx.fn[k] || (ctx.fn[k] = field(_.$field, _.$name, ctx.expr.codegen)); } /** * Resolve a comparator function reference. */ function getCompare(_, ctx) { // As of Vega 5.5.3, $tupleid sort is no longer used. // Keep here for now for backwards compatibility. const k = 'c:' + _.$compare + '_' + _.$order, c = array(_.$compare).map(_ => _ && _.$tupleid ? tupleid : _); return ctx.fn[k] || (ctx.fn[k] = vega_util_module_compare(c, _.$order, ctx.expr.codegen)); } /** * Resolve an encode operator reference. */ function getEncode(_, ctx) { const spec = _.$encode, encode = {}; for (const name in spec) { const enc = spec[name]; encode[name] = accessor(ctx.encodeExpression(enc.$expr), enc.$fields); encode[name].output = enc.$output; } return encode; } /** * Resolve a context reference. */ function getContext(_, ctx) { return ctx; } /** * Resolve a recursive subflow specification. */ function getSubflow(_, ctx) { const spec = _.$subflow; return function (dataflow, key, parent) { const subctx = ctx.fork().parse(spec), op = subctx.get(spec.operators[0].id), p = subctx.signals.parent; if (p) p.set(parent); op.detachSubflow = () => ctx.detach(subctx); return op; }; } /** * Resolve a tuple id reference. */ function getTupleId() { return tupleid; } /** * Parse an event stream specification. */ function parseStream (spec) { var ctx = this, filter = spec.filter != null ? ctx.eventExpression(spec.filter) : undefined, stream = spec.stream != null ? ctx.get(spec.stream) : undefined, args; if (spec.source) { stream = ctx.events(spec.source, spec.type, filter); } else if (spec.merge) { args = spec.merge.map(_ => ctx.get(_)); stream = args[0].merge.apply(args[0], args.slice(1)); } if (spec.between) { args = spec.between.map(_ => ctx.get(_)); stream = stream.between(args[0], args[1]); } if (spec.filter) { stream = stream.filter(filter); } if (spec.throttle != null) { stream = stream.throttle(+spec.throttle); } if (spec.debounce != null) { stream = stream.debounce(+spec.debounce); } if (stream == null) { vega_util_module_error('Invalid stream definition: ' + JSON.stringify(spec)); } if (spec.consume) stream.consume(true); ctx.stream(spec, stream); } /** * Parse an event-driven operator update. */ function parseUpdate (spec) { var ctx = this, srcid = isObject(srcid = spec.source) ? srcid.$ref : srcid, source = ctx.get(srcid), target = null, update = spec.update, params = undefined; if (!source) vega_util_module_error('Source not defined: ' + spec.source); target = spec.target && spec.target.$expr ? ctx.eventExpression(spec.target.$expr) : ctx.get(spec.target); if (update && update.$expr) { if (update.$params) { params = ctx.parseParameters(update.$params); } update = ctx.handlerExpression(update.$expr); } ctx.update(spec, source, target, update, params); } const vega_runtime_module_SKIP = { skip: true }; function getState(options) { var ctx = this, state = {}; if (options.signals) { var signals = state.signals = {}; Object.keys(ctx.signals).forEach(key => { const op = ctx.signals[key]; if (options.signals(key, op)) { signals[key] = op.value; } }); } if (options.data) { var data = state.data = {}; Object.keys(ctx.data).forEach(key => { const dataset = ctx.data[key]; if (options.data(key, dataset)) { data[key] = dataset.input.value; } }); } if (ctx.subcontext && options.recurse !== false) { state.subcontext = ctx.subcontext.map(ctx => ctx.getState(options)); } return state; } function setState(state) { var ctx = this, df = ctx.dataflow, data = state.data, signals = state.signals; Object.keys(signals || {}).forEach(key => { df.update(ctx.signals[key], signals[key], vega_runtime_module_SKIP); }); Object.keys(data || {}).forEach(key => { df.pulse(ctx.data[key].input, df.changeset().remove(truthy).insert(data[key])); }); (state.subcontext || []).forEach((substate, i) => { const subctx = ctx.subcontext[i]; if (subctx) subctx.setState(substate); }); } /** * Context objects store the current parse state. * Enables lookup of parsed operators, event streams, accessors, etc. * Provides a 'fork' method for creating child contexts for subflows. */ function vega_runtime_module_context (df, transforms, functions, expr) { return new Context(df, transforms, functions, expr); } function Context(df, transforms, functions, expr) { this.dataflow = df; this.transforms = transforms; this.events = df.events.bind(df); this.expr = expr || expressionCodegen, this.signals = {}; this.scales = {}; this.nodes = {}; this.data = {}; this.fn = {}; if (functions) { this.functions = Object.create(functions); this.functions.context = this; } } function Subcontext(ctx) { this.dataflow = ctx.dataflow; this.transforms = ctx.transforms; this.events = ctx.events; this.expr = ctx.expr; this.signals = Object.create(ctx.signals); this.scales = Object.create(ctx.scales); this.nodes = Object.create(ctx.nodes); this.data = Object.create(ctx.data); this.fn = Object.create(ctx.fn); if (ctx.functions) { this.functions = Object.create(ctx.functions); this.functions.context = this; } } Context.prototype = Subcontext.prototype = { fork() { const ctx = new Subcontext(this); (this.subcontext || (this.subcontext = [])).push(ctx); return ctx; }, detach(ctx) { this.subcontext = this.subcontext.filter(c => c !== ctx); // disconnect all nodes in the subcontext // wipe out targets first for better efficiency const keys = Object.keys(ctx.nodes); for (const key of keys) ctx.nodes[key]._targets = null; for (const key of keys) ctx.nodes[key].detach(); ctx.nodes = null; }, get(id) { return this.nodes[id]; }, set(id, node) { return this.nodes[id] = node; }, add(spec, op) { const ctx = this, df = ctx.dataflow, data = spec.value; ctx.set(spec.id, op); if (isCollect(spec.type) && data) { if (data.$ingest) { df.ingest(op, data.$ingest, data.$format); } else if (data.$request) { df.preload(op, data.$request, data.$format); } else { df.pulse(op, df.changeset().insert(data)); } } if (spec.root) { ctx.root = op; } if (spec.parent) { let p = ctx.get(spec.parent.$ref); if (p) { df.connect(p, [op]); op.targets().add(p); } else { (ctx.unresolved = ctx.unresolved || []).push(() => { p = ctx.get(spec.parent.$ref); df.connect(p, [op]); op.targets().add(p); }); } } if (spec.signal) { ctx.signals[spec.signal] = op; } if (spec.scale) { ctx.scales[spec.scale] = op; } if (spec.data) { for (const name in spec.data) { const data = ctx.data[name] || (ctx.data[name] = {}); spec.data[name].forEach(role => data[role] = op); } } }, resolve() { (this.unresolved || []).forEach(fn => fn()); delete this.unresolved; return this; }, operator(spec, update) { this.add(spec, this.dataflow.add(spec.value, update)); }, transform(spec, type) { this.add(spec, this.dataflow.add(this.transforms[canonicalType(type)])); }, stream(spec, stream) { this.set(spec.id, stream); }, update(spec, stream, target, update, params) { this.dataflow.on(stream, target, update, params, spec.options); }, // expression parsing operatorExpression(expr) { return this.expr.operator(this, expr); }, parameterExpression(expr) { return this.expr.parameter(this, expr); }, eventExpression(expr) { return this.expr.event(this, expr); }, handlerExpression(expr) { return this.expr.handler(this, expr); }, encodeExpression(encode) { return this.expr.encode(this, encode); }, // parse methods parse: vega_runtime_module_parse, parseOperator, parseOperatorParameters, parseParameters, parseStream, parseUpdate, // state methods getState, setState }; ;// CONCATENATED MODULE: ../node_modules/d3-timer/src/interval.js /* harmony default export */ function interval(callback, delay, time) { var t = new timer/* Timer */.B7, total = delay; if (delay == null) return t.restart(callback, delay, time), t; t._restart = t.restart; t.restart = function(callback, delay, time) { delay = +delay, time = time == null ? (0,timer/* now */.zO)() : +time; t._restart(function tick(elapsed) { elapsed += total; t._restart(tick, total += delay, time); callback(elapsed); }, delay, time); } t.restart(callback, delay, time); return t; } ;// CONCATENATED MODULE: ../node_modules/vega-view/build/vega-view.module.js // initialize aria role and label attributes function initializeAria(view) { const el = view.container(); if (el) { el.setAttribute('role', 'graphics-document'); el.setAttribute('aria-roleDescription', 'visualization'); ariaLabel(el, view.description()); } } // update aria-label if we have a DOM container element function ariaLabel(el, desc) { if (el) desc == null ? el.removeAttribute('aria-label') : el.setAttribute('aria-label', desc); } function vega_view_module_background (view) { // respond to background signal view.add(null, _ => { view._background = _.bg; view._resize = 1; return _.bg; }, { bg: view._signals.background }); } const Default = 'default'; function cursor (view) { // get cursor signal, add to dataflow if needed const cursor = view._signals.cursor || (view._signals.cursor = view.add({ user: Default, item: null })); // evaluate cursor on each pointermove event view.on(view.events('view', 'pointermove'), cursor, (_, event) => { const value = cursor.value, user = value ? vega_util_module_isString(value) ? value : value.user : Default, item = event.item && event.item.cursor || null; return value && user === value.user && item == value.item ? value : { user: user, item: item }; }); // when cursor signal updates, set visible cursor view.add(null, function (_) { let user = _.cursor, item = this.value; if (!vega_util_module_isString(user)) { item = user.item; user = user.user; } setCursor(view, user && user !== Default ? user : item || user); return item; }, { cursor: cursor }); } function setCursor(view, cursor) { const el = view.globalCursor() ? typeof document !== 'undefined' && document.body : view.container(); if (el) { return cursor == null ? el.style.removeProperty('cursor') : el.style.cursor = cursor; } } function dataref(view, name) { var data = view._runtime.data; if (!has(data, name)) { vega_util_module_error('Unrecognized data set: ' + name); } return data[name]; } function vega_view_module_data(name, values) { return arguments.length < 2 ? dataref(this, name).values.value : change.call(this, name, changeset().remove(truthy).insert(values)); } function change(name, changes) { if (!isChangeSet(changes)) { vega_util_module_error('Second argument to changes must be a changeset.'); } const dataset = dataref(this, name); dataset.modified = true; return this.pulse(dataset.input, changes); } function insert(name, _) { return change.call(this, name, changeset().insert(_)); } function vega_view_module_remove(name, _) { return change.call(this, name, changeset().remove(_)); } function width(view) { var padding = view.padding(); return Math.max(0, view._viewWidth + padding.left + padding.right); } function height(view) { var padding = view.padding(); return Math.max(0, view._viewHeight + padding.top + padding.bottom); } function vega_view_module_offset(view) { var padding = view.padding(), origin = view._origin; return [padding.left + origin[0], padding.top + origin[1]]; } function resizeRenderer(view) { var origin = vega_view_module_offset(view), w = width(view), h = height(view); view._renderer.background(view.background()); view._renderer.resize(w, h, origin); view._handler.origin(origin); view._resizeListeners.forEach(handler => { try { handler(w, h); } catch (error) { view.error(error); } }); } /** * Extend an event with additional view-specific methods. * Adds a new property ('vega') to an event that provides a number * of methods for querying information about the current interaction. * The vega object provides the following methods: * view - Returns the backing View instance. * item - Returns the currently active scenegraph item (if any). * group - Returns the currently active scenegraph group (if any). * This method accepts a single string-typed argument indicating the name * of the desired parent group. The scenegraph will be traversed from * the item up towards the root to search for a matching group. If no * argument is provided the enclosing group for the active item is * returned, unless the item it itself a group, in which case it is * returned directly. * xy - Returns a two-element array containing the x and y coordinates for * mouse or touch events. For touch events, this is based on the first * elements in the changedTouches array. This method accepts a single * argument: either an item instance or mark name that should serve as * the reference coordinate system. If no argument is provided the * top-level view coordinate system is assumed. * x - Returns the current x-coordinate, accepts the same arguments as xy. * y - Returns the current y-coordinate, accepts the same arguments as xy. * @param {Event} event - The input event to extend. * @param {Item} item - The currently active scenegraph item (if any). * @return {Event} - The extended input event. */ function eventExtend (view, event, item) { var r = view._renderer, el = r && r.canvas(), p, e, translate; if (el) { translate = vega_view_module_offset(view); e = event.changedTouches ? event.changedTouches[0] : event; p = vega_scenegraph_module_point(e, el); p[0] -= translate[0]; p[1] -= translate[1]; } event.dataflow = view; event.item = item; event.vega = extension(view, item, p); return event; } function extension(view, item, point) { const itemGroup = item ? item.mark.marktype === 'group' ? item : item.mark.group : null; function group(name) { var g = itemGroup, i; if (name) for (i = item; i; i = i.mark.group) { if (i.mark.name === name) { g = i; break; } } return g && g.mark && g.mark.interactive ? g : {}; } function xy(item) { if (!item) return point; if (vega_util_module_isString(item)) item = group(item); const p = point.slice(); while (item) { p[0] -= item.x || 0; p[1] -= item.y || 0; item = item.mark && item.mark.group; } return p; } return { view: vega_util_module_constant(view), item: vega_util_module_constant(item || {}), group: group, xy: xy, x: item => xy(item)[0], y: item => xy(item)[1] }; } const VIEW = 'view', TIMER = 'timer', WINDOW = 'window', NO_TRAP = { trap: false }; /** * Initialize event handling configuration. * @param {object} config - The configuration settings. * @return {object} */ function initializeEventConfig(config) { const events = extend({ defaults: {} }, config); const unpack = (obj, keys) => { keys.forEach(k => { if (isArray(obj[k])) obj[k] = vega_util_module_toSet(obj[k]); }); }; unpack(events.defaults, ['prevent', 'allow']); unpack(events, ['view', 'window', 'selector']); return events; } function trackEventListener(view, sources, type, handler) { view._eventListeners.push({ type: type, sources: array(sources), handler: handler }); } function prevent(view, type) { var def = view._eventConfig.defaults, prevent = def.prevent, allow = def.allow; return prevent === false || allow === true ? false : prevent === true || allow === false ? true : prevent ? prevent[type] : allow ? !allow[type] : view.preventDefault(); } function permit(view, key, type) { const rule = view._eventConfig && view._eventConfig[key]; if (rule === false || isObject(rule) && !rule[type]) { view.warn(`Blocked ${key} ${type} event listener.`); return false; } return true; } /** * Create a new event stream from an event source. * @param {object} source - The event source to monitor. * @param {string} type - The event type. * @param {function(object): boolean} [filter] - Event filter function. * @return {EventStream} */ function vega_view_module_events(source, type, filter) { var view = this, s = new EventStream(filter), send = function (e, item) { view.runAsync(null, () => { if (source === VIEW && prevent(view, type)) { e.preventDefault(); } s.receive(eventExtend(view, e, item)); }); }, sources; if (source === TIMER) { if (permit(view, 'timer', type)) { view.timer(send, type); } } else if (source === VIEW) { if (permit(view, 'view', type)) { // send traps errors, so use {trap: false} option view.addEventListener(type, send, NO_TRAP); } } else { if (source === WINDOW) { if (permit(view, 'window', type) && typeof window !== 'undefined') { sources = [window]; } } else if (typeof document !== 'undefined') { if (permit(view, 'selector', type)) { sources = Array.from(document.querySelectorAll(source)); } } if (!sources) { view.warn('Can not resolve event source: ' + source); } else { for (var i = 0, n = sources.length; i < n; ++i) { sources[i].addEventListener(type, send); } trackEventListener(view, sources, type, send); } } return s; } function itemFilter(event) { return event.item; } function markTarget(event) { // grab upstream collector feeding the mark operator return event.item.mark.source; } function invoke(name) { return function (_, event) { return event.vega.view().changeset().encode(event.item, name); }; } function hover (hoverSet, leaveSet) { hoverSet = [hoverSet || 'hover']; leaveSet = [leaveSet || 'update', hoverSet[0]]; // invoke hover set upon pointerover this.on(this.events('view', 'pointerover', itemFilter), markTarget, invoke(hoverSet)); // invoke leave set upon pointerout this.on(this.events('view', 'pointerout', itemFilter), markTarget, invoke(leaveSet)); return this; } /** * Finalize a View instance that is being removed. * Cancel any running timers. * Remove all external event listeners. * Remove any currently displayed tooltip. */ function finalize () { var tooltip = this._tooltip, timers = this._timers, handlers = this._handler.handlers(), listeners = this._eventListeners, n, m, e, h, t; n = timers.length; while (--n >= 0) { timers[n].stop(); } n = listeners.length; while (--n >= 0) { e = listeners[n]; m = e.sources.length; while (--m >= 0) { e.sources[m].removeEventListener(e.type, e.handler); } } if (tooltip) { tooltip.call(this, this._handler, null, null, null); } // turn off all registered handlers n = handlers.length; while (--n >= 0) { t = handlers[n].type; h = handlers[n].handler; this._handler.off(t, h); } return this; } function vega_view_module_element (tag, attr, text) { const el = document.createElement(tag); for (const key in attr) el.setAttribute(key, attr[key]); if (text != null) el.textContent = text; return el; } const BindClass = 'vega-bind', NameClass = 'vega-bind-name', RadioClass = 'vega-bind-radio'; /** * Bind a signal to an external HTML input element. The resulting two-way * binding will propagate input changes to signals, and propagate signal * changes to the input element state. If this view instance has no parent * element, we assume the view is headless and no bindings are created. * @param {Element|string} el - The parent DOM element to which the input * element should be appended as a child. If string-valued, this argument * will be treated as a CSS selector. If null or undefined, the parent * element of this view will be used as the element. * @param {object} param - The binding parameters which specify the signal * to bind to, the input element type, and type-specific configuration. * @return {View} - This view instance. */ function vega_view_module_bind (view, el, binding) { if (!el) return; const param = binding.param; let bind = binding.state; if (!bind) { bind = binding.state = { elements: null, active: false, set: null, update: value => { if (value != view.signal(param.signal)) { view.runAsync(null, () => { bind.source = true; view.signal(param.signal, value); }); } } }; if (param.debounce) { bind.update = debounce(param.debounce, bind.update); } } const create = param.input == null && param.element ? target : vega_view_module_generate; create(bind, el, param, view); if (!bind.active) { view.on(view._signals[param.signal], null, () => { bind.source ? bind.source = false : bind.set(view.signal(param.signal)); }); bind.active = true; } return bind; } /** * Bind the signal to an external EventTarget. */ function target(bind, node, param, view) { const type = param.event || 'input'; const handler = () => bind.update(node.value); // initialize signal value to external input value view.signal(param.signal, node.value); // listen for changes on the element node.addEventListener(type, handler); // register with view, so we can remove it upon finalization trackEventListener(view, node, type, handler); // propagate change to element bind.set = value => { node.value = value; node.dispatchEvent(vega_view_module_event(type)); }; } function vega_view_module_event(type) { return typeof Event !== 'undefined' ? new Event(type) : { type }; } /** * Generate an HTML input form element and bind it to a signal. */ function vega_view_module_generate(bind, el, param, view) { const value = view.signal(param.signal); const div = vega_view_module_element('div', { 'class': BindClass }); const wrapper = param.input === 'radio' ? div : div.appendChild(vega_view_module_element('label')); wrapper.appendChild(vega_view_module_element('span', { 'class': NameClass }, param.name || param.signal)); el.appendChild(div); let input = vega_view_module_form; switch (param.input) { case 'checkbox': input = vega_view_module_checkbox; break; case 'select': input = vega_view_module_select; break; case 'radio': input = vega_view_module_radio; break; case 'range': input = vega_view_module_range; break; } input(bind, wrapper, param, value); } /** * Generates an arbitrary input form element. * The input type is controlled via user-provided parameters. */ function vega_view_module_form(bind, el, param, value) { const node = vega_view_module_element('input'); for (const key in param) { if (key !== 'signal' && key !== 'element') { node.setAttribute(key === 'input' ? 'type' : key, param[key]); } } node.setAttribute('name', param.signal); node.value = value; el.appendChild(node); node.addEventListener('input', () => bind.update(node.value)); bind.elements = [node]; bind.set = value => node.value = value; } /** * Generates a checkbox input element. */ function vega_view_module_checkbox(bind, el, param, value) { const attr = { type: 'checkbox', name: param.signal }; if (value) attr.checked = true; const node = vega_view_module_element('input', attr); el.appendChild(node); node.addEventListener('change', () => bind.update(node.checked)); bind.elements = [node]; bind.set = value => node.checked = !!value || null; } /** * Generates a selection list input element. */ function vega_view_module_select(bind, el, param, value) { const node = vega_view_module_element('select', { name: param.signal }), labels = param.labels || []; param.options.forEach((option, i) => { const attr = { value: option }; if (valuesEqual(option, value)) attr.selected = true; node.appendChild(vega_view_module_element('option', attr, (labels[i] || option) + '')); }); el.appendChild(node); node.addEventListener('change', () => { bind.update(param.options[node.selectedIndex]); }); bind.elements = [node]; bind.set = value => { for (let i = 0, n = param.options.length; i < n; ++i) { if (valuesEqual(param.options[i], value)) { node.selectedIndex = i; return; } } }; } /** * Generates a radio button group. */ function vega_view_module_radio(bind, el, param, value) { const group = vega_view_module_element('span', { 'class': RadioClass }), labels = param.labels || []; el.appendChild(group); bind.elements = param.options.map((option, i) => { const attr = { type: 'radio', name: param.signal, value: option }; if (valuesEqual(option, value)) attr.checked = true; const input = vega_view_module_element('input', attr); input.addEventListener('change', () => bind.update(option)); const label = vega_view_module_element('label', {}, (labels[i] || option) + ''); label.prepend(input); group.appendChild(label); return input; }); bind.set = value => { const nodes = bind.elements, n = nodes.length; for (let i = 0; i < n; ++i) { if (valuesEqual(nodes[i].value, value)) nodes[i].checked = true; } }; } /** * Generates a slider input element. */ function vega_view_module_range(bind, el, param, value) { value = value !== undefined ? value : (+param.max + +param.min) / 2; const max = param.max != null ? param.max : Math.max(100, +value) || 100, min = param.min || Math.min(0, max, +value) || 0, step = param.step || (0,ticks/* tickStep */.ly)(min, max, 100); const node = vega_view_module_element('input', { type: 'range', name: param.signal, min: min, max: max, step: step }); node.value = value; const span = vega_view_module_element('span', {}, +value); el.appendChild(node); el.appendChild(span); const update = () => { span.textContent = node.value; bind.update(+node.value); }; // subscribe to both input and change node.addEventListener('input', update); node.addEventListener('change', update); bind.elements = [node]; bind.set = value => { node.value = value; span.textContent = value; }; } function valuesEqual(a, b) { return a === b || a + '' === b + ''; } function initializeRenderer (view, r, el, constructor, scaleFactor, opt) { r = r || new constructor(view.loader()); return r.initialize(el, width(view), height(view), vega_view_module_offset(view), scaleFactor, opt).background(view.background()); } function trap (view, fn) { return !fn ? null : function () { try { fn.apply(this, arguments); } catch (error) { view.error(error); } }; } function initializeHandler (view, prevHandler, el, constructor) { // instantiate scenegraph handler const handler = new constructor(view.loader(), trap(view, view.tooltip())).scene(view.scenegraph().root).initialize(el, vega_view_module_offset(view), view); // transfer event handlers if (prevHandler) { prevHandler.handlers().forEach(h => { handler.on(h.type, h.handler); }); } return handler; } function vega_view_module_initialize (el, elBind) { const view = this, type = view._renderType, config = view._eventConfig.bind, module = renderModule(type); // containing dom element el = view._el = el ? vega_view_module_lookup(view, el, true) : null; // initialize aria attributes initializeAria(view); // select appropriate renderer & handler if (!module) view.error('Unrecognized renderer type: ' + type); const Handler = module.handler || CanvasHandler, Renderer = el ? module.renderer : module.headless; // initialize renderer and input handler view._renderer = !Renderer ? null : initializeRenderer(view, view._renderer, el, Renderer); view._handler = initializeHandler(view, view._handler, el, Handler); view._redraw = true; // initialize signal bindings if (el && config !== 'none') { elBind = elBind ? view._elBind = vega_view_module_lookup(view, elBind, true) : el.appendChild(vega_view_module_element('form', { 'class': 'vega-bindings' })); view._bind.forEach(_ => { if (_.param.element && config !== 'container') { _.element = vega_view_module_lookup(view, _.param.element, !!_.param.input); } }); view._bind.forEach(_ => { vega_view_module_bind(view, _.element || elBind, _); }); } return view; } function vega_view_module_lookup(view, el, clear) { if (typeof el === 'string') { if (typeof document !== 'undefined') { el = document.querySelector(el); if (!el) { view.error('Signal bind element not found: ' + el); return null; } } else { view.error('DOM document instance not found.'); return null; } } if (el && clear) { try { el.textContent = ''; } catch (e) { el = null; view.error(e); } } return el; } const vega_view_module_number = _ => +_ || 0; const paddingObject = _ => ({ top: _, bottom: _, left: _, right: _ }); function padding (_) { return isObject(_) ? { top: vega_view_module_number(_.top), bottom: vega_view_module_number(_.bottom), left: vega_view_module_number(_.left), right: vega_view_module_number(_.right) } : paddingObject(vega_view_module_number(_)); } /** * Render the current scene in a headless fashion. * This method is asynchronous, returning a Promise instance. * @return {Promise} - A Promise that resolves to a renderer. */ async function renderHeadless (view, type, scaleFactor, opt) { const module = renderModule(type), ctr = module && module.headless; if (!ctr) vega_util_module_error('Unrecognized renderer type: ' + type); await view.runAsync(); return initializeRenderer(view, null, null, ctr, scaleFactor, opt).renderAsync(view._scenegraph.root); } /** * Produce an image URL for the visualization. Depending on the type * parameter, the generated URL contains data for either a PNG or SVG image. * The URL can be used (for example) to download images of the visualization. * This method is asynchronous, returning a Promise instance. * @param {string} type - The image type. One of 'svg', 'png' or 'canvas'. * The 'canvas' and 'png' types are synonyms for a PNG image. * @return {Promise} - A promise that resolves to an image URL. */ async function renderToImageURL (type, scaleFactor) { if (type !== RenderType.Canvas && type !== RenderType.SVG && type !== RenderType.PNG) { vega_util_module_error('Unrecognized image type: ' + type); } const r = await renderHeadless(this, type, scaleFactor); return type === RenderType.SVG ? toBlobURL(r.svg(), 'image/svg+xml') : r.canvas().toDataURL('image/png'); } function toBlobURL(data, mime) { const blob = new Blob([data], { type: mime }); return window.URL.createObjectURL(blob); } /** * Produce a Canvas instance containing a rendered visualization. * This method is asynchronous, returning a Promise instance. * @return {Promise} - A promise that resolves to a Canvas instance. */ async function renderToCanvas (scaleFactor, opt) { const r = await renderHeadless(this, RenderType.Canvas, scaleFactor, opt); return r.canvas(); } /** * Produce a rendered SVG string of the visualization. * This method is asynchronous, returning a Promise instance. * @return {Promise} - A promise that resolves to an SVG string. */ async function renderToSVG (scaleFactor) { const r = await renderHeadless(this, RenderType.SVG, scaleFactor); return r.svg(); } function runtime (view, spec, expr) { return vega_runtime_module_context(view, transforms, functionContext, expr).parse(spec); } function vega_view_module_scale(name) { var scales = this._runtime.scales; if (!has(scales, name)) { vega_util_module_error('Unrecognized scale or projection: ' + name); } return scales[name].value; } var Width = 'width', Height = 'height', vega_view_module_Padding = 'padding', vega_view_module_Skip = { skip: true }; function viewWidth(view, width) { var a = view.autosize(), p = view.padding(); return width - (a && a.contains === vega_view_module_Padding ? p.left + p.right : 0); } function viewHeight(view, height) { var a = view.autosize(), p = view.padding(); return height - (a && a.contains === vega_view_module_Padding ? p.top + p.bottom : 0); } function initializeResize(view) { var s = view._signals, w = s[Width], h = s[Height], p = s[vega_view_module_Padding]; function resetSize() { view._autosize = view._resize = 1; } // respond to width signal view._resizeWidth = view.add(null, _ => { view._width = _.size; view._viewWidth = viewWidth(view, _.size); resetSize(); }, { size: w }); // respond to height signal view._resizeHeight = view.add(null, _ => { view._height = _.size; view._viewHeight = viewHeight(view, _.size); resetSize(); }, { size: h }); // respond to padding signal const resizePadding = view.add(null, resetSize, { pad: p }); // set rank to run immediately after source signal view._resizeWidth.rank = w.rank + 1; view._resizeHeight.rank = h.rank + 1; resizePadding.rank = p.rank + 1; } function resizeView(viewWidth, viewHeight, width, height, origin, auto) { this.runAfter(view => { let rerun = 0; // reset autosize flag view._autosize = 0; // width value changed: update signal, skip resize op if (view.width() !== width) { rerun = 1; view.signal(Width, width, vega_view_module_Skip); // set width, skip update calc view._resizeWidth.skip(true); // skip width resize handler } // height value changed: update signal, skip resize op if (view.height() !== height) { rerun = 1; view.signal(Height, height, vega_view_module_Skip); // set height, skip update calc view._resizeHeight.skip(true); // skip height resize handler } // view width changed: update view property, set resize flag if (view._viewWidth !== viewWidth) { view._resize = 1; view._viewWidth = viewWidth; } // view height changed: update view property, set resize flag if (view._viewHeight !== viewHeight) { view._resize = 1; view._viewHeight = viewHeight; } // origin changed: update view property, set resize flag if (view._origin[0] !== origin[0] || view._origin[1] !== origin[1]) { view._resize = 1; view._origin = origin; } // run dataflow on width/height signal change if (rerun) view.run('enter'); if (auto) view.runAfter(v => v.resize()); }, false, 1); } /** * Get the current view state, consisting of signal values and/or data sets. * @param {object} [options] - Options flags indicating which state to export. * If unspecified, all signals and data sets will be exported. * @param {function(string, Operator):boolean} [options.signals] - Optional * predicate function for testing if a signal should be included in the * exported state. If unspecified, all signals will be included, except for * those named 'parent' or those which refer to a Transform value. * @param {function(string, object):boolean} [options.data] - Optional * predicate function for testing if a data set's input should be included * in the exported state. If unspecified, all data sets that have been * explicitly modified will be included. * @param {boolean} [options.recurse=true] - Flag indicating if the exported * state should recursively include state from group mark sub-contexts. * @return {object} - An object containing the exported state values. */ function vega_view_module_getState(options) { return this._runtime.getState(options || { data: dataTest, signals: signalTest, recurse: true }); } function dataTest(name, data) { return data.modified && isArray(data.input.value) && !name.startsWith('_:vega:_'); } function signalTest(name, op) { return !(name === 'parent' || op instanceof transforms.proxy); } /** * Sets the current view state and updates the view by invoking run. * @param {object} state - A state object containing signal and/or * data set values, following the format used by the getState method. * @return {View} - This view instance. */ function vega_view_module_setState(state) { this.runAsync(null, v => { v._trigger = false; v._runtime.setState(state); }, v => { v._trigger = true; }); return this; } function vega_view_module_timer (callback, delay) { function tick(elapsed) { callback({ timestamp: Date.now(), elapsed: elapsed }); } this._timers.push(interval(tick, delay)); } function vega_view_module_defaultTooltip (handler, event, item, value) { const el = handler.element(); if (el) el.setAttribute('title', formatTooltip(value)); } function formatTooltip(value) { return value == null ? '' : isArray(value) ? formatArray(value) : isObject(value) && !isDate(value) ? formatObject(value) : value + ''; } function formatObject(obj) { return Object.keys(obj).map(key => { const v = obj[key]; return key + ': ' + (isArray(v) ? formatArray(v) : vega_view_module_formatValue(v)); }).join('\n'); } function formatArray(value) { return '[' + value.map(vega_view_module_formatValue).join(', ') + ']'; } function vega_view_module_formatValue(value) { return isArray(value) ? '[\u2026]' : isObject(value) && !isDate(value) ? '{\u2026}' : value; } function watchPixelRatio () { // based on https://developer.mozilla.org/en-US/docs/Web/API/Window/devicePixelRatio#monitoring_screen_resolution_or_zoom_level_changes if (this.renderer() === 'canvas' && this._renderer._canvas) { let remove = null; const updatePixelRatio = () => { if (remove != null) { remove(); } const media = matchMedia(`(resolution: ${window.devicePixelRatio}dppx)`); media.addEventListener('change', updatePixelRatio); remove = () => { media.removeEventListener('change', updatePixelRatio); }; this._renderer._canvas.getContext('2d').pixelRatio = window.devicePixelRatio || 1; this._redraw = true; this._resize = 1; this.resize().runAsync(); }; updatePixelRatio(); } } /** * Create a new View instance from a Vega dataflow runtime specification. * The generated View will not immediately be ready for display. Callers * should also invoke the initialize method (e.g., to set the parent * DOM element in browser-based deployment) and then invoke the run * method to evaluate the dataflow graph. Rendering will automatically * be performed upon dataflow runs. * @constructor * @param {object} spec - The Vega dataflow runtime specification. */ function View(spec, options) { const view = this; options = options || {}; Dataflow.call(view); if (options.loader) view.loader(options.loader); if (options.logger) view.logger(options.logger); if (options.logLevel != null) view.logLevel(options.logLevel); if (options.locale || spec.locale) { const loc = extend({}, spec.locale, options.locale); view.locale(vega_format_module_locale(loc.number, loc.time)); } view._el = null; view._elBind = null; view._renderType = options.renderer || RenderType.Canvas; view._scenegraph = new Scenegraph(); const root = view._scenegraph.root; // initialize renderer, handler and event management view._renderer = null; view._tooltip = options.tooltip || vega_view_module_defaultTooltip, view._redraw = true; view._handler = new CanvasHandler().scene(root); view._globalCursor = false; view._preventDefault = false; view._timers = []; view._eventListeners = []; view._resizeListeners = []; // initialize event configuration view._eventConfig = initializeEventConfig(spec.eventConfig); view.globalCursor(view._eventConfig.globalCursor); // initialize dataflow graph const ctx = runtime(view, spec, options.expr); view._runtime = ctx; view._signals = ctx.signals; view._bind = (spec.bindings || []).map(_ => ({ state: null, param: extend({}, _) })); // initialize scenegraph if (ctx.root) ctx.root.set(root); root.source = ctx.data.root.input; view.pulse(ctx.data.root.input, view.changeset().insert(root.items)); // initialize view size view._width = view.width(); view._height = view.height(); view._viewWidth = viewWidth(view, view._width); view._viewHeight = viewHeight(view, view._height); view._origin = [0, 0]; view._resize = 0; view._autosize = 1; initializeResize(view); // initialize background color vega_view_module_background(view); // initialize cursor cursor(view); // initialize view description view.description(spec.description); // initialize hover proessing, if requested if (options.hover) view.hover(); // initialize DOM container(s) and renderer if (options.container) view.initialize(options.container, options.bind); if (options.watchPixelRatio) view._watchPixelRatio(); } function lookupSignal(view, name) { return has(view._signals, name) ? view._signals[name] : vega_util_module_error('Unrecognized signal name: ' + $(name)); } function findOperatorHandler(op, handler) { const h = (op._targets || []).filter(op => op._update && op._update.handler === handler); return h.length ? h[0] : null; } function addOperatorListener(view, name, op, handler) { let h = findOperatorHandler(op, handler); if (!h) { h = trap(view, () => handler(name, op.value)); h.handler = handler; view.on(op, null, h); } return view; } function removeOperatorListener(view, op, handler) { const h = findOperatorHandler(op, handler); if (h) op._targets.remove(h); return view; } inherits(View, Dataflow, { // -- DATAFLOW / RENDERING ---- async evaluate(encode, prerun, postrun) { // evaluate dataflow and prerun await Dataflow.prototype.evaluate.call(this, encode, prerun); // render as needed if (this._redraw || this._resize) { try { if (this._renderer) { if (this._resize) { this._resize = 0; resizeRenderer(this); } await this._renderer.renderAsync(this._scenegraph.root); } this._redraw = false; } catch (e) { this.error(e); } } // evaluate postrun if (postrun) asyncCallback(this, postrun); return this; }, dirty(item) { this._redraw = true; this._renderer && this._renderer.dirty(item); }, // -- GET / SET ---- description(text) { if (arguments.length) { const desc = text != null ? text + '' : null; if (desc !== this._desc) ariaLabel(this._el, this._desc = desc); return this; } return this._desc; }, container() { return this._el; }, scenegraph() { return this._scenegraph; }, origin() { return this._origin.slice(); }, signal(name, value, options) { const op = lookupSignal(this, name); return arguments.length === 1 ? op.value : this.update(op, value, options); }, width(_) { return arguments.length ? this.signal('width', _) : this.signal('width'); }, height(_) { return arguments.length ? this.signal('height', _) : this.signal('height'); }, padding(_) { return arguments.length ? this.signal('padding', padding(_)) : padding(this.signal('padding')); }, autosize(_) { return arguments.length ? this.signal('autosize', _) : this.signal('autosize'); }, background(_) { return arguments.length ? this.signal('background', _) : this.signal('background'); }, renderer(type) { if (!arguments.length) return this._renderType; if (!renderModule(type)) vega_util_module_error('Unrecognized renderer type: ' + type); if (type !== this._renderType) { this._renderType = type; this._resetRenderer(); } return this; }, tooltip(handler) { if (!arguments.length) return this._tooltip; if (handler !== this._tooltip) { this._tooltip = handler; this._resetRenderer(); } return this; }, loader(loader) { if (!arguments.length) return this._loader; if (loader !== this._loader) { Dataflow.prototype.loader.call(this, loader); this._resetRenderer(); } return this; }, resize() { // set flag to perform autosize this._autosize = 1; // touch autosize signal to ensure top-level ViewLayout runs return this.touch(lookupSignal(this, 'autosize')); }, _resetRenderer() { if (this._renderer) { this._renderer = null; this.initialize(this._el, this._elBind); } }, // -- SIZING ---- _resizeView: resizeView, // -- EVENT HANDLING ---- addEventListener(type, handler, options) { let callback = handler; if (!(options && options.trap === false)) { // wrap callback in error handler callback = trap(this, handler); callback.raw = handler; } this._handler.on(type, callback); return this; }, removeEventListener(type, handler) { var handlers = this._handler.handlers(type), i = handlers.length, h, t; // search registered handlers, remove if match found while (--i >= 0) { t = handlers[i].type; h = handlers[i].handler; if (type === t && (handler === h || handler === h.raw)) { this._handler.off(t, h); break; } } return this; }, addResizeListener(handler) { const l = this._resizeListeners; if (!l.includes(handler)) { // add handler if it isn't already registered // note: error trapping handled elsewhere, so // no need to wrap handlers here l.push(handler); } return this; }, removeResizeListener(handler) { var l = this._resizeListeners, i = l.indexOf(handler); if (i >= 0) { l.splice(i, 1); } return this; }, addSignalListener(name, handler) { return addOperatorListener(this, name, lookupSignal(this, name), handler); }, removeSignalListener(name, handler) { return removeOperatorListener(this, lookupSignal(this, name), handler); }, addDataListener(name, handler) { return addOperatorListener(this, name, dataref(this, name).values, handler); }, removeDataListener(name, handler) { return removeOperatorListener(this, dataref(this, name).values, handler); }, globalCursor(_) { if (arguments.length) { if (this._globalCursor !== !!_) { const prev = setCursor(this, null); // clear previous cursor this._globalCursor = !!_; if (prev) setCursor(this, prev); // swap cursor } return this; } else { return this._globalCursor; } }, preventDefault(_) { if (arguments.length) { this._preventDefault = _; return this; } else { return this._preventDefault; } }, timer: vega_view_module_timer, events: vega_view_module_events, finalize, hover, // -- DATA ---- data: vega_view_module_data, change, insert, remove: vega_view_module_remove, // -- SCALES -- scale: vega_view_module_scale, // -- INITIALIZATION ---- initialize: vega_view_module_initialize, // -- HEADLESS RENDERING ---- toImageURL: renderToImageURL, toCanvas: renderToCanvas, toSVG: renderToSVG, // -- SAVE / RESTORE STATE ---- getState: vega_view_module_getState, setState: vega_view_module_setState, // RE-RENDER ON ZOOM _watchPixelRatio: watchPixelRatio }); ;// CONCATENATED MODULE: ../node_modules/vega-event-selector/build/vega-event-selector.module.js const vega_event_selector_module_VIEW = 'view', LBRACK = '[', RBRACK = ']', LBRACE = '{', RBRACE = '}', COLON = ':', COMMA = ',', NAME = '@', GT = '>', vega_event_selector_module_ILLEGAL = /[[\]{}]/, DEFAULT_MARKS = { '*': 1, arc: 1, area: 1, group: 1, image: 1, line: 1, path: 1, rect: 1, rule: 1, shape: 1, symbol: 1, text: 1, trail: 1 }; let DEFAULT_SOURCE, MARKS; /** * Parse an event selector string. * Returns an array of event stream definitions. */ function eventSelector (selector, source, marks) { DEFAULT_SOURCE = source || vega_event_selector_module_VIEW; MARKS = marks || DEFAULT_MARKS; return parseMerge(selector.trim()).map(parseSelector); } function isMarkType(type) { return MARKS[type]; } function vega_event_selector_module_find(s, i, endChar, pushChar, popChar) { const n = s.length; let count = 0, c; for (; i < n; ++i) { c = s[i]; if (!count && c === endChar) return i;else if (popChar && popChar.indexOf(c) >= 0) --count;else if (pushChar && pushChar.indexOf(c) >= 0) ++count; } return i; } function parseMerge(s) { const output = [], n = s.length; let start = 0, i = 0; while (i < n) { i = vega_event_selector_module_find(s, i, COMMA, LBRACK + LBRACE, RBRACK + RBRACE); output.push(s.substring(start, i).trim()); start = ++i; } if (output.length === 0) { throw 'Empty event selector: ' + s; } return output; } function parseSelector(s) { return s[0] === '[' ? parseBetween(s) : vega_event_selector_module_parseStream(s); } function parseBetween(s) { const n = s.length; let i = 1, b; i = vega_event_selector_module_find(s, i, RBRACK, LBRACK, RBRACK); if (i === n) { throw 'Empty between selector: ' + s; } b = parseMerge(s.substring(1, i)); if (b.length !== 2) { throw 'Between selector must have two elements: ' + s; } s = s.slice(i + 1).trim(); if (s[0] !== GT) { throw 'Expected \'>\' after between selector: ' + s; } b = b.map(parseSelector); const stream = parseSelector(s.slice(1).trim()); if (stream.between) { return { between: b, stream: stream }; } else { stream.between = b; } return stream; } function vega_event_selector_module_parseStream(s) { const stream = { source: DEFAULT_SOURCE }, source = []; let throttle = [0, 0], markname = 0, start = 0, n = s.length, i = 0, j, filter; // extract throttle from end if (s[n - 1] === RBRACE) { i = s.lastIndexOf(LBRACE); if (i >= 0) { try { throttle = parseThrottle(s.substring(i + 1, n - 1)); } catch (e) { throw 'Invalid throttle specification: ' + s; } s = s.slice(0, i).trim(); n = s.length; } else throw 'Unmatched right brace: ' + s; i = 0; } if (!n) throw s; // set name flag based on first char if (s[0] === NAME) markname = ++i; // extract first part of multi-part stream selector j = vega_event_selector_module_find(s, i, COLON); if (j < n) { source.push(s.substring(start, j).trim()); start = i = ++j; } // extract remaining part of stream selector i = vega_event_selector_module_find(s, i, LBRACK); if (i === n) { source.push(s.substring(start, n).trim()); } else { source.push(s.substring(start, i).trim()); filter = []; start = ++i; if (start === n) throw 'Unmatched left bracket: ' + s; } // extract filters while (i < n) { i = vega_event_selector_module_find(s, i, RBRACK); if (i === n) throw 'Unmatched left bracket: ' + s; filter.push(s.substring(start, i).trim()); if (i < n - 1 && s[++i] !== LBRACK) throw 'Expected left bracket: ' + s; start = ++i; } // marshall event stream specification if (!(n = source.length) || vega_event_selector_module_ILLEGAL.test(source[n - 1])) { throw 'Invalid event selector: ' + s; } if (n > 1) { stream.type = source[1]; if (markname) { stream.markname = source[0].slice(1); } else if (isMarkType(source[0])) { stream.marktype = source[0]; } else { stream.source = source[0]; } } else { stream.type = source[0]; } if (stream.type.slice(-1) === '!') { stream.consume = true; stream.type = stream.type.slice(0, -1); } if (filter != null) stream.filter = filter; if (throttle[0]) stream.throttle = throttle[0]; if (throttle[1]) stream.debounce = throttle[1]; return stream; } function parseThrottle(s) { const a = s.split(COMMA); if (!s.length || a.length > 2) throw s; return a.map(_ => { const x = +_; if (x !== x) throw s; return x; }); } ;// CONCATENATED MODULE: ../node_modules/vega-parser/build/vega-parser.module.js function parseAutosize (spec) { return isObject(spec) ? spec : { type: spec || 'pad' }; } const vega_parser_module_number = _ => +_ || 0; const vega_parser_module_paddingObject = _ => ({ top: _, bottom: _, left: _, right: _ }); function parsePadding (spec) { return !isObject(spec) ? vega_parser_module_paddingObject(vega_parser_module_number(spec)) : spec.signal ? spec : { top: vega_parser_module_number(spec.top), bottom: vega_parser_module_number(spec.bottom), left: vega_parser_module_number(spec.left), right: vega_parser_module_number(spec.right) }; } const encoder = _ => isObject(_) && !isArray(_) ? extend({}, _) : { value: _ }; function addEncode(object, name, value, set) { if (value != null) { const isEncoder = isObject(value) && !isArray(value) || isArray(value) && value.length && isObject(value[0]); // Always assign signal to update, even if the signal is from the enter block if (isEncoder) { object.update[name] = value; } else { object[set || 'enter'][name] = { value: value }; } return 1; } else { return 0; } } function addEncoders(object, enter, update) { for (const name in enter) { addEncode(object, name, enter[name]); } for (const name in update) { addEncode(object, name, update[name], 'update'); } } function extendEncode(encode, extra, skip) { for (const name in extra) { if (skip && has(skip, name)) continue; encode[name] = extend(encode[name] || {}, extra[name]); } return encode; } function vega_parser_module_has(key, encode) { return encode && (encode.enter && encode.enter[key] || encode.update && encode.update[key]); } const MarkRole = 'mark'; const vega_parser_module_FrameRole = 'frame'; const vega_parser_module_ScopeRole = 'scope'; const vega_parser_module_AxisRole = 'axis'; const AxisDomainRole = 'axis-domain'; const AxisGridRole = 'axis-grid'; const AxisLabelRole = 'axis-label'; const AxisTickRole = 'axis-tick'; const AxisTitleRole = 'axis-title'; const vega_parser_module_LegendRole = 'legend'; const LegendBandRole = 'legend-band'; const LegendEntryRole = 'legend-entry'; const LegendGradientRole = 'legend-gradient'; const LegendLabelRole = 'legend-label'; const LegendSymbolRole = 'legend-symbol'; const LegendTitleRole = 'legend-title'; const vega_parser_module_TitleRole = 'title'; const TitleTextRole = 'title-text'; const TitleSubtitleRole = 'title-subtitle'; function applyDefaults (encode, type, role, style, config) { const defaults = {}, enter = {}; let update, key, skip, props; // if text mark, apply global lineBreak settings (#2370) key = 'lineBreak'; if (type === 'text' && config[key] != null && !vega_parser_module_has(key, encode)) { applyDefault(defaults, key, config[key]); } // ignore legend and axis roles if (role == 'legend' || String(role).startsWith('axis')) { role = null; } // resolve mark config props = role === vega_parser_module_FrameRole ? config.group : role === MarkRole ? extend({}, config.mark, config[type]) : null; for (key in props) { // do not apply defaults if relevant fields are defined skip = vega_parser_module_has(key, encode) || (key === 'fill' || key === 'stroke') && (vega_parser_module_has('fill', encode) || vega_parser_module_has('stroke', encode)); if (!skip) applyDefault(defaults, key, props[key]); } // resolve styles, apply with increasing precedence array(style).forEach(name => { const props = config.style && config.style[name]; for (const key in props) { if (!vega_parser_module_has(key, encode)) { applyDefault(defaults, key, props[key]); } } }); encode = extend({}, encode); // defensive copy for (key in defaults) { props = defaults[key]; if (props.signal) { (update = update || {})[key] = props; } else { enter[key] = props; } } encode.enter = extend(enter, encode.enter); if (update) encode.update = extend(update, encode.update); return encode; } function applyDefault(defaults, key, value) { defaults[key] = value && value.signal ? { signal: value.signal } : { value: value }; } const scaleRef = scale => vega_util_module_isString(scale) ? $(scale) : scale.signal ? `(${scale.signal})` : vega_parser_module_field(scale); function entry$1(enc) { if (enc.gradient != null) { return vega_parser_module_gradient(enc); } let value = enc.signal ? `(${enc.signal})` : enc.color ? vega_parser_module_color(enc.color) : enc.field != null ? vega_parser_module_field(enc.field) : enc.value !== undefined ? $(enc.value) : undefined; if (enc.scale != null) { value = vega_parser_module_scale(enc, value); } if (value === undefined) { value = null; } if (enc.exponent != null) { value = `pow(${value},${property(enc.exponent)})`; } if (enc.mult != null) { value += `*${property(enc.mult)}`; } if (enc.offset != null) { value += `+${property(enc.offset)}`; } if (enc.round) { value = `round(${value})`; } return value; } const _color = (type, x, y, z) => `(${type}(${[x, y, z].map(entry$1).join(',')})+'')`; function vega_parser_module_color(enc) { return enc.c ? _color('hcl', enc.h, enc.c, enc.l) : enc.h || enc.s ? _color('hsl', enc.h, enc.s, enc.l) : enc.l || enc.a ? _color('lab', enc.l, enc.a, enc.b) : enc.r || enc.g || enc.b ? _color('rgb', enc.r, enc.g, enc.b) : null; } function vega_parser_module_gradient(enc) { // map undefined to null; expression lang does not allow undefined const args = [enc.start, enc.stop, enc.count].map(_ => _ == null ? null : $(_)); // trim null inputs from the end while (args.length && peek(args) == null) args.pop(); args.unshift(scaleRef(enc.gradient)); return `gradient(${args.join(',')})`; } function property(property) { return isObject(property) ? '(' + entry$1(property) + ')' : property; } function vega_parser_module_field(ref) { return resolveField(isObject(ref) ? ref : { datum: ref }); } function resolveField(ref) { let object, level, field; if (ref.signal) { object = 'datum'; field = ref.signal; } else if (ref.group || ref.parent) { level = Math.max(1, ref.level || 1); object = 'item'; while (level-- > 0) { object += '.mark.group'; } if (ref.parent) { field = ref.parent; object += '.datum'; } else { field = ref.group; } } else if (ref.datum) { object = 'datum'; field = ref.datum; } else { vega_util_module_error('Invalid field reference: ' + $(ref)); } if (!ref.signal) { field = vega_util_module_isString(field) ? splitAccessPath(field).map($).join('][') : resolveField(field); } return object + '[' + field + ']'; } function vega_parser_module_scale(enc, value) { const scale = scaleRef(enc.scale); if (enc.range != null) { // pull value from scale range value = `lerp(_range(${scale}), ${+enc.range})`; } else { // run value through scale and/or pull scale bandwidth if (value !== undefined) value = `_scale(${scale}, ${value})`; if (enc.band) { value = (value ? value + '+' : '') + `_bandwidth(${scale})` + (+enc.band === 1 ? '' : '*' + property(enc.band)); if (enc.extra) { // include logic to handle extraneous elements value = `(datum.extra ? _scale(${scale}, datum.extra.value) : ${value})`; } } if (value == null) value = '0'; } return value; } function vega_parser_module_rule (enc) { let code = ''; enc.forEach(rule => { const value = entry$1(rule); code += rule.test ? `(${rule.test})?${value}:` : value; }); // if no else clause, terminate with null (#1366) if (peek(code) === ':') { code += 'null'; } return code; } function parseEncode (encode, type, role, style, scope, params) { const enc = {}; params = params || {}; params.encoders = { $encode: enc }; encode = applyDefaults(encode, type, role, style, scope.config); for (const key in encode) { enc[key] = parseBlock(encode[key], type, params, scope); } return params; } function parseBlock(block, marktype, params, scope) { const channels = {}, fields = {}; for (const name in block) { if (block[name] != null) { // skip any null entries channels[name] = parse$1(expr(block[name]), scope, params, fields); } } return { $expr: { marktype, channels }, $fields: Object.keys(fields), $output: Object.keys(block) }; } function expr(enc) { return isArray(enc) ? vega_parser_module_rule(enc) : entry$1(enc); } function parse$1(code, scope, params, fields) { const expr = vega_functions_module_parser(code, scope); expr.$fields.forEach(name => fields[name] = 1); extend(params, expr.$params); return expr.$expr; } const OUTER = 'outer', OUTER_INVALID = ['value', 'update', 'init', 'react', 'bind']; function outerError(prefix, name) { vega_util_module_error(prefix + ' for "outer" push: ' + $(name)); } function parseSignal (signal, scope) { const name = signal.name; if (signal.push === OUTER) { // signal must already be defined, raise error if not if (!scope.signals[name]) outerError('No prior signal definition', name); // signal push must not use properties reserved for standard definition OUTER_INVALID.forEach(prop => { if (signal[prop] !== undefined) outerError('Invalid property ', prop); }); } else { // define a new signal in the current scope const op = scope.addSignal(name, signal.value); if (signal.react === false) op.react = false; if (signal.bind) scope.addBinding(name, signal.bind); } } function Entry(type, value, params, parent) { this.id = -1; this.type = type; this.value = value; this.params = params; if (parent) this.parent = parent; } function entry(type, value, params, parent) { return new Entry(type, value, params, parent); } function operator(value, params) { return entry('operator', value, params); } // ----- function ref(op) { const ref = { $ref: op.id }; // if operator not yet registered, cache ref to resolve later if (op.id < 0) (op.refs = op.refs || []).push(ref); return ref; } function fieldRef$1(field, name) { return name ? { $field: field, $name: name } : { $field: field }; } const keyFieldRef = fieldRef$1('key'); function compareRef(fields, orders) { return { $compare: fields, $order: orders }; } function keyRef(fields, flat) { const ref = { $key: fields }; if (flat) ref.$flat = true; return ref; } // ----- const Ascending = 'ascending'; const Descending = 'descending'; function sortKey(sort) { return !isObject(sort) ? '' : (sort.order === Descending ? '-' : '+') + aggrField(sort.op, sort.field); } function aggrField(op, field) { return (op && op.signal ? '$' + op.signal : op || '') + (op && field ? '_' : '') + (field && field.signal ? '$' + field.signal : field || ''); } // ----- const Scope$1 = 'scope'; const vega_parser_module_View = 'view'; function isSignal(_) { return _ && _.signal; } function isExpr$1(_) { return _ && _.expr; } function hasSignal(_) { if (isSignal(_)) return true; if (isObject(_)) for (const key in _) { if (hasSignal(_[key])) return true; } return false; } function vega_parser_module_value(specValue, defaultValue) { return specValue != null ? specValue : defaultValue; } function deref(v) { return v && v.signal || v; } const Timer = 'timer'; function vega_parser_module_parseStream(stream, scope) { const method = stream.merge ? mergeStream : stream.stream ? nestedStream : stream.type ? eventStream : vega_util_module_error('Invalid stream specification: ' + $(stream)); return method(stream, scope); } function eventSource(source) { return source === Scope$1 ? vega_parser_module_View : source || vega_parser_module_View; } function mergeStream(stream, scope) { const list = stream.merge.map(s => vega_parser_module_parseStream(s, scope)), entry = streamParameters({ merge: list }, stream, scope); return scope.addStream(entry).id; } function nestedStream(stream, scope) { const id = vega_parser_module_parseStream(stream.stream, scope), entry = streamParameters({ stream: id }, stream, scope); return scope.addStream(entry).id; } function eventStream(stream, scope) { let id; if (stream.type === Timer) { id = scope.event(Timer, stream.throttle); stream = { between: stream.between, filter: stream.filter }; } else { id = scope.event(eventSource(stream.source), stream.type); } const entry = streamParameters({ stream: id }, stream, scope); return Object.keys(entry).length === 1 ? id : scope.addStream(entry).id; } function streamParameters(entry, stream, scope) { let param = stream.between; if (param) { if (param.length !== 2) { vega_util_module_error('Stream "between" parameter must have 2 entries: ' + $(stream)); } entry.between = [vega_parser_module_parseStream(param[0], scope), vega_parser_module_parseStream(param[1], scope)]; } param = stream.filter ? [].concat(stream.filter) : []; if (stream.marktype || stream.markname || stream.markrole) { // add filter for mark type, name and/or role param.push(filterMark(stream.marktype, stream.markname, stream.markrole)); } if (stream.source === Scope$1) { // add filter to limit events from sub-scope only param.push('inScope(event.item)'); } if (param.length) { entry.filter = vega_functions_module_parser('(' + param.join(')&&(') + ')', scope).$expr; } if ((param = stream.throttle) != null) { entry.throttle = +param; } if ((param = stream.debounce) != null) { entry.debounce = +param; } if (stream.consume) { entry.consume = true; } return entry; } function filterMark(type, name, role) { const item = 'event.item'; return item + (type && type !== '*' ? '&&' + item + '.mark.marktype===\'' + type + '\'' : '') + (role ? '&&' + item + '.mark.role===\'' + role + '\'' : '') + (name ? '&&' + item + '.mark.name===\'' + name + '\'' : ''); } // bypass expression parser for internal operator references const OP_VALUE_EXPR = { code: '_.$value', ast: { type: 'Identifier', value: 'value' } }; function vega_parser_module_parseUpdate (spec, scope, target) { const encode = spec.encode, entry = { target: target }; let events = spec.events, update = spec.update, sources = []; if (!events) { vega_util_module_error('Signal update missing events specification.'); } // interpret as an event selector string if (vega_util_module_isString(events)) { events = eventSelector(events, scope.isSubscope() ? Scope$1 : vega_parser_module_View); } // separate event streams from signal updates events = array(events).filter(s => s.signal || s.scale ? (sources.push(s), 0) : 1); // merge internal operator listeners if (sources.length > 1) { sources = [mergeSources(sources)]; } // merge event streams, include as source if (events.length) { sources.push(events.length > 1 ? { merge: events } : events[0]); } if (encode != null) { if (update) vega_util_module_error('Signal encode and update are mutually exclusive.'); update = 'encode(item(),' + $(encode) + ')'; } // resolve update value entry.update = vega_util_module_isString(update) ? vega_functions_module_parser(update, scope) : update.expr != null ? vega_functions_module_parser(update.expr, scope) : update.value != null ? update.value : update.signal != null ? { $expr: OP_VALUE_EXPR, $params: { $value: scope.signalRef(update.signal) } } : vega_util_module_error('Invalid signal update specification.'); if (spec.force) { entry.options = { force: true }; } sources.forEach(source => scope.addUpdate(extend(streamSource(source, scope), entry))); } function streamSource(stream, scope) { return { source: stream.signal ? scope.signalRef(stream.signal) : stream.scale ? scope.scaleRef(stream.scale) : vega_parser_module_parseStream(stream, scope) }; } function mergeSources(sources) { return { signal: '[' + sources.map(s => s.scale ? 'scale("' + s.scale + '")' : s.signal) + ']' }; } function parseSignalUpdates (signal, scope) { const op = scope.getSignal(signal.name); let expr = signal.update; if (signal.init) { if (expr) { vega_util_module_error('Signals can not include both init and update expressions.'); } else { expr = signal.init; op.initonly = true; } } if (expr) { expr = vega_functions_module_parser(expr, scope); op.update = expr.$expr; op.params = expr.$params; } if (signal.on) { signal.on.forEach(_ => vega_parser_module_parseUpdate(_, scope, op.id)); } } const vega_parser_module_transform = name => (params, value, parent) => entry(name, value, params || undefined, parent); const vega_parser_module_Aggregate = vega_parser_module_transform('aggregate'); const vega_parser_module_AxisTicks = vega_parser_module_transform('axisticks'); const vega_parser_module_Bound = vega_parser_module_transform('bound'); const vega_parser_module_Collect = vega_parser_module_transform('collect'); const vega_parser_module_Compare = vega_parser_module_transform('compare'); const vega_parser_module_DataJoin = vega_parser_module_transform('datajoin'); const vega_parser_module_Encode = vega_parser_module_transform('encode'); const vega_parser_module_Expression = vega_parser_module_transform('expression'); const vega_parser_module_Facet = vega_parser_module_transform('facet'); const vega_parser_module_Field = vega_parser_module_transform('field'); const vega_parser_module_Key = vega_parser_module_transform('key'); const vega_parser_module_LegendEntries = vega_parser_module_transform('legendentries'); const vega_parser_module_Load = vega_parser_module_transform('load'); const vega_parser_module_Mark = vega_parser_module_transform('mark'); const vega_parser_module_MultiExtent = vega_parser_module_transform('multiextent'); const vega_parser_module_MultiValues = vega_parser_module_transform('multivalues'); const vega_parser_module_Overlap = vega_parser_module_transform('overlap'); const vega_parser_module_Params = vega_parser_module_transform('params'); const vega_parser_module_PreFacet = vega_parser_module_transform('prefacet'); const vega_parser_module_Projection = vega_parser_module_transform('projection'); const vega_parser_module_Proxy = vega_parser_module_transform('proxy'); const vega_parser_module_Relay = vega_parser_module_transform('relay'); const vega_parser_module_Render = vega_parser_module_transform('render'); const vega_parser_module_Scale = vega_parser_module_transform('scale'); const vega_parser_module_Sieve = vega_parser_module_transform('sieve'); const vega_parser_module_SortItems = vega_parser_module_transform('sortitems'); const vega_parser_module_ViewLayout = vega_parser_module_transform('viewlayout'); const vega_parser_module_Values = vega_parser_module_transform('values'); let FIELD_REF_ID = 0; const MULTIDOMAIN_SORT_OPS = { min: 'min', max: 'max', count: 'sum' }; function initScale(spec, scope) { const type = spec.type || 'linear'; if (!isValidScaleType(type)) { vega_util_module_error('Unrecognized scale type: ' + $(type)); } scope.addScale(spec.name, { type, domain: undefined }); } function parseScale(spec, scope) { const params = scope.getScale(spec.name).params; let key; params.domain = parseScaleDomain(spec.domain, spec, scope); if (spec.range != null) { params.range = parseScaleRange(spec, scope, params); } if (spec.interpolate != null) { parseScaleInterpolate(spec.interpolate, params); } if (spec.nice != null) { params.nice = parseScaleNice(spec.nice, scope); } if (spec.bins != null) { params.bins = parseScaleBins(spec.bins, scope); } for (key in spec) { if (has(params, key) || key === 'name') continue; params[key] = parseLiteral(spec[key], scope); } } function parseLiteral(v, scope) { return !isObject(v) ? v : v.signal ? scope.signalRef(v.signal) : vega_util_module_error('Unsupported object: ' + $(v)); } function parseArray(v, scope) { return v.signal ? scope.signalRef(v.signal) : v.map(v => parseLiteral(v, scope)); } function dataLookupError(name) { vega_util_module_error('Can not find data set: ' + $(name)); } // -- SCALE DOMAIN ---- function parseScaleDomain(domain, spec, scope) { if (!domain) { if (spec.domainMin != null || spec.domainMax != null) { vega_util_module_error('No scale domain defined for domainMin/domainMax to override.'); } return; // default domain } return domain.signal ? scope.signalRef(domain.signal) : (isArray(domain) ? explicitDomain : domain.fields ? multipleDomain : singularDomain)(domain, spec, scope); } function explicitDomain(domain, spec, scope) { return domain.map(v => parseLiteral(v, scope)); } function singularDomain(domain, spec, scope) { const data = scope.getData(domain.data); if (!data) dataLookupError(domain.data); return isDiscrete(spec.type) ? data.valuesRef(scope, domain.field, parseSort(domain.sort, false)) : isQuantile(spec.type) ? data.domainRef(scope, domain.field) : data.extentRef(scope, domain.field); } function multipleDomain(domain, spec, scope) { const data = domain.data, fields = domain.fields.reduce((dom, d) => { d = vega_util_module_isString(d) ? { data: data, field: d } : isArray(d) || d.signal ? fieldRef(d, scope) : d; dom.push(d); return dom; }, []); return (isDiscrete(spec.type) ? ordinalMultipleDomain : isQuantile(spec.type) ? quantileMultipleDomain : numericMultipleDomain)(domain, scope, fields); } function fieldRef(data, scope) { const name = '_:vega:_' + FIELD_REF_ID++, coll = vega_parser_module_Collect({}); if (isArray(data)) { coll.value = { $ingest: data }; } else if (data.signal) { const code = 'setdata(' + $(name) + ',' + data.signal + ')'; coll.params.input = scope.signalRef(code); } scope.addDataPipeline(name, [coll, vega_parser_module_Sieve({})]); return { data: name, field: 'data' }; } function ordinalMultipleDomain(domain, scope, fields) { const sort = parseSort(domain.sort, true); let a, v; // get value counts for each domain field const counts = fields.map(f => { const data = scope.getData(f.data); if (!data) dataLookupError(f.data); return data.countsRef(scope, f.field, sort); }); // aggregate the results from each domain field const p = { groupby: keyFieldRef, pulse: counts }; if (sort) { a = sort.op || 'count'; v = sort.field ? aggrField(a, sort.field) : 'count'; p.ops = [MULTIDOMAIN_SORT_OPS[a]]; p.fields = [scope.fieldRef(v)]; p.as = [v]; } a = scope.add(vega_parser_module_Aggregate(p)); // collect aggregate output const c = scope.add(vega_parser_module_Collect({ pulse: ref(a) })); // extract values for combined domain v = scope.add(vega_parser_module_Values({ field: keyFieldRef, sort: scope.sortRef(sort), pulse: ref(c) })); return ref(v); } function parseSort(sort, multidomain) { if (sort) { if (!sort.field && !sort.op) { if (isObject(sort)) sort.field = 'key';else sort = { field: 'key' }; } else if (!sort.field && sort.op !== 'count') { vega_util_module_error('No field provided for sort aggregate op: ' + sort.op); } else if (multidomain && sort.field) { if (sort.op && !MULTIDOMAIN_SORT_OPS[sort.op]) { vega_util_module_error('Multiple domain scales can not be sorted using ' + sort.op); } } } return sort; } function quantileMultipleDomain(domain, scope, fields) { // get value arrays for each domain field const values = fields.map(f => { const data = scope.getData(f.data); if (!data) dataLookupError(f.data); return data.domainRef(scope, f.field); }); // combine value arrays return ref(scope.add(vega_parser_module_MultiValues({ values: values }))); } function numericMultipleDomain(domain, scope, fields) { // get extents for each domain field const extents = fields.map(f => { const data = scope.getData(f.data); if (!data) dataLookupError(f.data); return data.extentRef(scope, f.field); }); // combine extents return ref(scope.add(vega_parser_module_MultiExtent({ extents: extents }))); } // -- SCALE BINS ----- function parseScaleBins(v, scope) { return v.signal || isArray(v) ? parseArray(v, scope) : scope.objectProperty(v); } // -- SCALE NICE ----- function parseScaleNice(nice, scope) { return nice.signal ? scope.signalRef(nice.signal) : isObject(nice) ? { interval: parseLiteral(nice.interval), step: parseLiteral(nice.step) } : parseLiteral(nice); } // -- SCALE INTERPOLATION ----- function parseScaleInterpolate(interpolate, params) { params.interpolate = parseLiteral(interpolate.type || interpolate); if (interpolate.gamma != null) { params.interpolateGamma = parseLiteral(interpolate.gamma); } } // -- SCALE RANGE ----- function parseScaleRange(spec, scope, params) { const config = scope.config.range; let range = spec.range; if (range.signal) { return scope.signalRef(range.signal); } else if (vega_util_module_isString(range)) { if (config && has(config, range)) { spec = extend({}, spec, { range: config[range] }); return parseScaleRange(spec, scope, params); } else if (range === 'width') { range = [0, { signal: 'width' }]; } else if (range === 'height') { range = isDiscrete(spec.type) ? [0, { signal: 'height' }] : [{ signal: 'height' }, 0]; } else { vega_util_module_error('Unrecognized scale range value: ' + $(range)); } } else if (range.scheme) { params.scheme = isArray(range.scheme) ? parseArray(range.scheme, scope) : parseLiteral(range.scheme, scope); if (range.extent) params.schemeExtent = parseArray(range.extent, scope); if (range.count) params.schemeCount = parseLiteral(range.count, scope); return; } else if (range.step) { params.rangeStep = parseLiteral(range.step, scope); return; } else if (isDiscrete(spec.type) && !isArray(range)) { return parseScaleDomain(range, spec, scope); } else if (!isArray(range)) { vega_util_module_error('Unsupported range type: ' + $(range)); } return range.map(v => (isArray(v) ? parseArray : parseLiteral)(v, scope)); } function parseProjection (proj, scope) { const config = scope.config.projection || {}, params = {}; for (const name in proj) { if (name === 'name') continue; params[name] = parseParameter$1(proj[name], name, scope); } // apply projection defaults from config for (const name in config) { if (params[name] == null) { params[name] = parseParameter$1(config[name], name, scope); } } scope.addProjection(proj.name, params); } function parseParameter$1(_, name, scope) { return isArray(_) ? _.map(_ => parseParameter$1(_, name, scope)) : !isObject(_) ? _ : _.signal ? scope.signalRef(_.signal) : name === 'fit' ? _ : vega_util_module_error('Unsupported parameter object: ' + $(_)); } const vega_parser_module_Top = 'top'; const vega_parser_module_Left = 'left'; const vega_parser_module_Right = 'right'; const vega_parser_module_Bottom = 'bottom'; const vega_parser_module_Center = 'center'; const Vertical = 'vertical'; const vega_parser_module_Start = 'start'; const vega_parser_module_Middle = 'middle'; const vega_parser_module_End = 'end'; const Index = 'index'; const vega_parser_module_Label = 'label'; const Offset = 'offset'; const Perc = 'perc'; const Perc2 = 'perc2'; const Value = 'value'; const GuideLabelStyle = 'guide-label'; const GuideTitleStyle = 'guide-title'; const GroupTitleStyle = 'group-title'; const GroupSubtitleStyle = 'group-subtitle'; /** All values of LegendType */ const vega_parser_module_Symbols = 'symbol'; const vega_parser_module_Gradient = 'gradient'; const vega_parser_module_Discrete = 'discrete'; const Size = 'size'; const Shape = 'shape'; const Fill = 'fill'; const Stroke = 'stroke'; const StrokeWidth = 'strokeWidth'; const StrokeDash = 'strokeDash'; const Opacity = 'opacity'; // Encoding channels supported by legends // In priority order of 'canonical' scale const LegendScales = [Size, Shape, Fill, Stroke, StrokeWidth, StrokeDash, Opacity]; const vega_parser_module_Skip = { name: 1, style: 1, interactive: 1 }; const vega_parser_module_zero = { value: 0 }; const vega_parser_module_one = { value: 1 }; const GroupMark = 'group'; const RectMark = 'rect'; const RuleMark = 'rule'; const SymbolMark = 'symbol'; const TextMark = 'text'; function guideGroup (mark) { mark.type = GroupMark; mark.interactive = mark.interactive || false; return mark; } function vega_parser_module_lookup(spec, config) { const _ = (name, dflt) => vega_parser_module_value(spec[name], vega_parser_module_value(config[name], dflt)); _.isVertical = s => Vertical === vega_parser_module_value(spec.direction, config.direction || (s ? config.symbolDirection : config.gradientDirection)); _.gradientLength = () => vega_parser_module_value(spec.gradientLength, config.gradientLength || config.gradientWidth); _.gradientThickness = () => vega_parser_module_value(spec.gradientThickness, config.gradientThickness || config.gradientHeight); _.entryColumns = () => vega_parser_module_value(spec.columns, vega_parser_module_value(config.columns, +_.isVertical(true))); return _; } function getEncoding(name, encode) { const v = encode && (encode.update && encode.update[name] || encode.enter && encode.enter[name]); return v && v.signal ? v : v ? v.value : null; } function getStyle(name, scope, style) { const s = scope.config.style[style]; return s && s[name]; } function anchorExpr(s, e, m) { return `item.anchor === '${vega_parser_module_Start}' ? ${s} : item.anchor === '${vega_parser_module_End}' ? ${e} : ${m}`; } const alignExpr$1 = anchorExpr($(vega_parser_module_Left), $(vega_parser_module_Right), $(vega_parser_module_Center)); function tickBand(_) { const v = _('tickBand'); let offset = _('tickOffset'), band, extra; if (!v) { // if no tick band entry, fall back on other properties band = _('bandPosition'); extra = _('tickExtra'); } else if (v.signal) { // if signal, augment code to interpret values band = { signal: `(${v.signal}) === 'extent' ? 1 : 0.5` }; extra = { signal: `(${v.signal}) === 'extent'` }; if (!isObject(offset)) { offset = { signal: `(${v.signal}) === 'extent' ? 0 : ${offset}` }; } } else if (v === 'extent') { // if constant, simply set values band = 1; extra = true; offset = 0; } else { band = 0.5; extra = false; } return { extra, band, offset }; } function extendOffset(value, offset) { return !offset ? value : !value ? offset : !isObject(value) ? { value, offset } : Object.assign({}, value, { offset: extendOffset(value.offset, offset) }); } function guideMark (mark, extras) { if (extras) { mark.name = extras.name; mark.style = extras.style || mark.style; mark.interactive = !!extras.interactive; mark.encode = extendEncode(mark.encode, extras, vega_parser_module_Skip); } else { mark.interactive = false; } return mark; } function legendGradient (spec, scale, config, userEncode) { const _ = vega_parser_module_lookup(spec, config), vertical = _.isVertical(), thickness = _.gradientThickness(), length = _.gradientLength(); let enter, start, stop, width, height; if (vertical) { start = [0, 1]; stop = [0, 0]; width = thickness; height = length; } else { start = [0, 0]; stop = [1, 0]; width = length; height = thickness; } const encode = { enter: enter = { opacity: vega_parser_module_zero, x: vega_parser_module_zero, y: vega_parser_module_zero, width: encoder(width), height: encoder(height) }, update: extend({}, enter, { opacity: vega_parser_module_one, fill: { gradient: scale, start: start, stop: stop } }), exit: { opacity: vega_parser_module_zero } }; addEncoders(encode, { stroke: _('gradientStrokeColor'), strokeWidth: _('gradientStrokeWidth') }, { // update opacity: _('gradientOpacity') }); return guideMark({ type: RectMark, role: LegendGradientRole, encode }, userEncode); } function legendGradientDiscrete (spec, scale, config, userEncode, dataRef) { const _ = vega_parser_module_lookup(spec, config), vertical = _.isVertical(), thickness = _.gradientThickness(), length = _.gradientLength(); let u, v, uu, vv, adjust = ''; vertical ? (u = 'y', uu = 'y2', v = 'x', vv = 'width', adjust = '1-') : (u = 'x', uu = 'x2', v = 'y', vv = 'height'); const enter = { opacity: vega_parser_module_zero, fill: { scale: scale, field: Value } }; enter[u] = { signal: adjust + 'datum.' + Perc, mult: length }; enter[v] = vega_parser_module_zero; enter[uu] = { signal: adjust + 'datum.' + Perc2, mult: length }; enter[vv] = encoder(thickness); const encode = { enter: enter, update: extend({}, enter, { opacity: vega_parser_module_one }), exit: { opacity: vega_parser_module_zero } }; addEncoders(encode, { stroke: _('gradientStrokeColor'), strokeWidth: _('gradientStrokeWidth') }, { // update opacity: _('gradientOpacity') }); return guideMark({ type: RectMark, role: LegendBandRole, key: Value, from: dataRef, encode }, userEncode); } const alignExpr = `datum.${Perc}<=0?"${vega_parser_module_Left}":datum.${Perc}>=1?"${vega_parser_module_Right}":"${vega_parser_module_Center}"`, baselineExpr = `datum.${Perc}<=0?"${vega_parser_module_Bottom}":datum.${Perc}>=1?"${vega_parser_module_Top}":"${vega_parser_module_Middle}"`; function legendGradientLabels (spec, config, userEncode, dataRef) { const _ = vega_parser_module_lookup(spec, config), vertical = _.isVertical(), thickness = encoder(_.gradientThickness()), length = _.gradientLength(); let overlap = _('labelOverlap'), enter, update, u, v, adjust = ''; const encode = { enter: enter = { opacity: vega_parser_module_zero }, update: update = { opacity: vega_parser_module_one, text: { field: vega_parser_module_Label } }, exit: { opacity: vega_parser_module_zero } }; addEncoders(encode, { fill: _('labelColor'), fillOpacity: _('labelOpacity'), font: _('labelFont'), fontSize: _('labelFontSize'), fontStyle: _('labelFontStyle'), fontWeight: _('labelFontWeight'), limit: vega_parser_module_value(spec.labelLimit, config.gradientLabelLimit) }); if (vertical) { enter.align = { value: 'left' }; enter.baseline = update.baseline = { signal: baselineExpr }; u = 'y'; v = 'x'; adjust = '1-'; } else { enter.align = update.align = { signal: alignExpr }; enter.baseline = { value: 'top' }; u = 'x'; v = 'y'; } enter[u] = update[u] = { signal: adjust + 'datum.' + Perc, mult: length }; enter[v] = update[v] = thickness; thickness.offset = vega_parser_module_value(spec.labelOffset, config.gradientLabelOffset) || 0; overlap = overlap ? { separation: _('labelSeparation'), method: overlap, order: 'datum.' + Index } : undefined; // type, role, style, key, dataRef, encode, extras return guideMark({ type: TextMark, role: LegendLabelRole, style: GuideLabelStyle, key: Value, from: dataRef, encode, overlap }, userEncode); } // userEncode is top-level, includes entries, symbols, labels function legendSymbolGroups (spec, config, userEncode, dataRef, columns) { const _ = vega_parser_module_lookup(spec, config), entries = userEncode.entries, interactive = !!(entries && entries.interactive), name = entries ? entries.name : undefined, height = _('clipHeight'), symbolOffset = _('symbolOffset'), valueRef = { data: 'value' }, xSignal = `(${columns}) ? datum.${Offset} : datum.${Size}`, yEncode = height ? encoder(height) : { field: Size }, index = `datum.${Index}`, ncols = `max(1, ${columns})`; let encode, enter, update, nrows, sort; yEncode.mult = 0.5; // -- LEGEND SYMBOLS -- encode = { enter: enter = { opacity: vega_parser_module_zero, x: { signal: xSignal, mult: 0.5, offset: symbolOffset }, y: yEncode }, update: update = { opacity: vega_parser_module_one, x: enter.x, y: enter.y }, exit: { opacity: vega_parser_module_zero } }; let baseFill = null, baseStroke = null; if (!spec.fill) { baseFill = config.symbolBaseFillColor; baseStroke = config.symbolBaseStrokeColor; } addEncoders(encode, { fill: _('symbolFillColor', baseFill), shape: _('symbolType'), size: _('symbolSize'), stroke: _('symbolStrokeColor', baseStroke), strokeDash: _('symbolDash'), strokeDashOffset: _('symbolDashOffset'), strokeWidth: _('symbolStrokeWidth') }, { // update opacity: _('symbolOpacity') }); LegendScales.forEach(scale => { if (spec[scale]) { update[scale] = enter[scale] = { scale: spec[scale], field: Value }; } }); const symbols = guideMark({ type: SymbolMark, role: LegendSymbolRole, key: Value, from: valueRef, clip: height ? true : undefined, encode }, userEncode.symbols); // -- LEGEND LABELS -- const labelOffset = encoder(symbolOffset); labelOffset.offset = _('labelOffset'); encode = { enter: enter = { opacity: vega_parser_module_zero, x: { signal: xSignal, offset: labelOffset }, y: yEncode }, update: update = { opacity: vega_parser_module_one, text: { field: vega_parser_module_Label }, x: enter.x, y: enter.y }, exit: { opacity: vega_parser_module_zero } }; addEncoders(encode, { align: _('labelAlign'), baseline: _('labelBaseline'), fill: _('labelColor'), fillOpacity: _('labelOpacity'), font: _('labelFont'), fontSize: _('labelFontSize'), fontStyle: _('labelFontStyle'), fontWeight: _('labelFontWeight'), limit: _('labelLimit') }); const labels = guideMark({ type: TextMark, role: LegendLabelRole, style: GuideLabelStyle, key: Value, from: valueRef, encode }, userEncode.labels); // -- LEGEND ENTRY GROUPS -- encode = { enter: { noBound: { value: !height }, // ignore width/height in bounds calc width: vega_parser_module_zero, height: height ? encoder(height) : vega_parser_module_zero, opacity: vega_parser_module_zero }, exit: { opacity: vega_parser_module_zero }, update: update = { opacity: vega_parser_module_one, row: { signal: null }, column: { signal: null } } }; // annotate and sort groups to ensure correct ordering if (_.isVertical(true)) { nrows = `ceil(item.mark.items.length / ${ncols})`; update.row.signal = `${index}%${nrows}`; update.column.signal = `floor(${index} / ${nrows})`; sort = { field: ['row', index] }; } else { update.row.signal = `floor(${index} / ${ncols})`; update.column.signal = `${index} % ${ncols}`; sort = { field: index }; } // handle zero column case (implies infinite columns) update.column.signal = `(${columns})?${update.column.signal}:${index}`; // facet legend entries into sub-groups dataRef = { facet: { data: dataRef, name: 'value', groupby: Index } }; return guideGroup({ role: vega_parser_module_ScopeRole, from: dataRef, encode: extendEncode(encode, entries, vega_parser_module_Skip), marks: [symbols, labels], name, interactive, sort }); } function legendSymbolLayout(spec, config) { const _ = vega_parser_module_lookup(spec, config); // layout parameters for legend entries return { align: _('gridAlign'), columns: _.entryColumns(), center: { row: true, column: false }, padding: { row: _('rowPadding'), column: _('columnPadding') } }; } // expression logic for align, anchor, angle, and baseline calculation const isL = 'item.orient === "left"', isR = 'item.orient === "right"', isLR = `(${isL} || ${isR})`, isVG = `datum.vgrad && ${isLR}`, baseline = anchorExpr('"top"', '"bottom"', '"middle"'), alignFlip = anchorExpr('"right"', '"left"', '"center"'), exprAlign = `datum.vgrad && ${isR} ? (${alignFlip}) : (${isLR} && !(datum.vgrad && ${isL})) ? "left" : ${alignExpr$1}`, exprAnchor = `item._anchor || (${isLR} ? "middle" : "start")`, exprAngle = `${isVG} ? (${isL} ? -90 : 90) : 0`, exprBaseline = `${isLR} ? (datum.vgrad ? (${isR} ? "bottom" : "top") : ${baseline}) : "top"`; function legendTitle (spec, config, userEncode, dataRef) { const _ = vega_parser_module_lookup(spec, config); const encode = { enter: { opacity: vega_parser_module_zero }, update: { opacity: vega_parser_module_one, x: { field: { group: 'padding' } }, y: { field: { group: 'padding' } } }, exit: { opacity: vega_parser_module_zero } }; addEncoders(encode, { orient: _('titleOrient'), _anchor: _('titleAnchor'), anchor: { signal: exprAnchor }, angle: { signal: exprAngle }, align: { signal: exprAlign }, baseline: { signal: exprBaseline }, text: spec.title, fill: _('titleColor'), fillOpacity: _('titleOpacity'), font: _('titleFont'), fontSize: _('titleFontSize'), fontStyle: _('titleFontStyle'), fontWeight: _('titleFontWeight'), limit: _('titleLimit'), lineHeight: _('titleLineHeight') }, { // require update align: _('titleAlign'), baseline: _('titleBaseline') }); return guideMark({ type: TextMark, role: LegendTitleRole, style: GuideTitleStyle, from: dataRef, encode }, userEncode); } function vega_parser_module_clip (clip, scope) { let expr; if (isObject(clip)) { if (clip.signal) { expr = clip.signal; } else if (clip.path) { expr = 'pathShape(' + param(clip.path) + ')'; } else if (clip.sphere) { expr = 'geoShape(' + param(clip.sphere) + ', {type: "Sphere"})'; } } return expr ? scope.signalRef(expr) : !!clip; } function param(value) { return isObject(value) && value.signal ? value.signal : $(value); } function getRole (spec) { const role = spec.role || ''; return role.startsWith('axis') || role.startsWith('legend') || role.startsWith('title') ? role : spec.type === GroupMark ? vega_parser_module_ScopeRole : role || MarkRole; } function vega_parser_module_definition (spec) { return { marktype: spec.type, name: spec.name || undefined, role: spec.role || getRole(spec), zindex: +spec.zindex || undefined, aria: spec.aria, description: spec.description }; } function interactive (spec, scope) { return spec && spec.signal ? scope.signalRef(spec.signal) : spec === false ? false : true; } /** * Parse a data transform specification. */ function parseTransform (spec, scope) { const def = definition(spec.type); if (!def) vega_util_module_error('Unrecognized transform type: ' + $(spec.type)); const t = entry(def.type.toLowerCase(), null, vega_parser_module_parseParameters(def, spec, scope)); if (spec.signal) scope.addSignal(spec.signal, scope.proxy(t)); t.metadata = def.metadata || {}; return t; } /** * Parse all parameters of a data transform. */ function vega_parser_module_parseParameters(def, spec, scope) { const params = {}, n = def.params.length; for (let i = 0; i < n; ++i) { const pdef = def.params[i]; params[pdef.name] = vega_parser_module_parseParameter(pdef, spec, scope); } return params; } /** * Parse a data transform parameter. */ function vega_parser_module_parseParameter(def, spec, scope) { const type = def.type, value = spec[def.name]; if (type === 'index') { return parseIndexParameter(def, spec, scope); } else if (value === undefined) { if (def.required) { vega_util_module_error('Missing required ' + $(spec.type) + ' parameter: ' + $(def.name)); } return; } else if (type === 'param') { return parseSubParameters(def, spec, scope); } else if (type === 'projection') { return scope.projectionRef(spec[def.name]); } return def.array && !isSignal(value) ? value.map(v => parameterValue(def, v, scope)) : parameterValue(def, value, scope); } /** * Parse a single parameter value. */ function parameterValue(def, value, scope) { const type = def.type; if (isSignal(value)) { return isExpr(type) ? vega_util_module_error('Expression references can not be signals.') : isField(type) ? scope.fieldRef(value) : isCompare(type) ? scope.compareRef(value) : scope.signalRef(value.signal); } else { const expr = def.expr || isField(type); return expr && outerExpr(value) ? scope.exprRef(value.expr, value.as) : expr && outerField(value) ? fieldRef$1(value.field, value.as) : isExpr(type) ? vega_functions_module_parser(value, scope) : isData(type) ? ref(scope.getData(value).values) : isField(type) ? fieldRef$1(value) : isCompare(type) ? scope.compareRef(value) : value; } } /** * Parse parameter for accessing an index of another data set. */ function parseIndexParameter(def, spec, scope) { if (!vega_util_module_isString(spec.from)) { vega_util_module_error('Lookup "from" parameter must be a string literal.'); } return scope.getData(spec.from).lookupRef(scope, spec.key); } /** * Parse a parameter that contains one or more sub-parameter objects. */ function parseSubParameters(def, spec, scope) { const value = spec[def.name]; if (def.array) { if (!isArray(value)) { // signals not allowed! vega_util_module_error('Expected an array of sub-parameters. Instead: ' + $(value)); } return value.map(v => parseSubParameter(def, v, scope)); } else { return parseSubParameter(def, value, scope); } } /** * Parse a sub-parameter object. */ function parseSubParameter(def, value, scope) { const n = def.params.length; let pdef; // loop over defs to find matching key for (let i = 0; i < n; ++i) { pdef = def.params[i]; for (const k in pdef.key) { if (pdef.key[k] !== value[k]) { pdef = null; break; } } if (pdef) break; } // raise error if matching key not found if (!pdef) vega_util_module_error('Unsupported parameter: ' + $(value)); // parse params, create Params transform, return ref const params = extend(vega_parser_module_parseParameters(pdef, value, scope), pdef.key); return ref(scope.add(vega_parser_module_Params(params))); } // -- Utilities ----- const outerExpr = _ => _ && _.expr; const outerField = _ => _ && _.field; const isData = _ => _ === 'data'; const isExpr = _ => _ === 'expr'; const isField = _ => _ === 'field'; const isCompare = _ => _ === 'compare'; function parseData$1 (from, group, scope) { let facet, key, op, dataRef, parent; // if no source data, generate singleton datum if (!from) { dataRef = ref(scope.add(vega_parser_module_Collect(null, [{}]))); } // if faceted, process facet specification else if (facet = from.facet) { if (!group) vega_util_module_error('Only group marks can be faceted.'); // use pre-faceted source data, if available if (facet.field != null) { dataRef = parent = getDataRef(facet, scope); } else { // generate facet aggregates if no direct data specification if (!from.data) { op = parseTransform(extend({ type: 'aggregate', groupby: array(facet.groupby) }, facet.aggregate), scope); op.params.key = scope.keyRef(facet.groupby); op.params.pulse = getDataRef(facet, scope); dataRef = parent = ref(scope.add(op)); } else { parent = ref(scope.getData(from.data).aggregate); } key = scope.keyRef(facet.groupby, true); } } // if not yet defined, get source data reference if (!dataRef) { dataRef = getDataRef(from, scope); } return { key: key, pulse: dataRef, parent: parent }; } function getDataRef(from, scope) { return from.$ref ? from : from.data && from.data.$ref ? from.data : ref(scope.getData(from.data).output); } function DataScope(scope, input, output, values, aggr) { this.scope = scope; // parent scope object this.input = input; // first operator in pipeline (tuple input) this.output = output; // last operator in pipeline (tuple output) this.values = values; // operator for accessing tuples (but not tuple flow) // last aggregate in transform pipeline this.aggregate = aggr; // lookup table of field indices this.index = {}; } DataScope.fromEntries = function (scope, entries) { const n = entries.length, values = entries[n - 1], output = entries[n - 2]; let input = entries[0], aggr = null, i = 1; if (input && input.type === 'load') { input = entries[1]; } // add operator entries to this scope, wire up pulse chain scope.add(entries[0]); for (; i < n; ++i) { entries[i].params.pulse = ref(entries[i - 1]); scope.add(entries[i]); if (entries[i].type === 'aggregate') aggr = entries[i]; } return new DataScope(scope, input, output, values, aggr); }; function fieldKey(field) { return vega_util_module_isString(field) ? field : null; } function addSortField(scope, p, sort) { const as = aggrField(sort.op, sort.field); let s; if (p.ops) { for (let i = 0, n = p.as.length; i < n; ++i) { if (p.as[i] === as) return; } } else { p.ops = ['count']; p.fields = [null]; p.as = ['count']; } if (sort.op) { p.ops.push((s = sort.op.signal) ? scope.signalRef(s) : sort.op); p.fields.push(scope.fieldRef(sort.field)); p.as.push(as); } } function cache(scope, ds, name, optype, field, counts, index) { const cache = ds[name] || (ds[name] = {}), sort = sortKey(counts); let k = fieldKey(field), v, op; if (k != null) { scope = ds.scope; k = k + (sort ? '|' + sort : ''); v = cache[k]; } if (!v) { const params = counts ? { field: keyFieldRef, pulse: ds.countsRef(scope, field, counts) } : { field: scope.fieldRef(field), pulse: ref(ds.output) }; if (sort) params.sort = scope.sortRef(counts); op = scope.add(entry(optype, undefined, params)); if (index) ds.index[field] = op; v = ref(op); if (k != null) cache[k] = v; } return v; } DataScope.prototype = { countsRef(scope, field, sort) { const ds = this, cache = ds.counts || (ds.counts = {}), k = fieldKey(field); let v, a, p; if (k != null) { scope = ds.scope; v = cache[k]; } if (!v) { p = { groupby: scope.fieldRef(field, 'key'), pulse: ref(ds.output) }; if (sort && sort.field) addSortField(scope, p, sort); a = scope.add(vega_parser_module_Aggregate(p)); v = scope.add(vega_parser_module_Collect({ pulse: ref(a) })); v = { agg: a, ref: ref(v) }; if (k != null) cache[k] = v; } else if (sort && sort.field) { addSortField(scope, v.agg.params, sort); } return v.ref; }, tuplesRef() { return ref(this.values); }, extentRef(scope, field) { return cache(scope, this, 'extent', 'extent', field, false); }, domainRef(scope, field) { return cache(scope, this, 'domain', 'values', field, false); }, valuesRef(scope, field, sort) { return cache(scope, this, 'vals', 'values', field, sort || true); }, lookupRef(scope, field) { return cache(scope, this, 'lookup', 'tupleindex', field, false); }, indataRef(scope, field) { return cache(scope, this, 'indata', 'tupleindex', field, true, true); } }; function parseFacet (spec, scope, group) { const facet = spec.from.facet, name = facet.name, data = getDataRef(facet, scope); let op; if (!facet.name) { vega_util_module_error('Facet must have a name: ' + $(facet)); } if (!facet.data) { vega_util_module_error('Facet must reference a data set: ' + $(facet)); } if (facet.field) { op = scope.add(vega_parser_module_PreFacet({ field: scope.fieldRef(facet.field), pulse: data })); } else if (facet.groupby) { op = scope.add(vega_parser_module_Facet({ key: scope.keyRef(facet.groupby), group: ref(scope.proxy(group.parent)), pulse: data })); } else { vega_util_module_error('Facet must specify groupby or field: ' + $(facet)); } // initialize facet subscope const subscope = scope.fork(), source = subscope.add(vega_parser_module_Collect()), values = subscope.add(vega_parser_module_Sieve({ pulse: ref(source) })); subscope.addData(name, new DataScope(subscope, source, source, values)); subscope.addSignal('parent', null); // parse faceted subflow op.params.subflow = { $subflow: subscope.parse(spec).toRuntime() }; } function parseSubflow (spec, scope, input) { const op = scope.add(vega_parser_module_PreFacet({ pulse: input.pulse })), subscope = scope.fork(); subscope.add(vega_parser_module_Sieve()); subscope.addSignal('parent', null); // parse group mark subflow op.params.subflow = { $subflow: subscope.parse(spec).toRuntime() }; } function parseTrigger (spec, scope, name) { const remove = spec.remove, insert = spec.insert, toggle = spec.toggle, modify = spec.modify, values = spec.values, op = scope.add(operator()); const update = 'if(' + spec.trigger + ',modify("' + name + '",' + [insert, remove, toggle, modify, values].map(_ => _ == null ? 'null' : _).join(',') + '),0)'; const expr = vega_functions_module_parser(update, scope); op.update = expr.$expr; op.params = expr.$params; } function parseMark (spec, scope) { const role = getRole(spec), group = spec.type === GroupMark, facet = spec.from && spec.from.facet, overlap = spec.overlap; let layout = spec.layout || role === vega_parser_module_ScopeRole || role === vega_parser_module_FrameRole, ops, op, store, enc, name, layoutRef, boundRef; const nested = role === MarkRole || layout || facet; // resolve input data const input = parseData$1(spec.from, group, scope); // data join to map tuples to visual items op = scope.add(vega_parser_module_DataJoin({ key: input.key || (spec.key ? fieldRef$1(spec.key) : undefined), pulse: input.pulse, clean: !group })); const joinRef = ref(op); // collect visual items op = store = scope.add(vega_parser_module_Collect({ pulse: joinRef })); // connect visual items to scenegraph op = scope.add(vega_parser_module_Mark({ markdef: vega_parser_module_definition(spec), interactive: interactive(spec.interactive, scope), clip: vega_parser_module_clip(spec.clip, scope), context: { $context: true }, groups: scope.lookup(), parent: scope.signals.parent ? scope.signalRef('parent') : null, index: scope.markpath(), pulse: ref(op) })); const markRef = ref(op); // add visual encoders op = enc = scope.add(vega_parser_module_Encode(parseEncode(spec.encode, spec.type, role, spec.style, scope, { mod: false, pulse: markRef }))); // monitor parent marks to propagate changes op.params.parent = scope.encode(); // add post-encoding transforms, if defined if (spec.transform) { spec.transform.forEach(_ => { const tx = parseTransform(_, scope), md = tx.metadata; if (md.generates || md.changes) { vega_util_module_error('Mark transforms should not generate new data.'); } if (!md.nomod) enc.params.mod = true; // update encode mod handling tx.params.pulse = ref(op); scope.add(op = tx); }); } // if item sort specified, perform post-encoding if (spec.sort) { op = scope.add(vega_parser_module_SortItems({ sort: scope.compareRef(spec.sort), pulse: ref(op) })); } const encodeRef = ref(op); // add view layout operator if needed if (facet || layout) { layout = scope.add(vega_parser_module_ViewLayout({ layout: scope.objectProperty(spec.layout), legends: scope.legends, mark: markRef, pulse: encodeRef })); layoutRef = ref(layout); } // compute bounding boxes const bound = scope.add(vega_parser_module_Bound({ mark: markRef, pulse: layoutRef || encodeRef })); boundRef = ref(bound); // if group mark, recurse to parse nested content if (group) { // juggle layout & bounds to ensure they run *after* any faceting transforms if (nested) { ops = scope.operators; ops.pop(); if (layout) ops.pop(); } scope.pushState(encodeRef, layoutRef || boundRef, joinRef); facet ? parseFacet(spec, scope, input) // explicit facet : nested ? parseSubflow(spec, scope, input) // standard mark group : scope.parse(spec); // guide group, we can avoid nested scopes scope.popState(); if (nested) { if (layout) ops.push(layout); ops.push(bound); } } // if requested, add overlap removal transform if (overlap) { boundRef = parseOverlap(overlap, boundRef, scope); } // render / sieve items const render = scope.add(vega_parser_module_Render({ pulse: boundRef })), sieve = scope.add(vega_parser_module_Sieve({ pulse: ref(render) }, undefined, scope.parent())); // if mark is named, make accessible as reactive geometry // add trigger updates if defined if (spec.name != null) { name = spec.name; scope.addData(name, new DataScope(scope, store, render, sieve)); if (spec.on) spec.on.forEach(on => { if (on.insert || on.remove || on.toggle) { vega_util_module_error('Marks only support modify triggers.'); } parseTrigger(on, scope, name); }); } } function parseOverlap(overlap, source, scope) { const method = overlap.method, bound = overlap.bound, sep = overlap.separation; const params = { separation: isSignal(sep) ? scope.signalRef(sep.signal) : sep, method: isSignal(method) ? scope.signalRef(method.signal) : method, pulse: source }; if (overlap.order) { params.sort = scope.compareRef({ field: overlap.order }); } if (bound) { const tol = bound.tolerance; params.boundTolerance = isSignal(tol) ? scope.signalRef(tol.signal) : +tol; params.boundScale = scope.scaleRef(bound.scale); params.boundOrient = bound.orient; } return ref(scope.add(vega_parser_module_Overlap(params))); } function parseLegend (spec, scope) { const config = scope.config.legend, encode = spec.encode || {}, _ = vega_parser_module_lookup(spec, config), legendEncode = encode.legend || {}, name = legendEncode.name || undefined, interactive = legendEncode.interactive, style = legendEncode.style, scales = {}; let scale = 0, entryLayout, params, children; // resolve scales and 'canonical' scale name LegendScales.forEach(s => spec[s] ? (scales[s] = spec[s], scale = scale || spec[s]) : 0); if (!scale) vega_util_module_error('Missing valid scale for legend.'); // resolve legend type (symbol, gradient, or discrete gradient) const type = legendType(spec, scope.scaleType(scale)); // single-element data source for legend group const datum = { title: spec.title != null, scales: scales, type: type, vgrad: type !== 'symbol' && _.isVertical() }; const dataRef = ref(scope.add(vega_parser_module_Collect(null, [datum]))); // encoding properties for legend entry sub-group const entryEncode = { enter: { x: { value: 0 }, y: { value: 0 } } }; // data source for legend values const entryRef = ref(scope.add(vega_parser_module_LegendEntries(params = { type: type, scale: scope.scaleRef(scale), count: scope.objectProperty(_('tickCount')), limit: scope.property(_('symbolLimit')), values: scope.objectProperty(spec.values), minstep: scope.property(spec.tickMinStep), formatType: scope.property(spec.formatType), formatSpecifier: scope.property(spec.format) }))); // continuous gradient legend if (type === vega_parser_module_Gradient) { children = [legendGradient(spec, scale, config, encode.gradient), legendGradientLabels(spec, config, encode.labels, entryRef)]; // adjust default tick count based on the gradient length params.count = params.count || scope.signalRef(`max(2,2*floor((${deref(_.gradientLength())})/100))`); } // discrete gradient legend else if (type === vega_parser_module_Discrete) { children = [legendGradientDiscrete(spec, scale, config, encode.gradient, entryRef), legendGradientLabels(spec, config, encode.labels, entryRef)]; } // symbol legend else { // determine legend symbol group layout entryLayout = legendSymbolLayout(spec, config); children = [legendSymbolGroups(spec, config, encode, entryRef, deref(entryLayout.columns))]; // pass symbol size information to legend entry generator params.size = sizeExpression(spec, scope, children[0].marks); } // generate legend marks children = [guideGroup({ role: LegendEntryRole, from: dataRef, encode: entryEncode, marks: children, layout: entryLayout, interactive })]; // include legend title if defined if (datum.title) { children.push(legendTitle(spec, config, encode.title, dataRef)); } // parse legend specification return parseMark(guideGroup({ role: vega_parser_module_LegendRole, from: dataRef, encode: extendEncode(buildLegendEncode(_, spec, config), legendEncode, vega_parser_module_Skip), marks: children, aria: _('aria'), description: _('description'), zindex: _('zindex'), name, interactive, style }), scope); } function legendType(spec, scaleType) { let type = spec.type || vega_parser_module_Symbols; if (!spec.type && scaleCount(spec) === 1 && (spec.fill || spec.stroke)) { type = isContinuous(scaleType) ? vega_parser_module_Gradient : isDiscretizing(scaleType) ? vega_parser_module_Discrete : vega_parser_module_Symbols; } return type !== vega_parser_module_Gradient ? type : isDiscretizing(scaleType) ? vega_parser_module_Discrete : vega_parser_module_Gradient; } function scaleCount(spec) { return LegendScales.reduce((count, type) => count + (spec[type] ? 1 : 0), 0); } function buildLegendEncode(_, spec, config) { const encode = { enter: {}, update: {} }; addEncoders(encode, { orient: _('orient'), offset: _('offset'), padding: _('padding'), titlePadding: _('titlePadding'), cornerRadius: _('cornerRadius'), fill: _('fillColor'), stroke: _('strokeColor'), strokeWidth: config.strokeWidth, strokeDash: config.strokeDash, x: _('legendX'), y: _('legendY'), // accessibility support format: spec.format, formatType: spec.formatType }); return encode; } function sizeExpression(spec, scope, marks) { const size = deref(getChannel('size', spec, marks)), strokeWidth = deref(getChannel('strokeWidth', spec, marks)), fontSize = deref(getFontSize(marks[1].encode, scope, GuideLabelStyle)); return vega_functions_module_parser(`max(ceil(sqrt(${size})+${strokeWidth}),${fontSize})`, scope); } function getChannel(name, spec, marks) { return spec[name] ? `scale("${spec[name]}",datum)` : getEncoding(name, marks[0].encode); } function getFontSize(encode, scope, style) { return getEncoding('fontSize', encode) || getStyle('fontSize', scope, style); } const angleExpr = `item.orient==="${vega_parser_module_Left}"?-90:item.orient==="${vega_parser_module_Right}"?90:0`; function parseTitle (spec, scope) { spec = vega_util_module_isString(spec) ? { text: spec } : spec; const _ = vega_parser_module_lookup(spec, scope.config.title), encode = spec.encode || {}, userEncode = encode.group || {}, name = userEncode.name || undefined, interactive = userEncode.interactive, style = userEncode.style, children = []; // single-element data source for group title const datum = {}, dataRef = ref(scope.add(vega_parser_module_Collect(null, [datum]))); // include title text children.push(buildTitle(spec, _, titleEncode(spec), dataRef)); // include subtitle text if (spec.subtitle) { children.push(buildSubTitle(spec, _, encode.subtitle, dataRef)); } // parse title specification return parseMark(guideGroup({ role: vega_parser_module_TitleRole, from: dataRef, encode: groupEncode(_, userEncode), marks: children, aria: _('aria'), description: _('description'), zindex: _('zindex'), name, interactive, style }), scope); } // provide backwards-compatibility for title custom encode; // the top-level encode block has been *deprecated*. function titleEncode(spec) { const encode = spec.encode; return encode && encode.title || extend({ name: spec.name, interactive: spec.interactive, style: spec.style }, encode); } function groupEncode(_, userEncode) { const encode = { enter: {}, update: {} }; addEncoders(encode, { orient: _('orient'), anchor: _('anchor'), align: { signal: alignExpr$1 }, angle: { signal: angleExpr }, limit: _('limit'), frame: _('frame'), offset: _('offset') || 0, padding: _('subtitlePadding') }); return extendEncode(encode, userEncode, vega_parser_module_Skip); } function buildTitle(spec, _, userEncode, dataRef) { const zero = { value: 0 }, text = spec.text, encode = { enter: { opacity: zero }, update: { opacity: { value: 1 } }, exit: { opacity: zero } }; addEncoders(encode, { text: text, align: { signal: 'item.mark.group.align' }, angle: { signal: 'item.mark.group.angle' }, limit: { signal: 'item.mark.group.limit' }, baseline: 'top', dx: _('dx'), dy: _('dy'), fill: _('color'), font: _('font'), fontSize: _('fontSize'), fontStyle: _('fontStyle'), fontWeight: _('fontWeight'), lineHeight: _('lineHeight') }, { // update align: _('align'), angle: _('angle'), baseline: _('baseline') }); return guideMark({ type: TextMark, role: TitleTextRole, style: GroupTitleStyle, from: dataRef, encode }, userEncode); } function buildSubTitle(spec, _, userEncode, dataRef) { const zero = { value: 0 }, text = spec.subtitle, encode = { enter: { opacity: zero }, update: { opacity: { value: 1 } }, exit: { opacity: zero } }; addEncoders(encode, { text: text, align: { signal: 'item.mark.group.align' }, angle: { signal: 'item.mark.group.angle' }, limit: { signal: 'item.mark.group.limit' }, baseline: 'top', dx: _('dx'), dy: _('dy'), fill: _('subtitleColor'), font: _('subtitleFont'), fontSize: _('subtitleFontSize'), fontStyle: _('subtitleFontStyle'), fontWeight: _('subtitleFontWeight'), lineHeight: _('subtitleLineHeight') }, { // update align: _('align'), angle: _('angle'), baseline: _('baseline') }); return guideMark({ type: TextMark, role: TitleSubtitleRole, style: GroupSubtitleStyle, from: dataRef, encode }, userEncode); } function parseData(data, scope) { const transforms = []; if (data.transform) { data.transform.forEach(tx => { transforms.push(parseTransform(tx, scope)); }); } if (data.on) { data.on.forEach(on => { parseTrigger(on, scope, data.name); }); } scope.addDataPipeline(data.name, analyze(data, scope, transforms)); } /** * Analyze a data pipeline, add needed operators. */ function analyze(data, scope, ops) { const output = []; let source = null, modify = false, generate = false, upstream, i, n, t, m; if (data.values) { // hard-wired input data set if (isSignal(data.values) || hasSignal(data.format)) { // if either values is signal or format has signal, use dynamic loader output.push(vega_parser_module_load(scope, data)); output.push(source = collect()); } else { // otherwise, ingest upon dataflow init output.push(source = collect({ $ingest: data.values, $format: data.format })); } } else if (data.url) { // load data from external source if (hasSignal(data.url) || hasSignal(data.format)) { // if either url or format has signal, use dynamic loader output.push(vega_parser_module_load(scope, data)); output.push(source = collect()); } else { // otherwise, request load upon dataflow init output.push(source = collect({ $request: data.url, $format: data.format })); } } else if (data.source) { // derives from one or more other data sets source = upstream = array(data.source).map(d => ref(scope.getData(d).output)); output.push(null); // populate later } // scan data transforms, add collectors as needed for (i = 0, n = ops.length; i < n; ++i) { t = ops[i]; m = t.metadata; if (!source && !m.source) { output.push(source = collect()); } output.push(t); if (m.generates) generate = true; if (m.modifies && !generate) modify = true; if (m.source) source = t;else if (m.changes) source = null; } if (upstream) { n = upstream.length - 1; output[0] = vega_parser_module_Relay({ derive: modify, pulse: n ? upstream : upstream[0] }); if (modify || n) { // collect derived and multi-pulse tuples output.splice(1, 0, collect()); } } if (!source) output.push(collect()); output.push(vega_parser_module_Sieve({})); return output; } function collect(values) { const s = vega_parser_module_Collect({}, values); s.metadata = { source: true }; return s; } function vega_parser_module_load(scope, data) { return vega_parser_module_Load({ url: data.url ? scope.property(data.url) : undefined, async: data.async ? scope.property(data.async) : undefined, values: data.values ? scope.property(data.values) : undefined, format: scope.objectProperty(data.format) }); } const isX = orient => orient === vega_parser_module_Bottom || orient === vega_parser_module_Top; // get sign coefficient based on axis orient const getSign = (orient, a, b) => isSignal(orient) ? ifLeftTopExpr(orient.signal, a, b) : orient === vega_parser_module_Left || orient === vega_parser_module_Top ? a : b; // condition on axis x-direction const ifX = (orient, a, b) => isSignal(orient) ? ifXEnc(orient.signal, a, b) : isX(orient) ? a : b; // condition on axis y-direction const ifY = (orient, a, b) => isSignal(orient) ? ifYEnc(orient.signal, a, b) : isX(orient) ? b : a; const ifTop = (orient, a, b) => isSignal(orient) ? ifTopExpr(orient.signal, a, b) : orient === vega_parser_module_Top ? { value: a } : { value: b }; const ifRight = (orient, a, b) => isSignal(orient) ? ifRightExpr(orient.signal, a, b) : orient === vega_parser_module_Right ? { value: a } : { value: b }; const ifXEnc = ($orient, a, b) => ifEnc(`${$orient} === '${vega_parser_module_Top}' || ${$orient} === '${vega_parser_module_Bottom}'`, a, b); const ifYEnc = ($orient, a, b) => ifEnc(`${$orient} !== '${vega_parser_module_Top}' && ${$orient} !== '${vega_parser_module_Bottom}'`, a, b); const ifLeftTopExpr = ($orient, a, b) => ifExpr(`${$orient} === '${vega_parser_module_Left}' || ${$orient} === '${vega_parser_module_Top}'`, a, b); const ifTopExpr = ($orient, a, b) => ifExpr(`${$orient} === '${vega_parser_module_Top}'`, a, b); const ifRightExpr = ($orient, a, b) => ifExpr(`${$orient} === '${vega_parser_module_Right}'`, a, b); const ifEnc = (test, a, b) => { // ensure inputs are encoder objects (or null) a = a != null ? encoder(a) : a; b = b != null ? encoder(b) : b; if (isSimple(a) && isSimple(b)) { // if possible generate simple signal expression a = a ? a.signal || $(a.value) : null; b = b ? b.signal || $(b.value) : null; return { signal: `${test} ? (${a}) : (${b})` }; } else { // otherwise generate rule set return [extend({ test }, a)].concat(b || []); } }; const isSimple = enc => enc == null || Object.keys(enc).length === 1; const ifExpr = (test, a, b) => ({ signal: `${test} ? (${toExpr(a)}) : (${toExpr(b)})` }); const ifOrient = ($orient, t, b, l, r) => ({ signal: (l != null ? `${$orient} === '${vega_parser_module_Left}' ? (${toExpr(l)}) : ` : '') + (b != null ? `${$orient} === '${vega_parser_module_Bottom}' ? (${toExpr(b)}) : ` : '') + (r != null ? `${$orient} === '${vega_parser_module_Right}' ? (${toExpr(r)}) : ` : '') + (t != null ? `${$orient} === '${vega_parser_module_Top}' ? (${toExpr(t)}) : ` : '') + '(null)' }); const toExpr = v => isSignal(v) ? v.signal : v == null ? null : $(v); const mult = (sign, value) => value === 0 ? 0 : isSignal(sign) ? { signal: `(${sign.signal}) * ${value}` } : { value: sign * value }; const patch = (value, base) => { const s = value.signal; return s && s.endsWith('(null)') ? { signal: s.slice(0, -6) + base.signal } : value; }; function fallback(prop, config, axisConfig, style) { let styleProp; if (config && has(config, prop)) { return config[prop]; } else if (has(axisConfig, prop)) { return axisConfig[prop]; } else if (prop.startsWith('title')) { switch (prop) { case 'titleColor': styleProp = 'fill'; break; case 'titleFont': case 'titleFontSize': case 'titleFontWeight': styleProp = prop[5].toLowerCase() + prop.slice(6); } return style[GuideTitleStyle][styleProp]; } else if (prop.startsWith('label')) { switch (prop) { case 'labelColor': styleProp = 'fill'; break; case 'labelFont': case 'labelFontSize': styleProp = prop[5].toLowerCase() + prop.slice(6); } return style[GuideLabelStyle][styleProp]; } return null; } function vega_parser_module_keys(objects) { const map = {}; for (const obj of objects) { if (!obj) continue; for (const key in obj) map[key] = 1; } return Object.keys(map); } function axisConfig (spec, scope) { var config = scope.config, style = config.style, axis = config.axis, band = scope.scaleType(spec.scale) === 'band' && config.axisBand, orient = spec.orient, xy, or, key; if (isSignal(orient)) { const xyKeys = vega_parser_module_keys([config.axisX, config.axisY]), orientKeys = vega_parser_module_keys([config.axisTop, config.axisBottom, config.axisLeft, config.axisRight]); xy = {}; for (key of xyKeys) { xy[key] = ifX(orient, fallback(key, config.axisX, axis, style), fallback(key, config.axisY, axis, style)); } or = {}; for (key of orientKeys) { or[key] = ifOrient(orient.signal, fallback(key, config.axisTop, axis, style), fallback(key, config.axisBottom, axis, style), fallback(key, config.axisLeft, axis, style), fallback(key, config.axisRight, axis, style)); } } else { xy = orient === vega_parser_module_Top || orient === vega_parser_module_Bottom ? config.axisX : config.axisY; or = config['axis' + orient[0].toUpperCase() + orient.slice(1)]; } const result = xy || or || band ? extend({}, axis, xy, or, band) : axis; return result; } function axisDomain (spec, config, userEncode, dataRef) { const _ = vega_parser_module_lookup(spec, config), orient = spec.orient; let enter, update; const encode = { enter: enter = { opacity: vega_parser_module_zero }, update: update = { opacity: vega_parser_module_one }, exit: { opacity: vega_parser_module_zero } }; addEncoders(encode, { stroke: _('domainColor'), strokeCap: _('domainCap'), strokeDash: _('domainDash'), strokeDashOffset: _('domainDashOffset'), strokeWidth: _('domainWidth'), strokeOpacity: _('domainOpacity') }); const pos0 = position(spec, 0); const pos1 = position(spec, 1); enter.x = update.x = ifX(orient, pos0, vega_parser_module_zero); enter.x2 = update.x2 = ifX(orient, pos1); enter.y = update.y = ifY(orient, pos0, vega_parser_module_zero); enter.y2 = update.y2 = ifY(orient, pos1); return guideMark({ type: RuleMark, role: AxisDomainRole, from: dataRef, encode }, userEncode); } function position(spec, pos) { return { scale: spec.scale, range: pos }; } function axisGrid (spec, config, userEncode, dataRef, band) { const _ = vega_parser_module_lookup(spec, config), orient = spec.orient, vscale = spec.gridScale, sign = getSign(orient, 1, -1), offset = vega_parser_module_offsetValue(spec.offset, sign); let enter, exit, update; const encode = { enter: enter = { opacity: vega_parser_module_zero }, update: update = { opacity: vega_parser_module_one }, exit: exit = { opacity: vega_parser_module_zero } }; addEncoders(encode, { stroke: _('gridColor'), strokeCap: _('gridCap'), strokeDash: _('gridDash'), strokeDashOffset: _('gridDashOffset'), strokeOpacity: _('gridOpacity'), strokeWidth: _('gridWidth') }); const tickPos = { scale: spec.scale, field: Value, band: band.band, extra: band.extra, offset: band.offset, round: _('tickRound') }; const sz = ifX(orient, { signal: 'height' }, { signal: 'width' }); const gridStart = vscale ? { scale: vscale, range: 0, mult: sign, offset: offset } : { value: 0, offset: offset }; const gridEnd = vscale ? { scale: vscale, range: 1, mult: sign, offset: offset } : extend(sz, { mult: sign, offset: offset }); enter.x = update.x = ifX(orient, tickPos, gridStart); enter.y = update.y = ifY(orient, tickPos, gridStart); enter.x2 = update.x2 = ifY(orient, gridEnd); enter.y2 = update.y2 = ifX(orient, gridEnd); exit.x = ifX(orient, tickPos); exit.y = ifY(orient, tickPos); return guideMark({ type: RuleMark, role: AxisGridRole, key: Value, from: dataRef, encode }, userEncode); } function vega_parser_module_offsetValue(offset, sign) { if (sign === 1) ; else if (!isObject(offset)) { offset = isSignal(sign) ? { signal: `(${sign.signal}) * (${offset || 0})` } : sign * (offset || 0); } else { let entry = offset = extend({}, offset); while (entry.mult != null) { if (!isObject(entry.mult)) { entry.mult = isSignal(sign) // no offset if sign === 1 ? { signal: `(${entry.mult}) * (${sign.signal})` } : entry.mult * sign; return offset; } else { entry = entry.mult = extend({}, entry.mult); } } entry.mult = sign; } return offset; } function axisTicks (spec, config, userEncode, dataRef, size, band) { const _ = vega_parser_module_lookup(spec, config), orient = spec.orient, sign = getSign(orient, -1, 1); let enter, exit, update; const encode = { enter: enter = { opacity: vega_parser_module_zero }, update: update = { opacity: vega_parser_module_one }, exit: exit = { opacity: vega_parser_module_zero } }; addEncoders(encode, { stroke: _('tickColor'), strokeCap: _('tickCap'), strokeDash: _('tickDash'), strokeDashOffset: _('tickDashOffset'), strokeOpacity: _('tickOpacity'), strokeWidth: _('tickWidth') }); const tickSize = encoder(size); tickSize.mult = sign; const tickPos = { scale: spec.scale, field: Value, band: band.band, extra: band.extra, offset: band.offset, round: _('tickRound') }; update.y = enter.y = ifX(orient, vega_parser_module_zero, tickPos); update.y2 = enter.y2 = ifX(orient, tickSize); exit.x = ifX(orient, tickPos); update.x = enter.x = ifY(orient, vega_parser_module_zero, tickPos); update.x2 = enter.x2 = ifY(orient, tickSize); exit.y = ifY(orient, tickPos); return guideMark({ type: RuleMark, role: AxisTickRole, key: Value, from: dataRef, encode }, userEncode); } function flushExpr(scale, threshold, a, b, c) { return { signal: 'flush(range("' + scale + '"), ' + 'scale("' + scale + '", datum.value), ' + threshold + ',' + a + ',' + b + ',' + c + ')' }; } function axisLabels (spec, config, userEncode, dataRef, size, band) { const _ = vega_parser_module_lookup(spec, config), orient = spec.orient, scale = spec.scale, sign = getSign(orient, -1, 1), flush = deref(_('labelFlush')), flushOffset = deref(_('labelFlushOffset')), labelAlign = _('labelAlign'), labelBaseline = _('labelBaseline'); let flushOn = flush === 0 || !!flush, update; const tickSize = encoder(size); tickSize.mult = sign; tickSize.offset = encoder(_('labelPadding') || 0); tickSize.offset.mult = sign; const tickPos = { scale: scale, field: Value, band: 0.5, offset: extendOffset(band.offset, _('labelOffset')) }; const align = ifX(orient, flushOn ? flushExpr(scale, flush, '"left"', '"right"', '"center"') : { value: 'center' }, ifRight(orient, 'left', 'right')); const baseline = ifX(orient, ifTop(orient, 'bottom', 'top'), flushOn ? flushExpr(scale, flush, '"top"', '"bottom"', '"middle"') : { value: 'middle' }); const offsetExpr = flushExpr(scale, flush, `-(${flushOffset})`, flushOffset, 0); flushOn = flushOn && flushOffset; const enter = { opacity: vega_parser_module_zero, x: ifX(orient, tickPos, tickSize), y: ifY(orient, tickPos, tickSize) }; const encode = { enter: enter, update: update = { opacity: vega_parser_module_one, text: { field: vega_parser_module_Label }, x: enter.x, y: enter.y, align, baseline }, exit: { opacity: vega_parser_module_zero, x: enter.x, y: enter.y } }; addEncoders(encode, { dx: !labelAlign && flushOn ? ifX(orient, offsetExpr) : null, dy: !labelBaseline && flushOn ? ifY(orient, offsetExpr) : null }); addEncoders(encode, { angle: _('labelAngle'), fill: _('labelColor'), fillOpacity: _('labelOpacity'), font: _('labelFont'), fontSize: _('labelFontSize'), fontWeight: _('labelFontWeight'), fontStyle: _('labelFontStyle'), limit: _('labelLimit'), lineHeight: _('labelLineHeight') }, { align: labelAlign, baseline: labelBaseline }); const bound = _('labelBound'); let overlap = _('labelOverlap'); // if overlap method or bound defined, request label overlap removal overlap = overlap || bound ? { separation: _('labelSeparation'), method: overlap, order: 'datum.index', bound: bound ? { scale, orient, tolerance: bound } : null } : undefined; if (update.align !== align) { update.align = patch(update.align, align); } if (update.baseline !== baseline) { update.baseline = patch(update.baseline, baseline); } return guideMark({ type: TextMark, role: AxisLabelRole, style: GuideLabelStyle, key: Value, from: dataRef, encode, overlap }, userEncode); } function axisTitle (spec, config, userEncode, dataRef) { const _ = vega_parser_module_lookup(spec, config), orient = spec.orient, sign = getSign(orient, -1, 1); let enter, update; const encode = { enter: enter = { opacity: vega_parser_module_zero, anchor: encoder(_('titleAnchor', null)), align: { signal: alignExpr$1 } }, update: update = extend({}, enter, { opacity: vega_parser_module_one, text: encoder(spec.title) }), exit: { opacity: vega_parser_module_zero } }; const titlePos = { signal: `lerp(range("${spec.scale}"), ${anchorExpr(0, 1, 0.5)})` }; update.x = ifX(orient, titlePos); update.y = ifY(orient, titlePos); enter.angle = ifX(orient, vega_parser_module_zero, mult(sign, 90)); enter.baseline = ifX(orient, ifTop(orient, vega_parser_module_Bottom, vega_parser_module_Top), { value: vega_parser_module_Bottom }); update.angle = enter.angle; update.baseline = enter.baseline; addEncoders(encode, { fill: _('titleColor'), fillOpacity: _('titleOpacity'), font: _('titleFont'), fontSize: _('titleFontSize'), fontStyle: _('titleFontStyle'), fontWeight: _('titleFontWeight'), limit: _('titleLimit'), lineHeight: _('titleLineHeight') }, { // require update align: _('titleAlign'), angle: _('titleAngle'), baseline: _('titleBaseline') }); autoLayout(_, orient, encode, userEncode); encode.update.align = patch(encode.update.align, enter.align); encode.update.angle = patch(encode.update.angle, enter.angle); encode.update.baseline = patch(encode.update.baseline, enter.baseline); return guideMark({ type: TextMark, role: AxisTitleRole, style: GuideTitleStyle, from: dataRef, encode }, userEncode); } function autoLayout(_, orient, encode, userEncode) { const auto = (value, dim) => value != null ? (encode.update[dim] = patch(encoder(value), encode.update[dim]), false) : !vega_parser_module_has(dim, userEncode) ? true : false; const autoY = auto(_('titleX'), 'x'), autoX = auto(_('titleY'), 'y'); encode.enter.auto = autoX === autoY ? encoder(autoX) : ifX(orient, encoder(autoX), encoder(autoY)); } function parseAxis (spec, scope) { const config = axisConfig(spec, scope), encode = spec.encode || {}, axisEncode = encode.axis || {}, name = axisEncode.name || undefined, interactive = axisEncode.interactive, style = axisEncode.style, _ = vega_parser_module_lookup(spec, config), band = tickBand(_); // single-element data source for axis group const datum = { scale: spec.scale, ticks: !!_('ticks'), labels: !!_('labels'), grid: !!_('grid'), domain: !!_('domain'), title: spec.title != null }; const dataRef = ref(scope.add(vega_parser_module_Collect({}, [datum]))); // data source for axis ticks const ticksRef = ref(scope.add(vega_parser_module_AxisTicks({ scale: scope.scaleRef(spec.scale), extra: scope.property(band.extra), count: scope.objectProperty(spec.tickCount), values: scope.objectProperty(spec.values), minstep: scope.property(spec.tickMinStep), formatType: scope.property(spec.formatType), formatSpecifier: scope.property(spec.format) }))); // generate axis marks const children = []; let size; // include axis gridlines if requested if (datum.grid) { children.push(axisGrid(spec, config, encode.grid, ticksRef, band)); } // include axis ticks if requested if (datum.ticks) { size = _('tickSize'); children.push(axisTicks(spec, config, encode.ticks, ticksRef, size, band)); } // include axis labels if requested if (datum.labels) { size = datum.ticks ? size : 0; children.push(axisLabels(spec, config, encode.labels, ticksRef, size, band)); } // include axis domain path if requested if (datum.domain) { children.push(axisDomain(spec, config, encode.domain, dataRef)); } // include axis title if defined if (datum.title) { children.push(axisTitle(spec, config, encode.title, dataRef)); } // parse axis specification return parseMark(guideGroup({ role: vega_parser_module_AxisRole, from: dataRef, encode: extendEncode(buildAxisEncode(_, spec), axisEncode, vega_parser_module_Skip), marks: children, aria: _('aria'), description: _('description'), zindex: _('zindex'), name, interactive, style }), scope); } function buildAxisEncode(_, spec) { const encode = { enter: {}, update: {} }; addEncoders(encode, { orient: _('orient'), offset: _('offset') || 0, position: vega_parser_module_value(spec.position, 0), titlePadding: _('titlePadding'), minExtent: _('minExtent'), maxExtent: _('maxExtent'), range: { signal: `abs(span(range("${spec.scale}")))` }, translate: _('translate'), // accessibility support format: spec.format, formatType: spec.formatType }); return encode; } function parseScope (spec, scope, preprocessed) { const signals = array(spec.signals), scales = array(spec.scales); // parse signal definitions, if not already preprocessed if (!preprocessed) signals.forEach(_ => parseSignal(_, scope)); // parse cartographic projection definitions array(spec.projections).forEach(_ => parseProjection(_, scope)); // initialize scale references scales.forEach(_ => initScale(_, scope)); // parse data sources array(spec.data).forEach(_ => parseData(_, scope)); // parse scale definitions scales.forEach(_ => parseScale(_, scope)); // parse signal updates (preprocessed || signals).forEach(_ => parseSignalUpdates(_, scope)); // parse axis definitions array(spec.axes).forEach(_ => parseAxis(_, scope)); // parse mark definitions array(spec.marks).forEach(_ => parseMark(_, scope)); // parse legend definitions array(spec.legends).forEach(_ => parseLegend(_, scope)); // parse title, if defined if (spec.title) parseTitle(spec.title, scope); // parse collected lambda (anonymous) expressions scope.parseLambdas(); return scope; } const rootEncode = spec => extendEncode({ enter: { x: { value: 0 }, y: { value: 0 } }, update: { width: { signal: 'width' }, height: { signal: 'height' } } }, spec); function parseView(spec, scope) { const config = scope.config; // add scenegraph root const root = ref(scope.root = scope.add(operator())); // parse top-level signal definitions const signals = collectSignals(spec, config); signals.forEach(_ => parseSignal(_, scope)); // assign description, event, legend, and locale configuration scope.description = spec.description || config.description; scope.eventConfig = config.events; scope.legends = scope.objectProperty(config.legend && config.legend.layout); scope.locale = config.locale; // store root group item const input = scope.add(vega_parser_module_Collect()); // encode root group item const encode = scope.add(vega_parser_module_Encode(parseEncode(rootEncode(spec.encode), GroupMark, vega_parser_module_FrameRole, spec.style, scope, { pulse: ref(input) }))); // perform view layout const parent = scope.add(vega_parser_module_ViewLayout({ layout: scope.objectProperty(spec.layout), legends: scope.legends, autosize: scope.signalRef('autosize'), mark: root, pulse: ref(encode) })); scope.operators.pop(); // parse remainder of specification scope.pushState(ref(encode), ref(parent), null); parseScope(spec, scope, signals); scope.operators.push(parent); // bound / render / sieve root item let op = scope.add(vega_parser_module_Bound({ mark: root, pulse: ref(parent) })); op = scope.add(vega_parser_module_Render({ pulse: ref(op) })); op = scope.add(vega_parser_module_Sieve({ pulse: ref(op) })); // track metadata for root item scope.addData('root', new DataScope(scope, input, input, op)); return scope; } function signalObject(name, value) { return value && value.signal ? { name, update: value.signal } : { name, value }; } /** * Collect top-level signals, merging values as needed. Signals * defined in the config signals arrays are added only if that * signal is not explicitly defined in the specification. * Built-in signals (autosize, background, padding, width, height) * receive special treatment. They are initialized using the * top-level spec property, or, if undefined in the spec, using * the corresponding top-level config property. If this property * is a signal reference object, the signal expression maps to the * signal 'update' property. If the spec's top-level signal array * contains an entry that matches a built-in signal, that entry * will be merged with the built-in specification, potentially * overwriting existing 'value' or 'update' properties. */ function collectSignals(spec, config) { const _ = name => vega_parser_module_value(spec[name], config[name]), signals = [signalObject('background', _('background')), signalObject('autosize', parseAutosize(_('autosize'))), signalObject('padding', parsePadding(_('padding'))), signalObject('width', _('width') || 0), signalObject('height', _('height') || 0)], pre = signals.reduce((p, s) => (p[s.name] = s, p), {}), map = {}; // add spec signal array array(spec.signals).forEach(s => { if (has(pre, s.name)) { // merge if built-in signal s = extend(pre[s.name], s); } else { // otherwise add to signal list signals.push(s); } map[s.name] = s; }); // add config signal array array(config.signals).forEach(s => { if (!has(map, s.name) && !has(pre, s.name)) { // add to signal list if not already defined signals.push(s); } }); return signals; } function Scope(config, options) { this.config = config || {}; this.options = options || {}; this.bindings = []; this.field = {}; this.signals = {}; this.lambdas = {}; this.scales = {}; this.events = {}; this.data = {}; this.streams = []; this.updates = []; this.operators = []; this.eventConfig = null; this.locale = null; this._id = 0; this._subid = 0; this._nextsub = [0]; this._parent = []; this._encode = []; this._lookup = []; this._markpath = []; } function Subscope(scope) { this.config = scope.config; this.options = scope.options; this.legends = scope.legends; this.field = Object.create(scope.field); this.signals = Object.create(scope.signals); this.lambdas = Object.create(scope.lambdas); this.scales = Object.create(scope.scales); this.events = Object.create(scope.events); this.data = Object.create(scope.data); this.streams = []; this.updates = []; this.operators = []; this._id = 0; this._subid = ++scope._nextsub[0]; this._nextsub = scope._nextsub; this._parent = scope._parent.slice(); this._encode = scope._encode.slice(); this._lookup = scope._lookup.slice(); this._markpath = scope._markpath; } Scope.prototype = Subscope.prototype = { parse(spec) { return parseScope(spec, this); }, fork() { return new Subscope(this); }, isSubscope() { return this._subid > 0; }, toRuntime() { this.finish(); return { description: this.description, operators: this.operators, streams: this.streams, updates: this.updates, bindings: this.bindings, eventConfig: this.eventConfig, locale: this.locale }; }, id() { return (this._subid ? this._subid + ':' : 0) + this._id++; }, add(op) { this.operators.push(op); op.id = this.id(); // if pre-registration references exist, resolve them now if (op.refs) { op.refs.forEach(ref => { ref.$ref = op.id; }); op.refs = null; } return op; }, proxy(op) { const vref = op instanceof Entry ? ref(op) : op; return this.add(vega_parser_module_Proxy({ value: vref })); }, addStream(stream) { this.streams.push(stream); stream.id = this.id(); return stream; }, addUpdate(update) { this.updates.push(update); return update; }, // Apply metadata finish() { let name, ds; // annotate root if (this.root) this.root.root = true; // annotate signals for (name in this.signals) { this.signals[name].signal = name; } // annotate scales for (name in this.scales) { this.scales[name].scale = name; } // annotate data sets function annotate(op, name, type) { let data, list; if (op) { data = op.data || (op.data = {}); list = data[name] || (data[name] = []); list.push(type); } } for (name in this.data) { ds = this.data[name]; annotate(ds.input, name, 'input'); annotate(ds.output, name, 'output'); annotate(ds.values, name, 'values'); for (const field in ds.index) { annotate(ds.index[field], name, 'index:' + field); } } return this; }, // ---- pushState(encode, parent, lookup) { this._encode.push(ref(this.add(vega_parser_module_Sieve({ pulse: encode })))); this._parent.push(parent); this._lookup.push(lookup ? ref(this.proxy(lookup)) : null); this._markpath.push(-1); }, popState() { this._encode.pop(); this._parent.pop(); this._lookup.pop(); this._markpath.pop(); }, parent() { return peek(this._parent); }, encode() { return peek(this._encode); }, lookup() { return peek(this._lookup); }, markpath() { const p = this._markpath; return ++p[p.length - 1]; }, // ---- fieldRef(field, name) { if (vega_util_module_isString(field)) return fieldRef$1(field, name); if (!field.signal) { vega_util_module_error('Unsupported field reference: ' + $(field)); } const s = field.signal; let f = this.field[s]; if (!f) { const params = { name: this.signalRef(s) }; if (name) params.as = name; this.field[s] = f = ref(this.add(vega_parser_module_Field(params))); } return f; }, compareRef(cmp) { let signal = false; const check = _ => isSignal(_) ? (signal = true, this.signalRef(_.signal)) : isExpr$1(_) ? (signal = true, this.exprRef(_.expr)) : _; const fields = array(cmp.field).map(check), orders = array(cmp.order).map(check); return signal ? ref(this.add(vega_parser_module_Compare({ fields: fields, orders: orders }))) : compareRef(fields, orders); }, keyRef(fields, flat) { let signal = false; const check = _ => isSignal(_) ? (signal = true, ref(sig[_.signal])) : _; const sig = this.signals; fields = array(fields).map(check); return signal ? ref(this.add(vega_parser_module_Key({ fields: fields, flat: flat }))) : keyRef(fields, flat); }, sortRef(sort) { if (!sort) return sort; // including id ensures stable sorting const a = aggrField(sort.op, sort.field), o = sort.order || Ascending; return o.signal ? ref(this.add(vega_parser_module_Compare({ fields: a, orders: this.signalRef(o.signal) }))) : compareRef(a, o); }, // ---- event(source, type) { const key = source + ':' + type; if (!this.events[key]) { const id = this.id(); this.streams.push({ id: id, source: source, type: type }); this.events[key] = id; } return this.events[key]; }, // ---- hasOwnSignal(name) { return has(this.signals, name); }, addSignal(name, value) { if (this.hasOwnSignal(name)) { vega_util_module_error('Duplicate signal name: ' + $(name)); } const op = value instanceof Entry ? value : this.add(operator(value)); return this.signals[name] = op; }, getSignal(name) { if (!this.signals[name]) { vega_util_module_error('Unrecognized signal name: ' + $(name)); } return this.signals[name]; }, signalRef(s) { if (this.signals[s]) { return ref(this.signals[s]); } else if (!has(this.lambdas, s)) { this.lambdas[s] = this.add(operator(null)); } return ref(this.lambdas[s]); }, parseLambdas() { const code = Object.keys(this.lambdas); for (let i = 0, n = code.length; i < n; ++i) { const s = code[i], e = vega_functions_module_parser(s, this), op = this.lambdas[s]; op.params = e.$params; op.update = e.$expr; } }, property(spec) { return spec && spec.signal ? this.signalRef(spec.signal) : spec; }, objectProperty(spec) { return !spec || !isObject(spec) ? spec : this.signalRef(spec.signal || propertyLambda(spec)); }, exprRef(code, name) { const params = { expr: vega_functions_module_parser(code, this) }; if (name) params.expr.$name = name; return ref(this.add(vega_parser_module_Expression(params))); }, addBinding(name, bind) { if (!this.bindings) { vega_util_module_error('Nested signals do not support binding: ' + $(name)); } this.bindings.push(extend({ signal: name }, bind)); }, // ---- addScaleProj(name, transform) { if (has(this.scales, name)) { vega_util_module_error('Duplicate scale or projection name: ' + $(name)); } this.scales[name] = this.add(transform); }, addScale(name, params) { this.addScaleProj(name, vega_parser_module_Scale(params)); }, addProjection(name, params) { this.addScaleProj(name, vega_parser_module_Projection(params)); }, getScale(name) { if (!this.scales[name]) { vega_util_module_error('Unrecognized scale name: ' + $(name)); } return this.scales[name]; }, scaleRef(name) { return ref(this.getScale(name)); }, scaleType(name) { return this.getScale(name).params.type; }, projectionRef(name) { return this.scaleRef(name); }, projectionType(name) { return this.scaleType(name); }, // ---- addData(name, dataScope) { if (has(this.data, name)) { vega_util_module_error('Duplicate data set name: ' + $(name)); } return this.data[name] = dataScope; }, getData(name) { if (!this.data[name]) { vega_util_module_error('Undefined data set name: ' + $(name)); } return this.data[name]; }, addDataPipeline(name, entries) { if (has(this.data, name)) { vega_util_module_error('Duplicate data set name: ' + $(name)); } return this.addData(name, DataScope.fromEntries(this, entries)); } }; function propertyLambda(spec) { return (isArray(spec) ? arrayLambda : objectLambda)(spec); } function arrayLambda(array) { const n = array.length; let code = '['; for (let i = 0; i < n; ++i) { const value = array[i]; code += (i > 0 ? ',' : '') + (isObject(value) ? value.signal || propertyLambda(value) : $(value)); } return code + ']'; } function objectLambda(obj) { let code = '{', i = 0, key, value; for (key in obj) { value = obj[key]; code += (++i > 1 ? ',' : '') + $(key) + ':' + (isObject(value) ? value.signal || propertyLambda(value) : $(value)); } return code + '}'; } /** * Standard configuration defaults for Vega specification parsing. * Users can provide their own (sub-)set of these default values * by passing in a config object to the top-level parse method. */ function defaults () { const defaultFont = 'sans-serif', defaultSymbolSize = 30, defaultStrokeWidth = 2, defaultColor = '#4c78a8', black = '#000', gray = '#888', lightGray = '#ddd'; return { // default visualization description description: 'Vega visualization', // default padding around visualization padding: 0, // default for automatic sizing; options: 'none', 'pad', 'fit' // or provide an object (e.g., {'type': 'pad', 'resize': true}) autosize: 'pad', // default view background color // covers the entire view component background: null, // default event handling configuration // preventDefault for view-sourced event types except 'wheel' events: { defaults: { allow: ['wheel'] } }, // defaults for top-level group marks // accepts mark properties (fill, stroke, etc) // covers the data rectangle within group width/height group: null, // defaults for basic mark types // each subset accepts mark properties (fill, stroke, etc) mark: null, arc: { fill: defaultColor }, area: { fill: defaultColor }, image: null, line: { stroke: defaultColor, strokeWidth: defaultStrokeWidth }, path: { stroke: defaultColor }, rect: { fill: defaultColor }, rule: { stroke: black }, shape: { stroke: defaultColor }, symbol: { fill: defaultColor, size: 64 }, text: { fill: black, font: defaultFont, fontSize: 11 }, trail: { fill: defaultColor, size: defaultStrokeWidth }, // style definitions style: { // axis & legend labels 'guide-label': { fill: black, font: defaultFont, fontSize: 10 }, // axis & legend titles 'guide-title': { fill: black, font: defaultFont, fontSize: 11, fontWeight: 'bold' }, // headers, including chart title 'group-title': { fill: black, font: defaultFont, fontSize: 13, fontWeight: 'bold' }, // chart subtitle 'group-subtitle': { fill: black, font: defaultFont, fontSize: 12 }, // defaults for styled point marks in Vega-Lite point: { size: defaultSymbolSize, strokeWidth: defaultStrokeWidth, shape: 'circle' }, circle: { size: defaultSymbolSize, strokeWidth: defaultStrokeWidth }, square: { size: defaultSymbolSize, strokeWidth: defaultStrokeWidth, shape: 'square' }, // defaults for styled group marks in Vega-Lite cell: { fill: 'transparent', stroke: lightGray }, view: { fill: 'transparent' } }, // defaults for title title: { orient: 'top', anchor: 'middle', offset: 4, subtitlePadding: 3 }, // defaults for axes axis: { minExtent: 0, maxExtent: 200, bandPosition: 0.5, domain: true, domainWidth: 1, domainColor: gray, grid: false, gridWidth: 1, gridColor: lightGray, labels: true, labelAngle: 0, labelLimit: 180, labelOffset: 0, labelPadding: 2, ticks: true, tickColor: gray, tickOffset: 0, tickRound: true, tickSize: 5, tickWidth: 1, titlePadding: 4 }, // correction for centering bias axisBand: { tickOffset: -0.5 }, // defaults for cartographic projection projection: { type: 'mercator' }, // defaults for legends legend: { orient: 'right', padding: 0, gridAlign: 'each', columnPadding: 10, rowPadding: 2, symbolDirection: 'vertical', gradientDirection: 'vertical', gradientLength: 200, gradientThickness: 16, gradientStrokeColor: lightGray, gradientStrokeWidth: 0, gradientLabelOffset: 2, labelAlign: 'left', labelBaseline: 'middle', labelLimit: 160, labelOffset: 4, labelOverlap: true, symbolLimit: 30, symbolType: 'circle', symbolSize: 100, symbolOffset: 0, symbolStrokeWidth: 1.5, symbolBaseFillColor: 'transparent', symbolBaseStrokeColor: gray, titleLimit: 180, titleOrient: 'top', titlePadding: 5, layout: { offset: 18, direction: 'horizontal', left: { direction: 'vertical' }, right: { direction: 'vertical' } } }, // defaults for scale ranges range: { category: { scheme: 'tableau10' }, ordinal: { scheme: 'blues' }, heatmap: { scheme: 'yellowgreenblue' }, ramp: { scheme: 'blues' }, diverging: { scheme: 'blueorange', extent: [1, 0] }, symbol: ['circle', 'square', 'triangle-up', 'cross', 'diamond', 'triangle-right', 'triangle-down', 'triangle-left'] } }; } function vega_parser_module_parse (spec, config, options) { if (!isObject(spec)) { vega_util_module_error('Input Vega specification must be an object.'); } config = mergeConfig(defaults(), config, spec.config); return parseView(spec, new Scope(config, options)).toRuntime(); } ;// CONCATENATED MODULE: ../node_modules/vega/build/vega.module.js var version = "5.32.0"; // -- Transforms ----- extend(transforms, vega_transforms_module_namespaceObject, vega_view_transforms_module_namespaceObject, vega_encode_module_namespaceObject, vega_geo_module_namespaceObject, vega_force_module_namespaceObject, vega_label_module_namespaceObject, vega_hierarchy_module_namespaceObject, vega_regression_module_namespaceObject, vega_voronoi_module_namespaceObject, vega_wordcloud_module_namespaceObject, vega_crossfilter_module_namespaceObject); ;// CONCATENATED MODULE: ../node_modules/vega-interpreter/build/vega-interpreter.module.js function vega_interpreter_module_adjustSpatial (item, encode, swap) { let t; if (encode.x2) { if (encode.x) { if (swap && item.x > item.x2) { t = item.x; item.x = item.x2; item.x2 = t; } item.width = item.x2 - item.x; } else { item.x = item.x2 - (item.width || 0); } } if (encode.xc) { item.x = item.xc - (item.width || 0) / 2; } if (encode.y2) { if (encode.y) { if (swap && item.y > item.y2) { t = item.y; item.y = item.y2; item.y2 = t; } item.height = item.y2 - item.y; } else { item.y = item.y2 - (item.height || 0); } } if (encode.yc) { item.y = item.yc - (item.height || 0) / 2; } } var vega_interpreter_module_Constants = { NaN: NaN, E: Math.E, LN2: Math.LN2, LN10: Math.LN10, LOG2E: Math.LOG2E, LOG10E: Math.LOG10E, PI: Math.PI, SQRT1_2: Math.SQRT1_2, SQRT2: Math.SQRT2, MIN_VALUE: Number.MIN_VALUE, MAX_VALUE: Number.MAX_VALUE }; var Ops = { '*': (a, b) => a * b, '+': (a, b) => a + b, '-': (a, b) => a - b, '/': (a, b) => a / b, '%': (a, b) => a % b, '>': (a, b) => a > b, '<': (a, b) => a < b, '<=': (a, b) => a <= b, '>=': (a, b) => a >= b, '==': (a, b) => a == b, '!=': (a, b) => a != b, '===': (a, b) => a === b, '!==': (a, b) => a !== b, '&': (a, b) => a & b, '|': (a, b) => a | b, '^': (a, b) => a ^ b, '<<': (a, b) => a << b, '>>': (a, b) => a >> b, '>>>': (a, b) => a >>> b }; var Unary = { '+': a => +a, '-': a => -a, '~': a => ~a, '!': a => !a }; const vega_interpreter_module_slice = Array.prototype.slice; const vega_interpreter_module_apply = (m, args, cast) => { const obj = cast ? cast(args[0]) : args[0]; return obj[m].apply(obj, vega_interpreter_module_slice.call(args, 1)); }; const datetime = (y, m, d, H, M, S, ms) => new Date(y, m || 0, d != null ? d : 1, H || 0, M || 0, S || 0, ms || 0); var vega_interpreter_module_Functions = { // math functions isNaN: Number.isNaN, isFinite: Number.isFinite, abs: Math.abs, acos: Math.acos, asin: Math.asin, atan: Math.atan, atan2: Math.atan2, ceil: Math.ceil, cos: Math.cos, exp: Math.exp, floor: Math.floor, log: Math.log, max: Math.max, min: Math.min, pow: Math.pow, random: Math.random, round: Math.round, sin: Math.sin, sqrt: Math.sqrt, tan: Math.tan, clamp: (a, b, c) => Math.max(b, Math.min(c, a)), // date functions now: Date.now, utc: Date.UTC, datetime: datetime, date: d => new Date(d).getDate(), day: d => new Date(d).getDay(), year: d => new Date(d).getFullYear(), month: d => new Date(d).getMonth(), hours: d => new Date(d).getHours(), minutes: d => new Date(d).getMinutes(), seconds: d => new Date(d).getSeconds(), milliseconds: d => new Date(d).getMilliseconds(), time: d => new Date(d).getTime(), timezoneoffset: d => new Date(d).getTimezoneOffset(), utcdate: d => new Date(d).getUTCDate(), utcday: d => new Date(d).getUTCDay(), utcyear: d => new Date(d).getUTCFullYear(), utcmonth: d => new Date(d).getUTCMonth(), utchours: d => new Date(d).getUTCHours(), utcminutes: d => new Date(d).getUTCMinutes(), utcseconds: d => new Date(d).getUTCSeconds(), utcmilliseconds: d => new Date(d).getUTCMilliseconds(), // sequence functions length: x => x.length, join: function () { return vega_interpreter_module_apply('join', arguments); }, indexof: function () { return vega_interpreter_module_apply('indexOf', arguments); }, lastindexof: function () { return vega_interpreter_module_apply('lastIndexOf', arguments); }, slice: function () { return vega_interpreter_module_apply('slice', arguments); }, reverse: x => x.slice().reverse(), // string functions parseFloat: parseFloat, parseInt: parseInt, upper: x => String(x).toUpperCase(), lower: x => String(x).toLowerCase(), substring: function () { return vega_interpreter_module_apply('substring', arguments, String); }, split: function () { return vega_interpreter_module_apply('split', arguments, String); }, replace: function () { return vega_interpreter_module_apply('replace', arguments, String); }, trim: x => String(x).trim(), // regexp functions regexp: RegExp, test: (r, t) => RegExp(r).test(t) }; const EventFunctions = ['view', 'item', 'group', 'xy', 'x', 'y']; const DisallowedMethods = new Set([Function, eval, setTimeout, setInterval]); if (typeof setImmediate === 'function') DisallowedMethods.add(setImmediate); const Visitors = { Literal: ($, n) => n.value, Identifier: ($, n) => { const id = n.name; return $.memberDepth > 0 ? id : id === 'datum' ? $.datum : id === 'event' ? $.event : id === 'item' ? $.item : vega_interpreter_module_Constants[id] || $.params['$' + id]; }, MemberExpression: ($, n) => { const d = !n.computed, o = $(n.object); if (d) $.memberDepth += 1; const p = $(n.property); if (d) $.memberDepth -= 1; if (DisallowedMethods.has(o[p])) { // eslint-disable-next-line no-console console.error(`Prevented interpretation of member "${p}" which could lead to insecure code execution`); return; } return o[p]; }, CallExpression: ($, n) => { const args = n.arguments; let name = n.callee.name; // handle special internal functions used by encoders // re-route to corresponding standard function if (name.startsWith('_')) { name = name.slice(1); } // special case "if" due to conditional evaluation of branches return name === 'if' ? $(args[0]) ? $(args[1]) : $(args[2]) : ($.fn[name] || vega_interpreter_module_Functions[name]).apply($.fn, args.map($)); }, ArrayExpression: ($, n) => n.elements.map($), BinaryExpression: ($, n) => Ops[n.operator]($(n.left), $(n.right)), UnaryExpression: ($, n) => Unary[n.operator]($(n.argument)), ConditionalExpression: ($, n) => $(n.test) ? $(n.consequent) : $(n.alternate), LogicalExpression: ($, n) => n.operator === '&&' ? $(n.left) && $(n.right) : $(n.left) || $(n.right), ObjectExpression: ($, n) => n.properties.reduce((o, p) => { $.memberDepth += 1; const k = $(p.key); $.memberDepth -= 1; if (DisallowedMethods.has($(p.value))) { // eslint-disable-next-line no-console console.error(`Prevented interpretation of property "${k}" which could lead to insecure code execution`); } else { o[k] = $(p.value); } return o; }, {}) }; function interpret (ast, fn, params, datum, event, item) { const $ = n => Visitors[n.type]($, n); $.memberDepth = 0; $.fn = Object.create(fn); $.params = params; $.datum = datum; $.event = event; $.item = item; // route event functions to annotated vega event context EventFunctions.forEach(f => $.fn[f] = function () { return event.vega[f](...arguments); }); return $(ast); } var vega_interpreter_module_expression = { /** * Parse an expression used to update an operator value. */ operator(ctx, expr) { const ast = expr.ast, fn = ctx.functions; return _ => interpret(ast, fn, _); }, /** * Parse an expression provided as an operator parameter value. */ parameter(ctx, expr) { const ast = expr.ast, fn = ctx.functions; return (datum, _) => interpret(ast, fn, _, datum); }, /** * Parse an expression applied to an event stream. */ event(ctx, expr) { const ast = expr.ast, fn = ctx.functions; return event => interpret(ast, fn, undefined, undefined, event); }, /** * Parse an expression used to handle an event-driven operator update. */ handler(ctx, expr) { const ast = expr.ast, fn = ctx.functions; return (_, event) => { const datum = event.item && event.item.datum; return interpret(ast, fn, _, datum, event); }; }, /** * Parse an expression that performs visual encoding. */ encode(ctx, encode) { const { marktype, channels } = encode, fn = ctx.functions, swap = marktype === 'group' || marktype === 'image' || marktype === 'rect'; return (item, _) => { const datum = item.datum; let m = 0, v; for (const name in channels) { v = interpret(channels[name].ast, fn, _, datum, undefined, item); if (item[name] !== v) { item[name] = v; m = 1; } } if (marktype !== 'rule') { vega_interpreter_module_adjustSpatial(item, channels, swap); } return m; }; } }; ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/package.json const package_namespaceObject = {"i8":"5.15.1"}; ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/logical.js function isLogicalOr(op) { return !!op.or; } function isLogicalAnd(op) { return !!op.and; } function isLogicalNot(op) { return !!op.not; } function forEachLeaf(op, fn) { if (isLogicalNot(op)) { forEachLeaf(op.not, fn); } else if (isLogicalAnd(op)) { for (const subop of op.and) { forEachLeaf(subop, fn); } } else if (isLogicalOr(op)) { for (const subop of op.or) { forEachLeaf(subop, fn); } } else { fn(op); } } function normalizeLogicalComposition(op, normalizer) { if (isLogicalNot(op)) { return { not: normalizeLogicalComposition(op.not, normalizer) }; } else if (isLogicalAnd(op)) { return { and: op.and.map(o => normalizeLogicalComposition(o, normalizer)) }; } else if (isLogicalOr(op)) { return { or: op.or.map(o => normalizeLogicalComposition(o, normalizer)) }; } else { return normalizer(op); } } //# sourceMappingURL=logical.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/util.js const duplicate = structuredClone; function never(message) { throw new Error(message); } /** * Creates an object composed of the picked object properties. * * var object = {'a': 1, 'b': '2', 'c': 3}; * pick(object, ['a', 'c']); * // → {'a': 1, 'c': 3} */ // eslint-disable-next-line @typescript-eslint/ban-types function util_pick(obj, props) { const copy = {}; for (const prop of props) { if (has(obj, prop)) { copy[prop] = obj[prop]; } } return copy; } /** * The opposite of _.pick; this method creates an object composed of the own * and inherited enumerable string keyed properties of object that are not omitted. */ // eslint-disable-next-line @typescript-eslint/ban-types function omit(obj, props) { const copy = { ...obj }; for (const prop of props) { delete copy[prop]; } return copy; } /** * Monkey patch Set so that `stringify` produces a string representation of sets. */ Set.prototype['toJSON'] = function () { return `Set(${[...this].map(x => stringify(x)).join(',')})`; }; /** * Converts any object to a string of limited size, or a number. */ function hash(a) { if (isNumber(a)) { return a; } const str = vega_util_module_isString(a) ? a : stringify(a); // short strings can be used as hash directly, longer strings are hashed to reduce memory usage if (str.length < 250) { return str; } // from http://werxltd.com/wp/2010/05/13/javascript-implementation-of-javas-string-hashcode-method/ let h = 0; for (let i = 0; i < str.length; i++) { const char = str.charCodeAt(i); h = (h << 5) - h + char; h = h & h; // Convert to 32bit integer } return h; } function isNullOrFalse(x) { return x === false || x === null; } function util_contains(array, item) { return array.includes(item); } /** * Returns true if any item returns true. */ function some(arr, f) { let i = 0; for (const [k, a] of arr.entries()) { if (f(a, k, i++)) { return true; } } return false; } /** * Returns true if all items return true. */ function every(arr, f) { let i = 0; for (const [k, a] of arr.entries()) { if (!f(a, k, i++)) { return false; } } return true; } /** * recursively merges src into dest */ function mergeDeep(dest, ...src) { for (const s of src) { deepMerge_(dest, s ?? {}); } return dest; } function deepMerge_(dest, src) { for (const property of util_keys(src)) { writeConfig(dest, property, src[property], true); } } function unique(values, f) { const results = []; const u = {}; let v; for (const val of values) { v = f(val); if (v in u) { continue; } u[v] = 1; results.push(val); } return results; } /** * Returns true if the two dictionaries agree. Applies only to defined values. */ function isEqual(dict, other) { const dictKeys = util_keys(dict); const otherKeys = util_keys(other); if (dictKeys.length !== otherKeys.length) { return false; } for (const key of dictKeys) { if (dict[key] !== other[key]) { return false; } } return true; } function setEqual(a, b) { if (a.size !== b.size) { return false; } for (const e of a) { if (!b.has(e)) { return false; } } return true; } function hasIntersection(a, b) { for (const key of a) { if (b.has(key)) { return true; } } return false; } function prefixGenerator(a) { const prefixes = new Set(); for (const x of a) { const splitField = splitAccessPath(x); // Wrap every element other than the first in `[]` const wrappedWithAccessors = splitField.map((y, i) => (i === 0 ? y : `[${y}]`)); const computedPrefixes = wrappedWithAccessors.map((_, i) => wrappedWithAccessors.slice(0, i + 1).join('')); for (const y of computedPrefixes) { prefixes.add(y); } } return prefixes; } /** * Returns true if a and b have an intersection. Also return true if a or b are undefined * since this means we don't know what fields a node produces or depends on. */ function fieldIntersection(a, b) { if (a === undefined || b === undefined) { return true; } return hasIntersection(prefixGenerator(a), prefixGenerator(b)); } // eslint-disable-next-line @typescript-eslint/ban-types function isEmpty(obj) { return util_keys(obj).length === 0; } // This is a stricter version of Object.keys but with better types. See https://github.com/Microsoft/TypeScript/pull/12253#issuecomment-263132208 const util_keys = Object.keys; const vals = Object.values; const entries = Object.entries; function util_isBoolean(b) { return b === true || b === false; } /** * Convert a string into a valid variable name */ function varName(s) { // Replace non-alphanumeric characters (anything besides a-zA-Z0-9_) with _ const alphanumericS = s.replace(/\W/g, '_'); // Add _ if the string has leading numbers. return (s.match(/^\d+/) ? '_' : '') + alphanumericS; } function logicalExpr(op, cb) { if (isLogicalNot(op)) { return `!(${logicalExpr(op.not, cb)})`; } else if (isLogicalAnd(op)) { return `(${op.and.map((and) => logicalExpr(and, cb)).join(') && (')})`; } else if (isLogicalOr(op)) { return `(${op.or.map((or) => logicalExpr(or, cb)).join(') || (')})`; } else { return cb(op); } } /** * Delete nested property of an object, and delete the ancestors of the property if they become empty. */ function deleteNestedProperty(obj, orderedProps) { if (orderedProps.length === 0) { return true; } const prop = orderedProps.shift(); // eslint-disable-line @typescript-eslint/no-non-null-assertion if (prop in obj && deleteNestedProperty(obj[prop], orderedProps)) { delete obj[prop]; } return isEmpty(obj); } function titleCase(s) { return s.charAt(0).toUpperCase() + s.substr(1); } /** * Converts a path to an access path with datum. * @param path The field name. * @param datum The string to use for `datum`. */ function accessPathWithDatum(path, datum = 'datum') { const pieces = splitAccessPath(path); const prefixes = []; for (let i = 1; i <= pieces.length; i++) { const prefix = `[${pieces.slice(0, i).map($).join('][')}]`; prefixes.push(`${datum}${prefix}`); } return prefixes.join(' && '); } /** * Return access with datum to the flattened field. * * @param path The field name. * @param datum The string to use for `datum`. */ function flatAccessWithDatum(path, datum = 'datum') { return `${datum}[${$(splitAccessPath(path).join('.'))}]`; } function escapePathAccess(string) { return string.replace(/(\[|\]|\.|'|")/g, '\\$1'); } /** * Replaces path accesses with access to non-nested field. * For example, `foo["bar"].baz` becomes `foo\\.bar\\.baz`. */ function replacePathInField(path) { return `${splitAccessPath(path).map(escapePathAccess).join('\\.')}`; } /** * Replace all occurrences of a string with another string. * * @param string the string to replace in * @param find the string to replace * @param replacement the replacement */ function replaceAll(string, find, replacement) { return string.replace(new RegExp(find.replace(/[-/\\^$*+?.()|[\]{}]/g, '\\$&'), 'g'), replacement); } /** * Remove path accesses with access from field. * For example, `foo["bar"].baz` becomes `foo.bar.baz`. */ function removePathFromField(path) { return `${splitAccessPath(path).join('.')}`; } /** * Count the depth of the path. Returns 1 for fields that are not nested. */ function accessPathDepth(path) { if (!path) { return 0; } return splitAccessPath(path).length; } /** * This is a replacement for chained || for numeric properties or properties that respect null so that 0 will be included. */ function getFirstDefined(...args) { for (const arg of args) { if (arg !== undefined) { return arg; } } return undefined; } // variable used to generate id let idCounter = 42; /** * Returns a new random id every time it gets called. * * Has side effect! */ function uniqueId(prefix) { const id = ++idCounter; return prefix ? String(prefix) + id : id; } /** * Resets the id counter used in uniqueId. This can be useful for testing. */ function resetIdCounter() { idCounter = 42; } function internalField(name) { return isInternalField(name) ? name : `__${name}`; } function isInternalField(name) { return name.startsWith('__'); } /** * Normalize angle to be within [0,360). */ function normalizeAngle(angle) { if (angle === undefined) { return undefined; } return ((angle % 360) + 360) % 360; } /** * Returns whether the passed in value is a valid number. */ function isNumeric(value) { if (isNumber(value)) { return true; } return !isNaN(value) && !isNaN(parseFloat(value)); } const clonedProto = Object.getPrototypeOf(structuredClone({})); /** * Compares two values for equality, including arrays and objects. * * Adapted from https://github.com/epoberezkin/fast-deep-equal. */ function deepEqual(a, b) { if (a === b) return true; if (a && b && typeof a == 'object' && typeof b == 'object') { // compare names to avoid issues with structured clone if (a.constructor.name !== b.constructor.name) return false; let length; let i; if (Array.isArray(a)) { length = a.length; if (length != b.length) return false; for (i = length; i-- !== 0;) if (!deepEqual(a[i], b[i])) return false; return true; } if (a instanceof Map && b instanceof Map) { if (a.size !== b.size) return false; for (i of a.entries()) if (!b.has(i[0])) return false; for (i of a.entries()) if (!deepEqual(i[1], b.get(i[0]))) return false; return true; } if (a instanceof Set && b instanceof Set) { if (a.size !== b.size) return false; for (i of a.entries()) if (!b.has(i[0])) return false; return true; } if (ArrayBuffer.isView(a) && ArrayBuffer.isView(b)) { length = a.length; if (length != b.length) return false; for (i = length; i-- !== 0;) if (a[i] !== b[i]) return false; return true; } if (a.constructor === RegExp) return a.source === b.source && a.flags === b.flags; // also compare to structured clone prototype if (a.valueOf !== Object.prototype.valueOf && a.valueOf !== clonedProto.valueOf) return a.valueOf() === b.valueOf(); if (a.toString !== Object.prototype.toString && a.toString !== clonedProto.toString) return a.toString() === b.toString(); const ks = Object.keys(a); length = ks.length; if (length !== Object.keys(b).length) return false; for (i = length; i-- !== 0;) if (!Object.prototype.hasOwnProperty.call(b, ks[i])) return false; for (i = length; i-- !== 0;) { const key = ks[i]; if (!deepEqual(a[key], b[key])) return false; } return true; } // true if both NaN, false otherwise return a !== a && b !== b; } /** * Converts any object to a string representation that can be consumed by humans. * * Adapted from https://github.com/epoberezkin/fast-json-stable-stringify */ function stringify(data) { const seen = []; return (function _stringify(node) { if (node && node.toJSON && typeof node.toJSON === 'function') { node = node.toJSON(); } if (node === undefined) return undefined; if (typeof node == 'number') return isFinite(node) ? '' + node : 'null'; if (typeof node !== 'object') return JSON.stringify(node); let i, out; if (Array.isArray(node)) { out = '['; for (i = 0; i < node.length; i++) { if (i) out += ','; out += _stringify(node[i]) || 'null'; } return out + ']'; } if (node === null) return 'null'; if (seen.includes(node)) { throw new TypeError('Converting circular structure to JSON'); } const seenIndex = seen.push(node) - 1; const ks = Object.keys(node).sort(); out = ''; for (i = 0; i < ks.length; i++) { const key = ks[i]; const value = _stringify(node[key]); if (!value) continue; if (out) out += ','; out += JSON.stringify(key) + ':' + value; } seen.splice(seenIndex, 1); return `{${out}}`; })(data); } //# sourceMappingURL=util.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/channel.js /* * Constants and utilities for encoding channels (Visual variables) * such as 'x', 'y', 'color'. */ // Facet const ROW = 'row'; const COLUMN = 'column'; const FACET = 'facet'; // Position const channel_X = 'x'; const channel_Y = 'y'; const channel_X2 = 'x2'; const channel_Y2 = 'y2'; // Position Offset const XOFFSET = 'xOffset'; const YOFFSET = 'yOffset'; // Arc-Position const RADIUS = 'radius'; const RADIUS2 = 'radius2'; const THETA = 'theta'; const THETA2 = 'theta2'; // Geo Position const LATITUDE = 'latitude'; const LONGITUDE = 'longitude'; const LATITUDE2 = 'latitude2'; const LONGITUDE2 = 'longitude2'; // Mark property with scale const COLOR = 'color'; const FILL = 'fill'; const STROKE = 'stroke'; const SHAPE = 'shape'; const channel_SIZE = 'size'; const ANGLE = 'angle'; const OPACITY = 'opacity'; const FILLOPACITY = 'fillOpacity'; const STROKEOPACITY = 'strokeOpacity'; const STROKEWIDTH = 'strokeWidth'; const STROKEDASH = 'strokeDash'; // Non-scale channel const TEXT = 'text'; const ORDER = 'order'; const DETAIL = 'detail'; const KEY = 'key'; const TOOLTIP = 'tooltip'; const HREF = 'href'; const channel_URL = 'url'; const DESCRIPTION = 'description'; const POSITION_CHANNEL_INDEX = { x: 1, y: 1, x2: 1, y2: 1 }; const POLAR_POSITION_CHANNEL_INDEX = { theta: 1, theta2: 1, radius: 1, radius2: 1 }; function isPolarPositionChannel(c) { return c in POLAR_POSITION_CHANNEL_INDEX; } const GEO_POSIITON_CHANNEL_INDEX = { longitude: 1, longitude2: 1, latitude: 1, latitude2: 1 }; function getPositionChannelFromLatLong(channel) { switch (channel) { case LATITUDE: return 'y'; case LATITUDE2: return 'y2'; case LONGITUDE: return 'x'; case LONGITUDE2: return 'x2'; } } function isGeoPositionChannel(c) { return c in GEO_POSIITON_CHANNEL_INDEX; } const GEOPOSITION_CHANNELS = util_keys(GEO_POSIITON_CHANNEL_INDEX); const UNIT_CHANNEL_INDEX = { ...POSITION_CHANNEL_INDEX, ...POLAR_POSITION_CHANNEL_INDEX, ...GEO_POSIITON_CHANNEL_INDEX, xOffset: 1, yOffset: 1, // color color: 1, fill: 1, stroke: 1, // other non-position with scale opacity: 1, fillOpacity: 1, strokeOpacity: 1, strokeWidth: 1, strokeDash: 1, size: 1, angle: 1, shape: 1, // channels without scales order: 1, text: 1, detail: 1, key: 1, tooltip: 1, href: 1, url: 1, description: 1 }; function isColorChannel(channel) { return channel === COLOR || channel === FILL || channel === STROKE; } const FACET_CHANNEL_INDEX = { row: 1, column: 1, facet: 1 }; const FACET_CHANNELS = util_keys(FACET_CHANNEL_INDEX); const CHANNEL_INDEX = { ...UNIT_CHANNEL_INDEX, ...FACET_CHANNEL_INDEX }; const CHANNELS = util_keys(CHANNEL_INDEX); const { order: _o, detail: _d, tooltip: _tt1, ...SINGLE_DEF_CHANNEL_INDEX } = CHANNEL_INDEX; const { row: _r, column: _c, facet: _f, ...SINGLE_DEF_UNIT_CHANNEL_INDEX } = SINGLE_DEF_CHANNEL_INDEX; /** * Channels that cannot have an array of channelDef. * model.fieldDef, getFieldDef only work for these channels. * * (The only two channels that can have an array of channelDefs are "detail" and "order". * Since there can be multiple fieldDefs for detail and order, getFieldDef/model.fieldDef * are not applicable for them. Similarly, selection projection won't work with "detail" and "order".) */ const SINGLE_DEF_CHANNELS = util_keys(SINGLE_DEF_CHANNEL_INDEX); const SINGLE_DEF_UNIT_CHANNELS = util_keys(SINGLE_DEF_UNIT_CHANNEL_INDEX); function isSingleDefUnitChannel(str) { return !!SINGLE_DEF_UNIT_CHANNEL_INDEX[str]; } function isChannel(str) { return !!CHANNEL_INDEX[str]; } const SECONDARY_RANGE_CHANNEL = [channel_X2, channel_Y2, LATITUDE2, LONGITUDE2, THETA2, RADIUS2]; function isSecondaryRangeChannel(c) { const main = getMainRangeChannel(c); return main !== c; } /** * Get the main channel for a range channel. E.g. `x` for `x2`. */ function getMainRangeChannel(channel) { switch (channel) { case channel_X2: return channel_X; case channel_Y2: return channel_Y; case LATITUDE2: return LATITUDE; case LONGITUDE2: return LONGITUDE; case THETA2: return THETA; case RADIUS2: return RADIUS; } return channel; } function getVgPositionChannel(channel) { if (isPolarPositionChannel(channel)) { switch (channel) { case THETA: return 'startAngle'; case THETA2: return 'endAngle'; case RADIUS: return 'outerRadius'; case RADIUS2: return 'innerRadius'; } } return channel; } /** * Get the main channel for a range channel. E.g. `x` for `x2`. */ function getSecondaryRangeChannel(channel) { switch (channel) { case channel_X: return channel_X2; case channel_Y: return channel_Y2; case LATITUDE: return LATITUDE2; case LONGITUDE: return LONGITUDE2; case THETA: return THETA2; case RADIUS: return RADIUS2; } return undefined; } function getSizeChannel(channel) { switch (channel) { case channel_X: case channel_X2: return 'width'; case channel_Y: case channel_Y2: return 'height'; } return undefined; } /** * Get the main channel for a range channel. E.g. `x` for `x2`. */ function getOffsetChannel(channel) { switch (channel) { case channel_X: return 'xOffset'; case channel_Y: return 'yOffset'; case channel_X2: return 'x2Offset'; case channel_Y2: return 'y2Offset'; case THETA: return 'thetaOffset'; case RADIUS: return 'radiusOffset'; case THETA2: return 'theta2Offset'; case RADIUS2: return 'radius2Offset'; } return undefined; } /** * Get the main channel for a range channel. E.g. `x` for `x2`. */ function getOffsetScaleChannel(channel) { switch (channel) { case channel_X: return 'xOffset'; case channel_Y: return 'yOffset'; } return undefined; } function getMainChannelFromOffsetChannel(channel) { switch (channel) { case 'xOffset': return 'x'; case 'yOffset': return 'y'; } } // CHANNELS without COLUMN, ROW const UNIT_CHANNELS = util_keys(UNIT_CHANNEL_INDEX); // NONPOSITION_CHANNELS = UNIT_CHANNELS without X, Y, X2, Y2; const { x: _x, y: _y, // x2 and y2 share the same scale as x and y x2: _x2, y2: _y2, // xOffset: _xo, yOffset: _yo, latitude: _latitude, longitude: _longitude, latitude2: _latitude2, longitude2: _longitude2, theta: _theta, theta2: _theta2, radius: _radius, radius2: _radius2, // The rest of unit channels then have scale ...NONPOSITION_CHANNEL_INDEX } = UNIT_CHANNEL_INDEX; const NONPOSITION_CHANNELS = util_keys(NONPOSITION_CHANNEL_INDEX); const POSITION_SCALE_CHANNEL_INDEX = { x: 1, y: 1 }; const POSITION_SCALE_CHANNELS = util_keys(POSITION_SCALE_CHANNEL_INDEX); function isXorY(channel) { return channel in POSITION_SCALE_CHANNEL_INDEX; } const POLAR_POSITION_SCALE_CHANNEL_INDEX = { theta: 1, radius: 1 }; const POLAR_POSITION_SCALE_CHANNELS = util_keys(POLAR_POSITION_SCALE_CHANNEL_INDEX); function getPositionScaleChannel(sizeType) { return sizeType === 'width' ? channel_X : channel_Y; } const OFFSET_SCALE_CHANNEL_INDEX = { xOffset: 1, yOffset: 1 }; const OFFSET_SCALE_CHANNELS = util_keys(OFFSET_SCALE_CHANNEL_INDEX); function isXorYOffset(channel) { return channel in OFFSET_SCALE_CHANNEL_INDEX; } // NON_POSITION_SCALE_CHANNEL = SCALE_CHANNELS without position / offset const { // x2 and y2 share the same scale as x and y // text and tooltip have format instead of scale, // href has neither format, nor scale text: _t, tooltip: _tt, href: _hr, url: _u, description: _al, // detail and order have no scale detail: _dd, key: _k, order: _oo, ...NONPOSITION_SCALE_CHANNEL_INDEX } = NONPOSITION_CHANNEL_INDEX; const NONPOSITION_SCALE_CHANNELS = util_keys(NONPOSITION_SCALE_CHANNEL_INDEX); function isNonPositionScaleChannel(channel) { return !!NONPOSITION_CHANNEL_INDEX[channel]; } /** * @returns whether Vega supports legends for a particular channel */ function supportLegend(channel) { switch (channel) { case COLOR: case FILL: case STROKE: case channel_SIZE: case SHAPE: case OPACITY: case STROKEWIDTH: case STROKEDASH: return true; case FILLOPACITY: case STROKEOPACITY: case ANGLE: return false; } } // Declare SCALE_CHANNEL_INDEX const SCALE_CHANNEL_INDEX = { ...POSITION_SCALE_CHANNEL_INDEX, ...POLAR_POSITION_SCALE_CHANNEL_INDEX, ...OFFSET_SCALE_CHANNEL_INDEX, ...NONPOSITION_SCALE_CHANNEL_INDEX }; /** List of channels with scales */ const SCALE_CHANNELS = util_keys(SCALE_CHANNEL_INDEX); function isScaleChannel(channel) { return !!SCALE_CHANNEL_INDEX[channel]; } /** * Return whether a channel supports a particular mark type. * @param channel channel name * @param mark the mark type * @return whether the mark supports the channel */ function supportMark(channel, mark) { return getSupportedMark(channel)[mark]; } const ALL_MARKS = { // all marks arc: 'always', area: 'always', bar: 'always', circle: 'always', geoshape: 'always', image: 'always', line: 'always', rule: 'always', point: 'always', rect: 'always', square: 'always', trail: 'always', text: 'always', tick: 'always' }; const { geoshape: _g, ...ALL_MARKS_EXCEPT_GEOSHAPE } = ALL_MARKS; /** * Return a dictionary showing whether a channel supports mark type. * @param channel * @return A dictionary mapping mark types to 'always', 'binned', or undefined */ function getSupportedMark(channel) { switch (channel) { case COLOR: case FILL: case STROKE: // falls through case DESCRIPTION: case DETAIL: case KEY: case TOOLTIP: case HREF: case ORDER: // TODO: revise (order might not support rect, which is not stackable?) case OPACITY: case FILLOPACITY: case STROKEOPACITY: case STROKEWIDTH: // falls through case FACET: case ROW: // falls through case COLUMN: return ALL_MARKS; case channel_X: case channel_Y: case XOFFSET: case YOFFSET: case LATITUDE: case LONGITUDE: // all marks except geoshape. geoshape does not use X, Y -- it uses a projection return ALL_MARKS_EXCEPT_GEOSHAPE; case channel_X2: case channel_Y2: case LATITUDE2: case LONGITUDE2: return { area: 'always', bar: 'always', image: 'always', rect: 'always', rule: 'always', circle: 'binned', point: 'binned', square: 'binned', tick: 'binned', line: 'binned', trail: 'binned' }; case channel_SIZE: return { point: 'always', tick: 'always', rule: 'always', circle: 'always', square: 'always', bar: 'always', text: 'always', line: 'always', trail: 'always' }; case STROKEDASH: return { line: 'always', point: 'always', tick: 'always', rule: 'always', circle: 'always', square: 'always', bar: 'always', geoshape: 'always' }; case SHAPE: return { point: 'always', geoshape: 'always' }; case TEXT: return { text: 'always' }; case ANGLE: return { point: 'always', square: 'always', text: 'always' }; case channel_URL: return { image: 'always' }; case THETA: return { text: 'always', arc: 'always' }; case RADIUS: return { text: 'always', arc: 'always' }; case THETA2: case RADIUS2: return { arc: 'always' }; } } function rangeType(channel) { switch (channel) { case channel_X: case channel_Y: case THETA: case RADIUS: case XOFFSET: case YOFFSET: case channel_SIZE: case ANGLE: case STROKEWIDTH: case OPACITY: case FILLOPACITY: case STROKEOPACITY: // X2 and Y2 use X and Y scales, so they similarly have continuous range. [falls through] case channel_X2: case channel_Y2: case THETA2: case RADIUS2: return undefined; case FACET: case ROW: case COLUMN: case SHAPE: case STROKEDASH: // TEXT, TOOLTIP, URL, and HREF have no scale but have discrete output [falls through] case TEXT: case TOOLTIP: case HREF: case channel_URL: case DESCRIPTION: return 'discrete'; // Color can be either continuous or discrete, depending on scale type. case COLOR: case FILL: case STROKE: return 'flexible'; // No scale, no range type. case LATITUDE: case LONGITUDE: case LATITUDE2: case LONGITUDE2: case DETAIL: case KEY: case ORDER: return undefined; } } //# sourceMappingURL=channel.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/aggregate.js const AGGREGATE_OP_INDEX = { argmax: 1, argmin: 1, average: 1, count: 1, distinct: 1, product: 1, max: 1, mean: 1, median: 1, min: 1, missing: 1, q1: 1, q3: 1, ci0: 1, ci1: 1, stderr: 1, stdev: 1, stdevp: 1, sum: 1, valid: 1, values: 1, variance: 1, variancep: 1 }; const MULTIDOMAIN_SORT_OP_INDEX = { count: 1, min: 1, max: 1 }; function isArgminDef(a) { return !!a && !!a['argmin']; } function isArgmaxDef(a) { return !!a && !!a['argmax']; } function isAggregateOp(a) { return vega_util_module_isString(a) && !!AGGREGATE_OP_INDEX[a]; } const COUNTING_OPS = new Set([ 'count', 'valid', 'missing', 'distinct' ]); function isCountingAggregateOp(aggregate) { return vega_util_module_isString(aggregate) && COUNTING_OPS.has(aggregate); } function isMinMaxOp(aggregate) { return vega_util_module_isString(aggregate) && util_contains(['min', 'max'], aggregate); } /** Additive-based aggregation operations. These can be applied to stack. */ const SUM_OPS = new Set([ 'count', 'sum', 'distinct', 'valid', 'missing' ]); /** * Aggregation operators that always produce values within the range [domainMin, domainMax]. */ const SHARED_DOMAIN_OPS = new Set([ 'mean', 'average', 'median', 'q1', 'q3', 'min', 'max' ]); //# sourceMappingURL=aggregate.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/bin.js /** * Create a key for the bin configuration. Not for prebinned bin. */ function binToString(bin) { if (isBoolean(bin)) { bin = normalizeBin(bin, undefined); } return ('bin' + util_keys(bin) .map(p => (isParameterExtent(bin[p]) ? varName(`_${p}_${entries(bin[p])}`) : varName(`_${p}_${bin[p]}`))) .join('')); } /** * Vega-Lite should bin the data. */ function isBinning(bin) { return bin === true || (isBinParams(bin) && !bin.binned); } /** * The data is already binned and so Vega-Lite should not bin it again. */ function isBinned(bin) { return bin === 'binned' || (isBinParams(bin) && bin.binned === true); } function isBinParams(bin) { return isObject(bin); } function isParameterExtent(extent) { return extent?.['param']; } function autoMaxBins(channel) { switch (channel) { case ROW: case COLUMN: case channel_SIZE: case COLOR: case FILL: case STROKE: case STROKEWIDTH: case OPACITY: case FILLOPACITY: case STROKEOPACITY: // Facets and Size shouldn't have too many bins // We choose 6 like shape to simplify the rule [falls through] case SHAPE: return 6; // Vega's "shape" has 6 distinct values case STROKEDASH: return 4; // We only provide 5 different stroke dash values (but 4 is more effective) default: return 10; } } //# sourceMappingURL=bin.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/expr.js function isExprRef(o) { return !!o?.expr; } function replaceExprRef(index) { const props = util_keys(index || {}); const newIndex = {}; for (const prop of props) { newIndex[prop] = signalRefOrValue(index[prop]); } return newIndex; } //# sourceMappingURL=expr.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/title.js function extractTitleConfig(titleConfig) { const { // These are non-mark title config that need to be hardcoded anchor, frame, offset, orient, angle, limit, // color needs to be redirect to fill color, // subtitle properties subtitleColor, subtitleFont, subtitleFontSize, subtitleFontStyle, subtitleFontWeight, subtitleLineHeight, subtitlePadding, // The rest are mark config. ...rest } = titleConfig; const titleMarkConfig = { ...rest, ...(color ? { fill: color } : {}) }; // These are non-mark title config that need to be hardcoded const nonMarkTitleProperties = { ...(anchor ? { anchor } : {}), ...(frame ? { frame } : {}), ...(offset ? { offset } : {}), ...(orient ? { orient } : {}), ...(angle !== undefined ? { angle } : {}), ...(limit !== undefined ? { limit } : {}) }; // subtitle part can stay in config.title since header titles do not use subtitle const subtitle = { ...(subtitleColor ? { subtitleColor } : {}), ...(subtitleFont ? { subtitleFont } : {}), ...(subtitleFontSize ? { subtitleFontSize } : {}), ...(subtitleFontStyle ? { subtitleFontStyle } : {}), ...(subtitleFontWeight ? { subtitleFontWeight } : {}), ...(subtitleLineHeight ? { subtitleLineHeight } : {}), ...(subtitlePadding ? { subtitlePadding } : {}) }; const subtitleMarkConfig = util_pick(titleConfig, ['align', 'baseline', 'dx', 'dy', 'limit']); return { titleMarkConfig, subtitleMarkConfig, nonMarkTitleProperties, subtitle }; } function isText(v) { return vega_util_module_isString(v) || (isArray(v) && vega_util_module_isString(v[0])); } //# sourceMappingURL=title.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/vega.schema.js function isSignalRef(o) { return !!o?.signal; } function isVgRangeStep(range) { return !!range['step']; } function isDataRefUnionedDomain(domain) { if (!isArray(domain)) { return 'fields' in domain && !('data' in domain); } return false; } function isFieldRefUnionDomain(domain) { if (!isArray(domain)) { return 'fields' in domain && 'data' in domain; } return false; } function isDataRefDomain(domain) { if (!isArray(domain)) { return 'field' in domain && 'data' in domain; } return false; } const VG_MARK_CONFIG_INDEX = { aria: 1, description: 1, ariaRole: 1, ariaRoleDescription: 1, blend: 1, opacity: 1, fill: 1, fillOpacity: 1, stroke: 1, strokeCap: 1, strokeWidth: 1, strokeOpacity: 1, strokeDash: 1, strokeDashOffset: 1, strokeJoin: 1, strokeOffset: 1, strokeMiterLimit: 1, startAngle: 1, endAngle: 1, padAngle: 1, innerRadius: 1, outerRadius: 1, size: 1, shape: 1, interpolate: 1, tension: 1, orient: 1, align: 1, baseline: 1, text: 1, dir: 1, dx: 1, dy: 1, ellipsis: 1, limit: 1, radius: 1, theta: 1, angle: 1, font: 1, fontSize: 1, fontWeight: 1, fontStyle: 1, lineBreak: 1, lineHeight: 1, cursor: 1, href: 1, tooltip: 1, cornerRadius: 1, cornerRadiusTopLeft: 1, cornerRadiusTopRight: 1, cornerRadiusBottomLeft: 1, cornerRadiusBottomRight: 1, aspect: 1, width: 1, height: 1, url: 1, smooth: 1 // commented below are vg channel that do not have mark config. // x: 1, // y: 1, // x2: 1, // y2: 1, // xc'|'yc' // clip: 1, // path: 1, // url: 1, }; const VG_MARK_CONFIGS = util_keys(VG_MARK_CONFIG_INDEX); const VG_MARK_INDEX = { arc: 1, area: 1, group: 1, image: 1, line: 1, path: 1, rect: 1, rule: 1, shape: 1, symbol: 1, text: 1, trail: 1 }; // Vega's cornerRadius channels. const VG_CORNERRADIUS_CHANNELS = [ 'cornerRadius', 'cornerRadiusTopLeft', 'cornerRadiusTopRight', 'cornerRadiusBottomLeft', 'cornerRadiusBottomRight' ]; //# sourceMappingURL=vega.schema.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/common.js const BIN_RANGE_DELIMITER = ' \u2013 '; function signalOrValueRefWithCondition(val) { const condition = isArray(val.condition) ? val.condition.map(conditionalSignalRefOrValue) : conditionalSignalRefOrValue(val.condition); return { ...signalRefOrValue(val), condition }; } function signalRefOrValue(value) { if (isExprRef(value)) { const { expr, ...rest } = value; return { signal: expr, ...rest }; } return value; } function conditionalSignalRefOrValue(value) { if (isExprRef(value)) { const { expr, ...rest } = value; return { signal: expr, ...rest }; } return value; } function signalOrValueRef(value) { if (isExprRef(value)) { const { expr, ...rest } = value; return { signal: expr, ...rest }; } if (isSignalRef(value)) { return value; } return value !== undefined ? { value } : undefined; } function exprFromSignalRefOrValue(ref) { if (isSignalRef(ref)) { return ref.signal; } return $(ref); } function exprFromValueRefOrSignalRef(ref) { if (isSignalRef(ref)) { return ref.signal; } return $(ref.value); } function signalOrStringValue(v) { if (isSignalRef(v)) { return v.signal; } return v == null ? null : $(v); } function applyMarkConfig(e, model, propsList) { for (const property of propsList) { const value = getMarkConfig(property, model.markDef, model.config); if (value !== undefined) { e[property] = signalOrValueRef(value); } } return e; } function getStyles(mark) { return [].concat(mark.type, mark.style ?? []); } function getMarkPropOrConfig(channel, mark, config, opt = {}) { const { vgChannel, ignoreVgConfig } = opt; if (vgChannel && mark[vgChannel] !== undefined) { return mark[vgChannel]; } else if (mark[channel] !== undefined) { return mark[channel]; } else if (ignoreVgConfig && (!vgChannel || vgChannel === channel)) { return undefined; } return getMarkConfig(channel, mark, config, opt); } /** * Return property value from style or mark specific config property if exists. * Otherwise, return general mark specific config. */ function getMarkConfig(channel, mark, config, { vgChannel } = {}) { return getFirstDefined( // style config has highest precedence vgChannel ? getMarkStyleConfig(channel, mark, config.style) : undefined, getMarkStyleConfig(channel, mark, config.style), // then mark-specific config vgChannel ? config[mark.type][vgChannel] : undefined, config[mark.type][channel], // Need to cast because MarkDef doesn't perfectly match with AnyMarkConfig, but if the type isn't available, we'll get nothing here, which is fine // If there is vgChannel, skip vl channel. // For example, vl size for text is vg fontSize, but config.mark.size is only for point size. vgChannel ? config.mark[vgChannel] : config.mark[channel] // Need to cast for the same reason as above ); } function getMarkStyleConfig(prop, mark, styleConfigIndex) { return getStyleConfig(prop, getStyles(mark), styleConfigIndex); } function getStyleConfig(p, styles, styleConfigIndex) { styles = array(styles); let value; for (const style of styles) { const styleConfig = styleConfigIndex[style]; if (styleConfig && styleConfig[p] !== undefined) { value = styleConfig[p]; } } return value; } /** * Return Vega sort parameters (tuple of field and order). */ function sortParams(orderDef, fieldRefOption) { return array(orderDef).reduce((s, orderChannelDef) => { s.field.push(vgField(orderChannelDef, fieldRefOption)); s.order.push(orderChannelDef.sort ?? 'ascending'); return s; }, { field: [], order: [] }); } function mergeTitleFieldDefs(f1, f2) { const merged = [...f1]; f2.forEach(fdToMerge => { for (const fieldDef1 of merged) { // If already exists, no need to append to merged array if (deepEqual(fieldDef1, fdToMerge)) { return; } } merged.push(fdToMerge); }); return merged; } function mergeTitle(title1, title2) { if (deepEqual(title1, title2) || !title2) { // if titles are the same or title2 is falsy return title1; } else if (!title1) { // if title1 is falsy return title2; } else { return [...array(title1), ...array(title2)].join(', '); } } function mergeTitleComponent(v1, v2) { const v1Val = v1.value; const v2Val = v2.value; if (v1Val == null || v2Val === null) { return { explicit: v1.explicit, value: null }; } else if ((isText(v1Val) || isSignalRef(v1Val)) && (isText(v2Val) || isSignalRef(v2Val))) { return { explicit: v1.explicit, value: mergeTitle(v1Val, v2Val) }; } else if (isText(v1Val) || isSignalRef(v1Val)) { return { explicit: v1.explicit, value: v1Val }; } else if (isText(v2Val) || isSignalRef(v2Val)) { return { explicit: v1.explicit, value: v2Val }; } else if (!isText(v1Val) && !isSignalRef(v1Val) && !isText(v2Val) && !isSignalRef(v2Val)) { return { explicit: v1.explicit, value: mergeTitleFieldDefs(v1Val, v2Val) }; } /* istanbul ignore next: Condition should not happen -- only for warning in development. */ throw new Error('It should never reach here'); } //# sourceMappingURL=common.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/log/message.js function invalidSpec(spec) { return `Invalid specification ${stringify(spec)}. Make sure the specification includes at least one of the following properties: "mark", "layer", "facet", "hconcat", "vconcat", "concat", or "repeat".`; } // FIT const FIT_NON_SINGLE = 'Autosize "fit" only works for single views and layered views.'; function containerSizeNonSingle(name) { const uName = name == 'width' ? 'Width' : 'Height'; return `${uName} "container" only works for single views and layered views.`; } function containerSizeNotCompatibleWithAutosize(name) { const uName = name == 'width' ? 'Width' : 'Height'; const fitDirection = name == 'width' ? 'x' : 'y'; return `${uName} "container" only works well with autosize "fit" or "fit-${fitDirection}".`; } function droppingFit(channel) { return channel ? `Dropping "fit-${channel}" because spec has discrete ${getSizeChannel(channel)}.` : `Dropping "fit" because spec has discrete size.`; } // VIEW SIZE function unknownField(channel) { return `Unknown field for ${channel}. Cannot calculate view size.`; } // SELECTION function cannotProjectOnChannelWithoutField(channel) { return `Cannot project a selection on encoding channel "${channel}", which has no field.`; } function cannotProjectAggregate(channel, aggregate) { return `Cannot project a selection on encoding channel "${channel}" as it uses an aggregate function ("${aggregate}").`; } function nearestNotSupportForContinuous(mark) { return `The "nearest" transform is not supported for ${mark} marks.`; } function selectionNotSupported(mark) { return `Selection not supported for ${mark} yet.`; } function selectionNotFound(name) { return `Cannot find a selection named "${name}".`; } const SCALE_BINDINGS_CONTINUOUS = 'Scale bindings are currently only supported for scales with unbinned, continuous domains.'; const LEGEND_BINDINGS_MUST_HAVE_PROJECTION = 'Legend bindings are only supported for selections over an individual field or encoding channel.'; function cannotLookupVariableParameter(name) { return `Lookups can only be performed on selection parameters. "${name}" is a variable parameter.`; } function noSameUnitLookup(name) { return (`Cannot define and lookup the "${name}" selection in the same view. ` + `Try moving the lookup into a second, layered view?`); } const NEEDS_SAME_SELECTION = 'The same selection must be used to override scale domains in a layered view.'; const INTERVAL_INITIALIZED_WITH_POS = 'Interval selections should be initialized using "x", "y", "longitude", or "latitude" keys.'; // REPEAT function noSuchRepeatedValue(field) { return `Unknown repeated value "${field}".`; } function columnsNotSupportByRowCol(type) { return `The "columns" property cannot be used when "${type}" has nested row/column.`; } // CONCAT / REPEAT const CONCAT_CANNOT_SHARE_AXIS = 'Axes cannot be shared in concatenated or repeated views yet (https://github.com/vega/vega-lite/issues/2415).'; // DATA function unrecognizedParse(p) { return `Unrecognized parse "${p}".`; } function differentParse(field, local, ancestor) { return `An ancestor parsed field "${field}" as ${ancestor} but a child wants to parse the field as ${local}.`; } const ADD_SAME_CHILD_TWICE = 'Attempt to add the same child twice.'; // TRANSFORMS function invalidTransformIgnored(transform) { return `Ignoring an invalid transform: ${stringify(transform)}.`; } const NO_FIELDS_NEEDS_AS = 'If "from.fields" is not specified, "as" has to be a string that specifies the key to be used for the data from the secondary source.'; // ENCODING & FACET function customFormatTypeNotAllowed(channel) { return `Config.customFormatTypes is not true, thus custom format type and format for channel ${channel} are dropped.`; } function projectionOverridden(opt) { const { parentProjection, projection } = opt; return `Layer's shared projection ${stringify(parentProjection)} is overridden by a child projection ${stringify(projection)}.`; } const REPLACE_ANGLE_WITH_THETA = 'Arc marks uses theta channel rather than angle, replacing angle with theta.'; function offsetNestedInsideContinuousPositionScaleDropped(mainChannel) { return `${mainChannel}Offset dropped because ${mainChannel} is continuous`; } function replaceOffsetWithMainChannel(mainChannel) { return `There is no ${mainChannel} encoding. Replacing ${mainChannel}Offset encoding as ${mainChannel}.`; } function primitiveChannelDef(channel, type, value) { return `Channel ${channel} is a ${type}. Converted to {value: ${stringify(value)}}.`; } function invalidFieldType(type) { return `Invalid field type "${type}".`; } function invalidFieldTypeForCountAggregate(type, aggregate) { return `Invalid field type "${type}" for aggregate: "${aggregate}", using "quantitative" instead.`; } function invalidAggregate(aggregate) { return `Invalid aggregation operator "${aggregate}".`; } function missingFieldType(channel, newType) { return `Missing type for channel "${channel}", using "${newType}" instead.`; } function droppingColor(type, opt) { const { fill, stroke } = opt; return `Dropping color ${type} as the plot also has ${fill && stroke ? 'fill and stroke' : fill ? 'fill' : 'stroke'}.`; } function relativeBandSizeNotSupported(sizeChannel) { return `Position range does not support relative band size for ${sizeChannel}.`; } function emptyFieldDef(fieldDef, channel) { return `Dropping ${stringify(fieldDef)} from channel "${channel}" since it does not contain any data field, datum, value, or signal.`; } const LINE_WITH_VARYING_SIZE = 'Line marks cannot encode size with a non-groupby field. You may want to use trail marks instead.'; function incompatibleChannel(channel, markOrFacet, when) { return `${channel} dropped as it is incompatible with "${markOrFacet}"${when ? ` when ${when}` : ''}.`; } function offsetEncodingScaleIgnored(channel) { return `${channel} encoding has no scale, so specified scale is ignored.`; } function invalidEncodingChannel(channel) { return `${channel}-encoding is dropped as ${channel} is not a valid encoding channel.`; } function channelShouldBeDiscrete(channel) { return `${channel} encoding should be discrete (ordinal / nominal / binned).`; } function channelShouldBeDiscreteOrDiscretizing(channel) { return `${channel} encoding should be discrete (ordinal / nominal / binned) or use a discretizing scale (e.g. threshold).`; } function facetChannelDropped(channels) { return `Facet encoding dropped as ${channels.join(' and ')} ${channels.length > 1 ? 'are' : 'is'} also specified.`; } function discreteChannelCannotEncode(channel, type) { return `Using discrete channel "${channel}" to encode "${type}" field can be misleading as it does not encode ${type === 'ordinal' ? 'order' : 'magnitude'}.`; } // MARK function rangeMarkAlignmentCannotBeExpression(align) { return `The ${align} for range marks cannot be an expression`; } function lineWithRange(hasX2, hasY2) { const channels = hasX2 && hasY2 ? 'x2 and y2' : hasX2 ? 'x2' : 'y2'; return `Line mark is for continuous lines and thus cannot be used with ${channels}. We will use the rule mark (line segments) instead.`; } function orientOverridden(original, actual) { return `Specified orient "${original}" overridden with "${actual}".`; } // SCALE const CANNOT_UNION_CUSTOM_DOMAIN_WITH_FIELD_DOMAIN = 'Custom domain scale cannot be unioned with default field-based domain.'; function cannotUseScalePropertyWithNonColor(prop) { return `Cannot use the scale property "${prop}" with non-color channel.`; } function cannotUseRelativeBandSizeWithNonBandScale(scaleType) { return `Cannot use the relative band size with ${scaleType} scale.`; } function unaggregateDomainHasNoEffectForRawField(fieldDef) { return `Using unaggregated domain with raw field has no effect (${stringify(fieldDef)}).`; } function unaggregateDomainWithNonSharedDomainOp(aggregate) { return `Unaggregated domain not applicable for "${aggregate}" since it produces values outside the origin domain of the source data.`; } function unaggregatedDomainWithLogScale(fieldDef) { return `Unaggregated domain is currently unsupported for log scale (${stringify(fieldDef)}).`; } function cannotApplySizeToNonOrientedMark(mark) { return `Cannot apply size to non-oriented mark "${mark}".`; } function scaleTypeNotWorkWithChannel(channel, scaleType, defaultScaleType) { return `Channel "${channel}" does not work with "${scaleType}" scale. We are using "${defaultScaleType}" scale instead.`; } function scaleTypeNotWorkWithFieldDef(scaleType, defaultScaleType) { return `FieldDef does not work with "${scaleType}" scale. We are using "${defaultScaleType}" scale instead.`; } function scalePropertyNotWorkWithScaleType(scaleType, propName, channel) { return `${channel}-scale's "${propName}" is dropped as it does not work with ${scaleType} scale.`; } function scaleTypeNotWorkWithMark(mark, scaleType) { return `Scale type "${scaleType}" does not work with mark "${mark}".`; } function stepDropped(channel) { return `The step for "${channel}" is dropped because the ${channel === 'width' ? 'x' : 'y'} is continuous.`; } function mergeConflictingProperty(property, propertyOf, v1, v2) { return `Conflicting ${propertyOf.toString()} property "${property.toString()}" (${stringify(v1)} and ${stringify(v2)}). Using ${stringify(v1)}.`; } function mergeConflictingDomainProperty(property, propertyOf, v1, v2) { return `Conflicting ${propertyOf.toString()} property "${property.toString()}" (${stringify(v1)} and ${stringify(v2)}). Using the union of the two domains.`; } function independentScaleMeansIndependentGuide(channel) { return `Setting the scale to be independent for "${channel}" means we also have to set the guide (axis or legend) to be independent.`; } function domainSortDropped(sort) { return `Dropping sort property ${stringify(sort)} as unioned domains only support boolean or op "count", "min", and "max".`; } const MORE_THAN_ONE_SORT = 'Domains that should be unioned has conflicting sort properties. Sort will be set to true.'; const FACETED_INDEPENDENT_DIFFERENT_SOURCES = 'Detected faceted independent scales that union domain of multiple fields from different data sources. We will use the first field. The result view size may be incorrect.'; const FACETED_INDEPENDENT_SAME_FIELDS_DIFFERENT_SOURCES = 'Detected faceted independent scales that union domain of the same fields from different source. We will assume that this is the same field from a different fork of the same data source. However, if this is not the case, the result view size may be incorrect.'; const FACETED_INDEPENDENT_SAME_SOURCE = 'Detected faceted independent scales that union domain of multiple fields from the same data source. We will use the first field. The result view size may be incorrect.'; // AXIS const INVALID_CHANNEL_FOR_AXIS = 'Invalid channel for axis.'; // STACK function cannotStackRangedMark(channel) { return `Cannot stack "${channel}" if there is already "${channel}2".`; } function cannotStackNonLinearScale(scaleType) { return `Cannot stack non-linear scale (${scaleType}).`; } function stackNonSummativeAggregate(aggregate) { return `Stacking is applied even though the aggregate function is non-summative ("${aggregate}").`; } // TIMEUNIT function invalidTimeUnit(unitName, value) { return `Invalid ${unitName}: ${stringify(value)}.`; } function droppedDay(d) { return `Dropping day from datetime ${stringify(d)} as day cannot be combined with other units.`; } function errorBarCenterAndExtentAreNotNeeded(center, extent) { return `${extent ? 'extent ' : ''}${extent && center ? 'and ' : ''}${center ? 'center ' : ''}${extent && center ? 'are ' : 'is '}not needed when data are aggregated.`; } function errorBarCenterIsUsedWithWrongExtent(center, extent, mark) { return `${center} is not usually used with ${extent} for ${mark}.`; } function errorBarContinuousAxisHasCustomizedAggregate(aggregate, compositeMark) { return `Continuous axis should not have customized aggregation function ${aggregate}; ${compositeMark} already agregates the axis.`; } function errorBand1DNotSupport(property) { return `1D error band does not support ${property}.`; } // CHANNEL function channelRequiredForBinned(channel) { return `Channel ${channel} is required for "binned" bin.`; } function channelShouldNotBeUsedForBinned(channel) { return `Channel ${channel} should not be used with "binned" bin.`; } function domainRequiredForThresholdScale(channel) { return `Domain for ${channel} is required for threshold scale.`; } //# sourceMappingURL=message.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/log/index.js /** * Vega-Lite's singleton logger utility. */ var __classPrivateFieldSet = (undefined && undefined.__classPrivateFieldSet) || function (receiver, state, value, kind, f) { if (kind === "m") throw new TypeError("Private method is not writable"); if (kind === "a" && !f) throw new TypeError("Private accessor was defined without a setter"); if (typeof state === "function" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError("Cannot write private member to an object whose class did not declare it"); return (kind === "a" ? f.call(receiver, value) : f ? f.value = value : state.set(receiver, value)), value; }; var __classPrivateFieldGet = (undefined && undefined.__classPrivateFieldGet) || function (receiver, state, kind, f) { if (kind === "a" && !f) throw new TypeError("Private accessor was defined without a getter"); if (typeof state === "function" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError("Cannot read private member from an object whose class did not declare it"); return kind === "m" ? f : kind === "a" ? f.call(receiver) : f ? f.value : state.get(receiver); }; var _LocalLogger_level; /** * Main (default) Vega Logger instance for Vega-Lite. */ const main = logger(vega_util_module_Warn); let current = main; /** * Logger tool for checking if the code throws correct warning. */ class LocalLogger { constructor() { this.warns = []; this.infos = []; this.debugs = []; _LocalLogger_level.set(this, Warn); } level(_) { if (_) { __classPrivateFieldSet(this, _LocalLogger_level, _, "f"); return this; } return __classPrivateFieldGet(this, _LocalLogger_level, "f"); } warn(...args) { if (__classPrivateFieldGet(this, _LocalLogger_level, "f") >= Warn) this.warns.push(...args); return this; } info(...args) { if (__classPrivateFieldGet(this, _LocalLogger_level, "f") >= Info) this.infos.push(...args); return this; } debug(...args) { if (__classPrivateFieldGet(this, _LocalLogger_level, "f") >= Debug) this.debugs.push(...args); return this; } error(...args) { if (__classPrivateFieldGet(this, _LocalLogger_level, "f") >= ErrorLevel) throw Error(...args); return this; } } _LocalLogger_level = new WeakMap(); function log_wrap(f) { return () => { current = new LocalLogger(); f(current); log_reset(); }; } /** * Set the singleton logger to be a custom logger. */ function log_set(newLogger) { current = newLogger; return current; } /** * Reset the main logger to use the default Vega Logger. */ function log_reset() { current = main; return current; } function log_error(...args) { current.error(...args); } function log_warn(...args) { current.warn(...args); } function log_info(...args) { current.info(...args); } function log_debug(...args) { current.debug(...args); } //# sourceMappingURL=index.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/datetime.js // DateTime definition object function isDateTime(o) { if (o && isObject(o)) { for (const part of TIMEUNIT_PARTS) { if (part in o) { return true; } } } return false; } const MONTHS = [ 'january', 'february', 'march', 'april', 'may', 'june', 'july', 'august', 'september', 'october', 'november', 'december' ]; const SHORT_MONTHS = MONTHS.map(m => m.substr(0, 3)); const DAYS = ['sunday', 'monday', 'tuesday', 'wednesday', 'thursday', 'friday', 'saturday']; const SHORT_DAYS = DAYS.map(d => d.substr(0, 3)); function normalizeQuarter(q) { if (isNumeric(q)) { q = +q; } if (isNumber(q)) { if (q > 4) { log_warn(invalidTimeUnit('quarter', q)); } // We accept 1-based quarter, so need to readjust to 0-based quarter return q - 1; } else { // Invalid quarter throw new Error(invalidTimeUnit('quarter', q)); } } function normalizeMonth(m) { if (isNumeric(m)) { m = +m; } if (isNumber(m)) { // We accept 1-based month, so need to readjust to 0-based month return m - 1; } else { const lowerM = m.toLowerCase(); const monthIndex = MONTHS.indexOf(lowerM); if (monthIndex !== -1) { return monthIndex; // 0 for january, ... } const shortM = lowerM.substr(0, 3); const shortMonthIndex = SHORT_MONTHS.indexOf(shortM); if (shortMonthIndex !== -1) { return shortMonthIndex; } // Invalid month throw new Error(invalidTimeUnit('month', m)); } } function normalizeDay(d) { if (isNumeric(d)) { d = +d; } if (isNumber(d)) { // mod so that this can be both 0-based where 0 = sunday // and 1-based where 7=sunday return d % 7; } else { const lowerD = d.toLowerCase(); const dayIndex = DAYS.indexOf(lowerD); if (dayIndex !== -1) { return dayIndex; // 0 for january, ... } const shortD = lowerD.substr(0, 3); const shortDayIndex = SHORT_DAYS.indexOf(shortD); if (shortDayIndex !== -1) { return shortDayIndex; } // Invalid day throw new Error(invalidTimeUnit('day', d)); } } /** * @param d the date. * @param normalize whether to normalize quarter, month, day. This should probably be true if d is a DateTime. * @returns array of date time parts [year, month, day, hours, minutes, seconds, milliseconds] */ function dateTimeParts(d, normalize) { const parts = []; if (normalize && d.day !== undefined) { if (util_keys(d).length > 1) { log_warn(droppedDay(d)); d = duplicate(d); delete d.day; } } if (d.year !== undefined) { parts.push(d.year); } else { // Just like Vega's timeunit transform, set default year to 2012, so domain conversion will be compatible with Vega // Note: 2012 is a leap year (and so the date February 29 is respected) that begins on a Sunday (and so days of the week will order properly at the beginning of the year). parts.push(2012); } if (d.month !== undefined) { const month = normalize ? normalizeMonth(d.month) : d.month; parts.push(month); } else if (d.quarter !== undefined) { const quarter = normalize ? normalizeQuarter(d.quarter) : d.quarter; parts.push(isNumber(quarter) ? quarter * 3 : `${quarter}*3`); } else { parts.push(0); // months start at zero in JS } if (d.date !== undefined) { parts.push(d.date); } else if (d.day !== undefined) { // HACK: Day only works as a standalone unit // This is only correct because we always set year to 2006 for day const day = normalize ? normalizeDay(d.day) : d.day; parts.push(isNumber(day) ? day + 1 : `${day}+1`); } else { parts.push(1); // Date starts at 1 in JS } // Note: can't use TimeUnit enum here as importing it will create // circular dependency problem! for (const timeUnit of ['hours', 'minutes', 'seconds', 'milliseconds']) { const unit = d[timeUnit]; parts.push(typeof unit === 'undefined' ? 0 : unit); } return parts; } /** * Return Vega expression for a date time. * * @param d the date time. * @returns the Vega expression. */ function dateTimeToExpr(d) { const parts = dateTimeParts(d, true); const string = parts.join(', '); if (d.utc) { return `utc(${string})`; } else { return `datetime(${string})`; } } /** * Return Vega expression for a date time expression. * * @param d the internal date time object with expression. * @returns the Vega expression. */ function dateTimeExprToExpr(d) { const parts = dateTimeParts(d, false); const string = parts.join(', '); if (d.utc) { return `utc(${string})`; } else { return `datetime(${string})`; } } /** * @param d the date time. * @returns the timestamp. */ function dateTimeToTimestamp(d) { const parts = dateTimeParts(d, true); if (d.utc) { return +new Date(Date.UTC(...parts)); } else { return +new Date(...parts); } } //# sourceMappingURL=datetime.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/timeunit.js /** Time Unit that only corresponds to only one part of Date objects. */ const LOCAL_SINGLE_TIMEUNIT_INDEX = { year: 1, quarter: 1, month: 1, week: 1, day: 1, dayofyear: 1, date: 1, hours: 1, minutes: 1, seconds: 1, milliseconds: 1 }; const TIMEUNIT_PARTS = util_keys(LOCAL_SINGLE_TIMEUNIT_INDEX); function isLocalSingleTimeUnit(timeUnit) { return !!LOCAL_SINGLE_TIMEUNIT_INDEX[timeUnit]; } const UTC_SINGLE_TIMEUNIT_INDEX = { utcyear: 1, utcquarter: 1, utcmonth: 1, utcweek: 1, utcday: 1, utcdayofyear: 1, utcdate: 1, utchours: 1, utcminutes: 1, utcseconds: 1, utcmilliseconds: 1 }; const LOCAL_MULTI_TIMEUNIT_INDEX = { yearquarter: 1, yearquartermonth: 1, yearmonth: 1, yearmonthdate: 1, yearmonthdatehours: 1, yearmonthdatehoursminutes: 1, yearmonthdatehoursminutesseconds: 1, yearweek: 1, yearweekday: 1, yearweekdayhours: 1, yearweekdayhoursminutes: 1, yearweekdayhoursminutesseconds: 1, yeardayofyear: 1, quartermonth: 1, monthdate: 1, monthdatehours: 1, monthdatehoursminutes: 1, monthdatehoursminutesseconds: 1, weekday: 1, weeksdayhours: 1, weekdayhoursminutes: 1, weekdayhoursminutesseconds: 1, dayhours: 1, dayhoursminutes: 1, dayhoursminutesseconds: 1, hoursminutes: 1, hoursminutesseconds: 1, minutesseconds: 1, secondsmilliseconds: 1 }; const BINNED_LOCAL_TIMEUNIT_INDEX = { binnedyear: 1, binnedyearquarter: 1, binnedyearquartermonth: 1, binnedyearmonth: 1, binnedyearmonthdate: 1, binnedyearmonthdatehours: 1, binnedyearmonthdatehoursminutes: 1, binnedyearmonthdatehoursminutesseconds: 1, binnedyearweek: 1, binnedyearweekday: 1, binnedyearweekdayhours: 1, binnedyearweekdayhoursminutes: 1, binnedyearweekdayhoursminutesseconds: 1, binnedyeardayofyear: 1 }; const BINNED_UTC_TIMEUNIT_INDEX = { binnedutcyear: 1, binnedutcyearquarter: 1, binnedutcyearquartermonth: 1, binnedutcyearmonth: 1, binnedutcyearmonthdate: 1, binnedutcyearmonthdatehours: 1, binnedutcyearmonthdatehoursminutes: 1, binnedutcyearmonthdatehoursminutesseconds: 1, binnedutcyearweek: 1, binnedutcyearweekday: 1, binnedutcyearweekdayhours: 1, binnedutcyearweekdayhoursminutes: 1, binnedutcyearweekdayhoursminutesseconds: 1, binnedutcyeardayofyear: 1 }; const BINNED_TIMEUNIT_INDEX = { ...BINNED_LOCAL_TIMEUNIT_INDEX, ...BINNED_UTC_TIMEUNIT_INDEX }; function isBinnedTimeUnit(timeUnit) { if (isObject(timeUnit)) { return timeUnit.binned; } return isBinnedTimeUnitString(timeUnit); } function isBinnedTimeUnitString(timeUnit) { return timeUnit && timeUnit.startsWith('binned'); } const UTC_MULTI_TIMEUNIT_INDEX = { utcyearquarter: 1, utcyearquartermonth: 1, utcyearmonth: 1, utcyearmonthdate: 1, utcyearmonthdatehours: 1, utcyearmonthdatehoursminutes: 1, utcyearmonthdatehoursminutesseconds: 1, utcyearweek: 1, utcyearweekday: 1, utcyearweekdayhours: 1, utcyearweekdayhoursminutes: 1, utcyearweekdayhoursminutesseconds: 1, utcyeardayofyear: 1, utcquartermonth: 1, utcmonthdate: 1, utcmonthdatehours: 1, utcmonthdatehoursminutes: 1, utcmonthdatehoursminutesseconds: 1, utcweekday: 1, utcweeksdayhours: 1, utcweekdayhoursminutes: 1, utcweekdayhoursminutesseconds: 1, utcdayhours: 1, utcdayhoursminutes: 1, utcdayhoursminutesseconds: 1, utchoursminutes: 1, utchoursminutesseconds: 1, utcminutesseconds: 1, utcsecondsmilliseconds: 1 }; function isUTCTimeUnit(t) { return t.startsWith('utc'); } function getLocalTimeUnitFromUTCTimeUnit(t) { return t.substring(3); } // In order of increasing specificity const VEGALITE_TIMEFORMAT = { 'year-month': '%b %Y ', 'year-month-date': '%b %d, %Y ' }; function getTimeUnitParts(timeUnit) { return TIMEUNIT_PARTS.filter(part => containsTimeUnit(timeUnit, part)); } function getSmallestTimeUnitPart(timeUnit) { const parts = getTimeUnitParts(timeUnit); return parts[parts.length - 1]; } /** Returns true if fullTimeUnit contains the timeUnit, false otherwise. */ function containsTimeUnit(fullTimeUnit, timeUnit) { const index = fullTimeUnit.indexOf(timeUnit); if (index < 0) { return false; } // exclude milliseconds if (index > 0 && timeUnit === 'seconds' && fullTimeUnit.charAt(index - 1) === 'i') { return false; } // exclude dayofyear if (fullTimeUnit.length > index + 3 && timeUnit === 'day' && fullTimeUnit.charAt(index + 3) === 'o') { return false; } if (index > 0 && timeUnit === 'year' && fullTimeUnit.charAt(index - 1) === 'f') { return false; } return true; } /** * Returns Vega expression for a given timeUnit and fieldRef */ function timeunit_fieldExpr(fullTimeUnit, field, { end } = { end: false }) { const fieldRef = accessPathWithDatum(field); const utc = isUTCTimeUnit(fullTimeUnit) ? 'utc' : ''; function func(timeUnit) { if (timeUnit === 'quarter') { // quarter starting at 0 (0,3,6,9). return `(${utc}quarter(${fieldRef})-1)`; } else { return `${utc}${timeUnit}(${fieldRef})`; } } let lastTimeUnit; const dateExpr = {}; for (const part of TIMEUNIT_PARTS) { if (containsTimeUnit(fullTimeUnit, part)) { dateExpr[part] = func(part); lastTimeUnit = part; } } if (end) { dateExpr[lastTimeUnit] += '+1'; } return dateTimeExprToExpr(dateExpr); } function timeUnitSpecifierExpression(timeUnit) { if (!timeUnit) { return undefined; } const timeUnitParts = getTimeUnitParts(timeUnit); return `timeUnitSpecifier(${stringify(timeUnitParts)}, ${stringify(VEGALITE_TIMEFORMAT)})`; } /** * Returns the signal expression used for axis labels for a time unit. */ function formatExpression(timeUnit, field, isUTCScale) { if (!timeUnit) { return undefined; } const expr = timeUnitSpecifierExpression(timeUnit); // We only use utcFormat for utc scale // For utc time units, the data is already converted as a part of timeUnit transform. // Thus, utc time units should use timeFormat to avoid shifting the time twice. const utc = isUTCScale || isUTCTimeUnit(timeUnit); return `${utc ? 'utc' : 'time'}Format(${field}, ${expr})`; } function normalizeTimeUnit(timeUnit) { if (!timeUnit) { return undefined; } let params; if (vega_util_module_isString(timeUnit)) { if (isBinnedTimeUnitString(timeUnit)) { params = { unit: timeUnit.substring(6), binned: true }; } else { params = { unit: timeUnit }; } } else if (isObject(timeUnit)) { params = { ...timeUnit, ...(timeUnit.unit ? { unit: timeUnit.unit } : {}) }; } if (isUTCTimeUnit(params.unit)) { params.utc = true; params.unit = getLocalTimeUnitFromUTCTimeUnit(params.unit); } return params; } function timeUnitToString(tu) { const { utc, ...rest } = normalizeTimeUnit(tu); if (rest.unit) { return ((utc ? 'utc' : '') + util_keys(rest) .map(p => varName(`${p === 'unit' ? '' : `_${p}_`}${rest[p]}`)) .join('')); } else { // when maxbins is specified instead of units return ((utc ? 'utc' : '') + 'timeunit' + util_keys(rest) .map(p => varName(`_${p}_${rest[p]}`)) .join('')); } } function durationExpr(timeUnit, wrap = x => x) { const normalizedTimeUnit = normalizeTimeUnit(timeUnit); const smallestUnitPart = getSmallestTimeUnitPart(normalizedTimeUnit.unit); if (smallestUnitPart && smallestUnitPart !== 'day') { const startDate = { year: 2001, month: 1, date: 1, hours: 0, minutes: 0, seconds: 0, milliseconds: 0 }; const { step, part } = getDateTimePartAndStep(smallestUnitPart, normalizedTimeUnit.step); const endDate = { ...startDate, [part]: +startDate[part] + step }; // Calculate timestamp duration for the smallest unit listed return `${wrap(dateTimeToExpr(endDate))} - ${wrap(dateTimeToExpr(startDate))}`; } return undefined; } const DATE_PARTS = { year: 1, month: 1, date: 1, hours: 1, minutes: 1, seconds: 1, milliseconds: 1 }; function isDatePart(timeUnit) { return !!DATE_PARTS[timeUnit]; } function getDateTimePartAndStep(timeUnit, step = 1) { if (isDatePart(timeUnit)) { return { part: timeUnit, step }; } switch (timeUnit) { case 'day': case 'dayofyear': return { part: 'date', step }; case 'quarter': return { part: 'month', step: step * 3 }; case 'week': return { part: 'date', step: step * 7 }; } } //# sourceMappingURL=timeunit.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/predicate.js function isSelectionPredicate(predicate) { return predicate?.['param']; } function isFieldEqualPredicate(predicate) { return !!predicate?.field && predicate.equal !== undefined; } function isFieldLTPredicate(predicate) { return !!predicate?.field && predicate.lt !== undefined; } function isFieldLTEPredicate(predicate) { return !!predicate?.field && predicate.lte !== undefined; } function isFieldGTPredicate(predicate) { return !!predicate?.field && predicate.gt !== undefined; } function isFieldGTEPredicate(predicate) { return !!predicate?.field && predicate.gte !== undefined; } function isFieldRangePredicate(predicate) { if (predicate?.field) { if (isArray(predicate.range) && predicate.range.length === 2) { return true; } else if (isSignalRef(predicate.range)) { return true; } } return false; } function isFieldOneOfPredicate(predicate) { return (!!predicate?.field && (isArray(predicate.oneOf) || isArray(predicate.in)) // backward compatibility ); } function isFieldValidPredicate(predicate) { return !!predicate?.field && predicate.valid !== undefined; } function isFieldPredicate(predicate) { return (isFieldOneOfPredicate(predicate) || isFieldEqualPredicate(predicate) || isFieldRangePredicate(predicate) || isFieldLTPredicate(predicate) || isFieldGTPredicate(predicate) || isFieldLTEPredicate(predicate) || isFieldGTEPredicate(predicate)); } function predicateValueExpr(v, timeUnit) { return valueExpr(v, { timeUnit, wrapTime: true }); } function predicateValuesExpr(vals, timeUnit) { return vals.map(v => predicateValueExpr(v, timeUnit)); } // This method is used by Voyager. Do not change its behavior without changing Voyager. function fieldFilterExpression(predicate, useInRange = true) { const { field } = predicate; const normalizedTimeUnit = normalizeTimeUnit(predicate.timeUnit); const { unit, binned } = normalizedTimeUnit || {}; const rawFieldExpr = vgField(predicate, { expr: 'datum' }); const fieldExpr = unit ? // For timeUnit, cast into integer with time() so we can use ===, inrange, indexOf to compare values directly. // TODO: We calculate timeUnit on the fly here. Consider if we would like to consolidate this with timeUnit pipeline // TODO: support utc `time(${!binned ? timeunit_fieldExpr(unit, field) : rawFieldExpr})` : rawFieldExpr; if (isFieldEqualPredicate(predicate)) { return `${fieldExpr}===${predicateValueExpr(predicate.equal, unit)}`; } else if (isFieldLTPredicate(predicate)) { const upper = predicate.lt; return `${fieldExpr}<${predicateValueExpr(upper, unit)}`; } else if (isFieldGTPredicate(predicate)) { const lower = predicate.gt; return `${fieldExpr}>${predicateValueExpr(lower, unit)}`; } else if (isFieldLTEPredicate(predicate)) { const upper = predicate.lte; return `${fieldExpr}<=${predicateValueExpr(upper, unit)}`; } else if (isFieldGTEPredicate(predicate)) { const lower = predicate.gte; return `${fieldExpr}>=${predicateValueExpr(lower, unit)}`; } else if (isFieldOneOfPredicate(predicate)) { return `indexof([${predicateValuesExpr(predicate.oneOf, unit).join(',')}], ${fieldExpr}) !== -1`; } else if (isFieldValidPredicate(predicate)) { return fieldValidPredicate(fieldExpr, predicate.valid); } else if (isFieldRangePredicate(predicate)) { const { range } = predicate; const lower = isSignalRef(range) ? { signal: `${range.signal}[0]` } : range[0]; const upper = isSignalRef(range) ? { signal: `${range.signal}[1]` } : range[1]; if (lower !== null && upper !== null && useInRange) { return ('inrange(' + fieldExpr + ', [' + predicateValueExpr(lower, unit) + ', ' + predicateValueExpr(upper, unit) + '])'); } const exprs = []; if (lower !== null) { exprs.push(`${fieldExpr} >= ${predicateValueExpr(lower, unit)}`); } if (upper !== null) { exprs.push(`${fieldExpr} <= ${predicateValueExpr(upper, unit)}`); } return exprs.length > 0 ? exprs.join(' && ') : 'true'; } /* istanbul ignore next: it should never reach here */ throw new Error(`Invalid field predicate: ${stringify(predicate)}`); } function fieldValidPredicate(fieldExpr, valid = true) { if (valid) { return `isValid(${fieldExpr}) && isFinite(+${fieldExpr})`; } else { return `!isValid(${fieldExpr}) || !isFinite(+${fieldExpr})`; } } function normalizePredicate(f) { if (isFieldPredicate(f) && f.timeUnit) { return { ...f, timeUnit: normalizeTimeUnit(f.timeUnit) }; } return f; } //# sourceMappingURL=predicate.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/type.js /** * Data type based on level of measurement */ const Type = { quantitative: 'quantitative', ordinal: 'ordinal', temporal: 'temporal', nominal: 'nominal', geojson: 'geojson' }; function isType(t) { return t in Type; } function type_isContinuous(type) { return type === 'quantitative' || type === 'temporal'; } function type_isDiscrete(type) { return type === 'ordinal' || type === 'nominal'; } const QUANTITATIVE = Type.quantitative; const ORDINAL = Type.ordinal; const TEMPORAL = Type.temporal; const NOMINAL = Type.nominal; const GEOJSON = Type.geojson; const TYPES = util_keys(Type); /** * Get full, lowercase type name for a given type. * @param type * @return Full type name. */ function getFullName(type) { if (type) { type = type.toLowerCase(); switch (type) { case 'q': case QUANTITATIVE: return 'quantitative'; case 't': case TEMPORAL: return 'temporal'; case 'o': case ORDINAL: return 'ordinal'; case 'n': case NOMINAL: return 'nominal'; case GEOJSON: return 'geojson'; } } // If we get invalid input, return undefined type. return undefined; } //# sourceMappingURL=type.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/scale.js const ScaleType = { // Continuous - Quantitative LINEAR: 'linear', LOG: 'log', POW: 'pow', SQRT: 'sqrt', SYMLOG: 'symlog', IDENTITY: 'identity', SEQUENTIAL: 'sequential', // Continuous - Time TIME: 'time', UTC: 'utc', // Discretizing scales QUANTILE: 'quantile', QUANTIZE: 'quantize', THRESHOLD: 'threshold', BIN_ORDINAL: 'bin-ordinal', // Discrete scales ORDINAL: 'ordinal', POINT: 'point', BAND: 'band' }; /** * Index for scale categories -- only scale of the same categories can be merged together. * Current implementation is trying to be conservative and avoid merging scale type that might not work together */ const SCALE_CATEGORY_INDEX = { linear: 'numeric', log: 'numeric', pow: 'numeric', sqrt: 'numeric', symlog: 'numeric', identity: 'numeric', sequential: 'numeric', time: 'time', utc: 'time', ordinal: 'ordinal', 'bin-ordinal': 'bin-ordinal', point: 'ordinal-position', band: 'ordinal-position', quantile: 'discretizing', quantize: 'discretizing', threshold: 'discretizing' }; const SCALE_TYPES = util_keys(SCALE_CATEGORY_INDEX); /** * Whether the two given scale types can be merged together. */ function scaleCompatible(scaleType1, scaleType2) { const scaleCategory1 = SCALE_CATEGORY_INDEX[scaleType1]; const scaleCategory2 = SCALE_CATEGORY_INDEX[scaleType2]; return (scaleCategory1 === scaleCategory2 || (scaleCategory1 === 'ordinal-position' && scaleCategory2 === 'time') || (scaleCategory2 === 'ordinal-position' && scaleCategory1 === 'time')); } /** * Index for scale precedence -- high score = higher priority for merging. */ const SCALE_PRECEDENCE_INDEX = { // numeric linear: 0, log: 1, pow: 1, sqrt: 1, symlog: 1, identity: 1, sequential: 1, // time time: 0, utc: 0, // ordinal-position -- these have higher precedence than continuous scales as they support more types of data point: 10, band: 11, // non grouped types ordinal: 0, 'bin-ordinal': 0, quantile: 0, quantize: 0, threshold: 0 }; /** * Return scale categories -- only scale of the same categories can be merged together. */ function scaleTypePrecedence(scaleType) { return SCALE_PRECEDENCE_INDEX[scaleType]; } const QUANTITATIVE_SCALES = new Set([ 'linear', 'log', 'pow', 'sqrt', 'symlog' ]); const CONTINUOUS_TO_CONTINUOUS_SCALES = new Set([ ...QUANTITATIVE_SCALES, 'time', 'utc' ]); function isQuantitative(type) { return QUANTITATIVE_SCALES.has(type); } const CONTINUOUS_TO_DISCRETE_SCALES = new Set([ 'quantile', 'quantize', 'threshold' ]); const CONTINUOUS_DOMAIN_SCALES = new Set([ ...CONTINUOUS_TO_CONTINUOUS_SCALES, ...CONTINUOUS_TO_DISCRETE_SCALES, 'sequential', 'identity' ]); const DISCRETE_DOMAIN_SCALES = new Set([ 'ordinal', 'bin-ordinal', 'point', 'band' ]); const TIME_SCALE_TYPES = new Set(['time', 'utc']); function hasDiscreteDomain(type) { return DISCRETE_DOMAIN_SCALES.has(type); } function hasContinuousDomain(type) { return CONTINUOUS_DOMAIN_SCALES.has(type); } function isContinuousToContinuous(type) { return CONTINUOUS_TO_CONTINUOUS_SCALES.has(type); } function isContinuousToDiscrete(type) { return CONTINUOUS_TO_DISCRETE_SCALES.has(type); } const defaultScaleConfig = { pointPadding: 0.5, barBandPaddingInner: 0.1, rectBandPaddingInner: 0, bandWithNestedOffsetPaddingInner: 0.2, bandWithNestedOffsetPaddingOuter: 0.2, minBandSize: 2, minFontSize: 8, maxFontSize: 40, minOpacity: 0.3, maxOpacity: 0.8, // FIXME: revise if these *can* become ratios of width/height step minSize: 9, minStrokeWidth: 1, maxStrokeWidth: 4, quantileCount: 4, quantizeCount: 4, zero: true }; function isExtendedScheme(scheme) { return !vega_util_module_isString(scheme) && !!scheme['name']; } function isParameterDomain(domain) { return domain?.['param']; } function isDomainUnionWith(domain) { return domain?.['unionWith']; } function isFieldRange(range) { return isObject(range) && 'field' in range; } const SCALE_PROPERTY_INDEX = { type: 1, domain: 1, domainMax: 1, domainMin: 1, domainMid: 1, domainRaw: 1, align: 1, range: 1, rangeMax: 1, rangeMin: 1, scheme: 1, bins: 1, // Other properties reverse: 1, round: 1, // quantitative / time clamp: 1, nice: 1, // quantitative base: 1, exponent: 1, constant: 1, interpolate: 1, zero: 1, // band/point padding: 1, paddingInner: 1, paddingOuter: 1 }; const SCALE_PROPERTIES = util_keys(SCALE_PROPERTY_INDEX); const { type: scale_type, domain: scale_domain, range: scale_range, rangeMax, rangeMin, scheme: scale_scheme, ...NON_TYPE_DOMAIN_RANGE_VEGA_SCALE_PROPERTY_INDEX } = SCALE_PROPERTY_INDEX; const NON_TYPE_DOMAIN_RANGE_VEGA_SCALE_PROPERTIES = util_keys(NON_TYPE_DOMAIN_RANGE_VEGA_SCALE_PROPERTY_INDEX); function scaleTypeSupportProperty(scaleType, propName) { switch (propName) { case 'type': case 'domain': case 'reverse': case 'range': return true; case 'scheme': case 'interpolate': return !['point', 'band', 'identity'].includes(scaleType); case 'bins': return !['point', 'band', 'identity', 'ordinal'].includes(scaleType); case 'round': return isContinuousToContinuous(scaleType) || scaleType === 'band' || scaleType === 'point'; case 'padding': case 'rangeMin': case 'rangeMax': return isContinuousToContinuous(scaleType) || ['point', 'band'].includes(scaleType); case 'paddingOuter': case 'align': return ['point', 'band'].includes(scaleType); case 'paddingInner': return scaleType === 'band'; case 'domainMax': case 'domainMid': case 'domainMin': case 'domainRaw': case 'clamp': return isContinuousToContinuous(scaleType); case 'nice': return isContinuousToContinuous(scaleType) || scaleType === 'quantize' || scaleType === 'threshold'; case 'exponent': return scaleType === 'pow'; case 'base': return scaleType === 'log'; case 'constant': return scaleType === 'symlog'; case 'zero': return (hasContinuousDomain(scaleType) && !util_contains([ 'log', 'time', 'utc', 'threshold', 'quantile' // quantile depends on distribution so zero does not matter ], scaleType)); } } /** * Returns undefined if the input channel supports the input scale property name */ function channelScalePropertyIncompatability(channel, propName) { switch (propName) { case 'interpolate': case 'scheme': case 'domainMid': if (!isColorChannel(channel)) { return cannotUseScalePropertyWithNonColor(propName); } return undefined; case 'align': case 'type': case 'bins': case 'domain': case 'domainMax': case 'domainMin': case 'domainRaw': case 'range': case 'base': case 'exponent': case 'constant': case 'nice': case 'padding': case 'paddingInner': case 'paddingOuter': case 'rangeMax': case 'rangeMin': case 'reverse': case 'round': case 'clamp': case 'zero': return undefined; // GOOD! } } function scaleTypeSupportDataType(specifiedType, fieldDefType) { if (util_contains([ORDINAL, NOMINAL], fieldDefType)) { return specifiedType === undefined || hasDiscreteDomain(specifiedType); } else if (fieldDefType === TEMPORAL) { return util_contains([ScaleType.TIME, ScaleType.UTC, undefined], specifiedType); } else if (fieldDefType === QUANTITATIVE) { return isQuantitative(specifiedType) || isContinuousToDiscrete(specifiedType) || specifiedType === undefined; } return true; } function channelSupportScaleType(channel, scaleType, hasNestedOffsetScale = false) { if (!isScaleChannel(channel)) { return false; } switch (channel) { case channel_X: case channel_Y: case XOFFSET: case YOFFSET: case THETA: case RADIUS: if (isContinuousToContinuous(scaleType)) { return true; } else if (scaleType === 'band') { return true; } else if (scaleType === 'point') { /* Point scale can't be use if the position has a nested offset scale because if there is a nested scale, then it's band. */ return !hasNestedOffsetScale; } return false; case channel_SIZE: // TODO: size and opacity can support ordinal with more modification case STROKEWIDTH: case OPACITY: case FILLOPACITY: case STROKEOPACITY: case ANGLE: // Although it generally doesn't make sense to use band with size and opacity, // it can also work since we use band: 0.5 to get midpoint. return (isContinuousToContinuous(scaleType) || isContinuousToDiscrete(scaleType) || util_contains(['band', 'point', 'ordinal'], scaleType)); case COLOR: case FILL: case STROKE: return scaleType !== 'band'; // band does not make sense with color case STROKEDASH: case SHAPE: return scaleType === 'ordinal' || isContinuousToDiscrete(scaleType); } } //# sourceMappingURL=scale.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/mark.js /** * All types of primitive marks. */ const mark_Mark = { arc: 'arc', area: 'area', bar: 'bar', image: 'image', line: 'line', point: 'point', rect: 'rect', rule: 'rule', text: 'text', tick: 'tick', trail: 'trail', circle: 'circle', square: 'square', geoshape: 'geoshape' }; const ARC = mark_Mark.arc; const AREA = mark_Mark.area; const BAR = mark_Mark.bar; const IMAGE = mark_Mark.image; const LINE = mark_Mark.line; const POINT = mark_Mark.point; const RECT = mark_Mark.rect; const RULE = mark_Mark.rule; const mark_TEXT = mark_Mark.text; const TICK = mark_Mark.tick; const TRAIL = mark_Mark.trail; const CIRCLE = mark_Mark.circle; const SQUARE = mark_Mark.square; const GEOSHAPE = mark_Mark.geoshape; function isMark(m) { return m in mark_Mark; } function isPathMark(m) { return ['line', 'area', 'trail'].includes(m); } function isRectBasedMark(m) { return ['rect', 'bar', 'image', 'arc' /* arc is rect/interval in polar coordinate */].includes(m); } const PRIMITIVE_MARKS = new Set(util_keys(mark_Mark)); function isMarkDef(mark) { return mark['type']; } function isPrimitiveMark(mark) { const markType = isMarkDef(mark) ? mark.type : mark; return PRIMITIVE_MARKS.has(markType); } const STROKE_CONFIG = [ 'stroke', 'strokeWidth', 'strokeDash', 'strokeDashOffset', 'strokeOpacity', 'strokeJoin', 'strokeMiterLimit' ]; const FILL_CONFIG = ['fill', 'fillOpacity']; const FILL_STROKE_CONFIG = [...STROKE_CONFIG, ...FILL_CONFIG]; const VL_ONLY_MARK_CONFIG_INDEX = { color: 1, filled: 1, invalid: 1, order: 1, radius2: 1, theta2: 1, timeUnitBandSize: 1, timeUnitBandPosition: 1 }; const VL_ONLY_MARK_CONFIG_PROPERTIES = util_keys(VL_ONLY_MARK_CONFIG_INDEX); const VL_ONLY_MARK_SPECIFIC_CONFIG_PROPERTY_INDEX = { area: ['line', 'point'], bar: ['binSpacing', 'continuousBandSize', 'discreteBandSize', 'minBandSize'], rect: ['binSpacing', 'continuousBandSize', 'discreteBandSize', 'minBandSize'], line: ['point'], tick: ['bandSize', 'thickness'] }; const defaultMarkConfig = { color: '#4c78a8', invalid: 'filter', timeUnitBandSize: 1 }; const MARK_CONFIG_INDEX = { mark: 1, arc: 1, area: 1, bar: 1, circle: 1, image: 1, line: 1, point: 1, rect: 1, rule: 1, square: 1, text: 1, tick: 1, trail: 1, geoshape: 1 }; const MARK_CONFIGS = util_keys(MARK_CONFIG_INDEX); function isRelativeBandSize(o) { return o && o['band'] != undefined; } const BAR_CORNER_RADIUS_INDEX = { horizontal: ['cornerRadiusTopRight', 'cornerRadiusBottomRight'], vertical: ['cornerRadiusTopLeft', 'cornerRadiusTopRight'] }; const DEFAULT_RECT_BAND_SIZE = 5; const defaultBarConfig = { binSpacing: 1, continuousBandSize: DEFAULT_RECT_BAND_SIZE, minBandSize: 0.25, timeUnitBandPosition: 0.5 }; const defaultRectConfig = { binSpacing: 0, continuousBandSize: DEFAULT_RECT_BAND_SIZE, minBandSize: 0.25, timeUnitBandPosition: 0.5 }; const defaultTickConfig = { thickness: 1 }; function getMarkType(m) { return isMarkDef(m) ? m.type : m; } //# sourceMappingURL=mark.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/mark/encode/valueref.js function midPointRefWithPositionInvalidTest(params) { const { channel, channelDef, markDef, scale, config } = params; const ref = midPoint(params); // Wrap to check if the positional value is invalid, if so, plot the point on the min value if ( // Only this for field def without counting aggregate (as count wouldn't be null) isFieldDef(channelDef) && !isCountingAggregateOp(channelDef.aggregate) && // and only for continuous scale scale && isContinuousToContinuous(scale.get('type'))) { return wrapPositionInvalidTest({ fieldDef: channelDef, channel, markDef, ref, config }); } return ref; } function wrapPositionInvalidTest({ fieldDef, channel, markDef, ref, config }) { if (isPathMark(markDef.type)) { // path mark already use defined to skip points, no need to do it here. return ref; } const invalid = getMarkPropOrConfig('invalid', markDef, config); if (invalid === null) { // if there is no invalid filter, don't do the invalid test return [fieldInvalidTestValueRef(fieldDef, channel), ref]; } return ref; } function fieldInvalidTestValueRef(fieldDef, channel) { const test = fieldInvalidPredicate(fieldDef, true); const mainChannel = getMainRangeChannel(channel); // we can cast here as the output can't be other things. const zeroValueRef = mainChannel === 'y' ? { field: { group: 'height' } } : // x / angle / radius can all use 0 { value: 0 }; return { test, ...zeroValueRef }; } function fieldInvalidPredicate(field, invalid = true) { return fieldValidPredicate(vega_util_module_isString(field) ? field : vgField(field, { expr: 'datum' }), !invalid); } function datumDefToExpr(datumDef) { const { datum } = datumDef; if (isDateTime(datum)) { return dateTimeToExpr(datum); } return `${stringify(datum)}`; } function valueRefForFieldOrDatumDef(fieldDef, scaleName, opt, encode) { const ref = {}; if (scaleName) { ref.scale = scaleName; } if (isDatumDef(fieldDef)) { const { datum } = fieldDef; if (isDateTime(datum)) { ref.signal = dateTimeToExpr(datum); } else if (isSignalRef(datum)) { ref.signal = datum.signal; } else if (isExprRef(datum)) { ref.signal = datum.expr; } else { ref.value = datum; } } else { ref.field = vgField(fieldDef, opt); } if (encode) { const { offset, band } = encode; if (offset) { ref.offset = offset; } if (band) { ref.band = band; } } return ref; } /** * Signal that returns the middle of a bin from start and end field. Should only be used with x and y. */ function interpolatedSignalRef({ scaleName, fieldOrDatumDef, fieldOrDatumDef2, offset, startSuffix, bandPosition = 0.5 }) { const expr = !isSignalRef(bandPosition) && 0 < bandPosition && bandPosition < 1 ? 'datum' : undefined; const start = vgField(fieldOrDatumDef, { expr, suffix: startSuffix }); const end = fieldOrDatumDef2 !== undefined ? vgField(fieldOrDatumDef2, { expr }) : vgField(fieldOrDatumDef, { suffix: 'end', expr }); const ref = {}; if (bandPosition === 0 || bandPosition === 1) { ref.scale = scaleName; const field = bandPosition === 0 ? start : end; ref.field = field; } else { const datum = isSignalRef(bandPosition) ? `(1-${bandPosition.signal}) * ${start} + ${bandPosition.signal} * ${end}` : `${1 - bandPosition} * ${start} + ${bandPosition} * ${end}`; ref.signal = `scale("${scaleName}", ${datum})`; } if (offset) { ref.offset = offset; } return ref; } function binSizeExpr({ scaleName, fieldDef }) { const start = vgField(fieldDef, { expr: 'datum' }); const end = vgField(fieldDef, { expr: 'datum', suffix: 'end' }); return `abs(scale("${scaleName}", ${end}) - scale("${scaleName}", ${start}))`; } /** * @returns {VgValueRef} Value Ref for xc / yc or mid point for other channels. */ function midPoint({ channel, channelDef, channel2Def, markDef, config, scaleName, scale, stack, offset, defaultRef, bandPosition }) { // TODO: datum support if (channelDef) { /* istanbul ignore else */ if (isFieldOrDatumDef(channelDef)) { const scaleType = scale?.get('type'); if (isTypedFieldDef(channelDef)) { bandPosition ?? (bandPosition = getBandPosition({ fieldDef: channelDef, fieldDef2: channel2Def, markDef, config })); const { bin, timeUnit, type } = channelDef; if (isBinning(bin) || (bandPosition && timeUnit && type === TEMPORAL)) { // Use middle only for x an y to place marks in the center between start and end of the bin range. // We do not use the mid point for other channels (e.g. size) so that properties of legends and marks match. if (stack?.impute) { // For stack, we computed bin_mid so we can impute. return valueRefForFieldOrDatumDef(channelDef, scaleName, { binSuffix: 'mid' }, { offset }); } if (bandPosition && !hasDiscreteDomain(scaleType)) { // if band = 0, no need to call interpolation // For non-stack, we can just calculate bin mid on the fly using signal. return interpolatedSignalRef({ scaleName, fieldOrDatumDef: channelDef, bandPosition, offset }); } return valueRefForFieldOrDatumDef(channelDef, scaleName, binRequiresRange(channelDef, channel) ? { binSuffix: 'range' } : {}, { offset }); } else if (isBinned(bin)) { if (isFieldDef(channel2Def)) { return interpolatedSignalRef({ scaleName, fieldOrDatumDef: channelDef, fieldOrDatumDef2: channel2Def, bandPosition, offset }); } else { const channel2 = channel === channel_X ? channel_X2 : channel_Y2; log_warn(channelRequiredForBinned(channel2)); } } } return valueRefForFieldOrDatumDef(channelDef, scaleName, hasDiscreteDomain(scaleType) ? { binSuffix: 'range' } : {}, // no need for bin suffix if there is no scale { offset, // For band, to get mid point, need to offset by half of the band band: scaleType === 'band' ? bandPosition ?? channelDef.bandPosition ?? 0.5 : undefined }); } else if (isValueDef(channelDef)) { const value = channelDef.value; const offsetMixins = offset ? { offset } : {}; return { ...widthHeightValueOrSignalRef(channel, value), ...offsetMixins }; } // If channelDef is neither field def or value def, it's a condition-only def. // In such case, we will use default ref. } if (vega_util_module_isFunction(defaultRef)) { defaultRef = defaultRef(); } if (defaultRef) { // for non-position, ref could be undefined. return { ...defaultRef, // only include offset when it is non-zero (zero = no offset) ...(offset ? { offset } : {}) }; } return defaultRef; } /** * Convert special "width" and "height" values in Vega-Lite into Vega value ref. */ function widthHeightValueOrSignalRef(channel, value) { if (util_contains(['x', 'x2'], channel) && value === 'width') { return { field: { group: 'width' } }; } else if (util_contains(['y', 'y2'], channel) && value === 'height') { return { field: { group: 'height' } }; } return signalOrValueRef(value); } //# sourceMappingURL=valueref.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/format.js function isCustomFormatType(formatType) { return formatType && formatType !== 'number' && formatType !== 'time'; } function customFormatExpr(formatType, field, format) { return `${formatType}(${field}${format ? `, ${stringify(format)}` : ''})`; } const format_BIN_RANGE_DELIMITER = ' \u2013 '; function formatSignalRef({ fieldOrDatumDef, format, formatType, expr, normalizeStack, config }) { if (isCustomFormatType(formatType)) { return formatCustomType({ fieldOrDatumDef, format, formatType, expr, config }); } const field = fieldToFormat(fieldOrDatumDef, expr, normalizeStack); const type = channelDefType(fieldOrDatumDef); if (format === undefined && formatType === undefined && config.customFormatTypes) { if (type === 'quantitative') { if (normalizeStack && config.normalizedNumberFormatType) return formatCustomType({ fieldOrDatumDef, format: config.normalizedNumberFormat, formatType: config.normalizedNumberFormatType, expr, config }); if (config.numberFormatType) { return formatCustomType({ fieldOrDatumDef, format: config.numberFormat, formatType: config.numberFormatType, expr, config }); } } if (type === 'temporal' && config.timeFormatType && isFieldDef(fieldOrDatumDef) && fieldOrDatumDef.timeUnit === undefined) { return formatCustomType({ fieldOrDatumDef, format: config.timeFormat, formatType: config.timeFormatType, expr, config }); } } if (isFieldOrDatumDefForTimeFormat(fieldOrDatumDef)) { const signal = timeFormatExpression({ field, timeUnit: isFieldDef(fieldOrDatumDef) ? normalizeTimeUnit(fieldOrDatumDef.timeUnit)?.unit : undefined, format, formatType: config.timeFormatType, rawTimeFormat: config.timeFormat, isUTCScale: isScaleFieldDef(fieldOrDatumDef) && fieldOrDatumDef.scale?.type === ScaleType.UTC }); return signal ? { signal } : undefined; } format = numberFormat({ type, specifiedFormat: format, config, normalizeStack }); if (isFieldDef(fieldOrDatumDef) && isBinning(fieldOrDatumDef.bin)) { const endField = vgField(fieldOrDatumDef, { expr, binSuffix: 'end' }); return { signal: binFormatExpression(field, endField, format, formatType, config) }; } else if (format || channelDefType(fieldOrDatumDef) === 'quantitative') { return { signal: `${formatExpr(field, format)}` }; } else { return { signal: `isValid(${field}) ? ${field} : ""+${field}` }; } } function fieldToFormat(fieldOrDatumDef, expr, normalizeStack) { if (isFieldDef(fieldOrDatumDef)) { if (normalizeStack) { return `${vgField(fieldOrDatumDef, { expr, suffix: 'end' })}-${vgField(fieldOrDatumDef, { expr, suffix: 'start' })}`; } else { return vgField(fieldOrDatumDef, { expr }); } } else { return datumDefToExpr(fieldOrDatumDef); } } function formatCustomType({ fieldOrDatumDef, format, formatType, expr, normalizeStack, config, field }) { field ?? (field = fieldToFormat(fieldOrDatumDef, expr, normalizeStack)); if (field !== 'datum.value' && // For axis/legend, we can't correctly know the end of the bin from `datum` isFieldDef(fieldOrDatumDef) && isBinning(fieldOrDatumDef.bin)) { const endField = vgField(fieldOrDatumDef, { expr, binSuffix: 'end' }); return { signal: binFormatExpression(field, endField, format, formatType, config) }; } return { signal: customFormatExpr(formatType, field, format) }; } function guideFormat(fieldOrDatumDef, type, format, formatType, config, omitTimeFormatConfig // axis doesn't use config.timeFormat ) { if (vega_util_module_isString(formatType) && isCustomFormatType(formatType)) { return undefined; // handled in encode block } else if (format === undefined && formatType === undefined && config.customFormatTypes) { if (channelDefType(fieldOrDatumDef) === 'quantitative') { if (config.normalizedNumberFormatType && isPositionFieldOrDatumDef(fieldOrDatumDef) && fieldOrDatumDef.stack === 'normalize') { return undefined; // handled in encode block } if (config.numberFormatType) { return undefined; // handled in encode block } } } if (isPositionFieldOrDatumDef(fieldOrDatumDef) && fieldOrDatumDef.stack === 'normalize' && config.normalizedNumberFormat) { return numberFormat({ type: 'quantitative', config, normalizeStack: true }); } if (isFieldOrDatumDefForTimeFormat(fieldOrDatumDef)) { const timeUnit = isFieldDef(fieldOrDatumDef) ? normalizeTimeUnit(fieldOrDatumDef.timeUnit)?.unit : undefined; if (timeUnit === undefined && config.customFormatTypes && config.timeFormatType) { return undefined; // hanlded in encode block } return format_timeFormat({ specifiedFormat: format, timeUnit, config, omitTimeFormatConfig }); } return numberFormat({ type, specifiedFormat: format, config }); } function guideFormatType(formatType, fieldOrDatumDef, scaleType) { if (formatType && (isSignalRef(formatType) || formatType === 'number' || formatType === 'time')) { return formatType; } if (isFieldOrDatumDefForTimeFormat(fieldOrDatumDef) && scaleType !== 'time' && scaleType !== 'utc') { return isFieldDef(fieldOrDatumDef) && normalizeTimeUnit(fieldOrDatumDef?.timeUnit)?.utc ? 'utc' : 'time'; } return undefined; } /** * Returns number format for a fieldDef. */ function numberFormat({ type, specifiedFormat, config, normalizeStack }) { // Specified format in axis/legend has higher precedence than fieldDef.format if (vega_util_module_isString(specifiedFormat)) { return specifiedFormat; } if (type === QUANTITATIVE) { // we only apply the default if the field is quantitative return normalizeStack ? config.normalizedNumberFormat : config.numberFormat; } return undefined; } /** * Returns time format for a fieldDef for use in guides. */ function format_timeFormat({ specifiedFormat, timeUnit, config, omitTimeFormatConfig }) { if (specifiedFormat) { return specifiedFormat; } if (timeUnit) { return { signal: timeUnitSpecifierExpression(timeUnit) }; } return omitTimeFormatConfig ? undefined : config.timeFormat; } function formatExpr(field, format) { return `format(${field}, "${format || ''}")`; } function binNumberFormatExpr(field, format, formatType, config) { if (isCustomFormatType(formatType)) { return customFormatExpr(formatType, field, format); } return formatExpr(field, (vega_util_module_isString(format) ? format : undefined) ?? config.numberFormat); } function binFormatExpression(startField, endField, format, formatType, config) { if (format === undefined && formatType === undefined && config.customFormatTypes && config.numberFormatType) { return binFormatExpression(startField, endField, config.numberFormat, config.numberFormatType, config); } const start = binNumberFormatExpr(startField, format, formatType, config); const end = binNumberFormatExpr(endField, format, formatType, config); return `${fieldValidPredicate(startField, false)} ? "null" : ${start} + "${format_BIN_RANGE_DELIMITER}" + ${end}`; } /** * Returns the time expression used for axis/legend labels or text mark for a temporal field */ function timeFormatExpression({ field, timeUnit, format, formatType, rawTimeFormat, isUTCScale }) { if (!timeUnit || format) { // If there is no time unit, or if user explicitly specifies format for axis/legend/text. if (!timeUnit && formatType) { return `${formatType}(${field}, '${format}')`; } format = vega_util_module_isString(format) ? format : rawTimeFormat; // only use provided timeFormat if there is no timeUnit. return `${isUTCScale ? 'utc' : 'time'}Format(${field}, '${format}')`; } else { return formatExpression(timeUnit, field, isUTCScale); } } //# sourceMappingURL=format.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/sort.js const DEFAULT_SORT_OP = 'min'; const SORT_BY_CHANNEL_INDEX = { x: 1, y: 1, color: 1, fill: 1, stroke: 1, strokeWidth: 1, size: 1, shape: 1, fillOpacity: 1, strokeOpacity: 1, opacity: 1, text: 1 }; function isSortByChannel(c) { return c in SORT_BY_CHANNEL_INDEX; } function isSortByEncoding(sort) { return !!sort?.['encoding']; } function isSortField(sort) { return sort && (sort['op'] === 'count' || !!sort['field']); } function isSortArray(sort) { return sort && isArray(sort); } //# sourceMappingURL=sort.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/spec/facet.js function isFacetMapping(f) { return 'row' in f || 'column' in f; } function isFacetFieldDef(channelDef) { return !!channelDef && 'header' in channelDef; } function isFacetSpec(spec) { return 'facet' in spec; } //# sourceMappingURL=facet.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/channeldef.js function isConditionalParameter(c) { return c['param']; } function isRepeatRef(field) { return field && !vega_util_module_isString(field) && 'repeat' in field; } function toFieldDefBase(fieldDef) { const { field, timeUnit, bin, aggregate } = fieldDef; return { ...(timeUnit ? { timeUnit } : {}), ...(bin ? { bin } : {}), ...(aggregate ? { aggregate } : {}), field }; } function isSortableFieldDef(fieldDef) { return 'sort' in fieldDef; } function getBandPosition({ fieldDef, fieldDef2, markDef: mark, config }) { if (isFieldOrDatumDef(fieldDef) && fieldDef.bandPosition !== undefined) { return fieldDef.bandPosition; } if (isFieldDef(fieldDef)) { const { timeUnit, bin } = fieldDef; if (timeUnit && !fieldDef2) { return isRectBasedMark(mark.type) ? 0 : getMarkConfig('timeUnitBandPosition', mark, config); } else if (isBinning(bin)) { return 0.5; } } return undefined; } function getBandSize({ channel, fieldDef, fieldDef2, markDef: mark, config, scaleType, useVlSizeChannel }) { const sizeChannel = getSizeChannel(channel); const size = getMarkPropOrConfig(useVlSizeChannel ? 'size' : sizeChannel, mark, config, { vgChannel: sizeChannel }); if (size !== undefined) { return size; } if (isFieldDef(fieldDef)) { const { timeUnit, bin } = fieldDef; if (timeUnit && !fieldDef2) { return { band: getMarkConfig('timeUnitBandSize', mark, config) }; } else if (isBinning(bin) && !hasDiscreteDomain(scaleType)) { return { band: 1 }; } } if (isRectBasedMark(mark.type)) { if (scaleType) { if (hasDiscreteDomain(scaleType)) { return config[mark.type]?.discreteBandSize || { band: 1 }; } else { return config[mark.type]?.continuousBandSize; } } return config[mark.type]?.discreteBandSize; } return undefined; } function hasBandEnd(fieldDef, fieldDef2, markDef, config) { if (isBinning(fieldDef.bin) || (fieldDef.timeUnit && isTypedFieldDef(fieldDef) && fieldDef.type === 'temporal')) { // Need to check bandPosition because non-rect marks (e.g., point) with timeUnit // doesn't have to use bandEnd if there is no bandPosition. return getBandPosition({ fieldDef, fieldDef2, markDef, config }) !== undefined; } return false; } function isOrderOnlyDef(orderDef) { return orderDef && !!orderDef.sort && !orderDef['field']; } function isConditionalDef(channelDef) { return channelDef && 'condition' in channelDef; } /** * Return if a channelDef is a ConditionalValueDef with ConditionFieldDef */ function hasConditionalFieldDef(channelDef) { const condition = channelDef?.['condition']; return !!condition && !isArray(condition) && isFieldDef(condition); } function hasConditionalFieldOrDatumDef(channelDef) { const condition = channelDef?.['condition']; return !!condition && !isArray(condition) && isFieldOrDatumDef(condition); } function hasConditionalValueDef(channelDef) { const condition = channelDef?.['condition']; return !!condition && (isArray(condition) || isValueDef(condition)); } function isFieldDef(channelDef) { // TODO: we can't use field in channelDef here as it's somehow failing runtime test return channelDef && (!!channelDef['field'] || channelDef['aggregate'] === 'count'); } function channelDefType(channelDef) { return channelDef?.['type']; } function isDatumDef(channelDef) { return channelDef && 'datum' in channelDef; } function isContinuousFieldOrDatumDef(cd) { // TODO: make datum support DateTime object return (isTypedFieldDef(cd) && !channeldef_isDiscrete(cd)) || isNumericDataDef(cd); } function isUnbinnedQuantitativeFieldOrDatumDef(cd) { // TODO: make datum support DateTime object return (isTypedFieldDef(cd) && cd.type === 'quantitative' && !cd.bin) || isNumericDataDef(cd); } function isNumericDataDef(cd) { return isDatumDef(cd) && isNumber(cd.datum); } function isFieldOrDatumDef(channelDef) { return isFieldDef(channelDef) || isDatumDef(channelDef); } function isTypedFieldDef(channelDef) { return channelDef && ('field' in channelDef || channelDef['aggregate'] === 'count') && 'type' in channelDef; } function isValueDef(channelDef) { return channelDef && 'value' in channelDef && 'value' in channelDef; } function isScaleFieldDef(channelDef) { return channelDef && ('scale' in channelDef || 'sort' in channelDef); } function isPositionFieldOrDatumDef(channelDef) { return channelDef && ('axis' in channelDef || 'stack' in channelDef || 'impute' in channelDef); } function isMarkPropFieldOrDatumDef(channelDef) { return channelDef && 'legend' in channelDef; } function isStringFieldOrDatumDef(channelDef) { return channelDef && ('format' in channelDef || 'formatType' in channelDef); } function toStringFieldDef(fieldDef) { // omit properties that don't exist in string field defs return omit(fieldDef, ['legend', 'axis', 'header', 'scale']); } function isOpFieldDef(fieldDef) { return 'op' in fieldDef; } /** * Get a Vega field reference from a Vega-Lite field def. */ function vgField(fieldDef, opt = {}) { let field = fieldDef.field; const prefix = opt.prefix; let suffix = opt.suffix; let argAccessor = ''; // for accessing argmin/argmax field at the end without getting escaped if (isCount(fieldDef)) { field = internalField('count'); } else { let fn; if (!opt.nofn) { if (isOpFieldDef(fieldDef)) { fn = fieldDef.op; } else { const { bin, aggregate, timeUnit } = fieldDef; if (isBinning(bin)) { fn = binToString(bin); suffix = (opt.binSuffix ?? '') + (opt.suffix ?? ''); } else if (aggregate) { if (isArgmaxDef(aggregate)) { argAccessor = `["${field}"]`; field = `argmax_${aggregate.argmax}`; } else if (isArgminDef(aggregate)) { argAccessor = `["${field}"]`; field = `argmin_${aggregate.argmin}`; } else { fn = String(aggregate); } } else if (timeUnit && !isBinnedTimeUnit(timeUnit)) { fn = timeUnitToString(timeUnit); suffix = ((!['range', 'mid'].includes(opt.binSuffix) && opt.binSuffix) || '') + (opt.suffix ?? ''); } } } if (fn) { field = field ? `${fn}_${field}` : fn; } } if (suffix) { field = `${field}_${suffix}`; } if (prefix) { field = `${prefix}_${field}`; } if (opt.forAs) { return removePathFromField(field); } else if (opt.expr) { // Expression to access flattened field. No need to escape dots. return flatAccessWithDatum(field, opt.expr) + argAccessor; } else { // We flattened all fields so paths should have become dot. return replacePathInField(field) + argAccessor; } } function channeldef_isDiscrete(def) { switch (def.type) { case 'nominal': case 'ordinal': case 'geojson': return true; case 'quantitative': return isFieldDef(def) && !!def.bin; case 'temporal': return false; } throw new Error(invalidFieldType(def.type)); } function channeldef_isDiscretizing(def) { return isScaleFieldDef(def) && isContinuousToDiscrete(def.scale?.type); } function isCount(fieldDef) { return fieldDef.aggregate === 'count'; } function verbalTitleFormatter(fieldDef, config) { const { field, bin, timeUnit, aggregate } = fieldDef; if (aggregate === 'count') { return config.countTitle; } else if (isBinning(bin)) { return `${field} (binned)`; } else if (timeUnit && !isBinnedTimeUnit(timeUnit)) { const unit = normalizeTimeUnit(timeUnit)?.unit; if (unit) { return `${field} (${getTimeUnitParts(unit).join('-')})`; } } else if (aggregate) { if (isArgmaxDef(aggregate)) { return `${field} for max ${aggregate.argmax}`; } else if (isArgminDef(aggregate)) { return `${field} for min ${aggregate.argmin}`; } else { return `${titleCase(aggregate)} of ${field}`; } } return field; } function functionalTitleFormatter(fieldDef) { const { aggregate, bin, timeUnit, field } = fieldDef; if (isArgmaxDef(aggregate)) { return `${field} for argmax(${aggregate.argmax})`; } else if (isArgminDef(aggregate)) { return `${field} for argmin(${aggregate.argmin})`; } const timeUnitParams = timeUnit && !isBinnedTimeUnit(timeUnit) ? normalizeTimeUnit(timeUnit) : undefined; const fn = aggregate || timeUnitParams?.unit || (timeUnitParams?.maxbins && 'timeunit') || (isBinning(bin) && 'bin'); if (fn) { return `${fn.toUpperCase()}(${field})`; } else { return field; } } const defaultTitleFormatter = (fieldDef, config) => { switch (config.fieldTitle) { case 'plain': return fieldDef.field; case 'functional': return functionalTitleFormatter(fieldDef); default: return verbalTitleFormatter(fieldDef, config); } }; let titleFormatter = defaultTitleFormatter; function setTitleFormatter(formatter) { titleFormatter = formatter; } function resetTitleFormatter() { setTitleFormatter(defaultTitleFormatter); } function channeldef_title(fieldOrDatumDef, config, { allowDisabling, includeDefault = true }) { const guideTitle = getGuide(fieldOrDatumDef)?.title; if (!isFieldDef(fieldOrDatumDef)) { return guideTitle ?? fieldOrDatumDef.title; } const fieldDef = fieldOrDatumDef; const def = includeDefault ? defaultTitle(fieldDef, config) : undefined; if (allowDisabling) { return getFirstDefined(guideTitle, fieldDef.title, def); } else { return guideTitle ?? fieldDef.title ?? def; } } function getGuide(fieldDef) { if (isPositionFieldOrDatumDef(fieldDef) && fieldDef.axis) { return fieldDef.axis; } else if (isMarkPropFieldOrDatumDef(fieldDef) && fieldDef.legend) { return fieldDef.legend; } else if (isFacetFieldDef(fieldDef) && fieldDef.header) { return fieldDef.header; } return undefined; } function defaultTitle(fieldDef, config) { return titleFormatter(fieldDef, config); } function getFormatMixins(fieldDef) { if (isStringFieldOrDatumDef(fieldDef)) { const { format, formatType } = fieldDef; return { format, formatType }; } else { const guide = getGuide(fieldDef) ?? {}; const { format, formatType } = guide; return { format, formatType }; } } function defaultType(fieldDef, channel) { switch (channel) { case 'latitude': case 'longitude': return 'quantitative'; case 'row': case 'column': case 'facet': case 'shape': case 'strokeDash': return 'nominal'; case 'order': return 'ordinal'; } if (isSortableFieldDef(fieldDef) && isArray(fieldDef.sort)) { return 'ordinal'; } const { aggregate, bin, timeUnit } = fieldDef; if (timeUnit) { return 'temporal'; } if (bin || (aggregate && !isArgmaxDef(aggregate) && !isArgminDef(aggregate))) { return 'quantitative'; } if (isScaleFieldDef(fieldDef) && fieldDef.scale?.type) { switch (SCALE_CATEGORY_INDEX[fieldDef.scale.type]) { case 'numeric': case 'discretizing': return 'quantitative'; case 'time': return 'temporal'; } } return 'nominal'; } /** * Returns the fieldDef -- either from the outer channelDef or from the condition of channelDef. * @param channelDef */ function getFieldDef(channelDef) { if (isFieldDef(channelDef)) { return channelDef; } else if (hasConditionalFieldDef(channelDef)) { return channelDef.condition; } return undefined; } function getFieldOrDatumDef(channelDef) { if (isFieldOrDatumDef(channelDef)) { return channelDef; } else if (hasConditionalFieldOrDatumDef(channelDef)) { return channelDef.condition; } return undefined; } /** * Convert type to full, lowercase type, or augment the fieldDef with a default type if missing. */ function initChannelDef(channelDef, channel, config, opt = {}) { if (vega_util_module_isString(channelDef) || isNumber(channelDef) || isBoolean(channelDef)) { const primitiveType = vega_util_module_isString(channelDef) ? 'string' : isNumber(channelDef) ? 'number' : 'boolean'; log_warn(primitiveChannelDef(channel, primitiveType, channelDef)); return { value: channelDef }; } // If a fieldDef contains a field, we need type. if (isFieldOrDatumDef(channelDef)) { return initFieldOrDatumDef(channelDef, channel, config, opt); } else if (hasConditionalFieldOrDatumDef(channelDef)) { return { ...channelDef, // Need to cast as normalizeFieldDef normally return FieldDef, but here we know that it is definitely Condition condition: initFieldOrDatumDef(channelDef.condition, channel, config, opt) }; } return channelDef; } function initFieldOrDatumDef(fd, channel, config, opt) { if (isStringFieldOrDatumDef(fd)) { const { format, formatType, ...rest } = fd; if (isCustomFormatType(formatType) && !config.customFormatTypes) { log_warn(customFormatTypeNotAllowed(channel)); return initFieldOrDatumDef(rest, channel, config, opt); } } else { const guideType = isPositionFieldOrDatumDef(fd) ? 'axis' : isMarkPropFieldOrDatumDef(fd) ? 'legend' : isFacetFieldDef(fd) ? 'header' : null; if (guideType && fd[guideType]) { const { format, formatType, ...newGuide } = fd[guideType]; if (isCustomFormatType(formatType) && !config.customFormatTypes) { log_warn(customFormatTypeNotAllowed(channel)); return initFieldOrDatumDef({ ...fd, [guideType]: newGuide }, channel, config, opt); } } } if (isFieldDef(fd)) { return initFieldDef(fd, channel, opt); } return initDatumDef(fd); } function initDatumDef(datumDef) { let type = datumDef['type']; if (type) { return datumDef; } const { datum } = datumDef; type = isNumber(datum) ? 'quantitative' : vega_util_module_isString(datum) ? 'nominal' : isDateTime(datum) ? 'temporal' : undefined; return { ...datumDef, type }; } function initFieldDef(fd, channel, { compositeMark = false } = {}) { const { aggregate, timeUnit, bin, field } = fd; const fieldDef = { ...fd }; // Drop invalid aggregate if (!compositeMark && aggregate && !isAggregateOp(aggregate) && !isArgmaxDef(aggregate) && !isArgminDef(aggregate)) { log_warn(invalidAggregate(aggregate)); delete fieldDef.aggregate; } // Normalize Time Unit if (timeUnit) { fieldDef.timeUnit = normalizeTimeUnit(timeUnit); } if (field) { fieldDef.field = `${field}`; } // Normalize bin if (isBinning(bin)) { fieldDef.bin = normalizeBin(bin, channel); } if (isBinned(bin) && !isXorY(channel)) { log_warn(channelShouldNotBeUsedForBinned(channel)); } // Normalize Type if (isTypedFieldDef(fieldDef)) { const { type } = fieldDef; const fullType = getFullName(type); if (type !== fullType) { // convert short type to full type fieldDef.type = fullType; } if (type !== 'quantitative') { if (isCountingAggregateOp(aggregate)) { log_warn(invalidFieldTypeForCountAggregate(type, aggregate)); fieldDef.type = 'quantitative'; } } } else if (!isSecondaryRangeChannel(channel)) { // If type is empty / invalid, then augment with default type const newType = defaultType(fieldDef, channel); fieldDef['type'] = newType; } if (isTypedFieldDef(fieldDef)) { const { compatible, warning } = channelCompatibility(fieldDef, channel) || {}; if (compatible === false) { log_warn(warning); } } if (isSortableFieldDef(fieldDef) && vega_util_module_isString(fieldDef.sort)) { const { sort } = fieldDef; if (isSortByChannel(sort)) { return { ...fieldDef, sort: { encoding: sort } }; } const sub = sort.substr(1); if (sort.charAt(0) === '-' && isSortByChannel(sub)) { return { ...fieldDef, sort: { encoding: sub, order: 'descending' } }; } } if (isFacetFieldDef(fieldDef)) { const { header } = fieldDef; if (header) { const { orient, ...rest } = header; if (orient) { return { ...fieldDef, header: { ...rest, labelOrient: header.labelOrient || orient, titleOrient: header.titleOrient || orient } }; } } } return fieldDef; } function normalizeBin(bin, channel) { if (isBoolean(bin)) { return { maxbins: autoMaxBins(channel) }; } else if (bin === 'binned') { return { binned: true }; } else if (!bin.maxbins && !bin.step) { return { ...bin, maxbins: autoMaxBins(channel) }; } else { return bin; } } const COMPATIBLE = { compatible: true }; function channelCompatibility(fieldDef, channel) { const type = fieldDef.type; if (type === 'geojson' && channel !== 'shape') { return { compatible: false, warning: `Channel ${channel} should not be used with a geojson data.` }; } switch (channel) { case ROW: case COLUMN: case FACET: if (!channeldef_isDiscrete(fieldDef)) { return { compatible: false, warning: channelShouldBeDiscrete(channel) }; } return COMPATIBLE; case channel_X: case channel_Y: case XOFFSET: case YOFFSET: case COLOR: case FILL: case STROKE: case TEXT: case DETAIL: case KEY: case TOOLTIP: case HREF: case channel_URL: case ANGLE: case THETA: case RADIUS: case DESCRIPTION: return COMPATIBLE; case LONGITUDE: case LONGITUDE2: case LATITUDE: case LATITUDE2: if (type !== QUANTITATIVE) { return { compatible: false, warning: `Channel ${channel} should be used with a quantitative field only, not ${fieldDef.type} field.` }; } return COMPATIBLE; case OPACITY: case FILLOPACITY: case STROKEOPACITY: case STROKEWIDTH: case channel_SIZE: case THETA2: case RADIUS2: case channel_X2: case channel_Y2: if (type === 'nominal' && !fieldDef['sort']) { return { compatible: false, warning: `Channel ${channel} should not be used with an unsorted discrete field.` }; } return COMPATIBLE; case SHAPE: case STROKEDASH: if (!channeldef_isDiscrete(fieldDef) && !channeldef_isDiscretizing(fieldDef)) { return { compatible: false, warning: channelShouldBeDiscreteOrDiscretizing(channel) }; } return COMPATIBLE; case ORDER: if (fieldDef.type === 'nominal' && !('sort' in fieldDef)) { return { compatible: false, warning: `Channel order is inappropriate for nominal field, which has no inherent order.` }; } return COMPATIBLE; } } /** * Check if the field def uses a time format or does not use any format but is temporal * (this does not cover field defs that are temporal but use a number format). */ function isFieldOrDatumDefForTimeFormat(fieldOrDatumDef) { const { formatType } = getFormatMixins(fieldOrDatumDef); return formatType === 'time' || (!formatType && isTimeFieldDef(fieldOrDatumDef)); } /** * Check if field def has type `temporal`. If you want to also cover field defs that use a time format, use `isTimeFormatFieldDef`. */ function isTimeFieldDef(def) { return def && (def['type'] === 'temporal' || (isFieldDef(def) && !!def.timeUnit)); } /** * Getting a value associated with a fielddef. * Convert the value to Vega expression if applicable (for datetime object, or string if the field def is temporal or has timeUnit) */ function valueExpr(v, { timeUnit, type, wrapTime, undefinedIfExprNotRequired }) { const unit = timeUnit && normalizeTimeUnit(timeUnit)?.unit; let isTime = unit || type === 'temporal'; let expr; if (isExprRef(v)) { expr = v.expr; } else if (isSignalRef(v)) { expr = v.signal; } else if (isDateTime(v)) { isTime = true; expr = dateTimeToExpr(v); } else if (vega_util_module_isString(v) || isNumber(v)) { if (isTime) { expr = `datetime(${stringify(v)})`; if (isLocalSingleTimeUnit(unit)) { // for single timeUnit, we will use dateTimeToExpr to convert number/string to match the timeUnit if ((isNumber(v) && v < 10000) || (vega_util_module_isString(v) && isNaN(Date.parse(v)))) { expr = dateTimeToExpr({ [unit]: v }); } } } } if (expr) { return wrapTime && isTime ? `time(${expr})` : expr; } // number or boolean or normal string return undefinedIfExprNotRequired ? undefined : stringify(v); } /** * Standardize value array -- convert each value to Vega expression if applicable */ function valueArray(fieldOrDatumDef, values) { const { type } = fieldOrDatumDef; return values.map(v => { const timeUnit = isFieldDef(fieldOrDatumDef) && !isBinnedTimeUnit(fieldOrDatumDef.timeUnit) ? fieldOrDatumDef.timeUnit : undefined; const expr = valueExpr(v, { timeUnit, type, undefinedIfExprNotRequired: true }); // return signal for the expression if we need an expression if (expr !== undefined) { return { signal: expr }; } // otherwise just return the original value return v; }); } /** * Checks whether a fieldDef for a particular channel requires a computed bin range. */ function binRequiresRange(fieldDef, channel) { if (!isBinning(fieldDef.bin)) { console.warn('Only call this method for binned field defs.'); return false; } // We need the range only when the user explicitly forces a binned field to be use discrete scale. In this case, bin range is used in axis and legend labels. // We could check whether the axis or legend exists (not disabled) but that seems overkill. return isScaleChannel(channel) && ['ordinal', 'nominal'].includes(fieldDef.type); } //# sourceMappingURL=channeldef.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/axis.js const CONDITIONAL_AXIS_PROP_INDEX = { labelAlign: { part: 'labels', vgProp: 'align' }, labelBaseline: { part: 'labels', vgProp: 'baseline' }, labelColor: { part: 'labels', vgProp: 'fill' }, labelFont: { part: 'labels', vgProp: 'font' }, labelFontSize: { part: 'labels', vgProp: 'fontSize' }, labelFontStyle: { part: 'labels', vgProp: 'fontStyle' }, labelFontWeight: { part: 'labels', vgProp: 'fontWeight' }, labelOpacity: { part: 'labels', vgProp: 'opacity' }, labelOffset: null, labelPadding: null, gridColor: { part: 'grid', vgProp: 'stroke' }, gridDash: { part: 'grid', vgProp: 'strokeDash' }, gridDashOffset: { part: 'grid', vgProp: 'strokeDashOffset' }, gridOpacity: { part: 'grid', vgProp: 'opacity' }, gridWidth: { part: 'grid', vgProp: 'strokeWidth' }, tickColor: { part: 'ticks', vgProp: 'stroke' }, tickDash: { part: 'ticks', vgProp: 'strokeDash' }, tickDashOffset: { part: 'ticks', vgProp: 'strokeDashOffset' }, tickOpacity: { part: 'ticks', vgProp: 'opacity' }, tickSize: null, tickWidth: { part: 'ticks', vgProp: 'strokeWidth' } }; function isConditionalAxisValue(v) { return v?.condition; } const AXIS_PARTS = ['domain', 'grid', 'labels', 'ticks', 'title']; /** * A dictionary listing whether a certain axis property is applicable for only main axes or only grid axes. */ const AXIS_PROPERTY_TYPE = { grid: 'grid', gridCap: 'grid', gridColor: 'grid', gridDash: 'grid', gridDashOffset: 'grid', gridOpacity: 'grid', gridScale: 'grid', gridWidth: 'grid', orient: 'main', bandPosition: 'both', aria: 'main', description: 'main', domain: 'main', domainCap: 'main', domainColor: 'main', domainDash: 'main', domainDashOffset: 'main', domainOpacity: 'main', domainWidth: 'main', format: 'main', formatType: 'main', labelAlign: 'main', labelAngle: 'main', labelBaseline: 'main', labelBound: 'main', labelColor: 'main', labelFlush: 'main', labelFlushOffset: 'main', labelFont: 'main', labelFontSize: 'main', labelFontStyle: 'main', labelFontWeight: 'main', labelLimit: 'main', labelLineHeight: 'main', labelOffset: 'main', labelOpacity: 'main', labelOverlap: 'main', labelPadding: 'main', labels: 'main', labelSeparation: 'main', maxExtent: 'main', minExtent: 'main', offset: 'both', position: 'main', tickCap: 'main', tickColor: 'main', tickDash: 'main', tickDashOffset: 'main', tickMinStep: 'both', tickOffset: 'both', tickOpacity: 'main', tickRound: 'both', ticks: 'main', tickSize: 'main', tickWidth: 'both', title: 'main', titleAlign: 'main', titleAnchor: 'main', titleAngle: 'main', titleBaseline: 'main', titleColor: 'main', titleFont: 'main', titleFontSize: 'main', titleFontStyle: 'main', titleFontWeight: 'main', titleLimit: 'main', titleLineHeight: 'main', titleOpacity: 'main', titlePadding: 'main', titleX: 'main', titleY: 'main', encode: 'both', scale: 'both', tickBand: 'both', tickCount: 'both', tickExtra: 'both', translate: 'both', values: 'both', zindex: 'both' // this is actually set afterward, so it doesn't matter }; const COMMON_AXIS_PROPERTIES_INDEX = { orient: 1, aria: 1, bandPosition: 1, description: 1, domain: 1, domainCap: 1, domainColor: 1, domainDash: 1, domainDashOffset: 1, domainOpacity: 1, domainWidth: 1, format: 1, formatType: 1, grid: 1, gridCap: 1, gridColor: 1, gridDash: 1, gridDashOffset: 1, gridOpacity: 1, gridWidth: 1, labelAlign: 1, labelAngle: 1, labelBaseline: 1, labelBound: 1, labelColor: 1, labelFlush: 1, labelFlushOffset: 1, labelFont: 1, labelFontSize: 1, labelFontStyle: 1, labelFontWeight: 1, labelLimit: 1, labelLineHeight: 1, labelOffset: 1, labelOpacity: 1, labelOverlap: 1, labelPadding: 1, labels: 1, labelSeparation: 1, maxExtent: 1, minExtent: 1, offset: 1, position: 1, tickBand: 1, tickCap: 1, tickColor: 1, tickCount: 1, tickDash: 1, tickDashOffset: 1, tickExtra: 1, tickMinStep: 1, tickOffset: 1, tickOpacity: 1, tickRound: 1, ticks: 1, tickSize: 1, tickWidth: 1, title: 1, titleAlign: 1, titleAnchor: 1, titleAngle: 1, titleBaseline: 1, titleColor: 1, titleFont: 1, titleFontSize: 1, titleFontStyle: 1, titleFontWeight: 1, titleLimit: 1, titleLineHeight: 1, titleOpacity: 1, titlePadding: 1, titleX: 1, titleY: 1, translate: 1, values: 1, zindex: 1 }; const AXIS_PROPERTIES_INDEX = { ...COMMON_AXIS_PROPERTIES_INDEX, style: 1, labelExpr: 1, encoding: 1 }; function isAxisProperty(prop) { return !!AXIS_PROPERTIES_INDEX[prop]; } // Export for dependent projects const AXIS_PROPERTIES = util_keys(AXIS_PROPERTIES_INDEX); const AXIS_CONFIGS_INDEX = { axis: 1, axisBand: 1, axisBottom: 1, axisDiscrete: 1, axisLeft: 1, axisPoint: 1, axisQuantitative: 1, axisRight: 1, axisTemporal: 1, axisTop: 1, axisX: 1, axisXBand: 1, axisXDiscrete: 1, axisXPoint: 1, axisXQuantitative: 1, axisXTemporal: 1, axisY: 1, axisYBand: 1, axisYDiscrete: 1, axisYPoint: 1, axisYQuantitative: 1, axisYTemporal: 1 }; const AXIS_CONFIGS = util_keys(AXIS_CONFIGS_INDEX); //# sourceMappingURL=axis.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/spec/unit.js function isUnitSpec(spec) { return 'mark' in spec; } //# sourceMappingURL=unit.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compositemark/base.js class CompositeMarkNormalizer { constructor(name, run) { this.name = name; this.run = run; } hasMatchingType(spec) { if (isUnitSpec(spec)) { return getMarkType(spec.mark) === this.name; } return false; } } //# sourceMappingURL=base.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/encoding.js function channelHasField(encoding, channel) { const channelDef = encoding && encoding[channel]; if (channelDef) { if (isArray(channelDef)) { return some(channelDef, fieldDef => !!fieldDef.field); } else { return isFieldDef(channelDef) || hasConditionalFieldDef(channelDef); } } return false; } function channelHasFieldOrDatum(encoding, channel) { const channelDef = encoding && encoding[channel]; if (channelDef) { if (isArray(channelDef)) { return some(channelDef, fieldDef => !!fieldDef.field); } else { return isFieldDef(channelDef) || isDatumDef(channelDef) || hasConditionalFieldOrDatumDef(channelDef); } } return false; } function channelHasNestedOffsetScale(encoding, channel) { if (isXorY(channel)) { const fieldDef = encoding[channel]; if ((isFieldDef(fieldDef) || isDatumDef(fieldDef)) && (type_isDiscrete(fieldDef.type) || (isFieldDef(fieldDef) && fieldDef.timeUnit))) { const offsetChannel = getOffsetScaleChannel(channel); return channelHasFieldOrDatum(encoding, offsetChannel); } } return false; } function isAggregate(encoding) { return some(CHANNELS, channel => { if (channelHasField(encoding, channel)) { const channelDef = encoding[channel]; if (isArray(channelDef)) { return some(channelDef, fieldDef => !!fieldDef.aggregate); } else { const fieldDef = getFieldDef(channelDef); return fieldDef && !!fieldDef.aggregate; } } return false; }); } function extractTransformsFromEncoding(oldEncoding, config) { const groupby = []; const bins = []; const timeUnits = []; const aggregate = []; const encoding = {}; forEach(oldEncoding, (channelDef, channel) => { // Extract potential embedded transformations along with remaining properties if (isFieldDef(channelDef)) { const { field, aggregate: aggOp, bin, timeUnit, ...remaining } = channelDef; if (aggOp || timeUnit || bin) { const guide = getGuide(channelDef); const isTitleDefined = guide?.title; let newField = vgField(channelDef, { forAs: true }); const newFieldDef = { // Only add title if it doesn't exist ...(isTitleDefined ? [] : { title: channeldef_title(channelDef, config, { allowDisabling: true }) }), ...remaining, // Always overwrite field field: newField }; if (aggOp) { let op; if (isArgmaxDef(aggOp)) { op = 'argmax'; newField = vgField({ op: 'argmax', field: aggOp.argmax }, { forAs: true }); newFieldDef.field = `${newField}.${field}`; } else if (isArgminDef(aggOp)) { op = 'argmin'; newField = vgField({ op: 'argmin', field: aggOp.argmin }, { forAs: true }); newFieldDef.field = `${newField}.${field}`; } else if (aggOp !== 'boxplot' && aggOp !== 'errorbar' && aggOp !== 'errorband') { op = aggOp; } if (op) { const aggregateEntry = { op, as: newField }; if (field) { aggregateEntry.field = field; } aggregate.push(aggregateEntry); } } else { groupby.push(newField); if (isTypedFieldDef(channelDef) && isBinning(bin)) { bins.push({ bin, field, as: newField }); // Add additional groupbys for range and end of bins groupby.push(vgField(channelDef, { binSuffix: 'end' })); if (binRequiresRange(channelDef, channel)) { groupby.push(vgField(channelDef, { binSuffix: 'range' })); } // Create accompanying 'x2' or 'y2' field if channel is 'x' or 'y' respectively if (isXorY(channel)) { const secondaryChannel = { field: `${newField}_end` }; encoding[`${channel}2`] = secondaryChannel; } newFieldDef.bin = 'binned'; if (!isSecondaryRangeChannel(channel)) { newFieldDef['type'] = QUANTITATIVE; } } else if (timeUnit && !isBinnedTimeUnit(timeUnit)) { timeUnits.push({ timeUnit, field, as: newField }); // define the format type for later compilation const formatType = isTypedFieldDef(channelDef) && channelDef.type !== TEMPORAL && 'time'; if (formatType) { if (channel === TEXT || channel === TOOLTIP) { newFieldDef['formatType'] = formatType; } else if (isNonPositionScaleChannel(channel)) { newFieldDef['legend'] = { formatType, ...newFieldDef['legend'] }; } else if (isXorY(channel)) { newFieldDef['axis'] = { formatType, ...newFieldDef['axis'] }; } } } } // now the field should refer to post-transformed field instead encoding[channel] = newFieldDef; } else { groupby.push(field); encoding[channel] = oldEncoding[channel]; } } else { // For value def / signal ref / datum def, just copy encoding[channel] = oldEncoding[channel]; } }); return { bins, timeUnits, aggregate, groupby, encoding }; } function markChannelCompatible(encoding, channel, mark) { const markSupported = supportMark(channel, mark); if (!markSupported) { return false; } else if (markSupported === 'binned') { const primaryFieldDef = encoding[channel === channel_X2 ? channel_X : channel_Y]; // circle, point, square and tick only support x2/y2 when their corresponding x/y fieldDef // has "binned" data and thus need x2/y2 to specify the bin-end field. if (isFieldDef(primaryFieldDef) && isFieldDef(encoding[channel]) && isBinned(primaryFieldDef.bin)) { return true; } else { return false; } } return true; } function initEncoding(encoding, mark, filled, config) { const normalizedEncoding = {}; for (const key of util_keys(encoding)) { if (!isChannel(key)) { // Drop invalid channel log_warn(invalidEncodingChannel(key)); } } for (let channel of UNIT_CHANNELS) { if (!encoding[channel]) { continue; } const channelDef = encoding[channel]; if (isXorYOffset(channel)) { const mainChannel = getMainChannelFromOffsetChannel(channel); const positionDef = normalizedEncoding[mainChannel]; if (isFieldDef(positionDef)) { if (type_isContinuous(positionDef.type)) { if (isFieldDef(channelDef) && !positionDef.timeUnit) { // TODO: nesting continuous field instead continuous field should // behave like offsetting the data in data domain log_warn(offsetNestedInsideContinuousPositionScaleDropped(mainChannel)); continue; } } } else { // no x/y, replace it with main channel channel = mainChannel; log_warn(replaceOffsetWithMainChannel(mainChannel)); } } if (channel === 'angle' && mark === 'arc' && !encoding.theta) { log_warn(REPLACE_ANGLE_WITH_THETA); channel = THETA; } if (!markChannelCompatible(encoding, channel, mark)) { // Drop unsupported channel log_warn(incompatibleChannel(channel, mark)); continue; } // Drop line's size if the field is aggregated. if (channel === channel_SIZE && mark === 'line') { const fieldDef = getFieldDef(encoding[channel]); if (fieldDef?.aggregate) { log_warn(LINE_WITH_VARYING_SIZE); continue; } } // Drop color if either fill or stroke is specified if (channel === COLOR && (filled ? 'fill' in encoding : 'stroke' in encoding)) { log_warn(droppingColor('encoding', { fill: 'fill' in encoding, stroke: 'stroke' in encoding })); continue; } if (channel === DETAIL || (channel === ORDER && !isArray(channelDef) && !isValueDef(channelDef)) || (channel === TOOLTIP && isArray(channelDef))) { if (channelDef) { if (channel === ORDER) { const def = encoding[channel]; if (isOrderOnlyDef(def)) { normalizedEncoding[channel] = def; continue; } } // Array of fieldDefs for detail channel (or production rule) normalizedEncoding[channel] = array(channelDef).reduce((defs, fieldDef) => { if (!isFieldDef(fieldDef)) { log_warn(emptyFieldDef(fieldDef, channel)); } else { defs.push(initFieldDef(fieldDef, channel)); } return defs; }, []); } } else { if (channel === TOOLTIP && channelDef === null) { // Preserve null so we can use it to disable tooltip normalizedEncoding[channel] = null; } else if (!isFieldDef(channelDef) && !isDatumDef(channelDef) && !isValueDef(channelDef) && !isConditionalDef(channelDef) && !isSignalRef(channelDef)) { log_warn(emptyFieldDef(channelDef, channel)); continue; } normalizedEncoding[channel] = initChannelDef(channelDef, channel, config); } } return normalizedEncoding; } /** * For composite marks, we have to call initChannelDef during init so we can infer types earlier. */ function normalizeEncoding(encoding, config) { const normalizedEncoding = {}; for (const channel of util_keys(encoding)) { const newChannelDef = initChannelDef(encoding[channel], channel, config, { compositeMark: true }); normalizedEncoding[channel] = newChannelDef; } return normalizedEncoding; } function fieldDefs(encoding) { const arr = []; for (const channel of util_keys(encoding)) { if (channelHasField(encoding, channel)) { const channelDef = encoding[channel]; const channelDefArray = array(channelDef); for (const def of channelDefArray) { if (isFieldDef(def)) { arr.push(def); } else if (hasConditionalFieldDef(def)) { arr.push(def.condition); } } } } return arr; } function forEach(mapping, f, thisArg) { if (!mapping) { return; } for (const channel of util_keys(mapping)) { const el = mapping[channel]; if (isArray(el)) { for (const channelDef of el) { f.call(thisArg, channelDef, channel); } } else { f.call(thisArg, el, channel); } } } function reduce(mapping, f, init, thisArg) { if (!mapping) { return init; } return util_keys(mapping).reduce((r, channel) => { const map = mapping[channel]; if (isArray(map)) { return map.reduce((r1, channelDef) => { return f.call(thisArg, r1, channelDef, channel); }, r); } else { return f.call(thisArg, r, map, channel); } }, init); } /** * Returns list of path grouping fields for the given encoding */ function pathGroupingFields(mark, encoding) { return util_keys(encoding).reduce((details, channel) => { switch (channel) { // x, y, x2, y2, lat, long, lat1, long2, order, tooltip, href, aria label, cursor should not cause lines to group case channel_X: case channel_Y: case HREF: case DESCRIPTION: case channel_URL: case channel_X2: case channel_Y2: case XOFFSET: case YOFFSET: case THETA: case THETA2: case RADIUS: case RADIUS2: // falls through case LATITUDE: case LONGITUDE: case LATITUDE2: case LONGITUDE2: // TODO: case 'cursor': // text, shape, shouldn't be a part of line/trail/area [falls through] case TEXT: case SHAPE: case ANGLE: // falls through // tooltip fields should not be added to group by [falls through] case TOOLTIP: return details; case ORDER: // order should not group line / trail if (mark === 'line' || mark === 'trail') { return details; } // but order should group area for stacking (falls through) case DETAIL: case KEY: { const channelDef = encoding[channel]; if (isArray(channelDef) || isFieldDef(channelDef)) { for (const fieldDef of array(channelDef)) { if (!fieldDef.aggregate) { details.push(vgField(fieldDef, {})); } } } return details; } case channel_SIZE: if (mark === 'trail') { // For trail, size should not group trail lines. return details; } // For line, size should group lines. // falls through case COLOR: case FILL: case STROKE: case OPACITY: case FILLOPACITY: case STROKEOPACITY: case STROKEDASH: case STROKEWIDTH: { // TODO strokeDashOffset: // falls through const fieldDef = getFieldDef(encoding[channel]); if (fieldDef && !fieldDef.aggregate) { details.push(vgField(fieldDef, {})); } return details; } } }, []); } //# sourceMappingURL=encoding.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compositemark/common.js function filterTooltipWithAggregatedField(oldEncoding) { const { tooltip, ...filteredEncoding } = oldEncoding; if (!tooltip) { return { filteredEncoding }; } let customTooltipWithAggregatedField; let customTooltipWithoutAggregatedField; if (isArray(tooltip)) { for (const t of tooltip) { if (t.aggregate) { if (!customTooltipWithAggregatedField) { customTooltipWithAggregatedField = []; } customTooltipWithAggregatedField.push(t); } else { if (!customTooltipWithoutAggregatedField) { customTooltipWithoutAggregatedField = []; } customTooltipWithoutAggregatedField.push(t); } } if (customTooltipWithAggregatedField) { filteredEncoding.tooltip = customTooltipWithAggregatedField; } } else { if (tooltip['aggregate']) { filteredEncoding.tooltip = tooltip; } else { customTooltipWithoutAggregatedField = tooltip; } } if (isArray(customTooltipWithoutAggregatedField) && customTooltipWithoutAggregatedField.length === 1) { customTooltipWithoutAggregatedField = customTooltipWithoutAggregatedField[0]; } return { customTooltipWithoutAggregatedField, filteredEncoding }; } function getCompositeMarkTooltip(tooltipSummary, continuousAxisChannelDef, encodingWithoutContinuousAxis, withFieldName = true) { if ('tooltip' in encodingWithoutContinuousAxis) { return { tooltip: encodingWithoutContinuousAxis.tooltip }; } const fiveSummaryTooltip = tooltipSummary.map(({ fieldPrefix, titlePrefix }) => { const mainTitle = withFieldName ? ` of ${getTitle(continuousAxisChannelDef)}` : ''; return { field: fieldPrefix + continuousAxisChannelDef.field, type: continuousAxisChannelDef.type, title: isSignalRef(titlePrefix) ? { signal: `${titlePrefix}"${escape(mainTitle)}"` } : titlePrefix + mainTitle }; }); const tooltipFieldDefs = fieldDefs(encodingWithoutContinuousAxis).map(toStringFieldDef); return { tooltip: [ ...fiveSummaryTooltip, // need to cast because TextFieldDef supports fewer types of bin ...unique(tooltipFieldDefs, hash) ] }; } function getTitle(continuousAxisChannelDef) { const { title, field } = continuousAxisChannelDef; return getFirstDefined(title, field); } function makeCompositeAggregatePartFactory(compositeMarkDef, continuousAxis, continuousAxisChannelDef, sharedEncoding, compositeMarkConfig) { const { scale, axis } = continuousAxisChannelDef; return ({ partName, mark, positionPrefix, endPositionPrefix = undefined, extraEncoding = {} }) => { const title = getTitle(continuousAxisChannelDef); return partLayerMixins(compositeMarkDef, partName, compositeMarkConfig, { mark, encoding: { [continuousAxis]: { field: `${positionPrefix}_${continuousAxisChannelDef.field}`, type: continuousAxisChannelDef.type, ...(title !== undefined ? { title } : {}), ...(scale !== undefined ? { scale } : {}), ...(axis !== undefined ? { axis } : {}) }, ...(vega_util_module_isString(endPositionPrefix) ? { [`${continuousAxis}2`]: { field: `${endPositionPrefix}_${continuousAxisChannelDef.field}` } } : {}), ...sharedEncoding, ...extraEncoding } }); }; } function partLayerMixins(markDef, part, compositeMarkConfig, partBaseSpec) { const { clip, color, opacity } = markDef; const mark = markDef.type; if (markDef[part] || (markDef[part] === undefined && compositeMarkConfig[part])) { return [ { ...partBaseSpec, mark: { ...compositeMarkConfig[part], ...(clip ? { clip } : {}), ...(color ? { color } : {}), ...(opacity ? { opacity } : {}), ...(isMarkDef(partBaseSpec.mark) ? partBaseSpec.mark : { type: partBaseSpec.mark }), style: `${mark}-${String(part)}`, ...(isBoolean(markDef[part]) ? {} : markDef[part]) } } ]; } return []; } function compositeMarkContinuousAxis(spec, orient, compositeMark) { const { encoding } = spec; const continuousAxis = orient === 'vertical' ? 'y' : 'x'; const continuousAxisChannelDef = encoding[continuousAxis]; // Safe to cast because if x is not continuous fielddef, the orient would not be horizontal. const continuousAxisChannelDef2 = encoding[`${continuousAxis}2`]; const continuousAxisChannelDefError = encoding[`${continuousAxis}Error`]; const continuousAxisChannelDefError2 = encoding[`${continuousAxis}Error2`]; return { continuousAxisChannelDef: filterAggregateFromChannelDef(continuousAxisChannelDef, compositeMark), continuousAxisChannelDef2: filterAggregateFromChannelDef(continuousAxisChannelDef2, compositeMark), continuousAxisChannelDefError: filterAggregateFromChannelDef(continuousAxisChannelDefError, compositeMark), continuousAxisChannelDefError2: filterAggregateFromChannelDef(continuousAxisChannelDefError2, compositeMark), continuousAxis }; } function filterAggregateFromChannelDef(continuousAxisChannelDef, compositeMark) { if (continuousAxisChannelDef?.aggregate) { const { aggregate, ...continuousAxisWithoutAggregate } = continuousAxisChannelDef; if (aggregate !== compositeMark) { log_warn(errorBarContinuousAxisHasCustomizedAggregate(aggregate, compositeMark)); } return continuousAxisWithoutAggregate; } else { return continuousAxisChannelDef; } } function compositeMarkOrient(spec, compositeMark) { const { mark, encoding } = spec; const { x, y } = encoding; if (isMarkDef(mark) && mark.orient) { return mark.orient; } if (isContinuousFieldOrDatumDef(x)) { // x is continuous if (isContinuousFieldOrDatumDef(y)) { // both x and y are continuous const xAggregate = isFieldDef(x) && x.aggregate; const yAggregate = isFieldDef(y) && y.aggregate; if (!xAggregate && yAggregate === compositeMark) { return 'vertical'; } else if (!yAggregate && xAggregate === compositeMark) { return 'horizontal'; } else if (xAggregate === compositeMark && yAggregate === compositeMark) { throw new Error('Both x and y cannot have aggregate'); } else { if (isFieldOrDatumDefForTimeFormat(y) && !isFieldOrDatumDefForTimeFormat(x)) { // y is temporal but x is not return 'horizontal'; } // default orientation for two continuous return 'vertical'; } } return 'horizontal'; } else if (isContinuousFieldOrDatumDef(y)) { // y is continuous but x is not return 'vertical'; } else { // Neither x nor y is continuous. throw new Error(`Need a valid continuous axis for ${compositeMark}s`); } } //# sourceMappingURL=common.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compositemark/boxplot.js const BOXPLOT = 'boxplot'; const BOXPLOT_PARTS = ['box', 'median', 'outliers', 'rule', 'ticks']; const boxPlotNormalizer = new CompositeMarkNormalizer(BOXPLOT, normalizeBoxPlot); function getBoxPlotType(extent) { if (isNumber(extent)) { return 'tukey'; } // Ham: If we ever want to, we could add another extent syntax `{kIQR: number}` for the original [Q1-k*IQR, Q3+k*IQR] whisker and call this boxPlotType = `kIQR`. However, I'm not exposing this for now. return extent; } function normalizeBoxPlot(spec, { config }) { // Need to initEncoding first so we can infer type spec = { ...spec, encoding: normalizeEncoding(spec.encoding, config) }; const { mark, encoding: _encoding, params, projection: _p, ...outerSpec } = spec; const markDef = isMarkDef(mark) ? mark : { type: mark }; // TODO(https://github.com/vega/vega-lite/issues/3702): add selection support if (params) { log_warn(selectionNotSupported('boxplot')); } const extent = markDef.extent ?? config.boxplot.extent; const sizeValue = getMarkPropOrConfig('size', markDef, // TODO: https://github.com/vega/vega-lite/issues/6245 config); const invalid = markDef.invalid; const boxPlotType = getBoxPlotType(extent); const { bins, timeUnits, transform, continuousAxisChannelDef, continuousAxis, groupby, aggregate, encodingWithoutContinuousAxis, ticksOrient, boxOrient, customTooltipWithoutAggregatedField } = boxParams(spec, extent, config); const { color, size, ...encodingWithoutSizeColorAndContinuousAxis } = encodingWithoutContinuousAxis; const makeBoxPlotPart = (sharedEncoding) => { return makeCompositeAggregatePartFactory(markDef, continuousAxis, continuousAxisChannelDef, sharedEncoding, config.boxplot); }; const makeBoxPlotExtent = makeBoxPlotPart(encodingWithoutSizeColorAndContinuousAxis); const makeBoxPlotBox = makeBoxPlotPart(encodingWithoutContinuousAxis); const makeBoxPlotMidTick = makeBoxPlotPart({ ...encodingWithoutSizeColorAndContinuousAxis, ...(size ? { size } : {}) }); const fiveSummaryTooltipEncoding = getCompositeMarkTooltip([ { fieldPrefix: boxPlotType === 'min-max' ? 'upper_whisker_' : 'max_', titlePrefix: 'Max' }, { fieldPrefix: 'upper_box_', titlePrefix: 'Q3' }, { fieldPrefix: 'mid_box_', titlePrefix: 'Median' }, { fieldPrefix: 'lower_box_', titlePrefix: 'Q1' }, { fieldPrefix: boxPlotType === 'min-max' ? 'lower_whisker_' : 'min_', titlePrefix: 'Min' } ], continuousAxisChannelDef, encodingWithoutContinuousAxis); // ## Whisker Layers const endTick = { type: 'tick', color: 'black', opacity: 1, orient: ticksOrient, invalid, aria: false }; const whiskerTooltipEncoding = boxPlotType === 'min-max' ? fiveSummaryTooltipEncoding // for min-max, show five-summary tooltip for whisker : // for tukey / k-IQR, just show upper/lower-whisker getCompositeMarkTooltip([ { fieldPrefix: 'upper_whisker_', titlePrefix: 'Upper Whisker' }, { fieldPrefix: 'lower_whisker_', titlePrefix: 'Lower Whisker' } ], continuousAxisChannelDef, encodingWithoutContinuousAxis); const whiskerLayers = [ ...makeBoxPlotExtent({ partName: 'rule', mark: { type: 'rule', invalid, aria: false }, positionPrefix: 'lower_whisker', endPositionPrefix: 'lower_box', extraEncoding: whiskerTooltipEncoding }), ...makeBoxPlotExtent({ partName: 'rule', mark: { type: 'rule', invalid, aria: false }, positionPrefix: 'upper_box', endPositionPrefix: 'upper_whisker', extraEncoding: whiskerTooltipEncoding }), ...makeBoxPlotExtent({ partName: 'ticks', mark: endTick, positionPrefix: 'lower_whisker', extraEncoding: whiskerTooltipEncoding }), ...makeBoxPlotExtent({ partName: 'ticks', mark: endTick, positionPrefix: 'upper_whisker', extraEncoding: whiskerTooltipEncoding }) ]; // ## Box Layers // TODO: support hiding certain mark parts const boxLayers = [ ...(boxPlotType !== 'tukey' ? whiskerLayers : []), ...makeBoxPlotBox({ partName: 'box', mark: { type: 'bar', ...(sizeValue ? { size: sizeValue } : {}), orient: boxOrient, invalid, ariaRoleDescription: 'box' }, positionPrefix: 'lower_box', endPositionPrefix: 'upper_box', extraEncoding: fiveSummaryTooltipEncoding }), ...makeBoxPlotMidTick({ partName: 'median', mark: { type: 'tick', invalid, ...(isObject(config.boxplot.median) && config.boxplot.median.color ? { color: config.boxplot.median.color } : {}), ...(sizeValue ? { size: sizeValue } : {}), orient: ticksOrient, aria: false }, positionPrefix: 'mid_box', extraEncoding: fiveSummaryTooltipEncoding }) ]; if (boxPlotType === 'min-max') { return { ...outerSpec, transform: (outerSpec.transform ?? []).concat(transform), layer: boxLayers }; } // Tukey Box Plot const lowerBoxExpr = `datum["lower_box_${continuousAxisChannelDef.field}"]`; const upperBoxExpr = `datum["upper_box_${continuousAxisChannelDef.field}"]`; const iqrExpr = `(${upperBoxExpr} - ${lowerBoxExpr})`; const lowerWhiskerExpr = `${lowerBoxExpr} - ${extent} * ${iqrExpr}`; const upperWhiskerExpr = `${upperBoxExpr} + ${extent} * ${iqrExpr}`; const fieldExpr = `datum["${continuousAxisChannelDef.field}"]`; const joinaggregateTransform = { joinaggregate: boxParamsQuartiles(continuousAxisChannelDef.field), groupby }; const filteredWhiskerSpec = { transform: [ { filter: `(${lowerWhiskerExpr} <= ${fieldExpr}) && (${fieldExpr} <= ${upperWhiskerExpr})` }, { aggregate: [ { op: 'min', field: continuousAxisChannelDef.field, as: `lower_whisker_${continuousAxisChannelDef.field}` }, { op: 'max', field: continuousAxisChannelDef.field, as: `upper_whisker_${continuousAxisChannelDef.field}` }, // preserve lower_box / upper_box { op: 'min', field: `lower_box_${continuousAxisChannelDef.field}`, as: `lower_box_${continuousAxisChannelDef.field}` }, { op: 'max', field: `upper_box_${continuousAxisChannelDef.field}`, as: `upper_box_${continuousAxisChannelDef.field}` }, ...aggregate ], groupby } ], layer: whiskerLayers }; const { tooltip, ...encodingWithoutSizeColorContinuousAxisAndTooltip } = encodingWithoutSizeColorAndContinuousAxis; const { scale, axis } = continuousAxisChannelDef; const title = getTitle(continuousAxisChannelDef); const axisWithoutTitle = omit(axis, ['title']); const outlierLayersMixins = partLayerMixins(markDef, 'outliers', config.boxplot, { transform: [{ filter: `(${fieldExpr} < ${lowerWhiskerExpr}) || (${fieldExpr} > ${upperWhiskerExpr})` }], mark: 'point', encoding: { [continuousAxis]: { field: continuousAxisChannelDef.field, type: continuousAxisChannelDef.type, ...(title !== undefined ? { title } : {}), ...(scale !== undefined ? { scale } : {}), // add axis without title since we already added the title above ...(isEmpty(axisWithoutTitle) ? {} : { axis: axisWithoutTitle }) }, ...encodingWithoutSizeColorContinuousAxisAndTooltip, ...(color ? { color } : {}), ...(customTooltipWithoutAggregatedField ? { tooltip: customTooltipWithoutAggregatedField } : {}) } })[0]; let filteredLayersMixins; const filteredLayersMixinsTransforms = [...bins, ...timeUnits, joinaggregateTransform]; if (outlierLayersMixins) { filteredLayersMixins = { transform: filteredLayersMixinsTransforms, layer: [outlierLayersMixins, filteredWhiskerSpec] }; } else { filteredLayersMixins = filteredWhiskerSpec; filteredLayersMixins.transform.unshift(...filteredLayersMixinsTransforms); } return { ...outerSpec, layer: [ filteredLayersMixins, { // boxplot transform, layer: boxLayers } ] }; } function boxParamsQuartiles(continousAxisField) { return [ { op: 'q1', field: continousAxisField, as: `lower_box_${continousAxisField}` }, { op: 'q3', field: continousAxisField, as: `upper_box_${continousAxisField}` } ]; } function boxParams(spec, extent, config) { const orient = compositeMarkOrient(spec, BOXPLOT); const { continuousAxisChannelDef, continuousAxis } = compositeMarkContinuousAxis(spec, orient, BOXPLOT); const continuousFieldName = continuousAxisChannelDef.field; const boxPlotType = getBoxPlotType(extent); const boxplotSpecificAggregate = [ ...boxParamsQuartiles(continuousFieldName), { op: 'median', field: continuousFieldName, as: `mid_box_${continuousFieldName}` }, { op: 'min', field: continuousFieldName, as: (boxPlotType === 'min-max' ? 'lower_whisker_' : 'min_') + continuousFieldName }, { op: 'max', field: continuousFieldName, as: (boxPlotType === 'min-max' ? 'upper_whisker_' : 'max_') + continuousFieldName } ]; const postAggregateCalculates = boxPlotType === 'min-max' || boxPlotType === 'tukey' ? [] : [ // This is for the original k-IQR, which we do not expose { calculate: `datum["upper_box_${continuousFieldName}"] - datum["lower_box_${continuousFieldName}"]`, as: `iqr_${continuousFieldName}` }, { calculate: `min(datum["upper_box_${continuousFieldName}"] + datum["iqr_${continuousFieldName}"] * ${extent}, datum["max_${continuousFieldName}"])`, as: `upper_whisker_${continuousFieldName}` }, { calculate: `max(datum["lower_box_${continuousFieldName}"] - datum["iqr_${continuousFieldName}"] * ${extent}, datum["min_${continuousFieldName}"])`, as: `lower_whisker_${continuousFieldName}` } ]; const { [continuousAxis]: oldContinuousAxisChannelDef, ...oldEncodingWithoutContinuousAxis } = spec.encoding; const { customTooltipWithoutAggregatedField, filteredEncoding } = filterTooltipWithAggregatedField(oldEncodingWithoutContinuousAxis); const { bins, timeUnits, aggregate, groupby, encoding: encodingWithoutContinuousAxis } = extractTransformsFromEncoding(filteredEncoding, config); const ticksOrient = orient === 'vertical' ? 'horizontal' : 'vertical'; const boxOrient = orient; const transform = [ ...bins, ...timeUnits, { aggregate: [...aggregate, ...boxplotSpecificAggregate], groupby }, ...postAggregateCalculates ]; return { bins, timeUnits, transform, groupby, aggregate, continuousAxisChannelDef, continuousAxis, encodingWithoutContinuousAxis, ticksOrient, boxOrient, customTooltipWithoutAggregatedField }; } //# sourceMappingURL=boxplot.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compositemark/errorbar.js const ERRORBAR = 'errorbar'; const ERRORBAR_PARTS = ['ticks', 'rule']; const errorBarNormalizer = new CompositeMarkNormalizer(ERRORBAR, normalizeErrorBar); function normalizeErrorBar(spec, { config }) { // Need to initEncoding first so we can infer type spec = { ...spec, encoding: normalizeEncoding(spec.encoding, config) }; const { transform, continuousAxisChannelDef, continuousAxis, encodingWithoutContinuousAxis, ticksOrient, markDef, outerSpec, tooltipEncoding } = errorBarParams(spec, ERRORBAR, config); delete encodingWithoutContinuousAxis['size']; const makeErrorBarPart = makeCompositeAggregatePartFactory(markDef, continuousAxis, continuousAxisChannelDef, encodingWithoutContinuousAxis, config.errorbar); const thickness = markDef.thickness; const size = markDef.size; const tick = { type: 'tick', orient: ticksOrient, aria: false, ...(thickness !== undefined ? { thickness } : {}), ...(size !== undefined ? { size } : {}) }; const layer = [ ...makeErrorBarPart({ partName: 'ticks', mark: tick, positionPrefix: 'lower', extraEncoding: tooltipEncoding }), ...makeErrorBarPart({ partName: 'ticks', mark: tick, positionPrefix: 'upper', extraEncoding: tooltipEncoding }), ...makeErrorBarPart({ partName: 'rule', mark: { type: 'rule', ariaRoleDescription: 'errorbar', ...(thickness !== undefined ? { size: thickness } : {}) }, positionPrefix: 'lower', endPositionPrefix: 'upper', extraEncoding: tooltipEncoding }) ]; return { ...outerSpec, transform, ...(layer.length > 1 ? { layer } : { ...layer[0] }) }; } function errorBarOrientAndInputType(spec, compositeMark) { const { encoding } = spec; if (errorBarIsInputTypeRaw(encoding)) { return { orient: compositeMarkOrient(spec, compositeMark), inputType: 'raw' }; } const isTypeAggregatedUpperLower = errorBarIsInputTypeAggregatedUpperLower(encoding); const isTypeAggregatedError = errorBarIsInputTypeAggregatedError(encoding); const x = encoding.x; const y = encoding.y; if (isTypeAggregatedUpperLower) { // type is aggregated-upper-lower if (isTypeAggregatedError) { throw new Error(`${compositeMark} cannot be both type aggregated-upper-lower and aggregated-error`); } const x2 = encoding.x2; const y2 = encoding.y2; if (isFieldOrDatumDef(x2) && isFieldOrDatumDef(y2)) { // having both x, x2 and y, y2 throw new Error(`${compositeMark} cannot have both x2 and y2`); } else if (isFieldOrDatumDef(x2)) { if (isContinuousFieldOrDatumDef(x)) { // having x, x2 quantitative and field y, y2 are not specified return { orient: 'horizontal', inputType: 'aggregated-upper-lower' }; } else { // having x, x2 that are not both quantitative throw new Error(`Both x and x2 have to be quantitative in ${compositeMark}`); } } else if (isFieldOrDatumDef(y2)) { // y2 is a FieldDef if (isContinuousFieldOrDatumDef(y)) { // having y, y2 quantitative and field x, x2 are not specified return { orient: 'vertical', inputType: 'aggregated-upper-lower' }; } else { // having y, y2 that are not both quantitative throw new Error(`Both y and y2 have to be quantitative in ${compositeMark}`); } } throw new Error('No ranged axis'); } else { // type is aggregated-error const xError = encoding.xError; const xError2 = encoding.xError2; const yError = encoding.yError; const yError2 = encoding.yError2; if (isFieldOrDatumDef(xError2) && !isFieldOrDatumDef(xError)) { // having xError2 without xError throw new Error(`${compositeMark} cannot have xError2 without xError`); } if (isFieldOrDatumDef(yError2) && !isFieldOrDatumDef(yError)) { // having yError2 without yError throw new Error(`${compositeMark} cannot have yError2 without yError`); } if (isFieldOrDatumDef(xError) && isFieldOrDatumDef(yError)) { // having both xError and yError throw new Error(`${compositeMark} cannot have both xError and yError with both are quantiative`); } else if (isFieldOrDatumDef(xError)) { if (isContinuousFieldOrDatumDef(x)) { // having x and xError that are all quantitative return { orient: 'horizontal', inputType: 'aggregated-error' }; } else { // having x, xError, and xError2 that are not all quantitative throw new Error('All x, xError, and xError2 (if exist) have to be quantitative'); } } else if (isFieldOrDatumDef(yError)) { if (isContinuousFieldOrDatumDef(y)) { // having y and yError that are all quantitative return { orient: 'vertical', inputType: 'aggregated-error' }; } else { // having y, yError, and yError2 that are not all quantitative throw new Error('All y, yError, and yError2 (if exist) have to be quantitative'); } } throw new Error('No ranged axis'); } } function errorBarIsInputTypeRaw(encoding) { return ((isFieldOrDatumDef(encoding.x) || isFieldOrDatumDef(encoding.y)) && !isFieldOrDatumDef(encoding.x2) && !isFieldOrDatumDef(encoding.y2) && !isFieldOrDatumDef(encoding.xError) && !isFieldOrDatumDef(encoding.xError2) && !isFieldOrDatumDef(encoding.yError) && !isFieldOrDatumDef(encoding.yError2)); } function errorBarIsInputTypeAggregatedUpperLower(encoding) { return isFieldOrDatumDef(encoding.x2) || isFieldOrDatumDef(encoding.y2); } function errorBarIsInputTypeAggregatedError(encoding) { return (isFieldOrDatumDef(encoding.xError) || isFieldOrDatumDef(encoding.xError2) || isFieldOrDatumDef(encoding.yError) || isFieldOrDatumDef(encoding.yError2)); } function errorBarParams(spec, compositeMark, config) { // TODO: use selection const { mark, encoding, params, projection: _p, ...outerSpec } = spec; const markDef = isMarkDef(mark) ? mark : { type: mark }; // TODO(https://github.com/vega/vega-lite/issues/3702): add selection support if (params) { log_warn(selectionNotSupported(compositeMark)); } const { orient, inputType } = errorBarOrientAndInputType(spec, compositeMark); const { continuousAxisChannelDef, continuousAxisChannelDef2, continuousAxisChannelDefError, continuousAxisChannelDefError2, continuousAxis } = compositeMarkContinuousAxis(spec, orient, compositeMark); const { errorBarSpecificAggregate, postAggregateCalculates, tooltipSummary, tooltipTitleWithFieldName } = errorBarAggregationAndCalculation(markDef, continuousAxisChannelDef, continuousAxisChannelDef2, continuousAxisChannelDefError, continuousAxisChannelDefError2, inputType, compositeMark, config); const { [continuousAxis]: oldContinuousAxisChannelDef, [continuousAxis === 'x' ? 'x2' : 'y2']: oldContinuousAxisChannelDef2, [continuousAxis === 'x' ? 'xError' : 'yError']: oldContinuousAxisChannelDefError, [continuousAxis === 'x' ? 'xError2' : 'yError2']: oldContinuousAxisChannelDefError2, ...oldEncodingWithoutContinuousAxis } = encoding; const { bins, timeUnits, aggregate: oldAggregate, groupby: oldGroupBy, encoding: encodingWithoutContinuousAxis } = extractTransformsFromEncoding(oldEncodingWithoutContinuousAxis, config); const aggregate = [...oldAggregate, ...errorBarSpecificAggregate]; const groupby = inputType !== 'raw' ? [] : oldGroupBy; const tooltipEncoding = getCompositeMarkTooltip(tooltipSummary, continuousAxisChannelDef, encodingWithoutContinuousAxis, tooltipTitleWithFieldName); return { transform: [ ...(outerSpec.transform ?? []), ...bins, ...timeUnits, ...(aggregate.length === 0 ? [] : [{ aggregate, groupby }]), ...postAggregateCalculates ], groupby, continuousAxisChannelDef, continuousAxis, encodingWithoutContinuousAxis, ticksOrient: orient === 'vertical' ? 'horizontal' : 'vertical', markDef, outerSpec, tooltipEncoding }; } function errorBarAggregationAndCalculation(markDef, continuousAxisChannelDef, continuousAxisChannelDef2, continuousAxisChannelDefError, continuousAxisChannelDefError2, inputType, compositeMark, config) { let errorBarSpecificAggregate = []; let postAggregateCalculates = []; const continuousFieldName = continuousAxisChannelDef.field; let tooltipSummary; let tooltipTitleWithFieldName = false; if (inputType === 'raw') { const center = markDef.center ? markDef.center : markDef.extent ? markDef.extent === 'iqr' ? 'median' : 'mean' : config.errorbar.center; const extent = markDef.extent ? markDef.extent : center === 'mean' ? 'stderr' : 'iqr'; if ((center === 'median') !== (extent === 'iqr')) { log_warn(errorBarCenterIsUsedWithWrongExtent(center, extent, compositeMark)); } if (extent === 'stderr' || extent === 'stdev') { errorBarSpecificAggregate = [ { op: extent, field: continuousFieldName, as: `extent_${continuousFieldName}` }, { op: center, field: continuousFieldName, as: `center_${continuousFieldName}` } ]; postAggregateCalculates = [ { calculate: `datum["center_${continuousFieldName}"] + datum["extent_${continuousFieldName}"]`, as: `upper_${continuousFieldName}` }, { calculate: `datum["center_${continuousFieldName}"] - datum["extent_${continuousFieldName}"]`, as: `lower_${continuousFieldName}` } ]; tooltipSummary = [ { fieldPrefix: 'center_', titlePrefix: titleCase(center) }, { fieldPrefix: 'upper_', titlePrefix: getTitlePrefix(center, extent, '+') }, { fieldPrefix: 'lower_', titlePrefix: getTitlePrefix(center, extent, '-') } ]; tooltipTitleWithFieldName = true; } else { let centerOp; let lowerExtentOp; let upperExtentOp; if (extent === 'ci') { centerOp = 'mean'; lowerExtentOp = 'ci0'; upperExtentOp = 'ci1'; } else { centerOp = 'median'; lowerExtentOp = 'q1'; upperExtentOp = 'q3'; } errorBarSpecificAggregate = [ { op: lowerExtentOp, field: continuousFieldName, as: `lower_${continuousFieldName}` }, { op: upperExtentOp, field: continuousFieldName, as: `upper_${continuousFieldName}` }, { op: centerOp, field: continuousFieldName, as: `center_${continuousFieldName}` } ]; tooltipSummary = [ { fieldPrefix: 'upper_', titlePrefix: channeldef_title({ field: continuousFieldName, aggregate: upperExtentOp, type: 'quantitative' }, config, { allowDisabling: false }) }, { fieldPrefix: 'lower_', titlePrefix: channeldef_title({ field: continuousFieldName, aggregate: lowerExtentOp, type: 'quantitative' }, config, { allowDisabling: false }) }, { fieldPrefix: 'center_', titlePrefix: channeldef_title({ field: continuousFieldName, aggregate: centerOp, type: 'quantitative' }, config, { allowDisabling: false }) } ]; } } else { if (markDef.center || markDef.extent) { log_warn(errorBarCenterAndExtentAreNotNeeded(markDef.center, markDef.extent)); } if (inputType === 'aggregated-upper-lower') { tooltipSummary = []; postAggregateCalculates = [ { calculate: `datum["${continuousAxisChannelDef2.field}"]`, as: `upper_${continuousFieldName}` }, { calculate: `datum["${continuousFieldName}"]`, as: `lower_${continuousFieldName}` } ]; } else if (inputType === 'aggregated-error') { tooltipSummary = [{ fieldPrefix: '', titlePrefix: continuousFieldName }]; postAggregateCalculates = [ { calculate: `datum["${continuousFieldName}"] + datum["${continuousAxisChannelDefError.field}"]`, as: `upper_${continuousFieldName}` } ]; if (continuousAxisChannelDefError2) { postAggregateCalculates.push({ calculate: `datum["${continuousFieldName}"] + datum["${continuousAxisChannelDefError2.field}"]`, as: `lower_${continuousFieldName}` }); } else { postAggregateCalculates.push({ calculate: `datum["${continuousFieldName}"] - datum["${continuousAxisChannelDefError.field}"]`, as: `lower_${continuousFieldName}` }); } } for (const postAggregateCalculate of postAggregateCalculates) { tooltipSummary.push({ fieldPrefix: postAggregateCalculate.as.substring(0, 6), titlePrefix: replaceAll(replaceAll(postAggregateCalculate.calculate, 'datum["', ''), '"]', '') }); } } return { postAggregateCalculates, errorBarSpecificAggregate, tooltipSummary, tooltipTitleWithFieldName }; } function getTitlePrefix(center, extent, operation) { return `${titleCase(center)} ${operation} ${extent}`; } //# sourceMappingURL=errorbar.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compositemark/errorband.js const ERRORBAND = 'errorband'; const ERRORBAND_PARTS = ['band', 'borders']; const errorBandNormalizer = new CompositeMarkNormalizer(ERRORBAND, normalizeErrorBand); function normalizeErrorBand(spec, { config }) { // Need to initEncoding first so we can infer type spec = { ...spec, encoding: normalizeEncoding(spec.encoding, config) }; const { transform, continuousAxisChannelDef, continuousAxis, encodingWithoutContinuousAxis, markDef, outerSpec, tooltipEncoding } = errorBarParams(spec, ERRORBAND, config); const errorBandDef = markDef; const makeErrorBandPart = makeCompositeAggregatePartFactory(errorBandDef, continuousAxis, continuousAxisChannelDef, encodingWithoutContinuousAxis, config.errorband); const is2D = spec.encoding.x !== undefined && spec.encoding.y !== undefined; let bandMark = { type: is2D ? 'area' : 'rect' }; let bordersMark = { type: is2D ? 'line' : 'rule' }; const interpolate = { ...(errorBandDef.interpolate ? { interpolate: errorBandDef.interpolate } : {}), ...(errorBandDef.tension && errorBandDef.interpolate ? { tension: errorBandDef.tension } : {}) }; if (is2D) { bandMark = { ...bandMark, ...interpolate, ariaRoleDescription: 'errorband' }; bordersMark = { ...bordersMark, ...interpolate, aria: false }; } else if (errorBandDef.interpolate) { log_warn(errorBand1DNotSupport('interpolate')); } else if (errorBandDef.tension) { log_warn(errorBand1DNotSupport('tension')); } return { ...outerSpec, transform, layer: [ ...makeErrorBandPart({ partName: 'band', mark: bandMark, positionPrefix: 'lower', endPositionPrefix: 'upper', extraEncoding: tooltipEncoding }), ...makeErrorBandPart({ partName: 'borders', mark: bordersMark, positionPrefix: 'lower', extraEncoding: tooltipEncoding }), ...makeErrorBandPart({ partName: 'borders', mark: bordersMark, positionPrefix: 'upper', extraEncoding: tooltipEncoding }) ] }; } //# sourceMappingURL=errorband.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compositemark/index.js /** * Registry index for all composite mark's normalizer */ const compositeMarkRegistry = {}; function compositemark_add(mark, run, parts) { const normalizer = new CompositeMarkNormalizer(mark, run); compositeMarkRegistry[mark] = { normalizer, parts }; } function compositemark_remove(mark) { delete compositeMarkRegistry[mark]; } function getAllCompositeMarks() { return util_keys(compositeMarkRegistry); } compositemark_add(BOXPLOT, normalizeBoxPlot, BOXPLOT_PARTS); compositemark_add(ERRORBAR, normalizeErrorBar, ERRORBAR_PARTS); compositemark_add(ERRORBAND, normalizeErrorBand, ERRORBAND_PARTS); //# sourceMappingURL=index.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/guide.js const VL_ONLY_LEGEND_CONFIG = [ 'gradientHorizontalMaxLength', 'gradientHorizontalMinLength', 'gradientVerticalMaxLength', 'gradientVerticalMinLength', 'unselectedOpacity' ]; //# sourceMappingURL=guide.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/header.js const HEADER_TITLE_PROPERTIES_MAP = { titleAlign: 'align', titleAnchor: 'anchor', titleAngle: 'angle', titleBaseline: 'baseline', titleColor: 'color', titleFont: 'font', titleFontSize: 'fontSize', titleFontStyle: 'fontStyle', titleFontWeight: 'fontWeight', titleLimit: 'limit', titleLineHeight: 'lineHeight', titleOrient: 'orient', titlePadding: 'offset' }; const HEADER_LABEL_PROPERTIES_MAP = { labelAlign: 'align', labelAnchor: 'anchor', labelAngle: 'angle', labelBaseline: 'baseline', labelColor: 'color', labelFont: 'font', labelFontSize: 'fontSize', labelFontStyle: 'fontStyle', labelFontWeight: 'fontWeight', labelLimit: 'limit', labelLineHeight: 'lineHeight', labelOrient: 'orient', labelPadding: 'offset' }; const HEADER_TITLE_PROPERTIES = util_keys(HEADER_TITLE_PROPERTIES_MAP); const HEADER_LABEL_PROPERTIES = util_keys(HEADER_LABEL_PROPERTIES_MAP); const HEADER_CONFIGS_INDEX = { header: 1, headerRow: 1, headerColumn: 1, headerFacet: 1 }; const HEADER_CONFIGS = util_keys(HEADER_CONFIGS_INDEX); //# sourceMappingURL=header.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/legend.js const LEGEND_SCALE_CHANNELS = [ 'size', 'shape', 'fill', 'stroke', 'strokeDash', 'strokeWidth', 'opacity' ]; const defaultLegendConfig = { gradientHorizontalMaxLength: 200, gradientHorizontalMinLength: 100, gradientVerticalMaxLength: 200, gradientVerticalMinLength: 64, unselectedOpacity: 0.35 }; const COMMON_LEGEND_PROPERTY_INDEX = { aria: 1, clipHeight: 1, columnPadding: 1, columns: 1, cornerRadius: 1, description: 1, direction: 1, fillColor: 1, format: 1, formatType: 1, gradientLength: 1, gradientOpacity: 1, gradientStrokeColor: 1, gradientStrokeWidth: 1, gradientThickness: 1, gridAlign: 1, labelAlign: 1, labelBaseline: 1, labelColor: 1, labelFont: 1, labelFontSize: 1, labelFontStyle: 1, labelFontWeight: 1, labelLimit: 1, labelOffset: 1, labelOpacity: 1, labelOverlap: 1, labelPadding: 1, labelSeparation: 1, legendX: 1, legendY: 1, offset: 1, orient: 1, padding: 1, rowPadding: 1, strokeColor: 1, symbolDash: 1, symbolDashOffset: 1, symbolFillColor: 1, symbolLimit: 1, symbolOffset: 1, symbolOpacity: 1, symbolSize: 1, symbolStrokeColor: 1, symbolStrokeWidth: 1, symbolType: 1, tickCount: 1, tickMinStep: 1, title: 1, titleAlign: 1, titleAnchor: 1, titleBaseline: 1, titleColor: 1, titleFont: 1, titleFontSize: 1, titleFontStyle: 1, titleFontWeight: 1, titleLimit: 1, titleLineHeight: 1, titleOpacity: 1, titleOrient: 1, titlePadding: 1, type: 1, values: 1, zindex: 1 }; const LEGEND_PROPERTIES = util_keys(COMMON_LEGEND_PROPERTY_INDEX); //# sourceMappingURL=legend.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/selection.js const SELECTION_ID = '_vgsid_'; const defaultConfig = { point: { on: 'click', fields: [SELECTION_ID], toggle: 'event.shiftKey', resolve: 'global', clear: 'dblclick' }, interval: { on: '[mousedown, window:mouseup] > window:mousemove!', encodings: ['x', 'y'], translate: '[mousedown, window:mouseup] > window:mousemove!', zoom: 'wheel!', mark: { fill: '#333', fillOpacity: 0.125, stroke: 'white' }, resolve: 'global', clear: 'dblclick' } }; function isLegendBinding(bind) { return bind === 'legend' || !!bind?.legend; } function isLegendStreamBinding(bind) { return isLegendBinding(bind) && isObject(bind); } function isSelectionParameter(param) { return !!param?.['select']; } //# sourceMappingURL=selection.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/parameter.js function assembleParameterSignals(params) { const signals = []; for (const param of params || []) { // Selection parameters are handled separately via assembleSelectionTopLevelSignals // and assembleSignals methods registered on the Model. if (isSelectionParameter(param)) continue; const { expr, bind, ...rest } = param; if (bind && expr) { // Vega's InitSignal -- apply expr to "init" const signal = { ...rest, bind, init: expr }; signals.push(signal); } else { const signal = { ...rest, ...(expr ? { update: expr } : {}), ...(bind ? { bind } : {}) }; signals.push(signal); } } return signals; } //# sourceMappingURL=parameter.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/spec/concat.js function isAnyConcatSpec(spec) { return isVConcatSpec(spec) || isHConcatSpec(spec) || isConcatSpec(spec); } function isConcatSpec(spec) { return 'concat' in spec; } function isVConcatSpec(spec) { return 'vconcat' in spec; } function isHConcatSpec(spec) { return 'hconcat' in spec; } //# sourceMappingURL=concat.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/spec/base.js function getStepFor({ step, offsetIsDiscrete }) { if (offsetIsDiscrete) { return step.for ?? 'offset'; } else { return 'position'; } } function isStep(size) { return isObject(size) && size['step'] !== undefined; } function isFrameMixins(o) { return o['view'] || o['width'] || o['height']; } const DEFAULT_SPACING = 20; const COMPOSITION_LAYOUT_INDEX = { align: 1, bounds: 1, center: 1, columns: 1, spacing: 1 }; const COMPOSITION_LAYOUT_PROPERTIES = util_keys(COMPOSITION_LAYOUT_INDEX); function extractCompositionLayout(spec, specType, config) { const compositionConfig = config[specType]; const layout = {}; // Apply config first const { spacing: spacingConfig, columns } = compositionConfig; if (spacingConfig !== undefined) { layout.spacing = spacingConfig; } if (columns !== undefined) { if ((isFacetSpec(spec) && !isFacetMapping(spec.facet)) || isConcatSpec(spec)) { layout.columns = columns; } } if (isVConcatSpec(spec)) { layout.columns = 1; } // Then copy properties from the spec for (const prop of COMPOSITION_LAYOUT_PROPERTIES) { if (spec[prop] !== undefined) { if (prop === 'spacing') { const spacing = spec[prop]; layout[prop] = isNumber(spacing) ? spacing : { row: spacing.row ?? spacingConfig, column: spacing.column ?? spacingConfig }; } else { layout[prop] = spec[prop]; } } } return layout; } //# sourceMappingURL=base.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/config.js function getViewConfigContinuousSize(viewConfig, channel) { return viewConfig[channel] ?? viewConfig[channel === 'width' ? 'continuousWidth' : 'continuousHeight']; // get width/height for backwards compatibility } function getViewConfigDiscreteStep(viewConfig, channel) { const size = getViewConfigDiscreteSize(viewConfig, channel); return isStep(size) ? size.step : DEFAULT_STEP; } function getViewConfigDiscreteSize(viewConfig, channel) { const size = viewConfig[channel] ?? viewConfig[channel === 'width' ? 'discreteWidth' : 'discreteHeight']; // get width/height for backwards compatibility return getFirstDefined(size, { step: viewConfig.step }); } const DEFAULT_STEP = 20; const defaultViewConfig = { continuousWidth: 200, continuousHeight: 200, step: DEFAULT_STEP }; function isVgScheme(rangeScheme) { return rangeScheme && !!rangeScheme['scheme']; } const config_defaultConfig = { background: 'white', padding: 5, timeFormat: '%b %d, %Y', countTitle: 'Count of Records', view: defaultViewConfig, mark: defaultMarkConfig, arc: {}, area: {}, bar: defaultBarConfig, circle: {}, geoshape: {}, image: {}, line: {}, point: {}, rect: defaultRectConfig, rule: { color: 'black' }, square: {}, text: { color: 'black' }, tick: defaultTickConfig, trail: {}, boxplot: { size: 14, extent: 1.5, box: {}, median: { color: 'white' }, outliers: {}, rule: {}, ticks: null }, errorbar: { center: 'mean', rule: true, ticks: false }, errorband: { band: { opacity: 0.3 }, borders: false }, scale: defaultScaleConfig, projection: {}, legend: defaultLegendConfig, header: { titlePadding: 10, labelPadding: 10 }, headerColumn: {}, headerRow: {}, headerFacet: {}, selection: defaultConfig, style: {}, title: {}, facet: { spacing: DEFAULT_SPACING }, concat: { spacing: DEFAULT_SPACING }, normalizedNumberFormat: '.0%' }; // Tableau10 color palette, copied from `vegaScale.scheme('tableau10')` const tab10 = [ '#4c78a8', '#f58518', '#e45756', '#72b7b2', '#54a24b', '#eeca3b', '#b279a2', '#ff9da6', '#9d755d', '#bab0ac' ]; const DEFAULT_FONT_SIZE = { text: 11, guideLabel: 10, guideTitle: 11, groupTitle: 13, groupSubtitle: 12 }; const DEFAULT_COLOR = { blue: tab10[0], orange: tab10[1], red: tab10[2], teal: tab10[3], green: tab10[4], yellow: tab10[5], purple: tab10[6], pink: tab10[7], brown: tab10[8], gray0: '#000', gray1: '#111', gray2: '#222', gray3: '#333', gray4: '#444', gray5: '#555', gray6: '#666', gray7: '#777', gray8: '#888', gray9: '#999', gray10: '#aaa', gray11: '#bbb', gray12: '#ccc', gray13: '#ddd', gray14: '#eee', gray15: '#fff' }; function colorSignalConfig(color = {}) { return { signals: [ { name: 'color', value: isObject(color) ? { ...DEFAULT_COLOR, ...color } : DEFAULT_COLOR } ], mark: { color: { signal: 'color.blue' } }, rule: { color: { signal: 'color.gray0' } }, text: { color: { signal: 'color.gray0' } }, style: { 'guide-label': { fill: { signal: 'color.gray0' } }, 'guide-title': { fill: { signal: 'color.gray0' } }, 'group-title': { fill: { signal: 'color.gray0' } }, 'group-subtitle': { fill: { signal: 'color.gray0' } }, cell: { stroke: { signal: 'color.gray8' } } }, axis: { domainColor: { signal: 'color.gray13' }, gridColor: { signal: 'color.gray8' }, tickColor: { signal: 'color.gray13' } }, range: { category: [ { signal: 'color.blue' }, { signal: 'color.orange' }, { signal: 'color.red' }, { signal: 'color.teal' }, { signal: 'color.green' }, { signal: 'color.yellow' }, { signal: 'color.purple' }, { signal: 'color.pink' }, { signal: 'color.brown' }, { signal: 'color.grey8' } ] } }; } function fontSizeSignalConfig(fontSize) { return { signals: [ { name: 'fontSize', value: isObject(fontSize) ? { ...DEFAULT_FONT_SIZE, ...fontSize } : DEFAULT_FONT_SIZE } ], text: { fontSize: { signal: 'fontSize.text' } }, style: { 'guide-label': { fontSize: { signal: 'fontSize.guideLabel' } }, 'guide-title': { fontSize: { signal: 'fontSize.guideTitle' } }, 'group-title': { fontSize: { signal: 'fontSize.groupTitle' } }, 'group-subtitle': { fontSize: { signal: 'fontSize.groupSubtitle' } } } }; } function fontConfig(font) { return { text: { font }, style: { 'guide-label': { font }, 'guide-title': { font }, 'group-title': { font }, 'group-subtitle': { font } } }; } function getAxisConfigInternal(axisConfig) { const props = util_keys(axisConfig || {}); const axisConfigInternal = {}; for (const prop of props) { const val = axisConfig[prop]; axisConfigInternal[prop] = isConditionalAxisValue(val) ? signalOrValueRefWithCondition(val) : signalRefOrValue(val); } return axisConfigInternal; } function getStyleConfigInternal(styleConfig) { const props = util_keys(styleConfig); const styleConfigInternal = {}; for (const prop of props) { // We need to cast to cheat a bit here since styleConfig can be either mark config or axis config styleConfigInternal[prop] = getAxisConfigInternal(styleConfig[prop]); } return styleConfigInternal; } const configPropsWithExpr = [ ...MARK_CONFIGS, ...AXIS_CONFIGS, ...HEADER_CONFIGS, 'background', 'padding', 'legend', 'lineBreak', 'scale', 'style', 'title', 'view' ]; /** * Merge specified config with default config and config for the `color` flag, * then replace all expressions with signals */ function initConfig(specifiedConfig = {}) { const { color, font, fontSize, selection, ...restConfig } = specifiedConfig; const mergedConfig = mergeConfig({}, duplicate(config_defaultConfig), font ? fontConfig(font) : {}, color ? colorSignalConfig(color) : {}, fontSize ? fontSizeSignalConfig(fontSize) : {}, restConfig || {}); // mergeConfig doesn't recurse and overrides object values. if (selection) { writeConfig(mergedConfig, 'selection', selection, true); } const outputConfig = omit(mergedConfig, configPropsWithExpr); for (const prop of ['background', 'lineBreak', 'padding']) { if (mergedConfig[prop]) { outputConfig[prop] = signalRefOrValue(mergedConfig[prop]); } } for (const markConfigType of MARK_CONFIGS) { if (mergedConfig[markConfigType]) { // FIXME: outputConfig[markConfigType] expects that types are replaced recursively but replaceExprRef only replaces one level deep outputConfig[markConfigType] = replaceExprRef(mergedConfig[markConfigType]); } } for (const axisConfigType of AXIS_CONFIGS) { if (mergedConfig[axisConfigType]) { outputConfig[axisConfigType] = getAxisConfigInternal(mergedConfig[axisConfigType]); } } for (const headerConfigType of HEADER_CONFIGS) { if (mergedConfig[headerConfigType]) { outputConfig[headerConfigType] = replaceExprRef(mergedConfig[headerConfigType]); } } if (mergedConfig.legend) { outputConfig.legend = replaceExprRef(mergedConfig.legend); } if (mergedConfig.scale) { outputConfig.scale = replaceExprRef(mergedConfig.scale); } if (mergedConfig.style) { outputConfig.style = getStyleConfigInternal(mergedConfig.style); } if (mergedConfig.title) { outputConfig.title = replaceExprRef(mergedConfig.title); } if (mergedConfig.view) { outputConfig.view = replaceExprRef(mergedConfig.view); } return outputConfig; } const MARK_STYLES = new Set(['view', ...PRIMITIVE_MARKS]); const VL_ONLY_CONFIG_PROPERTIES = [ 'color', 'fontSize', 'background', 'padding', 'facet', 'concat', 'numberFormat', 'numberFormatType', 'normalizedNumberFormat', 'normalizedNumberFormatType', 'timeFormat', 'countTitle', 'header', 'axisQuantitative', 'axisTemporal', 'axisDiscrete', 'axisPoint', 'axisXBand', 'axisXPoint', 'axisXDiscrete', 'axisXQuantitative', 'axisXTemporal', 'axisYBand', 'axisYPoint', 'axisYDiscrete', 'axisYQuantitative', 'axisYTemporal', 'scale', 'selection', 'overlay' // FIXME: Redesign and unhide this ]; const VL_ONLY_ALL_MARK_SPECIFIC_CONFIG_PROPERTY_INDEX = { view: ['continuousWidth', 'continuousHeight', 'discreteWidth', 'discreteHeight', 'step'], ...VL_ONLY_MARK_SPECIFIC_CONFIG_PROPERTY_INDEX }; function stripAndRedirectConfig(config) { config = duplicate(config); for (const prop of VL_ONLY_CONFIG_PROPERTIES) { delete config[prop]; } if (config.axis) { // delete condition axis config for (const prop in config.axis) { if (isConditionalAxisValue(config.axis[prop])) { delete config.axis[prop]; } } } if (config.legend) { for (const prop of VL_ONLY_LEGEND_CONFIG) { delete config.legend[prop]; } } // Remove Vega-Lite only generic mark config if (config.mark) { for (const prop of VL_ONLY_MARK_CONFIG_PROPERTIES) { delete config.mark[prop]; } if (config.mark.tooltip && isObject(config.mark.tooltip)) { delete config.mark.tooltip; } } if (config.params) { config.signals = (config.signals || []).concat(assembleParameterSignals(config.params)); delete config.params; } for (const markType of MARK_STYLES) { // Remove Vega-Lite-only mark config for (const prop of VL_ONLY_MARK_CONFIG_PROPERTIES) { delete config[markType][prop]; } // Remove Vega-Lite only mark-specific config const vlOnlyMarkSpecificConfigs = VL_ONLY_ALL_MARK_SPECIFIC_CONFIG_PROPERTY_INDEX[markType]; if (vlOnlyMarkSpecificConfigs) { for (const prop of vlOnlyMarkSpecificConfigs) { delete config[markType][prop]; } } // Redirect mark config to config.style so that mark config only affect its own mark type // without affecting other marks that share the same underlying Vega marks. // For example, config.rect should not affect bar marks. redirectConfigToStyleConfig(config, markType); } for (const m of getAllCompositeMarks()) { // Clean up the composite mark config as we don't need them in the output specs anymore delete config[m]; } redirectTitleConfig(config); // Remove empty config objects. for (const prop in config) { if (isObject(config[prop]) && isEmpty(config[prop])) { delete config[prop]; } } return isEmpty(config) ? undefined : config; } /** * * Redirect config.title -- so that title config do not affect header labels, * which also uses `title` directive to implement. * * For subtitle configs in config.title, keep them in config.title as header titles never have subtitles. */ function redirectTitleConfig(config) { const { titleMarkConfig, subtitleMarkConfig, subtitle } = extractTitleConfig(config.title); // set config.style if title/subtitleMarkConfig is not an empty object if (!isEmpty(titleMarkConfig)) { config.style['group-title'] = { ...config.style['group-title'], ...titleMarkConfig // config.title has higher precedence than config.style.group-title in Vega }; } if (!isEmpty(subtitleMarkConfig)) { config.style['group-subtitle'] = { ...config.style['group-subtitle'], ...subtitleMarkConfig }; } // subtitle part can stay in config.title since header titles do not use subtitle if (!isEmpty(subtitle)) { config.title = subtitle; } else { delete config.title; } } function redirectConfigToStyleConfig(config, prop, // string = composite mark toProp, compositeMarkPart) { const propConfig = compositeMarkPart ? config[prop][compositeMarkPart] : config[prop]; if (prop === 'view') { toProp = 'cell'; // View's default style is "cell" } const style = { ...propConfig, ...config.style[toProp ?? prop] }; // set config.style if it is not an empty object if (!isEmpty(style)) { config.style[toProp ?? prop] = style; } if (!compositeMarkPart) { // For composite mark, so don't delete the whole config yet as we have to do multiple redirections. delete config[prop]; } } //# sourceMappingURL=config.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/spec/layer.js function isLayerSpec(spec) { return 'layer' in spec; } //# sourceMappingURL=layer.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/spec/repeat.js function isRepeatSpec(spec) { return 'repeat' in spec; } function isLayerRepeatSpec(spec) { return !isArray(spec.repeat) && spec.repeat['layer']; } //# sourceMappingURL=repeat.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/spec/index.js //# sourceMappingURL=index.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/spec/map.js class SpecMapper { map(spec, params) { if (isFacetSpec(spec)) { return this.mapFacet(spec, params); } else if (isRepeatSpec(spec)) { return this.mapRepeat(spec, params); } else if (isHConcatSpec(spec)) { return this.mapHConcat(spec, params); } else if (isVConcatSpec(spec)) { return this.mapVConcat(spec, params); } else if (isConcatSpec(spec)) { return this.mapConcat(spec, params); } else { return this.mapLayerOrUnit(spec, params); } } mapLayerOrUnit(spec, params) { if (isLayerSpec(spec)) { return this.mapLayer(spec, params); } else if (isUnitSpec(spec)) { return this.mapUnit(spec, params); } throw new Error(invalidSpec(spec)); } mapLayer(spec, params) { return { ...spec, layer: spec.layer.map(subspec => this.mapLayerOrUnit(subspec, params)) }; } mapHConcat(spec, params) { return { ...spec, hconcat: spec.hconcat.map(subspec => this.map(subspec, params)) }; } mapVConcat(spec, params) { return { ...spec, vconcat: spec.vconcat.map(subspec => this.map(subspec, params)) }; } mapConcat(spec, params) { const { concat, ...rest } = spec; return { ...rest, concat: concat.map(subspec => this.map(subspec, params)) }; } mapFacet(spec, params) { return { // as any is required here since TS cannot infer that FO may only be FieldName or Field, but not RepeatRef ...spec, // TODO: remove "any" once we support all facet listed in https://github.com/vega/vega-lite/issues/2760 spec: this.map(spec.spec, params) }; } mapRepeat(spec, params) { return { ...spec, // as any is required here since TS cannot infer that the output type satisfies the input type spec: this.map(spec.spec, params) }; } } //# sourceMappingURL=map.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/stack.js const STACK_OFFSET_INDEX = { zero: 1, center: 1, normalize: 1 }; function isStackOffset(s) { return s in STACK_OFFSET_INDEX; } const STACKABLE_MARKS = new Set([ARC, BAR, AREA, RULE, POINT, CIRCLE, SQUARE, LINE, mark_TEXT, TICK]); const STACK_BY_DEFAULT_MARKS = new Set([BAR, AREA, ARC]); function isUnbinnedQuantitative(channelDef) { return isFieldDef(channelDef) && channelDefType(channelDef) === 'quantitative' && !channelDef.bin; } function potentialStackedChannel(encoding, x, { orient, type: mark }) { const y = x === 'x' ? 'y' : 'radius'; const isCartesian = x === 'x'; const xDef = encoding[x]; const yDef = encoding[y]; if (isFieldDef(xDef) && isFieldDef(yDef)) { if (isUnbinnedQuantitative(xDef) && isUnbinnedQuantitative(yDef)) { if (xDef.stack) { return x; } else if (yDef.stack) { return y; } const xAggregate = isFieldDef(xDef) && !!xDef.aggregate; const yAggregate = isFieldDef(yDef) && !!yDef.aggregate; // if there is no explicit stacking, only apply stack if there is only one aggregate for x or y if (xAggregate !== yAggregate) { return xAggregate ? x : y; } if (isCartesian && ['bar', 'area'].includes(mark)) { if (orient === 'vertical') { return y; } else if (orient === 'horizontal') { return x; } } } else if (isUnbinnedQuantitative(xDef)) { return x; } else if (isUnbinnedQuantitative(yDef)) { return y; } } else if (isUnbinnedQuantitative(xDef)) { return x; } else if (isUnbinnedQuantitative(yDef)) { return y; } return undefined; } function getDimensionChannel(channel) { switch (channel) { case 'x': return 'y'; case 'y': return 'x'; case 'theta': return 'radius'; case 'radius': return 'theta'; } } function stack(m, encoding) { const markDef = isMarkDef(m) ? m : { type: m }; const mark = markDef.type; // Should have stackable mark if (!STACKABLE_MARKS.has(mark)) { return null; } // Run potential stacked twice, one for Cartesian and another for Polar, // so text marks can be stacked in any of the coordinates. // Note: The logic here is not perfectly correct. If we want to support stacked dot plots where each dot is a pie chart with label, we have to change the stack logic here to separate Cartesian stacking for polar stacking. // However, since we probably never want to do that, let's just note the limitation here. const fieldChannel = potentialStackedChannel(encoding, 'x', markDef) || potentialStackedChannel(encoding, 'theta', markDef); if (!fieldChannel) { return null; } const stackedFieldDef = encoding[fieldChannel]; const stackedField = isFieldDef(stackedFieldDef) ? vgField(stackedFieldDef, {}) : undefined; const dimensionChannel = getDimensionChannel(fieldChannel); const groupbyChannels = []; const groupbyFields = new Set(); if (encoding[dimensionChannel]) { const dimensionDef = encoding[dimensionChannel]; const dimensionField = isFieldDef(dimensionDef) ? vgField(dimensionDef, {}) : undefined; if (dimensionField && dimensionField !== stackedField) { // avoid grouping by the stacked field groupbyChannels.push(dimensionChannel); groupbyFields.add(dimensionField); } const dimensionOffsetChannel = dimensionChannel === 'x' ? 'xOffset' : 'yOffset'; const dimensionOffsetDef = encoding[dimensionOffsetChannel]; const dimensionOffsetField = isFieldDef(dimensionOffsetDef) ? vgField(dimensionOffsetDef, {}) : undefined; if (dimensionOffsetField && dimensionOffsetField !== stackedField) { // avoid grouping by the stacked field groupbyChannels.push(dimensionOffsetChannel); groupbyFields.add(dimensionOffsetField); } } // If the dimension has offset, don't stack anymore // Should have grouping level of detail that is different from the dimension field const stackBy = NONPOSITION_CHANNELS.reduce((sc, channel) => { // Ignore tooltip in stackBy (https://github.com/vega/vega-lite/issues/4001) if (channel !== 'tooltip' && channelHasField(encoding, channel)) { const channelDef = encoding[channel]; for (const cDef of array(channelDef)) { const fieldDef = getFieldDef(cDef); if (fieldDef.aggregate) { continue; } // Check whether the channel's field is identical to x/y's field or if the channel is a repeat const f = vgField(fieldDef, {}); if ( // if fielddef is a repeat, just include it in the stack by !f || // otherwise, the field must be different from the groupBy fields. !groupbyFields.has(f)) { sc.push({ channel, fieldDef }); } } } return sc; }, []); // Automatically determine offset let offset; if (stackedFieldDef.stack !== undefined) { if (isBoolean(stackedFieldDef.stack)) { offset = stackedFieldDef.stack ? 'zero' : null; } else { offset = stackedFieldDef.stack; } } else if (STACK_BY_DEFAULT_MARKS.has(mark)) { offset = 'zero'; } if (!offset || !isStackOffset(offset)) { return null; } if (isAggregate(encoding) && stackBy.length === 0) { return null; } // warn when stacking non-linear if (stackedFieldDef?.scale?.type && stackedFieldDef?.scale?.type !== ScaleType.LINEAR) { if (stackedFieldDef?.stack) { log_warn(cannotStackNonLinearScale(stackedFieldDef.scale.type)); } return null; } // Check if it is a ranged mark if (isFieldOrDatumDef(encoding[getSecondaryRangeChannel(fieldChannel)])) { if (stackedFieldDef.stack !== undefined) { log_warn(cannotStackRangedMark(fieldChannel)); } return null; } // Warn if stacking non-summative aggregate if (isFieldDef(stackedFieldDef) && stackedFieldDef.aggregate && !SUM_OPS.has(stackedFieldDef.aggregate)) { log_warn(stackNonSummativeAggregate(stackedFieldDef.aggregate)); } return { groupbyChannels, groupbyFields, fieldChannel, impute: stackedFieldDef.impute === null ? false : isPathMark(mark), stackBy, offset }; } //# sourceMappingURL=stack.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/mark/init.js function initMarkdef(originalMarkDef, encoding, config) { // FIXME: markDef expects that exprRefs are replaced recursively but replaceExprRef only replaces the top level const markDef = replaceExprRef(originalMarkDef); // set orient, which can be overridden by rules as sometimes the specified orient is invalid. const specifiedOrient = getMarkPropOrConfig('orient', markDef, config); markDef.orient = orient(markDef.type, encoding, specifiedOrient); if (specifiedOrient !== undefined && specifiedOrient !== markDef.orient) { log_warn(orientOverridden(markDef.orient, specifiedOrient)); } if (markDef.type === 'bar' && markDef.orient) { const cornerRadiusEnd = getMarkPropOrConfig('cornerRadiusEnd', markDef, config); if (cornerRadiusEnd !== undefined) { const newProps = (markDef.orient === 'horizontal' && encoding.x2) || (markDef.orient === 'vertical' && encoding.y2) ? ['cornerRadius'] : BAR_CORNER_RADIUS_INDEX[markDef.orient]; for (const newProp of newProps) { markDef[newProp] = cornerRadiusEnd; } if (markDef.cornerRadiusEnd !== undefined) { delete markDef.cornerRadiusEnd; // no need to keep the original cap cornerRadius } } } // set opacity and filled if not specified in mark config const specifiedOpacity = getMarkPropOrConfig('opacity', markDef, config); if (specifiedOpacity === undefined) { markDef.opacity = opacity(markDef.type, encoding); } // set cursor, which should be pointer if href channel is present unless otherwise specified const specifiedCursor = getMarkPropOrConfig('cursor', markDef, config); if (specifiedCursor === undefined) { markDef.cursor = init_cursor(markDef, encoding, config); } return markDef; } function init_cursor(markDef, encoding, config) { if (encoding.href || markDef.href || getMarkPropOrConfig('href', markDef, config)) { return 'pointer'; } return markDef.cursor; } function opacity(mark, encoding) { if (util_contains([POINT, TICK, CIRCLE, SQUARE], mark)) { // point-based marks if (!isAggregate(encoding)) { return 0.7; } } return undefined; } function defaultFilled(markDef, config, { graticule }) { if (graticule) { return false; } const filledConfig = getMarkConfig('filled', markDef, config); const mark = markDef.type; return getFirstDefined(filledConfig, mark !== POINT && mark !== LINE && mark !== RULE); } function orient(mark, encoding, specifiedOrient) { switch (mark) { case POINT: case CIRCLE: case SQUARE: case mark_TEXT: case RECT: case IMAGE: // orient is meaningless for these marks. return undefined; } const { x, y, x2, y2 } = encoding; switch (mark) { case BAR: if (isFieldDef(x) && (isBinned(x.bin) || (isFieldDef(y) && y.aggregate && !x.aggregate))) { return 'vertical'; } if (isFieldDef(y) && (isBinned(y.bin) || (isFieldDef(x) && x.aggregate && !y.aggregate))) { return 'horizontal'; } if (y2 || x2) { // Ranged bar does not always have clear orientation, so we allow overriding if (specifiedOrient) { return specifiedOrient; } // If y is range and x is non-range, non-bin Q if (!x2) { if ((isFieldDef(x) && x.type === QUANTITATIVE && !isBinning(x.bin)) || isNumericDataDef(x)) { if (isFieldDef(y) && isBinned(y.bin)) { return 'horizontal'; } } return 'vertical'; } // If x is range and y is non-range, non-bin Q if (!y2) { if ((isFieldDef(y) && y.type === QUANTITATIVE && !isBinning(y.bin)) || isNumericDataDef(y)) { if (isFieldDef(x) && isBinned(x.bin)) { return 'vertical'; } } return 'horizontal'; } } // falls through case RULE: // return undefined for line segment rule and bar with both axis ranged // we have to ignore the case that the data are already binned if (x2 && !(isFieldDef(x) && isBinned(x.bin)) && y2 && !(isFieldDef(y) && isBinned(y.bin))) { return undefined; } // falls through case AREA: // If there are range for both x and y, y (vertical) has higher precedence. if (y2) { if (isFieldDef(y) && isBinned(y.bin)) { return 'horizontal'; } else { return 'vertical'; } } else if (x2) { if (isFieldDef(x) && isBinned(x.bin)) { return 'vertical'; } else { return 'horizontal'; } } else if (mark === RULE) { if (x && !y) { return 'vertical'; } else if (y && !x) { return 'horizontal'; } } // falls through case LINE: case TICK: { const xIsMeasure = isUnbinnedQuantitativeFieldOrDatumDef(x); const yIsMeasure = isUnbinnedQuantitativeFieldOrDatumDef(y); if (specifiedOrient) { return specifiedOrient; } else if (xIsMeasure && !yIsMeasure) { // Tick is opposite to bar, line, area return mark !== 'tick' ? 'horizontal' : 'vertical'; } else if (!xIsMeasure && yIsMeasure) { // Tick is opposite to bar, line, area return mark !== 'tick' ? 'vertical' : 'horizontal'; } else if (xIsMeasure && yIsMeasure) { return 'vertical'; } else { const xIsTemporal = isTypedFieldDef(x) && x.type === TEMPORAL; const yIsTemporal = isTypedFieldDef(y) && y.type === TEMPORAL; // x: T, y: N --> vertical tick if (xIsTemporal && !yIsTemporal) { return 'vertical'; } else if (!xIsTemporal && yIsTemporal) { return 'horizontal'; } } return undefined; } } return 'vertical'; } //# sourceMappingURL=init.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/normalize/pathoverlay.js function dropLineAndPoint(markDef) { const { point: _point, line: _line, ...mark } = markDef; return util_keys(mark).length > 1 ? mark : mark.type; } function dropLineAndPointFromConfig(config) { for (const mark of ['line', 'area', 'rule', 'trail']) { if (config[mark]) { config = { ...config, // TODO: remove as any [mark]: omit(config[mark], ['point', 'line']) }; } } return config; } function getPointOverlay(markDef, markConfig = {}, encoding) { if (markDef.point === 'transparent') { return { opacity: 0 }; } else if (markDef.point) { // truthy : true or object return isObject(markDef.point) ? markDef.point : {}; } else if (markDef.point !== undefined) { // false or null return null; } else { // undefined (not disabled) if (markConfig.point || encoding.shape) { // enable point overlay if config[mark].point is truthy or if encoding.shape is provided return isObject(markConfig.point) ? markConfig.point : {}; } // markDef.point is defined as falsy return undefined; } } function getLineOverlay(markDef, markConfig = {}) { if (markDef.line) { // true or object return markDef.line === true ? {} : markDef.line; } else if (markDef.line !== undefined) { // false or null return null; } else { // undefined (not disabled) if (markConfig.line) { // enable line overlay if config[mark].line is truthy return markConfig.line === true ? {} : markConfig.line; } // markDef.point is defined as falsy return undefined; } } class PathOverlayNormalizer { constructor() { this.name = 'path-overlay'; } hasMatchingType(spec, config) { if (isUnitSpec(spec)) { const { mark, encoding } = spec; const markDef = isMarkDef(mark) ? mark : { type: mark }; switch (markDef.type) { case 'line': case 'rule': case 'trail': return !!getPointOverlay(markDef, config[markDef.type], encoding); case 'area': return ( // false / null are also included as we want to remove the properties !!getPointOverlay(markDef, config[markDef.type], encoding) || !!getLineOverlay(markDef, config[markDef.type])); } } return false; } run(spec, normParams, normalize) { const { config } = normParams; const { params, projection, mark, name, encoding: e, ...outerSpec } = spec; // Need to call normalizeEncoding because we need the inferred types to correctly determine stack const encoding = normalizeEncoding(e, config); const markDef = isMarkDef(mark) ? mark : { type: mark }; const pointOverlay = getPointOverlay(markDef, config[markDef.type], encoding); const lineOverlay = markDef.type === 'area' && getLineOverlay(markDef, config[markDef.type]); const layer = [ { name, ...(params ? { params } : {}), mark: dropLineAndPoint({ // TODO: extract this 0.7 to be shared with default opacity for point/tick/... ...(markDef.type === 'area' && markDef.opacity === undefined && markDef.fillOpacity === undefined ? { opacity: 0.7 } : {}), ...markDef }), // drop shape from encoding as this might be used to trigger point overlay encoding: omit(encoding, ['shape']) } ]; // FIXME: determine rules for applying selections. // Need to copy stack config to overlayed layer // FIXME: normalizer shouldn't call `initMarkdef`, a method from an init phase. const stackProps = stack(initMarkdef(markDef, encoding, config), encoding); let overlayEncoding = encoding; if (stackProps) { const { fieldChannel: stackFieldChannel, offset } = stackProps; overlayEncoding = { ...encoding, [stackFieldChannel]: { ...encoding[stackFieldChannel], ...(offset ? { stack: offset } : {}) } }; } // overlay line layer should be on the edge of area but passing y2/x2 makes // it as "rule" mark so that it draws unwanted vertical/horizontal lines. // point overlay also should not have y2/x2 as it does not support. overlayEncoding = omit(overlayEncoding, ['y2', 'x2']); if (lineOverlay) { layer.push({ ...(projection ? { projection } : {}), mark: { type: 'line', ...util_pick(markDef, ['clip', 'interpolate', 'tension', 'tooltip']), ...lineOverlay }, encoding: overlayEncoding }); } if (pointOverlay) { layer.push({ ...(projection ? { projection } : {}), mark: { type: 'point', opacity: 1, filled: true, ...util_pick(markDef, ['clip', 'tooltip']), ...pointOverlay }, encoding: overlayEncoding }); } return normalize({ ...outerSpec, layer }, { ...normParams, config: dropLineAndPointFromConfig(config) }); } } //# sourceMappingURL=pathoverlay.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/normalize/repeater.js function replaceRepeaterInFacet(facet, repeater) { if (!repeater) { return facet; } if (isFacetMapping(facet)) { return replaceRepeaterInMapping(facet, repeater); } return replaceRepeaterInFieldDef(facet, repeater); } function replaceRepeaterInEncoding(encoding, repeater) { if (!repeater) { return encoding; } return replaceRepeaterInMapping(encoding, repeater); } /** * Replaces repeated value and returns if the repeated value is valid. */ function replaceRepeatInProp(prop, o, repeater) { const val = o[prop]; if (isRepeatRef(val)) { if (val.repeat in repeater) { return { ...o, [prop]: repeater[val.repeat] }; } else { log_warn(noSuchRepeatedValue(val.repeat)); return undefined; } } return o; } /** * Replace repeater values in a field def with the concrete field name. */ function replaceRepeaterInFieldDef(fieldDef, repeater) { fieldDef = replaceRepeatInProp('field', fieldDef, repeater); if (fieldDef === undefined) { // the field def should be ignored return undefined; } else if (fieldDef === null) { return null; } if (isSortableFieldDef(fieldDef) && isSortField(fieldDef.sort)) { const sort = replaceRepeatInProp('field', fieldDef.sort, repeater); fieldDef = { ...fieldDef, ...(sort ? { sort } : {}) }; } return fieldDef; } function replaceRepeaterInFieldOrDatumDef(def, repeater) { if (isFieldDef(def)) { return replaceRepeaterInFieldDef(def, repeater); } else { const datumDef = replaceRepeatInProp('datum', def, repeater); if (datumDef !== def && !datumDef.type) { datumDef.type = 'nominal'; } return datumDef; } } function replaceRepeaterInChannelDef(channelDef, repeater) { if (isFieldOrDatumDef(channelDef)) { const fd = replaceRepeaterInFieldOrDatumDef(channelDef, repeater); if (fd) { return fd; } else if (isConditionalDef(channelDef)) { return { condition: channelDef.condition }; } } else { if (hasConditionalFieldOrDatumDef(channelDef)) { const fd = replaceRepeaterInFieldOrDatumDef(channelDef.condition, repeater); if (fd) { return { ...channelDef, condition: fd }; } else { const { condition, ...channelDefWithoutCondition } = channelDef; return channelDefWithoutCondition; } } return channelDef; } return undefined; } function replaceRepeaterInMapping(mapping, repeater) { const out = {}; for (const channel in mapping) { if (has(mapping, channel)) { const channelDef = mapping[channel]; if (isArray(channelDef)) { // array cannot have condition out[channel] = channelDef // somehow we need to cast it here .map(cd => replaceRepeaterInChannelDef(cd, repeater)) .filter(cd => cd); } else { const cd = replaceRepeaterInChannelDef(channelDef, repeater); if (cd !== undefined) { out[channel] = cd; } } } } return out; } //# sourceMappingURL=repeater.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/normalize/ruleforrangedline.js class RuleForRangedLineNormalizer { constructor() { this.name = 'RuleForRangedLine'; } hasMatchingType(spec) { if (isUnitSpec(spec)) { const { encoding, mark } = spec; if (mark === 'line' || (isMarkDef(mark) && mark.type === 'line')) { for (const channel of SECONDARY_RANGE_CHANNEL) { const mainChannel = getMainRangeChannel(channel); const mainChannelDef = encoding[mainChannel]; if (encoding[channel]) { if ((isFieldDef(mainChannelDef) && !isBinned(mainChannelDef.bin)) || isDatumDef(mainChannelDef)) { return true; } } } } } return false; } run(spec, params, normalize) { const { encoding, mark } = spec; log_warn(lineWithRange(!!encoding.x2, !!encoding.y2)); return normalize({ ...spec, mark: isObject(mark) ? { ...mark, type: 'rule' } : 'rule' }, params); } } //# sourceMappingURL=ruleforrangedline.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/normalize/core.js class CoreNormalizer extends SpecMapper { constructor() { super(...arguments); this.nonFacetUnitNormalizers = [ boxPlotNormalizer, errorBarNormalizer, errorBandNormalizer, new PathOverlayNormalizer(), new RuleForRangedLineNormalizer() ]; } map(spec, params) { // Special handling for a faceted unit spec as it can return a facet spec, not just a layer or unit spec like a normal unit spec. if (isUnitSpec(spec)) { const hasRow = channelHasField(spec.encoding, ROW); const hasColumn = channelHasField(spec.encoding, COLUMN); const hasFacet = channelHasField(spec.encoding, FACET); if (hasRow || hasColumn || hasFacet) { return this.mapFacetedUnit(spec, params); } } return super.map(spec, params); } // This is for normalizing non-facet unit mapUnit(spec, params) { const { parentEncoding, parentProjection } = params; const encoding = replaceRepeaterInEncoding(spec.encoding, params.repeater); const specWithReplacedEncoding = { ...spec, ...(spec.name ? { name: [params.repeaterPrefix, spec.name].filter(n => n).join('_') } : {}), ...(encoding ? { encoding } : {}) }; if (parentEncoding || parentProjection) { return this.mapUnitWithParentEncodingOrProjection(specWithReplacedEncoding, params); } const normalizeLayerOrUnit = this.mapLayerOrUnit.bind(this); for (const unitNormalizer of this.nonFacetUnitNormalizers) { if (unitNormalizer.hasMatchingType(specWithReplacedEncoding, params.config)) { return unitNormalizer.run(specWithReplacedEncoding, params, normalizeLayerOrUnit); } } return specWithReplacedEncoding; } mapRepeat(spec, params) { if (isLayerRepeatSpec(spec)) { return this.mapLayerRepeat(spec, params); } else { return this.mapNonLayerRepeat(spec, params); } } mapLayerRepeat(spec, params) { const { repeat, spec: childSpec, ...rest } = spec; const { row, column, layer } = repeat; const { repeater = {}, repeaterPrefix = '' } = params; if (row || column) { return this.mapRepeat({ ...spec, repeat: { ...(row ? { row } : {}), ...(column ? { column } : {}) }, spec: { repeat: { layer }, spec: childSpec } }, params); } else { return { ...rest, layer: layer.map(layerValue => { const childRepeater = { ...repeater, layer: layerValue }; const childName = `${(childSpec.name ? `${childSpec.name}_` : '') + repeaterPrefix}child__layer_${varName(layerValue)}`; const child = this.mapLayerOrUnit(childSpec, { ...params, repeater: childRepeater, repeaterPrefix: childName }); child.name = childName; return child; }) }; } } mapNonLayerRepeat(spec, params) { const { repeat, spec: childSpec, data, ...remainingProperties } = spec; if (!isArray(repeat) && spec.columns) { // is repeat with row/column spec = omit(spec, ['columns']); log_warn(columnsNotSupportByRowCol('repeat')); } const concat = []; const { repeater = {}, repeaterPrefix = '' } = params; const row = (!isArray(repeat) && repeat.row) || [repeater ? repeater.row : null]; const column = (!isArray(repeat) && repeat.column) || [repeater ? repeater.column : null]; const repeatValues = (isArray(repeat) && repeat) || [repeater ? repeater.repeat : null]; // cross product for (const repeatValue of repeatValues) { for (const rowValue of row) { for (const columnValue of column) { const childRepeater = { repeat: repeatValue, row: rowValue, column: columnValue, layer: repeater.layer }; const childName = (childSpec.name ? `${childSpec.name}_` : '') + repeaterPrefix + 'child__' + (isArray(repeat) ? `${varName(repeatValue)}` : (repeat.row ? `row_${varName(rowValue)}` : '') + (repeat.column ? `column_${varName(columnValue)}` : '')); const child = this.map(childSpec, { ...params, repeater: childRepeater, repeaterPrefix: childName }); child.name = childName; // we move data up concat.push(omit(child, ['data'])); } } } const columns = isArray(repeat) ? spec.columns : repeat.column ? repeat.column.length : 1; return { data: childSpec.data ?? data, align: 'all', ...remainingProperties, columns, concat }; } mapFacet(spec, params) { const { facet } = spec; if (isFacetMapping(facet) && spec.columns) { // is facet with row/column spec = omit(spec, ['columns']); log_warn(columnsNotSupportByRowCol('facet')); } return super.mapFacet(spec, params); } mapUnitWithParentEncodingOrProjection(spec, params) { const { encoding, projection } = spec; const { parentEncoding, parentProjection, config } = params; const mergedProjection = mergeProjection({ parentProjection, projection }); const mergedEncoding = mergeEncoding({ parentEncoding, encoding: replaceRepeaterInEncoding(encoding, params.repeater) }); return this.mapUnit({ ...spec, ...(mergedProjection ? { projection: mergedProjection } : {}), ...(mergedEncoding ? { encoding: mergedEncoding } : {}) }, { config }); } mapFacetedUnit(spec, normParams) { // New encoding in the inside spec should not contain row / column // as row/column should be moved to facet const { row, column, facet, ...encoding } = spec.encoding; // Mark and encoding should be moved into the inner spec const { mark, width, projection, height, view, params, encoding: _, ...outerSpec } = spec; const { facetMapping, layout } = this.getFacetMappingAndLayout({ row, column, facet }, normParams); const newEncoding = replaceRepeaterInEncoding(encoding, normParams.repeater); return this.mapFacet({ ...outerSpec, ...layout, // row / column has higher precedence than facet facet: facetMapping, spec: { ...(width ? { width } : {}), ...(height ? { height } : {}), ...(view ? { view } : {}), ...(projection ? { projection } : {}), mark, encoding: newEncoding, ...(params ? { params } : {}) } }, normParams); } getFacetMappingAndLayout(facets, params) { const { row, column, facet } = facets; if (row || column) { if (facet) { log_warn(facetChannelDropped([...(row ? [ROW] : []), ...(column ? [COLUMN] : [])])); } const facetMapping = {}; const layout = {}; for (const channel of [ROW, COLUMN]) { const def = facets[channel]; if (def) { const { align, center, spacing, columns, ...defWithoutLayout } = def; facetMapping[channel] = defWithoutLayout; for (const prop of ['align', 'center', 'spacing']) { if (def[prop] !== undefined) { layout[prop] ?? (layout[prop] = {}); layout[prop][channel] = def[prop]; } } } } return { facetMapping, layout }; } else { const { align, center, spacing, columns, ...facetMapping } = facet; return { facetMapping: replaceRepeaterInFacet(facetMapping, params.repeater), layout: { ...(align ? { align } : {}), ...(center ? { center } : {}), ...(spacing ? { spacing } : {}), ...(columns ? { columns } : {}) } }; } } mapLayer(spec, { parentEncoding, parentProjection, ...otherParams }) { // Special handling for extended layer spec const { encoding, projection, ...rest } = spec; const params = { ...otherParams, parentEncoding: mergeEncoding({ parentEncoding, encoding, layer: true }), parentProjection: mergeProjection({ parentProjection, projection }) }; return super.mapLayer({ ...rest, ...(spec.name ? { name: [params.repeaterPrefix, spec.name].filter(n => n).join('_') } : {}) }, params); } } function mergeEncoding({ parentEncoding, encoding = {}, layer }) { let merged = {}; if (parentEncoding) { const channels = new Set([...util_keys(parentEncoding), ...util_keys(encoding)]); for (const channel of channels) { const channelDef = encoding[channel]; const parentChannelDef = parentEncoding[channel]; if (isFieldOrDatumDef(channelDef)) { // Field/Datum Def can inherit properties from its parent // Note that parentChannelDef doesn't have to be a field/datum def if the channelDef is already one. const mergedChannelDef = { ...parentChannelDef, ...channelDef }; merged[channel] = mergedChannelDef; } else if (hasConditionalFieldOrDatumDef(channelDef)) { merged[channel] = { ...channelDef, condition: { ...parentChannelDef, ...channelDef.condition } }; } else if (channelDef || channelDef === null) { merged[channel] = channelDef; } else if (layer || isValueDef(parentChannelDef) || isSignalRef(parentChannelDef) || isFieldOrDatumDef(parentChannelDef) || isArray(parentChannelDef)) { merged[channel] = parentChannelDef; } } } else { merged = encoding; } return !merged || isEmpty(merged) ? undefined : merged; } function mergeProjection(opt) { const { parentProjection, projection } = opt; if (parentProjection && projection) { log_warn(projectionOverridden({ parentProjection, projection })); } return projection ?? parentProjection; } //# sourceMappingURL=core.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/transform.js function isFilter(t) { return 'filter' in t; } function isImputeSequence(t) { return t?.['stop'] !== undefined; } function isLookup(t) { return 'lookup' in t; } function isLookupData(from) { return 'data' in from; } function isLookupSelection(from) { return 'param' in from; } function isPivot(t) { return 'pivot' in t; } function isDensity(t) { return 'density' in t; } function transform_isQuantile(t) { return 'quantile' in t; } function isRegression(t) { return 'regression' in t; } function isLoess(t) { return 'loess' in t; } function isSample(t) { return 'sample' in t; } function isWindow(t) { return 'window' in t; } function isJoinAggregate(t) { return 'joinaggregate' in t; } function isFlatten(t) { return 'flatten' in t; } function isCalculate(t) { return 'calculate' in t; } function isBin(t) { return 'bin' in t; } function isImpute(t) { return 'impute' in t; } function isTimeUnit(t) { return 'timeUnit' in t; } function transform_isAggregate(t) { return 'aggregate' in t; } function isStack(t) { return 'stack' in t; } function isFold(t) { return 'fold' in t; } function isExtent(t) { return 'extent' in t && !('density' in t); } function normalizeTransform(transform) { return transform.map(t => { if (isFilter(t)) { return { filter: normalizeLogicalComposition(t.filter, normalizePredicate) }; } return t; }); } //# sourceMappingURL=transform.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/normalize/selectioncompat.js class SelectionCompatibilityNormalizer extends SpecMapper { map(spec, normParams) { normParams.emptySelections ?? (normParams.emptySelections = {}); normParams.selectionPredicates ?? (normParams.selectionPredicates = {}); spec = normalizeTransforms(spec, normParams); return super.map(spec, normParams); } mapLayerOrUnit(spec, normParams) { spec = normalizeTransforms(spec, normParams); if (spec.encoding) { const encoding = {}; for (const [channel, enc] of entries(spec.encoding)) { encoding[channel] = normalizeChannelDef(enc, normParams); } spec = { ...spec, encoding }; } return super.mapLayerOrUnit(spec, normParams); } mapUnit(spec, normParams) { const { selection, ...rest } = spec; if (selection) { return { ...rest, params: entries(selection).map(([name, selDef]) => { const { init: value, bind, empty, ...select } = selDef; if (select.type === 'single') { select.type = 'point'; select.toggle = false; } else if (select.type === 'multi') { select.type = 'point'; } // Propagate emptiness forwards and backwards normParams.emptySelections[name] = empty !== 'none'; for (const pred of vals(normParams.selectionPredicates[name] ?? {})) { pred.empty = empty !== 'none'; } return { name, value, select, bind }; }) }; } return spec; } } function normalizeTransforms(spec, normParams) { const { transform: tx, ...rest } = spec; if (tx) { const transform = tx.map((t) => { if (isFilter(t)) { return { filter: selectioncompat_normalizePredicate(t, normParams) }; } else if (isBin(t) && isBinParams(t.bin)) { return { ...t, bin: normalizeBinExtent(t.bin) }; } else if (isLookup(t)) { const { selection: param, ...from } = t.from; return param ? { ...t, from: { param, ...from } } : t; } return t; }); return { ...rest, transform }; } return spec; } function normalizeChannelDef(obj, normParams) { const enc = duplicate(obj); if (isFieldDef(enc) && isBinParams(enc.bin)) { enc.bin = normalizeBinExtent(enc.bin); } if (isScaleFieldDef(enc) && enc.scale?.domain?.selection) { const { selection: param, ...domain } = enc.scale.domain; enc.scale.domain = { ...domain, ...(param ? { param } : {}) }; } if (isConditionalDef(enc)) { if (isArray(enc.condition)) { enc.condition = enc.condition.map((c) => { const { selection, param, test, ...cond } = c; return param ? c : { ...cond, test: selectioncompat_normalizePredicate(c, normParams) }; }); } else { const { selection, param, test, ...cond } = normalizeChannelDef(enc.condition, normParams); enc.condition = param ? enc.condition : { ...cond, test: selectioncompat_normalizePredicate(enc.condition, normParams) }; } } return enc; } function normalizeBinExtent(bin) { const ext = bin.extent; if (ext?.selection) { const { selection: param, ...rest } = ext; return { ...bin, extent: { ...rest, param } }; } return bin; } function selectioncompat_normalizePredicate(op, normParams) { // Normalize old compositions of selection names (e.g., selection: {and: ["one", "two"]}) const normalizeSelectionComposition = (o) => { return normalizeLogicalComposition(o, param => { var _a; const empty = normParams.emptySelections[param] ?? true; const pred = { param, empty }; (_a = normParams.selectionPredicates)[param] ?? (_a[param] = []); normParams.selectionPredicates[param].push(pred); return pred; }); }; return op.selection ? normalizeSelectionComposition(op.selection) : normalizeLogicalComposition(op.test || op.filter, o => o.selection ? normalizeSelectionComposition(o.selection) : o); } //# sourceMappingURL=selectioncompat.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/normalize/toplevelselection.js class TopLevelSelectionsNormalizer extends SpecMapper { map(spec, normParams) { const selections = normParams.selections ?? []; if (spec.params && !isUnitSpec(spec)) { const params = []; for (const param of spec.params) { if (isSelectionParameter(param)) { selections.push(param); } else { params.push(param); } } spec.params = params; } normParams.selections = selections; return super.map(spec, normParams); } mapUnit(spec, normParams) { const selections = normParams.selections; if (!selections || !selections.length) return spec; const path = (normParams.path ?? []).concat(spec.name); const params = []; for (const selection of selections) { // By default, apply selections to all unit views. if (!selection.views || !selection.views.length) { params.push(selection); } else { for (const view of selection.views) { // view is either a specific unit name, or a partial path through the spec tree. if ((vega_util_module_isString(view) && (view === spec.name || path.includes(view))) || (isArray(view) && // logic for backwards compatibility with view paths before we had unique names // @ts-ignore view.map(v => path.indexOf(v)).every((v, i, arr) => v !== -1 && (i === 0 || v > arr[i - 1])))) { params.push(selection); } } } } if (params.length) spec.params = params; return spec; } } for (const method of ['mapFacet', 'mapRepeat', 'mapHConcat', 'mapVConcat', 'mapLayer']) { const proto = TopLevelSelectionsNormalizer.prototype[method]; TopLevelSelectionsNormalizer.prototype[method] = function (spec, params) { return proto.call(this, spec, addSpecNameToParams(spec, params)); }; } function addSpecNameToParams(spec, params) { return spec.name ? { ...params, path: (params.path ?? []).concat(spec.name) } : params; } //# sourceMappingURL=toplevelselection.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/normalize/index.js function normalize_normalize(spec, config) { if (config === undefined) { config = initConfig(spec.config); } const normalizedSpec = normalizeGenericSpec(spec, config); const { width, height } = spec; const autosize = normalizeAutoSize(normalizedSpec, { width, height, autosize: spec.autosize }, config); return { ...normalizedSpec, ...(autosize ? { autosize } : {}) }; } const coreNormalizer = new CoreNormalizer(); const selectionCompatNormalizer = new SelectionCompatibilityNormalizer(); const topLevelSelectionNormalizer = new TopLevelSelectionsNormalizer(); /** * Decompose extended unit specs into composition of pure unit specs. * And push top-level selection definitions down to unit specs. */ function normalizeGenericSpec(spec, config = {}) { const normParams = { config }; return topLevelSelectionNormalizer.map(coreNormalizer.map(selectionCompatNormalizer.map(spec, normParams), normParams), normParams); } function _normalizeAutoSize(autosize) { return vega_util_module_isString(autosize) ? { type: autosize } : autosize ?? {}; } /** * Normalize autosize and deal with width or height == "container". */ function normalizeAutoSize(spec, sizeInfo, config) { let { width, height } = sizeInfo; const isFitCompatible = isUnitSpec(spec) || isLayerSpec(spec); const autosizeDefault = {}; if (!isFitCompatible) { // If spec is not compatible with autosize == "fit", discard width/height == container if (width == 'container') { log_warn(containerSizeNonSingle('width')); width = undefined; } if (height == 'container') { log_warn(containerSizeNonSingle('height')); height = undefined; } } else { // Default autosize parameters to fit when width/height is "container" if (width == 'container' && height == 'container') { autosizeDefault.type = 'fit'; autosizeDefault.contains = 'padding'; } else if (width == 'container') { autosizeDefault.type = 'fit-x'; autosizeDefault.contains = 'padding'; } else if (height == 'container') { autosizeDefault.type = 'fit-y'; autosizeDefault.contains = 'padding'; } } const autosize = { type: 'pad', ...autosizeDefault, ...(config ? _normalizeAutoSize(config.autosize) : {}), ..._normalizeAutoSize(spec.autosize) }; if (autosize.type === 'fit' && !isFitCompatible) { log_warn(FIT_NON_SINGLE); autosize.type = 'pad'; } if (width == 'container' && !(autosize.type == 'fit' || autosize.type == 'fit-x')) { log_warn(containerSizeNotCompatibleWithAutosize('width')); } if (height == 'container' && !(autosize.type == 'fit' || autosize.type == 'fit-y')) { log_warn(containerSizeNotCompatibleWithAutosize('height')); } // Delete autosize property if it's Vega's default if (deepEqual(autosize, { type: 'pad' })) { return undefined; } return autosize; } //# sourceMappingURL=index.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/spec/toplevel.js function isFitType(autoSizeType) { return autoSizeType === 'fit' || autoSizeType === 'fit-x' || autoSizeType === 'fit-y'; } function getFitType(sizeType) { return sizeType ? `fit-${getPositionScaleChannel(sizeType)}` : 'fit'; } const TOP_LEVEL_PROPERTIES = [ 'background', 'padding' // We do not include "autosize" here as it is supported by only unit and layer specs and thus need to be normalized ]; function extractTopLevelProperties(t, includeParams) { const o = {}; for (const p of TOP_LEVEL_PROPERTIES) { if (t && t[p] !== undefined) { o[p] = signalRefOrValue(t[p]); } } if (includeParams) { o.params = t.params; } return o; } //# sourceMappingURL=toplevel.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/split.js /** * Generic class for storing properties that are explicitly specified * and implicitly determined by the compiler. * This is important for scale/axis/legend merging as * we want to prioritize properties that users explicitly specified. */ // eslint-disable-next-line @typescript-eslint/ban-types class Split { constructor(explicit = {}, implicit = {}) { this.explicit = explicit; this.implicit = implicit; } clone() { return new Split(duplicate(this.explicit), duplicate(this.implicit)); } combine() { return { ...this.explicit, ...this.implicit }; } get(key) { // Explicit has higher precedence return getFirstDefined(this.explicit[key], this.implicit[key]); } getWithExplicit(key) { // Explicit has higher precedence if (this.explicit[key] !== undefined) { return { explicit: true, value: this.explicit[key] }; } else if (this.implicit[key] !== undefined) { return { explicit: false, value: this.implicit[key] }; } return { explicit: false, value: undefined }; } setWithExplicit(key, { value, explicit }) { if (value !== undefined) { this.set(key, value, explicit); } } set(key, value, explicit) { delete this[explicit ? 'implicit' : 'explicit'][key]; this[explicit ? 'explicit' : 'implicit'][key] = value; return this; } copyKeyFromSplit(key, { explicit, implicit }) { // Explicit has higher precedence if (explicit[key] !== undefined) { this.set(key, explicit[key], true); } else if (implicit[key] !== undefined) { this.set(key, implicit[key], false); } } copyKeyFromObject(key, s) { // Explicit has higher precedence if (s[key] !== undefined) { this.set(key, s[key], true); } } /** * Merge split object into this split object. Properties from the other split * overwrite properties from this split. */ copyAll(other) { for (const key of util_keys(other.combine())) { const val = other.getWithExplicit(key); this.setWithExplicit(key, val); } } } function makeExplicit(value) { return { explicit: true, value }; } function makeImplicit(value) { return { explicit: false, value }; } function tieBreakByComparing(compare) { return (v1, v2, property, propertyOf) => { const diff = compare(v1.value, v2.value); if (diff > 0) { return v1; } else if (diff < 0) { return v2; } return defaultTieBreaker(v1, v2, property, propertyOf); }; } function defaultTieBreaker(v1, v2, property, propertyOf) { if (v1.explicit && v2.explicit) { log_warn(mergeConflictingProperty(property, propertyOf, v1.value, v2.value)); } // If equal score, prefer v1. return v1; } function mergeValuesWithExplicit(v1, v2, property, propertyOf, tieBreaker = defaultTieBreaker) { if (v1 === undefined || v1.value === undefined) { // For first run return v2; } if (v1.explicit && !v2.explicit) { return v1; } else if (v2.explicit && !v1.explicit) { return v2; } else if (deepEqual(v1.value, v2.value)) { return v1; } else { return tieBreaker(v1, v2, property, propertyOf); } } //# sourceMappingURL=split.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/data/index.js /** * Class to track interesting properties (see https://15721.courses.cs.cmu.edu/spring2016/papers/graefe-ieee1995.pdf) * about how fields have been parsed or whether they have been derived in a transform. We use this to not parse the * same field again (or differently). */ class AncestorParse extends Split { constructor(explicit = {}, implicit = {}, parseNothing = false) { super(explicit, implicit); this.explicit = explicit; this.implicit = implicit; this.parseNothing = parseNothing; } clone() { const clone = super.clone(); clone.parseNothing = this.parseNothing; return clone; } } //# sourceMappingURL=index.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/data.js function isUrlData(data) { return 'url' in data; } function isInlineData(data) { return 'values' in data; } function isNamedData(data) { return 'name' in data && !isUrlData(data) && !isInlineData(data) && !isGenerator(data); } function isGenerator(data) { return data && (isSequenceGenerator(data) || isSphereGenerator(data) || isGraticuleGenerator(data)); } function isSequenceGenerator(data) { return 'sequence' in data; } function isSphereGenerator(data) { return 'sphere' in data; } function isGraticuleGenerator(data) { return 'graticule' in data; } var DataSourceType; (function (DataSourceType) { DataSourceType[DataSourceType["Raw"] = 0] = "Raw"; DataSourceType[DataSourceType["Main"] = 1] = "Main"; DataSourceType[DataSourceType["Row"] = 2] = "Row"; DataSourceType[DataSourceType["Column"] = 3] = "Column"; DataSourceType[DataSourceType["Lookup"] = 4] = "Lookup"; })(DataSourceType || (DataSourceType = {})); //# sourceMappingURL=data.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/selection/assemble.js function assembleProjection(proj) { const { signals, hasLegend, index, ...rest } = proj; rest.field = replacePathInField(rest.field); return rest; } function assembleInit(init, isExpr = true, wrap = identity) { if (isArray(init)) { const assembled = init.map(v => assembleInit(v, isExpr, wrap)); return isExpr ? `[${assembled.join(', ')}]` : assembled; } else if (isDateTime(init)) { if (isExpr) { return wrap(dateTimeToExpr(init)); } else { return wrap(dateTimeToTimestamp(init)); } } return isExpr ? wrap(stringify(init)) : init; } function assembleUnitSelectionSignals(model, signals) { for (const selCmpt of vals(model.component.selection ?? {})) { const name = selCmpt.name; let modifyExpr = `${name}${TUPLE}, ${selCmpt.resolve === 'global' ? 'true' : `{unit: ${unitName(model)}}`}`; for (const c of selectionCompilers) { if (!c.defined(selCmpt)) continue; if (c.signals) signals = c.signals(model, selCmpt, signals); if (c.modifyExpr) modifyExpr = c.modifyExpr(model, selCmpt, modifyExpr); } signals.push({ name: name + MODIFY, on: [ { events: { signal: selCmpt.name + TUPLE }, update: `modify(${$(selCmpt.name + STORE)}, ${modifyExpr})` } ] }); } return cleanupEmptyOnArray(signals); } function assembleFacetSignals(model, signals) { if (model.component.selection && util_keys(model.component.selection).length) { const name = $(model.getName('cell')); signals.unshift({ name: 'facet', value: {}, on: [ { events: eventSelector('mousemove', 'scope'), update: `isTuple(facet) ? facet : group(${name}).datum` } ] }); } return cleanupEmptyOnArray(signals); } function assembleTopLevelSignals(model, signals) { let hasSelections = false; for (const selCmpt of vals(model.component.selection ?? {})) { const name = selCmpt.name; const store = $(name + STORE); const hasSg = signals.filter(s => s.name === name); if (hasSg.length === 0) { const resolve = selCmpt.resolve === 'global' ? 'union' : selCmpt.resolve; const isPoint = selCmpt.type === 'point' ? ', true, true)' : ')'; signals.push({ name: selCmpt.name, update: `${VL_SELECTION_RESOLVE}(${store}, ${$(resolve)}${isPoint}` }); } hasSelections = true; for (const c of selectionCompilers) { if (c.defined(selCmpt) && c.topLevelSignals) { signals = c.topLevelSignals(model, selCmpt, signals); } } } if (hasSelections) { const hasUnit = signals.filter(s => s.name === 'unit'); if (hasUnit.length === 0) { signals.unshift({ name: 'unit', value: {}, on: [{ events: 'mousemove', update: 'isTuple(group()) ? group() : unit' }] }); } } return cleanupEmptyOnArray(signals); } function assembleUnitSelectionData(model, data) { const dataCopy = [...data]; const unit = unitName(model, { escape: false }); for (const selCmpt of vals(model.component.selection ?? {})) { const store = { name: selCmpt.name + STORE }; if (selCmpt.project.hasSelectionId) { store.transform = [{ type: 'collect', sort: { field: SELECTION_ID } }]; } if (selCmpt.init) { const fields = selCmpt.project.items.map(assembleProjection); store.values = selCmpt.project.hasSelectionId ? selCmpt.init.map(i => ({ unit, [SELECTION_ID]: assembleInit(i, false)[0] })) : selCmpt.init.map(i => ({ unit, fields, values: assembleInit(i, false) })); } const contains = dataCopy.filter(d => d.name === selCmpt.name + STORE); if (!contains.length) { dataCopy.push(store); } } return dataCopy; } function assembleUnitSelectionMarks(model, marks) { for (const selCmpt of vals(model.component.selection ?? {})) { for (const c of selectionCompilers) { if (c.defined(selCmpt) && c.marks) { marks = c.marks(model, selCmpt, marks); } } } return marks; } function assembleLayerSelectionMarks(model, marks) { for (const child of model.children) { if (isUnitModel(child)) { marks = assembleUnitSelectionMarks(child, marks); } } return marks; } function assembleSelectionScaleDomain(model, extent, scaleCmpt, domain) { const parsedExtent = parseSelectionExtent(model, extent.param, extent); return { signal: hasContinuousDomain(scaleCmpt.get('type')) && isArray(domain) && domain[0] > domain[1] ? `isValid(${parsedExtent}) && reverse(${parsedExtent})` : parsedExtent }; } function cleanupEmptyOnArray(signals) { return signals.map(s => { if (s.on && !s.on.length) delete s.on; return s; }); } //# sourceMappingURL=assemble.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/data/dataflow.js /** * A node in the dataflow tree. */ class DataFlowNode { constructor(parent, debugName) { this.debugName = debugName; this._children = []; this._parent = null; if (parent) { this.parent = parent; } } /** * Clone this node with a deep copy but don't clone links to children or parents. */ clone() { throw new Error('Cannot clone node'); } get parent() { return this._parent; } /** * Set the parent of the node and also add this node to the parent's children. */ set parent(parent) { this._parent = parent; if (parent) { parent.addChild(this); } } get children() { return this._children; } numChildren() { return this._children.length; } addChild(child, loc) { // do not add the same child twice if (this._children.includes(child)) { log_warn(ADD_SAME_CHILD_TWICE); return; } if (loc !== undefined) { this._children.splice(loc, 0, child); } else { this._children.push(child); } } removeChild(oldChild) { const loc = this._children.indexOf(oldChild); this._children.splice(loc, 1); return loc; } /** * Remove node from the dataflow. */ remove() { let loc = this._parent.removeChild(this); for (const child of this._children) { // do not use the set method because we want to insert at a particular location child._parent = this._parent; this._parent.addChild(child, loc++); } } /** * Insert another node as a parent of this node. */ insertAsParentOf(other) { const parent = other.parent; parent.removeChild(this); this.parent = parent; other.parent = this; } swapWithParent() { const parent = this._parent; const newParent = parent.parent; // reconnect the children for (const child of this._children) { child.parent = parent; } // remove old links this._children = []; // equivalent to removing every child link one by one parent.removeChild(this); const loc = parent.parent.removeChild(parent); // swap two nodes but maintain order in children this._parent = newParent; newParent.addChild(this, loc); parent.parent = this; } } class OutputNode extends DataFlowNode { clone() { const cloneObj = new this.constructor(); cloneObj.debugName = `clone_${this.debugName}`; cloneObj._source = this._source; cloneObj._name = `clone_${this._name}`; cloneObj.type = this.type; cloneObj.refCounts = this.refCounts; cloneObj.refCounts[cloneObj._name] = 0; return cloneObj; } /** * @param source The name of the source. Will change in assemble. * @param type The type of the output node. * @param refCounts A global ref counter map. */ constructor(parent, source, type, refCounts) { super(parent, source); this.type = type; this.refCounts = refCounts; this._source = this._name = source; if (this.refCounts && !(this._name in this.refCounts)) { this.refCounts[this._name] = 0; } } dependentFields() { return new Set(); } producedFields() { return new Set(); } hash() { if (this._hash === undefined) { this._hash = `Output ${uniqueId()}`; } return this._hash; } /** * Request the datasource name and increase the ref counter. * * During the parsing phase, this will return the simple name such as 'main' or 'raw'. * It is crucial to request the name from an output node to mark it as a required node. * If nobody ever requests the name, this datasource will not be instantiated in the assemble phase. * * In the assemble phase, this will return the correct name. */ getSource() { this.refCounts[this._name]++; return this._source; } isRequired() { return !!this.refCounts[this._name]; } setSource(source) { this._source = source; } } //# sourceMappingURL=dataflow.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/data/timeunit.js function isTimeUnitTransformComponent(timeUnitComponent) { return timeUnitComponent.as !== undefined; } function offsetAs(field) { return `${field}_end`; } class TimeUnitNode extends DataFlowNode { clone() { return new TimeUnitNode(null, duplicate(this.timeUnits)); } constructor(parent, timeUnits) { super(parent); this.timeUnits = timeUnits; } static makeFromEncoding(parent, model) { const formula = model.reduceFieldDef((timeUnitComponent, fieldDef) => { const { field, timeUnit } = fieldDef; if (timeUnit) { let component; if (isBinnedTimeUnit(timeUnit)) { // For binned time unit, only produce end if the mark is a rect-based mark (rect, bar, image, arc), which needs "range". if (isUnitModel(model)) { const { mark } = model; if (isRectBasedMark(mark) || !!fieldDef.bandPosition) { component = { timeUnit: normalizeTimeUnit(timeUnit), field }; } } } else { component = { as: vgField(fieldDef, { forAs: true }), field, timeUnit }; } if (component) { timeUnitComponent[hash(component)] = component; } } return timeUnitComponent; }, {}); if (isEmpty(formula)) { return null; } return new TimeUnitNode(parent, formula); } static makeFromTransform(parent, t) { const { timeUnit, ...other } = { ...t }; const normalizedTimeUnit = normalizeTimeUnit(timeUnit); const component = { ...other, timeUnit: normalizedTimeUnit }; return new TimeUnitNode(parent, { [hash(component)]: component }); } /** * Merge together TimeUnitNodes assigning the children of `other` to `this` * and removing `other`. */ merge(other) { this.timeUnits = { ...this.timeUnits }; // if the same hash happen twice, merge for (const key in other.timeUnits) { if (!this.timeUnits[key]) { // copy if it's not a duplicate this.timeUnits[key] = other.timeUnits[key]; } } for (const child of other.children) { other.removeChild(child); child.parent = this; } other.remove(); } /** * Remove time units coming from the other node. */ removeFormulas(fields) { const newFormula = {}; for (const [key, timeUnitComponent] of entries(this.timeUnits)) { const fieldAs = isTimeUnitTransformComponent(timeUnitComponent) ? timeUnitComponent.as : `${timeUnitComponent.field}_end`; if (!fields.has(fieldAs)) { newFormula[key] = timeUnitComponent; } } this.timeUnits = newFormula; } producedFields() { return new Set(vals(this.timeUnits).map(f => { return isTimeUnitTransformComponent(f) ? f.as : offsetAs(f.field); })); } dependentFields() { return new Set(vals(this.timeUnits).map(f => f.field)); } hash() { return `TimeUnit ${hash(this.timeUnits)}`; } assemble() { const transforms = []; for (const f of vals(this.timeUnits)) { if (isTimeUnitTransformComponent(f)) { const { field, as, timeUnit } = f; const { unit, utc, ...params } = normalizeTimeUnit(timeUnit); transforms.push({ field: replacePathInField(field), type: 'timeunit', ...(unit ? { units: getTimeUnitParts(unit) } : {}), ...(utc ? { timezone: 'utc' } : {}), ...params, as: [as, `${as}_end`] }); } else if (f) { const { field: escapedField, timeUnit } = f; // since this is a expression, we want the unescaped field name const field = escapedField.replaceAll('\\.', '.'); const smallestUnit = getSmallestTimeUnitPart(timeUnit?.unit); const { part, step } = getDateTimePartAndStep(smallestUnit, timeUnit.step); transforms.push({ type: 'formula', expr: `timeOffset('${part}', datum['${field}'], ${step})`, as: offsetAs(field) }); } } return transforms; } } //# sourceMappingURL=timeunit.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/selection/project.js const TUPLE_FIELDS = '_tuple_fields'; class SelectionProjectionComponent { constructor(...items) { this.items = items; this.hasChannel = {}; this.hasField = {}; this.hasSelectionId = false; } } const project_project = { defined: () => { return true; // This transform handles its own defaults, so always run parse. }, parse: (model, selCmpt, selDef) => { const name = selCmpt.name; const proj = (selCmpt.project ?? (selCmpt.project = new SelectionProjectionComponent())); const parsed = {}; const timeUnits = {}; const signals = new Set(); const signalName = (p, range) => { const suffix = range === 'visual' ? p.channel : p.field; let sg = varName(`${name}_${suffix}`); for (let counter = 1; signals.has(sg); counter++) { sg = varName(`${name}_${suffix}_${counter}`); } signals.add(sg); return { [range]: sg }; }; const type = selCmpt.type; const cfg = model.config.selection[type]; const init = selDef.value !== undefined ? array(selDef.value) : null; // If no explicit projection (either fields or encodings) is specified, set some defaults. // If an initial value is set, try to infer projections. let { fields, encodings } = (isObject(selDef.select) ? selDef.select : {}); if (!fields && !encodings && init) { for (const initVal of init) { // initVal may be a scalar value to smoothen varParam -> pointSelection gradient. if (!isObject(initVal)) { continue; } for (const key of util_keys(initVal)) { if (isSingleDefUnitChannel(key)) { (encodings || (encodings = [])).push(key); } else { if (type === 'interval') { log_warn(INTERVAL_INITIALIZED_WITH_POS); encodings = cfg.encodings; } else { (fields ?? (fields = [])).push(key); } } } } } // If no initial value is specified, use the default configuration. // We break this out as a separate if block (instead of an else condition) // to account for unprojected point selections that have scalar initial values if (!fields && !encodings) { encodings = cfg.encodings; if ('fields' in cfg) { fields = cfg.fields; } } for (const channel of encodings ?? []) { const fieldDef = model.fieldDef(channel); if (fieldDef) { let field = fieldDef.field; if (fieldDef.aggregate) { log_warn(cannotProjectAggregate(channel, fieldDef.aggregate)); continue; } else if (!field) { log_warn(cannotProjectOnChannelWithoutField(channel)); continue; } if (fieldDef.timeUnit && !isBinnedTimeUnit(fieldDef.timeUnit)) { field = model.vgField(channel); // Construct TimeUnitComponents which will be combined into a // TimeUnitNode. This node may need to be inserted into the // dataflow if the selection is used across views that do not // have these time units defined. const component = { timeUnit: fieldDef.timeUnit, as: field, field: fieldDef.field }; timeUnits[hash(component)] = component; } // Prevent duplicate projections on the same field. // TODO: what if the same field is bound to multiple channels (e.g., SPLOM diag). if (!parsed[field]) { // Determine whether the tuple will store enumerated or ranged values. // Interval selections store ranges for continuous scales, and enumerations otherwise. // Single/multi selections store ranges for binned fields, and enumerations otherwise. const tplType = type === 'interval' && isScaleChannel(channel) && hasContinuousDomain(model.getScaleComponent(channel).get('type')) ? 'R' : fieldDef.bin ? 'R-RE' : 'E'; const p = { field, channel, type: tplType, index: proj.items.length }; p.signals = { ...signalName(p, 'data'), ...signalName(p, 'visual') }; proj.items.push((parsed[field] = p)); proj.hasField[field] = parsed[field]; proj.hasSelectionId = proj.hasSelectionId || field === SELECTION_ID; if (isGeoPositionChannel(channel)) { p.geoChannel = channel; p.channel = getPositionChannelFromLatLong(channel); proj.hasChannel[p.channel] = parsed[field]; } else { proj.hasChannel[channel] = parsed[field]; } } } else { log_warn(cannotProjectOnChannelWithoutField(channel)); } } for (const field of fields ?? []) { if (proj.hasField[field]) continue; const p = { type: 'E', field, index: proj.items.length }; p.signals = { ...signalName(p, 'data') }; proj.items.push(p); proj.hasField[field] = p; proj.hasSelectionId = proj.hasSelectionId || field === SELECTION_ID; } if (init) { selCmpt.init = init.map((v) => { // Selections can be initialized either with a full object that maps projections to values // or scalar values to smoothen the abstraction gradient from variable params to point selections. return proj.items.map(p => isObject(v) ? (v[p.geoChannel || p.channel] !== undefined ? v[p.geoChannel || p.channel] : v[p.field]) : v); }); } if (!isEmpty(timeUnits)) { proj.timeUnit = new TimeUnitNode(null, timeUnits); } }, signals: (model, selCmpt, allSignals) => { const name = selCmpt.name + TUPLE_FIELDS; const hasSignal = allSignals.filter(s => s.name === name); return hasSignal.length > 0 || selCmpt.project.hasSelectionId ? allSignals : allSignals.concat({ name, value: selCmpt.project.items.map(assembleProjection) }); } }; /* harmony default export */ const selection_project = (project_project); //# sourceMappingURL=project.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/selection/scales.js const scaleBindings = { defined: selCmpt => { return selCmpt.type === 'interval' && selCmpt.resolve === 'global' && selCmpt.bind && selCmpt.bind === 'scales'; }, parse: (model, selCmpt) => { const bound = (selCmpt.scales = []); for (const proj of selCmpt.project.items) { const channel = proj.channel; if (!isScaleChannel(channel)) { continue; } const scale = model.getScaleComponent(channel); const scaleType = scale ? scale.get('type') : undefined; if (!scale || !hasContinuousDomain(scaleType)) { log_warn(SCALE_BINDINGS_CONTINUOUS); continue; } scale.set('selectionExtent', { param: selCmpt.name, field: proj.field }, true); bound.push(proj); } }, topLevelSignals: (model, selCmpt, signals) => { const bound = selCmpt.scales.filter(proj => signals.filter(s => s.name === proj.signals.data).length === 0); // Top-level signals are only needed for multiview displays and if this // view's top-level signals haven't already been generated. if (!model.parent || isTopLevelLayer(model) || bound.length === 0) { return signals; } // vlSelectionResolve does not account for the behavior of bound scales in // multiview displays. Each unit view adds a tuple to the store, but the // state of the selection is the unit selection most recently updated. This // state is captured by the top-level signals that we insert and "push // outer" to from within the units. We need to reassemble this state into // the top-level named signal, except no single selCmpt has a global view. const namedSg = signals.filter(s => s.name === selCmpt.name)[0]; let update = namedSg.update; if (update.indexOf(VL_SELECTION_RESOLVE) >= 0) { namedSg.update = `{${bound .map(proj => `${$(replacePathInField(proj.field))}: ${proj.signals.data}`) .join(', ')}}`; } else { for (const proj of bound) { const mapping = `${$(replacePathInField(proj.field))}: ${proj.signals.data}`; if (!update.includes(mapping)) { update = `${update.substring(0, update.length - 1)}, ${mapping}}`; } } namedSg.update = update; } return signals.concat(bound.map(proj => ({ name: proj.signals.data }))); }, signals: (model, selCmpt, signals) => { // Nested signals need only push to top-level signals with multiview displays. if (model.parent && !isTopLevelLayer(model)) { for (const proj of selCmpt.scales) { const signal = signals.filter(s => s.name === proj.signals.data)[0]; signal.push = 'outer'; delete signal.value; delete signal.update; } } return signals; } }; /* harmony default export */ const selection_scales = (scaleBindings); function scales_domain(model, channel) { const scale = $(model.scaleName(channel)); return `domain(${scale})`; } function isTopLevelLayer(model) { return model.parent && isLayerModel(model.parent) && (!model.parent.parent ?? isTopLevelLayer(model.parent.parent)); } //# sourceMappingURL=scales.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/selection/interval.js const BRUSH = '_brush'; const SCALE_TRIGGER = '_scale_trigger'; const GEO_INIT_TICK = 'geo_interval_init_tick'; // Workaround for https://github.com/vega/vega/issues/3481 const INIT = '_init'; const interval_CENTER = '_center'; const interval_interval = { defined: selCmpt => selCmpt.type === 'interval', parse: (model, selCmpt, selDef) => { var _a; if (model.hasProjection) { const def = { ...(isObject(selDef.select) ? selDef.select : {}) }; def.fields = [SELECTION_ID]; if (!def.encodings) { // Remap default x/y projection def.encodings = selDef.value ? util_keys(selDef.value) : [LONGITUDE, LATITUDE]; } selDef.select = { type: 'interval', ...def }; } if (selCmpt.translate && !selection_scales.defined(selCmpt)) { const filterExpr = `!event.item || event.item.mark.name !== ${$(selCmpt.name + BRUSH)}`; for (const evt of selCmpt.events) { if (!evt.between) { log_warn(`${evt} is not an ordered event stream for interval selections.`); continue; } const filters = array(((_a = evt.between[0]).filter ?? (_a.filter = []))); if (filters.indexOf(filterExpr) < 0) { filters.push(filterExpr); } } } }, signals: (model, selCmpt, signals) => { const name = selCmpt.name; const tupleSg = name + TUPLE; const channels = vals(selCmpt.project.hasChannel).filter(p => p.channel === channel_X || p.channel === channel_Y); const init = selCmpt.init ? selCmpt.init[0] : null; signals.push(...channels.reduce((arr, proj) => arr.concat(channelSignals(model, selCmpt, proj, init && init[proj.index])), [])); if (!model.hasProjection) { // Proxy scale reactions to ensure that an infinite loop doesn't occur // when an interval selection filter touches the scale. if (!selection_scales.defined(selCmpt)) { const triggerSg = name + SCALE_TRIGGER; const scaleTriggers = channels.map(proj => { const channel = proj.channel; const { data: dname, visual: vname } = proj.signals; const scaleName = $(model.scaleName(channel)); const scaleType = model.getScaleComponent(channel).get('type'); const toNum = hasContinuousDomain(scaleType) ? '+' : ''; return (`(!isArray(${dname}) || ` + `(${toNum}invert(${scaleName}, ${vname})[0] === ${toNum}${dname}[0] && ` + `${toNum}invert(${scaleName}, ${vname})[1] === ${toNum}${dname}[1]))`); }); if (scaleTriggers.length) { signals.push({ name: triggerSg, value: {}, on: [ { events: channels.map(proj => ({ scale: model.scaleName(proj.channel) })), update: scaleTriggers.join(' && ') + ` ? ${triggerSg} : {}` } ] }); } } // Only add an interval to the store if it has valid data extents. Data extents // are set to null if pixel extents are equal to account for intervals over // ordinal/nominal domains which, when inverted, will still produce a valid datum. const dataSignals = channels.map(proj => proj.signals.data); const update = `unit: ${unitName(model)}, fields: ${name + TUPLE_FIELDS}, values`; return signals.concat({ name: tupleSg, ...(init ? { init: `{${update}: ${assembleInit(init)}}` } : {}), ...(dataSignals.length ? { on: [ { events: [{ signal: dataSignals.join(' || ') }], update: `${dataSignals.join(' && ')} ? {${update}: [${dataSignals}]} : null` } ] } : {}) }); } else { const projection = $(model.projectionName()); const centerSg = model.projectionName() + interval_CENTER; const { x, y } = selCmpt.project.hasChannel; const xvname = x && x.signals.visual; const yvname = y && y.signals.visual; const xinit = x ? init && init[x.index] : `${centerSg}[0]`; const yinit = y ? init && init[y.index] : `${centerSg}[1]`; const sizeSg = (layout) => model.getSizeSignalRef(layout).signal; const bbox = `[` + `[${xvname ? xvname + '[0]' : '0'}, ${yvname ? yvname + '[0]' : '0'}],` + `[${xvname ? xvname + '[1]' : sizeSg('width')}, ` + `${yvname ? yvname + '[1]' : sizeSg('height')}]` + `]`; if (init) { signals.unshift({ name: name + INIT, init: `[scale(${projection}, [${x ? xinit[0] : xinit}, ${y ? yinit[0] : yinit}]), ` + `scale(${projection}, [${x ? xinit[1] : xinit}, ${y ? yinit[1] : yinit}])]` }); if (!x || !y) { // If initializing a uni-dimensional brush, use the center of the view to determine the other coord const hasCenterSg = signals.find(s => s.name === centerSg); if (!hasCenterSg) { signals.unshift({ name: centerSg, update: `invert(${projection}, [${sizeSg('width')}/2, ${sizeSg('height')}/2])` }); } } } const intersect = `intersect(${bbox}, {markname: ${$(model.getName('marks'))}}, unit.mark)`; const base = `{unit: ${unitName(model)}}`; const update = `vlSelectionTuples(${intersect}, ${base})`; const visualSignals = channels.map(proj => proj.signals.visual); return signals.concat({ name: tupleSg, on: [ { events: [ ...(visualSignals.length ? [{ signal: visualSignals.join(' || ') }] : []), ...(init ? [{ signal: GEO_INIT_TICK }] : []) ], update } ] }); } }, topLevelSignals: (model, selCmpt, signals) => { if (isUnitModel(model) && model.hasProjection && selCmpt.init) { // Workaround for https://github.com/vega/vega/issues/3481 // The scenegraph isn't populated on the first pulse. So we use a timer signal // to re-pulse the dataflow as soon as possible. We return an object to ensure // this only occurs once. const hasTick = signals.filter(s => s.name === GEO_INIT_TICK); if (!hasTick.length) { signals.unshift({ name: GEO_INIT_TICK, value: null, on: [ { events: 'timer{1}', update: `${GEO_INIT_TICK} === null ? {} : ${GEO_INIT_TICK}` } ] }); } } return signals; }, marks: (model, selCmpt, marks) => { const name = selCmpt.name; const { x, y } = selCmpt.project.hasChannel; const xvname = x?.signals.visual; const yvname = y?.signals.visual; const store = `data(${$(selCmpt.name + STORE)})`; // Do not add a brush if we're binding to scales // or we don't have a valid interval projection if (selection_scales.defined(selCmpt) || (!x && !y)) { return marks; } const update = { x: x !== undefined ? { signal: `${xvname}[0]` } : { value: 0 }, y: y !== undefined ? { signal: `${yvname}[0]` } : { value: 0 }, x2: x !== undefined ? { signal: `${xvname}[1]` } : { field: { group: 'width' } }, y2: y !== undefined ? { signal: `${yvname}[1]` } : { field: { group: 'height' } } }; // If the selection is resolved to global, only a single interval is in // the store. Wrap brush mark's encodings with a production rule to test // this based on the `unit` property. Hide the brush mark if it corresponds // to a unit different from the one in the store. if (selCmpt.resolve === 'global') { for (const key of util_keys(update)) { update[key] = [ { test: `${store}.length && ${store}[0].unit === ${unitName(model)}`, ...update[key] }, { value: 0 } ]; } } // Two brush marks ensure that fill colors and other aesthetic choices do // not interefere with the core marks, but that the brushed region can still // be interacted with (e.g., dragging it around). const { fill, fillOpacity, cursor, ...stroke } = selCmpt.mark; const vgStroke = util_keys(stroke).reduce((def, k) => { def[k] = [ { test: [x !== undefined && `${xvname}[0] !== ${xvname}[1]`, y !== undefined && `${yvname}[0] !== ${yvname}[1]`] .filter(t => t) .join(' && '), value: stroke[k] }, { value: null } ]; return def; }, {}); return [ { name: `${name + BRUSH}_bg`, type: 'rect', clip: true, encode: { enter: { fill: { value: fill }, fillOpacity: { value: fillOpacity } }, update } }, ...marks, { name: name + BRUSH, type: 'rect', clip: true, encode: { enter: { ...(cursor ? { cursor: { value: cursor } } : {}), fill: { value: 'transparent' } }, update: { ...update, ...vgStroke } } } ]; } }; /* harmony default export */ const selection_interval = (interval_interval); /** * Returns the visual and data signals for an interval selection. */ function channelSignals(model, selCmpt, proj, init) { const scaledInterval = !model.hasProjection; const channel = proj.channel; const vname = proj.signals.visual; const scaleName = $(scaledInterval ? model.scaleName(channel) : model.projectionName()); const scaled = (str) => `scale(${scaleName}, ${str})`; const size = model.getSizeSignalRef(channel === channel_X ? 'width' : 'height').signal; const coord = `${channel}(unit)`; const von = selCmpt.events.reduce((def, evt) => { return [ ...def, { events: evt.between[0], update: `[${coord}, ${coord}]` }, { events: evt, update: `[${vname}[0], clamp(${coord}, 0, ${size})]` } // Brush End ]; }, []); if (scaledInterval) { const dname = proj.signals.data; const hasScales = selection_scales.defined(selCmpt); const scale = model.getScaleComponent(channel); const scaleType = scale ? scale.get('type') : undefined; const vinit = init ? { init: assembleInit(init, true, scaled) } : { value: [] }; // React to pan/zooms of continuous scales. Non-continuous scales // (band, point) cannot be pan/zoomed and any other changes // to their domains (e.g., filtering) should clear the brushes. von.push({ events: { signal: selCmpt.name + SCALE_TRIGGER }, update: hasContinuousDomain(scaleType) ? `[${scaled(`${dname}[0]`)}, ${scaled(`${dname}[1]`)}]` : `[0, 0]` }); return hasScales ? [{ name: dname, on: [] }] : [ { name: vname, ...vinit, on: von }, { name: dname, ...(init ? { init: assembleInit(init) } : {}), on: [ { events: { signal: vname }, update: `${vname}[0] === ${vname}[1] ? null : invert(${scaleName}, ${vname})` } ] } ]; } else { const initIdx = channel === channel_X ? 0 : 1; const initSg = selCmpt.name + INIT; const vinit = init ? { init: `[${initSg}[0][${initIdx}], ${initSg}[1][${initIdx}]]` } : { value: [] }; return [{ name: vname, ...vinit, on: von }]; } } //# sourceMappingURL=interval.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/selection/point.js const point_point = { defined: selCmpt => selCmpt.type === 'point', signals: (model, selCmpt, signals) => { const name = selCmpt.name; const fieldsSg = name + TUPLE_FIELDS; const project = selCmpt.project; const datum = '(item().isVoronoi ? datum.datum : datum)'; // Only add a discrete selection to the store if a datum is present _and_ // the interaction isn't occurring on a group mark. This guards against // polluting interactive state with invalid values in faceted displays // as the group marks are also data-driven. We force the update to account // for constant null states but varying toggles (e.g., shift-click in // whitespace followed by a click in whitespace; the store should only // be cleared on the second click). const brushes = vals(model.component.selection ?? {}) .reduce((acc, cmpt) => { return cmpt.type === 'interval' ? acc.concat(cmpt.name + BRUSH) : acc; }, []) .map(b => `indexof(item().mark.name, '${b}') < 0`) .join(' && '); const test = `datum && item().mark.marktype !== 'group' && indexof(item().mark.role, 'legend') < 0${brushes ? ` && ${brushes}` : ''}`; let update = `unit: ${unitName(model)}, `; if (selCmpt.project.hasSelectionId) { update += `${SELECTION_ID}: ${datum}[${$(SELECTION_ID)}]`; } else { const values = project.items .map(p => { const fieldDef = model.fieldDef(p.channel); // Binned fields should capture extents, for a range test against the raw field. return fieldDef?.bin ? `[${datum}[${$(model.vgField(p.channel, {}))}], ` + `${datum}[${$(model.vgField(p.channel, { binSuffix: 'end' }))}]]` : `${datum}[${$(p.field)}]`; }) .join(', '); update += `fields: ${fieldsSg}, values: [${values}]`; } const events = selCmpt.events; return signals.concat([ { name: name + TUPLE, on: events ? [ { events, update: `${test} ? {${update}} : null`, force: true } ] : [] } ]); } }; /* harmony default export */ const selection_point = (point_point); //# sourceMappingURL=point.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/mark/encode/conditional.js /** * Return a mixin that includes a Vega production rule for a Vega-Lite conditional channel definition * or a simple mixin if channel def has no condition. */ function wrapCondition(model, channelDef, vgChannel, refFn) { const condition = isConditionalDef(channelDef) && channelDef.condition; const valueRef = refFn(channelDef); if (condition) { const conditions = array(condition); const vgConditions = conditions.map(c => { const conditionValueRef = refFn(c); if (isConditionalParameter(c)) { const { param, empty } = c; const test = parseSelectionPredicate(model, { param, empty }); return { test, ...conditionValueRef }; } else { const test = predicate_expression(model, c.test); // FIXME: remove casting once TS is no longer dumb about it return { test, ...conditionValueRef }; } }); return { [vgChannel]: [...vgConditions, ...(valueRef !== undefined ? [valueRef] : [])] }; } else { return valueRef !== undefined ? { [vgChannel]: valueRef } : {}; } } //# sourceMappingURL=conditional.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/mark/encode/text.js function text_text(model, channel = 'text') { const channelDef = model.encoding[channel]; return wrapCondition(model, channelDef, channel, cDef => textRef(cDef, model.config)); } function textRef(channelDef, config, expr = 'datum') { // text if (channelDef) { if (isValueDef(channelDef)) { return signalOrValueRef(channelDef.value); } if (isFieldOrDatumDef(channelDef)) { const { format, formatType } = getFormatMixins(channelDef); return formatSignalRef({ fieldOrDatumDef: channelDef, format, formatType, expr, config }); } } return undefined; } //# sourceMappingURL=text.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/mark/encode/tooltip.js function tooltip(model, opt = {}) { const { encoding, markDef, config, stack } = model; const channelDef = encoding.tooltip; if (isArray(channelDef)) { return { tooltip: tooltipRefForEncoding({ tooltip: channelDef }, stack, config, opt) }; } else { const datum = opt.reactiveGeom ? 'datum.datum' : 'datum'; return wrapCondition(model, channelDef, 'tooltip', cDef => { // use valueRef based on channelDef first const tooltipRefFromChannelDef = textRef(cDef, config, datum); if (tooltipRefFromChannelDef) { return tooltipRefFromChannelDef; } if (cDef === null) { // Allow using encoding.tooltip = null to disable tooltip return undefined; } let markTooltip = getMarkPropOrConfig('tooltip', markDef, config); if (markTooltip === true) { markTooltip = { content: 'encoding' }; } if (vega_util_module_isString(markTooltip)) { return { value: markTooltip }; } else if (isObject(markTooltip)) { // `tooltip` is `{fields: 'encodings' | 'fields'}` if (isSignalRef(markTooltip)) { return markTooltip; } else if (markTooltip.content === 'encoding') { return tooltipRefForEncoding(encoding, stack, config, opt); } else { return { signal: datum }; } } return undefined; }); } } function tooltipData(encoding, stack, config, { reactiveGeom } = {}) { const formatConfig = { ...config, ...config.tooltipFormat }; const toSkip = {}; const expr = reactiveGeom ? 'datum.datum' : 'datum'; const tuples = []; function add(fDef, channel) { const mainChannel = getMainRangeChannel(channel); const fieldDef = isTypedFieldDef(fDef) ? fDef : { ...fDef, type: encoding[mainChannel].type // for secondary field def, copy type from main channel }; const title = fieldDef.title || defaultTitle(fieldDef, formatConfig); const key = array(title).join(', ').replaceAll(/"/g, '\\"'); let value; if (isXorY(channel)) { const channel2 = channel === 'x' ? 'x2' : 'y2'; const fieldDef2 = getFieldDef(encoding[channel2]); if (isBinned(fieldDef.bin) && fieldDef2) { const startField = vgField(fieldDef, { expr }); const endField = vgField(fieldDef2, { expr }); const { format, formatType } = getFormatMixins(fieldDef); value = binFormatExpression(startField, endField, format, formatType, formatConfig); toSkip[channel2] = true; } } if ((isXorY(channel) || channel === THETA || channel === RADIUS) && stack && stack.fieldChannel === channel && stack.offset === 'normalize') { const { format, formatType } = getFormatMixins(fieldDef); value = formatSignalRef({ fieldOrDatumDef: fieldDef, format, formatType, expr, config: formatConfig, normalizeStack: true }).signal; } value ?? (value = textRef(fieldDef, formatConfig, expr).signal); tuples.push({ channel, key, value }); } forEach(encoding, (channelDef, channel) => { if (isFieldDef(channelDef)) { add(channelDef, channel); } else if (hasConditionalFieldDef(channelDef)) { add(channelDef.condition, channel); } }); const out = {}; for (const { channel, key, value } of tuples) { if (!toSkip[channel] && !out[key]) { out[key] = value; } } return out; } function tooltipRefForEncoding(encoding, stack, config, { reactiveGeom } = {}) { const data = tooltipData(encoding, stack, config, { reactiveGeom }); const keyValues = entries(data).map(([key, value]) => `"${key}": ${value}`); return keyValues.length > 0 ? { signal: `{${keyValues.join(', ')}}` } : undefined; } //# sourceMappingURL=tooltip.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/mark/encode/aria.js function aria(model) { const { markDef, config } = model; const enableAria = getMarkPropOrConfig('aria', markDef, config); // We can ignore other aria properties if ariaHidden is true. if (enableAria === false) { // getMarkGroups sets aria to false already so we don't have to set it in the encode block return {}; } return { ...(enableAria ? { aria: enableAria } : {}), ...ariaRoleDescription(model), ...description(model) }; } function ariaRoleDescription(model) { const { mark, markDef, config } = model; if (config.aria === false) { return {}; } const ariaRoleDesc = getMarkPropOrConfig('ariaRoleDescription', markDef, config); if (ariaRoleDesc != null) { return { ariaRoleDescription: { value: ariaRoleDesc } }; } return mark in VG_MARK_INDEX ? {} : { ariaRoleDescription: { value: mark } }; } function description(model) { const { encoding, markDef, config, stack } = model; const channelDef = encoding.description; if (channelDef) { return wrapCondition(model, channelDef, 'description', cDef => textRef(cDef, model.config)); } // Use default from mark def or config if defined. // Functions in encode usually just return undefined but since we are defining a default below, we need to check the default here. const descriptionValue = getMarkPropOrConfig('description', markDef, config); if (descriptionValue != null) { return { description: signalOrValueRef(descriptionValue) }; } if (config.aria === false) { return {}; } const data = tooltipData(encoding, stack, config); if (isEmpty(data)) { return undefined; } return { description: { signal: entries(data) .map(([key, value], index) => `"${index > 0 ? '; ' : ''}${key}: " + (${value})`) .join(' + ') } }; } //# sourceMappingURL=aria.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/mark/encode/nonposition.js /** * Return encode for non-positional channels with scales. (Text doesn't have scale.) */ function nonPosition(channel, model, opt = {}) { const { markDef, encoding, config } = model; const { vgChannel } = opt; let { defaultRef, defaultValue } = opt; if (defaultRef === undefined) { // prettier-ignore defaultValue ?? (defaultValue = getMarkPropOrConfig(channel, markDef, config, { vgChannel, ignoreVgConfig: true })); if (defaultValue !== undefined) { defaultRef = signalOrValueRef(defaultValue); } } const channelDef = encoding[channel]; return wrapCondition(model, channelDef, vgChannel ?? channel, cDef => { return midPoint({ channel, channelDef: cDef, markDef, config, scaleName: model.scaleName(channel), scale: model.getScaleComponent(channel), stack: null, defaultRef }); }); } //# sourceMappingURL=nonposition.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/mark/encode/color.js function color_color(model, opt = { filled: undefined }) { const { markDef, encoding, config } = model; const { type: markType } = markDef; // Allow filled to be overridden (for trail's "filled") const filled = opt.filled ?? getMarkPropOrConfig('filled', markDef, config); const transparentIfNeeded = util_contains(['bar', 'point', 'circle', 'square', 'geoshape'], markType) ? 'transparent' : undefined; const defaultFill = getMarkPropOrConfig(filled === true ? 'color' : undefined, markDef, config, { vgChannel: 'fill' }) ?? // need to add this manually as getMarkConfig normally drops config.mark[channel] if vgChannel is specified config.mark[filled === true && 'color'] ?? // If there is no fill, always fill symbols, bar, geoshape // with transparent fills https://github.com/vega/vega-lite/issues/1316 transparentIfNeeded; const defaultStroke = getMarkPropOrConfig(filled === false ? 'color' : undefined, markDef, config, { vgChannel: 'stroke' }) ?? // need to add this manually as getMarkConfig normally drops config.mark[channel] if vgChannel is specified config.mark[filled === false && 'color']; const colorVgChannel = filled ? 'fill' : 'stroke'; const fillStrokeMarkDefAndConfig = { ...(defaultFill ? { fill: signalOrValueRef(defaultFill) } : {}), ...(defaultStroke ? { stroke: signalOrValueRef(defaultStroke) } : {}) }; if (markDef.color && (filled ? markDef.fill : markDef.stroke)) { log_warn(droppingColor('property', { fill: 'fill' in markDef, stroke: 'stroke' in markDef })); } return { ...fillStrokeMarkDefAndConfig, ...nonPosition('color', model, { vgChannel: colorVgChannel, defaultValue: filled ? defaultFill : defaultStroke }), ...nonPosition('fill', model, { // if there is encoding.fill, include default fill just in case we have conditional-only fill encoding defaultValue: encoding.fill ? defaultFill : undefined }), ...nonPosition('stroke', model, { // if there is encoding.stroke, include default fill just in case we have conditional-only stroke encoding defaultValue: encoding.stroke ? defaultStroke : undefined }) }; } //# sourceMappingURL=color.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/mark/encode/zindex.js function zindex(model) { const { encoding, mark } = model; const order = encoding.order; if (!isPathMark(mark) && isValueDef(order)) { return wrapCondition(model, order, 'zindex', cd => signalOrValueRef(cd.value)); } return {}; } //# sourceMappingURL=zindex.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/mark/encode/offset.js function positionOffset({ channel: baseChannel, markDef, encoding = {}, model, bandPosition }) { const channel = `${baseChannel}Offset`; // Need to cast as the type can't be inferred automatically const defaultValue = markDef[channel]; const channelDef = encoding[channel]; if ((channel === 'xOffset' || channel === 'yOffset') && channelDef) { const ref = midPoint({ channel: channel, channelDef, markDef, config: model?.config, scaleName: model.scaleName(channel), scale: model.getScaleComponent(channel), stack: null, defaultRef: signalOrValueRef(defaultValue), bandPosition }); return { offsetType: 'encoding', offset: ref }; } const markDefOffsetValue = markDef[channel]; if (markDefOffsetValue) { return { offsetType: 'visual', offset: markDefOffsetValue }; } return {}; } //# sourceMappingURL=offset.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/mark/encode/position-point.js /** * Return encode for point (non-band) position channels. */ function pointPosition(channel, model, { defaultPos, vgChannel }) { const { encoding, markDef, config, stack } = model; const channelDef = encoding[channel]; const channel2Def = encoding[getSecondaryRangeChannel(channel)]; const scaleName = model.scaleName(channel); const scale = model.getScaleComponent(channel); const { offset, offsetType } = positionOffset({ channel, markDef, encoding, model, bandPosition: 0.5 }); // Get default position or position from mark def const defaultRef = pointPositionDefaultRef({ model, defaultPos, channel, scaleName, scale }); const valueRef = !channelDef && isXorY(channel) && (encoding.latitude || encoding.longitude) ? // use geopoint output if there are lat/long and there is no point position overriding lat/long. { field: model.getName(channel) } : positionRef({ channel, channelDef, channel2Def, markDef, config, scaleName, scale, stack, offset, defaultRef, bandPosition: offsetType === 'encoding' ? 0 : undefined }); return valueRef ? { [vgChannel || channel]: valueRef } : undefined; } // TODO: we need to find a way to refactor these so that scaleName is a part of scale // but that's complicated. For now, this is a huge step moving forward. /** * @return Vega ValueRef for normal x- or y-position without projection */ function positionRef(params) { const { channel, channelDef, scaleName, stack, offset, markDef } = params; // This isn't a part of midPoint because we use midPoint for non-position too if (isFieldOrDatumDef(channelDef) && stack && channel === stack.fieldChannel) { if (isFieldDef(channelDef)) { let bandPosition = channelDef.bandPosition; if (bandPosition === undefined && markDef.type === 'text' && (channel === 'radius' || channel === 'theta')) { // theta and radius of text mark should use bandPosition = 0.5 by default // so that labels for arc marks are centered automatically bandPosition = 0.5; } if (bandPosition !== undefined) { return interpolatedSignalRef({ scaleName, fieldOrDatumDef: channelDef, startSuffix: 'start', bandPosition, offset }); } } // x or y use stack_end so that stacked line's point mark use stack_end too. return valueRefForFieldOrDatumDef(channelDef, scaleName, { suffix: 'end' }, { offset }); } return midPointRefWithPositionInvalidTest(params); } function pointPositionDefaultRef({ model, defaultPos, channel, scaleName, scale }) { const { markDef, config } = model; return () => { const mainChannel = getMainRangeChannel(channel); const vgChannel = getVgPositionChannel(channel); const definedValueOrConfig = getMarkPropOrConfig(channel, markDef, config, { vgChannel }); if (definedValueOrConfig !== undefined) { return widthHeightValueOrSignalRef(channel, definedValueOrConfig); } switch (defaultPos) { case 'zeroOrMin': case 'zeroOrMax': if (scaleName) { const scaleType = scale.get('type'); if (util_contains([ScaleType.LOG, ScaleType.TIME, ScaleType.UTC], scaleType)) { // Log scales cannot have zero. // Zero in time scale is arbitrary, and does not affect ratio. // (Time is an interval level of measurement, not ratio). // See https://en.wikipedia.org/wiki/Level_of_measurement for more info. } else { if (scale.domainDefinitelyIncludesZero()) { return { scale: scaleName, value: 0 }; } } } if (defaultPos === 'zeroOrMin') { return mainChannel === 'y' ? { field: { group: 'height' } } : { value: 0 }; } else { // zeroOrMax switch (mainChannel) { case 'radius': // max of radius is min(width, height) / 2 return { signal: `min(${model.width.signal},${model.height.signal})/2` }; case 'theta': return { signal: '2*PI' }; case 'x': return { field: { group: 'width' } }; case 'y': return { value: 0 }; } } break; case 'mid': { const sizeRef = model[getSizeChannel(channel)]; return { ...sizeRef, mult: 0.5 }; } } // defaultPos === null return undefined; }; } //# sourceMappingURL=position-point.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/mark/encode/position-align.js const ALIGNED_X_CHANNEL = { left: 'x', center: 'xc', right: 'x2' }; const BASELINED_Y_CHANNEL = { top: 'y', middle: 'yc', bottom: 'y2' }; function vgAlignedPositionChannel(channel, markDef, config, defaultAlign = 'middle') { if (channel === 'radius' || channel === 'theta') { return getVgPositionChannel(channel); } const alignChannel = channel === 'x' ? 'align' : 'baseline'; const align = getMarkPropOrConfig(alignChannel, markDef, config); let alignExcludingSignal; if (isSignalRef(align)) { log_warn(rangeMarkAlignmentCannotBeExpression(alignChannel)); alignExcludingSignal = undefined; } else { alignExcludingSignal = align; } if (channel === 'x') { return ALIGNED_X_CHANNEL[alignExcludingSignal || (defaultAlign === 'top' ? 'left' : 'center')]; } else { return BASELINED_Y_CHANNEL[alignExcludingSignal || defaultAlign]; } } //# sourceMappingURL=position-align.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/mark/encode/position-range.js /** * Utility for area/rule position, which can be either point or range. * (One of the axes should be point and the other should be range.) */ function pointOrRangePosition(channel, model, { defaultPos, defaultPos2, range }) { if (range) { return rangePosition(channel, model, { defaultPos, defaultPos2 }); } return pointPosition(channel, model, { defaultPos }); } function rangePosition(channel, model, { defaultPos, defaultPos2 }) { const { markDef, config } = model; const channel2 = getSecondaryRangeChannel(channel); const sizeChannel = getSizeChannel(channel); const pos2Mixins = pointPosition2OrSize(model, defaultPos2, channel2); const vgChannel = pos2Mixins[sizeChannel] ? // If there is width/height, we need to position the marks based on the alignment. vgAlignedPositionChannel(channel, markDef, config) : // Otherwise, make sure to apply to the right Vg Channel (for arc mark) getVgPositionChannel(channel); return { ...pointPosition(channel, model, { defaultPos, vgChannel }), ...pos2Mixins }; } /** * Return encode for x2, y2. * If channel is not specified, return one channel based on orientation. */ function pointPosition2OrSize(model, defaultPos, channel) { const { encoding, mark, markDef, stack, config } = model; const baseChannel = getMainRangeChannel(channel); const sizeChannel = getSizeChannel(channel); const vgChannel = getVgPositionChannel(channel); const channelDef = encoding[baseChannel]; const scaleName = model.scaleName(baseChannel); const scale = model.getScaleComponent(baseChannel); const { offset } = channel in encoding || channel in markDef ? positionOffset({ channel, markDef, encoding, model }) : positionOffset({ channel: baseChannel, markDef, encoding, model }); if (!channelDef && (channel === 'x2' || channel === 'y2') && (encoding.latitude || encoding.longitude)) { const vgSizeChannel = getSizeChannel(channel); const size = model.markDef[vgSizeChannel]; if (size != null) { return { [vgSizeChannel]: { value: size } }; } else { return { [vgChannel]: { field: model.getName(channel) } }; } } const valueRef = position2Ref({ channel, channelDef, channel2Def: encoding[channel], markDef, config, scaleName, scale, stack, offset, defaultRef: undefined }); if (valueRef !== undefined) { return { [vgChannel]: valueRef }; } // TODO: check width/height encoding here once we add them // no x2/y2 encoding, then try to read x2/y2 or width/height based on precedence: // markDef > config.style > mark-specific config (config[mark]) > general mark config (config.mark) return (position2orSize(channel, markDef) || position2orSize(channel, { [channel]: getMarkStyleConfig(channel, markDef, config.style), [sizeChannel]: getMarkStyleConfig(sizeChannel, markDef, config.style) }) || position2orSize(channel, config[mark]) || position2orSize(channel, config.mark) || { [vgChannel]: pointPositionDefaultRef({ model, defaultPos, channel, scaleName, scale })() }); } function position2Ref({ channel, channelDef, channel2Def, markDef, config, scaleName, scale, stack, offset, defaultRef }) { if (isFieldOrDatumDef(channelDef) && stack && // If fieldChannel is X and channel is X2 (or Y and Y2) channel.charAt(0) === stack.fieldChannel.charAt(0)) { return valueRefForFieldOrDatumDef(channelDef, scaleName, { suffix: 'start' }, { offset }); } return midPointRefWithPositionInvalidTest({ channel, channelDef: channel2Def, scaleName, scale, stack, markDef, config, offset, defaultRef }); } function position2orSize(channel, markDef) { const sizeChannel = getSizeChannel(channel); const vgChannel = getVgPositionChannel(channel); if (markDef[vgChannel] !== undefined) { return { [vgChannel]: widthHeightValueOrSignalRef(channel, markDef[vgChannel]) }; } else if (markDef[channel] !== undefined) { return { [vgChannel]: widthHeightValueOrSignalRef(channel, markDef[channel]) }; } else if (markDef[sizeChannel]) { const dimensionSize = markDef[sizeChannel]; if (isRelativeBandSize(dimensionSize)) { log_warn(relativeBandSizeNotSupported(sizeChannel)); } else { return { [sizeChannel]: widthHeightValueOrSignalRef(channel, dimensionSize) }; } } return undefined; } //# sourceMappingURL=position-range.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/mark/encode/position-rect.js function rectPosition(model, channel) { const { config, encoding, markDef } = model; const mark = markDef.type; const channel2 = getSecondaryRangeChannel(channel); const sizeChannel = getSizeChannel(channel); const channelDef = encoding[channel]; const channelDef2 = encoding[channel2]; const scale = model.getScaleComponent(channel); const scaleType = scale ? scale.get('type') : undefined; const orient = markDef.orient; const hasSizeDef = encoding[sizeChannel] ?? encoding.size ?? getMarkPropOrConfig('size', markDef, config, { vgChannel: sizeChannel }); const offsetScaleChannel = getOffsetChannel(channel); const isBarBand = mark === 'bar' && (channel === 'x' ? orient === 'vertical' : orient === 'horizontal'); // x, x2, and width -- we must specify two of these in all conditions if (isFieldDef(channelDef) && (isBinning(channelDef.bin) || isBinned(channelDef.bin) || (channelDef.timeUnit && !channelDef2)) && !(hasSizeDef && !isRelativeBandSize(hasSizeDef)) && !encoding[offsetScaleChannel] && !hasDiscreteDomain(scaleType)) { return rectBinPosition({ fieldDef: channelDef, fieldDef2: channelDef2, channel, model }); } else if (((isFieldOrDatumDef(channelDef) && hasDiscreteDomain(scaleType)) || isBarBand) && !channelDef2) { return positionAndSize(channelDef, channel, model); } else { return rangePosition(channel, model, { defaultPos: 'zeroOrMax', defaultPos2: 'zeroOrMin' }); } } function defaultSizeRef(sizeChannel, scaleName, scale, config, bandSize, hasFieldDef, mark) { if (isRelativeBandSize(bandSize)) { if (scale) { const scaleType = scale.get('type'); if (scaleType === 'band') { let bandWidth = `bandwidth('${scaleName}')`; if (bandSize.band !== 1) { bandWidth = `${bandSize.band} * ${bandWidth}`; } const minBandSize = getMarkConfig('minBandSize', { type: mark }, config); return { signal: minBandSize ? `max(${signalOrStringValue(minBandSize)}, ${bandWidth})` : bandWidth }; } else if (bandSize.band !== 1) { log_warn(cannotUseRelativeBandSizeWithNonBandScale(scaleType)); bandSize = undefined; } } else { return { mult: bandSize.band, field: { group: sizeChannel } }; } } else if (isSignalRef(bandSize)) { return bandSize; } else if (bandSize) { return { value: bandSize }; } // no valid band size if (scale) { const scaleRange = scale.get('range'); if (isVgRangeStep(scaleRange) && isNumber(scaleRange.step)) { return { value: scaleRange.step - 2 }; } } if (!hasFieldDef) { const { bandPaddingInner, barBandPaddingInner, rectBandPaddingInner } = config.scale; const padding = getFirstDefined(bandPaddingInner, mark === 'bar' ? barBandPaddingInner : rectBandPaddingInner); // this part is like paddingInner in scale.ts if (isSignalRef(padding)) { return { signal: `(1 - (${padding.signal})) * ${sizeChannel}` }; } else if (isNumber(padding)) { return { signal: `${1 - padding} * ${sizeChannel}` }; } } const defaultStep = getViewConfigDiscreteStep(config.view, sizeChannel); return { value: defaultStep - 2 }; } /** * Output position encoding and its size encoding for continuous, point, and band scales. */ function positionAndSize(fieldDef, channel, model) { const { markDef, encoding, config, stack } = model; const orient = markDef.orient; const scaleName = model.scaleName(channel); const scale = model.getScaleComponent(channel); const vgSizeChannel = getSizeChannel(channel); const channel2 = getSecondaryRangeChannel(channel); const offsetScaleChannel = getOffsetChannel(channel); const offsetScaleName = model.scaleName(offsetScaleChannel); const offsetScale = model.getScaleComponent(getOffsetScaleChannel(channel)); // use "size" channel for bars, if there is orient and the channel matches the right orientation const useVlSizeChannel = (orient === 'horizontal' && channel === 'y') || (orient === 'vertical' && channel === 'x'); // Use size encoding / mark property / config if it exists let sizeMixins; if (encoding.size || markDef.size) { if (useVlSizeChannel) { sizeMixins = nonPosition('size', model, { vgChannel: vgSizeChannel, defaultRef: signalOrValueRef(markDef.size) }); } else { log_warn(cannotApplySizeToNonOrientedMark(markDef.type)); } } const hasSizeFromMarkOrEncoding = !!sizeMixins; // Otherwise, apply default value const bandSize = getBandSize({ channel, fieldDef, markDef, config, scaleType: scale?.get('type'), useVlSizeChannel }); sizeMixins = sizeMixins || { [vgSizeChannel]: defaultSizeRef(vgSizeChannel, offsetScaleName || scaleName, offsetScale || scale, config, bandSize, !!fieldDef, markDef.type) }; /* Band scales with size value and all point scales, use xc/yc + band=0.5 Otherwise (band scales that has size based on a band ref), use x/y with position band = (1 - size_band) / 2. In this case, size_band is the band specified in the x/y-encoding. By default band is 1, so `(1 - band) / 2` = 0. If band is 0.6, the the x/y position in such case should be `(1 - band) / 2` = 0.2 */ const defaultBandAlign = scale?.get('type') === 'band' && isRelativeBandSize(bandSize) && !hasSizeFromMarkOrEncoding ? 'top' : 'middle'; const vgChannel = vgAlignedPositionChannel(channel, markDef, config, defaultBandAlign); const center = vgChannel === 'xc' || vgChannel === 'yc'; const { offset, offsetType } = positionOffset({ channel, markDef, encoding, model, bandPosition: center ? 0.5 : 0 }); const posRef = midPointRefWithPositionInvalidTest({ channel, channelDef: fieldDef, markDef, config, scaleName, scale, stack, offset, defaultRef: pointPositionDefaultRef({ model, defaultPos: 'mid', channel, scaleName, scale }), bandPosition: center ? offsetType === 'encoding' ? 0 : 0.5 : isSignalRef(bandSize) ? { signal: `(1-${bandSize})/2` } : isRelativeBandSize(bandSize) ? (1 - bandSize.band) / 2 : 0 }); if (vgSizeChannel) { return { [vgChannel]: posRef, ...sizeMixins }; } else { // otherwise, we must simulate size by setting position2 = position + size // (for theta/radius since Vega doesn't have thetaWidth/radiusWidth) const vgChannel2 = getVgPositionChannel(channel2); const sizeRef = sizeMixins[vgSizeChannel]; const sizeOffset = offset ? { ...sizeRef, offset } : sizeRef; return { [vgChannel]: posRef, // posRef might be an array that wraps position invalid test [vgChannel2]: isArray(posRef) ? [posRef[0], { ...posRef[1], offset: sizeOffset }] : { ...posRef, offset: sizeOffset } }; } } function getBinSpacing(channel, spacing, reverse, axisTranslate, offset, minBandSize, bandSizeExpr) { if (isPolarPositionChannel(channel)) { return 0; } const isEnd = channel === 'x' || channel === 'y2'; const spacingOffset = isEnd ? -spacing / 2 : spacing / 2; if (isSignalRef(reverse) || isSignalRef(offset) || isSignalRef(axisTranslate) || minBandSize) { const reverseExpr = signalOrStringValue(reverse); const offsetExpr = signalOrStringValue(offset); const axisTranslateExpr = signalOrStringValue(axisTranslate); const minBandSizeExpr = signalOrStringValue(minBandSize); const sign = isEnd ? '' : '-'; const spacingAndSizeOffset = minBandSize ? `(${bandSizeExpr} < ${minBandSizeExpr} ? ${sign}0.5 * (${minBandSizeExpr} - (${bandSizeExpr})) : ${spacingOffset})` : spacingOffset; const t = axisTranslateExpr ? `${axisTranslateExpr} + ` : ''; const r = reverseExpr ? `(${reverseExpr} ? -1 : 1) * ` : ''; const o = offsetExpr ? `(${offsetExpr} + ${spacingAndSizeOffset})` : spacingAndSizeOffset; return { signal: t + r + o }; } else { offset = offset || 0; return axisTranslate + (reverse ? -offset - spacingOffset : +offset + spacingOffset); } } function rectBinPosition({ fieldDef, fieldDef2, channel, model }) { const { config, markDef, encoding } = model; const scale = model.getScaleComponent(channel); const scaleName = model.scaleName(channel); const scaleType = scale ? scale.get('type') : undefined; const reverse = scale.get('reverse'); const bandSize = getBandSize({ channel, fieldDef, markDef, config, scaleType }); const axis = model.component.axes[channel]?.[0]; const axisTranslate = axis?.get('translate') ?? 0.5; // vega default is 0.5 const spacing = isXorY(channel) ? getMarkPropOrConfig('binSpacing', markDef, config) ?? 0 : 0; const channel2 = getSecondaryRangeChannel(channel); const vgChannel = getVgPositionChannel(channel); const vgChannel2 = getVgPositionChannel(channel2); const minBandSize = getMarkConfig('minBandSize', markDef, config); const { offset } = positionOffset({ channel, markDef, encoding, model, bandPosition: 0 }); const { offset: offset2 } = positionOffset({ channel: channel2, markDef, encoding, model, bandPosition: 0 }); const bandSizeExpr = binSizeExpr({ fieldDef, scaleName }); const binSpacingOffset = getBinSpacing(channel, spacing, reverse, axisTranslate, offset, minBandSize, bandSizeExpr); const binSpacingOffset2 = getBinSpacing(channel2, spacing, reverse, axisTranslate, offset2 ?? offset, minBandSize, bandSizeExpr); const bandPositionForBandSize = isSignalRef(bandSize) ? { signal: `(1-${bandSize.signal})/2` } : isRelativeBandSize(bandSize) ? (1 - bandSize.band) / 2 : 0.5; if (isBinning(fieldDef.bin) || fieldDef.timeUnit) { return { [vgChannel2]: rectBinRef({ fieldDef, scaleName, bandPosition: bandPositionForBandSize, offset: binSpacingOffset2 }), [vgChannel]: rectBinRef({ fieldDef, scaleName, bandPosition: isSignalRef(bandPositionForBandSize) ? { signal: `1-${bandPositionForBandSize.signal}` } : 1 - bandPositionForBandSize, offset: binSpacingOffset }) }; } else if (isBinned(fieldDef.bin)) { const startRef = valueRefForFieldOrDatumDef(fieldDef, scaleName, {}, { offset: binSpacingOffset2 }); if (isFieldDef(fieldDef2)) { return { [vgChannel2]: startRef, [vgChannel]: valueRefForFieldOrDatumDef(fieldDef2, scaleName, {}, { offset: binSpacingOffset }) }; } else if (isBinParams(fieldDef.bin) && fieldDef.bin.step) { return { [vgChannel2]: startRef, [vgChannel]: { signal: `scale("${scaleName}", ${vgField(fieldDef, { expr: 'datum' })} + ${fieldDef.bin.step})`, offset: binSpacingOffset } }; } } log_warn(channelRequiredForBinned(channel2)); return undefined; } /** * Value Ref for binned fields */ function rectBinRef({ fieldDef, scaleName, bandPosition, offset }) { return interpolatedSignalRef({ scaleName, fieldOrDatumDef: fieldDef, bandPosition, offset }); } //# sourceMappingURL=position-rect.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/mark/encode/base.js const ALWAYS_IGNORE = new Set(['aria', 'width', 'height']); function baseEncodeEntry(model, ignore) { const { fill = undefined, stroke = undefined } = ignore.color === 'include' ? color_color(model) : {}; return { ...markDefProperties(model.markDef, ignore), ...wrapAllFieldsInvalid(model, 'fill', fill), ...wrapAllFieldsInvalid(model, 'stroke', stroke), ...nonPosition('opacity', model), ...nonPosition('fillOpacity', model), ...nonPosition('strokeOpacity', model), ...nonPosition('strokeWidth', model), ...nonPosition('strokeDash', model), ...zindex(model), ...tooltip(model), ...text_text(model, 'href'), ...aria(model) }; } // TODO: mark VgValueRef[] as readonly after https://github.com/vega/vega/pull/1987 function wrapAllFieldsInvalid(model, channel, valueRef) { const { config, mark, markDef } = model; const invalid = getMarkPropOrConfig('invalid', markDef, config); if (invalid === 'hide' && valueRef && !isPathMark(mark)) { // For non-path marks, we have to exclude invalid values (null and NaN) for scales with continuous domains. // For path marks, we will use "defined" property and skip these values instead. const test = allFieldsInvalidPredicate(model, { invalid: true, channels: SCALE_CHANNELS }); if (test) { return { [channel]: [ // prepend the invalid case // TODO: support custom value { test, value: null }, ...array(valueRef) ] }; } } return valueRef ? { [channel]: valueRef } : {}; } function markDefProperties(mark, ignore) { return VG_MARK_CONFIGS.reduce((m, prop) => { if (!ALWAYS_IGNORE.has(prop) && mark[prop] !== undefined && ignore[prop] !== 'ignore') { m[prop] = signalOrValueRef(mark[prop]); } return m; }, {}); } function allFieldsInvalidPredicate(model, { invalid = false, channels }) { const filterIndex = channels.reduce((aggregator, channel) => { const scaleComponent = model.getScaleComponent(channel); if (scaleComponent) { const scaleType = scaleComponent.get('type'); const field = model.vgField(channel, { expr: 'datum' }); // While discrete domain scales can handle invalid values, continuous scales can't. if (field && hasContinuousDomain(scaleType)) { aggregator[field] = true; } } return aggregator; }, {}); const fields = util_keys(filterIndex); if (fields.length > 0) { const op = invalid ? '||' : '&&'; return fields.map(field => fieldInvalidPredicate(field, invalid)).join(` ${op} `); } return undefined; } //# sourceMappingURL=base.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/mark/encode/defined.js function defined(model) { const { config, markDef } = model; const invalid = getMarkPropOrConfig('invalid', markDef, config); if (invalid) { const signal = defined_allFieldsInvalidPredicate(model, { channels: POSITION_SCALE_CHANNELS }); if (signal) { return { defined: { signal } }; } } return {}; } function defined_allFieldsInvalidPredicate(model, { invalid = false, channels }) { const filterIndex = channels.reduce((aggregator, channel) => { const scaleComponent = model.getScaleComponent(channel); if (scaleComponent) { const scaleType = scaleComponent.get('type'); const field = model.vgField(channel, { expr: 'datum', binSuffix: model.stack?.impute ? 'mid' : undefined }); // While discrete domain scales can handle invalid values, continuous scales can't. if (field && hasContinuousDomain(scaleType)) { aggregator[field] = true; } } return aggregator; }, {}); const fields = util_keys(filterIndex); if (fields.length > 0) { const op = invalid ? '||' : '&&'; return fields.map(field => fieldInvalidPredicate(field, invalid)).join(` ${op} `); } return undefined; } function valueIfDefined(prop, value) { if (value !== undefined) { return { [prop]: signalOrValueRef(value) }; } return undefined; } //# sourceMappingURL=defined.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/mark/encode/index.js //# sourceMappingURL=index.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/selection/nearest.js const VORONOI = 'voronoi'; const nearest = { defined: selCmpt => { return selCmpt.type === 'point' && selCmpt.nearest; }, parse: (model, selCmpt) => { // Scope selection events to the voronoi mark to prevent capturing // events that occur on the group mark (https://github.com/vega/vega/issues/2112). if (selCmpt.events) { for (const s of selCmpt.events) { s.markname = model.getName(VORONOI); } } }, marks: (model, selCmpt, marks) => { const { x, y } = selCmpt.project.hasChannel; const markType = model.mark; if (isPathMark(markType)) { log_warn(nearestNotSupportForContinuous(markType)); return marks; } const cellDef = { name: model.getName(VORONOI), type: 'path', interactive: true, from: { data: model.getName('marks') }, encode: { update: { fill: { value: 'transparent' }, strokeWidth: { value: 0.35 }, stroke: { value: 'transparent' }, isVoronoi: { value: true }, ...tooltip(model, { reactiveGeom: true }) } }, transform: [ { type: 'voronoi', x: { expr: x || !y ? 'datum.datum.x || 0' : '0' }, y: { expr: y || !x ? 'datum.datum.y || 0' : '0' }, size: [model.getSizeSignalRef('width'), model.getSizeSignalRef('height')] } ] }; let index = 0; let exists = false; marks.forEach((mark, i) => { const name = mark.name ?? ''; if (name === model.component.mark[0].name) { index = i; } else if (name.indexOf(VORONOI) >= 0) { exists = true; } }); if (!exists) { marks.splice(index + 1, 0, cellDef); } return marks; } }; /* harmony default export */ const selection_nearest = (nearest); //# sourceMappingURL=nearest.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/selection/inputs.js const inputBindings = { defined: selCmpt => { return (selCmpt.type === 'point' && selCmpt.resolve === 'global' && selCmpt.bind && selCmpt.bind !== 'scales' && !isLegendBinding(selCmpt.bind)); }, parse: (model, selCmpt, selDef) => disableDirectManipulation(selCmpt, selDef), topLevelSignals: (model, selCmpt, signals) => { const name = selCmpt.name; const proj = selCmpt.project; const bind = selCmpt.bind; const init = selCmpt.init && selCmpt.init[0]; // Can only exist on single selections (one initial value). const datum = selection_nearest.defined(selCmpt) ? '(item().isVoronoi ? datum.datum : datum)' : 'datum'; proj.items.forEach((p, i) => { const sgname = varName(`${name}_${p.field}`); const hasSignal = signals.filter(s => s.name === sgname); if (!hasSignal.length) { signals.unshift({ name: sgname, ...(init ? { init: assembleInit(init[i]) } : { value: null }), on: selCmpt.events ? [ { events: selCmpt.events, update: `datum && item().mark.marktype !== 'group' ? ${datum}[${$(p.field)}] : null` } ] : [], bind: bind[p.field] ?? bind[p.channel] ?? bind }); } }); return signals; }, signals: (model, selCmpt, signals) => { const name = selCmpt.name; const proj = selCmpt.project; const signal = signals.filter(s => s.name === name + TUPLE)[0]; const fields = name + TUPLE_FIELDS; const values = proj.items.map(p => varName(`${name}_${p.field}`)); const valid = values.map(v => `${v} !== null`).join(' && '); if (values.length) { signal.update = `${valid} ? {fields: ${fields}, values: [${values.join(', ')}]} : null`; } delete signal.value; delete signal.on; return signals; } }; /* harmony default export */ const inputs = (inputBindings); //# sourceMappingURL=inputs.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/selection/toggle.js const TOGGLE = '_toggle'; const toggle = { defined: selCmpt => { return selCmpt.type === 'point' && !!selCmpt.toggle; }, signals: (model, selCmpt, signals) => { return signals.concat({ name: selCmpt.name + TOGGLE, value: false, on: [{ events: selCmpt.events, update: selCmpt.toggle }] }); }, modifyExpr: (model, selCmpt) => { const tpl = selCmpt.name + TUPLE; const signal = selCmpt.name + TOGGLE; return (`${signal} ? null : ${tpl}, ` + (selCmpt.resolve === 'global' ? `${signal} ? null : true, ` : `${signal} ? null : {unit: ${unitName(model)}}, `) + `${signal} ? ${tpl} : null`); } }; /* harmony default export */ const selection_toggle = (toggle); //# sourceMappingURL=toggle.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/selection/clear.js const clear = { defined: selCmpt => { return selCmpt.clear !== undefined && selCmpt.clear !== false; }, parse: (model, selCmpt) => { if (selCmpt.clear) { selCmpt.clear = vega_util_module_isString(selCmpt.clear) ? eventSelector(selCmpt.clear, 'view') : selCmpt.clear; } }, topLevelSignals: (model, selCmpt, signals) => { if (inputs.defined(selCmpt)) { for (const proj of selCmpt.project.items) { const idx = signals.findIndex(n => n.name === varName(`${selCmpt.name}_${proj.field}`)); if (idx !== -1) { signals[idx].on.push({ events: selCmpt.clear, update: 'null' }); } } } return signals; }, signals: (model, selCmpt, signals) => { function addClear(idx, update) { if (idx !== -1 && signals[idx].on) { signals[idx].on.push({ events: selCmpt.clear, update }); } } // Be as minimalist as possible when adding clear triggers to minimize dataflow execution. if (selCmpt.type === 'interval') { for (const proj of selCmpt.project.items) { const vIdx = signals.findIndex(n => n.name === proj.signals.visual); addClear(vIdx, '[0, 0]'); if (vIdx === -1) { const dIdx = signals.findIndex(n => n.name === proj.signals.data); addClear(dIdx, 'null'); } } } else { let tIdx = signals.findIndex(n => n.name === selCmpt.name + TUPLE); addClear(tIdx, 'null'); if (selection_toggle.defined(selCmpt)) { tIdx = signals.findIndex(n => n.name === selCmpt.name + TOGGLE); addClear(tIdx, 'false'); } } return signals; } }; /* harmony default export */ const selection_clear = (clear); //# sourceMappingURL=clear.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/selection/legends.js const legendBindings = { defined: selCmpt => { const spec = selCmpt.resolve === 'global' && selCmpt.bind && isLegendBinding(selCmpt.bind); const projLen = selCmpt.project.items.length === 1 && selCmpt.project.items[0].field !== SELECTION_ID; if (spec && !projLen) { log_warn(LEGEND_BINDINGS_MUST_HAVE_PROJECTION); } return spec && projLen; }, parse: (model, selCmpt, selDef) => { // Allow legend items to be toggleable by default even though direct manipulation is disabled. const selDef_ = duplicate(selDef); selDef_.select = vega_util_module_isString(selDef_.select) ? { type: selDef_.select, toggle: selCmpt.toggle } : { ...selDef_.select, toggle: selCmpt.toggle }; disableDirectManipulation(selCmpt, selDef_); if (isObject(selDef.select) && (selDef.select.on || selDef.select.clear)) { const legendFilter = 'event.item && indexof(event.item.mark.role, "legend") < 0'; for (const evt of selCmpt.events) { evt.filter = array(evt.filter ?? []); if (!evt.filter.includes(legendFilter)) { evt.filter.push(legendFilter); } } } const evt = isLegendStreamBinding(selCmpt.bind) ? selCmpt.bind.legend : 'click'; const stream = vega_util_module_isString(evt) ? eventSelector(evt, 'view') : array(evt); selCmpt.bind = { legend: { merge: stream } }; }, topLevelSignals: (model, selCmpt, signals) => { const selName = selCmpt.name; const stream = isLegendStreamBinding(selCmpt.bind) && selCmpt.bind.legend; const markName = (name) => (s) => { const ds = duplicate(s); ds.markname = name; return ds; }; for (const proj of selCmpt.project.items) { if (!proj.hasLegend) continue; const prefix = `${varName(proj.field)}_legend`; const sgName = `${selName}_${prefix}`; const hasSignal = signals.filter(s => s.name === sgName); if (hasSignal.length === 0) { const events = stream.merge .map(markName(`${prefix}_symbols`)) .concat(stream.merge.map(markName(`${prefix}_labels`))) .concat(stream.merge.map(markName(`${prefix}_entries`))); signals.unshift({ name: sgName, ...(!selCmpt.init ? { value: null } : {}), on: [ // Legend entries do not store values, so we need to walk the scenegraph to the symbol datum. { events, update: 'isDefined(datum.value) ? datum.value : item().items[0].items[0].datum.value', force: true }, { events: stream.merge, update: `!event.item || !datum ? null : ${sgName}`, force: true } ] }); } } return signals; }, signals: (model, selCmpt, signals) => { const name = selCmpt.name; const proj = selCmpt.project; const tuple = signals.find(s => s.name === name + TUPLE); const fields = name + TUPLE_FIELDS; const values = proj.items.filter(p => p.hasLegend).map(p => varName(`${name}_${varName(p.field)}_legend`)); const valid = values.map(v => `${v} !== null`).join(' && '); const update = `${valid} ? {fields: ${fields}, values: [${values.join(', ')}]} : null`; if (selCmpt.events && values.length > 0) { tuple.on.push({ events: values.map(signal => ({ signal })), update }); } else if (values.length > 0) { tuple.update = update; delete tuple.value; delete tuple.on; } const toggle = signals.find(s => s.name === name + TOGGLE); const events = isLegendStreamBinding(selCmpt.bind) && selCmpt.bind.legend; if (toggle) { if (!selCmpt.events) toggle.on[0].events = events; else toggle.on.push({ ...toggle.on[0], events }); } return signals; } }; /* harmony default export */ const legends = (legendBindings); function parseInteractiveLegend(model, channel, legendCmpt) { const field = model.fieldDef(channel)?.field; for (const selCmpt of vals(model.component.selection ?? {})) { const proj = selCmpt.project.hasField[field] ?? selCmpt.project.hasChannel[channel]; if (proj && legendBindings.defined(selCmpt)) { const legendSelections = legendCmpt.get('selections') ?? []; legendSelections.push(selCmpt.name); legendCmpt.set('selections', legendSelections, false); proj.hasLegend = true; } } } //# sourceMappingURL=legends.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/selection/translate.js const ANCHOR = '_translate_anchor'; const DELTA = '_translate_delta'; const translate_translate = { defined: selCmpt => { return selCmpt.type === 'interval' && selCmpt.translate; }, signals: (model, selCmpt, signals) => { const name = selCmpt.name; const boundScales = selection_scales.defined(selCmpt); const anchor = name + ANCHOR; const { x, y } = selCmpt.project.hasChannel; let events = eventSelector(selCmpt.translate, 'scope'); if (!boundScales) { events = events.map(e => ((e.between[0].markname = name + BRUSH), e)); } signals.push({ name: anchor, value: {}, on: [ { events: events.map(e => e.between[0]), update: '{x: x(unit), y: y(unit)' + (x !== undefined ? `, extent_x: ${boundScales ? scales_domain(model, channel_X) : `slice(${x.signals.visual})`}` : '') + (y !== undefined ? `, extent_y: ${boundScales ? scales_domain(model, channel_Y) : `slice(${y.signals.visual})`}` : '') + '}' } ] }, { name: name + DELTA, value: {}, on: [ { events, update: `{x: ${anchor}.x - x(unit), y: ${anchor}.y - y(unit)}` } ] }); if (x !== undefined) { onDelta(model, selCmpt, x, 'width', signals); } if (y !== undefined) { onDelta(model, selCmpt, y, 'height', signals); } return signals; } }; /* harmony default export */ const selection_translate = (translate_translate); function onDelta(model, selCmpt, proj, size, signals) { const name = selCmpt.name; const anchor = name + ANCHOR; const delta = name + DELTA; const channel = proj.channel; const boundScales = selection_scales.defined(selCmpt); const signal = signals.filter(s => s.name === proj.signals[boundScales ? 'data' : 'visual'])[0]; const sizeSg = model.getSizeSignalRef(size).signal; const scaleCmpt = model.getScaleComponent(channel); const scaleType = scaleCmpt && scaleCmpt.get('type'); const reversed = scaleCmpt && scaleCmpt.get('reverse'); // scale parsing sets this flag for fieldDef.sort const sign = !boundScales ? '' : channel === channel_X ? (reversed ? '' : '-') : reversed ? '-' : ''; const extent = `${anchor}.extent_${channel}`; const offset = `${sign}${delta}.${channel} / ${boundScales ? `${sizeSg}` : `span(${extent})`}`; const panFn = !boundScales || !scaleCmpt ? 'panLinear' : scaleType === 'log' ? 'panLog' : scaleType === 'symlog' ? 'panSymlog' : scaleType === 'pow' ? 'panPow' : 'panLinear'; const arg = !boundScales ? '' : scaleType === 'pow' ? `, ${scaleCmpt.get('exponent') ?? 1}` : scaleType === 'symlog' ? `, ${scaleCmpt.get('constant') ?? 1}` : ''; const update = `${panFn}(${extent}, ${offset}${arg})`; signal.on.push({ events: { signal: delta }, update: boundScales ? update : `clampRange(${update}, 0, ${sizeSg})` }); } //# sourceMappingURL=translate.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/selection/zoom.js const zoom_ANCHOR = '_zoom_anchor'; const zoom_DELTA = '_zoom_delta'; const zoom_zoom = { defined: selCmpt => { return selCmpt.type === 'interval' && selCmpt.zoom; }, signals: (model, selCmpt, signals) => { const name = selCmpt.name; const boundScales = selection_scales.defined(selCmpt); const delta = name + zoom_DELTA; const { x, y } = selCmpt.project.hasChannel; const sx = $(model.scaleName(channel_X)); const sy = $(model.scaleName(channel_Y)); let events = eventSelector(selCmpt.zoom, 'scope'); if (!boundScales) { events = events.map(e => ((e.markname = name + BRUSH), e)); } signals.push({ name: name + zoom_ANCHOR, on: [ { events, update: !boundScales ? `{x: x(unit), y: y(unit)}` : '{' + [sx ? `x: invert(${sx}, x(unit))` : '', sy ? `y: invert(${sy}, y(unit))` : ''] .filter(expr => expr) .join(', ') + '}' } ] }, { name: delta, on: [ { events, force: true, update: 'pow(1.001, event.deltaY * pow(16, event.deltaMode))' } ] }); if (x !== undefined) { zoom_onDelta(model, selCmpt, x, 'width', signals); } if (y !== undefined) { zoom_onDelta(model, selCmpt, y, 'height', signals); } return signals; } }; /* harmony default export */ const selection_zoom = (zoom_zoom); function zoom_onDelta(model, selCmpt, proj, size, signals) { const name = selCmpt.name; const channel = proj.channel; const boundScales = selection_scales.defined(selCmpt); const signal = signals.filter(s => s.name === proj.signals[boundScales ? 'data' : 'visual'])[0]; const sizeSg = model.getSizeSignalRef(size).signal; const scaleCmpt = model.getScaleComponent(channel); const scaleType = scaleCmpt && scaleCmpt.get('type'); const base = boundScales ? scales_domain(model, channel) : signal.name; const delta = name + zoom_DELTA; const anchor = `${name}${zoom_ANCHOR}.${channel}`; const zoomFn = !boundScales || !scaleCmpt ? 'zoomLinear' : scaleType === 'log' ? 'zoomLog' : scaleType === 'symlog' ? 'zoomSymlog' : scaleType === 'pow' ? 'zoomPow' : 'zoomLinear'; const arg = !boundScales ? '' : scaleType === 'pow' ? `, ${scaleCmpt.get('exponent') ?? 1}` : scaleType === 'symlog' ? `, ${scaleCmpt.get('constant') ?? 1}` : ''; const update = `${zoomFn}(${base}, ${anchor}, ${delta}${arg})`; signal.on.push({ events: { signal: delta }, update: boundScales ? update : `clampRange(${update}, 0, ${sizeSg})` }); } //# sourceMappingURL=zoom.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/selection/index.js const STORE = '_store'; const TUPLE = '_tuple'; const MODIFY = '_modify'; const SELECTION_DOMAIN = '_selection_domain_'; const VL_SELECTION_RESOLVE = 'vlSelectionResolve'; // Order matters for parsing and assembly. const selectionCompilers = [ selection_point, selection_interval, selection_project, selection_toggle, // Bindings may disable direct manipulation. inputs, selection_scales, legends, selection_clear, selection_translate, selection_zoom, selection_nearest ]; function getFacetModel(model) { let parent = model.parent; while (parent) { if (isFacetModel(parent)) break; parent = parent.parent; } return parent; } function unitName(model, { escape } = { escape: true }) { let name = escape ? $(model.name) : model.name; const facetModel = getFacetModel(model); if (facetModel) { const { facet } = facetModel; for (const channel of FACET_CHANNELS) { if (facet[channel]) { name += ` + '__facet_${channel}_' + (facet[${$(facetModel.vgField(channel))}])`; } } } return name; } function requiresSelectionId(model) { return vals(model.component.selection ?? {}).reduce((identifier, selCmpt) => { return identifier || selCmpt.project.hasSelectionId; }, false); } // Binding a point selection to query widgets or legends disables default direct manipulation interaction. // A user can choose to re-enable it by explicitly specifying triggering input events. function disableDirectManipulation(selCmpt, selDef) { if (vega_util_module_isString(selDef.select) || !selDef.select.on) delete selCmpt.events; if (vega_util_module_isString(selDef.select) || !selDef.select.clear) delete selCmpt.clear; if (vega_util_module_isString(selDef.select) || !selDef.select.toggle) delete selCmpt.toggle; } //# sourceMappingURL=index.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/node_modules/vega-expression/build/vega-expression.module.js const vega_expression_module_RawCode = 'RawCode'; const vega_expression_module_Literal = 'Literal'; const vega_expression_module_Property = 'Property'; const build_vega_expression_module_Identifier = 'Identifier'; const vega_expression_module_ArrayExpression = 'ArrayExpression'; const vega_expression_module_BinaryExpression = 'BinaryExpression'; const vega_expression_module_CallExpression = 'CallExpression'; const vega_expression_module_ConditionalExpression = 'ConditionalExpression'; const vega_expression_module_LogicalExpression = 'LogicalExpression'; const vega_expression_module_MemberExpression = 'MemberExpression'; const vega_expression_module_ObjectExpression = 'ObjectExpression'; const vega_expression_module_UnaryExpression = 'UnaryExpression'; function vega_expression_module_ASTNode(type) { this.type = type; } vega_expression_module_ASTNode.prototype.visit = function (visitor) { let c, i, n; if (visitor(this)) return 1; for (c = build_vega_expression_module_children(this), i = 0, n = c.length; i < n; ++i) { if (c[i].visit(visitor)) return 1; } }; function build_vega_expression_module_children(node) { switch (node.type) { case vega_expression_module_ArrayExpression: return node.elements; case vega_expression_module_BinaryExpression: case vega_expression_module_LogicalExpression: return [node.left, node.right]; case vega_expression_module_CallExpression: return [node.callee].concat(node.arguments); case vega_expression_module_ConditionalExpression: return [node.test, node.consequent, node.alternate]; case vega_expression_module_MemberExpression: return [node.object, node.property]; case vega_expression_module_ObjectExpression: return node.properties; case vega_expression_module_Property: return [node.key, node.value]; case vega_expression_module_UnaryExpression: return [node.argument]; case build_vega_expression_module_Identifier: case vega_expression_module_Literal: case vega_expression_module_RawCode: default: return []; } } /* The following expression parser is based on Esprima (http://esprima.org/). Original header comment and license for Esprima is included here: Copyright (C) 2013 Ariya Hidayat Copyright (C) 2013 Thaddee Tyl Copyright (C) 2013 Mathias Bynens Copyright (C) 2012 Ariya Hidayat Copyright (C) 2012 Mathias Bynens Copyright (C) 2012 Joost-Wim Boekesteijn Copyright (C) 2012 Kris Kowal Copyright (C) 2012 Yusuke Suzuki Copyright (C) 2012 Arpad Borsos Copyright (C) 2011 Ariya Hidayat Redistribution and use in source and binary forms, with or without modification, are permitted provided that the following conditions are met: * Redistributions of source code must retain the above copyright notice, this list of conditions and the following disclaimer. * Redistributions in binary form must reproduce the above copyright notice, this list of conditions and the following disclaimer in the documentation and/or other materials provided with the distribution. THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. */ var vega_expression_module_TokenName, build_vega_expression_module_source, build_vega_expression_module_index, build_vega_expression_module_length, vega_expression_module_lookahead; var vega_expression_module_TokenBooleanLiteral = 1, vega_expression_module_TokenEOF = 2, vega_expression_module_TokenIdentifier = 3, vega_expression_module_TokenKeyword = 4, vega_expression_module_TokenNullLiteral = 5, vega_expression_module_TokenNumericLiteral = 6, vega_expression_module_TokenPunctuator = 7, vega_expression_module_TokenStringLiteral = 8, vega_expression_module_TokenRegularExpression = 9; vega_expression_module_TokenName = {}; vega_expression_module_TokenName[vega_expression_module_TokenBooleanLiteral] = 'Boolean'; vega_expression_module_TokenName[vega_expression_module_TokenEOF] = ''; vega_expression_module_TokenName[vega_expression_module_TokenIdentifier] = 'Identifier'; vega_expression_module_TokenName[vega_expression_module_TokenKeyword] = 'Keyword'; vega_expression_module_TokenName[vega_expression_module_TokenNullLiteral] = 'Null'; vega_expression_module_TokenName[vega_expression_module_TokenNumericLiteral] = 'Numeric'; vega_expression_module_TokenName[vega_expression_module_TokenPunctuator] = 'Punctuator'; vega_expression_module_TokenName[vega_expression_module_TokenStringLiteral] = 'String'; vega_expression_module_TokenName[vega_expression_module_TokenRegularExpression] = 'RegularExpression'; var vega_expression_module_SyntaxArrayExpression = 'ArrayExpression', vega_expression_module_SyntaxBinaryExpression = 'BinaryExpression', vega_expression_module_SyntaxCallExpression = 'CallExpression', vega_expression_module_SyntaxConditionalExpression = 'ConditionalExpression', vega_expression_module_SyntaxIdentifier = 'Identifier', vega_expression_module_SyntaxLiteral = 'Literal', vega_expression_module_SyntaxLogicalExpression = 'LogicalExpression', vega_expression_module_SyntaxMemberExpression = 'MemberExpression', vega_expression_module_SyntaxObjectExpression = 'ObjectExpression', vega_expression_module_SyntaxProperty = 'Property', vega_expression_module_SyntaxUnaryExpression = 'UnaryExpression'; // Error messages should be identical to V8. var vega_expression_module_MessageUnexpectedToken = 'Unexpected token %0', vega_expression_module_MessageUnexpectedNumber = 'Unexpected number', vega_expression_module_MessageUnexpectedString = 'Unexpected string', vega_expression_module_MessageUnexpectedIdentifier = 'Unexpected identifier', vega_expression_module_MessageUnexpectedReserved = 'Unexpected reserved word', vega_expression_module_MessageUnexpectedEOS = 'Unexpected end of input', vega_expression_module_MessageInvalidRegExp = 'Invalid regular expression', vega_expression_module_MessageUnterminatedRegExp = 'Invalid regular expression: missing /', vega_expression_module_MessageStrictOctalLiteral = 'Octal literals are not allowed in strict mode.', vega_expression_module_MessageStrictDuplicateProperty = 'Duplicate data property in object literal not allowed in strict mode'; var vega_expression_module_ILLEGAL = 'ILLEGAL', vega_expression_module_DISABLED = 'Disabled.'; // See also tools/generate-unicode-regex.py. var vega_expression_module_RegexNonAsciiIdentifierStart = new RegExp('[\\xAA\\xB5\\xBA\\xC0-\\xD6\\xD8-\\xF6\\xF8-\\u02C1\\u02C6-\\u02D1\\u02E0-\\u02E4\\u02EC\\u02EE\\u0370-\\u0374\\u0376\\u0377\\u037A-\\u037D\\u037F\\u0386\\u0388-\\u038A\\u038C\\u038E-\\u03A1\\u03A3-\\u03F5\\u03F7-\\u0481\\u048A-\\u052F\\u0531-\\u0556\\u0559\\u0561-\\u0587\\u05D0-\\u05EA\\u05F0-\\u05F2\\u0620-\\u064A\\u066E\\u066F\\u0671-\\u06D3\\u06D5\\u06E5\\u06E6\\u06EE\\u06EF\\u06FA-\\u06FC\\u06FF\\u0710\\u0712-\\u072F\\u074D-\\u07A5\\u07B1\\u07CA-\\u07EA\\u07F4\\u07F5\\u07FA\\u0800-\\u0815\\u081A\\u0824\\u0828\\u0840-\\u0858\\u08A0-\\u08B2\\u0904-\\u0939\\u093D\\u0950\\u0958-\\u0961\\u0971-\\u0980\\u0985-\\u098C\\u098F\\u0990\\u0993-\\u09A8\\u09AA-\\u09B0\\u09B2\\u09B6-\\u09B9\\u09BD\\u09CE\\u09DC\\u09DD\\u09DF-\\u09E1\\u09F0\\u09F1\\u0A05-\\u0A0A\\u0A0F\\u0A10\\u0A13-\\u0A28\\u0A2A-\\u0A30\\u0A32\\u0A33\\u0A35\\u0A36\\u0A38\\u0A39\\u0A59-\\u0A5C\\u0A5E\\u0A72-\\u0A74\\u0A85-\\u0A8D\\u0A8F-\\u0A91\\u0A93-\\u0AA8\\u0AAA-\\u0AB0\\u0AB2\\u0AB3\\u0AB5-\\u0AB9\\u0ABD\\u0AD0\\u0AE0\\u0AE1\\u0B05-\\u0B0C\\u0B0F\\u0B10\\u0B13-\\u0B28\\u0B2A-\\u0B30\\u0B32\\u0B33\\u0B35-\\u0B39\\u0B3D\\u0B5C\\u0B5D\\u0B5F-\\u0B61\\u0B71\\u0B83\\u0B85-\\u0B8A\\u0B8E-\\u0B90\\u0B92-\\u0B95\\u0B99\\u0B9A\\u0B9C\\u0B9E\\u0B9F\\u0BA3\\u0BA4\\u0BA8-\\u0BAA\\u0BAE-\\u0BB9\\u0BD0\\u0C05-\\u0C0C\\u0C0E-\\u0C10\\u0C12-\\u0C28\\u0C2A-\\u0C39\\u0C3D\\u0C58\\u0C59\\u0C60\\u0C61\\u0C85-\\u0C8C\\u0C8E-\\u0C90\\u0C92-\\u0CA8\\u0CAA-\\u0CB3\\u0CB5-\\u0CB9\\u0CBD\\u0CDE\\u0CE0\\u0CE1\\u0CF1\\u0CF2\\u0D05-\\u0D0C\\u0D0E-\\u0D10\\u0D12-\\u0D3A\\u0D3D\\u0D4E\\u0D60\\u0D61\\u0D7A-\\u0D7F\\u0D85-\\u0D96\\u0D9A-\\u0DB1\\u0DB3-\\u0DBB\\u0DBD\\u0DC0-\\u0DC6\\u0E01-\\u0E30\\u0E32\\u0E33\\u0E40-\\u0E46\\u0E81\\u0E82\\u0E84\\u0E87\\u0E88\\u0E8A\\u0E8D\\u0E94-\\u0E97\\u0E99-\\u0E9F\\u0EA1-\\u0EA3\\u0EA5\\u0EA7\\u0EAA\\u0EAB\\u0EAD-\\u0EB0\\u0EB2\\u0EB3\\u0EBD\\u0EC0-\\u0EC4\\u0EC6\\u0EDC-\\u0EDF\\u0F00\\u0F40-\\u0F47\\u0F49-\\u0F6C\\u0F88-\\u0F8C\\u1000-\\u102A\\u103F\\u1050-\\u1055\\u105A-\\u105D\\u1061\\u1065\\u1066\\u106E-\\u1070\\u1075-\\u1081\\u108E\\u10A0-\\u10C5\\u10C7\\u10CD\\u10D0-\\u10FA\\u10FC-\\u1248\\u124A-\\u124D\\u1250-\\u1256\\u1258\\u125A-\\u125D\\u1260-\\u1288\\u128A-\\u128D\\u1290-\\u12B0\\u12B2-\\u12B5\\u12B8-\\u12BE\\u12C0\\u12C2-\\u12C5\\u12C8-\\u12D6\\u12D8-\\u1310\\u1312-\\u1315\\u1318-\\u135A\\u1380-\\u138F\\u13A0-\\u13F4\\u1401-\\u166C\\u166F-\\u167F\\u1681-\\u169A\\u16A0-\\u16EA\\u16EE-\\u16F8\\u1700-\\u170C\\u170E-\\u1711\\u1720-\\u1731\\u1740-\\u1751\\u1760-\\u176C\\u176E-\\u1770\\u1780-\\u17B3\\u17D7\\u17DC\\u1820-\\u1877\\u1880-\\u18A8\\u18AA\\u18B0-\\u18F5\\u1900-\\u191E\\u1950-\\u196D\\u1970-\\u1974\\u1980-\\u19AB\\u19C1-\\u19C7\\u1A00-\\u1A16\\u1A20-\\u1A54\\u1AA7\\u1B05-\\u1B33\\u1B45-\\u1B4B\\u1B83-\\u1BA0\\u1BAE\\u1BAF\\u1BBA-\\u1BE5\\u1C00-\\u1C23\\u1C4D-\\u1C4F\\u1C5A-\\u1C7D\\u1CE9-\\u1CEC\\u1CEE-\\u1CF1\\u1CF5\\u1CF6\\u1D00-\\u1DBF\\u1E00-\\u1F15\\u1F18-\\u1F1D\\u1F20-\\u1F45\\u1F48-\\u1F4D\\u1F50-\\u1F57\\u1F59\\u1F5B\\u1F5D\\u1F5F-\\u1F7D\\u1F80-\\u1FB4\\u1FB6-\\u1FBC\\u1FBE\\u1FC2-\\u1FC4\\u1FC6-\\u1FCC\\u1FD0-\\u1FD3\\u1FD6-\\u1FDB\\u1FE0-\\u1FEC\\u1FF2-\\u1FF4\\u1FF6-\\u1FFC\\u2071\\u207F\\u2090-\\u209C\\u2102\\u2107\\u210A-\\u2113\\u2115\\u2119-\\u211D\\u2124\\u2126\\u2128\\u212A-\\u212D\\u212F-\\u2139\\u213C-\\u213F\\u2145-\\u2149\\u214E\\u2160-\\u2188\\u2C00-\\u2C2E\\u2C30-\\u2C5E\\u2C60-\\u2CE4\\u2CEB-\\u2CEE\\u2CF2\\u2CF3\\u2D00-\\u2D25\\u2D27\\u2D2D\\u2D30-\\u2D67\\u2D6F\\u2D80-\\u2D96\\u2DA0-\\u2DA6\\u2DA8-\\u2DAE\\u2DB0-\\u2DB6\\u2DB8-\\u2DBE\\u2DC0-\\u2DC6\\u2DC8-\\u2DCE\\u2DD0-\\u2DD6\\u2DD8-\\u2DDE\\u2E2F\\u3005-\\u3007\\u3021-\\u3029\\u3031-\\u3035\\u3038-\\u303C\\u3041-\\u3096\\u309D-\\u309F\\u30A1-\\u30FA\\u30FC-\\u30FF\\u3105-\\u312D\\u3131-\\u318E\\u31A0-\\u31BA\\u31F0-\\u31FF\\u3400-\\u4DB5\\u4E00-\\u9FCC\\uA000-\\uA48C\\uA4D0-\\uA4FD\\uA500-\\uA60C\\uA610-\\uA61F\\uA62A\\uA62B\\uA640-\\uA66E\\uA67F-\\uA69D\\uA6A0-\\uA6EF\\uA717-\\uA71F\\uA722-\\uA788\\uA78B-\\uA78E\\uA790-\\uA7AD\\uA7B0\\uA7B1\\uA7F7-\\uA801\\uA803-\\uA805\\uA807-\\uA80A\\uA80C-\\uA822\\uA840-\\uA873\\uA882-\\uA8B3\\uA8F2-\\uA8F7\\uA8FB\\uA90A-\\uA925\\uA930-\\uA946\\uA960-\\uA97C\\uA984-\\uA9B2\\uA9CF\\uA9E0-\\uA9E4\\uA9E6-\\uA9EF\\uA9FA-\\uA9FE\\uAA00-\\uAA28\\uAA40-\\uAA42\\uAA44-\\uAA4B\\uAA60-\\uAA76\\uAA7A\\uAA7E-\\uAAAF\\uAAB1\\uAAB5\\uAAB6\\uAAB9-\\uAABD\\uAAC0\\uAAC2\\uAADB-\\uAADD\\uAAE0-\\uAAEA\\uAAF2-\\uAAF4\\uAB01-\\uAB06\\uAB09-\\uAB0E\\uAB11-\\uAB16\\uAB20-\\uAB26\\uAB28-\\uAB2E\\uAB30-\\uAB5A\\uAB5C-\\uAB5F\\uAB64\\uAB65\\uABC0-\\uABE2\\uAC00-\\uD7A3\\uD7B0-\\uD7C6\\uD7CB-\\uD7FB\\uF900-\\uFA6D\\uFA70-\\uFAD9\\uFB00-\\uFB06\\uFB13-\\uFB17\\uFB1D\\uFB1F-\\uFB28\\uFB2A-\\uFB36\\uFB38-\\uFB3C\\uFB3E\\uFB40\\uFB41\\uFB43\\uFB44\\uFB46-\\uFBB1\\uFBD3-\\uFD3D\\uFD50-\\uFD8F\\uFD92-\\uFDC7\\uFDF0-\\uFDFB\\uFE70-\\uFE74\\uFE76-\\uFEFC\\uFF21-\\uFF3A\\uFF41-\\uFF5A\\uFF66-\\uFFBE\\uFFC2-\\uFFC7\\uFFCA-\\uFFCF\\uFFD2-\\uFFD7\\uFFDA-\\uFFDC]'), // eslint-disable-next-line no-misleading-character-class vega_expression_module_RegexNonAsciiIdentifierPart = new RegExp('[\\xAA\\xB5\\xBA\\xC0-\\xD6\\xD8-\\xF6\\xF8-\\u02C1\\u02C6-\\u02D1\\u02E0-\\u02E4\\u02EC\\u02EE\\u0300-\\u0374\\u0376\\u0377\\u037A-\\u037D\\u037F\\u0386\\u0388-\\u038A\\u038C\\u038E-\\u03A1\\u03A3-\\u03F5\\u03F7-\\u0481\\u0483-\\u0487\\u048A-\\u052F\\u0531-\\u0556\\u0559\\u0561-\\u0587\\u0591-\\u05BD\\u05BF\\u05C1\\u05C2\\u05C4\\u05C5\\u05C7\\u05D0-\\u05EA\\u05F0-\\u05F2\\u0610-\\u061A\\u0620-\\u0669\\u066E-\\u06D3\\u06D5-\\u06DC\\u06DF-\\u06E8\\u06EA-\\u06FC\\u06FF\\u0710-\\u074A\\u074D-\\u07B1\\u07C0-\\u07F5\\u07FA\\u0800-\\u082D\\u0840-\\u085B\\u08A0-\\u08B2\\u08E4-\\u0963\\u0966-\\u096F\\u0971-\\u0983\\u0985-\\u098C\\u098F\\u0990\\u0993-\\u09A8\\u09AA-\\u09B0\\u09B2\\u09B6-\\u09B9\\u09BC-\\u09C4\\u09C7\\u09C8\\u09CB-\\u09CE\\u09D7\\u09DC\\u09DD\\u09DF-\\u09E3\\u09E6-\\u09F1\\u0A01-\\u0A03\\u0A05-\\u0A0A\\u0A0F\\u0A10\\u0A13-\\u0A28\\u0A2A-\\u0A30\\u0A32\\u0A33\\u0A35\\u0A36\\u0A38\\u0A39\\u0A3C\\u0A3E-\\u0A42\\u0A47\\u0A48\\u0A4B-\\u0A4D\\u0A51\\u0A59-\\u0A5C\\u0A5E\\u0A66-\\u0A75\\u0A81-\\u0A83\\u0A85-\\u0A8D\\u0A8F-\\u0A91\\u0A93-\\u0AA8\\u0AAA-\\u0AB0\\u0AB2\\u0AB3\\u0AB5-\\u0AB9\\u0ABC-\\u0AC5\\u0AC7-\\u0AC9\\u0ACB-\\u0ACD\\u0AD0\\u0AE0-\\u0AE3\\u0AE6-\\u0AEF\\u0B01-\\u0B03\\u0B05-\\u0B0C\\u0B0F\\u0B10\\u0B13-\\u0B28\\u0B2A-\\u0B30\\u0B32\\u0B33\\u0B35-\\u0B39\\u0B3C-\\u0B44\\u0B47\\u0B48\\u0B4B-\\u0B4D\\u0B56\\u0B57\\u0B5C\\u0B5D\\u0B5F-\\u0B63\\u0B66-\\u0B6F\\u0B71\\u0B82\\u0B83\\u0B85-\\u0B8A\\u0B8E-\\u0B90\\u0B92-\\u0B95\\u0B99\\u0B9A\\u0B9C\\u0B9E\\u0B9F\\u0BA3\\u0BA4\\u0BA8-\\u0BAA\\u0BAE-\\u0BB9\\u0BBE-\\u0BC2\\u0BC6-\\u0BC8\\u0BCA-\\u0BCD\\u0BD0\\u0BD7\\u0BE6-\\u0BEF\\u0C00-\\u0C03\\u0C05-\\u0C0C\\u0C0E-\\u0C10\\u0C12-\\u0C28\\u0C2A-\\u0C39\\u0C3D-\\u0C44\\u0C46-\\u0C48\\u0C4A-\\u0C4D\\u0C55\\u0C56\\u0C58\\u0C59\\u0C60-\\u0C63\\u0C66-\\u0C6F\\u0C81-\\u0C83\\u0C85-\\u0C8C\\u0C8E-\\u0C90\\u0C92-\\u0CA8\\u0CAA-\\u0CB3\\u0CB5-\\u0CB9\\u0CBC-\\u0CC4\\u0CC6-\\u0CC8\\u0CCA-\\u0CCD\\u0CD5\\u0CD6\\u0CDE\\u0CE0-\\u0CE3\\u0CE6-\\u0CEF\\u0CF1\\u0CF2\\u0D01-\\u0D03\\u0D05-\\u0D0C\\u0D0E-\\u0D10\\u0D12-\\u0D3A\\u0D3D-\\u0D44\\u0D46-\\u0D48\\u0D4A-\\u0D4E\\u0D57\\u0D60-\\u0D63\\u0D66-\\u0D6F\\u0D7A-\\u0D7F\\u0D82\\u0D83\\u0D85-\\u0D96\\u0D9A-\\u0DB1\\u0DB3-\\u0DBB\\u0DBD\\u0DC0-\\u0DC6\\u0DCA\\u0DCF-\\u0DD4\\u0DD6\\u0DD8-\\u0DDF\\u0DE6-\\u0DEF\\u0DF2\\u0DF3\\u0E01-\\u0E3A\\u0E40-\\u0E4E\\u0E50-\\u0E59\\u0E81\\u0E82\\u0E84\\u0E87\\u0E88\\u0E8A\\u0E8D\\u0E94-\\u0E97\\u0E99-\\u0E9F\\u0EA1-\\u0EA3\\u0EA5\\u0EA7\\u0EAA\\u0EAB\\u0EAD-\\u0EB9\\u0EBB-\\u0EBD\\u0EC0-\\u0EC4\\u0EC6\\u0EC8-\\u0ECD\\u0ED0-\\u0ED9\\u0EDC-\\u0EDF\\u0F00\\u0F18\\u0F19\\u0F20-\\u0F29\\u0F35\\u0F37\\u0F39\\u0F3E-\\u0F47\\u0F49-\\u0F6C\\u0F71-\\u0F84\\u0F86-\\u0F97\\u0F99-\\u0FBC\\u0FC6\\u1000-\\u1049\\u1050-\\u109D\\u10A0-\\u10C5\\u10C7\\u10CD\\u10D0-\\u10FA\\u10FC-\\u1248\\u124A-\\u124D\\u1250-\\u1256\\u1258\\u125A-\\u125D\\u1260-\\u1288\\u128A-\\u128D\\u1290-\\u12B0\\u12B2-\\u12B5\\u12B8-\\u12BE\\u12C0\\u12C2-\\u12C5\\u12C8-\\u12D6\\u12D8-\\u1310\\u1312-\\u1315\\u1318-\\u135A\\u135D-\\u135F\\u1380-\\u138F\\u13A0-\\u13F4\\u1401-\\u166C\\u166F-\\u167F\\u1681-\\u169A\\u16A0-\\u16EA\\u16EE-\\u16F8\\u1700-\\u170C\\u170E-\\u1714\\u1720-\\u1734\\u1740-\\u1753\\u1760-\\u176C\\u176E-\\u1770\\u1772\\u1773\\u1780-\\u17D3\\u17D7\\u17DC\\u17DD\\u17E0-\\u17E9\\u180B-\\u180D\\u1810-\\u1819\\u1820-\\u1877\\u1880-\\u18AA\\u18B0-\\u18F5\\u1900-\\u191E\\u1920-\\u192B\\u1930-\\u193B\\u1946-\\u196D\\u1970-\\u1974\\u1980-\\u19AB\\u19B0-\\u19C9\\u19D0-\\u19D9\\u1A00-\\u1A1B\\u1A20-\\u1A5E\\u1A60-\\u1A7C\\u1A7F-\\u1A89\\u1A90-\\u1A99\\u1AA7\\u1AB0-\\u1ABD\\u1B00-\\u1B4B\\u1B50-\\u1B59\\u1B6B-\\u1B73\\u1B80-\\u1BF3\\u1C00-\\u1C37\\u1C40-\\u1C49\\u1C4D-\\u1C7D\\u1CD0-\\u1CD2\\u1CD4-\\u1CF6\\u1CF8\\u1CF9\\u1D00-\\u1DF5\\u1DFC-\\u1F15\\u1F18-\\u1F1D\\u1F20-\\u1F45\\u1F48-\\u1F4D\\u1F50-\\u1F57\\u1F59\\u1F5B\\u1F5D\\u1F5F-\\u1F7D\\u1F80-\\u1FB4\\u1FB6-\\u1FBC\\u1FBE\\u1FC2-\\u1FC4\\u1FC6-\\u1FCC\\u1FD0-\\u1FD3\\u1FD6-\\u1FDB\\u1FE0-\\u1FEC\\u1FF2-\\u1FF4\\u1FF6-\\u1FFC\\u200C\\u200D\\u203F\\u2040\\u2054\\u2071\\u207F\\u2090-\\u209C\\u20D0-\\u20DC\\u20E1\\u20E5-\\u20F0\\u2102\\u2107\\u210A-\\u2113\\u2115\\u2119-\\u211D\\u2124\\u2126\\u2128\\u212A-\\u212D\\u212F-\\u2139\\u213C-\\u213F\\u2145-\\u2149\\u214E\\u2160-\\u2188\\u2C00-\\u2C2E\\u2C30-\\u2C5E\\u2C60-\\u2CE4\\u2CEB-\\u2CF3\\u2D00-\\u2D25\\u2D27\\u2D2D\\u2D30-\\u2D67\\u2D6F\\u2D7F-\\u2D96\\u2DA0-\\u2DA6\\u2DA8-\\u2DAE\\u2DB0-\\u2DB6\\u2DB8-\\u2DBE\\u2DC0-\\u2DC6\\u2DC8-\\u2DCE\\u2DD0-\\u2DD6\\u2DD8-\\u2DDE\\u2DE0-\\u2DFF\\u2E2F\\u3005-\\u3007\\u3021-\\u302F\\u3031-\\u3035\\u3038-\\u303C\\u3041-\\u3096\\u3099\\u309A\\u309D-\\u309F\\u30A1-\\u30FA\\u30FC-\\u30FF\\u3105-\\u312D\\u3131-\\u318E\\u31A0-\\u31BA\\u31F0-\\u31FF\\u3400-\\u4DB5\\u4E00-\\u9FCC\\uA000-\\uA48C\\uA4D0-\\uA4FD\\uA500-\\uA60C\\uA610-\\uA62B\\uA640-\\uA66F\\uA674-\\uA67D\\uA67F-\\uA69D\\uA69F-\\uA6F1\\uA717-\\uA71F\\uA722-\\uA788\\uA78B-\\uA78E\\uA790-\\uA7AD\\uA7B0\\uA7B1\\uA7F7-\\uA827\\uA840-\\uA873\\uA880-\\uA8C4\\uA8D0-\\uA8D9\\uA8E0-\\uA8F7\\uA8FB\\uA900-\\uA92D\\uA930-\\uA953\\uA960-\\uA97C\\uA980-\\uA9C0\\uA9CF-\\uA9D9\\uA9E0-\\uA9FE\\uAA00-\\uAA36\\uAA40-\\uAA4D\\uAA50-\\uAA59\\uAA60-\\uAA76\\uAA7A-\\uAAC2\\uAADB-\\uAADD\\uAAE0-\\uAAEF\\uAAF2-\\uAAF6\\uAB01-\\uAB06\\uAB09-\\uAB0E\\uAB11-\\uAB16\\uAB20-\\uAB26\\uAB28-\\uAB2E\\uAB30-\\uAB5A\\uAB5C-\\uAB5F\\uAB64\\uAB65\\uABC0-\\uABEA\\uABEC\\uABED\\uABF0-\\uABF9\\uAC00-\\uD7A3\\uD7B0-\\uD7C6\\uD7CB-\\uD7FB\\uF900-\\uFA6D\\uFA70-\\uFAD9\\uFB00-\\uFB06\\uFB13-\\uFB17\\uFB1D-\\uFB28\\uFB2A-\\uFB36\\uFB38-\\uFB3C\\uFB3E\\uFB40\\uFB41\\uFB43\\uFB44\\uFB46-\\uFBB1\\uFBD3-\\uFD3D\\uFD50-\\uFD8F\\uFD92-\\uFDC7\\uFDF0-\\uFDFB\\uFE00-\\uFE0F\\uFE20-\\uFE2D\\uFE33\\uFE34\\uFE4D-\\uFE4F\\uFE70-\\uFE74\\uFE76-\\uFEFC\\uFF10-\\uFF19\\uFF21-\\uFF3A\\uFF3F\\uFF41-\\uFF5A\\uFF66-\\uFFBE\\uFFC2-\\uFFC7\\uFFCA-\\uFFCF\\uFFD2-\\uFFD7\\uFFDA-\\uFFDC]'); // Ensure the condition is true, otherwise throw an error. // This is only to have a better contract semantic, i.e. another safety net // to catch a logic error. The condition shall be fulfilled in normal case. // Do NOT use this to enforce a certain condition on any user input. function vega_expression_module_assert(condition, message) { /* istanbul ignore next */ if (!condition) { throw new Error('ASSERT: ' + message); } } function vega_expression_module_isDecimalDigit(ch) { return ch >= 0x30 && ch <= 0x39; // 0..9 } function vega_expression_module_isHexDigit(ch) { return '0123456789abcdefABCDEF'.indexOf(ch) >= 0; } function vega_expression_module_isOctalDigit(ch) { return '01234567'.indexOf(ch) >= 0; } // 7.2 White Space function vega_expression_module_isWhiteSpace(ch) { return ch === 0x20 || ch === 0x09 || ch === 0x0B || ch === 0x0C || ch === 0xA0 || ch >= 0x1680 && [0x1680, 0x180E, 0x2000, 0x2001, 0x2002, 0x2003, 0x2004, 0x2005, 0x2006, 0x2007, 0x2008, 0x2009, 0x200A, 0x202F, 0x205F, 0x3000, 0xFEFF].indexOf(ch) >= 0; } // 7.3 Line Terminators function vega_expression_module_isLineTerminator(ch) { return ch === 0x0A || ch === 0x0D || ch === 0x2028 || ch === 0x2029; } // 7.6 Identifier Names and Identifiers function vega_expression_module_isIdentifierStart(ch) { return ch === 0x24 || ch === 0x5F || // $ (dollar) and _ (underscore) ch >= 0x41 && ch <= 0x5A || // A..Z ch >= 0x61 && ch <= 0x7A || // a..z ch === 0x5C || // \ (backslash) ch >= 0x80 && vega_expression_module_RegexNonAsciiIdentifierStart.test(String.fromCharCode(ch)); } function vega_expression_module_isIdentifierPart(ch) { return ch === 0x24 || ch === 0x5F || // $ (dollar) and _ (underscore) ch >= 0x41 && ch <= 0x5A || // A..Z ch >= 0x61 && ch <= 0x7A || // a..z ch >= 0x30 && ch <= 0x39 || // 0..9 ch === 0x5C || // \ (backslash) ch >= 0x80 && vega_expression_module_RegexNonAsciiIdentifierPart.test(String.fromCharCode(ch)); } // 7.6.1.1 Keywords const vega_expression_module_keywords = { 'if': 1, 'in': 1, 'do': 1, 'var': 1, 'for': 1, 'new': 1, 'try': 1, 'let': 1, 'this': 1, 'else': 1, 'case': 1, 'void': 1, 'with': 1, 'enum': 1, 'while': 1, 'break': 1, 'catch': 1, 'throw': 1, 'const': 1, 'yield': 1, 'class': 1, 'super': 1, 'return': 1, 'typeof': 1, 'delete': 1, 'switch': 1, 'export': 1, 'import': 1, 'public': 1, 'static': 1, 'default': 1, 'finally': 1, 'extends': 1, 'package': 1, 'private': 1, 'function': 1, 'continue': 1, 'debugger': 1, 'interface': 1, 'protected': 1, 'instanceof': 1, 'implements': 1 }; function vega_expression_module_skipComment() { while (build_vega_expression_module_index < build_vega_expression_module_length) { const ch = build_vega_expression_module_source.charCodeAt(build_vega_expression_module_index); if (vega_expression_module_isWhiteSpace(ch) || vega_expression_module_isLineTerminator(ch)) { ++build_vega_expression_module_index; } else { break; } } } function vega_expression_module_scanHexEscape(prefix) { var i, len, ch, code = 0; len = prefix === 'u' ? 4 : 2; for (i = 0; i < len; ++i) { if (build_vega_expression_module_index < build_vega_expression_module_length && vega_expression_module_isHexDigit(build_vega_expression_module_source[build_vega_expression_module_index])) { ch = build_vega_expression_module_source[build_vega_expression_module_index++]; code = code * 16 + '0123456789abcdef'.indexOf(ch.toLowerCase()); } else { vega_expression_module_throwError({}, vega_expression_module_MessageUnexpectedToken, vega_expression_module_ILLEGAL); } } return String.fromCharCode(code); } function vega_expression_module_scanUnicodeCodePointEscape() { var ch, code, cu1, cu2; ch = build_vega_expression_module_source[build_vega_expression_module_index]; code = 0; // At least, one hex digit is required. if (ch === '}') { vega_expression_module_throwError({}, vega_expression_module_MessageUnexpectedToken, vega_expression_module_ILLEGAL); } while (build_vega_expression_module_index < build_vega_expression_module_length) { ch = build_vega_expression_module_source[build_vega_expression_module_index++]; if (!vega_expression_module_isHexDigit(ch)) { break; } code = code * 16 + '0123456789abcdef'.indexOf(ch.toLowerCase()); } if (code > 0x10FFFF || ch !== '}') { vega_expression_module_throwError({}, vega_expression_module_MessageUnexpectedToken, vega_expression_module_ILLEGAL); } // UTF-16 Encoding if (code <= 0xFFFF) { return String.fromCharCode(code); } cu1 = (code - 0x10000 >> 10) + 0xD800; cu2 = (code - 0x10000 & 1023) + 0xDC00; return String.fromCharCode(cu1, cu2); } function vega_expression_module_getEscapedIdentifier() { var ch, id; ch = build_vega_expression_module_source.charCodeAt(build_vega_expression_module_index++); id = String.fromCharCode(ch); // '\u' (U+005C, U+0075) denotes an escaped character. if (ch === 0x5C) { if (build_vega_expression_module_source.charCodeAt(build_vega_expression_module_index) !== 0x75) { vega_expression_module_throwError({}, vega_expression_module_MessageUnexpectedToken, vega_expression_module_ILLEGAL); } ++build_vega_expression_module_index; ch = vega_expression_module_scanHexEscape('u'); if (!ch || ch === '\\' || !vega_expression_module_isIdentifierStart(ch.charCodeAt(0))) { vega_expression_module_throwError({}, vega_expression_module_MessageUnexpectedToken, vega_expression_module_ILLEGAL); } id = ch; } while (build_vega_expression_module_index < build_vega_expression_module_length) { ch = build_vega_expression_module_source.charCodeAt(build_vega_expression_module_index); if (!vega_expression_module_isIdentifierPart(ch)) { break; } ++build_vega_expression_module_index; id += String.fromCharCode(ch); // '\u' (U+005C, U+0075) denotes an escaped character. if (ch === 0x5C) { id = id.substr(0, id.length - 1); if (build_vega_expression_module_source.charCodeAt(build_vega_expression_module_index) !== 0x75) { vega_expression_module_throwError({}, vega_expression_module_MessageUnexpectedToken, vega_expression_module_ILLEGAL); } ++build_vega_expression_module_index; ch = vega_expression_module_scanHexEscape('u'); if (!ch || ch === '\\' || !vega_expression_module_isIdentifierPart(ch.charCodeAt(0))) { vega_expression_module_throwError({}, vega_expression_module_MessageUnexpectedToken, vega_expression_module_ILLEGAL); } id += ch; } } return id; } function vega_expression_module_getIdentifier() { var start, ch; start = build_vega_expression_module_index++; while (build_vega_expression_module_index < build_vega_expression_module_length) { ch = build_vega_expression_module_source.charCodeAt(build_vega_expression_module_index); if (ch === 0x5C) { // Blackslash (U+005C) marks Unicode escape sequence. build_vega_expression_module_index = start; return vega_expression_module_getEscapedIdentifier(); } if (vega_expression_module_isIdentifierPart(ch)) { ++build_vega_expression_module_index; } else { break; } } return build_vega_expression_module_source.slice(start, build_vega_expression_module_index); } function vega_expression_module_scanIdentifier() { var start, id, type; start = build_vega_expression_module_index; // Backslash (U+005C) starts an escaped character. id = build_vega_expression_module_source.charCodeAt(build_vega_expression_module_index) === 0x5C ? vega_expression_module_getEscapedIdentifier() : vega_expression_module_getIdentifier(); // There is no keyword or literal with only one character. // Thus, it must be an identifier. if (id.length === 1) { type = vega_expression_module_TokenIdentifier; } else if (vega_expression_module_keywords.hasOwnProperty(id)) { // eslint-disable-line no-prototype-builtins type = vega_expression_module_TokenKeyword; } else if (id === 'null') { type = vega_expression_module_TokenNullLiteral; } else if (id === 'true' || id === 'false') { type = vega_expression_module_TokenBooleanLiteral; } else { type = vega_expression_module_TokenIdentifier; } return { type: type, value: id, start: start, end: build_vega_expression_module_index }; } // 7.7 Punctuators function vega_expression_module_scanPunctuator() { var start = build_vega_expression_module_index, code = build_vega_expression_module_source.charCodeAt(build_vega_expression_module_index), code2, ch1 = build_vega_expression_module_source[build_vega_expression_module_index], ch2, ch3, ch4; switch (code) { // Check for most common single-character punctuators. case 0x2E: // . dot case 0x28: // ( open bracket case 0x29: // ) close bracket case 0x3B: // ; semicolon case 0x2C: // , comma case 0x7B: // { open curly brace case 0x7D: // } close curly brace case 0x5B: // [ case 0x5D: // ] case 0x3A: // : case 0x3F: // ? case 0x7E: // ~ ++build_vega_expression_module_index; return { type: vega_expression_module_TokenPunctuator, value: String.fromCharCode(code), start: start, end: build_vega_expression_module_index }; default: code2 = build_vega_expression_module_source.charCodeAt(build_vega_expression_module_index + 1); // '=' (U+003D) marks an assignment or comparison operator. if (code2 === 0x3D) { switch (code) { case 0x2B: // + case 0x2D: // - case 0x2F: // / case 0x3C: // < case 0x3E: // > case 0x5E: // ^ case 0x7C: // | case 0x25: // % case 0x26: // & case 0x2A: // * build_vega_expression_module_index += 2; return { type: vega_expression_module_TokenPunctuator, value: String.fromCharCode(code) + String.fromCharCode(code2), start: start, end: build_vega_expression_module_index }; case 0x21: // ! case 0x3D: // = build_vega_expression_module_index += 2; // !== and === if (build_vega_expression_module_source.charCodeAt(build_vega_expression_module_index) === 0x3D) { ++build_vega_expression_module_index; } return { type: vega_expression_module_TokenPunctuator, value: build_vega_expression_module_source.slice(start, build_vega_expression_module_index), start: start, end: build_vega_expression_module_index }; } } } // 4-character punctuator: >>>= ch4 = build_vega_expression_module_source.substr(build_vega_expression_module_index, 4); if (ch4 === '>>>=') { build_vega_expression_module_index += 4; return { type: vega_expression_module_TokenPunctuator, value: ch4, start: start, end: build_vega_expression_module_index }; } // 3-character punctuators: === !== >>> <<= >>= ch3 = ch4.substr(0, 3); if (ch3 === '>>>' || ch3 === '<<=' || ch3 === '>>=') { build_vega_expression_module_index += 3; return { type: vega_expression_module_TokenPunctuator, value: ch3, start: start, end: build_vega_expression_module_index }; } // Other 2-character punctuators: ++ -- << >> && || ch2 = ch3.substr(0, 2); if (ch1 === ch2[1] && '+-<>&|'.indexOf(ch1) >= 0 || ch2 === '=>') { build_vega_expression_module_index += 2; return { type: vega_expression_module_TokenPunctuator, value: ch2, start: start, end: build_vega_expression_module_index }; } if (ch2 === '//') { vega_expression_module_throwError({}, vega_expression_module_MessageUnexpectedToken, vega_expression_module_ILLEGAL); } // 1-character punctuators: < > = ! + - * % & | ^ / if ('<>=!+-*%&|^/'.indexOf(ch1) >= 0) { ++build_vega_expression_module_index; return { type: vega_expression_module_TokenPunctuator, value: ch1, start: start, end: build_vega_expression_module_index }; } vega_expression_module_throwError({}, vega_expression_module_MessageUnexpectedToken, vega_expression_module_ILLEGAL); } // 7.8.3 Numeric Literals function vega_expression_module_scanHexLiteral(start) { let number = ''; while (build_vega_expression_module_index < build_vega_expression_module_length) { if (!vega_expression_module_isHexDigit(build_vega_expression_module_source[build_vega_expression_module_index])) { break; } number += build_vega_expression_module_source[build_vega_expression_module_index++]; } if (number.length === 0) { vega_expression_module_throwError({}, vega_expression_module_MessageUnexpectedToken, vega_expression_module_ILLEGAL); } if (vega_expression_module_isIdentifierStart(build_vega_expression_module_source.charCodeAt(build_vega_expression_module_index))) { vega_expression_module_throwError({}, vega_expression_module_MessageUnexpectedToken, vega_expression_module_ILLEGAL); } return { type: vega_expression_module_TokenNumericLiteral, value: parseInt('0x' + number, 16), start: start, end: build_vega_expression_module_index }; } function vega_expression_module_scanOctalLiteral(start) { let number = '0' + build_vega_expression_module_source[build_vega_expression_module_index++]; while (build_vega_expression_module_index < build_vega_expression_module_length) { if (!vega_expression_module_isOctalDigit(build_vega_expression_module_source[build_vega_expression_module_index])) { break; } number += build_vega_expression_module_source[build_vega_expression_module_index++]; } if (vega_expression_module_isIdentifierStart(build_vega_expression_module_source.charCodeAt(build_vega_expression_module_index)) || vega_expression_module_isDecimalDigit(build_vega_expression_module_source.charCodeAt(build_vega_expression_module_index))) { vega_expression_module_throwError({}, vega_expression_module_MessageUnexpectedToken, vega_expression_module_ILLEGAL); } return { type: vega_expression_module_TokenNumericLiteral, value: parseInt(number, 8), octal: true, start: start, end: build_vega_expression_module_index }; } function vega_expression_module_scanNumericLiteral() { var number, start, ch; ch = build_vega_expression_module_source[build_vega_expression_module_index]; vega_expression_module_assert(vega_expression_module_isDecimalDigit(ch.charCodeAt(0)) || ch === '.', 'Numeric literal must start with a decimal digit or a decimal point'); start = build_vega_expression_module_index; number = ''; if (ch !== '.') { number = build_vega_expression_module_source[build_vega_expression_module_index++]; ch = build_vega_expression_module_source[build_vega_expression_module_index]; // Hex number starts with '0x'. // Octal number starts with '0'. if (number === '0') { if (ch === 'x' || ch === 'X') { ++build_vega_expression_module_index; return vega_expression_module_scanHexLiteral(start); } if (vega_expression_module_isOctalDigit(ch)) { return vega_expression_module_scanOctalLiteral(start); } // decimal number starts with '0' such as '09' is illegal. if (ch && vega_expression_module_isDecimalDigit(ch.charCodeAt(0))) { vega_expression_module_throwError({}, vega_expression_module_MessageUnexpectedToken, vega_expression_module_ILLEGAL); } } while (vega_expression_module_isDecimalDigit(build_vega_expression_module_source.charCodeAt(build_vega_expression_module_index))) { number += build_vega_expression_module_source[build_vega_expression_module_index++]; } ch = build_vega_expression_module_source[build_vega_expression_module_index]; } if (ch === '.') { number += build_vega_expression_module_source[build_vega_expression_module_index++]; while (vega_expression_module_isDecimalDigit(build_vega_expression_module_source.charCodeAt(build_vega_expression_module_index))) { number += build_vega_expression_module_source[build_vega_expression_module_index++]; } ch = build_vega_expression_module_source[build_vega_expression_module_index]; } if (ch === 'e' || ch === 'E') { number += build_vega_expression_module_source[build_vega_expression_module_index++]; ch = build_vega_expression_module_source[build_vega_expression_module_index]; if (ch === '+' || ch === '-') { number += build_vega_expression_module_source[build_vega_expression_module_index++]; } if (vega_expression_module_isDecimalDigit(build_vega_expression_module_source.charCodeAt(build_vega_expression_module_index))) { while (vega_expression_module_isDecimalDigit(build_vega_expression_module_source.charCodeAt(build_vega_expression_module_index))) { number += build_vega_expression_module_source[build_vega_expression_module_index++]; } } else { vega_expression_module_throwError({}, vega_expression_module_MessageUnexpectedToken, vega_expression_module_ILLEGAL); } } if (vega_expression_module_isIdentifierStart(build_vega_expression_module_source.charCodeAt(build_vega_expression_module_index))) { vega_expression_module_throwError({}, vega_expression_module_MessageUnexpectedToken, vega_expression_module_ILLEGAL); } return { type: vega_expression_module_TokenNumericLiteral, value: parseFloat(number), start: start, end: build_vega_expression_module_index }; } // 7.8.4 String Literals function vega_expression_module_scanStringLiteral() { var str = '', quote, start, ch, code, octal = false; quote = build_vega_expression_module_source[build_vega_expression_module_index]; vega_expression_module_assert(quote === '\'' || quote === '"', 'String literal must starts with a quote'); start = build_vega_expression_module_index; ++build_vega_expression_module_index; while (build_vega_expression_module_index < build_vega_expression_module_length) { ch = build_vega_expression_module_source[build_vega_expression_module_index++]; if (ch === quote) { quote = ''; break; } else if (ch === '\\') { ch = build_vega_expression_module_source[build_vega_expression_module_index++]; if (!ch || !vega_expression_module_isLineTerminator(ch.charCodeAt(0))) { switch (ch) { case 'u': case 'x': if (build_vega_expression_module_source[build_vega_expression_module_index] === '{') { ++build_vega_expression_module_index; str += vega_expression_module_scanUnicodeCodePointEscape(); } else { str += vega_expression_module_scanHexEscape(ch); } break; case 'n': str += '\n'; break; case 'r': str += '\r'; break; case 't': str += '\t'; break; case 'b': str += '\b'; break; case 'f': str += '\f'; break; case 'v': str += '\x0B'; break; default: if (vega_expression_module_isOctalDigit(ch)) { code = '01234567'.indexOf(ch); // \0 is not octal escape sequence if (code !== 0) { octal = true; } if (build_vega_expression_module_index < build_vega_expression_module_length && vega_expression_module_isOctalDigit(build_vega_expression_module_source[build_vega_expression_module_index])) { octal = true; code = code * 8 + '01234567'.indexOf(build_vega_expression_module_source[build_vega_expression_module_index++]); // 3 digits are only allowed when string starts // with 0, 1, 2, 3 if ('0123'.indexOf(ch) >= 0 && build_vega_expression_module_index < build_vega_expression_module_length && vega_expression_module_isOctalDigit(build_vega_expression_module_source[build_vega_expression_module_index])) { code = code * 8 + '01234567'.indexOf(build_vega_expression_module_source[build_vega_expression_module_index++]); } } str += String.fromCharCode(code); } else { str += ch; } break; } } else { if (ch === '\r' && build_vega_expression_module_source[build_vega_expression_module_index] === '\n') { ++build_vega_expression_module_index; } } } else if (vega_expression_module_isLineTerminator(ch.charCodeAt(0))) { break; } else { str += ch; } } if (quote !== '') { vega_expression_module_throwError({}, vega_expression_module_MessageUnexpectedToken, vega_expression_module_ILLEGAL); } return { type: vega_expression_module_TokenStringLiteral, value: str, octal: octal, start: start, end: build_vega_expression_module_index }; } function vega_expression_module_testRegExp(pattern, flags) { let tmp = pattern; if (flags.indexOf('u') >= 0) { // Replace each astral symbol and every Unicode code point // escape sequence with a single ASCII symbol to avoid throwing on // regular expressions that are only valid in combination with the // `/u` flag. // Note: replacing with the ASCII symbol `x` might cause false // negatives in unlikely scenarios. For example, `[\u{61}-b]` is a // perfectly valid pattern that is equivalent to `[a-b]`, but it // would be replaced by `[x-b]` which throws an error. tmp = tmp.replace(/\\u\{([0-9a-fA-F]+)\}/g, ($0, $1) => { if (parseInt($1, 16) <= 0x10FFFF) { return 'x'; } vega_expression_module_throwError({}, vega_expression_module_MessageInvalidRegExp); }).replace(/[\uD800-\uDBFF][\uDC00-\uDFFF]/g, 'x'); } // First, detect invalid regular expressions. try { new RegExp(tmp); } catch (e) { vega_expression_module_throwError({}, vega_expression_module_MessageInvalidRegExp); } // Return a regular expression object for this pattern-flag pair, or // `null` in case the current environment doesn't support the flags it // uses. try { return new RegExp(pattern, flags); } catch (exception) { return null; } } function vega_expression_module_scanRegExpBody() { var ch, str, classMarker, terminated, body; ch = build_vega_expression_module_source[build_vega_expression_module_index]; vega_expression_module_assert(ch === '/', 'Regular expression literal must start with a slash'); str = build_vega_expression_module_source[build_vega_expression_module_index++]; classMarker = false; terminated = false; while (build_vega_expression_module_index < build_vega_expression_module_length) { ch = build_vega_expression_module_source[build_vega_expression_module_index++]; str += ch; if (ch === '\\') { ch = build_vega_expression_module_source[build_vega_expression_module_index++]; // ECMA-262 7.8.5 if (vega_expression_module_isLineTerminator(ch.charCodeAt(0))) { vega_expression_module_throwError({}, vega_expression_module_MessageUnterminatedRegExp); } str += ch; } else if (vega_expression_module_isLineTerminator(ch.charCodeAt(0))) { vega_expression_module_throwError({}, vega_expression_module_MessageUnterminatedRegExp); } else if (classMarker) { if (ch === ']') { classMarker = false; } } else { if (ch === '/') { terminated = true; break; } else if (ch === '[') { classMarker = true; } } } if (!terminated) { vega_expression_module_throwError({}, vega_expression_module_MessageUnterminatedRegExp); } // Exclude leading and trailing slash. body = str.substr(1, str.length - 2); return { value: body, literal: str }; } function vega_expression_module_scanRegExpFlags() { var ch, str, flags; str = ''; flags = ''; while (build_vega_expression_module_index < build_vega_expression_module_length) { ch = build_vega_expression_module_source[build_vega_expression_module_index]; if (!vega_expression_module_isIdentifierPart(ch.charCodeAt(0))) { break; } ++build_vega_expression_module_index; if (ch === '\\' && build_vega_expression_module_index < build_vega_expression_module_length) { vega_expression_module_throwError({}, vega_expression_module_MessageUnexpectedToken, vega_expression_module_ILLEGAL); } else { flags += ch; str += ch; } } if (flags.search(/[^gimuy]/g) >= 0) { vega_expression_module_throwError({}, vega_expression_module_MessageInvalidRegExp, flags); } return { value: flags, literal: str }; } function vega_expression_module_scanRegExp() { var start, body, flags, value; vega_expression_module_lookahead = null; vega_expression_module_skipComment(); start = build_vega_expression_module_index; body = vega_expression_module_scanRegExpBody(); flags = vega_expression_module_scanRegExpFlags(); value = vega_expression_module_testRegExp(body.value, flags.value); return { literal: body.literal + flags.literal, value: value, regex: { pattern: body.value, flags: flags.value }, start: start, end: build_vega_expression_module_index }; } function vega_expression_module_isIdentifierName(token) { return token.type === vega_expression_module_TokenIdentifier || token.type === vega_expression_module_TokenKeyword || token.type === vega_expression_module_TokenBooleanLiteral || token.type === vega_expression_module_TokenNullLiteral; } function vega_expression_module_advance() { vega_expression_module_skipComment(); if (build_vega_expression_module_index >= build_vega_expression_module_length) { return { type: vega_expression_module_TokenEOF, start: build_vega_expression_module_index, end: build_vega_expression_module_index }; } const ch = build_vega_expression_module_source.charCodeAt(build_vega_expression_module_index); if (vega_expression_module_isIdentifierStart(ch)) { return vega_expression_module_scanIdentifier(); } // Very common: ( and ) and ; if (ch === 0x28 || ch === 0x29 || ch === 0x3B) { return vega_expression_module_scanPunctuator(); } // String literal starts with single quote (U+0027) or double quote (U+0022). if (ch === 0x27 || ch === 0x22) { return vega_expression_module_scanStringLiteral(); } // Dot (.) U+002E can also start a floating-point number, hence the need // to check the next character. if (ch === 0x2E) { if (vega_expression_module_isDecimalDigit(build_vega_expression_module_source.charCodeAt(build_vega_expression_module_index + 1))) { return vega_expression_module_scanNumericLiteral(); } return vega_expression_module_scanPunctuator(); } if (vega_expression_module_isDecimalDigit(ch)) { return vega_expression_module_scanNumericLiteral(); } return vega_expression_module_scanPunctuator(); } function vega_expression_module_lex() { const token = vega_expression_module_lookahead; build_vega_expression_module_index = token.end; vega_expression_module_lookahead = vega_expression_module_advance(); build_vega_expression_module_index = token.end; return token; } function build_vega_expression_module_peek() { const pos = build_vega_expression_module_index; vega_expression_module_lookahead = vega_expression_module_advance(); build_vega_expression_module_index = pos; } function vega_expression_module_finishArrayExpression(elements) { const node = new vega_expression_module_ASTNode(vega_expression_module_SyntaxArrayExpression); node.elements = elements; return node; } function vega_expression_module_finishBinaryExpression(operator, left, right) { const node = new vega_expression_module_ASTNode(operator === '||' || operator === '&&' ? vega_expression_module_SyntaxLogicalExpression : vega_expression_module_SyntaxBinaryExpression); node.operator = operator; node.left = left; node.right = right; return node; } function vega_expression_module_finishCallExpression(callee, args) { const node = new vega_expression_module_ASTNode(vega_expression_module_SyntaxCallExpression); node.callee = callee; node.arguments = args; return node; } function vega_expression_module_finishConditionalExpression(test, consequent, alternate) { const node = new vega_expression_module_ASTNode(vega_expression_module_SyntaxConditionalExpression); node.test = test; node.consequent = consequent; node.alternate = alternate; return node; } function vega_expression_module_finishIdentifier(name) { const node = new vega_expression_module_ASTNode(vega_expression_module_SyntaxIdentifier); node.name = name; return node; } function vega_expression_module_finishLiteral(token) { const node = new vega_expression_module_ASTNode(vega_expression_module_SyntaxLiteral); node.value = token.value; node.raw = build_vega_expression_module_source.slice(token.start, token.end); if (token.regex) { if (node.raw === '//') { node.raw = '/(?:)/'; } node.regex = token.regex; } return node; } function vega_expression_module_finishMemberExpression(accessor, object, property) { const node = new vega_expression_module_ASTNode(vega_expression_module_SyntaxMemberExpression); node.computed = accessor === '['; node.object = object; node.property = property; if (!node.computed) property.member = true; return node; } function vega_expression_module_finishObjectExpression(properties) { const node = new vega_expression_module_ASTNode(vega_expression_module_SyntaxObjectExpression); node.properties = properties; return node; } function vega_expression_module_finishProperty(kind, key, value) { const node = new vega_expression_module_ASTNode(vega_expression_module_SyntaxProperty); node.key = key; node.value = value; node.kind = kind; return node; } function vega_expression_module_finishUnaryExpression(operator, argument) { const node = new vega_expression_module_ASTNode(vega_expression_module_SyntaxUnaryExpression); node.operator = operator; node.argument = argument; node.prefix = true; return node; } // Throw an exception function vega_expression_module_throwError(token, messageFormat) { var error, args = Array.prototype.slice.call(arguments, 2), msg = messageFormat.replace(/%(\d)/g, (whole, index) => { vega_expression_module_assert(index < args.length, 'Message reference must be in range'); return args[index]; }); error = new Error(msg); error.index = build_vega_expression_module_index; error.description = msg; throw error; } // Throw an exception because of the token. function vega_expression_module_throwUnexpected(token) { if (token.type === vega_expression_module_TokenEOF) { vega_expression_module_throwError(token, vega_expression_module_MessageUnexpectedEOS); } if (token.type === vega_expression_module_TokenNumericLiteral) { vega_expression_module_throwError(token, vega_expression_module_MessageUnexpectedNumber); } if (token.type === vega_expression_module_TokenStringLiteral) { vega_expression_module_throwError(token, vega_expression_module_MessageUnexpectedString); } if (token.type === vega_expression_module_TokenIdentifier) { vega_expression_module_throwError(token, vega_expression_module_MessageUnexpectedIdentifier); } if (token.type === vega_expression_module_TokenKeyword) { vega_expression_module_throwError(token, vega_expression_module_MessageUnexpectedReserved); } // BooleanLiteral, NullLiteral, or Punctuator. vega_expression_module_throwError(token, vega_expression_module_MessageUnexpectedToken, token.value); } // Expect the next token to match the specified punctuator. // If not, an exception will be thrown. function vega_expression_module_expect(value) { const token = vega_expression_module_lex(); if (token.type !== vega_expression_module_TokenPunctuator || token.value !== value) { vega_expression_module_throwUnexpected(token); } } // Return true if the next token matches the specified punctuator. function vega_expression_module_match(value) { return vega_expression_module_lookahead.type === vega_expression_module_TokenPunctuator && vega_expression_module_lookahead.value === value; } // Return true if the next token matches the specified keyword function vega_expression_module_matchKeyword(keyword) { return vega_expression_module_lookahead.type === vega_expression_module_TokenKeyword && vega_expression_module_lookahead.value === keyword; } // 11.1.4 Array Initialiser function vega_expression_module_parseArrayInitialiser() { const elements = []; build_vega_expression_module_index = vega_expression_module_lookahead.start; vega_expression_module_expect('['); while (!vega_expression_module_match(']')) { if (vega_expression_module_match(',')) { vega_expression_module_lex(); elements.push(null); } else { elements.push(vega_expression_module_parseConditionalExpression()); if (!vega_expression_module_match(']')) { vega_expression_module_expect(','); } } } vega_expression_module_lex(); return vega_expression_module_finishArrayExpression(elements); } // 11.1.5 Object Initialiser function vega_expression_module_parseObjectPropertyKey() { build_vega_expression_module_index = vega_expression_module_lookahead.start; const token = vega_expression_module_lex(); // Note: This function is called only from parseObjectProperty(), where // EOF and Punctuator tokens are already filtered out. if (token.type === vega_expression_module_TokenStringLiteral || token.type === vega_expression_module_TokenNumericLiteral) { if (token.octal) { vega_expression_module_throwError(token, vega_expression_module_MessageStrictOctalLiteral); } return vega_expression_module_finishLiteral(token); } return vega_expression_module_finishIdentifier(token.value); } function vega_expression_module_parseObjectProperty() { var token, key, id, value; build_vega_expression_module_index = vega_expression_module_lookahead.start; token = vega_expression_module_lookahead; if (token.type === vega_expression_module_TokenIdentifier) { id = vega_expression_module_parseObjectPropertyKey(); vega_expression_module_expect(':'); value = vega_expression_module_parseConditionalExpression(); return vega_expression_module_finishProperty('init', id, value); } if (token.type === vega_expression_module_TokenEOF || token.type === vega_expression_module_TokenPunctuator) { vega_expression_module_throwUnexpected(token); } else { key = vega_expression_module_parseObjectPropertyKey(); vega_expression_module_expect(':'); value = vega_expression_module_parseConditionalExpression(); return vega_expression_module_finishProperty('init', key, value); } } function vega_expression_module_parseObjectInitialiser() { var properties = [], property, name, key, map = {}, toString = String; build_vega_expression_module_index = vega_expression_module_lookahead.start; vega_expression_module_expect('{'); while (!vega_expression_module_match('}')) { property = vega_expression_module_parseObjectProperty(); if (property.key.type === vega_expression_module_SyntaxIdentifier) { name = property.key.name; } else { name = toString(property.key.value); } key = '$' + name; if (Object.prototype.hasOwnProperty.call(map, key)) { vega_expression_module_throwError({}, vega_expression_module_MessageStrictDuplicateProperty); } else { map[key] = true; } properties.push(property); if (!vega_expression_module_match('}')) { vega_expression_module_expect(','); } } vega_expression_module_expect('}'); return vega_expression_module_finishObjectExpression(properties); } // 11.1.6 The Grouping Operator function vega_expression_module_parseGroupExpression() { vega_expression_module_expect('('); const expr = vega_expression_module_parseExpression(); vega_expression_module_expect(')'); return expr; } // 11.1 Primary Expressions const vega_expression_module_legalKeywords = { 'if': 1 }; function vega_expression_module_parsePrimaryExpression() { var type, token, expr; if (vega_expression_module_match('(')) { return vega_expression_module_parseGroupExpression(); } if (vega_expression_module_match('[')) { return vega_expression_module_parseArrayInitialiser(); } if (vega_expression_module_match('{')) { return vega_expression_module_parseObjectInitialiser(); } type = vega_expression_module_lookahead.type; build_vega_expression_module_index = vega_expression_module_lookahead.start; if (type === vega_expression_module_TokenIdentifier || vega_expression_module_legalKeywords[vega_expression_module_lookahead.value]) { expr = vega_expression_module_finishIdentifier(vega_expression_module_lex().value); } else if (type === vega_expression_module_TokenStringLiteral || type === vega_expression_module_TokenNumericLiteral) { if (vega_expression_module_lookahead.octal) { vega_expression_module_throwError(vega_expression_module_lookahead, vega_expression_module_MessageStrictOctalLiteral); } expr = vega_expression_module_finishLiteral(vega_expression_module_lex()); } else if (type === vega_expression_module_TokenKeyword) { throw new Error(vega_expression_module_DISABLED); } else if (type === vega_expression_module_TokenBooleanLiteral) { token = vega_expression_module_lex(); token.value = token.value === 'true'; expr = vega_expression_module_finishLiteral(token); } else if (type === vega_expression_module_TokenNullLiteral) { token = vega_expression_module_lex(); token.value = null; expr = vega_expression_module_finishLiteral(token); } else if (vega_expression_module_match('/') || vega_expression_module_match('/=')) { expr = vega_expression_module_finishLiteral(vega_expression_module_scanRegExp()); build_vega_expression_module_peek(); } else { vega_expression_module_throwUnexpected(vega_expression_module_lex()); } return expr; } // 11.2 Left-Hand-Side Expressions function vega_expression_module_parseArguments() { const args = []; vega_expression_module_expect('('); if (!vega_expression_module_match(')')) { while (build_vega_expression_module_index < build_vega_expression_module_length) { args.push(vega_expression_module_parseConditionalExpression()); if (vega_expression_module_match(')')) { break; } vega_expression_module_expect(','); } } vega_expression_module_expect(')'); return args; } function vega_expression_module_parseNonComputedProperty() { build_vega_expression_module_index = vega_expression_module_lookahead.start; const token = vega_expression_module_lex(); if (!vega_expression_module_isIdentifierName(token)) { vega_expression_module_throwUnexpected(token); } return vega_expression_module_finishIdentifier(token.value); } function vega_expression_module_parseNonComputedMember() { vega_expression_module_expect('.'); return vega_expression_module_parseNonComputedProperty(); } function vega_expression_module_parseComputedMember() { vega_expression_module_expect('['); const expr = vega_expression_module_parseExpression(); vega_expression_module_expect(']'); return expr; } function vega_expression_module_parseLeftHandSideExpressionAllowCall() { var expr, args, property; expr = vega_expression_module_parsePrimaryExpression(); for (;;) { if (vega_expression_module_match('.')) { property = vega_expression_module_parseNonComputedMember(); expr = vega_expression_module_finishMemberExpression('.', expr, property); } else if (vega_expression_module_match('(')) { args = vega_expression_module_parseArguments(); expr = vega_expression_module_finishCallExpression(expr, args); } else if (vega_expression_module_match('[')) { property = vega_expression_module_parseComputedMember(); expr = vega_expression_module_finishMemberExpression('[', expr, property); } else { break; } } return expr; } // 11.3 Postfix Expressions function vega_expression_module_parsePostfixExpression() { const expr = vega_expression_module_parseLeftHandSideExpressionAllowCall(); if (vega_expression_module_lookahead.type === vega_expression_module_TokenPunctuator) { if (vega_expression_module_match('++') || vega_expression_module_match('--')) { throw new Error(vega_expression_module_DISABLED); } } return expr; } // 11.4 Unary Operators function vega_expression_module_parseUnaryExpression() { var token, expr; if (vega_expression_module_lookahead.type !== vega_expression_module_TokenPunctuator && vega_expression_module_lookahead.type !== vega_expression_module_TokenKeyword) { expr = vega_expression_module_parsePostfixExpression(); } else if (vega_expression_module_match('++') || vega_expression_module_match('--')) { throw new Error(vega_expression_module_DISABLED); } else if (vega_expression_module_match('+') || vega_expression_module_match('-') || vega_expression_module_match('~') || vega_expression_module_match('!')) { token = vega_expression_module_lex(); expr = vega_expression_module_parseUnaryExpression(); expr = vega_expression_module_finishUnaryExpression(token.value, expr); } else if (vega_expression_module_matchKeyword('delete') || vega_expression_module_matchKeyword('void') || vega_expression_module_matchKeyword('typeof')) { throw new Error(vega_expression_module_DISABLED); } else { expr = vega_expression_module_parsePostfixExpression(); } return expr; } function vega_expression_module_binaryPrecedence(token) { let prec = 0; if (token.type !== vega_expression_module_TokenPunctuator && token.type !== vega_expression_module_TokenKeyword) { return 0; } switch (token.value) { case '||': prec = 1; break; case '&&': prec = 2; break; case '|': prec = 3; break; case '^': prec = 4; break; case '&': prec = 5; break; case '==': case '!=': case '===': case '!==': prec = 6; break; case '<': case '>': case '<=': case '>=': case 'instanceof': case 'in': prec = 7; break; case '<<': case '>>': case '>>>': prec = 8; break; case '+': case '-': prec = 9; break; case '*': case '/': case '%': prec = 11; break; } return prec; } // 11.5 Multiplicative Operators // 11.6 Additive Operators // 11.7 Bitwise Shift Operators // 11.8 Relational Operators // 11.9 Equality Operators // 11.10 Binary Bitwise Operators // 11.11 Binary Logical Operators function vega_expression_module_parseBinaryExpression() { var marker, markers, expr, token, prec, stack, right, operator, left, i; marker = vega_expression_module_lookahead; left = vega_expression_module_parseUnaryExpression(); token = vega_expression_module_lookahead; prec = vega_expression_module_binaryPrecedence(token); if (prec === 0) { return left; } token.prec = prec; vega_expression_module_lex(); markers = [marker, vega_expression_module_lookahead]; right = vega_expression_module_parseUnaryExpression(); stack = [left, token, right]; while ((prec = vega_expression_module_binaryPrecedence(vega_expression_module_lookahead)) > 0) { // Reduce: make a binary expression from the three topmost entries. while (stack.length > 2 && prec <= stack[stack.length - 2].prec) { right = stack.pop(); operator = stack.pop().value; left = stack.pop(); markers.pop(); expr = vega_expression_module_finishBinaryExpression(operator, left, right); stack.push(expr); } // Shift. token = vega_expression_module_lex(); token.prec = prec; stack.push(token); markers.push(vega_expression_module_lookahead); expr = vega_expression_module_parseUnaryExpression(); stack.push(expr); } // Final reduce to clean-up the stack. i = stack.length - 1; expr = stack[i]; markers.pop(); while (i > 1) { markers.pop(); expr = vega_expression_module_finishBinaryExpression(stack[i - 1].value, stack[i - 2], expr); i -= 2; } return expr; } // 11.12 Conditional Operator function vega_expression_module_parseConditionalExpression() { var expr, consequent, alternate; expr = vega_expression_module_parseBinaryExpression(); if (vega_expression_module_match('?')) { vega_expression_module_lex(); consequent = vega_expression_module_parseConditionalExpression(); vega_expression_module_expect(':'); alternate = vega_expression_module_parseConditionalExpression(); expr = vega_expression_module_finishConditionalExpression(expr, consequent, alternate); } return expr; } // 11.14 Comma Operator function vega_expression_module_parseExpression() { const expr = vega_expression_module_parseConditionalExpression(); if (vega_expression_module_match(',')) { throw new Error(vega_expression_module_DISABLED); // no sequence expressions } return expr; } function vega_expression_module_parser (code) { build_vega_expression_module_source = code; build_vega_expression_module_index = 0; build_vega_expression_module_length = build_vega_expression_module_source.length; vega_expression_module_lookahead = null; build_vega_expression_module_peek(); const expr = vega_expression_module_parseExpression(); if (vega_expression_module_lookahead.type !== vega_expression_module_TokenEOF) { throw new Error('Unexpect token after expression.'); } return expr; } var vega_expression_module_Constants = { NaN: 'NaN', E: 'Math.E', LN2: 'Math.LN2', LN10: 'Math.LN10', LOG2E: 'Math.LOG2E', LOG10E: 'Math.LOG10E', PI: 'Math.PI', SQRT1_2: 'Math.SQRT1_2', SQRT2: 'Math.SQRT2', MIN_VALUE: 'Number.MIN_VALUE', MAX_VALUE: 'Number.MAX_VALUE' }; function vega_expression_module_Functions (codegen) { function fncall(name, args, cast, type) { let obj = codegen(args[0]); if (cast) { obj = cast + '(' + obj + ')'; if (cast.lastIndexOf('new ', 0) === 0) obj = '(' + obj + ')'; } return obj + '.' + name + (type < 0 ? '' : type === 0 ? '()' : '(' + args.slice(1).map(codegen).join(',') + ')'); } function fn(name, cast, type) { return args => fncall(name, args, cast, type); } const DATE = 'new Date', STRING = 'String', REGEXP = 'RegExp'; return { // MATH functions isNaN: 'Number.isNaN', isFinite: 'Number.isFinite', abs: 'Math.abs', acos: 'Math.acos', asin: 'Math.asin', atan: 'Math.atan', atan2: 'Math.atan2', ceil: 'Math.ceil', cos: 'Math.cos', exp: 'Math.exp', floor: 'Math.floor', hypot: 'Math.hypot', log: 'Math.log', max: 'Math.max', min: 'Math.min', pow: 'Math.pow', random: 'Math.random', round: 'Math.round', sin: 'Math.sin', sqrt: 'Math.sqrt', tan: 'Math.tan', clamp: function (args) { if (args.length < 3) error('Missing arguments to clamp function.'); if (args.length > 3) error('Too many arguments to clamp function.'); const a = args.map(codegen); return 'Math.max(' + a[1] + ', Math.min(' + a[2] + ',' + a[0] + '))'; }, // DATE functions now: 'Date.now', utc: 'Date.UTC', datetime: DATE, date: fn('getDate', DATE, 0), day: fn('getDay', DATE, 0), year: fn('getFullYear', DATE, 0), month: fn('getMonth', DATE, 0), hours: fn('getHours', DATE, 0), minutes: fn('getMinutes', DATE, 0), seconds: fn('getSeconds', DATE, 0), milliseconds: fn('getMilliseconds', DATE, 0), time: fn('getTime', DATE, 0), timezoneoffset: fn('getTimezoneOffset', DATE, 0), utcdate: fn('getUTCDate', DATE, 0), utcday: fn('getUTCDay', DATE, 0), utcyear: fn('getUTCFullYear', DATE, 0), utcmonth: fn('getUTCMonth', DATE, 0), utchours: fn('getUTCHours', DATE, 0), utcminutes: fn('getUTCMinutes', DATE, 0), utcseconds: fn('getUTCSeconds', DATE, 0), utcmilliseconds: fn('getUTCMilliseconds', DATE, 0), // sequence functions length: fn('length', null, -1), // STRING functions parseFloat: 'parseFloat', parseInt: 'parseInt', upper: fn('toUpperCase', STRING, 0), lower: fn('toLowerCase', STRING, 0), substring: fn('substring', STRING), split: fn('split', STRING), trim: fn('trim', STRING, 0), // REGEXP functions regexp: REGEXP, test: fn('test', REGEXP), // Control Flow functions if: function (args) { if (args.length < 3) error('Missing arguments to if function.'); if (args.length > 3) error('Too many arguments to if function.'); const a = args.map(codegen); return '(' + a[0] + '?' + a[1] + ':' + a[2] + ')'; } }; } function vega_expression_module_stripQuotes(s) { const n = s && s.length - 1; return n && (s[0] === '"' && s[n] === '"' || s[0] === '\'' && s[n] === '\'') ? s.slice(1, -1) : s; } function vega_expression_module_codegen (opt) { opt = opt || {}; const allowed = opt.allowed ? toSet(opt.allowed) : {}, forbidden = opt.forbidden ? toSet(opt.forbidden) : {}, constants = opt.constants || vega_expression_module_Constants, functions = (opt.functions || vega_expression_module_Functions)(visit), globalvar = opt.globalvar, fieldvar = opt.fieldvar, outputGlobal = isFunction(globalvar) ? globalvar : id => `${globalvar}["${id}"]`; let globals = {}, fields = {}, memberDepth = 0; function visit(ast) { if (isString(ast)) return ast; const generator = Generators[ast.type]; if (generator == null) error('Unsupported type: ' + ast.type); return generator(ast); } const Generators = { Literal: n => n.raw, Identifier: n => { const id = n.name; if (memberDepth > 0) { return id; } else if (hasOwnProperty(forbidden, id)) { return error('Illegal identifier: ' + id); } else if (hasOwnProperty(constants, id)) { return constants[id]; } else if (hasOwnProperty(allowed, id)) { return id; } else { globals[id] = 1; return outputGlobal(id); } }, MemberExpression: n => { const d = !n.computed, o = visit(n.object); if (d) memberDepth += 1; const p = visit(n.property); if (o === fieldvar) { // strip quotes to sanitize field name (#1653) fields[vega_expression_module_stripQuotes(p)] = 1; } if (d) memberDepth -= 1; return o + (d ? '.' + p : '[' + p + ']'); }, CallExpression: n => { if (n.callee.type !== 'Identifier') { error('Illegal callee type: ' + n.callee.type); } const callee = n.callee.name, args = n.arguments, fn = hasOwnProperty(functions, callee) && functions[callee]; if (!fn) error('Unrecognized function: ' + callee); return isFunction(fn) ? fn(args) : fn + '(' + args.map(visit).join(',') + ')'; }, ArrayExpression: n => '[' + n.elements.map(visit).join(',') + ']', BinaryExpression: n => '(' + visit(n.left) + ' ' + n.operator + ' ' + visit(n.right) + ')', UnaryExpression: n => '(' + n.operator + visit(n.argument) + ')', ConditionalExpression: n => '(' + visit(n.test) + '?' + visit(n.consequent) + ':' + visit(n.alternate) + ')', LogicalExpression: n => '(' + visit(n.left) + n.operator + visit(n.right) + ')', ObjectExpression: n => '{' + n.properties.map(visit).join(',') + '}', Property: n => { memberDepth += 1; const k = visit(n.key); memberDepth -= 1; return k + ':' + visit(n.value); } }; function codegen(ast) { const result = { code: visit(ast), globals: Object.keys(globals), fields: Object.keys(fields) }; globals = {}; fields = {}; return result; } codegen.functions = functions; codegen.constants = constants; return codegen; } ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/data/expressions.js function getName(node) { const name = []; if (node.type === 'Identifier') { return [node.name]; } if (node.type === 'Literal') { return [node.value]; } if (node.type === 'MemberExpression') { name.push(...getName(node.object)); name.push(...getName(node.property)); } return name; } function startsWithDatum(node) { if (node.object.type === 'MemberExpression') { return startsWithDatum(node.object); } return node.object.name === 'datum'; } function getDependentFields(expression) { const ast = vega_expression_module_parser(expression); const dependents = new Set(); // visit is missing in types https://github.com/vega/vega/issues/3298 ast.visit((node) => { if (node.type === 'MemberExpression' && startsWithDatum(node)) { dependents.add(getName(node).slice(1).join('.')); } }); return dependents; } //# sourceMappingURL=expressions.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/data/filter.js class FilterNode extends DataFlowNode { clone() { return new FilterNode(null, this.model, duplicate(this.filter)); } constructor(parent, model, filter) { super(parent); this.model = model; this.filter = filter; // TODO: refactor this to not take a node and // then add a static function makeFromOperand and make the constructor take only an expression this.expr = predicate_expression(this.model, this.filter, this); this._dependentFields = getDependentFields(this.expr); } dependentFields() { return this._dependentFields; } producedFields() { return new Set(); // filter does not produce any new fields } assemble() { return { type: 'filter', expr: this.expr }; } hash() { return `Filter ${this.expr}`; } } //# sourceMappingURL=filter.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/selection/parse.js function parseUnitSelection(model, selDefs) { const selCmpts = {}; const selectionConfig = model.config.selection; if (!selDefs || !selDefs.length) return selCmpts; for (const def of selDefs) { const name = varName(def.name); const selDef = def.select; const type = vega_util_module_isString(selDef) ? selDef : selDef.type; const defaults = isObject(selDef) ? duplicate(selDef) : { type }; // Set default values from config if a property hasn't been specified, // or if it is true. E.g., "translate": true should use the default // event handlers for translate. However, true may be a valid value for // a property (e.g., "nearest": true). const cfg = selectionConfig[type]; for (const key in cfg) { // Project transform applies its defaults. if (key === 'fields' || key === 'encodings') { continue; } if (key === 'mark') { defaults[key] = { ...cfg[key], ...defaults[key] }; } if (defaults[key] === undefined || defaults[key] === true) { defaults[key] = duplicate(cfg[key] ?? defaults[key]); } } const selCmpt = (selCmpts[name] = { ...defaults, name, type, init: def.value, bind: def.bind, events: vega_util_module_isString(defaults.on) ? eventSelector(defaults.on, 'scope') : array(duplicate(defaults.on)) }); const def_ = duplicate(def); // defensive copy to prevent compilers from causing side effects for (const c of selectionCompilers) { if (c.defined(selCmpt) && c.parse) { c.parse(model, selCmpt, def_); } } } return selCmpts; } function parseSelectionPredicate(model, pred, dfnode, datum = 'datum') { const name = vega_util_module_isString(pred) ? pred : pred.param; const vname = varName(name); const store = $(vname + STORE); let selCmpt; try { selCmpt = model.getSelectionComponent(vname, name); } catch (e) { // If a selection isn't found, treat as a variable parameter and coerce to boolean. return `!!${vname}`; } if (selCmpt.project.timeUnit) { const child = dfnode ?? model.component.data.raw; const tunode = selCmpt.project.timeUnit.clone(); if (child.parent) { tunode.insertAsParentOf(child); } else { child.parent = tunode; } } const fn = selCmpt.project.hasSelectionId ? 'vlSelectionIdTest(' : 'vlSelectionTest('; const resolve = selCmpt.resolve === 'global' ? ')' : `, ${$(selCmpt.resolve)})`; const test = `${fn}${store}, ${datum}${resolve}`; const length = `length(data(${store}))`; return pred.empty === false ? `${length} && ${test}` : `!${length} || ${test}`; } function parseSelectionExtent(model, name, extent) { const vname = varName(name); const encoding = extent['encoding']; let field = extent['field']; let selCmpt; try { selCmpt = model.getSelectionComponent(vname, name); } catch (e) { // If a selection isn't found, treat it as a variable parameter. return vname; } if (!encoding && !field) { field = selCmpt.project.items[0].field; if (selCmpt.project.items.length > 1) { log_warn('A "field" or "encoding" must be specified when using a selection as a scale domain. ' + `Using "field": ${$(field)}.`); } } else if (encoding && !field) { const encodings = selCmpt.project.items.filter(p => p.channel === encoding); if (!encodings.length || encodings.length > 1) { field = selCmpt.project.items[0].field; log_warn((!encodings.length ? 'No ' : 'Multiple ') + `matching ${$(encoding)} encoding found for selection ${$(extent.param)}. ` + `Using "field": ${$(field)}.`); } else { field = encodings[0].field; } } return `${selCmpt.name}[${$(replacePathInField(field))}]`; } function materializeSelections(model, main) { for (const [selection, selCmpt] of entries(model.component.selection ?? {})) { const lookupName = model.getName(`lookup_${selection}`); model.component.data.outputNodes[lookupName] = selCmpt.materialized = new OutputNode(new FilterNode(main, model, { param: selection }), lookupName, DataSourceType.Lookup, model.component.data.outputNodeRefCounts); } } //# sourceMappingURL=parse.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/predicate.js /** * Converts a predicate into an expression. */ // model is only used for selection filters. function predicate_expression(model, filterOp, node) { return logicalExpr(filterOp, (predicate) => { if (vega_util_module_isString(predicate)) { return predicate; } else if (isSelectionPredicate(predicate)) { return parseSelectionPredicate(model, predicate, node); } else { // Filter Object return fieldFilterExpression(predicate); } }); } //# sourceMappingURL=predicate.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/axis/assemble.js function assembleTitle(title, config) { if (!title) { return undefined; } if (isArray(title) && !isText(title)) { return title.map(fieldDef => defaultTitle(fieldDef, config)).join(', '); } return title; } function setAxisEncode(axis, part, vgProp, vgRef) { var _a, _b; axis.encode ?? (axis.encode = {}); (_a = axis.encode)[part] ?? (_a[part] = {}); (_b = axis.encode[part]).update ?? (_b.update = {}); // TODO: remove as any after https://github.com/prisma/nexus-prisma/issues/291 axis.encode[part].update[vgProp] = vgRef; } function assembleAxis(axisCmpt, kind, config, opt = { header: false }) { const { disable, orient, scale, labelExpr, title, zindex, ...axis } = axisCmpt.combine(); if (disable) { return undefined; } for (const prop in axis) { const propType = AXIS_PROPERTY_TYPE[prop]; const propValue = axis[prop]; if (propType && propType !== kind && propType !== 'both') { // Remove properties that are not valid for this kind of axis delete axis[prop]; } else if (isConditionalAxisValue(propValue)) { // deal with conditional axis value const { condition, ...valueOrSignalRef } = propValue; const conditions = array(condition); const propIndex = CONDITIONAL_AXIS_PROP_INDEX[prop]; if (propIndex) { const { vgProp, part } = propIndex; // If there is a corresponding Vega property for the channel, // use Vega's custom axis encoding and delete the original axis property to avoid conflicts const vgRef = [ ...conditions.map(c => { const { test, ...valueOrSignalCRef } = c; return { test: predicate_expression(null, test), ...valueOrSignalCRef }; }), valueOrSignalRef ]; setAxisEncode(axis, part, vgProp, vgRef); delete axis[prop]; } else if (propIndex === null) { // If propIndex is null, this means we support conditional axis property by converting the condition to signal instead. const signalRef = { signal: conditions .map(c => { const { test, ...valueOrSignalCRef } = c; return `${predicate_expression(null, test)} ? ${exprFromValueRefOrSignalRef(valueOrSignalCRef)} : `; }) .join('') + exprFromValueRefOrSignalRef(valueOrSignalRef) }; axis[prop] = signalRef; } } else if (isSignalRef(propValue)) { const propIndex = CONDITIONAL_AXIS_PROP_INDEX[prop]; if (propIndex) { const { vgProp, part } = propIndex; setAxisEncode(axis, part, vgProp, propValue); delete axis[prop]; } // else do nothing since the property already supports signal } // Do not pass labelAlign/Baseline = null to Vega since it won't pass the schema // Note that we need to use null so the default labelAlign is preserved. if (util_contains(['labelAlign', 'labelBaseline'], prop) && axis[prop] === null) { delete axis[prop]; } } if (kind === 'grid') { if (!axis.grid) { return undefined; } // Remove unnecessary encode block if (axis.encode) { // Only need to keep encode block for grid const { grid } = axis.encode; axis.encode = { ...(grid ? { grid } : {}) }; if (isEmpty(axis.encode)) { delete axis.encode; } } return { scale, orient, ...axis, domain: false, labels: false, aria: false, // Always set min/maxExtent to 0 to ensure that `config.axis*.minExtent` and `config.axis*.maxExtent` // would not affect gridAxis maxExtent: 0, minExtent: 0, ticks: false, zindex: getFirstDefined(zindex, 0) // put grid behind marks by default }; } else { // kind === 'main' if (!opt.header && axisCmpt.mainExtracted) { // if mainExtracted has been extracted to a separate facet return undefined; } if (labelExpr !== undefined) { let expr = labelExpr; if (axis.encode?.labels?.update && isSignalRef(axis.encode.labels.update.text)) { expr = replaceAll(labelExpr, 'datum.label', axis.encode.labels.update.text.signal); } setAxisEncode(axis, 'labels', 'text', { signal: expr }); } if (axis.labelAlign === null) { delete axis.labelAlign; } // Remove unnecessary encode block if (axis.encode) { for (const part of AXIS_PARTS) { if (!axisCmpt.hasAxisPart(part)) { delete axis.encode[part]; } } if (isEmpty(axis.encode)) { delete axis.encode; } } const titleString = assembleTitle(title, config); return { scale, orient, grid: false, ...(titleString ? { title: titleString } : {}), ...axis, ...(config.aria === false ? { aria: false } : {}), zindex: getFirstDefined(zindex, 0) // put axis line above marks by default }; } } /** * Add axis signals so grid line works correctly * (Fix https://github.com/vega/vega-lite/issues/4226) */ function assembleAxisSignals(model) { const { axes } = model.component; const signals = []; for (const channel of POSITION_SCALE_CHANNELS) { if (axes[channel]) { for (const axis of axes[channel]) { if (!axis.get('disable') && !axis.get('gridScale')) { // If there is x-axis but no y-scale for gridScale, need to set height/width so x-axis can draw the grid with the right height. Same for y-axis and width. const sizeType = channel === 'x' ? 'height' : 'width'; const update = model.getSizeSignalRef(sizeType).signal; if (sizeType !== update) { signals.push({ name: sizeType, update }); } } } } } return signals; } function assembleAxes(axisComponents, config) { const { x = [], y = [] } = axisComponents; return [ ...x.map(a => assembleAxis(a, 'grid', config)), ...y.map(a => assembleAxis(a, 'grid', config)), ...x.map(a => assembleAxis(a, 'main', config)), ...y.map(a => assembleAxis(a, 'main', config)) ].filter(a => a); // filter undefined } //# sourceMappingURL=assemble.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/axis/config.js function getAxisConfigFromConfigTypes(configTypes, config, channel, orient) { // TODO: add special casing to add conditional value based on orient signal return Object.assign.apply(null, [ {}, ...configTypes.map(configType => { if (configType === 'axisOrient') { const orient1 = channel === 'x' ? 'bottom' : 'left'; const orientConfig1 = config[channel === 'x' ? 'axisBottom' : 'axisLeft'] || {}; const orientConfig2 = config[channel === 'x' ? 'axisTop' : 'axisRight'] || {}; const props = new Set([...util_keys(orientConfig1), ...util_keys(orientConfig2)]); const conditionalOrientAxisConfig = {}; for (const prop of props.values()) { conditionalOrientAxisConfig[prop] = { // orient is surely signal in this case signal: `${orient['signal']} === "${orient1}" ? ${signalOrStringValue(orientConfig1[prop])} : ${signalOrStringValue(orientConfig2[prop])}` }; } return conditionalOrientAxisConfig; } return config[configType]; }) ]); } function getAxisConfigs(channel, scaleType, orient, config) { const typeBasedConfigTypes = scaleType === 'band' ? ['axisDiscrete', 'axisBand'] : scaleType === 'point' ? ['axisDiscrete', 'axisPoint'] : isQuantitative(scaleType) ? ['axisQuantitative'] : scaleType === 'time' || scaleType === 'utc' ? ['axisTemporal'] : []; const axisChannel = channel === 'x' ? 'axisX' : 'axisY'; const axisOrient = isSignalRef(orient) ? 'axisOrient' : `axis${titleCase(orient)}`; // axisTop, axisBottom, ... const vlOnlyConfigTypes = [ // technically Vega does have axisBand, but if we make another separation here, // it will further introduce complexity in the code ...typeBasedConfigTypes, ...typeBasedConfigTypes.map(c => axisChannel + c.substr(4)) ]; const vgConfigTypes = ['axis', axisOrient, axisChannel]; return { vlOnlyAxisConfig: getAxisConfigFromConfigTypes(vlOnlyConfigTypes, config, channel, orient), vgAxisConfig: getAxisConfigFromConfigTypes(vgConfigTypes, config, channel, orient), axisConfigStyle: getAxisConfigStyle([...vgConfigTypes, ...vlOnlyConfigTypes], config) }; } function getAxisConfigStyle(axisConfigTypes, config) { const toMerge = [{}]; for (const configType of axisConfigTypes) { // TODO: add special casing to add conditional value based on orient signal let style = config[configType]?.style; if (style) { style = array(style); for (const s of style) { toMerge.push(config.style[s]); } } } return Object.assign.apply(null, toMerge); } function getAxisConfig(property, styleConfigIndex, style, axisConfigs = {}) { const styleConfig = getStyleConfig(property, style, styleConfigIndex); if (styleConfig !== undefined) { return { configFrom: 'style', configValue: styleConfig }; } for (const configFrom of ['vlOnlyAxisConfig', 'vgAxisConfig', 'axisConfigStyle']) { if (axisConfigs[configFrom]?.[property] !== undefined) { return { configFrom, configValue: axisConfigs[configFrom][property] }; } } return {}; } //# sourceMappingURL=config.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/axis/properties.js const axisRules = { scale: ({ model, channel }) => model.scaleName(channel), format: ({ format }) => format, formatType: ({ formatType }) => formatType, grid: ({ fieldOrDatumDef, axis, scaleType }) => axis.grid ?? defaultGrid(scaleType, fieldOrDatumDef), gridScale: ({ model, channel }) => gridScale(model, channel), labelAlign: ({ axis, labelAngle, orient, channel }) => axis.labelAlign || defaultLabelAlign(labelAngle, orient, channel), labelAngle: ({ labelAngle }) => labelAngle, labelBaseline: ({ axis, labelAngle, orient, channel }) => axis.labelBaseline || defaultLabelBaseline(labelAngle, orient, channel), labelFlush: ({ axis, fieldOrDatumDef, channel }) => axis.labelFlush ?? defaultLabelFlush(fieldOrDatumDef.type, channel), labelOverlap: ({ axis, fieldOrDatumDef, scaleType }) => axis.labelOverlap ?? defaultLabelOverlap(fieldOrDatumDef.type, scaleType, isFieldDef(fieldOrDatumDef) && !!fieldOrDatumDef.timeUnit, isFieldDef(fieldOrDatumDef) ? fieldOrDatumDef.sort : undefined), // we already calculate orient in parse orient: ({ orient }) => orient, tickCount: ({ channel, model, axis, fieldOrDatumDef, scaleType }) => { const sizeType = channel === 'x' ? 'width' : channel === 'y' ? 'height' : undefined; const size = sizeType ? model.getSizeSignalRef(sizeType) : undefined; return axis.tickCount ?? defaultTickCount({ fieldOrDatumDef, scaleType, size, values: axis.values }); }, tickMinStep: defaultTickMinStep, title: ({ axis, model, channel }) => { if (axis.title !== undefined) { return axis.title; } const fieldDefTitle = getFieldDefTitle(model, channel); if (fieldDefTitle !== undefined) { return fieldDefTitle; } const fieldDef = model.typedFieldDef(channel); const channel2 = channel === 'x' ? 'x2' : 'y2'; const fieldDef2 = model.fieldDef(channel2); // If title not specified, store base parts of fieldDef (and fieldDef2 if exists) return mergeTitleFieldDefs(fieldDef ? [toFieldDefBase(fieldDef)] : [], isFieldDef(fieldDef2) ? [toFieldDefBase(fieldDef2)] : []); }, values: ({ axis, fieldOrDatumDef }) => properties_values(axis, fieldOrDatumDef), zindex: ({ axis, fieldOrDatumDef, mark }) => axis.zindex ?? defaultZindex(mark, fieldOrDatumDef) }; // TODO: we need to refactor this method after we take care of config refactoring /** * Default rules for whether to show a grid should be shown for a channel. * If `grid` is unspecified, the default value is `true` for ordinal scales that are not binned */ function defaultGrid(scaleType, fieldDef) { return !hasDiscreteDomain(scaleType) && isFieldDef(fieldDef) && !isBinning(fieldDef?.bin) && !isBinned(fieldDef?.bin); } function gridScale(model, channel) { const gridChannel = channel === 'x' ? 'y' : 'x'; if (model.getScaleComponent(gridChannel)) { return model.scaleName(gridChannel); } return undefined; } function getLabelAngle(fieldOrDatumDef, axis, channel, styleConfig, axisConfigs) { const labelAngle = axis?.labelAngle; // try axis value if (labelAngle !== undefined) { return isSignalRef(labelAngle) ? labelAngle : normalizeAngle(labelAngle); } else { // try axis config value const { configValue: angle } = getAxisConfig('labelAngle', styleConfig, axis?.style, axisConfigs); if (angle !== undefined) { return normalizeAngle(angle); } else { // get default value if (channel === channel_X && util_contains([NOMINAL, ORDINAL], fieldOrDatumDef.type) && !(isFieldDef(fieldOrDatumDef) && fieldOrDatumDef.timeUnit)) { return 270; } // no default return undefined; } } } function normalizeAngleExpr(angle) { return `(((${angle.signal} % 360) + 360) % 360)`; } function defaultLabelBaseline(angle, orient, channel, alwaysIncludeMiddle) { if (angle !== undefined) { if (channel === 'x') { if (isSignalRef(angle)) { const a = normalizeAngleExpr(angle); const orientIsTop = isSignalRef(orient) ? `(${orient.signal} === "top")` : orient === 'top'; return { signal: `(45 < ${a} && ${a} < 135) || (225 < ${a} && ${a} < 315) ? "middle" :` + `(${a} <= 45 || 315 <= ${a}) === ${orientIsTop} ? "bottom" : "top"` }; } if ((45 < angle && angle < 135) || (225 < angle && angle < 315)) { return 'middle'; } if (isSignalRef(orient)) { const op = angle <= 45 || 315 <= angle ? '===' : '!=='; return { signal: `${orient.signal} ${op} "top" ? "bottom" : "top"` }; } return (angle <= 45 || 315 <= angle) === (orient === 'top') ? 'bottom' : 'top'; } else { if (isSignalRef(angle)) { const a = normalizeAngleExpr(angle); const orientIsLeft = isSignalRef(orient) ? `(${orient.signal} === "left")` : orient === 'left'; const middle = alwaysIncludeMiddle ? '"middle"' : 'null'; return { signal: `${a} <= 45 || 315 <= ${a} || (135 <= ${a} && ${a} <= 225) ? ${middle} : (45 <= ${a} && ${a} <= 135) === ${orientIsLeft} ? "top" : "bottom"` }; } if (angle <= 45 || 315 <= angle || (135 <= angle && angle <= 225)) { return alwaysIncludeMiddle ? 'middle' : null; } if (isSignalRef(orient)) { const op = 45 <= angle && angle <= 135 ? '===' : '!=='; return { signal: `${orient.signal} ${op} "left" ? "top" : "bottom"` }; } return (45 <= angle && angle <= 135) === (orient === 'left') ? 'top' : 'bottom'; } } return undefined; } function defaultLabelAlign(angle, orient, channel) { if (angle === undefined) { return undefined; } const isX = channel === 'x'; const startAngle = isX ? 0 : 90; const mainOrient = isX ? 'bottom' : 'left'; if (isSignalRef(angle)) { const a = normalizeAngleExpr(angle); const orientIsMain = isSignalRef(orient) ? `(${orient.signal} === "${mainOrient}")` : orient === mainOrient; return { signal: `(${startAngle ? `(${a} + 90)` : a} % 180 === 0) ? ${isX ? null : '"center"'} :` + `(${startAngle} < ${a} && ${a} < ${180 + startAngle}) === ${orientIsMain} ? "left" : "right"` }; } if ((angle + startAngle) % 180 === 0) { // For bottom, use default label align so label flush still works return isX ? null : 'center'; } if (isSignalRef(orient)) { const op = startAngle < angle && angle < 180 + startAngle ? '===' : '!=='; const orientIsMain = `${orient.signal} ${op} "${mainOrient}"`; return { signal: `${orientIsMain} ? "left" : "right"` }; } if ((startAngle < angle && angle < 180 + startAngle) === (orient === mainOrient)) { return 'left'; } return 'right'; } function defaultLabelFlush(type, channel) { if (channel === 'x' && util_contains(['quantitative', 'temporal'], type)) { return true; } return undefined; } function defaultLabelOverlap(type, scaleType, hasTimeUnit, sort) { // do not prevent overlap for nominal data because there is no way to infer what the missing labels are if ((hasTimeUnit && !isObject(sort)) || (type !== 'nominal' && type !== 'ordinal')) { if (scaleType === 'log' || scaleType === 'symlog') { return 'greedy'; } return true; } return undefined; } function defaultOrient(channel) { return channel === 'x' ? 'bottom' : 'left'; } function defaultTickCount({ fieldOrDatumDef, scaleType, size, values: vals }) { if (!vals && !hasDiscreteDomain(scaleType) && scaleType !== 'log') { if (isFieldDef(fieldOrDatumDef)) { if (isBinning(fieldOrDatumDef.bin)) { // for binned data, we don't want more ticks than maxbins return { signal: `ceil(${size.signal}/10)` }; } if (fieldOrDatumDef.timeUnit && util_contains(['month', 'hours', 'day', 'quarter'], normalizeTimeUnit(fieldOrDatumDef.timeUnit)?.unit)) { return undefined; } } return { signal: `ceil(${size.signal}/40)` }; } return undefined; } function defaultTickMinStep({ format, fieldOrDatumDef }) { if (format === 'd') { return 1; } if (isFieldDef(fieldOrDatumDef)) { const { timeUnit } = fieldOrDatumDef; if (timeUnit) { const signal = durationExpr(timeUnit); if (signal) { return { signal }; } } } return undefined; } function getFieldDefTitle(model, channel) { const channel2 = channel === 'x' ? 'x2' : 'y2'; const fieldDef = model.fieldDef(channel); const fieldDef2 = model.fieldDef(channel2); const title1 = fieldDef ? fieldDef.title : undefined; const title2 = fieldDef2 ? fieldDef2.title : undefined; if (title1 && title2) { return mergeTitle(title1, title2); } else if (title1) { return title1; } else if (title2) { return title2; } else if (title1 !== undefined) { // falsy value to disable config return title1; } else if (title2 !== undefined) { // falsy value to disable config return title2; } return undefined; } function properties_values(axis, fieldOrDatumDef) { const vals = axis.values; if (isArray(vals)) { return valueArray(fieldOrDatumDef, vals); } else if (isSignalRef(vals)) { return vals; } return undefined; } function defaultZindex(mark, fieldDef) { if (mark === 'rect' && channeldef_isDiscrete(fieldDef)) { return 1; } return 0; } //# sourceMappingURL=properties.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/data/calculate.js class CalculateNode extends DataFlowNode { clone() { return new CalculateNode(null, duplicate(this.transform)); } constructor(parent, transform) { super(parent); this.transform = transform; this._dependentFields = getDependentFields(this.transform.calculate); } static parseAllForSortIndex(parent, model) { // get all the encoding with sort fields from model model.forEachFieldDef((fieldDef, channel) => { if (!isScaleFieldDef(fieldDef)) { return; } if (isSortArray(fieldDef.sort)) { const { field, timeUnit } = fieldDef; const sort = fieldDef.sort; // generate `datum["a"] === val0 ? 0 : datum["a"] === val1 ? 1 : ... : n` via FieldEqualPredicate const calculate = sort .map((sortValue, i) => { return `${fieldFilterExpression({ field, timeUnit, equal: sortValue })} ? ${i} : `; }) .join('') + sort.length; parent = new CalculateNode(parent, { calculate, as: sortArrayIndexField(fieldDef, channel, { forAs: true }) }); } }); return parent; } producedFields() { return new Set([this.transform.as]); } dependentFields() { return this._dependentFields; } assemble() { return { type: 'formula', expr: this.transform.calculate, as: this.transform.as }; } hash() { return `Calculate ${hash(this.transform)}`; } } function sortArrayIndexField(fieldDef, channel, opt) { return vgField(fieldDef, { prefix: channel, suffix: 'sort_index', ...(opt ?? {}) }); } //# sourceMappingURL=calculate.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/header/common.js /** * Get header channel, which can be different from facet channel when orient is specified or when the facet channel is facet. */ function getHeaderChannel(channel, orient) { if (util_contains(['top', 'bottom'], orient)) { return 'column'; } else if (util_contains(['left', 'right'], orient)) { return 'row'; } return channel === 'row' ? 'row' : 'column'; } function getHeaderProperty(prop, header, config, channel) { const headerSpecificConfig = channel === 'row' ? config.headerRow : channel === 'column' ? config.headerColumn : config.headerFacet; return getFirstDefined((header || {})[prop], headerSpecificConfig[prop], config.header[prop]); } function getHeaderProperties(properties, header, config, channel) { const props = {}; for (const prop of properties) { const value = getHeaderProperty(prop, header || {}, config, channel); if (value !== undefined) { props[prop] = value; } } return props; } //# sourceMappingURL=common.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/header/component.js const HEADER_CHANNELS = ['row', 'column']; const HEADER_TYPES = ['header', 'footer']; //# sourceMappingURL=component.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/header/assemble.js /** * Utility for generating row / column headers */ // TODO: rename to assembleHeaderTitleGroup function assembleTitleGroup(model, channel) { const title = model.component.layoutHeaders[channel].title; const config = model.config ? model.config : undefined; const facetFieldDef = model.component.layoutHeaders[channel].facetFieldDef ? model.component.layoutHeaders[channel].facetFieldDef : undefined; const { titleAnchor, titleAngle: ta, titleOrient } = getHeaderProperties(['titleAnchor', 'titleAngle', 'titleOrient'], facetFieldDef.header, config, channel); const headerChannel = getHeaderChannel(channel, titleOrient); const titleAngle = normalizeAngle(ta); return { name: `${channel}-title`, type: 'group', role: `${headerChannel}-title`, title: { text: title, ...(channel === 'row' ? { orient: 'left' } : {}), style: 'guide-title', ...defaultHeaderGuideBaseline(titleAngle, headerChannel), ...defaultHeaderGuideAlign(headerChannel, titleAngle, titleAnchor), ...assembleHeaderProperties(config, facetFieldDef, channel, HEADER_TITLE_PROPERTIES, HEADER_TITLE_PROPERTIES_MAP) } }; } function defaultHeaderGuideAlign(headerChannel, angle, anchor = 'middle') { switch (anchor) { case 'start': return { align: 'left' }; case 'end': return { align: 'right' }; } const align = defaultLabelAlign(angle, headerChannel === 'row' ? 'left' : 'top', headerChannel === 'row' ? 'y' : 'x'); return align ? { align } : {}; } function defaultHeaderGuideBaseline(angle, channel) { const baseline = defaultLabelBaseline(angle, channel === 'row' ? 'left' : 'top', channel === 'row' ? 'y' : 'x', true); return baseline ? { baseline } : {}; } function assembleHeaderGroups(model, channel) { const layoutHeader = model.component.layoutHeaders[channel]; const groups = []; for (const headerType of HEADER_TYPES) { if (layoutHeader[headerType]) { for (const headerComponent of layoutHeader[headerType]) { const group = assembleHeaderGroup(model, channel, headerType, layoutHeader, headerComponent); if (group != null) { groups.push(group); } } } } return groups; } function getSort(facetFieldDef, channel) { const { sort } = facetFieldDef; if (isSortField(sort)) { return { field: vgField(sort, { expr: 'datum' }), order: sort.order ?? 'ascending' }; } else if (isArray(sort)) { return { field: sortArrayIndexField(facetFieldDef, channel, { expr: 'datum' }), order: 'ascending' }; } else { return { field: vgField(facetFieldDef, { expr: 'datum' }), order: sort ?? 'ascending' }; } } function assembleLabelTitle(facetFieldDef, channel, config) { const { format, formatType, labelAngle, labelAnchor, labelOrient, labelExpr } = getHeaderProperties(['format', 'formatType', 'labelAngle', 'labelAnchor', 'labelOrient', 'labelExpr'], facetFieldDef.header, config, channel); const titleTextExpr = formatSignalRef({ fieldOrDatumDef: facetFieldDef, format, formatType, expr: 'parent', config }).signal; const headerChannel = getHeaderChannel(channel, labelOrient); return { text: { signal: labelExpr ? replaceAll(replaceAll(labelExpr, 'datum.label', titleTextExpr), 'datum.value', vgField(facetFieldDef, { expr: 'parent' })) : titleTextExpr }, ...(channel === 'row' ? { orient: 'left' } : {}), style: 'guide-label', frame: 'group', ...defaultHeaderGuideBaseline(labelAngle, headerChannel), ...defaultHeaderGuideAlign(headerChannel, labelAngle, labelAnchor), ...assembleHeaderProperties(config, facetFieldDef, channel, HEADER_LABEL_PROPERTIES, HEADER_LABEL_PROPERTIES_MAP) }; } function assembleHeaderGroup(model, channel, headerType, layoutHeader, headerComponent) { if (headerComponent) { let title = null; const { facetFieldDef } = layoutHeader; const config = model.config ? model.config : undefined; if (facetFieldDef && headerComponent.labels) { const { labelOrient } = getHeaderProperties(['labelOrient'], facetFieldDef.header, config, channel); // Include label title in the header if orient aligns with the channel if ((channel === 'row' && !util_contains(['top', 'bottom'], labelOrient)) || (channel === 'column' && !util_contains(['left', 'right'], labelOrient))) { title = assembleLabelTitle(facetFieldDef, channel, config); } } const isFacetWithoutRowCol = isFacetModel(model) && !isFacetMapping(model.facet); const axes = headerComponent.axes; const hasAxes = axes?.length > 0; if (title || hasAxes) { const sizeChannel = channel === 'row' ? 'height' : 'width'; return { name: model.getName(`${channel}_${headerType}`), type: 'group', role: `${channel}-${headerType}`, ...(layoutHeader.facetFieldDef ? { from: { data: model.getName(`${channel}_domain`) }, sort: getSort(facetFieldDef, channel) } : {}), ...(hasAxes && isFacetWithoutRowCol ? { from: { data: model.getName(`facet_domain_${channel}`) } } : {}), ...(title ? { title } : {}), ...(headerComponent.sizeSignal ? { encode: { update: { [sizeChannel]: headerComponent.sizeSignal } } } : {}), ...(hasAxes ? { axes } : {}) }; } } return null; } const LAYOUT_TITLE_BAND = { column: { start: 0, end: 1 }, row: { start: 1, end: 0 } }; function getLayoutTitleBand(titleAnchor, headerChannel) { return LAYOUT_TITLE_BAND[headerChannel][titleAnchor]; } function assembleLayoutTitleBand(headerComponentIndex, config) { const titleBand = {}; for (const channel of FACET_CHANNELS) { const headerComponent = headerComponentIndex[channel]; if (headerComponent?.facetFieldDef) { const { titleAnchor, titleOrient } = getHeaderProperties(['titleAnchor', 'titleOrient'], headerComponent.facetFieldDef.header, config, channel); const headerChannel = getHeaderChannel(channel, titleOrient); const band = getLayoutTitleBand(titleAnchor, headerChannel); if (band !== undefined) { titleBand[headerChannel] = band; } } } return isEmpty(titleBand) ? undefined : titleBand; } function assembleHeaderProperties(config, facetFieldDef, channel, properties, propertiesMap) { const props = {}; for (const prop of properties) { if (!propertiesMap[prop]) { continue; } const value = getHeaderProperty(prop, facetFieldDef?.header, config, channel); if (value !== undefined) { props[propertiesMap[prop]] = value; } } return props; } //# sourceMappingURL=assemble.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/layoutsize/assemble.js function assembleLayoutSignals(model) { return [ ...sizeSignals(model, 'width'), ...sizeSignals(model, 'height'), ...sizeSignals(model, 'childWidth'), ...sizeSignals(model, 'childHeight') ]; } function sizeSignals(model, sizeType) { const channel = sizeType === 'width' ? 'x' : 'y'; const size = model.component.layoutSize.get(sizeType); if (!size || size === 'merged') { return []; } // Read size signal name from name map, just in case it is the top-level size signal that got renamed. const name = model.getSizeSignalRef(sizeType).signal; if (size === 'step') { const scaleComponent = model.getScaleComponent(channel); if (scaleComponent) { const type = scaleComponent.get('type'); const range = scaleComponent.get('range'); if (hasDiscreteDomain(type) && isVgRangeStep(range)) { const scaleName = model.scaleName(channel); if (isFacetModel(model.parent)) { // If parent is facet and this is an independent scale, return only signal signal // as the width/height will be calculated using the cardinality from // facet's aggregate rather than reading from scale domain const parentResolve = model.parent.component.resolve; if (parentResolve.scale[channel] === 'independent') { return [stepSignal(scaleName, range)]; } } return [ stepSignal(scaleName, range), { name, update: sizeExpr(scaleName, scaleComponent, `domain('${scaleName}').length`) } ]; } } /* istanbul ignore next: Condition should not happen -- only for warning in development. */ throw new Error('layout size is step although width/height is not step.'); } else if (size == 'container') { const isWidth = name.endsWith('width'); const expr = isWidth ? 'containerSize()[0]' : 'containerSize()[1]'; const defaultValue = getViewConfigContinuousSize(model.config.view, isWidth ? 'width' : 'height'); const safeExpr = `isFinite(${expr}) ? ${expr} : ${defaultValue}`; return [{ name, init: safeExpr, on: [{ update: safeExpr, events: 'window:resize' }] }]; } else { return [ { name, value: size } ]; } } function stepSignal(scaleName, range) { const name = `${scaleName}_step`; if (isSignalRef(range.step)) { return { name, update: range.step.signal }; } else { return { name, value: range.step }; } } function sizeExpr(scaleName, scaleComponent, cardinality) { const type = scaleComponent.get('type'); const padding = scaleComponent.get('padding'); const paddingOuter = getFirstDefined(scaleComponent.get('paddingOuter'), padding); let paddingInner = scaleComponent.get('paddingInner'); paddingInner = type === 'band' ? // only band has real paddingInner paddingInner !== undefined ? paddingInner : padding : // For point, as calculated in https://github.com/vega/vega-scale/blob/master/src/band.js#L128, // it's equivalent to have paddingInner = 1 since there is only n-1 steps between n points. 1; return `bandspace(${cardinality}, ${signalOrStringValue(paddingInner)}, ${signalOrStringValue(paddingOuter)}) * ${scaleName}_step`; } //# sourceMappingURL=assemble.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/layoutsize/component.js function getSizeTypeFromLayoutSizeType(layoutSizeType) { return layoutSizeType === 'childWidth' ? 'width' : layoutSizeType === 'childHeight' ? 'height' : layoutSizeType; } //# sourceMappingURL=component.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/guide.js function guideEncodeEntry(encoding, model) { return util_keys(encoding).reduce((encode, channel) => { const valueDef = encoding[channel]; return { ...encode, ...wrapCondition(model, valueDef, channel, def => signalOrValueRef(def.value)) }; }, {}); } //# sourceMappingURL=guide.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/resolve.js function defaultScaleResolve(channel, model) { if (isFacetModel(model)) { return channel === 'theta' ? 'independent' : 'shared'; } else if (isLayerModel(model)) { return 'shared'; } else if (isConcatModel(model)) { return isXorY(channel) || channel === 'theta' || channel === 'radius' ? 'independent' : 'shared'; } /* istanbul ignore next: should never reach here. */ throw new Error('invalid model type for resolve'); } function parseGuideResolve(resolve, channel) { const channelScaleResolve = resolve.scale[channel]; const guide = isXorY(channel) ? 'axis' : 'legend'; if (channelScaleResolve === 'independent') { if (resolve[guide][channel] === 'shared') { log_warn(independentScaleMeansIndependentGuide(channel)); } return 'independent'; } return resolve[guide][channel] || 'shared'; } //# sourceMappingURL=resolve.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/legend/component.js const LEGEND_COMPONENT_PROPERTY_INDEX = { ...COMMON_LEGEND_PROPERTY_INDEX, disable: 1, labelExpr: 1, selections: 1, // channel scales opacity: 1, shape: 1, stroke: 1, fill: 1, size: 1, strokeWidth: 1, strokeDash: 1, // encode encode: 1 }; const LEGEND_COMPONENT_PROPERTIES = util_keys(LEGEND_COMPONENT_PROPERTY_INDEX); class LegendComponent extends Split { } //# sourceMappingURL=component.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/legend/encode.js const legendEncodeRules = { symbols: encode_symbols, gradient: encode_gradient, labels, entries: encode_entries }; function encode_symbols(symbolsSpec, { fieldOrDatumDef, model, channel, legendCmpt, legendType }) { if (legendType !== 'symbol') { return undefined; } const { markDef, encoding, config, mark } = model; const filled = markDef.filled && mark !== 'trail'; let out = { ...applyMarkConfig({}, model, FILL_STROKE_CONFIG), ...color_color(model, { filled }) }; // FIXME: remove this when VgEncodeEntry is compatible with SymbolEncodeEntry const symbolOpacity = legendCmpt.get('symbolOpacity') ?? config.legend.symbolOpacity; const symbolFillColor = legendCmpt.get('symbolFillColor') ?? config.legend.symbolFillColor; const symbolStrokeColor = legendCmpt.get('symbolStrokeColor') ?? config.legend.symbolStrokeColor; const opacity = symbolOpacity === undefined ? getMaxValue(encoding.opacity) ?? markDef.opacity : undefined; if (out.fill) { // for fill legend, we don't want any fill in symbol if (channel === 'fill' || (filled && channel === COLOR)) { delete out.fill; } else { if (out.fill['field']) { // For others, set fill to some opaque value (or nothing if a color is already set) if (symbolFillColor) { delete out.fill; } else { out.fill = signalOrValueRef(config.legend.symbolBaseFillColor ?? 'black'); out.fillOpacity = signalOrValueRef(opacity ?? 1); } } else if (isArray(out.fill)) { const fill = getFirstConditionValue(encoding.fill ?? encoding.color) ?? markDef.fill ?? (filled && markDef.color); if (fill) { out.fill = signalOrValueRef(fill); } } } } if (out.stroke) { if (channel === 'stroke' || (!filled && channel === COLOR)) { delete out.stroke; } else { if (out.stroke['field'] || symbolStrokeColor) { // For others, remove stroke field delete out.stroke; } else if (isArray(out.stroke)) { const stroke = getFirstDefined(getFirstConditionValue(encoding.stroke || encoding.color), markDef.stroke, filled ? markDef.color : undefined); if (stroke) { out.stroke = { value: stroke }; } } } } if (channel !== OPACITY) { const condition = isFieldDef(fieldOrDatumDef) && selectedCondition(model, legendCmpt, fieldOrDatumDef); if (condition) { out.opacity = [ { test: condition, ...signalOrValueRef(opacity ?? 1) }, signalOrValueRef(config.legend.unselectedOpacity) ]; } else if (opacity) { out.opacity = signalOrValueRef(opacity); } } out = { ...out, ...symbolsSpec }; return isEmpty(out) ? undefined : out; } function encode_gradient(gradientSpec, { model, legendType, legendCmpt }) { if (legendType !== 'gradient') { return undefined; } const { config, markDef, encoding } = model; let out = {}; const gradientOpacity = legendCmpt.get('gradientOpacity') ?? config.legend.gradientOpacity; const opacity = gradientOpacity === undefined ? getMaxValue(encoding.opacity) || markDef.opacity : undefined; if (opacity) { // only apply opacity if it is neither zero or undefined out.opacity = signalOrValueRef(opacity); } out = { ...out, ...gradientSpec }; return isEmpty(out) ? undefined : out; } function labels(specifiedlabelsSpec, { fieldOrDatumDef, model, channel, legendCmpt }) { const legend = model.legend(channel) || {}; const config = model.config; const condition = isFieldDef(fieldOrDatumDef) ? selectedCondition(model, legendCmpt, fieldOrDatumDef) : undefined; const opacity = condition ? [{ test: condition, value: 1 }, { value: config.legend.unselectedOpacity }] : undefined; const { format, formatType } = legend; let text = undefined; if (isCustomFormatType(formatType)) { text = formatCustomType({ fieldOrDatumDef, field: 'datum.value', format, formatType, config }); } else if (format === undefined && formatType === undefined && config.customFormatTypes) { if (fieldOrDatumDef.type === 'quantitative' && config.numberFormatType) { text = formatCustomType({ fieldOrDatumDef, field: 'datum.value', format: config.numberFormat, formatType: config.numberFormatType, config }); } else if (fieldOrDatumDef.type === 'temporal' && config.timeFormatType && isFieldDef(fieldOrDatumDef) && fieldOrDatumDef.timeUnit === undefined) { text = formatCustomType({ fieldOrDatumDef, field: 'datum.value', format: config.timeFormat, formatType: config.timeFormatType, config }); } } const labelsSpec = { ...(opacity ? { opacity } : {}), ...(text ? { text } : {}), ...specifiedlabelsSpec }; return isEmpty(labelsSpec) ? undefined : labelsSpec; } function encode_entries(entriesSpec, { legendCmpt }) { const selections = legendCmpt.get('selections'); return selections?.length ? { ...entriesSpec, fill: { value: 'transparent' } } : entriesSpec; } function getMaxValue(channelDef) { return getConditionValue(channelDef, (v, conditionalDef) => Math.max(v, conditionalDef.value)); } function getFirstConditionValue(channelDef) { return getConditionValue(channelDef, (v, conditionalDef) => { return getFirstDefined(v, conditionalDef.value); }); } function getConditionValue(channelDef, reducer) { if (hasConditionalValueDef(channelDef)) { return array(channelDef.condition).reduce(reducer, channelDef.value); } else if (isValueDef(channelDef)) { return channelDef.value; } return undefined; } function selectedCondition(model, legendCmpt, fieldDef) { const selections = legendCmpt.get('selections'); if (!selections?.length) return undefined; const field = $(fieldDef.field); return selections .map(name => { const store = $(varName(name) + STORE); return `(!length(data(${store})) || (${name}[${field}] && indexof(${name}[${field}], datum.value) >= 0))`; }) .join(' || '); } //# sourceMappingURL=encode.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/legend/properties.js const legendRules = { direction: ({ direction }) => direction, format: ({ fieldOrDatumDef, legend, config }) => { const { format, formatType } = legend; return guideFormat(fieldOrDatumDef, fieldOrDatumDef.type, format, formatType, config, false); }, formatType: ({ legend, fieldOrDatumDef, scaleType }) => { const { formatType } = legend; return guideFormatType(formatType, fieldOrDatumDef, scaleType); }, gradientLength: params => { const { legend, legendConfig } = params; return legend.gradientLength ?? legendConfig.gradientLength ?? defaultGradientLength(params); }, labelOverlap: ({ legend, legendConfig, scaleType }) => legend.labelOverlap ?? legendConfig.labelOverlap ?? properties_defaultLabelOverlap(scaleType), symbolType: ({ legend, markDef, channel, encoding }) => legend.symbolType ?? defaultSymbolType(markDef.type, channel, encoding.shape, markDef.shape), title: ({ fieldOrDatumDef, config }) => channeldef_title(fieldOrDatumDef, config, { allowDisabling: true }), type: ({ legendType, scaleType, channel }) => { if (isColorChannel(channel) && isContinuousToContinuous(scaleType)) { if (legendType === 'gradient') { return undefined; } } else if (legendType === 'symbol') { return undefined; } return legendType; }, values: ({ fieldOrDatumDef, legend }) => legend_properties_values(legend, fieldOrDatumDef) }; function legend_properties_values(legend, fieldOrDatumDef) { const vals = legend.values; if (isArray(vals)) { return valueArray(fieldOrDatumDef, vals); } else if (isSignalRef(vals)) { return vals; } return undefined; } function defaultSymbolType(mark, channel, shapeChannelDef, markShape) { if (channel !== 'shape') { // use the value from the shape encoding or the mark config if they exist const shape = getFirstConditionValue(shapeChannelDef) ?? markShape; if (shape) { return shape; } } switch (mark) { case 'bar': case 'rect': case 'image': case 'square': return 'square'; case 'line': case 'trail': case 'rule': return 'stroke'; case 'arc': case 'point': case 'circle': case 'tick': case 'geoshape': case 'area': case 'text': return 'circle'; } } function clipHeight(legendType) { if (legendType === 'gradient') { return 20; } return undefined; } function getLegendType(params) { const { legend } = params; return getFirstDefined(legend.type, properties_defaultType(params)); } function properties_defaultType({ channel, timeUnit, scaleType }) { // Following the logic in https://github.com/vega/vega-parser/blob/master/src/parsers/legend.js if (isColorChannel(channel)) { if (util_contains(['quarter', 'month', 'day'], timeUnit)) { return 'symbol'; } if (isContinuousToContinuous(scaleType)) { return 'gradient'; } } return 'symbol'; } function getDirection({ legendConfig, legendType, orient, legend }) { return (legend.direction ?? legendConfig[legendType ? 'gradientDirection' : 'symbolDirection'] ?? defaultDirection(orient, legendType)); } function defaultDirection(orient, legendType) { switch (orient) { case 'top': case 'bottom': return 'horizontal'; case 'left': case 'right': case 'none': case undefined: // undefined = "right" in Vega return undefined; // vertical is Vega's default default: // top-left / ... // For inner legend, uses compact layout like Tableau return legendType === 'gradient' ? 'horizontal' : undefined; } } function defaultGradientLength({ legendConfig, model, direction, orient, scaleType }) { const { gradientHorizontalMaxLength, gradientHorizontalMinLength, gradientVerticalMaxLength, gradientVerticalMinLength } = legendConfig; if (isContinuousToContinuous(scaleType)) { if (direction === 'horizontal') { if (orient === 'top' || orient === 'bottom') { return gradientLengthSignal(model, 'width', gradientHorizontalMinLength, gradientHorizontalMaxLength); } else { return gradientHorizontalMinLength; } } else { // vertical / undefined (Vega uses vertical by default) return gradientLengthSignal(model, 'height', gradientVerticalMinLength, gradientVerticalMaxLength); } } return undefined; } function gradientLengthSignal(model, sizeType, min, max) { const sizeSignal = model.getSizeSignalRef(sizeType).signal; return { signal: `clamp(${sizeSignal}, ${min}, ${max})` }; } function properties_defaultLabelOverlap(scaleType) { if (util_contains(['quantile', 'threshold', 'log', 'symlog'], scaleType)) { return 'greedy'; } return undefined; } //# sourceMappingURL=properties.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/legend/parse.js function parse_parseLegend(model) { const legendComponent = isUnitModel(model) ? parseUnitLegend(model) : parseNonUnitLegend(model); model.component.legends = legendComponent; return legendComponent; } function parseUnitLegend(model) { const { encoding } = model; const legendComponent = {}; for (const channel of [COLOR, ...LEGEND_SCALE_CHANNELS]) { const def = getFieldOrDatumDef(encoding[channel]); if (!def || !model.getScaleComponent(channel)) { continue; } if (channel === SHAPE && isFieldDef(def) && def.type === GEOJSON) { continue; } legendComponent[channel] = parseLegendForChannel(model, channel); } return legendComponent; } function getLegendDefWithScale(model, channel) { const scale = model.scaleName(channel); if (model.mark === 'trail') { if (channel === 'color') { // trail is a filled mark, but its default symbolType ("stroke") should use "stroke" return { stroke: scale }; } else if (channel === 'size') { return { strokeWidth: scale }; } } if (channel === 'color') { return model.markDef.filled ? { fill: scale } : { stroke: scale }; } return { [channel]: scale }; } // eslint-disable-next-line @typescript-eslint/ban-types function isExplicit(value, property, legend, fieldDef) { switch (property) { case 'disable': return legend !== undefined; // if axis is specified or null/false, then its enable/disable state is explicit case 'values': // specified legend.values is already respected, but may get transformed. return !!legend?.values; case 'title': // title can be explicit if fieldDef.title is set if (property === 'title' && value === fieldDef?.title) { return true; } } // Otherwise, things are explicit if the returned value matches the specified property return value === (legend || {})[property]; } function parseLegendForChannel(model, channel) { let legend = model.legend(channel); const { markDef, encoding, config } = model; const legendConfig = config.legend; const legendCmpt = new LegendComponent({}, getLegendDefWithScale(model, channel)); parseInteractiveLegend(model, channel, legendCmpt); const disable = legend !== undefined ? !legend : legendConfig.disable; legendCmpt.set('disable', disable, legend !== undefined); if (disable) { return legendCmpt; } legend = legend || {}; const scaleType = model.getScaleComponent(channel).get('type'); const fieldOrDatumDef = getFieldOrDatumDef(encoding[channel]); const timeUnit = isFieldDef(fieldOrDatumDef) ? normalizeTimeUnit(fieldOrDatumDef.timeUnit)?.unit : undefined; const orient = legend.orient || config.legend.orient || 'right'; const legendType = getLegendType({ legend, channel, timeUnit, scaleType }); const direction = getDirection({ legend, legendType, orient, legendConfig }); const ruleParams = { legend, channel, model, markDef, encoding, fieldOrDatumDef, legendConfig, config, scaleType, orient, legendType, direction }; for (const property of LEGEND_COMPONENT_PROPERTIES) { if ((legendType === 'gradient' && property.startsWith('symbol')) || (legendType === 'symbol' && property.startsWith('gradient'))) { continue; } const value = property in legendRules ? legendRules[property](ruleParams) : legend[property]; if (value !== undefined) { const explicit = isExplicit(value, property, legend, model.fieldDef(channel)); if (explicit || config.legend[property] === undefined) { legendCmpt.set(property, value, explicit); } } } const legendEncoding = legend?.encoding ?? {}; const selections = legendCmpt.get('selections'); const legendEncode = {}; const legendEncodeParams = { fieldOrDatumDef, model, channel, legendCmpt, legendType }; for (const part of ['labels', 'legend', 'title', 'symbols', 'gradient', 'entries']) { const legendEncodingPart = guideEncodeEntry(legendEncoding[part] ?? {}, model); const value = part in legendEncodeRules ? legendEncodeRules[part](legendEncodingPart, legendEncodeParams) // apply rule : legendEncodingPart; // no rule -- just default values if (value !== undefined && !isEmpty(value)) { legendEncode[part] = { ...(selections?.length && isFieldDef(fieldOrDatumDef) ? { name: `${varName(fieldOrDatumDef.field)}_legend_${part}` } : {}), ...(selections?.length ? { interactive: !!selections } : {}), update: value }; } } if (!isEmpty(legendEncode)) { legendCmpt.set('encode', legendEncode, !!legend?.encoding); } return legendCmpt; } function parseNonUnitLegend(model) { const { legends, resolve } = model.component; for (const child of model.children) { parse_parseLegend(child); for (const channel of util_keys(child.component.legends)) { resolve.legend[channel] = parseGuideResolve(model.component.resolve, channel); if (resolve.legend[channel] === 'shared') { // If the resolve says shared (and has not been overridden) // We will try to merge and see if there is a conflict legends[channel] = mergeLegendComponent(legends[channel], child.component.legends[channel]); if (!legends[channel]) { // If merge returns nothing, there is a conflict so we cannot make the legend shared. // Thus, mark legend as independent and remove the legend component. resolve.legend[channel] = 'independent'; delete legends[channel]; } } } } for (const channel of util_keys(legends)) { for (const child of model.children) { if (!child.component.legends[channel]) { // skip if the child does not have a particular legend continue; } if (resolve.legend[channel] === 'shared') { // After merging shared legend, make sure to remove legend from child delete child.component.legends[channel]; } } } return legends; } function mergeLegendComponent(mergedLegend, childLegend) { if (!mergedLegend) { return childLegend.clone(); } const mergedOrient = mergedLegend.getWithExplicit('orient'); const childOrient = childLegend.getWithExplicit('orient'); if (mergedOrient.explicit && childOrient.explicit && mergedOrient.value !== childOrient.value) { // TODO: throw warning if resolve is explicit (We don't have info about explicit/implicit resolve yet.) // Cannot merge due to inconsistent orient return undefined; } let typeMerged = false; // Otherwise, let's merge for (const prop of LEGEND_COMPONENT_PROPERTIES) { const mergedValueWithExplicit = mergeValuesWithExplicit(mergedLegend.getWithExplicit(prop), childLegend.getWithExplicit(prop), prop, 'legend', // Tie breaker function (v1, v2) => { switch (prop) { case 'symbolType': return mergeSymbolType(v1, v2); case 'title': return mergeTitleComponent(v1, v2); case 'type': // There are only two types. If we have different types, then prefer symbol over gradient. typeMerged = true; return makeImplicit('symbol'); } return defaultTieBreaker(v1, v2, prop, 'legend'); }); mergedLegend.setWithExplicit(prop, mergedValueWithExplicit); } if (typeMerged) { if (mergedLegend.implicit?.encode?.gradient) { deleteNestedProperty(mergedLegend.implicit, ['encode', 'gradient']); } if (mergedLegend.explicit?.encode?.gradient) { deleteNestedProperty(mergedLegend.explicit, ['encode', 'gradient']); } } return mergedLegend; } function mergeSymbolType(st1, st2) { if (st2.value === 'circle') { // prefer "circle" over "stroke" return st2; } return st1; } //# sourceMappingURL=parse.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/legend/assemble.js function setLegendEncode(legend, part, vgProp, vgRef) { var _a, _b; legend.encode ?? (legend.encode = {}); (_a = legend.encode)[part] ?? (_a[part] = {}); (_b = legend.encode[part]).update ?? (_b.update = {}); // TODO: remove as any after https://github.com/prisma/nexus-prisma/issues/291 legend.encode[part].update[vgProp] = vgRef; } function assembleLegends(model) { const legendComponentIndex = model.component.legends; const legendByDomain = {}; for (const channel of util_keys(legendComponentIndex)) { const scaleComponent = model.getScaleComponent(channel); const domainHash = stringify(scaleComponent.get('domains')); if (legendByDomain[domainHash]) { for (const mergedLegendComponent of legendByDomain[domainHash]) { const merged = mergeLegendComponent(mergedLegendComponent, legendComponentIndex[channel]); if (!merged) { // If cannot merge, need to add this legend separately legendByDomain[domainHash].push(legendComponentIndex[channel]); } } } else { legendByDomain[domainHash] = [legendComponentIndex[channel].clone()]; } } const legends = vals(legendByDomain) .flat() .map(l => assembleLegend(l, model.config)) .filter(l => l !== undefined); return legends; } function assembleLegend(legendCmpt, config) { const { disable, labelExpr, selections, ...legend } = legendCmpt.combine(); if (disable) { return undefined; } if (config.aria === false && legend.aria == undefined) { legend.aria = false; } if (legend.encode?.symbols) { const out = legend.encode.symbols.update; if (out.fill && out.fill['value'] !== 'transparent' && !out.stroke && !legend.stroke) { // For non color channel's legend, we need to override symbol stroke config from Vega config if stroke channel is not used. out.stroke = { value: 'transparent' }; } // Remove properties that the legend is encoding. for (const property of LEGEND_SCALE_CHANNELS) { if (legend[property]) { delete out[property]; } } } if (!legend.title) { // title schema doesn't include null, '' delete legend.title; } if (labelExpr !== undefined) { let expr = labelExpr; if (legend.encode?.labels?.update && isSignalRef(legend.encode.labels.update.text)) { expr = replaceAll(labelExpr, 'datum.label', legend.encode.labels.update.text.signal); } setLegendEncode(legend, 'labels', 'text', { signal: expr }); } return legend; } //# sourceMappingURL=assemble.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/projection/assemble.js function assembleProjections(model) { if (isLayerModel(model) || isConcatModel(model)) { return assembleProjectionsForModelAndChildren(model); } else { return assembleProjectionForModel(model); } } function assembleProjectionsForModelAndChildren(model) { return model.children.reduce((projections, child) => { return projections.concat(child.assembleProjections()); }, assembleProjectionForModel(model)); } function assembleProjectionForModel(model) { const component = model.component.projection; if (!component || component.merged) { return []; } const projection = component.combine(); const { name } = projection; // we need to extract name so that it is always present in the output and pass TS type validation if (!component.data) { // generate custom projection, no automatic fitting return [ { name, // translate to center by default ...{ translate: { signal: '[width / 2, height / 2]' } }, // parameters, overwrite default translate if specified ...projection } ]; } else { // generate projection that uses extent fitting const size = { signal: `[${component.size.map(ref => ref.signal).join(', ')}]` }; const fits = component.data.reduce((sources, data) => { const source = isSignalRef(data) ? data.signal : `data('${model.lookupDataSource(data)}')`; if (!util_contains(sources, source)) { // build a unique list of sources sources.push(source); } return sources; }, []); if (fits.length <= 0) { throw new Error("Projection's fit didn't find any data sources"); } return [ { name, size, fit: { signal: fits.length > 1 ? `[${fits.join(', ')}]` : fits[0] }, ...projection } ]; } } //# sourceMappingURL=assemble.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/projection.js const PROJECTION_PROPERTIES = [ 'type', 'clipAngle', 'clipExtent', 'center', 'rotate', 'precision', 'reflectX', 'reflectY', 'coefficient', 'distance', 'fraction', 'lobes', 'parallel', 'radius', 'ratio', 'spacing', 'tilt' ]; //# sourceMappingURL=projection.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/projection/component.js class ProjectionComponent extends Split { constructor(name, specifiedProjection, size, data) { super({ ...specifiedProjection }, // all explicit properties of projection { name } // name as initial implicit property ); this.specifiedProjection = specifiedProjection; this.size = size; this.data = data; this.merged = false; } /** * Whether the projection parameters should fit provided data. */ get isFit() { return !!this.data; } } //# sourceMappingURL=component.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/projection/parse.js function parse_parseProjection(model) { model.component.projection = isUnitModel(model) ? parseUnitProjection(model) : parseNonUnitProjections(model); } function parseUnitProjection(model) { if (model.hasProjection) { const proj = replaceExprRef(model.specifiedProjection); const fit = !(proj && (proj.scale != null || proj.translate != null)); const size = fit ? [model.getSizeSignalRef('width'), model.getSizeSignalRef('height')] : undefined; const data = fit ? gatherFitData(model) : undefined; const projComp = new ProjectionComponent(model.projectionName(true), { ...(replaceExprRef(model.config.projection) ?? {}), ...(proj ?? {}) }, size, data); if (!projComp.get('type')) { projComp.set('type', 'equalEarth', false); } return projComp; } return undefined; } function gatherFitData(model) { const data = []; const { encoding } = model; for (const posssiblePair of [ [LONGITUDE, LATITUDE], [LONGITUDE2, LATITUDE2] ]) { if (getFieldOrDatumDef(encoding[posssiblePair[0]]) || getFieldOrDatumDef(encoding[posssiblePair[1]])) { data.push({ signal: model.getName(`geojson_${data.length}`) }); } } if (model.channelHasField(SHAPE) && model.typedFieldDef(SHAPE).type === GEOJSON) { data.push({ signal: model.getName(`geojson_${data.length}`) }); } if (data.length === 0) { // main source is geojson, so we can just use that data.push(model.requestDataName(DataSourceType.Main)); } return data; } function mergeIfNoConflict(first, second) { const allPropertiesShared = every(PROJECTION_PROPERTIES, prop => { // neither has the property if (!has(first.explicit, prop) && !has(second.explicit, prop)) { return true; } // both have property and an equal value for property if (has(first.explicit, prop) && has(second.explicit, prop) && // some properties might be signals or objects and require hashing for comparison deepEqual(first.get(prop), second.get(prop))) { return true; } return false; }); const size = deepEqual(first.size, second.size); if (size) { if (allPropertiesShared) { return first; } else if (deepEqual(first.explicit, {})) { return second; } else if (deepEqual(second.explicit, {})) { return first; } } // if all properties don't match, let each unit spec have its own projection return null; } function parseNonUnitProjections(model) { if (model.children.length === 0) { return undefined; } let nonUnitProjection; // parse all children first for (const child of model.children) { parse_parseProjection(child); } // analyze parsed projections, attempt to merge const mergable = every(model.children, child => { const projection = child.component.projection; if (!projection) { // child layer does not use a projection return true; } else if (!nonUnitProjection) { // cached 'projection' is null, cache this one nonUnitProjection = projection; return true; } else { const merge = mergeIfNoConflict(nonUnitProjection, projection); if (merge) { nonUnitProjection = merge; } return !!merge; } }); // if cached one and all other children share the same projection, if (nonUnitProjection && mergable) { // so we can elevate it to the layer level const name = model.projectionName(true); const modelProjection = new ProjectionComponent(name, nonUnitProjection.specifiedProjection, nonUnitProjection.size, duplicate(nonUnitProjection.data)); // rename and assign all others as merged for (const child of model.children) { const projection = child.component.projection; if (projection) { if (projection.isFit) { modelProjection.data.push(...child.component.projection.data); } child.renameProjection(projection.get('name'), name); projection.merged = true; } } return modelProjection; } return undefined; } //# sourceMappingURL=parse.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/data/bin.js function rangeFormula(model, fieldDef, channel, config) { if (binRequiresRange(fieldDef, channel)) { // read format from axis or legend, if there is no format then use config.numberFormat const guide = isUnitModel(model) ? model.axis(channel) ?? model.legend(channel) ?? {} : {}; const startField = vgField(fieldDef, { expr: 'datum' }); const endField = vgField(fieldDef, { expr: 'datum', binSuffix: 'end' }); return { formulaAs: vgField(fieldDef, { binSuffix: 'range', forAs: true }), formula: binFormatExpression(startField, endField, guide.format, guide.formatType, config) }; } return {}; } function binKey(bin, field) { return `${binToString(bin)}_${field}`; } function getSignalsFromModel(model, key) { return { signal: model.getName(`${key}_bins`), extentSignal: model.getName(`${key}_extent`) }; } function getBinSignalName(model, field, bin) { const normalizedBin = normalizeBin(bin, undefined) ?? {}; const key = binKey(normalizedBin, field); return model.getName(`${key}_bins`); } function isBinTransform(t) { return 'as' in t; } function createBinComponent(t, bin, model) { let as; let span; if (isBinTransform(t)) { as = vega_util_module_isString(t.as) ? [t.as, `${t.as}_end`] : [t.as[0], t.as[1]]; } else { as = [vgField(t, { forAs: true }), vgField(t, { binSuffix: 'end', forAs: true })]; } const normalizedBin = { ...normalizeBin(bin, undefined) }; const key = binKey(normalizedBin, t.field); const { signal, extentSignal } = getSignalsFromModel(model, key); if (isParameterExtent(normalizedBin.extent)) { const ext = normalizedBin.extent; span = parseSelectionExtent(model, ext.param, ext); delete normalizedBin.extent; // Vega-Lite selection extent map to Vega's span property. } const binComponent = { bin: normalizedBin, field: t.field, as: [as], ...(signal ? { signal } : {}), ...(extentSignal ? { extentSignal } : {}), ...(span ? { span } : {}) }; return { key, binComponent }; } class BinNode extends DataFlowNode { clone() { return new BinNode(null, duplicate(this.bins)); } constructor(parent, bins) { super(parent); this.bins = bins; } static makeFromEncoding(parent, model) { const bins = model.reduceFieldDef((binComponentIndex, fieldDef, channel) => { if (isTypedFieldDef(fieldDef) && isBinning(fieldDef.bin)) { const { key, binComponent } = createBinComponent(fieldDef, fieldDef.bin, model); binComponentIndex[key] = { ...binComponent, ...binComponentIndex[key], ...rangeFormula(model, fieldDef, channel, model.config) }; } return binComponentIndex; }, {}); if (isEmpty(bins)) { return null; } return new BinNode(parent, bins); } /** * Creates a bin node from BinTransform. * The optional parameter should provide */ static makeFromTransform(parent, t, model) { const { key, binComponent } = createBinComponent(t, t.bin, model); return new BinNode(parent, { [key]: binComponent }); } /** * Merge bin nodes. This method either integrates the bin config from the other node * or if this node already has a bin config, renames the corresponding signal in the model. */ merge(other, renameSignal) { for (const key of util_keys(other.bins)) { if (key in this.bins) { renameSignal(other.bins[key].signal, this.bins[key].signal); // Ensure that we don't have duplicate names for signal pairs this.bins[key].as = unique([...this.bins[key].as, ...other.bins[key].as], hash); } else { this.bins[key] = other.bins[key]; } } for (const child of other.children) { other.removeChild(child); child.parent = this; } other.remove(); } producedFields() { return new Set(vals(this.bins) .map(c => c.as) .flat(2)); } dependentFields() { return new Set(vals(this.bins).map(c => c.field)); } hash() { return `Bin ${hash(this.bins)}`; } assemble() { return vals(this.bins).flatMap(bin => { const transform = []; const [binAs, ...remainingAs] = bin.as; const { extent, ...params } = bin.bin; const binTrans = { type: 'bin', field: replacePathInField(bin.field), as: binAs, signal: bin.signal, ...(!isParameterExtent(extent) ? { extent } : { extent: null }), ...(bin.span ? { span: { signal: `span(${bin.span})` } } : {}), ...params }; if (!extent && bin.extentSignal) { transform.push({ type: 'extent', field: replacePathInField(bin.field), signal: bin.extentSignal }); binTrans.extent = { signal: bin.extentSignal }; } transform.push(binTrans); for (const as of remainingAs) { for (let i = 0; i < 2; i++) { transform.push({ type: 'formula', expr: vgField({ field: binAs[i] }, { expr: 'datum' }), as: as[i] }); } } if (bin.formula) { transform.push({ type: 'formula', expr: bin.formula, as: bin.formulaAs }); } return transform; }); } } //# sourceMappingURL=bin.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/data/aggregate.js function addDimension(dims, channel, fieldDef, model) { const channelDef2 = isUnitModel(model) ? model.encoding[getSecondaryRangeChannel(channel)] : undefined; if (isTypedFieldDef(fieldDef) && isUnitModel(model) && hasBandEnd(fieldDef, channelDef2, model.markDef, model.config)) { dims.add(vgField(fieldDef, {})); dims.add(vgField(fieldDef, { suffix: 'end' })); if (fieldDef.bin && binRequiresRange(fieldDef, channel)) { dims.add(vgField(fieldDef, { binSuffix: 'range' })); } } else if (isGeoPositionChannel(channel)) { const posChannel = getPositionChannelFromLatLong(channel); dims.add(model.getName(posChannel)); } else { dims.add(vgField(fieldDef)); } if (isScaleFieldDef(fieldDef) && isFieldRange(fieldDef.scale?.range)) { dims.add(fieldDef.scale.range.field); } return dims; } function mergeMeasures(parentMeasures, childMeasures) { for (const field of util_keys(childMeasures)) { // when we merge a measure, we either have to add an aggregation operator or even a new field const ops = childMeasures[field]; for (const op of util_keys(ops)) { if (field in parentMeasures) { // add operator to existing measure field parentMeasures[field][op] = new Set([...(parentMeasures[field][op] ?? []), ...ops[op]]); } else { parentMeasures[field] = { [op]: ops[op] }; } } } } class AggregateNode extends DataFlowNode { clone() { return new AggregateNode(null, new Set(this.dimensions), duplicate(this.measures)); } /** * @param dimensions string set for dimensions * @param measures dictionary mapping field name => dict of aggregation functions and names to use */ constructor(parent, dimensions, measures) { super(parent); this.dimensions = dimensions; this.measures = measures; } get groupBy() { return this.dimensions; } static makeFromEncoding(parent, model) { let isAggregate = false; model.forEachFieldDef(fd => { if (fd.aggregate) { isAggregate = true; } }); const meas = {}; const dims = new Set(); if (!isAggregate) { // no need to create this node if the model has no aggregation return null; } model.forEachFieldDef((fieldDef, channel) => { const { aggregate, field } = fieldDef; if (aggregate) { if (aggregate === 'count') { meas['*'] ?? (meas['*'] = {}); meas['*']['count'] = new Set([vgField(fieldDef, { forAs: true })]); } else { if (isArgminDef(aggregate) || isArgmaxDef(aggregate)) { const op = isArgminDef(aggregate) ? 'argmin' : 'argmax'; const argField = aggregate[op]; meas[argField] ?? (meas[argField] = {}); meas[argField][op] = new Set([vgField({ op, field: argField }, { forAs: true })]); } else { meas[field] ?? (meas[field] = {}); meas[field][aggregate] = new Set([vgField(fieldDef, { forAs: true })]); } // For scale channel with domain === 'unaggregated', add min/max so we can use their union as unaggregated domain if (isScaleChannel(channel) && model.scaleDomain(channel) === 'unaggregated') { meas[field] ?? (meas[field] = {}); meas[field]['min'] = new Set([vgField({ field, aggregate: 'min' }, { forAs: true })]); meas[field]['max'] = new Set([vgField({ field, aggregate: 'max' }, { forAs: true })]); } } } else { addDimension(dims, channel, fieldDef, model); } }); if (dims.size + util_keys(meas).length === 0) { return null; } return new AggregateNode(parent, dims, meas); } static makeFromTransform(parent, t) { const dims = new Set(); const meas = {}; for (const s of t.aggregate) { const { op, field, as } = s; if (op) { if (op === 'count') { meas['*'] ?? (meas['*'] = {}); meas['*']['count'] = new Set([as ? as : vgField(s, { forAs: true })]); } else { meas[field] ?? (meas[field] = {}); meas[field][op] = new Set([as ? as : vgField(s, { forAs: true })]); } } } for (const s of t.groupby ?? []) { dims.add(s); } if (dims.size + util_keys(meas).length === 0) { return null; } return new AggregateNode(parent, dims, meas); } merge(other) { if (setEqual(this.dimensions, other.dimensions)) { mergeMeasures(this.measures, other.measures); return true; } log_debug('different dimensions, cannot merge'); return false; } addDimensions(fields) { fields.forEach(this.dimensions.add, this.dimensions); } dependentFields() { return new Set([...this.dimensions, ...util_keys(this.measures)]); } producedFields() { const out = new Set(); for (const field of util_keys(this.measures)) { for (const op of util_keys(this.measures[field])) { const m = this.measures[field][op]; if (m.size === 0) { out.add(`${op}_${field}`); } else { m.forEach(out.add, out); } } } return out; } hash() { return `Aggregate ${hash({ dimensions: this.dimensions, measures: this.measures })}`; } assemble() { const ops = []; const fields = []; const as = []; for (const field of util_keys(this.measures)) { for (const op of util_keys(this.measures[field])) { for (const alias of this.measures[field][op]) { as.push(alias); ops.push(op); fields.push(field === '*' ? null : replacePathInField(field)); } } } const result = { type: 'aggregate', groupby: [...this.dimensions].map(replacePathInField), ops, fields, as }; return result; } } //# sourceMappingURL=aggregate.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/data/facet.js /** * A node that helps us track what fields we are faceting by. */ class FacetNode extends DataFlowNode { /** * @param model The facet model. * @param name The name that this facet source will have. * @param data The source data for this facet data. */ constructor(parent, model, name, data) { super(parent); this.model = model; this.name = name; this.data = data; for (const channel of FACET_CHANNELS) { const fieldDef = model.facet[channel]; if (fieldDef) { const { bin, sort } = fieldDef; this[channel] = { name: model.getName(`${channel}_domain`), fields: [vgField(fieldDef), ...(isBinning(bin) ? [vgField(fieldDef, { binSuffix: 'end' })] : [])], ...(isSortField(sort) ? { sortField: sort } : isArray(sort) ? { sortIndexField: sortArrayIndexField(fieldDef, channel) } : {}) }; } } this.childModel = model.child; } hash() { let out = `Facet`; for (const channel of FACET_CHANNELS) { if (this[channel]) { out += ` ${channel.charAt(0)}:${hash(this[channel])}`; } } return out; } get fields() { const f = []; for (const channel of FACET_CHANNELS) { if (this[channel]?.fields) { f.push(...this[channel].fields); } } return f; } dependentFields() { const depFields = new Set(this.fields); for (const channel of FACET_CHANNELS) { if (this[channel]) { if (this[channel].sortField) { depFields.add(this[channel].sortField.field); } if (this[channel].sortIndexField) { depFields.add(this[channel].sortIndexField); } } } return depFields; } producedFields() { return new Set(); // facet does not produce any new fields } /** * The name to reference this source is its name. */ getSource() { return this.name; } getChildIndependentFieldsWithStep() { const childIndependentFieldsWithStep = {}; for (const channel of POSITION_SCALE_CHANNELS) { const childScaleComponent = this.childModel.component.scales[channel]; if (childScaleComponent && !childScaleComponent.merged) { // independent scale const type = childScaleComponent.get('type'); const range = childScaleComponent.get('range'); if (hasDiscreteDomain(type) && isVgRangeStep(range)) { const domain = assembleDomain(this.childModel, channel); const field = getFieldFromDomain(domain); if (field) { childIndependentFieldsWithStep[channel] = field; } else { log_warn(unknownField(channel)); } } } } return childIndependentFieldsWithStep; } assembleRowColumnHeaderData(channel, crossedDataName, childIndependentFieldsWithStep) { const childChannel = { row: 'y', column: 'x', facet: undefined }[channel]; const fields = []; const ops = []; const as = []; if (childChannel && childIndependentFieldsWithStep && childIndependentFieldsWithStep[childChannel]) { if (crossedDataName) { // If there is a crossed data, calculate max fields.push(`distinct_${childIndependentFieldsWithStep[childChannel]}`); ops.push('max'); } else { // If there is no crossed data, just calculate distinct fields.push(childIndependentFieldsWithStep[childChannel]); ops.push('distinct'); } // Although it is technically a max, just name it distinct so it's easier to refer to it as.push(`distinct_${childIndependentFieldsWithStep[childChannel]}`); } const { sortField, sortIndexField } = this[channel]; if (sortField) { const { op = DEFAULT_SORT_OP, field } = sortField; fields.push(field); ops.push(op); as.push(vgField(sortField, { forAs: true })); } else if (sortIndexField) { fields.push(sortIndexField); ops.push('max'); as.push(sortIndexField); } return { name: this[channel].name, // Use data from the crossed one if it exist source: crossedDataName ?? this.data, transform: [ { type: 'aggregate', groupby: this[channel].fields, ...(fields.length ? { fields, ops, as } : {}) } ] }; } assembleFacetHeaderData(childIndependentFieldsWithStep) { const { columns } = this.model.layout; const { layoutHeaders } = this.model.component; const data = []; const hasSharedAxis = {}; for (const headerChannel of HEADER_CHANNELS) { for (const headerType of HEADER_TYPES) { const headers = (layoutHeaders[headerChannel] && layoutHeaders[headerChannel][headerType]) ?? []; for (const header of headers) { if (header.axes?.length > 0) { hasSharedAxis[headerChannel] = true; break; } } } if (hasSharedAxis[headerChannel]) { const cardinality = `length(data("${this.facet.name}"))`; const stop = headerChannel === 'row' ? columns ? { signal: `ceil(${cardinality} / ${columns})` } : 1 : columns ? { signal: `min(${cardinality}, ${columns})` } : { signal: cardinality }; data.push({ name: `${this.facet.name}_${headerChannel}`, transform: [ { type: 'sequence', start: 0, stop } ] }); } } const { row, column } = hasSharedAxis; if (row || column) { data.unshift(this.assembleRowColumnHeaderData('facet', null, childIndependentFieldsWithStep)); } return data; } assemble() { const data = []; let crossedDataName = null; const childIndependentFieldsWithStep = this.getChildIndependentFieldsWithStep(); const { column, row, facet } = this; if (column && row && (childIndependentFieldsWithStep.x || childIndependentFieldsWithStep.y)) { // Need to create a cross dataset to correctly calculate cardinality crossedDataName = `cross_${this.column.name}_${this.row.name}`; const fields = [].concat(childIndependentFieldsWithStep.x ?? [], childIndependentFieldsWithStep.y ?? []); const ops = fields.map(() => 'distinct'); data.push({ name: crossedDataName, source: this.data, transform: [ { type: 'aggregate', groupby: this.fields, fields, ops } ] }); } for (const channel of [COLUMN, ROW]) { if (this[channel]) { data.push(this.assembleRowColumnHeaderData(channel, crossedDataName, childIndependentFieldsWithStep)); } } if (facet) { const facetData = this.assembleFacetHeaderData(childIndependentFieldsWithStep); if (facetData) { data.push(...facetData); } } return data; } } //# sourceMappingURL=facet.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/data/formatparse.js /** * Remove quotes from a string. */ function unquote(pattern) { if ((pattern.startsWith("'") && pattern.endsWith("'")) || (pattern.startsWith('"') && pattern.endsWith('"'))) { return pattern.slice(1, -1); } return pattern; } /** * @param field The field. * @param parse What to parse the field as. */ function formatparse_parseExpression(field, parse) { const f = accessPathWithDatum(field); if (parse === 'number') { return `toNumber(${f})`; } else if (parse === 'boolean') { return `toBoolean(${f})`; } else if (parse === 'string') { return `toString(${f})`; } else if (parse === 'date') { return `toDate(${f})`; } else if (parse === 'flatten') { return f; } else if (parse.startsWith('date:')) { const specifier = unquote(parse.slice(5, parse.length)); return `timeParse(${f},'${specifier}')`; } else if (parse.startsWith('utc:')) { const specifier = unquote(parse.slice(4, parse.length)); return `utcParse(${f},'${specifier}')`; } else { log_warn(unrecognizedParse(parse)); return null; } } function getImplicitFromFilterTransform(transform) { const implicit = {}; forEachLeaf(transform.filter, filter => { if (isFieldPredicate(filter)) { // Automatically add a parse node for filters with filter objects let val = null; // For EqualFilter, just use the equal property. // For RangeFilter and OneOfFilter, all array members should have // the same type, so we only use the first one. if (isFieldEqualPredicate(filter)) { val = signalRefOrValue(filter.equal); } else if (isFieldLTEPredicate(filter)) { val = signalRefOrValue(filter.lte); } else if (isFieldLTPredicate(filter)) { val = signalRefOrValue(filter.lt); } else if (isFieldGTPredicate(filter)) { val = signalRefOrValue(filter.gt); } else if (isFieldGTEPredicate(filter)) { val = signalRefOrValue(filter.gte); } else if (isFieldRangePredicate(filter)) { val = filter.range[0]; } else if (isFieldOneOfPredicate(filter)) { val = (filter.oneOf ?? filter['in'])[0]; } // else -- for filter expression, we can't infer anything if (val) { if (isDateTime(val)) { implicit[filter.field] = 'date'; } else if (isNumber(val)) { implicit[filter.field] = 'number'; } else if (vega_util_module_isString(val)) { implicit[filter.field] = 'string'; } } if (filter.timeUnit) { implicit[filter.field] = 'date'; } } }); return implicit; } /** * Creates a parse node for implicit parsing from a model and updates ancestorParse. */ function getImplicitFromEncoding(model) { const implicit = {}; function add(fieldDef) { if (isFieldOrDatumDefForTimeFormat(fieldDef)) { implicit[fieldDef.field] = 'date'; } else if (fieldDef.type === 'quantitative' && isMinMaxOp(fieldDef.aggregate) // we need to parse numbers to support correct min and max ) { implicit[fieldDef.field] = 'number'; } else if (accessPathDepth(fieldDef.field) > 1) { // For non-date/non-number (strings and booleans), derive a flattened field for a referenced nested field. // (Parsing numbers / dates already flattens numeric and temporal fields.) if (!(fieldDef.field in implicit)) { implicit[fieldDef.field] = 'flatten'; } } else if (isScaleFieldDef(fieldDef) && isSortField(fieldDef.sort) && accessPathDepth(fieldDef.sort.field) > 1) { // Flatten fields that we sort by but that are not otherwise flattened. if (!(fieldDef.sort.field in implicit)) { implicit[fieldDef.sort.field] = 'flatten'; } } } if (isUnitModel(model) || isFacetModel(model)) { // Parse encoded fields model.forEachFieldDef((fieldDef, channel) => { if (isTypedFieldDef(fieldDef)) { add(fieldDef); } else { const mainChannel = getMainRangeChannel(channel); const mainFieldDef = model.fieldDef(mainChannel); add({ ...fieldDef, type: mainFieldDef.type }); } }); } // Parse quantitative dimension fields of path marks as numbers so that we sort them correctly. if (isUnitModel(model)) { const { mark, markDef, encoding } = model; if (isPathMark(mark) && // No need to sort by dimension if we have a connected scatterplot (order channel is present) !model.encoding.order) { const dimensionChannel = markDef.orient === 'horizontal' ? 'y' : 'x'; const dimensionChannelDef = encoding[dimensionChannel]; if (isFieldDef(dimensionChannelDef) && dimensionChannelDef.type === 'quantitative' && !(dimensionChannelDef.field in implicit)) { implicit[dimensionChannelDef.field] = 'number'; } } } return implicit; } /** * Creates a parse node for implicit parsing from a model and updates ancestorParse. */ function getImplicitFromSelection(model) { const implicit = {}; if (isUnitModel(model) && model.component.selection) { for (const name of util_keys(model.component.selection)) { const selCmpt = model.component.selection[name]; for (const proj of selCmpt.project.items) { if (!proj.channel && accessPathDepth(proj.field) > 1) { implicit[proj.field] = 'flatten'; } } } } return implicit; } class ParseNode extends DataFlowNode { clone() { return new ParseNode(null, duplicate(this._parse)); } constructor(parent, parse) { super(parent); this._parse = parse; } hash() { return `Parse ${hash(this._parse)}`; } /** * Creates a parse node from a data.format.parse and updates ancestorParse. */ static makeExplicit(parent, model, ancestorParse) { // Custom parse let explicit = {}; const data = model.data; if (!isGenerator(data) && data?.format?.parse) { explicit = data.format.parse; } return this.makeWithAncestors(parent, explicit, {}, ancestorParse); } /** * Creates a parse node from "explicit" parse and "implicit" parse and updates ancestorParse. */ static makeWithAncestors(parent, explicit, implicit, ancestorParse) { // We should not parse what has already been parsed in a parent (explicitly or implicitly) or what has been derived (maked as "derived"). We also don't need to flatten a field that has already been parsed. for (const field of util_keys(implicit)) { const parsedAs = ancestorParse.getWithExplicit(field); if (parsedAs.value !== undefined) { // We always ignore derived fields even if they are implicitly defined because we expect users to create the right types. if (parsedAs.explicit || parsedAs.value === implicit[field] || parsedAs.value === 'derived' || implicit[field] === 'flatten') { delete implicit[field]; } else { log_warn(differentParse(field, implicit[field], parsedAs.value)); } } } for (const field of util_keys(explicit)) { const parsedAs = ancestorParse.get(field); if (parsedAs !== undefined) { // Don't parse a field again if it has been parsed with the same type already. if (parsedAs === explicit[field]) { delete explicit[field]; } else { log_warn(differentParse(field, explicit[field], parsedAs)); } } } const parse = new Split(explicit, implicit); // add the format parse from this model so that children don't parse the same field again ancestorParse.copyAll(parse); // copy only non-null parses const p = {}; for (const key of util_keys(parse.combine())) { const val = parse.get(key); if (val !== null) { p[key] = val; } } if (util_keys(p).length === 0 || ancestorParse.parseNothing) { return null; } return new ParseNode(parent, p); } get parse() { return this._parse; } merge(other) { this._parse = { ...this._parse, ...other.parse }; other.remove(); } /** * Assemble an object for Vega's format.parse property. */ assembleFormatParse() { const formatParse = {}; for (const field of util_keys(this._parse)) { const p = this._parse[field]; if (accessPathDepth(field) === 1) { formatParse[field] = p; } } return formatParse; } // format parse depends and produces all fields in its parse producedFields() { return new Set(util_keys(this._parse)); } dependentFields() { return new Set(util_keys(this._parse)); } assembleTransforms(onlyNested = false) { return util_keys(this._parse) .filter(field => (onlyNested ? accessPathDepth(field) > 1 : true)) .map(field => { const expr = formatparse_parseExpression(field, this._parse[field]); if (!expr) { return null; } const formula = { type: 'formula', expr, as: removePathFromField(field) // Vega output is always flattened }; return formula; }) .filter(t => t !== null); } } //# sourceMappingURL=formatparse.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/data/identifier.js class IdentifierNode extends DataFlowNode { clone() { return new IdentifierNode(null); } constructor(parent) { super(parent); } dependentFields() { return new Set(); } producedFields() { return new Set([SELECTION_ID]); } hash() { return 'Identifier'; } assemble() { return { type: 'identifier', as: SELECTION_ID }; } } //# sourceMappingURL=identifier.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/data/graticule.js class GraticuleNode extends DataFlowNode { clone() { return new GraticuleNode(null, this.params); } constructor(parent, params) { super(parent); this.params = params; } dependentFields() { return new Set(); } producedFields() { return undefined; // there should never be a node before graticule } hash() { return `Graticule ${hash(this.params)}`; } assemble() { return { type: 'graticule', ...(this.params === true ? {} : this.params) }; } } //# sourceMappingURL=graticule.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/data/sequence.js class SequenceNode extends DataFlowNode { clone() { return new SequenceNode(null, this.params); } constructor(parent, params) { super(parent); this.params = params; } dependentFields() { return new Set(); } producedFields() { return new Set([this.params.as ?? 'data']); } hash() { return `Hash ${hash(this.params)}`; } assemble() { return { type: 'sequence', ...this.params }; } } //# sourceMappingURL=sequence.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/data/source.js class SourceNode extends DataFlowNode { constructor(data) { super(null); // source cannot have parent data ?? (data = { name: 'source' }); let format; if (!isGenerator(data)) { format = data.format ? { ...omit(data.format, ['parse']) } : {}; } if (isInlineData(data)) { this._data = { values: data.values }; } else if (isUrlData(data)) { this._data = { url: data.url }; if (!format.type) { // Extract extension from URL using snippet from // http://stackoverflow.com/questions/680929/how-to-extract-extension-from-filename-string-in-javascript let defaultExtension = /(?:\.([^.]+))?$/.exec(data.url)[1]; if (!util_contains(['json', 'csv', 'tsv', 'dsv', 'topojson'], defaultExtension)) { defaultExtension = 'json'; } // defaultExtension has type string but we ensure that it is DataFormatType above format.type = defaultExtension; } } else if (isSphereGenerator(data)) { // hardwire GeoJSON sphere data into output specification this._data = { values: [{ type: 'Sphere' }] }; } else if (isNamedData(data) || isGenerator(data)) { this._data = {}; } // set flag to check if generator this._generator = isGenerator(data); // any dataset can be named if (data.name) { this._name = data.name; } if (format && !isEmpty(format)) { this._data.format = format; } } dependentFields() { return new Set(); } producedFields() { return undefined; // we don't know what this source produces } get data() { return this._data; } hasName() { return !!this._name; } get isGenerator() { return this._generator; } get dataName() { return this._name; } set dataName(name) { this._name = name; } set parent(parent) { throw new Error('Source nodes have to be roots.'); } remove() { throw new Error('Source nodes are roots and cannot be removed.'); } hash() { throw new Error('Cannot hash sources'); } assemble() { return { name: this._name, ...this._data, transform: [] }; } } //# sourceMappingURL=source.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/data/optimizer.js var optimizer_classPrivateFieldSet = (undefined && undefined.__classPrivateFieldSet) || function (receiver, state, value, kind, f) { if (kind === "m") throw new TypeError("Private method is not writable"); if (kind === "a" && !f) throw new TypeError("Private accessor was defined without a setter"); if (typeof state === "function" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError("Cannot write private member to an object whose class did not declare it"); return (kind === "a" ? f.call(receiver, value) : f ? f.value = value : state.set(receiver, value)), value; }; var optimizer_classPrivateFieldGet = (undefined && undefined.__classPrivateFieldGet) || function (receiver, state, kind, f) { if (kind === "a" && !f) throw new TypeError("Private accessor was defined without a getter"); if (typeof state === "function" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError("Cannot read private member from an object whose class did not declare it"); return kind === "m" ? f : kind === "a" ? f.call(receiver) : f ? f.value : state.get(receiver); }; var _Optimizer_modified; /** * Whether this dataflow node is the source of the dataflow that produces data i.e. a source or a generator. */ function isDataSourceNode(node) { return node instanceof SourceNode || node instanceof GraticuleNode || node instanceof SequenceNode; } /** * Abstract base class for Dataflow optimizers. * Contains only mutation handling logic. Subclasses need to implement iteration logic. */ class Optimizer { constructor() { _Optimizer_modified.set(this, void 0); optimizer_classPrivateFieldSet(this, _Optimizer_modified, false, "f"); } // Once true, #modified is never set to false setModified() { optimizer_classPrivateFieldSet(this, _Optimizer_modified, true, "f"); } get modifiedFlag() { return optimizer_classPrivateFieldGet(this, _Optimizer_modified, "f"); } } _Optimizer_modified = new WeakMap(); /** * Starts from a node and runs the optimization function (the "run" method) upwards to the root, * depending on the continue and modified flag values returned by the optimization function. */ class BottomUpOptimizer extends Optimizer { /** * Compute a map of node depths that we can use to determine a topological sort order. */ getNodeDepths(node, depth, depths) { depths.set(node, depth); for (const child of node.children) { this.getNodeDepths(child, depth + 1, depths); } return depths; } /** * Run the optimizer on all nodes starting from the leaves. */ optimize(node) { const depths = this.getNodeDepths(node, 0, new Map()); const topologicalSort = [...depths.entries()].sort((a, b) => b[1] - a[1]); for (const tuple of topologicalSort) { this.run(tuple[0]); } return this.modifiedFlag; } } /** * The optimizer function (the "run" method), is invoked on the given node and then continues recursively. */ class TopDownOptimizer extends Optimizer { /** * Run the optimizer depth first on all nodes starting from the roots. */ optimize(node) { this.run(node); for (const child of node.children) { this.optimize(child); } return this.modifiedFlag; } } //# sourceMappingURL=optimizer.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/data/optimizers.js /** * Merge identical nodes at forks by comparing hashes. * * Does not need to iterate from leaves so we implement this with recursion as it's a bit simpler. */ class MergeIdenticalNodes extends TopDownOptimizer { mergeNodes(parent, nodes) { const mergedNode = nodes.shift(); for (const node of nodes) { parent.removeChild(node); node.parent = mergedNode; node.remove(); } } run(node) { const hashes = node.children.map(x => x.hash()); const buckets = {}; for (let i = 0; i < hashes.length; i++) { if (buckets[hashes[i]] === undefined) { buckets[hashes[i]] = [node.children[i]]; } else { buckets[hashes[i]].push(node.children[i]); } } for (const k of util_keys(buckets)) { if (buckets[k].length > 1) { this.setModified(); this.mergeNodes(node, buckets[k]); } } } } /** * Optimizer that removes identifier nodes that are not needed for selections. */ class RemoveUnnecessaryIdentifierNodes extends TopDownOptimizer { constructor(model) { super(); this.requiresSelectionId = model && requiresSelectionId(model); } run(node) { if (node instanceof IdentifierNode) { // Only preserve IdentifierNodes if we have default discrete selections // in our model tree, and if the nodes come after tuple producing nodes. if (!(this.requiresSelectionId && (isDataSourceNode(node.parent) || node.parent instanceof AggregateNode || node.parent instanceof ParseNode))) { this.setModified(); node.remove(); } } } } /** * Removes duplicate time unit nodes (as determined by the name of the output field) that may be generated due to * selections projected over time units. Only keeps the first time unit in any branch. * * This optimizer is a custom top down optimizer that keep track of produced fields in a branch. */ class RemoveDuplicateTimeUnits extends Optimizer { optimize(node) { this.run(node, new Set()); return this.modifiedFlag; } run(node, timeUnitFields) { let producedFields = new Set(); if (node instanceof TimeUnitNode) { producedFields = node.producedFields(); if (hasIntersection(producedFields, timeUnitFields)) { this.setModified(); node.removeFormulas(timeUnitFields); if (node.producedFields.length === 0) { node.remove(); } } } for (const child of node.children) { this.run(child, new Set([...timeUnitFields, ...producedFields])); } } } /** * Remove output nodes that are not required. */ class RemoveUnnecessaryOutputNodes extends TopDownOptimizer { constructor() { super(); } run(node) { if (node instanceof OutputNode && !node.isRequired()) { this.setModified(); node.remove(); } } } /** * Move parse nodes up to forks and merges them if possible. */ class MoveParseUp extends BottomUpOptimizer { run(node) { if (isDataSourceNode(node)) { return; } if (node.numChildren() > 1) { // Don't move parse further up but continue with parent. return; } for (const child of node.children) { if (child instanceof ParseNode) { if (node instanceof ParseNode) { this.setModified(); node.merge(child); } else { // Don't swap with nodes that produce something that the parse node depends on (e.g. lookup). if (fieldIntersection(node.producedFields(), child.dependentFields())) { continue; } this.setModified(); child.swapWithParent(); } } } return; } } /** * Inserts an intermediate ParseNode containing all non-conflicting parse fields and removes the empty ParseNodes. * * We assume that dependent paths that do not have a parse node can be just merged. */ class MergeParse extends BottomUpOptimizer { run(node) { const originalChildren = [...node.children]; const parseChildren = node.children.filter((child) => child instanceof ParseNode); if (node.numChildren() > 1 && parseChildren.length >= 1) { const commonParse = {}; const conflictingParse = new Set(); for (const parseNode of parseChildren) { const parse = parseNode.parse; for (const k of util_keys(parse)) { if (!(k in commonParse)) { commonParse[k] = parse[k]; } else if (commonParse[k] !== parse[k]) { conflictingParse.add(k); } } } for (const field of conflictingParse) { delete commonParse[field]; } if (!isEmpty(commonParse)) { this.setModified(); const mergedParseNode = new ParseNode(node, commonParse); for (const childNode of originalChildren) { if (childNode instanceof ParseNode) { for (const key of util_keys(commonParse)) { delete childNode.parse[key]; } } node.removeChild(childNode); childNode.parent = mergedParseNode; // remove empty parse nodes if (childNode instanceof ParseNode && util_keys(childNode.parse).length === 0) { childNode.remove(); } } } } } } /** * Repeatedly remove leaf nodes that are not output or facet nodes. * The reason is that we don't need subtrees that don't have any output nodes. * Facet nodes are needed for the row or column domains. */ class RemoveUnusedSubtrees extends BottomUpOptimizer { run(node) { if (node instanceof OutputNode || node.numChildren() > 0 || node instanceof FacetNode) { // no need to continue with parent because it is output node or will have children (there was a fork) } else if (node instanceof SourceNode) { // ignore empty unused sources as they will be removed in optimizationDataflowHelper } else { this.setModified(); node.remove(); } } } /** * Merge adjacent time unit nodes. */ class MergeTimeUnits extends BottomUpOptimizer { run(node) { const timeUnitChildren = node.children.filter((x) => x instanceof TimeUnitNode); const combination = timeUnitChildren.pop(); for (const timeUnit of timeUnitChildren) { this.setModified(); combination.merge(timeUnit); } } } class MergeAggregates extends BottomUpOptimizer { run(node) { const aggChildren = node.children.filter((child) => child instanceof AggregateNode); // Object which we'll use to map the fields which an aggregate is grouped by to // the set of aggregates with that grouping. This is useful as only aggregates // with the same group by can be merged const groupedAggregates = {}; // Build groupedAggregates for (const agg of aggChildren) { const groupBys = hash(agg.groupBy); if (!(groupBys in groupedAggregates)) { groupedAggregates[groupBys] = []; } groupedAggregates[groupBys].push(agg); } // Merge aggregateNodes with same key in groupedAggregates for (const group of util_keys(groupedAggregates)) { const mergeableAggs = groupedAggregates[group]; if (mergeableAggs.length > 1) { const mergedAggs = mergeableAggs.pop(); for (const agg of mergeableAggs) { if (mergedAggs.merge(agg)) { node.removeChild(agg); agg.parent = mergedAggs; agg.remove(); this.setModified(); } } } } } } /** * Merge bin nodes and move them up through forks. Stop at filters, parse, identifier as we want them to stay before the bin node. */ class MergeBins extends BottomUpOptimizer { constructor(model) { super(); this.model = model; } run(node) { const moveBinsUp = !(isDataSourceNode(node) || node instanceof FilterNode || node instanceof ParseNode || node instanceof IdentifierNode); const promotableBins = []; const remainingBins = []; for (const child of node.children) { if (child instanceof BinNode) { if (moveBinsUp && !fieldIntersection(node.producedFields(), child.dependentFields())) { promotableBins.push(child); } else { remainingBins.push(child); } } } if (promotableBins.length > 0) { const promotedBin = promotableBins.pop(); for (const bin of promotableBins) { promotedBin.merge(bin, this.model.renameSignal.bind(this.model)); } this.setModified(); if (node instanceof BinNode) { node.merge(promotedBin, this.model.renameSignal.bind(this.model)); } else { promotedBin.swapWithParent(); } } if (remainingBins.length > 1) { const remainingBin = remainingBins.pop(); for (const bin of remainingBins) { remainingBin.merge(bin, this.model.renameSignal.bind(this.model)); } this.setModified(); } } } /** * This optimizer takes output nodes that are at a fork and moves them before the fork. * * The algorithm iterates over the children and tries to find the last output node in a chain of output nodes. * It then moves all output nodes before that main output node. All other children (and the children of the output nodes) * are inserted after the main output node. */ class MergeOutputs extends BottomUpOptimizer { run(node) { const children = [...node.children]; const hasOutputChild = some(children, child => child instanceof OutputNode); if (!hasOutputChild || node.numChildren() <= 1) { return; } const otherChildren = []; // The output node we will connect all other nodes to. // Output nodes will be added before the new node, other nodes after. let mainOutput; for (const child of children) { if (child instanceof OutputNode) { let lastOutput = child; while (lastOutput.numChildren() === 1) { const [theChild] = lastOutput.children; if (theChild instanceof OutputNode) { lastOutput = theChild; } else { break; } } otherChildren.push(...lastOutput.children); if (mainOutput) { // Move the output nodes before the mainOutput. We do this by setting // the parent of the first not to the parent of the main output and // the main output's parent to the last output. // note: the child is the first output node.removeChild(child); child.parent = mainOutput.parent; mainOutput.parent.removeChild(mainOutput); mainOutput.parent = lastOutput; this.setModified(); } else { mainOutput = lastOutput; } } else { otherChildren.push(child); } } if (otherChildren.length) { this.setModified(); for (const child of otherChildren) { child.parent.removeChild(child); child.parent = mainOutput; } } } } //# sourceMappingURL=optimizers.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/data/joinaggregate.js /** * A class for the join aggregate transform nodes. */ class JoinAggregateTransformNode extends DataFlowNode { clone() { return new JoinAggregateTransformNode(null, duplicate(this.transform)); } constructor(parent, transform) { super(parent); this.transform = transform; } addDimensions(fields) { this.transform.groupby = unique(this.transform.groupby.concat(fields), d => d); } dependentFields() { const out = new Set(); if (this.transform.groupby) { this.transform.groupby.forEach(out.add, out); } this.transform.joinaggregate .map(w => w.field) .filter(f => f !== undefined) .forEach(out.add, out); return out; } producedFields() { return new Set(this.transform.joinaggregate.map(this.getDefaultName)); } getDefaultName(joinAggregateFieldDef) { return joinAggregateFieldDef.as ?? vgField(joinAggregateFieldDef); } hash() { return `JoinAggregateTransform ${hash(this.transform)}`; } assemble() { const fields = []; const ops = []; const as = []; for (const joinaggregate of this.transform.joinaggregate) { ops.push(joinaggregate.op); as.push(this.getDefaultName(joinaggregate)); fields.push(joinaggregate.field === undefined ? null : joinaggregate.field); } const groupby = this.transform.groupby; return { type: 'joinaggregate', as, ops, fields, ...(groupby !== undefined ? { groupby } : {}) }; } } //# sourceMappingURL=joinaggregate.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/data/stack.js function getStackByFields(model) { return model.stack.stackBy.reduce((fields, by) => { const fieldDef = by.fieldDef; const _field = vgField(fieldDef); if (_field) { fields.push(_field); } return fields; }, []); } function isValidAsArray(as) { return isArray(as) && as.every(s => vega_util_module_isString(s)) && as.length > 1; } class StackNode extends DataFlowNode { clone() { return new StackNode(null, duplicate(this._stack)); } constructor(parent, stack) { super(parent); this._stack = stack; } static makeFromTransform(parent, stackTransform) { const { stack, groupby, as, offset = 'zero' } = stackTransform; const sortFields = []; const sortOrder = []; if (stackTransform.sort !== undefined) { for (const sortField of stackTransform.sort) { sortFields.push(sortField.field); sortOrder.push(getFirstDefined(sortField.order, 'ascending')); } } const sort = { field: sortFields, order: sortOrder }; let normalizedAs; if (isValidAsArray(as)) { normalizedAs = as; } else if (vega_util_module_isString(as)) { normalizedAs = [as, `${as}_end`]; } else { normalizedAs = [`${stackTransform.stack}_start`, `${stackTransform.stack}_end`]; } return new StackNode(parent, { dimensionFieldDefs: [], stackField: stack, groupby, offset, sort, facetby: [], as: normalizedAs }); } static makeFromEncoding(parent, model) { const stackProperties = model.stack; const { encoding } = model; if (!stackProperties) { return null; } const { groupbyChannels, fieldChannel, offset, impute } = stackProperties; const dimensionFieldDefs = groupbyChannels .map(groupbyChannel => { const cDef = encoding[groupbyChannel]; return getFieldDef(cDef); }) .filter(def => !!def); const stackby = getStackByFields(model); const orderDef = model.encoding.order; let sort; if (isArray(orderDef) || isFieldDef(orderDef)) { sort = sortParams(orderDef); } else { const sortOrder = isOrderOnlyDef(orderDef) ? orderDef.sort : fieldChannel === 'y' ? 'descending' : 'ascending'; // default = descending by stackFields // FIXME is the default here correct for binned fields? sort = stackby.reduce((s, field) => { s.field.push(field); s.order.push(sortOrder); return s; }, { field: [], order: [] }); } return new StackNode(parent, { dimensionFieldDefs, stackField: model.vgField(fieldChannel), facetby: [], stackby, sort, offset, impute, as: [ model.vgField(fieldChannel, { suffix: 'start', forAs: true }), model.vgField(fieldChannel, { suffix: 'end', forAs: true }) ] }); } get stack() { return this._stack; } addDimensions(fields) { this._stack.facetby.push(...fields); } dependentFields() { const out = new Set(); out.add(this._stack.stackField); this.getGroupbyFields().forEach(out.add, out); this._stack.facetby.forEach(out.add, out); this._stack.sort.field.forEach(out.add, out); return out; } producedFields() { return new Set(this._stack.as); } hash() { return `Stack ${hash(this._stack)}`; } getGroupbyFields() { const { dimensionFieldDefs, impute, groupby } = this._stack; if (dimensionFieldDefs.length > 0) { return dimensionFieldDefs .map(dimensionFieldDef => { if (dimensionFieldDef.bin) { if (impute) { // For binned group by field with impute, we calculate bin_mid // as we cannot impute two fields simultaneously return [vgField(dimensionFieldDef, { binSuffix: 'mid' })]; } return [ // For binned group by field without impute, we need both bin (start) and bin_end vgField(dimensionFieldDef, {}), vgField(dimensionFieldDef, { binSuffix: 'end' }) ]; } return [vgField(dimensionFieldDef)]; }) .flat(); } return groupby ?? []; } assemble() { const transform = []; const { facetby, dimensionFieldDefs, stackField: field, stackby, sort, offset, impute, as } = this._stack; // Impute if (impute) { for (const dimensionFieldDef of dimensionFieldDefs) { const { bandPosition = 0.5, bin } = dimensionFieldDef; if (bin) { // As we can only impute one field at a time, we need to calculate // mid point for a binned field const binStart = vgField(dimensionFieldDef, { expr: 'datum' }); const binEnd = vgField(dimensionFieldDef, { expr: 'datum', binSuffix: 'end' }); transform.push({ type: 'formula', expr: `${bandPosition}*${binStart}+${1 - bandPosition}*${binEnd}`, as: vgField(dimensionFieldDef, { binSuffix: 'mid', forAs: true }) }); } transform.push({ type: 'impute', field, groupby: [...stackby, ...facetby], key: vgField(dimensionFieldDef, { binSuffix: 'mid' }), method: 'value', value: 0 }); } } // Stack transform.push({ type: 'stack', groupby: [...this.getGroupbyFields(), ...facetby], field, sort, as, offset }); return transform; } } //# sourceMappingURL=stack.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/data/window.js /** * A class for the window transform nodes */ class WindowTransformNode extends DataFlowNode { clone() { return new WindowTransformNode(null, duplicate(this.transform)); } constructor(parent, transform) { super(parent); this.transform = transform; } addDimensions(fields) { this.transform.groupby = unique(this.transform.groupby.concat(fields), d => d); } dependentFields() { const out = new Set(); (this.transform.groupby ?? []).forEach(out.add, out); (this.transform.sort ?? []).forEach(m => out.add(m.field)); this.transform.window .map(w => w.field) .filter(f => f !== undefined) .forEach(out.add, out); return out; } producedFields() { return new Set(this.transform.window.map(this.getDefaultName)); } getDefaultName(windowFieldDef) { return windowFieldDef.as ?? vgField(windowFieldDef); } hash() { return `WindowTransform ${hash(this.transform)}`; } assemble() { const fields = []; const ops = []; const as = []; const params = []; for (const window of this.transform.window) { ops.push(window.op); as.push(this.getDefaultName(window)); params.push(window.param === undefined ? null : window.param); fields.push(window.field === undefined ? null : window.field); } const frame = this.transform.frame; const groupby = this.transform.groupby; if (frame && frame[0] === null && frame[1] === null && ops.every(o => isAggregateOp(o))) { // when the window does not rely on any particular window ops or frame, switch to a simpler and more efficient joinaggregate return { type: 'joinaggregate', as, ops: ops, fields, ...(groupby !== undefined ? { groupby } : {}) }; } const sortFields = []; const sortOrder = []; if (this.transform.sort !== undefined) { for (const sortField of this.transform.sort) { sortFields.push(sortField.field); sortOrder.push(sortField.order ?? 'ascending'); } } const sort = { field: sortFields, order: sortOrder }; const ignorePeers = this.transform.ignorePeers; return { type: 'window', params, as, ops, fields, sort, ...(ignorePeers !== undefined ? { ignorePeers } : {}), ...(groupby !== undefined ? { groupby } : {}), ...(frame !== undefined ? { frame } : {}) }; } } //# sourceMappingURL=window.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/data/subtree.js /** * Clones the subtree and ignores output nodes except for the leaves, which are renamed. */ function cloneSubtree(facet) { function clone(node) { if (!(node instanceof FacetNode)) { const copy = node.clone(); if (copy instanceof OutputNode) { const newName = FACET_SCALE_PREFIX + copy.getSource(); copy.setSource(newName); facet.model.component.data.outputNodes[newName] = copy; } else if (copy instanceof AggregateNode || copy instanceof StackNode || copy instanceof WindowTransformNode || copy instanceof JoinAggregateTransformNode) { copy.addDimensions(facet.fields); } for (const n of node.children.flatMap(clone)) { n.parent = copy; } return [copy]; } return node.children.flatMap(clone); } return clone; } /** * Move facet nodes down to the next fork or output node. Also pull the main output with the facet node. * After moving down the facet node, make a copy of the subtree and make it a child of the main output. */ function moveFacetDown(node) { if (node instanceof FacetNode) { if (node.numChildren() === 1 && !(node.children[0] instanceof OutputNode)) { // move down until we hit a fork or output node const child = node.children[0]; if (child instanceof AggregateNode || child instanceof StackNode || child instanceof WindowTransformNode || child instanceof JoinAggregateTransformNode) { child.addDimensions(node.fields); } child.swapWithParent(); moveFacetDown(node); } else { // move main to facet const facetMain = node.model.component.data.main; moveMainDownToFacet(facetMain); // replicate the subtree and place it before the facet's main node const cloner = cloneSubtree(node); const copy = node.children.map(cloner).flat(); for (const c of copy) { c.parent = facetMain; } } } else { node.children.map(moveFacetDown); } } function moveMainDownToFacet(node) { if (node instanceof OutputNode && node.type === DataSourceType.Main) { if (node.numChildren() === 1) { const child = node.children[0]; if (!(child instanceof FacetNode)) { child.swapWithParent(); moveMainDownToFacet(node); } } } } //# sourceMappingURL=subtree.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/data/optimize.js const FACET_SCALE_PREFIX = 'scale_'; const MAX_OPTIMIZATION_RUNS = 5; /** * Iterates over a dataflow graph and checks whether all links are consistent. */ function checkLinks(nodes) { for (const node of nodes) { for (const child of node.children) { if (child.parent !== node) { // log.error('Dataflow graph is inconsistent.', node, child); return false; } } if (!checkLinks(node.children)) { return false; } } return true; } /** * Run the specified optimizer on the provided nodes. * * @param optimizer The optimizer instance to run. * @param nodes A set of nodes to optimize. */ function runOptimizer(optimizer, nodes) { let modified = false; for (const node of nodes) { modified = optimizer.optimize(node) || modified; } return modified; } function optimizationDataflowHelper(dataComponent, model, firstPass) { let roots = dataComponent.sources; let modified = false; modified = runOptimizer(new RemoveUnnecessaryOutputNodes(), roots) || modified; modified = runOptimizer(new RemoveUnnecessaryIdentifierNodes(model), roots) || modified; // remove source nodes that don't have any children because they also don't have output nodes roots = roots.filter(r => r.numChildren() > 0); modified = runOptimizer(new RemoveUnusedSubtrees(), roots) || modified; roots = roots.filter(r => r.numChildren() > 0); if (!firstPass) { // Only run these optimizations after the optimizer has moved down the facet node. // With this change, we can be more aggressive in the optimizations. modified = runOptimizer(new MoveParseUp(), roots) || modified; modified = runOptimizer(new MergeBins(model), roots) || modified; modified = runOptimizer(new RemoveDuplicateTimeUnits(), roots) || modified; modified = runOptimizer(new MergeParse(), roots) || modified; modified = runOptimizer(new MergeAggregates(), roots) || modified; modified = runOptimizer(new MergeTimeUnits(), roots) || modified; modified = runOptimizer(new MergeIdenticalNodes(), roots) || modified; modified = runOptimizer(new MergeOutputs(), roots) || modified; } dataComponent.sources = roots; return modified; } /** * Optimizes the dataflow of the passed in data component. */ function optimizeDataflow(data, model) { // check before optimizations checkLinks(data.sources); let firstPassCounter = 0; let secondPassCounter = 0; for (let i = 0; i < MAX_OPTIMIZATION_RUNS; i++) { if (!optimizationDataflowHelper(data, model, true)) { break; } firstPassCounter++; } // move facets down and make a copy of the subtree so that we can have scales at the top level data.sources.map(moveFacetDown); for (let i = 0; i < MAX_OPTIMIZATION_RUNS; i++) { if (!optimizationDataflowHelper(data, model, false)) { break; } secondPassCounter++; } // check after optimizations checkLinks(data.sources); if (Math.max(firstPassCounter, secondPassCounter) === MAX_OPTIMIZATION_RUNS) { log_warn(`Maximum optimization runs(${MAX_OPTIMIZATION_RUNS}) reached.`); } } //# sourceMappingURL=optimize.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/signal.js /** * A class that behaves like a SignalRef but lazily generates the signal. * The provided generator function should use `Model.getSignalName` to use the correct signal name. */ class SignalRefWrapper { constructor(exprGenerator) { Object.defineProperty(this, 'signal', { enumerable: true, get: exprGenerator }); } static fromName(rename, signalName) { return new SignalRefWrapper(() => rename(signalName)); } } //# sourceMappingURL=signal.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/scale/domain.js function domain_parseScaleDomain(model) { if (isUnitModel(model)) { parseUnitScaleDomain(model); } else { parseNonUnitScaleDomain(model); } } function parseUnitScaleDomain(model) { const localScaleComponents = model.component.scales; for (const channel of util_keys(localScaleComponents)) { const domains = parseDomainForChannel(model, channel); const localScaleCmpt = localScaleComponents[channel]; localScaleCmpt.setWithExplicit('domains', domains); parseSelectionDomain(model, channel); if (model.component.data.isFaceted) { // get resolve from closest facet parent as this decides whether we need to refer to cloned subtree or not let facetParent = model; while (!isFacetModel(facetParent) && facetParent.parent) { facetParent = facetParent.parent; } const resolve = facetParent.component.resolve.scale[channel]; if (resolve === 'shared') { for (const domain of domains.value) { // Replace the scale domain with data output from a cloned subtree after the facet. if (isDataRefDomain(domain)) { // use data from cloned subtree (which is the same as data but with a prefix added once) domain.data = FACET_SCALE_PREFIX + domain.data.replace(FACET_SCALE_PREFIX, ''); } } } } } } function parseNonUnitScaleDomain(model) { for (const child of model.children) { domain_parseScaleDomain(child); } const localScaleComponents = model.component.scales; for (const channel of util_keys(localScaleComponents)) { let domains; let selectionExtent = null; for (const child of model.children) { const childComponent = child.component.scales[channel]; if (childComponent) { if (domains === undefined) { domains = childComponent.getWithExplicit('domains'); } else { domains = mergeValuesWithExplicit(domains, childComponent.getWithExplicit('domains'), 'domains', 'scale', domainsTieBreaker); } const se = childComponent.get('selectionExtent'); if (selectionExtent && se && selectionExtent.param !== se.param) { log_warn(NEEDS_SAME_SELECTION); } selectionExtent = se; } } localScaleComponents[channel].setWithExplicit('domains', domains); if (selectionExtent) { localScaleComponents[channel].set('selectionExtent', selectionExtent, true); } } } /** * Remove unaggregated domain if it is not applicable * Add unaggregated domain if domain is not specified and config.scale.useUnaggregatedDomain is true. */ function normalizeUnaggregatedDomain(domain, fieldDef, scaleType, scaleConfig) { if (domain === 'unaggregated') { const { valid, reason } = canUseUnaggregatedDomain(fieldDef, scaleType); if (!valid) { log_warn(reason); return undefined; } } else if (domain === undefined && scaleConfig.useUnaggregatedDomain) { // Apply config if domain is not specified. const { valid } = canUseUnaggregatedDomain(fieldDef, scaleType); if (valid) { return 'unaggregated'; } } return domain; } function parseDomainForChannel(model, channel) { const scaleType = model.getScaleComponent(channel).get('type'); const { encoding } = model; const domain = normalizeUnaggregatedDomain(model.scaleDomain(channel), model.typedFieldDef(channel), scaleType, model.config.scale); if (domain !== model.scaleDomain(channel)) { model.specifiedScales[channel] = { ...model.specifiedScales[channel], domain }; } // If channel is either X or Y then union them with X2 & Y2 if they exist if (channel === 'x' && getFieldOrDatumDef(encoding.x2)) { if (getFieldOrDatumDef(encoding.x)) { return mergeValuesWithExplicit(parseSingleChannelDomain(scaleType, domain, model, 'x'), parseSingleChannelDomain(scaleType, domain, model, 'x2'), 'domain', 'scale', domainsTieBreaker); } else { return parseSingleChannelDomain(scaleType, domain, model, 'x2'); } } else if (channel === 'y' && getFieldOrDatumDef(encoding.y2)) { if (getFieldOrDatumDef(encoding.y)) { return mergeValuesWithExplicit(parseSingleChannelDomain(scaleType, domain, model, 'y'), parseSingleChannelDomain(scaleType, domain, model, 'y2'), 'domain', 'scale', domainsTieBreaker); } else { return parseSingleChannelDomain(scaleType, domain, model, 'y2'); } } return parseSingleChannelDomain(scaleType, domain, model, channel); } function mapDomainToDataSignal(domain, type, timeUnit) { return domain.map(v => { const data = valueExpr(v, { timeUnit, type }); return { signal: `{data: ${data}}` }; }); } function convertDomainIfItIsDateTime(domain, type, timeUnit) { // explicit value const normalizedTimeUnit = normalizeTimeUnit(timeUnit)?.unit; if (type === 'temporal' || normalizedTimeUnit) { return mapDomainToDataSignal(domain, type, normalizedTimeUnit); } return [domain]; // Date time won't make sense } function parseSingleChannelDomain(scaleType, domain, model, channel) { const { encoding } = model; const fieldOrDatumDef = getFieldOrDatumDef(encoding[channel]); const { type } = fieldOrDatumDef; const timeUnit = fieldOrDatumDef['timeUnit']; if (isDomainUnionWith(domain)) { const defaultDomain = parseSingleChannelDomain(scaleType, undefined, model, channel); const unionWith = convertDomainIfItIsDateTime(domain.unionWith, type, timeUnit); return makeExplicit([...unionWith, ...defaultDomain.value]); } else if (isSignalRef(domain)) { return makeExplicit([domain]); } else if (domain && domain !== 'unaggregated' && !isParameterDomain(domain)) { return makeExplicit(convertDomainIfItIsDateTime(domain, type, timeUnit)); } const stack = model.stack; if (stack && channel === stack.fieldChannel) { if (stack.offset === 'normalize') { return makeImplicit([[0, 1]]); } const data = model.requestDataName(DataSourceType.Main); return makeImplicit([ { data, field: model.vgField(channel, { suffix: 'start' }) }, { data, field: model.vgField(channel, { suffix: 'end' }) } ]); } const sort = isScaleChannel(channel) && isFieldDef(fieldOrDatumDef) ? domainSort(model, channel, scaleType) : undefined; if (isDatumDef(fieldOrDatumDef)) { const d = convertDomainIfItIsDateTime([fieldOrDatumDef.datum], type, timeUnit); return makeImplicit(d); } const fieldDef = fieldOrDatumDef; // now we can be sure it's a fieldDef if (domain === 'unaggregated') { const data = model.requestDataName(DataSourceType.Main); const { field } = fieldOrDatumDef; return makeImplicit([ { data, field: vgField({ field, aggregate: 'min' }) }, { data, field: vgField({ field, aggregate: 'max' }) } ]); } else if (isBinning(fieldDef.bin)) { if (hasDiscreteDomain(scaleType)) { if (scaleType === 'bin-ordinal') { // we can omit the domain as it is inferred from the `bins` property return makeImplicit([]); } // ordinal bin scale takes domain from bin_range, ordered by bin start // This is useful for both axis-based scale (x/y) and legend-based scale (other channels). return makeImplicit([ { // If sort by aggregation of a specified sort field, we need to use RAW table, // so we can aggregate values for the scale independently from the main aggregation. data: util_isBoolean(sort) ? model.requestDataName(DataSourceType.Main) : model.requestDataName(DataSourceType.Raw), // Use range if we added it and the scale does not support computing a range as a signal. field: model.vgField(channel, binRequiresRange(fieldDef, channel) ? { binSuffix: 'range' } : {}), // we have to use a sort object if sort = true to make the sort correct by bin start sort: sort === true || !isObject(sort) ? { field: model.vgField(channel, {}), op: 'min' // min or max doesn't matter since we sort by the start of the bin range } : sort } ]); } else { // continuous scales const { bin } = fieldDef; if (isBinning(bin)) { const binSignal = getBinSignalName(model, fieldDef.field, bin); return makeImplicit([ new SignalRefWrapper(() => { const signal = model.getSignalName(binSignal); return `[${signal}.start, ${signal}.stop]`; }) ]); } else { return makeImplicit([ { data: model.requestDataName(DataSourceType.Main), field: model.vgField(channel, {}) } ]); } } } else if (fieldDef.timeUnit && util_contains(['time', 'utc'], scaleType) && hasBandEnd(fieldDef, isUnitModel(model) ? model.encoding[getSecondaryRangeChannel(channel)] : undefined, model.markDef, model.config)) { const data = model.requestDataName(DataSourceType.Main); return makeImplicit([ { data, field: model.vgField(channel) }, { data, field: model.vgField(channel, { suffix: 'end' }) } ]); } else if (sort) { return makeImplicit([ { // If sort by aggregation of a specified sort field, we need to use RAW table, // so we can aggregate values for the scale independently from the main aggregation. data: util_isBoolean(sort) ? model.requestDataName(DataSourceType.Main) : model.requestDataName(DataSourceType.Raw), field: model.vgField(channel), sort } ]); } else { return makeImplicit([ { data: model.requestDataName(DataSourceType.Main), field: model.vgField(channel) } ]); } } function normalizeSortField(sort, isStackedMeasure) { const { op, field, order } = sort; return { // Apply default op op: op ?? (isStackedMeasure ? 'sum' : DEFAULT_SORT_OP), // flatten nested fields ...(field ? { field: replacePathInField(field) } : {}), ...(order ? { order } : {}) }; } function parseSelectionDomain(model, channel) { const scale = model.component.scales[channel]; const spec = model.specifiedScales[channel].domain; const bin = model.fieldDef(channel)?.bin; const domain = isParameterDomain(spec) && spec; const extent = isBinParams(bin) && isParameterExtent(bin.extent) && bin.extent; if (domain || extent) { // As scale parsing occurs before selection parsing, we cannot set // domainRaw directly. So instead, we store the selectionExtent on // the scale component, and then add domainRaw during scale assembly. scale.set('selectionExtent', domain ?? extent, true); } } function domainSort(model, channel, scaleType) { if (!hasDiscreteDomain(scaleType)) { return undefined; } // save to cast as the only exception is the geojson type for shape, which would not generate a scale const fieldDef = model.fieldDef(channel); const sort = fieldDef.sort; // if the sort is specified with array, use the derived sort index field if (isSortArray(sort)) { return { op: 'min', field: sortArrayIndexField(fieldDef, channel), order: 'ascending' }; } const { stack } = model; const stackDimensions = stack ? new Set([...stack.groupbyFields, ...stack.stackBy.map(s => s.fieldDef.field)]) : undefined; // Sorted based on an aggregate calculation over a specified sort field (only for ordinal scale) if (isSortField(sort)) { const isStackedMeasure = stack && !stackDimensions.has(sort.field); return normalizeSortField(sort, isStackedMeasure); } else if (isSortByEncoding(sort)) { const { encoding, order } = sort; const fieldDefToSortBy = model.fieldDef(encoding); const { aggregate, field } = fieldDefToSortBy; const isStackedMeasure = stack && !stackDimensions.has(field); if (isArgminDef(aggregate) || isArgmaxDef(aggregate)) { return normalizeSortField({ field: vgField(fieldDefToSortBy), order }, isStackedMeasure); } else if (isAggregateOp(aggregate) || !aggregate) { return normalizeSortField({ op: aggregate, field, order }, isStackedMeasure); } } else if (sort === 'descending') { return { op: 'min', field: model.vgField(channel), order: 'descending' }; } else if (util_contains(['ascending', undefined /* default =ascending*/], sort)) { return true; } // sort == null return undefined; } /** * Determine if a scale can use unaggregated domain. * @return {Boolean} Returns true if all of the following conditions apply: * 1. `scale.domain` is `unaggregated` * 2. Aggregation function is not `count` or `sum` * 3. The scale is quantitative or time scale. */ function canUseUnaggregatedDomain(fieldDef, scaleType) { const { aggregate, type } = fieldDef; if (!aggregate) { return { valid: false, reason: unaggregateDomainHasNoEffectForRawField(fieldDef) }; } if (vega_util_module_isString(aggregate) && !SHARED_DOMAIN_OPS.has(aggregate)) { return { valid: false, reason: unaggregateDomainWithNonSharedDomainOp(aggregate) }; } if (type === 'quantitative') { if (scaleType === 'log') { return { valid: false, reason: unaggregatedDomainWithLogScale(fieldDef) }; } } return { valid: true }; } /** * Tie breaker for mergeValuesWithExplicit for domains. We concat the specified values. */ function domainsTieBreaker(v1, v2, property, propertyOf) { if (v1.explicit && v2.explicit) { log_warn(mergeConflictingDomainProperty(property, propertyOf, v1.value, v2.value)); } // If equal score, concat the domains so that we union them later. return { explicit: v1.explicit, value: [...v1.value, ...v2.value] }; } /** * Converts an array of domains to a single Vega scale domain. */ function mergeDomains(domains) { const uniqueDomains = unique(domains.map(domain => { // ignore sort property when computing the unique domains if (isDataRefDomain(domain)) { const { sort: _s, ...domainWithoutSort } = domain; return domainWithoutSort; } return domain; }), hash); const sorts = unique(domains .map(d => { if (isDataRefDomain(d)) { const s = d.sort; if (s !== undefined && !util_isBoolean(s)) { if ('op' in s && s.op === 'count') { // let's make sure that if op is count, we don't use a field delete s.field; } if (s.order === 'ascending') { // drop order: ascending as it is the default delete s.order; } } return s; } return undefined; }) .filter(s => s !== undefined), hash); if (uniqueDomains.length === 0) { return undefined; } else if (uniqueDomains.length === 1) { const domain = domains[0]; if (isDataRefDomain(domain) && sorts.length > 0) { let sort = sorts[0]; if (sorts.length > 1) { log_warn(MORE_THAN_ONE_SORT); // Get sorts with non-default ops const filteredSorts = sorts.filter(s => isObject(s) && 'op' in s && s.op !== 'min'); if (sorts.every(s => isObject(s) && 'op' in s) && filteredSorts.length === 1) { sort = filteredSorts[0]; } else { sort = true; } } else { // Simplify domain sort by removing field and op when the field is the same as the domain field. if (isObject(sort) && 'field' in sort) { const sortField = sort.field; if (domain.field === sortField) { sort = sort.order ? { order: sort.order } : true; } } } return { ...domain, sort }; } return domain; } // only keep sort properties that work with unioned domains const unionDomainSorts = unique(sorts.map(s => { if (util_isBoolean(s) || !('op' in s) || (vega_util_module_isString(s.op) && s.op in MULTIDOMAIN_SORT_OP_INDEX)) { return s; } log_warn(domainSortDropped(s)); return true; }), hash); let sort; if (unionDomainSorts.length === 1) { sort = unionDomainSorts[0]; } else if (unionDomainSorts.length > 1) { log_warn(MORE_THAN_ONE_SORT); sort = true; } const allData = unique(domains.map(d => { if (isDataRefDomain(d)) { return d.data; } return null; }), x => x); if (allData.length === 1 && allData[0] !== null) { // create a union domain of different fields with a single data source const domain = { data: allData[0], fields: uniqueDomains.map(d => d.field), ...(sort ? { sort } : {}) }; return domain; } return { fields: uniqueDomains, ...(sort ? { sort } : {}) }; } /** * Return a field if a scale uses a single field. * Return `undefined` otherwise. */ function getFieldFromDomain(domain) { if (isDataRefDomain(domain) && vega_util_module_isString(domain.field)) { return domain.field; } else if (isDataRefUnionedDomain(domain)) { let field; for (const nonUnionDomain of domain.fields) { if (isDataRefDomain(nonUnionDomain) && vega_util_module_isString(nonUnionDomain.field)) { if (!field) { field = nonUnionDomain.field; } else if (field !== nonUnionDomain.field) { log_warn(FACETED_INDEPENDENT_DIFFERENT_SOURCES); return field; } } } log_warn(FACETED_INDEPENDENT_SAME_FIELDS_DIFFERENT_SOURCES); return field; } else if (isFieldRefUnionDomain(domain)) { log_warn(FACETED_INDEPENDENT_SAME_SOURCE); const field = domain.fields[0]; return vega_util_module_isString(field) ? field : undefined; } return undefined; } function assembleDomain(model, channel) { const scaleComponent = model.component.scales[channel]; const domains = scaleComponent.get('domains').map((domain) => { // Correct references to data as the original domain's data was determined // in parseScale, which happens before parseData. Thus the original data // reference can be incorrect. if (isDataRefDomain(domain)) { domain.data = model.lookupDataSource(domain.data); } return domain; }); // domains is an array that has to be merged into a single vega domain return mergeDomains(domains); } //# sourceMappingURL=domain.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/scale/assemble.js function assembleScales(model) { if (isLayerModel(model) || isConcatModel(model)) { // For concat and layer, include scales of children too return model.children.reduce((scales, child) => { return scales.concat(assembleScales(child)); }, assembleScalesForModel(model)); } else { // For facet, child scales would not be included in the parent's scope. // For unit, there is no child. return assembleScalesForModel(model); } } function assembleScalesForModel(model) { return util_keys(model.component.scales).reduce((scales, channel) => { const scaleComponent = model.component.scales[channel]; if (scaleComponent.merged) { // Skipped merged scales return scales; } const scale = scaleComponent.combine(); const { name, type, selectionExtent, domains: _d, range: _r, reverse, ...otherScaleProps } = scale; const range = assembleScaleRange(scale.range, name, channel, model); const domain = assembleDomain(model, channel); const domainRaw = selectionExtent ? assembleSelectionScaleDomain(model, selectionExtent, scaleComponent, domain) : null; scales.push({ name, type, ...(domain ? { domain } : {}), ...(domainRaw ? { domainRaw } : {}), range, ...(reverse !== undefined ? { reverse: reverse } : {}), ...otherScaleProps }); return scales; }, []); } function assembleScaleRange(scaleRange, scaleName, channel, model) { // add signals to x/y range if (isXorY(channel)) { if (isVgRangeStep(scaleRange)) { // For width/height step, use a signal created in layout assemble instead of a constant step. return { step: { signal: `${scaleName}_step` } }; } } else if (isObject(scaleRange) && isDataRefDomain(scaleRange)) { return { ...scaleRange, data: model.lookupDataSource(scaleRange.data) }; } return scaleRange; } //# sourceMappingURL=assemble.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/scale/component.js class ScaleComponent extends Split { constructor(name, typeWithExplicit) { super({}, // no initial explicit property { name } // name as initial implicit property ); this.merged = false; this.setWithExplicit('type', typeWithExplicit); } /** * Whether the scale definitely includes zero in the domain */ domainDefinitelyIncludesZero() { if (this.get('zero') !== false) { return true; } return some(this.get('domains'), d => isArray(d) && d.length === 2 && isNumber(d[0]) && d[0] <= 0 && isNumber(d[1]) && d[1] >= 0); } } //# sourceMappingURL=component.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/scale/range.js const RANGE_PROPERTIES = ['range', 'scheme']; function parseUnitScaleRange(model) { const localScaleComponents = model.component.scales; // use SCALE_CHANNELS instead of scales[channel] to ensure that x, y come first! for (const channel of SCALE_CHANNELS) { const localScaleCmpt = localScaleComponents[channel]; if (!localScaleCmpt) { continue; } const rangeWithExplicit = parseRangeForChannel(channel, model); localScaleCmpt.setWithExplicit('range', rangeWithExplicit); } } function getBinStepSignal(model, channel) { const fieldDef = model.fieldDef(channel); if (fieldDef?.bin) { const { bin, field } = fieldDef; const sizeType = getSizeChannel(channel); const sizeSignal = model.getName(sizeType); if (isObject(bin) && bin.binned && bin.step !== undefined) { return new SignalRefWrapper(() => { const scaleName = model.scaleName(channel); const binCount = `(domain("${scaleName}")[1] - domain("${scaleName}")[0]) / ${bin.step}`; return `${model.getSignalName(sizeSignal)} / (${binCount})`; }); } else if (isBinning(bin)) { const binSignal = getBinSignalName(model, field, bin); // TODO: extract this to be range step signal return new SignalRefWrapper(() => { const updatedName = model.getSignalName(binSignal); const binCount = `(${updatedName}.stop - ${updatedName}.start) / ${updatedName}.step`; return `${model.getSignalName(sizeSignal)} / (${binCount})`; }); } } return undefined; } /** * Return mixins that includes one of the Vega range types (explicit range, range.step, range.scheme). */ function parseRangeForChannel(channel, model) { const specifiedScale = model.specifiedScales[channel]; const { size } = model; const mergedScaleCmpt = model.getScaleComponent(channel); const scaleType = mergedScaleCmpt.get('type'); // Check if any of the range properties is specified. // If so, check if it is compatible and make sure that we only output one of the properties for (const property of RANGE_PROPERTIES) { if (specifiedScale[property] !== undefined) { const supportedByScaleType = scaleTypeSupportProperty(scaleType, property); const channelIncompatability = channelScalePropertyIncompatability(channel, property); if (!supportedByScaleType) { log_warn(scalePropertyNotWorkWithScaleType(scaleType, property, channel)); } else if (channelIncompatability) { // channel log_warn(channelIncompatability); } else { switch (property) { case 'range': { const range = specifiedScale.range; if (isArray(range)) { if (isXorY(channel)) { return makeExplicit(range.map(v => { if (v === 'width' || v === 'height') { // get signal for width/height // Just like default range logic below, we use SignalRefWrapper to account for potential merges and renames. const sizeSignal = model.getName(v); const getSignalName = model.getSignalName.bind(model); return SignalRefWrapper.fromName(getSignalName, sizeSignal); } return v; })); } } else if (isObject(range)) { return makeExplicit({ data: model.requestDataName(DataSourceType.Main), field: range.field, sort: { op: 'min', field: model.vgField(channel) } }); } return makeExplicit(range); } case 'scheme': return makeExplicit(parseScheme(specifiedScale[property])); } } } } const sizeChannel = channel === channel_X || channel === 'xOffset' ? 'width' : 'height'; const sizeValue = size[sizeChannel]; if (isStep(sizeValue)) { if (isXorY(channel)) { if (hasDiscreteDomain(scaleType)) { const step = getPositionStep(sizeValue, model, channel); // Need to be explicit so layer with step wins over layer without step if (step) { return makeExplicit({ step }); } } else { log_warn(stepDropped(sizeChannel)); } } else if (isXorYOffset(channel)) { const positionChannel = channel === XOFFSET ? 'x' : 'y'; const positionScaleCmpt = model.getScaleComponent(positionChannel); const positionScaleType = positionScaleCmpt.get('type'); if (positionScaleType === 'band') { const step = getOffsetStep(sizeValue, scaleType); if (step) { return makeExplicit(step); } } } } const { rangeMin, rangeMax } = specifiedScale; const d = defaultRange(channel, model); if ((rangeMin !== undefined || rangeMax !== undefined) && // it's ok to check just rangeMin's compatibility since rangeMin/rangeMax are the same scaleTypeSupportProperty(scaleType, 'rangeMin') && isArray(d) && d.length === 2) { return makeExplicit([rangeMin ?? d[0], rangeMax ?? d[1]]); } return makeImplicit(d); } function parseScheme(scheme) { if (isExtendedScheme(scheme)) { return { scheme: scheme.name, ...omit(scheme, ['name']) }; } return { scheme }; } function defaultRange(channel, model) { const { size, config, mark, encoding } = model; const getSignalName = model.getSignalName.bind(model); const { type } = getFieldOrDatumDef(encoding[channel]); const mergedScaleCmpt = model.getScaleComponent(channel); const scaleType = mergedScaleCmpt.get('type'); const { domain, domainMid } = model.specifiedScales[channel]; switch (channel) { case channel_X: case channel_Y: { // If there is no explicit width/height for discrete x/y scales if (util_contains(['point', 'band'], scaleType)) { const positionSize = getDiscretePositionSize(channel, size, config.view); if (isStep(positionSize)) { const step = getPositionStep(positionSize, model, channel); return { step }; } } // If step is null, use zero to width or height. // Note that we use SignalRefWrapper to account for potential merges and renames. const sizeType = getSizeChannel(channel); const sizeSignal = model.getName(sizeType); if (channel === channel_Y && hasContinuousDomain(scaleType)) { // For y continuous scale, we have to start from the height as the bottom part has the max value. return [SignalRefWrapper.fromName(getSignalName, sizeSignal), 0]; } else { return [0, SignalRefWrapper.fromName(getSignalName, sizeSignal)]; } } case XOFFSET: case YOFFSET: return getOffsetRange(channel, model, scaleType); case channel_SIZE: { // TODO: support custom rangeMin, rangeMax const zero = model.component.scales[channel].get('zero'); const rangeMin = sizeRangeMin(mark, zero, config); const rangeMax = sizeRangeMax(mark, size, model, config); if (isContinuousToDiscrete(scaleType)) { return range_interpolateRange(rangeMin, rangeMax, defaultContinuousToDiscreteCount(scaleType, config, domain, channel)); } else { return [rangeMin, rangeMax]; } } case THETA: return [0, Math.PI * 2]; case ANGLE: // TODO: add config.scale.min/maxAngleDegree (for point and text) and config.scale.min/maxAngleRadian (for arc) once we add arc marks. // (It's weird to add just config.scale.min/maxAngleDegree for now) return [0, 360]; case RADIUS: { // max radius = half od min(width,height) return [ 0, new SignalRefWrapper(() => { const w = model.getSignalName('width'); const h = model.getSignalName('height'); return `min(${w},${h})/2`; }) ]; } case STROKEWIDTH: // TODO: support custom rangeMin, rangeMax return [config.scale.minStrokeWidth, config.scale.maxStrokeWidth]; case STROKEDASH: return [ // TODO: add this to Vega's config.range? [1, 0], [4, 2], [2, 1], [1, 1], [1, 2, 4, 2] ]; case SHAPE: return 'symbol'; case COLOR: case FILL: case STROKE: if (scaleType === 'ordinal') { // Only nominal data uses ordinal scale by default return type === 'nominal' ? 'category' : 'ordinal'; } else { if (domainMid !== undefined) { return 'diverging'; } else { return mark === 'rect' || mark === 'geoshape' ? 'heatmap' : 'ramp'; } } case OPACITY: case FILLOPACITY: case STROKEOPACITY: // TODO: support custom rangeMin, rangeMax return [config.scale.minOpacity, config.scale.maxOpacity]; } } function getPositionStep(step, model, channel) { const { encoding } = model; const mergedScaleCmpt = model.getScaleComponent(channel); const offsetChannel = getOffsetScaleChannel(channel); const offsetDef = encoding[offsetChannel]; const stepFor = getStepFor({ step, offsetIsDiscrete: isFieldOrDatumDef(offsetDef) && type_isDiscrete(offsetDef.type) }); if (stepFor === 'offset' && channelHasFieldOrDatum(encoding, offsetChannel)) { const offsetScaleCmpt = model.getScaleComponent(offsetChannel); const offsetScaleName = model.scaleName(offsetChannel); let stepCount = `domain('${offsetScaleName}').length`; if (offsetScaleCmpt.get('type') === 'band') { const offsetPaddingInner = offsetScaleCmpt.get('paddingInner') ?? offsetScaleCmpt.get('padding') ?? 0; const offsetPaddingOuter = offsetScaleCmpt.get('paddingOuter') ?? offsetScaleCmpt.get('padding') ?? 0; stepCount = `bandspace(${stepCount}, ${offsetPaddingInner}, ${offsetPaddingOuter})`; } const paddingInner = mergedScaleCmpt.get('paddingInner') ?? mergedScaleCmpt.get('padding'); return { signal: `${step.step} * ${stepCount} / (1-${exprFromSignalRefOrValue(paddingInner)})` }; } else { return step.step; } } function getOffsetStep(step, offsetScaleType) { const stepFor = getStepFor({ step, offsetIsDiscrete: hasDiscreteDomain(offsetScaleType) }); if (stepFor === 'offset') { return { step: step.step }; } return undefined; } function getOffsetRange(channel, model, offsetScaleType) { const positionChannel = channel === XOFFSET ? 'x' : 'y'; const positionScaleCmpt = model.getScaleComponent(positionChannel); const positionScaleType = positionScaleCmpt.get('type'); const positionScaleName = model.scaleName(positionChannel); if (positionScaleType === 'band') { const size = getDiscretePositionSize(positionChannel, model.size, model.config.view); if (isStep(size)) { // step is for offset const step = getOffsetStep(size, offsetScaleType); if (step) { return step; } } // otherwise use the position return [0, { signal: `bandwidth('${positionScaleName}')` }]; } else { // continuous scale const positionDef = model.encoding[positionChannel]; if (isFieldDef(positionDef) && positionDef.timeUnit) { const duration = durationExpr(positionDef.timeUnit, expr => `scale('${positionScaleName}', ${expr})`); const padding = model.config.scale.bandWithNestedOffsetPaddingInner; if (padding) { const startRatio = isSignalRef(padding) ? `${padding.signal}/2` : `${padding / 2}`; const endRatio = isSignalRef(padding) ? `(1 - ${padding.signal}/2)` : `${1 - padding / 2}`; return [{ signal: `${startRatio} * (${duration})` }, { signal: `${endRatio} * (${duration})` }]; } return [0, { signal: duration }]; } return never(`Cannot use ${channel} scale if ${positionChannel} scale is not discrete.`); } } function getDiscretePositionSize(channel, size, viewConfig) { const sizeChannel = channel === channel_X ? 'width' : 'height'; const sizeValue = size[sizeChannel]; if (sizeValue) { return sizeValue; } return getViewConfigDiscreteSize(viewConfig, sizeChannel); } function defaultContinuousToDiscreteCount(scaleType, config, domain, channel) { switch (scaleType) { case 'quantile': return config.scale.quantileCount; case 'quantize': return config.scale.quantizeCount; case 'threshold': if (domain !== undefined && isArray(domain)) { return domain.length + 1; } else { log_warn(domainRequiredForThresholdScale(channel)); // default threshold boundaries for threshold scale since domain has cardinality of 2 return 3; } } } /** * Returns the linear interpolation of the range according to the cardinality * * @param rangeMin start of the range * @param rangeMax end of the range * @param cardinality number of values in the output range */ function range_interpolateRange(rangeMin, rangeMax, cardinality) { // always return a signal since it's better to compute the sequence in Vega later const f = () => { const rMax = signalOrStringValue(rangeMax); const rMin = signalOrStringValue(rangeMin); const step = `(${rMax} - ${rMin}) / (${cardinality} - 1)`; return `sequence(${rMin}, ${rMax} + ${step}, ${step})`; }; if (isSignalRef(rangeMax)) { return new SignalRefWrapper(f); } else { return { signal: f() }; } } function sizeRangeMin(mark, zero, config) { if (zero) { if (isSignalRef(zero)) { return { signal: `${zero.signal} ? 0 : ${sizeRangeMin(mark, false, config)}` }; } else { return 0; } } switch (mark) { case 'bar': case 'tick': return config.scale.minBandSize; case 'line': case 'trail': case 'rule': return config.scale.minStrokeWidth; case 'text': return config.scale.minFontSize; case 'point': case 'square': case 'circle': return config.scale.minSize; } /* istanbul ignore next: should never reach here */ // sizeRangeMin not implemented for the mark throw new Error(incompatibleChannel('size', mark)); } const MAX_SIZE_RANGE_STEP_RATIO = 0.95; function sizeRangeMax(mark, size, model, config) { const xyStepSignals = { x: getBinStepSignal(model, 'x'), y: getBinStepSignal(model, 'y') }; switch (mark) { case 'bar': case 'tick': { if (config.scale.maxBandSize !== undefined) { return config.scale.maxBandSize; } const min = minXYStep(size, xyStepSignals, config.view); if (isNumber(min)) { return min - 1; } else { return new SignalRefWrapper(() => `${min.signal} - 1`); } } case 'line': case 'trail': case 'rule': return config.scale.maxStrokeWidth; case 'text': return config.scale.maxFontSize; case 'point': case 'square': case 'circle': { if (config.scale.maxSize) { return config.scale.maxSize; } const pointStep = minXYStep(size, xyStepSignals, config.view); if (isNumber(pointStep)) { return Math.pow(MAX_SIZE_RANGE_STEP_RATIO * pointStep, 2); } else { return new SignalRefWrapper(() => `pow(${MAX_SIZE_RANGE_STEP_RATIO} * ${pointStep.signal}, 2)`); } } } /* istanbul ignore next: should never reach here */ // sizeRangeMax not implemented for the mark throw new Error(incompatibleChannel('size', mark)); } /** * @returns {number} Range step of x or y or minimum between the two if both are ordinal scale. */ function minXYStep(size, xyStepSignals, viewConfig) { const widthStep = isStep(size.width) ? size.width.step : getViewConfigDiscreteStep(viewConfig, 'width'); const heightStep = isStep(size.height) ? size.height.step : getViewConfigDiscreteStep(viewConfig, 'height'); if (xyStepSignals.x || xyStepSignals.y) { return new SignalRefWrapper(() => { const exprs = [ xyStepSignals.x ? xyStepSignals.x.signal : widthStep, xyStepSignals.y ? xyStepSignals.y.signal : heightStep ]; return `min(${exprs.join(', ')})`; }); } return Math.min(widthStep, heightStep); } //# sourceMappingURL=range.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/scale/properties.js function parseScaleProperty(model, property) { if (isUnitModel(model)) { parseUnitScaleProperty(model, property); } else { parseNonUnitScaleProperty(model, property); } } function parseUnitScaleProperty(model, property) { const localScaleComponents = model.component.scales; const { config, encoding, markDef, specifiedScales } = model; for (const channel of util_keys(localScaleComponents)) { const specifiedScale = specifiedScales[channel]; const localScaleCmpt = localScaleComponents[channel]; const mergedScaleCmpt = model.getScaleComponent(channel); const fieldOrDatumDef = getFieldOrDatumDef(encoding[channel]); const specifiedValue = specifiedScale[property]; const scaleType = mergedScaleCmpt.get('type'); const scalePadding = mergedScaleCmpt.get('padding'); const scalePaddingInner = mergedScaleCmpt.get('paddingInner'); const supportedByScaleType = scaleTypeSupportProperty(scaleType, property); const channelIncompatability = channelScalePropertyIncompatability(channel, property); if (specifiedValue !== undefined) { // If there is a specified value, check if it is compatible with scale type and channel if (!supportedByScaleType) { log_warn(scalePropertyNotWorkWithScaleType(scaleType, property, channel)); } else if (channelIncompatability) { // channel log_warn(channelIncompatability); } } if (supportedByScaleType && channelIncompatability === undefined) { if (specifiedValue !== undefined) { const timeUnit = fieldOrDatumDef['timeUnit']; const type = fieldOrDatumDef.type; switch (property) { // domainMax/Min to signal if the value is a datetime object case 'domainMax': case 'domainMin': if (isDateTime(specifiedScale[property]) || type === 'temporal' || timeUnit) { localScaleCmpt.set(property, { signal: valueExpr(specifiedScale[property], { type, timeUnit }) }, true); } else { localScaleCmpt.set(property, specifiedScale[property], true); } break; default: localScaleCmpt.copyKeyFromObject(property, specifiedScale); } } else { const value = property in scaleRules ? scaleRules[property]({ model, channel, fieldOrDatumDef, scaleType, scalePadding, scalePaddingInner, domain: specifiedScale.domain, domainMin: specifiedScale.domainMin, domainMax: specifiedScale.domainMax, markDef, config, hasNestedOffsetScale: channelHasNestedOffsetScale(encoding, channel), hasSecondaryRangeChannel: !!encoding[getSecondaryRangeChannel(channel)] }) : config.scale[property]; if (value !== undefined) { localScaleCmpt.set(property, value, false); } } } } } const scaleRules = { bins: ({ model, fieldOrDatumDef }) => (isFieldDef(fieldOrDatumDef) ? bins(model, fieldOrDatumDef) : undefined), interpolate: ({ channel, fieldOrDatumDef }) => properties_interpolate(channel, fieldOrDatumDef.type), nice: ({ scaleType, channel, domain, domainMin, domainMax, fieldOrDatumDef }) => properties_nice(scaleType, channel, domain, domainMin, domainMax, fieldOrDatumDef), padding: ({ channel, scaleType, fieldOrDatumDef, markDef, config }) => properties_padding(channel, scaleType, config.scale, fieldOrDatumDef, markDef, config.bar), paddingInner: ({ scalePadding, channel, markDef, scaleType, config, hasNestedOffsetScale }) => paddingInner(scalePadding, channel, markDef.type, scaleType, config.scale, hasNestedOffsetScale), paddingOuter: ({ scalePadding, channel, scaleType, scalePaddingInner, config, hasNestedOffsetScale }) => paddingOuter(scalePadding, channel, scaleType, scalePaddingInner, config.scale, hasNestedOffsetScale), reverse: ({ fieldOrDatumDef, scaleType, channel, config }) => { const sort = isFieldDef(fieldOrDatumDef) ? fieldOrDatumDef.sort : undefined; return properties_reverse(scaleType, sort, channel, config.scale); }, zero: ({ channel, fieldOrDatumDef, domain, markDef, scaleType, config, hasSecondaryRangeChannel }) => properties_zero(channel, fieldOrDatumDef, domain, markDef, scaleType, config.scale, hasSecondaryRangeChannel) }; // This method is here rather than in range.ts to avoid circular dependency. function properties_parseScaleRange(model) { if (isUnitModel(model)) { parseUnitScaleRange(model); } else { parseNonUnitScaleProperty(model, 'range'); } } function parseNonUnitScaleProperty(model, property) { const localScaleComponents = model.component.scales; for (const child of model.children) { if (property === 'range') { properties_parseScaleRange(child); } else { parseScaleProperty(child, property); } } for (const channel of util_keys(localScaleComponents)) { let valueWithExplicit; for (const child of model.children) { const childComponent = child.component.scales[channel]; if (childComponent) { const childValueWithExplicit = childComponent.getWithExplicit(property); valueWithExplicit = mergeValuesWithExplicit(valueWithExplicit, childValueWithExplicit, property, 'scale', tieBreakByComparing((v1, v2) => { switch (property) { case 'range': // For step, prefer larger step if (v1.step && v2.step) { return v1.step - v2.step; } return 0; // TODO: precedence rule for other properties } return 0; })); } } localScaleComponents[channel].setWithExplicit(property, valueWithExplicit); } } function bins(model, fieldDef) { const bin = fieldDef.bin; if (isBinning(bin)) { const binSignal = getBinSignalName(model, fieldDef.field, bin); return new SignalRefWrapper(() => { return model.getSignalName(binSignal); }); } else if (isBinned(bin) && isBinParams(bin) && bin.step !== undefined) { // start and stop will be determined from the scale domain return { step: bin.step }; } return undefined; } function properties_interpolate(channel, type) { if (util_contains([COLOR, FILL, STROKE], channel) && type !== 'nominal') { return 'hcl'; } return undefined; } function properties_nice(scaleType, channel, specifiedDomain, domainMin, domainMax, fieldOrDatumDef) { if (getFieldDef(fieldOrDatumDef)?.bin || isArray(specifiedDomain) || domainMax != null || domainMin != null || util_contains([ScaleType.TIME, ScaleType.UTC], scaleType)) { return undefined; } return isXorY(channel) ? true : undefined; } function properties_padding(channel, scaleType, scaleConfig, fieldOrDatumDef, markDef, barConfig) { if (isXorY(channel)) { if (isContinuousToContinuous(scaleType)) { if (scaleConfig.continuousPadding !== undefined) { return scaleConfig.continuousPadding; } const { type, orient } = markDef; if (type === 'bar' && !(isFieldDef(fieldOrDatumDef) && (fieldOrDatumDef.bin || fieldOrDatumDef.timeUnit))) { if ((orient === 'vertical' && channel === 'x') || (orient === 'horizontal' && channel === 'y')) { return barConfig.continuousBandSize; } } } if (scaleType === ScaleType.POINT) { return scaleConfig.pointPadding; } } return undefined; } function paddingInner(paddingValue, channel, mark, scaleType, scaleConfig, hasNestedOffsetScale = false) { if (paddingValue !== undefined) { // If user has already manually specified "padding", no need to add default paddingInner. return undefined; } if (isXorY(channel)) { // Padding is only set for X and Y by default. // Basically it doesn't make sense to add padding for color and size. // paddingOuter would only be called if it's a band scale, just return the default for bandScale. const { bandPaddingInner, barBandPaddingInner, rectBandPaddingInner, bandWithNestedOffsetPaddingInner } = scaleConfig; if (hasNestedOffsetScale) { return bandWithNestedOffsetPaddingInner; } return getFirstDefined(bandPaddingInner, mark === 'bar' ? barBandPaddingInner : rectBandPaddingInner); } else if (isXorYOffset(channel)) { if (scaleType === ScaleType.BAND) { return scaleConfig.offsetBandPaddingInner; } } return undefined; } function paddingOuter(paddingValue, channel, scaleType, paddingInnerValue, scaleConfig, hasNestedOffsetScale = false) { if (paddingValue !== undefined) { // If user has already manually specified "padding", no need to add default paddingOuter. return undefined; } if (isXorY(channel)) { const { bandPaddingOuter, bandWithNestedOffsetPaddingOuter } = scaleConfig; if (hasNestedOffsetScale) { return bandWithNestedOffsetPaddingOuter; } // Padding is only set for X and Y by default. // Basically it doesn't make sense to add padding for color and size. if (scaleType === ScaleType.BAND) { return getFirstDefined(bandPaddingOuter, /* By default, paddingOuter is paddingInner / 2. The reason is that size (width/height) = step * (cardinality - paddingInner + 2 * paddingOuter). and we want the width/height to be integer by default. Note that step (by default) and cardinality are integers.) */ isSignalRef(paddingInnerValue) ? { signal: `${paddingInnerValue.signal}/2` } : paddingInnerValue / 2); } } else if (isXorYOffset(channel)) { if (scaleType === ScaleType.POINT) { return 0.5; // so the point positions align with centers of band scales. } else if (scaleType === ScaleType.BAND) { return scaleConfig.offsetBandPaddingOuter; } } return undefined; } function properties_reverse(scaleType, sort, channel, scaleConfig) { if (channel === 'x' && scaleConfig.xReverse !== undefined) { if (hasContinuousDomain(scaleType) && sort === 'descending') { if (isSignalRef(scaleConfig.xReverse)) { return { signal: `!${scaleConfig.xReverse.signal}` }; } else { return !scaleConfig.xReverse; } } return scaleConfig.xReverse; } if (hasContinuousDomain(scaleType) && sort === 'descending') { // For continuous domain scales, Vega does not support domain sort. // Thus, we reverse range instead if sort is descending return true; } return undefined; } function properties_zero(channel, fieldDef, specifiedDomain, markDef, scaleType, scaleConfig, hasSecondaryRangeChannel) { // If users explicitly provide a domain, we should not augment zero as that will be unexpected. const hasCustomDomain = !!specifiedDomain && specifiedDomain !== 'unaggregated'; if (hasCustomDomain) { if (hasContinuousDomain(scaleType)) { if (isArray(specifiedDomain)) { const first = specifiedDomain[0]; const last = specifiedDomain[specifiedDomain.length - 1]; if (isNumber(first) && first <= 0 && isNumber(last) && last >= 0) { // if the domain includes zero, make zero remain true return true; } } return false; } } // If there is no custom domain, return configZero value (=`true` as default) only for the following cases: // 1) using quantitative field with size // While this can be either ratio or interval fields, our assumption is that // ratio are more common. However, if the scaleType is discretizing scale, we want to return // false so that range doesn't start at zero if (channel === 'size' && fieldDef.type === 'quantitative' && !isContinuousToDiscrete(scaleType)) { return true; } // 2) non-binned, quantitative x-scale or y-scale // (For binning, we should not include zero by default because binning are calculated without zero.) // (For area/bar charts with ratio scale chart, we should always include zero.) if (!(isFieldDef(fieldDef) && fieldDef.bin) && util_contains([...POSITION_SCALE_CHANNELS, ...POLAR_POSITION_SCALE_CHANNELS], channel)) { const { orient, type } = markDef; if (util_contains(['bar', 'area', 'line', 'trail'], type)) { if ((orient === 'horizontal' && channel === 'y') || (orient === 'vertical' && channel === 'x')) { return false; } } if (util_contains(['bar', 'area'], type) && !hasSecondaryRangeChannel) { return true; } return scaleConfig?.zero; } return false; } //# sourceMappingURL=properties.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/scale/type.js /** * Determine if there is a specified scale type and if it is appropriate, * or determine default type if type is unspecified or inappropriate. */ // NOTE: CompassQL uses this method. function scaleType(specifiedScale, channel, fieldDef, mark, hasNestedOffsetScale = false) { const defaultScaleType = type_defaultType(channel, fieldDef, mark, hasNestedOffsetScale); const { type } = specifiedScale; if (!isScaleChannel(channel)) { // There is no scale for these channels return null; } if (type !== undefined) { // Check if explicitly specified scale type is supported by the channel if (!channelSupportScaleType(channel, type)) { log_warn(scaleTypeNotWorkWithChannel(channel, type, defaultScaleType)); return defaultScaleType; } // Check if explicitly specified scale type is supported by the data type if (isFieldDef(fieldDef) && !scaleTypeSupportDataType(type, fieldDef.type)) { log_warn(scaleTypeNotWorkWithFieldDef(type, defaultScaleType)); return defaultScaleType; } return type; } return defaultScaleType; } /** * Determine appropriate default scale type. */ // NOTE: Voyager uses this method. function type_defaultType(channel, fieldDef, mark, hasNestedOffsetScale) { switch (fieldDef.type) { case 'nominal': case 'ordinal': { if (isColorChannel(channel) || rangeType(channel) === 'discrete') { if (channel === 'shape' && fieldDef.type === 'ordinal') { log_warn(discreteChannelCannotEncode(channel, 'ordinal')); } return 'ordinal'; } if (isXorY(channel) || isXorYOffset(channel)) { if (util_contains(['rect', 'bar', 'image', 'rule'], mark.type)) { // The rect/bar mark should fit into a band. // For rule, using band scale to make rule align with axis ticks better https://github.com/vega/vega-lite/issues/3429 return 'band'; } if (hasNestedOffsetScale) { // If there is a nested offset scale, then there is a "band" for the span of the nested scale. return 'band'; } } else if (mark.type === 'arc' && channel in POLAR_POSITION_SCALE_CHANNEL_INDEX) { return 'band'; } const dimensionSize = mark[getSizeChannel(channel)]; if (isRelativeBandSize(dimensionSize)) { return 'band'; } if (isPositionFieldOrDatumDef(fieldDef) && fieldDef.axis?.tickBand) { return 'band'; } // Otherwise, use ordinal point scale so we can easily get center positions of the marks. return 'point'; } case 'temporal': if (isColorChannel(channel)) { return 'time'; } else if (rangeType(channel) === 'discrete') { log_warn(discreteChannelCannotEncode(channel, 'temporal')); // TODO: consider using quantize (equivalent to binning) once we have it return 'ordinal'; } else if (isFieldDef(fieldDef) && fieldDef.timeUnit && normalizeTimeUnit(fieldDef.timeUnit).utc) { return 'utc'; } return 'time'; case 'quantitative': if (isColorChannel(channel)) { if (isFieldDef(fieldDef) && isBinning(fieldDef.bin)) { return 'bin-ordinal'; } return 'linear'; } else if (rangeType(channel) === 'discrete') { log_warn(discreteChannelCannotEncode(channel, 'quantitative')); // TODO: consider using quantize (equivalent to binning) once we have it return 'ordinal'; } return 'linear'; case 'geojson': return undefined; } /* istanbul ignore next: should never reach this */ throw new Error(invalidFieldType(fieldDef.type)); } //# sourceMappingURL=type.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/scale/parse.js function parseScales(model, { ignoreRange } = {}) { parseScaleCore(model); domain_parseScaleDomain(model); for (const prop of NON_TYPE_DOMAIN_RANGE_VEGA_SCALE_PROPERTIES) { parseScaleProperty(model, prop); } if (!ignoreRange) { // range depends on zero properties_parseScaleRange(model); } } function parseScaleCore(model) { if (isUnitModel(model)) { model.component.scales = parseUnitScaleCore(model); } else { model.component.scales = parseNonUnitScaleCore(model); } } /** * Parse scales for all channels of a model. */ function parseUnitScaleCore(model) { const { encoding, mark, markDef } = model; const scaleComponents = {}; for (const channel of SCALE_CHANNELS) { const fieldOrDatumDef = getFieldOrDatumDef(encoding[channel]); // must be typed def to have scale // Don't generate scale for shape of geoshape if (fieldOrDatumDef && mark === GEOSHAPE && channel === SHAPE && fieldOrDatumDef.type === GEOJSON) { continue; } let specifiedScale = fieldOrDatumDef && fieldOrDatumDef['scale']; if (isXorYOffset(channel)) { const mainChannel = getMainChannelFromOffsetChannel(channel); if (!channelHasNestedOffsetScale(encoding, mainChannel)) { // Don't generate scale when the offset encoding shouldn't yield a nested scale if (specifiedScale) { log_warn(offsetEncodingScaleIgnored(channel)); } continue; } } if (fieldOrDatumDef && specifiedScale !== null && specifiedScale !== false) { specifiedScale ?? (specifiedScale = {}); const hasNestedOffsetScale = channelHasNestedOffsetScale(encoding, channel); const sType = scaleType(specifiedScale, channel, fieldOrDatumDef, markDef, hasNestedOffsetScale); scaleComponents[channel] = new ScaleComponent(model.scaleName(`${channel}`, true), { value: sType, explicit: specifiedScale.type === sType }); } } return scaleComponents; } const scaleTypeTieBreaker = tieBreakByComparing((st1, st2) => scaleTypePrecedence(st1) - scaleTypePrecedence(st2)); function parseNonUnitScaleCore(model) { var _a; const scaleComponents = (model.component.scales = {}); const scaleTypeWithExplicitIndex = {}; const resolve = model.component.resolve; // Parse each child scale and determine if a particular channel can be merged. for (const child of model.children) { parseScaleCore(child); // Instead of always merging right away -- check if it is compatible to merge first! for (const channel of util_keys(child.component.scales)) { // if resolve is undefined, set default first (_a = resolve.scale)[channel] ?? (_a[channel] = defaultScaleResolve(channel, model)); if (resolve.scale[channel] === 'shared') { const explicitScaleType = scaleTypeWithExplicitIndex[channel]; const childScaleType = child.component.scales[channel].getWithExplicit('type'); if (explicitScaleType) { if (scaleCompatible(explicitScaleType.value, childScaleType.value)) { // merge scale component if type are compatible scaleTypeWithExplicitIndex[channel] = mergeValuesWithExplicit(explicitScaleType, childScaleType, 'type', 'scale', scaleTypeTieBreaker); } else { // Otherwise, update conflicting channel to be independent resolve.scale[channel] = 'independent'; // Remove from the index so they don't get merged delete scaleTypeWithExplicitIndex[channel]; } } else { scaleTypeWithExplicitIndex[channel] = childScaleType; } } } } // Merge each channel listed in the index for (const channel of util_keys(scaleTypeWithExplicitIndex)) { // Create new merged scale component const name = model.scaleName(channel, true); const typeWithExplicit = scaleTypeWithExplicitIndex[channel]; scaleComponents[channel] = new ScaleComponent(name, typeWithExplicit); // rename each child and mark them as merged for (const child of model.children) { const childScale = child.component.scales[channel]; if (childScale) { child.renameScale(childScale.get('name'), name); childScale.merged = true; } } } return scaleComponents; } //# sourceMappingURL=parse.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/model.js class NameMap { constructor() { this.nameMap = {}; } rename(oldName, newName) { this.nameMap[oldName] = newName; } has(name) { return this.nameMap[name] !== undefined; } get(name) { // If the name appears in the _nameMap, we need to read its new name. // We have to loop over the dict just in case the new name also gets renamed. while (this.nameMap[name] && name !== this.nameMap[name]) { name = this.nameMap[name]; } return name; } } /* We use type guards instead of `instanceof` as `instanceof` makes different parts of the compiler depend on the actual implementation of the model classes, which in turn depend on different parts of the compiler. Thus, `instanceof` leads to circular dependency problems. On the other hand, type guards only make different parts of the compiler depend on the type of the model classes, but not the actual implementation. */ function isUnitModel(model) { return model?.type === 'unit'; } function isFacetModel(model) { return model?.type === 'facet'; } function isConcatModel(model) { return model?.type === 'concat'; } function isLayerModel(model) { return model?.type === 'layer'; } class Model { constructor(spec, type, parent, parentGivenName, config, resolve, view) { this.type = type; this.parent = parent; this.config = config; /** * Corrects the data references in marks after assemble. */ this.correctDataNames = (mark) => { // TODO: make this correct // for normal data references if (mark.from?.data) { mark.from.data = this.lookupDataSource(mark.from.data); } // for access to facet data if (mark.from?.facet?.data) { mark.from.facet.data = this.lookupDataSource(mark.from.facet.data); } return mark; }; this.parent = parent; this.config = config; this.view = replaceExprRef(view); // If name is not provided, always use parent's givenName to avoid name conflicts. this.name = spec.name ?? parentGivenName; this.title = isText(spec.title) ? { text: spec.title } : spec.title ? replaceExprRef(spec.title) : undefined; // Shared name maps this.scaleNameMap = parent ? parent.scaleNameMap : new NameMap(); this.projectionNameMap = parent ? parent.projectionNameMap : new NameMap(); this.signalNameMap = parent ? parent.signalNameMap : new NameMap(); this.data = spec.data; this.description = spec.description; this.transforms = normalizeTransform(spec.transform ?? []); this.layout = type === 'layer' || type === 'unit' ? {} : extractCompositionLayout(spec, type, config); this.component = { data: { sources: parent ? parent.component.data.sources : [], outputNodes: parent ? parent.component.data.outputNodes : {}, outputNodeRefCounts: parent ? parent.component.data.outputNodeRefCounts : {}, // data is faceted if the spec is a facet spec or the parent has faceted data and data is undefined isFaceted: isFacetSpec(spec) || (parent?.component.data.isFaceted && spec.data === undefined) }, layoutSize: new Split(), layoutHeaders: { row: {}, column: {}, facet: {} }, mark: null, resolve: { scale: {}, axis: {}, legend: {}, ...(resolve ? duplicate(resolve) : {}) }, selection: null, scales: null, projection: null, axes: {}, legends: {} }; } get width() { return this.getSizeSignalRef('width'); } get height() { return this.getSizeSignalRef('height'); } parse() { this.parseScale(); this.parseLayoutSize(); // depends on scale this.renameTopLevelLayoutSizeSignal(); this.parseSelections(); this.parseProjection(); this.parseData(); // (pathorder) depends on markDef; selection filters depend on parsed selections; depends on projection because some transforms require the finalized projection name. this.parseAxesAndHeaders(); // depends on scale and layout size this.parseLegends(); // depends on scale, markDef this.parseMarkGroup(); // depends on data name, scale, layout size, axisGroup, and children's scale, axis, legend and mark. } parseScale() { parseScales(this); } parseProjection() { parse_parseProjection(this); } /** * Rename top-level spec's size to be just width / height, ignoring model name. * This essentially merges the top-level spec's width/height signals with the width/height signals * to help us reduce redundant signals declaration. */ renameTopLevelLayoutSizeSignal() { if (this.getName('width') !== 'width') { this.renameSignal(this.getName('width'), 'width'); } if (this.getName('height') !== 'height') { this.renameSignal(this.getName('height'), 'height'); } } parseLegends() { parse_parseLegend(this); } assembleEncodeFromView(view) { // Exclude "style" const { style: _, ...baseView } = view; const e = {}; for (const property of util_keys(baseView)) { const value = baseView[property]; if (value !== undefined) { e[property] = signalOrValueRef(value); } } return e; } assembleGroupEncodeEntry(isTopLevel) { let encodeEntry = {}; if (this.view) { encodeEntry = this.assembleEncodeFromView(this.view); } if (!isTopLevel) { // Descriptions are already added to the top-level description so we only need to add them to the inner views. if (this.description) { encodeEntry['description'] = signalOrValueRef(this.description); } // For top-level spec, we can set the global width and height signal to adjust the group size. // For other child specs, we have to manually set width and height in the encode entry. if (this.type === 'unit' || this.type === 'layer') { return { width: this.getSizeSignalRef('width'), height: this.getSizeSignalRef('height'), ...(encodeEntry ?? {}) }; } } return isEmpty(encodeEntry) ? undefined : encodeEntry; } assembleLayout() { if (!this.layout) { return undefined; } const { spacing, ...layout } = this.layout; const { component, config } = this; const titleBand = assembleLayoutTitleBand(component.layoutHeaders, config); return { padding: spacing, ...this.assembleDefaultLayout(), ...layout, ...(titleBand ? { titleBand } : {}) }; } assembleDefaultLayout() { return {}; } assembleHeaderMarks() { const { layoutHeaders } = this.component; let headerMarks = []; for (const channel of FACET_CHANNELS) { if (layoutHeaders[channel].title) { headerMarks.push(assembleTitleGroup(this, channel)); } } for (const channel of HEADER_CHANNELS) { headerMarks = headerMarks.concat(assembleHeaderGroups(this, channel)); } return headerMarks; } assembleAxes() { return assembleAxes(this.component.axes, this.config); } assembleLegends() { return assembleLegends(this); } assembleProjections() { return assembleProjections(this); } assembleTitle() { const { encoding, ...titleNoEncoding } = this.title ?? {}; const title = { ...extractTitleConfig(this.config.title).nonMarkTitleProperties, ...titleNoEncoding, ...(encoding ? { encode: { update: encoding } } : {}) }; if (title.text) { if (util_contains(['unit', 'layer'], this.type)) { // Unit/Layer if (util_contains(['middle', undefined], title.anchor)) { title.frame ?? (title.frame = 'group'); } } else { // composition with Vega layout // Set title = "start" by default for composition as "middle" does not look nice // https://github.com/vega/vega/issues/960#issuecomment-471360328 title.anchor ?? (title.anchor = 'start'); } return isEmpty(title) ? undefined : title; } return undefined; } /** * Assemble the mark group for this model. We accept optional `signals` so that we can include concat top-level signals with the top-level model's local signals. */ assembleGroup(signals = []) { const group = {}; signals = signals.concat(this.assembleSignals()); if (signals.length > 0) { group.signals = signals; } const layout = this.assembleLayout(); if (layout) { group.layout = layout; } group.marks = [].concat(this.assembleHeaderMarks(), this.assembleMarks()); // Only include scales if this spec is top-level or if parent is facet. // (Otherwise, it will be merged with upper-level's scope.) const scales = !this.parent || isFacetModel(this.parent) ? assembleScales(this) : []; if (scales.length > 0) { group.scales = scales; } const axes = this.assembleAxes(); if (axes.length > 0) { group.axes = axes; } const legends = this.assembleLegends(); if (legends.length > 0) { group.legends = legends; } return group; } getName(text) { return varName((this.name ? `${this.name}_` : '') + text); } getDataName(type) { return this.getName(DataSourceType[type].toLowerCase()); } /** * Request a data source name for the given data source type and mark that data source as required. * This method should be called in parse, so that all used data source can be correctly instantiated in assembleData(). * You can lookup the correct dataset name in assemble with `lookupDataSource`. */ requestDataName(name) { const fullName = this.getDataName(name); // Increase ref count. This is critical because otherwise we won't create a data source. // We also increase the ref counts on OutputNode.getSource() calls. const refCounts = this.component.data.outputNodeRefCounts; refCounts[fullName] = (refCounts[fullName] || 0) + 1; return fullName; } getSizeSignalRef(layoutSizeType) { if (isFacetModel(this.parent)) { const sizeType = getSizeTypeFromLayoutSizeType(layoutSizeType); const channel = getPositionScaleChannel(sizeType); const scaleComponent = this.component.scales[channel]; if (scaleComponent && !scaleComponent.merged) { // independent scale const type = scaleComponent.get('type'); const range = scaleComponent.get('range'); if (hasDiscreteDomain(type) && isVgRangeStep(range)) { const scaleName = scaleComponent.get('name'); const domain = assembleDomain(this, channel); const field = getFieldFromDomain(domain); if (field) { const fieldRef = vgField({ aggregate: 'distinct', field }, { expr: 'datum' }); return { signal: sizeExpr(scaleName, scaleComponent, fieldRef) }; } else { log_warn(unknownField(channel)); return null; } } } } return { signal: this.signalNameMap.get(this.getName(layoutSizeType)) }; } /** * Lookup the name of the datasource for an output node. You probably want to call this in assemble. */ lookupDataSource(name) { const node = this.component.data.outputNodes[name]; if (!node) { // Name not found in map so let's just return what we got. // This can happen if we already have the correct name. return name; } return node.getSource(); } getSignalName(oldSignalName) { return this.signalNameMap.get(oldSignalName); } renameSignal(oldName, newName) { this.signalNameMap.rename(oldName, newName); } renameScale(oldName, newName) { this.scaleNameMap.rename(oldName, newName); } renameProjection(oldName, newName) { this.projectionNameMap.rename(oldName, newName); } /** * @return scale name for a given channel after the scale has been parsed and named. */ scaleName(originalScaleName, parse) { if (parse) { // During the parse phase always return a value // No need to refer to rename map because a scale can't be renamed // before it has the original name. return this.getName(originalScaleName); } // If there is a scale for the channel, it should either // be in the scale component or exist in the name map if ( // If there is a scale for the channel, there should be a local scale component for it (isChannel(originalScaleName) && isScaleChannel(originalScaleName) && this.component.scales[originalScaleName]) || // in the scale name map (the scale get merged by its parent) this.scaleNameMap.has(this.getName(originalScaleName))) { return this.scaleNameMap.get(this.getName(originalScaleName)); } return undefined; } /** * @return projection name after the projection has been parsed and named. */ projectionName(parse) { if (parse) { // During the parse phase always return a value // No need to refer to rename map because a projection can't be renamed // before it has the original name. return this.getName('projection'); } if ((this.component.projection && !this.component.projection.merged) || this.projectionNameMap.has(this.getName('projection'))) { return this.projectionNameMap.get(this.getName('projection')); } return undefined; } /** * Traverse a model's hierarchy to get the scale component for a particular channel. */ getScaleComponent(channel) { /* istanbul ignore next: This is warning for debugging test */ if (!this.component.scales) { throw new Error('getScaleComponent cannot be called before parseScale(). Make sure you have called parseScale or use parseUnitModelWithScale().'); } const localScaleComponent = this.component.scales[channel]; if (localScaleComponent && !localScaleComponent.merged) { return localScaleComponent; } return this.parent ? this.parent.getScaleComponent(channel) : undefined; } /** * Traverse a model's hierarchy to get a particular selection component. */ getSelectionComponent(variableName, origName) { let sel = this.component.selection[variableName]; if (!sel && this.parent) { sel = this.parent.getSelectionComponent(variableName, origName); } if (!sel) { throw new Error(selectionNotFound(origName)); } return sel; } /** * Returns true if the model has a signalRef for an axis orient. */ hasAxisOrientSignalRef() { return (this.component.axes.x?.some(a => a.hasOrientSignalRef()) || this.component.axes.y?.some(a => a.hasOrientSignalRef())); } } /** Abstract class for UnitModel and FacetModel. Both of which can contain fieldDefs as a part of its own specification. */ class ModelWithField extends Model { /** Get "field" reference for Vega */ vgField(channel, opt = {}) { const fieldDef = this.fieldDef(channel); if (!fieldDef) { return undefined; } return vgField(fieldDef, opt); } reduceFieldDef(f, init) { return reduce(this.getMapping(), (acc, cd, c) => { const fieldDef = getFieldDef(cd); if (fieldDef) { return f(acc, fieldDef, c); } return acc; }, init); } forEachFieldDef(f, t) { forEach(this.getMapping(), (cd, c) => { const fieldDef = getFieldDef(cd); if (fieldDef) { f(fieldDef, c); } }, t); } } //# sourceMappingURL=model.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/data/density.js /** * A class for density transform nodes */ class DensityTransformNode extends DataFlowNode { clone() { return new DensityTransformNode(null, duplicate(this.transform)); } constructor(parent, transform) { super(parent); this.transform = transform; this.transform = duplicate(transform); // duplicate to prevent side effects const specifiedAs = this.transform.as ?? [undefined, undefined]; this.transform.as = [specifiedAs[0] ?? 'value', specifiedAs[1] ?? 'density']; } dependentFields() { return new Set([this.transform.density, ...(this.transform.groupby ?? [])]); } producedFields() { return new Set(this.transform.as); } hash() { return `DensityTransform ${hash(this.transform)}`; } assemble() { const { density, ...rest } = this.transform; const result = { type: 'kde', field: density, ...rest }; if (this.transform.groupby) { result.resolve = 'shared'; } return result; } } //# sourceMappingURL=density.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/data/extent.js /** * A class for flatten transform nodes */ class ExtentTransformNode extends DataFlowNode { clone() { return new ExtentTransformNode(null, duplicate(this.transform)); } constructor(parent, transform) { super(parent); this.transform = transform; this.transform = duplicate(transform); } dependentFields() { return new Set([this.transform.extent]); } producedFields() { return new Set([]); } hash() { return `ExtentTransform ${hash(this.transform)}`; } assemble() { const { extent, param } = this.transform; const result = { type: 'extent', field: extent, signal: param }; return result; } } //# sourceMappingURL=extent.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/data/filterinvalid.js class FilterInvalidNode extends DataFlowNode { clone() { return new FilterInvalidNode(null, { ...this.filter }); } constructor(parent, filter) { super(parent); this.filter = filter; } static make(parent, model) { const { config, mark, markDef } = model; const invalid = getMarkPropOrConfig('invalid', markDef, config); if (invalid !== 'filter') { return null; } const filter = model.reduceFieldDef((aggregator, fieldDef, channel) => { const scaleComponent = isScaleChannel(channel) && model.getScaleComponent(channel); if (scaleComponent) { const scaleType = scaleComponent.get('type'); // While discrete domain scales can handle invalid values, continuous scales can't. // Thus, for non-path marks, we have to filter null for scales with continuous domains. // (For path marks, we will use "defined" property and skip these values instead.) if (hasContinuousDomain(scaleType) && fieldDef.aggregate !== 'count' && !isPathMark(mark)) { aggregator[fieldDef.field] = fieldDef; // we know that the fieldDef is a typed field def } } return aggregator; }, {}); if (!util_keys(filter).length) { return null; } return new FilterInvalidNode(parent, filter); } dependentFields() { return new Set(util_keys(this.filter)); } producedFields() { return new Set(); // filter does not produce any new fields } hash() { return `FilterInvalid ${hash(this.filter)}`; } /** * Create the VgTransforms for each of the filtered fields. */ assemble() { const filters = util_keys(this.filter).reduce((vegaFilters, field) => { const fieldDef = this.filter[field]; const ref = vgField(fieldDef, { expr: 'datum' }); if (fieldDef !== null) { if (fieldDef.type === 'temporal') { vegaFilters.push(`(isDate(${ref}) || (isValid(${ref}) && isFinite(+${ref})))`); } else if (fieldDef.type === 'quantitative') { vegaFilters.push(`isValid(${ref})`); vegaFilters.push(`isFinite(+${ref})`); } else { // should never get here } } return vegaFilters; }, []); return filters.length > 0 ? { type: 'filter', expr: filters.join(' && ') } : null; } } //# sourceMappingURL=filterinvalid.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/data/flatten.js /** * A class for flatten transform nodes */ class FlattenTransformNode extends DataFlowNode { clone() { return new FlattenTransformNode(this.parent, duplicate(this.transform)); } constructor(parent, transform) { super(parent); this.transform = transform; this.transform = duplicate(transform); // duplicate to prevent side effects const { flatten, as = [] } = this.transform; this.transform.as = flatten.map((f, i) => as[i] ?? f); } dependentFields() { return new Set(this.transform.flatten); } producedFields() { return new Set(this.transform.as); } hash() { return `FlattenTransform ${hash(this.transform)}`; } assemble() { const { flatten: fields, as } = this.transform; const result = { type: 'flatten', fields, as }; return result; } } //# sourceMappingURL=flatten.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/data/fold.js /** * A class for flatten transform nodes */ class FoldTransformNode extends DataFlowNode { clone() { return new FoldTransformNode(null, duplicate(this.transform)); } constructor(parent, transform) { super(parent); this.transform = transform; this.transform = duplicate(transform); // duplicate to prevent side effects const specifiedAs = this.transform.as ?? [undefined, undefined]; this.transform.as = [specifiedAs[0] ?? 'key', specifiedAs[1] ?? 'value']; } dependentFields() { return new Set(this.transform.fold); } producedFields() { return new Set(this.transform.as); } hash() { return `FoldTransform ${hash(this.transform)}`; } assemble() { const { fold, as } = this.transform; const result = { type: 'fold', fields: fold, as }; return result; } } //# sourceMappingURL=fold.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/data/geojson.js class GeoJSONNode extends DataFlowNode { clone() { return new GeoJSONNode(null, duplicate(this.fields), this.geojson, this.signal); } static parseAll(parent, model) { if (model.component.projection && !model.component.projection.isFit) { return parent; } let geoJsonCounter = 0; for (const coordinates of [ [LONGITUDE, LATITUDE], [LONGITUDE2, LATITUDE2] ]) { const pair = coordinates.map(channel => { const def = getFieldOrDatumDef(model.encoding[channel]); return isFieldDef(def) ? def.field : isDatumDef(def) ? { expr: `${def.datum}` } : isValueDef(def) ? { expr: `${def['value']}` } : undefined; }); if (pair[0] || pair[1]) { parent = new GeoJSONNode(parent, pair, null, model.getName(`geojson_${geoJsonCounter++}`)); } } if (model.channelHasField(SHAPE)) { const fieldDef = model.typedFieldDef(SHAPE); if (fieldDef.type === GEOJSON) { parent = new GeoJSONNode(parent, null, fieldDef.field, model.getName(`geojson_${geoJsonCounter++}`)); } } return parent; } constructor(parent, fields, geojson, signal) { super(parent); this.fields = fields; this.geojson = geojson; this.signal = signal; } dependentFields() { const fields = (this.fields ?? []).filter(vega_util_module_isString); return new Set([...(this.geojson ? [this.geojson] : []), ...fields]); } producedFields() { return new Set(); } hash() { return `GeoJSON ${this.geojson} ${this.signal} ${hash(this.fields)}`; } assemble() { return [ ...(this.geojson ? [ { type: 'filter', expr: `isValid(datum["${this.geojson}"])` } ] : []), { type: 'geojson', ...(this.fields ? { fields: this.fields } : {}), ...(this.geojson ? { geojson: this.geojson } : {}), signal: this.signal } ]; } } //# sourceMappingURL=geojson.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/data/geopoint.js class GeoPointNode extends DataFlowNode { clone() { return new GeoPointNode(null, this.projection, duplicate(this.fields), duplicate(this.as)); } constructor(parent, projection, fields, as) { super(parent); this.projection = projection; this.fields = fields; this.as = as; } static parseAll(parent, model) { if (!model.projectionName()) { return parent; } for (const coordinates of [ [LONGITUDE, LATITUDE], [LONGITUDE2, LATITUDE2] ]) { const pair = coordinates.map(channel => { const def = getFieldOrDatumDef(model.encoding[channel]); return isFieldDef(def) ? def.field : isDatumDef(def) ? { expr: `${def.datum}` } : isValueDef(def) ? { expr: `${def['value']}` } : undefined; }); const suffix = coordinates[0] === LONGITUDE2 ? '2' : ''; if (pair[0] || pair[1]) { parent = new GeoPointNode(parent, model.projectionName(), pair, [ model.getName(`x${suffix}`), model.getName(`y${suffix}`) ]); } } return parent; } dependentFields() { return new Set(this.fields.filter(vega_util_module_isString)); } producedFields() { return new Set(this.as); } hash() { return `Geopoint ${this.projection} ${hash(this.fields)} ${hash(this.as)}`; } assemble() { return { type: 'geopoint', projection: this.projection, fields: this.fields, as: this.as }; } } //# sourceMappingURL=geopoint.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/data/impute.js class ImputeNode extends DataFlowNode { clone() { return new ImputeNode(null, duplicate(this.transform)); } constructor(parent, transform) { super(parent); this.transform = transform; } dependentFields() { return new Set([this.transform.impute, this.transform.key, ...(this.transform.groupby ?? [])]); } producedFields() { return new Set([this.transform.impute]); } processSequence(keyvals) { const { start = 0, stop, step } = keyvals; const result = [start, stop, ...(step ? [step] : [])].join(','); return { signal: `sequence(${result})` }; } static makeFromTransform(parent, imputeTransform) { return new ImputeNode(parent, imputeTransform); } static makeFromEncoding(parent, model) { const encoding = model.encoding; const xDef = encoding.x; const yDef = encoding.y; if (isFieldDef(xDef) && isFieldDef(yDef)) { const imputedChannel = xDef.impute ? xDef : yDef.impute ? yDef : undefined; if (imputedChannel === undefined) { return undefined; } const keyChannel = xDef.impute ? yDef : yDef.impute ? xDef : undefined; const { method, value, frame, keyvals } = imputedChannel.impute; const groupbyFields = pathGroupingFields(model.mark, encoding); return new ImputeNode(parent, { impute: imputedChannel.field, key: keyChannel.field, ...(method ? { method } : {}), ...(value !== undefined ? { value } : {}), ...(frame ? { frame } : {}), ...(keyvals !== undefined ? { keyvals } : {}), ...(groupbyFields.length ? { groupby: groupbyFields } : {}) }); } return null; } hash() { return `Impute ${hash(this.transform)}`; } assemble() { const { impute, key, keyvals, method, groupby, value, frame = [null, null] } = this.transform; const imputeTransform = { type: 'impute', field: impute, key, ...(keyvals ? { keyvals: isImputeSequence(keyvals) ? this.processSequence(keyvals) : keyvals } : {}), method: 'value', ...(groupby ? { groupby } : {}), value: !method || method === 'value' ? value : null }; if (method && method !== 'value') { const deriveNewField = { type: 'window', as: [`imputed_${impute}_value`], ops: [method], fields: [impute], frame, ignorePeers: false, ...(groupby ? { groupby } : {}) }; const replaceOriginal = { type: 'formula', expr: `datum.${impute} === null ? datum.imputed_${impute}_value : datum.${impute}`, as: impute }; return [imputeTransform, deriveNewField, replaceOriginal]; } else { return [imputeTransform]; } } } //# sourceMappingURL=impute.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/data/loess.js /** * A class for loess transform nodes */ class LoessTransformNode extends DataFlowNode { clone() { return new LoessTransformNode(null, duplicate(this.transform)); } constructor(parent, transform) { super(parent); this.transform = transform; this.transform = duplicate(transform); // duplicate to prevent side effects const specifiedAs = this.transform.as ?? [undefined, undefined]; this.transform.as = [specifiedAs[0] ?? transform.on, specifiedAs[1] ?? transform.loess]; } dependentFields() { return new Set([this.transform.loess, this.transform.on, ...(this.transform.groupby ?? [])]); } producedFields() { return new Set(this.transform.as); } hash() { return `LoessTransform ${hash(this.transform)}`; } assemble() { const { loess, on, ...rest } = this.transform; const result = { type: 'loess', x: on, y: loess, ...rest }; return result; } } //# sourceMappingURL=loess.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/data/lookup.js class LookupNode extends DataFlowNode { clone() { return new LookupNode(null, duplicate(this.transform), this.secondary); } constructor(parent, transform, secondary) { super(parent); this.transform = transform; this.secondary = secondary; } static make(parent, model, transform, counter) { const sources = model.component.data.sources; const { from } = transform; let fromOutputNode = null; if (isLookupData(from)) { let fromSource = findSource(from.data, sources); if (!fromSource) { fromSource = new SourceNode(from.data); sources.push(fromSource); } const fromOutputName = model.getName(`lookup_${counter}`); fromOutputNode = new OutputNode(fromSource, fromOutputName, DataSourceType.Lookup, model.component.data.outputNodeRefCounts); model.component.data.outputNodes[fromOutputName] = fromOutputNode; } else if (isLookupSelection(from)) { const selName = from.param; transform = { as: selName, ...transform }; let selCmpt; try { selCmpt = model.getSelectionComponent(varName(selName), selName); } catch (e) { throw new Error(cannotLookupVariableParameter(selName)); } fromOutputNode = selCmpt.materialized; if (!fromOutputNode) { throw new Error(noSameUnitLookup(selName)); } } return new LookupNode(parent, transform, fromOutputNode.getSource()); } dependentFields() { return new Set([this.transform.lookup]); } producedFields() { return new Set(this.transform.as ? array(this.transform.as) : this.transform.from.fields); } hash() { return `Lookup ${hash({ transform: this.transform, secondary: this.secondary })}`; } assemble() { let foreign; if (this.transform.from.fields) { // lookup a few fields and add create a flat output foreign = { values: this.transform.from.fields, ...(this.transform.as ? { as: array(this.transform.as) } : {}) }; } else { // lookup full record and nest it let asName = this.transform.as; if (!vega_util_module_isString(asName)) { log_warn(NO_FIELDS_NEEDS_AS); asName = '_lookup'; } foreign = { as: [asName] }; } return { type: 'lookup', from: this.secondary, key: this.transform.from.key, fields: [this.transform.lookup], ...foreign, ...(this.transform.default ? { default: this.transform.default } : {}) }; } } //# sourceMappingURL=lookup.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/data/quantile.js /** * A class for quantile transform nodes */ class QuantileTransformNode extends DataFlowNode { clone() { return new QuantileTransformNode(null, duplicate(this.transform)); } constructor(parent, transform) { super(parent); this.transform = transform; this.transform = duplicate(transform); // duplicate to prevent side effects const specifiedAs = this.transform.as ?? [undefined, undefined]; this.transform.as = [specifiedAs[0] ?? 'prob', specifiedAs[1] ?? 'value']; } dependentFields() { return new Set([this.transform.quantile, ...(this.transform.groupby ?? [])]); } producedFields() { return new Set(this.transform.as); } hash() { return `QuantileTransform ${hash(this.transform)}`; } assemble() { const { quantile, ...rest } = this.transform; const result = { type: 'quantile', field: quantile, ...rest }; return result; } } //# sourceMappingURL=quantile.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/data/regression.js /** * A class for regression transform nodes */ class RegressionTransformNode extends DataFlowNode { clone() { return new RegressionTransformNode(null, duplicate(this.transform)); } constructor(parent, transform) { super(parent); this.transform = transform; this.transform = duplicate(transform); // duplicate to prevent side effects const specifiedAs = this.transform.as ?? [undefined, undefined]; this.transform.as = [specifiedAs[0] ?? transform.on, specifiedAs[1] ?? transform.regression]; } dependentFields() { return new Set([this.transform.regression, this.transform.on, ...(this.transform.groupby ?? [])]); } producedFields() { return new Set(this.transform.as); } hash() { return `RegressionTransform ${hash(this.transform)}`; } assemble() { const { regression, on, ...rest } = this.transform; const result = { type: 'regression', x: on, y: regression, ...rest }; return result; } } //# sourceMappingURL=regression.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/data/pivot.js /** * A class for pivot transform nodes. */ class PivotTransformNode extends DataFlowNode { clone() { return new PivotTransformNode(null, duplicate(this.transform)); } constructor(parent, transform) { super(parent); this.transform = transform; } addDimensions(fields) { this.transform.groupby = unique((this.transform.groupby ?? []).concat(fields), d => d); } producedFields() { return undefined; // return undefined so that potentially everything can depend on the pivot } dependentFields() { return new Set([this.transform.pivot, this.transform.value, ...(this.transform.groupby ?? [])]); } hash() { return `PivotTransform ${hash(this.transform)}`; } assemble() { const { pivot, value, groupby, limit, op } = this.transform; return { type: 'pivot', field: pivot, value, ...(limit !== undefined ? { limit } : {}), ...(op !== undefined ? { op } : {}), ...(groupby !== undefined ? { groupby } : {}) }; } } //# sourceMappingURL=pivot.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/data/sample.js /** * A class for the sample transform nodes */ class SampleTransformNode extends DataFlowNode { clone() { return new SampleTransformNode(null, duplicate(this.transform)); } constructor(parent, transform) { super(parent); this.transform = transform; } dependentFields() { return new Set(); } producedFields() { return new Set(); } hash() { return `SampleTransform ${hash(this.transform)}`; } assemble() { return { type: 'sample', size: this.transform.sample }; } } //# sourceMappingURL=sample.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/data/assemble.js function makeWalkTree(data) { // to name datasources let datasetIndex = 0; /** * Recursively walk down the tree. */ function walkTree(node, dataSource) { if (node instanceof SourceNode) { // If the source is a named data source or a data source with values, we need // to put it in a different data source. Otherwise, Vega may override the data. if (!node.isGenerator && !isUrlData(node.data)) { data.push(dataSource); const newData = { name: null, source: dataSource.name, transform: [] }; dataSource = newData; } } if (node instanceof ParseNode) { if (node.parent instanceof SourceNode && !dataSource.source) { // If node's parent is a root source and the data source does not refer to another data source, use normal format parse dataSource.format = { ...(dataSource.format ?? {}), parse: node.assembleFormatParse() }; // add calculates for all nested fields dataSource.transform.push(...node.assembleTransforms(true)); } else { // Otherwise use Vega expression to parse dataSource.transform.push(...node.assembleTransforms()); } } if (node instanceof FacetNode) { if (!dataSource.name) { dataSource.name = `data_${datasetIndex++}`; } if (!dataSource.source || dataSource.transform.length > 0) { data.push(dataSource); node.data = dataSource.name; } else { node.data = dataSource.source; } data.push(...node.assemble()); // break here because the rest of the tree has to be taken care of by the facet. return; } if (node instanceof GraticuleNode || node instanceof SequenceNode || node instanceof FilterInvalidNode || node instanceof FilterNode || node instanceof CalculateNode || node instanceof GeoPointNode || node instanceof AggregateNode || node instanceof LookupNode || node instanceof WindowTransformNode || node instanceof JoinAggregateTransformNode || node instanceof FoldTransformNode || node instanceof FlattenTransformNode || node instanceof DensityTransformNode || node instanceof LoessTransformNode || node instanceof QuantileTransformNode || node instanceof RegressionTransformNode || node instanceof IdentifierNode || node instanceof SampleTransformNode || node instanceof PivotTransformNode || node instanceof ExtentTransformNode) { dataSource.transform.push(node.assemble()); } if (node instanceof BinNode || node instanceof TimeUnitNode || node instanceof ImputeNode || node instanceof StackNode || node instanceof GeoJSONNode) { dataSource.transform.push(...node.assemble()); } if (node instanceof OutputNode) { if (dataSource.source && dataSource.transform.length === 0) { node.setSource(dataSource.source); } else if (node.parent instanceof OutputNode) { // Note that an output node may be required but we still do not assemble a // separate data source for it. node.setSource(dataSource.name); } else { if (!dataSource.name) { dataSource.name = `data_${datasetIndex++}`; } // Here we set the name of the datasource we generated. From now on // other assemblers can use it. node.setSource(dataSource.name); // if this node has more than one child, we will add a datasource automatically if (node.numChildren() === 1) { data.push(dataSource); const newData = { name: null, source: dataSource.name, transform: [] }; dataSource = newData; } } } switch (node.numChildren()) { case 0: // done if (node instanceof OutputNode && (!dataSource.source || dataSource.transform.length > 0)) { // do not push empty datasources that are simply references data.push(dataSource); } break; case 1: walkTree(node.children[0], dataSource); break; default: { if (!dataSource.name) { dataSource.name = `data_${datasetIndex++}`; } let source = dataSource.name; if (!dataSource.source || dataSource.transform.length > 0) { data.push(dataSource); } else { source = dataSource.source; } for (const child of node.children) { const newData = { name: null, source, transform: [] }; walkTree(child, newData); } break; } } } return walkTree; } /** * Assemble data sources that are derived from faceted data. */ function assembleFacetData(root) { const data = []; const walkTree = makeWalkTree(data); for (const child of root.children) { walkTree(child, { source: root.name, name: null, transform: [] }); } return data; } /** * Create Vega data array from a given compiled model and append all of them to the given array * * @param model * @param data array * @return modified data array */ function assembleRootData(dataComponent, datasets) { const data = []; // dataComponent.sources.forEach(debug); // draw(dataComponent.sources); const walkTree = makeWalkTree(data); let sourceIndex = 0; for (const root of dataComponent.sources) { // assign a name if the source does not have a name yet if (!root.hasName()) { root.dataName = `source_${sourceIndex++}`; } const newData = root.assemble(); walkTree(root, newData); } // remove empty transform arrays for cleaner output for (const d of data) { if (d.transform.length === 0) { delete d.transform; } } // move sources without transforms (the ones that are potentially used in lookups) to the beginning let whereTo = 0; for (const [i, d] of data.entries()) { if ((d.transform ?? []).length === 0 && !d.source) { data.splice(whereTo++, 0, data.splice(i, 1)[0]); } } // now fix the from references in lookup transforms for (const d of data) { for (const t of d.transform ?? []) { if (t.type === 'lookup') { t.from = dataComponent.outputNodes[t.from].getSource(); } } } // inline values for datasets that are in the datastore for (const d of data) { if (d.name in datasets) { d.values = datasets[d.name]; } } return data; } //# sourceMappingURL=assemble.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/header/parse.js function getHeaderType(orient) { if (orient === 'top' || orient === 'left' || isSignalRef(orient)) { // we always use header for orient signal since we can't dynamically make header becomes footer return 'header'; } return 'footer'; } function parseFacetHeaders(model) { for (const channel of FACET_CHANNELS) { parseFacetHeader(model, channel); } mergeChildAxis(model, 'x'); mergeChildAxis(model, 'y'); } function parseFacetHeader(model, channel) { const { facet, config, child, component } = model; if (model.channelHasField(channel)) { const fieldDef = facet[channel]; const titleConfig = getHeaderProperty('title', null, config, channel); let title = channeldef_title(fieldDef, config, { allowDisabling: true, includeDefault: titleConfig === undefined || !!titleConfig }); if (child.component.layoutHeaders[channel].title) { // TODO: better handle multiline titles title = isArray(title) ? title.join(', ') : title; // merge title with child to produce "Title / Subtitle / Sub-subtitle" title += ` / ${child.component.layoutHeaders[channel].title}`; child.component.layoutHeaders[channel].title = null; } const labelOrient = getHeaderProperty('labelOrient', fieldDef.header, config, channel); const labels = fieldDef.header !== null ? getFirstDefined(fieldDef.header?.labels, config.header.labels, true) : false; const headerType = util_contains(['bottom', 'right'], labelOrient) ? 'footer' : 'header'; component.layoutHeaders[channel] = { title: fieldDef.header !== null ? title : null, facetFieldDef: fieldDef, [headerType]: channel === 'facet' ? [] : [makeHeaderComponent(model, channel, labels)] }; } } function makeHeaderComponent(model, channel, labels) { const sizeType = channel === 'row' ? 'height' : 'width'; return { labels, sizeSignal: model.child.component.layoutSize.get(sizeType) ? model.child.getSizeSignalRef(sizeType) : undefined, axes: [] }; } function mergeChildAxis(model, channel) { const { child } = model; if (child.component.axes[channel]) { const { layoutHeaders, resolve } = model.component; resolve.axis[channel] = parseGuideResolve(resolve, channel); if (resolve.axis[channel] === 'shared') { // For shared axis, move the axes to facet's header or footer const headerChannel = channel === 'x' ? 'column' : 'row'; const layoutHeader = layoutHeaders[headerChannel]; for (const axisComponent of child.component.axes[channel]) { const headerType = getHeaderType(axisComponent.get('orient')); layoutHeader[headerType] ?? (layoutHeader[headerType] = [makeHeaderComponent(model, headerChannel, false)]); // FIXME: assemble shouldn't be called here, but we do it this way so we only extract the main part of the axes const mainAxis = assembleAxis(axisComponent, 'main', model.config, { header: true }); if (mainAxis) { // LayoutHeader no longer keep track of property precedence, thus let's combine. layoutHeader[headerType][0].axes.push(mainAxis); } axisComponent.mainExtracted = true; } } else { // Otherwise do nothing for independent axes } } } //# sourceMappingURL=parse.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/layoutsize/parse.js function parseLayerLayoutSize(model) { parseChildrenLayoutSize(model); parseNonUnitLayoutSizeForChannel(model, 'width'); parseNonUnitLayoutSizeForChannel(model, 'height'); } function parseConcatLayoutSize(model) { parseChildrenLayoutSize(model); // for columns === 1 (vconcat), we can completely merge width. Otherwise, we can treat merged width as childWidth. const widthType = model.layout.columns === 1 ? 'width' : 'childWidth'; // for columns === undefined (hconcat), we can completely merge height. Otherwise, we can treat merged height as childHeight. const heightType = model.layout.columns === undefined ? 'height' : 'childHeight'; parseNonUnitLayoutSizeForChannel(model, widthType); parseNonUnitLayoutSizeForChannel(model, heightType); } function parseChildrenLayoutSize(model) { for (const child of model.children) { child.parseLayoutSize(); } } /** * Merge child layout size (width or height). */ function parseNonUnitLayoutSizeForChannel(model, layoutSizeType) { /* * For concat, the parent width or height might not be the same as the children's shared height. * For example, hconcat's subviews may share width, but the shared width is not the hconcat view's width. * * layoutSizeType represents the output of the view (could be childWidth/childHeight/width/height) * while the sizeType represents the properties of the child. */ const sizeType = getSizeTypeFromLayoutSizeType(layoutSizeType); const channel = getPositionScaleChannel(sizeType); const resolve = model.component.resolve; const layoutSizeCmpt = model.component.layoutSize; let mergedSize; // Try to merge layout size for (const child of model.children) { const childSize = child.component.layoutSize.getWithExplicit(sizeType); const scaleResolve = resolve.scale[channel] ?? defaultScaleResolve(channel, model); if (scaleResolve === 'independent' && childSize.value === 'step') { // Do not merge independent scales with range-step as their size depends // on the scale domains, which can be different between scales. mergedSize = undefined; break; } if (mergedSize) { if (scaleResolve === 'independent' && mergedSize.value !== childSize.value) { // For independent scale, only merge if all the sizes are the same. // If the values are different, abandon the merge! mergedSize = undefined; break; } mergedSize = mergeValuesWithExplicit(mergedSize, childSize, sizeType, ''); } else { mergedSize = childSize; } } if (mergedSize) { // If merged, rename size and set size of all children. for (const child of model.children) { model.renameSignal(child.getName(sizeType), model.getName(layoutSizeType)); child.component.layoutSize.set(sizeType, 'merged', false); } layoutSizeCmpt.setWithExplicit(layoutSizeType, mergedSize); } else { layoutSizeCmpt.setWithExplicit(layoutSizeType, { explicit: false, value: undefined }); } } function parseUnitLayoutSize(model) { const { size, component } = model; for (const channel of POSITION_SCALE_CHANNELS) { const sizeType = getSizeChannel(channel); if (size[sizeType]) { const specifiedSize = size[sizeType]; component.layoutSize.set(sizeType, isStep(specifiedSize) ? 'step' : specifiedSize, true); } else { const defaultSize = defaultUnitSize(model, sizeType); component.layoutSize.set(sizeType, defaultSize, false); } } } function defaultUnitSize(model, sizeType) { const channel = sizeType === 'width' ? 'x' : 'y'; const config = model.config; const scaleComponent = model.getScaleComponent(channel); if (scaleComponent) { const scaleType = scaleComponent.get('type'); const range = scaleComponent.get('range'); if (hasDiscreteDomain(scaleType)) { const size = getViewConfigDiscreteSize(config.view, sizeType); if (isVgRangeStep(range) || isStep(size)) { // For discrete domain with range.step, use dynamic width/height return 'step'; } else { return size; } } else { return getViewConfigContinuousSize(config.view, sizeType); } } else if (model.hasProjection || model.mark === 'arc') { // arc should use continuous size by default otherwise the pie is extremely small return getViewConfigContinuousSize(config.view, sizeType); } else { const size = getViewConfigDiscreteSize(config.view, sizeType); return isStep(size) ? size.step : size; } } //# sourceMappingURL=parse.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/facet.js function facetSortFieldName(fieldDef, sort, opt) { return vgField(sort, { suffix: `by_${vgField(fieldDef)}`, ...(opt ?? {}) }); } class FacetModel extends ModelWithField { constructor(spec, parent, parentGivenName, config) { super(spec, 'facet', parent, parentGivenName, config, spec.resolve); this.child = buildModel(spec.spec, this, this.getName('child'), undefined, config); this.children = [this.child]; this.facet = this.initFacet(spec.facet); } initFacet(facet) { // clone to prevent side effect to the original spec if (!isFacetMapping(facet)) { return { facet: this.initFacetFieldDef(facet, 'facet') }; } const channels = util_keys(facet); const normalizedFacet = {}; for (const channel of channels) { if (![ROW, COLUMN].includes(channel)) { // Drop unsupported channel log_warn(incompatibleChannel(channel, 'facet')); break; } const fieldDef = facet[channel]; if (fieldDef.field === undefined) { log_warn(emptyFieldDef(fieldDef, channel)); break; } normalizedFacet[channel] = this.initFacetFieldDef(fieldDef, channel); } return normalizedFacet; } initFacetFieldDef(fieldDef, channel) { // Cast because we call initFieldDef, which assumes general FieldDef. // However, FacetFieldDef is a bit more constrained than the general FieldDef const facetFieldDef = initFieldDef(fieldDef, channel); if (facetFieldDef.header) { facetFieldDef.header = replaceExprRef(facetFieldDef.header); } else if (facetFieldDef.header === null) { facetFieldDef.header = null; } return facetFieldDef; } channelHasField(channel) { return !!this.facet[channel]; } fieldDef(channel) { return this.facet[channel]; } parseData() { this.component.data = parse_parseData(this); this.child.parseData(); } parseLayoutSize() { parseChildrenLayoutSize(this); } parseSelections() { // As a facet has a single child, the selection components are the same. // The child maintains its selections to assemble signals, which remain // within its unit. this.child.parseSelections(); this.component.selection = this.child.component.selection; } parseMarkGroup() { this.child.parseMarkGroup(); } parseAxesAndHeaders() { this.child.parseAxesAndHeaders(); parseFacetHeaders(this); } assembleSelectionTopLevelSignals(signals) { return this.child.assembleSelectionTopLevelSignals(signals); } assembleSignals() { this.child.assembleSignals(); return []; } assembleSelectionData(data) { return this.child.assembleSelectionData(data); } getHeaderLayoutMixins() { const layoutMixins = {}; for (const channel of FACET_CHANNELS) { for (const headerType of HEADER_TYPES) { const layoutHeaderComponent = this.component.layoutHeaders[channel]; const headerComponent = layoutHeaderComponent[headerType]; const { facetFieldDef } = layoutHeaderComponent; if (facetFieldDef) { const titleOrient = getHeaderProperty('titleOrient', facetFieldDef.header, this.config, channel); if (['right', 'bottom'].includes(titleOrient)) { const headerChannel = getHeaderChannel(channel, titleOrient); layoutMixins.titleAnchor ?? (layoutMixins.titleAnchor = {}); layoutMixins.titleAnchor[headerChannel] = 'end'; } } if (headerComponent?.[0]) { // set header/footerBand const sizeType = channel === 'row' ? 'height' : 'width'; const bandType = headerType === 'header' ? 'headerBand' : 'footerBand'; if (channel !== 'facet' && !this.child.component.layoutSize.get(sizeType)) { // If facet child does not have size signal, then apply headerBand layoutMixins[bandType] ?? (layoutMixins[bandType] = {}); layoutMixins[bandType][channel] = 0.5; } if (layoutHeaderComponent.title) { layoutMixins.offset ?? (layoutMixins.offset = {}); layoutMixins.offset[channel === 'row' ? 'rowTitle' : 'columnTitle'] = 10; } } } } return layoutMixins; } assembleDefaultLayout() { const { column, row } = this.facet; const columns = column ? this.columnDistinctSignal() : row ? 1 : undefined; let align = 'all'; // Do not align the cells if the scale corresponding to the direction is indepent. // We always align when we facet into both row and column. if (!row && this.component.resolve.scale.x === 'independent') { align = 'none'; } else if (!column && this.component.resolve.scale.y === 'independent') { align = 'none'; } return { ...this.getHeaderLayoutMixins(), ...(columns ? { columns } : {}), bounds: 'full', align }; } assembleLayoutSignals() { // FIXME(https://github.com/vega/vega-lite/issues/1193): this can be incorrect if we have independent scales. return this.child.assembleLayoutSignals(); } columnDistinctSignal() { if (this.parent && this.parent instanceof FacetModel) { // For nested facet, we will add columns to group mark instead // See discussion in https://github.com/vega/vega/issues/952 // and https://github.com/vega/vega-view/releases/tag/v1.2.6 return undefined; } else { // In facetNode.assemble(), the name is always this.getName('column') + '_layout'. const facetLayoutDataName = this.getName('column_domain'); return { signal: `length(data('${facetLayoutDataName}'))` }; } } assembleGroupStyle() { return undefined; } assembleGroup(signals) { if (this.parent && this.parent instanceof FacetModel) { // Provide number of columns for layout. // See discussion in https://github.com/vega/vega/issues/952 // and https://github.com/vega/vega-view/releases/tag/v1.2.6 return { ...(this.channelHasField('column') ? { encode: { update: { // TODO(https://github.com/vega/vega-lite/issues/2759): // Correct the signal for facet of concat of facet_column columns: { field: vgField(this.facet.column, { prefix: 'distinct' }) } } } } : {}), ...super.assembleGroup(signals) }; } return super.assembleGroup(signals); } /** * Aggregate cardinality for calculating size */ getCardinalityAggregateForChild() { const fields = []; const ops = []; const as = []; if (this.child instanceof FacetModel) { if (this.child.channelHasField('column')) { const field = vgField(this.child.facet.column); fields.push(field); ops.push('distinct'); as.push(`distinct_${field}`); } } else { for (const channel of POSITION_SCALE_CHANNELS) { const childScaleComponent = this.child.component.scales[channel]; if (childScaleComponent && !childScaleComponent.merged) { const type = childScaleComponent.get('type'); const range = childScaleComponent.get('range'); if (hasDiscreteDomain(type) && isVgRangeStep(range)) { const domain = assembleDomain(this.child, channel); const field = getFieldFromDomain(domain); if (field) { fields.push(field); ops.push('distinct'); as.push(`distinct_${field}`); } else { log_warn(unknownField(channel)); } } } } } return { fields, ops, as }; } assembleFacet() { const { name, data } = this.component.data.facetRoot; const { row, column } = this.facet; const { fields, ops, as } = this.getCardinalityAggregateForChild(); const groupby = []; for (const channel of FACET_CHANNELS) { const fieldDef = this.facet[channel]; if (fieldDef) { groupby.push(vgField(fieldDef)); const { bin, sort } = fieldDef; if (isBinning(bin)) { groupby.push(vgField(fieldDef, { binSuffix: 'end' })); } if (isSortField(sort)) { const { field, op = DEFAULT_SORT_OP } = sort; const outputName = facetSortFieldName(fieldDef, sort); if (row && column) { // For crossed facet, use pre-calculate field as it requires a different groupby // For each calculated field, apply max and assign them to the same name as // all values of the same group should be the same anyway. fields.push(outputName); ops.push('max'); as.push(outputName); } else { fields.push(field); ops.push(op); as.push(outputName); } } else if (isArray(sort)) { const outputName = sortArrayIndexField(fieldDef, channel); fields.push(outputName); ops.push('max'); as.push(outputName); } } } const cross = !!row && !!column; return { name, data, groupby, ...(cross || fields.length > 0 ? { aggregate: { ...(cross ? { cross } : {}), ...(fields.length ? { fields, ops, as } : {}) } } : {}) }; } facetSortFields(channel) { const { facet } = this; const fieldDef = facet[channel]; if (fieldDef) { if (isSortField(fieldDef.sort)) { return [facetSortFieldName(fieldDef, fieldDef.sort, { expr: 'datum' })]; } else if (isArray(fieldDef.sort)) { return [sortArrayIndexField(fieldDef, channel, { expr: 'datum' })]; } return [vgField(fieldDef, { expr: 'datum' })]; } return []; } facetSortOrder(channel) { const { facet } = this; const fieldDef = facet[channel]; if (fieldDef) { const { sort } = fieldDef; const order = (isSortField(sort) ? sort.order : !isArray(sort) && sort) || 'ascending'; return [order]; } return []; } assembleLabelTitle() { const { facet, config } = this; if (facet.facet) { // Facet always uses title to display labels return assembleLabelTitle(facet.facet, 'facet', config); } const ORTHOGONAL_ORIENT = { row: ['top', 'bottom'], column: ['left', 'right'] }; for (const channel of HEADER_CHANNELS) { if (facet[channel]) { const labelOrient = getHeaderProperty('labelOrient', facet[channel]?.header, config, channel); if (ORTHOGONAL_ORIENT[channel].includes(labelOrient)) { // Row/Column with orthogonal labelOrient must use title to display labels return assembleLabelTitle(facet[channel], channel, config); } } } return undefined; } assembleMarks() { const { child } = this; // If we facet by two dimensions, we need to add a cross operator to the aggregation // so that we create all groups const facetRoot = this.component.data.facetRoot; const data = assembleFacetData(facetRoot); const encodeEntry = child.assembleGroupEncodeEntry(false); const title = this.assembleLabelTitle() || child.assembleTitle(); const style = child.assembleGroupStyle(); const markGroup = { name: this.getName('cell'), type: 'group', ...(title ? { title } : {}), ...(style ? { style } : {}), from: { facet: this.assembleFacet() }, // TODO: move this to after data sort: { field: FACET_CHANNELS.map(c => this.facetSortFields(c)).flat(), order: FACET_CHANNELS.map(c => this.facetSortOrder(c)).flat() }, ...(data.length > 0 ? { data } : {}), ...(encodeEntry ? { encode: { update: encodeEntry } } : {}), ...child.assembleGroup(assembleFacetSignals(this, [])) }; return [markGroup]; } getMapping() { return this.facet; } } //# sourceMappingURL=facet.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/data/joinaggregatefacet.js function makeJoinAggregateFromFacet(parent, facet) { const { row, column } = facet; if (row && column) { let newParent = null; // only need to make one for crossed facet for (const fieldDef of [row, column]) { if (isSortField(fieldDef.sort)) { const { field, op = DEFAULT_SORT_OP } = fieldDef.sort; parent = newParent = new JoinAggregateTransformNode(parent, { joinaggregate: [ { op, field, as: facetSortFieldName(fieldDef, fieldDef.sort, { forAs: true }) } ], groupby: [vgField(fieldDef)] }); } } return newParent; } return null; } //# sourceMappingURL=joinaggregatefacet.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/data/parse.js function findSource(data, sources) { for (const other of sources) { const otherData = other.data; // if both datasets have a name defined, we cannot merge if (data.name && other.hasName() && data.name !== other.dataName) { continue; } const formatMesh = data['format']?.mesh; const otherFeature = otherData.format?.feature; // feature and mesh are mutually exclusive if (formatMesh && otherFeature) { continue; } // we have to extract the same feature or mesh const formatFeature = data['format']?.feature; if ((formatFeature || otherFeature) && formatFeature !== otherFeature) { continue; } const otherMesh = otherData.format?.mesh; if ((formatMesh || otherMesh) && formatMesh !== otherMesh) { continue; } if (isInlineData(data) && isInlineData(otherData)) { if (deepEqual(data.values, otherData.values)) { return other; } } else if (isUrlData(data) && isUrlData(otherData)) { if (data.url === otherData.url) { return other; } } else if (isNamedData(data)) { if (data.name === other.dataName) { return other; } } } return null; } function parseRoot(model, sources) { if (model.data || !model.parent) { // if the model defines a data source or is the root, create a source node if (model.data === null) { // data: null means we should ignore the parent's data so we just create a new data source const source = new SourceNode({ values: [] }); sources.push(source); return source; } const existingSource = findSource(model.data, sources); if (existingSource) { if (!isGenerator(model.data)) { existingSource.data.format = mergeDeep({}, model.data.format, existingSource.data.format); } // if the new source has a name but the existing one does not, we can set it if (!existingSource.hasName() && model.data.name) { existingSource.dataName = model.data.name; } return existingSource; } else { const source = new SourceNode(model.data); sources.push(source); return source; } } else { // If we don't have a source defined (overriding parent's data), use the parent's facet root or main. return model.parent.component.data.facetRoot ? model.parent.component.data.facetRoot : model.parent.component.data.main; } } /** * Parses a transform array into a chain of connected dataflow nodes. */ function parseTransformArray(head, model, ancestorParse) { let lookupCounter = 0; for (const t of model.transforms) { let derivedType = undefined; let transformNode; if (isCalculate(t)) { transformNode = head = new CalculateNode(head, t); derivedType = 'derived'; } else if (isFilter(t)) { const implicit = getImplicitFromFilterTransform(t); transformNode = head = ParseNode.makeWithAncestors(head, {}, implicit, ancestorParse) ?? head; head = new FilterNode(head, model, t.filter); } else if (isBin(t)) { transformNode = head = BinNode.makeFromTransform(head, t, model); derivedType = 'number'; } else if (isTimeUnit(t)) { derivedType = 'date'; const parsedAs = ancestorParse.getWithExplicit(t.field); // Create parse node because the input to time unit is always date. if (parsedAs.value === undefined) { head = new ParseNode(head, { [t.field]: derivedType }); ancestorParse.set(t.field, derivedType, false); } transformNode = head = TimeUnitNode.makeFromTransform(head, t); } else if (transform_isAggregate(t)) { transformNode = head = AggregateNode.makeFromTransform(head, t); derivedType = 'number'; if (requiresSelectionId(model)) { head = new IdentifierNode(head); } } else if (isLookup(t)) { transformNode = head = LookupNode.make(head, model, t, lookupCounter++); derivedType = 'derived'; } else if (isWindow(t)) { transformNode = head = new WindowTransformNode(head, t); derivedType = 'number'; } else if (isJoinAggregate(t)) { transformNode = head = new JoinAggregateTransformNode(head, t); derivedType = 'number'; } else if (isStack(t)) { transformNode = head = StackNode.makeFromTransform(head, t); derivedType = 'derived'; } else if (isFold(t)) { transformNode = head = new FoldTransformNode(head, t); derivedType = 'derived'; } else if (isExtent(t)) { transformNode = head = new ExtentTransformNode(head, t); derivedType = 'derived'; } else if (isFlatten(t)) { transformNode = head = new FlattenTransformNode(head, t); derivedType = 'derived'; } else if (isPivot(t)) { transformNode = head = new PivotTransformNode(head, t); derivedType = 'derived'; } else if (isSample(t)) { head = new SampleTransformNode(head, t); } else if (isImpute(t)) { transformNode = head = ImputeNode.makeFromTransform(head, t); derivedType = 'derived'; } else if (isDensity(t)) { transformNode = head = new DensityTransformNode(head, t); derivedType = 'derived'; } else if (transform_isQuantile(t)) { transformNode = head = new QuantileTransformNode(head, t); derivedType = 'derived'; } else if (isRegression(t)) { transformNode = head = new RegressionTransformNode(head, t); derivedType = 'derived'; } else if (isLoess(t)) { transformNode = head = new LoessTransformNode(head, t); derivedType = 'derived'; } else { log_warn(invalidTransformIgnored(t)); continue; } if (transformNode && derivedType !== undefined) { for (const field of transformNode.producedFields() ?? []) { ancestorParse.set(field, derivedType, false); } } } return head; } /* Description of the dataflow (http://asciiflow.com/): +--------+ | Source | +---+----+ | v FormatParse (explicit) | v Transforms (Filter, Calculate, Binning, TimeUnit, Aggregate, Window, ...) | v FormatParse (implicit) | v Binning (in `encoding`) | v Timeunit (in `encoding`) | v Formula From Sort Array | v +--+--+ | Raw | +-----+ | v Aggregate (in `encoding`) | v Stack (in `encoding`) | v Invalid Filter | v +----------+ | Main | +----------+ | v +-------+ | Facet |----> "column", "column-layout", and "row" +-------+ | v ...Child data... */ function parse_parseData(model) { let head = parseRoot(model, model.component.data.sources); const { outputNodes, outputNodeRefCounts } = model.component.data; const data = model.data; const newData = data && (isGenerator(data) || isUrlData(data) || isInlineData(data)); const ancestorParse = !newData && model.parent ? model.parent.component.data.ancestorParse.clone() : new AncestorParse(); if (isGenerator(data)) { // insert generator transform if (isSequenceGenerator(data)) { head = new SequenceNode(head, data.sequence); } else if (isGraticuleGenerator(data)) { head = new GraticuleNode(head, data.graticule); } // no parsing necessary for generator ancestorParse.parseNothing = true; } else if (data?.format?.parse === null) { // format.parse: null means disable parsing ancestorParse.parseNothing = true; } head = ParseNode.makeExplicit(head, model, ancestorParse) ?? head; // Default discrete selections require an identifer transform to // uniquely identify data points. Add this transform at the head of // the pipeline such that the identifier field is available for all // subsequent datasets. During optimization, we will remove this // transform if it proves to be unnecessary. Additional identifier // transforms will be necessary when new tuples are constructed // (e.g., post-aggregation). head = new IdentifierNode(head); // HACK: This is equivalent for merging bin extent for union scale. // FIXME(https://github.com/vega/vega-lite/issues/2270): Correctly merge extent / bin node for shared bin scale const parentIsLayer = model.parent && isLayerModel(model.parent); if (isUnitModel(model) || isFacetModel(model)) { if (parentIsLayer) { head = BinNode.makeFromEncoding(head, model) ?? head; } } if (model.transforms.length > 0) { head = parseTransformArray(head, model, ancestorParse); } // create parse nodes for fields that need to be parsed (or flattened) implicitly const implicitSelection = getImplicitFromSelection(model); const implicitEncoding = getImplicitFromEncoding(model); head = ParseNode.makeWithAncestors(head, {}, { ...implicitSelection, ...implicitEncoding }, ancestorParse) ?? head; if (isUnitModel(model)) { head = GeoJSONNode.parseAll(head, model); head = GeoPointNode.parseAll(head, model); } if (isUnitModel(model) || isFacetModel(model)) { if (!parentIsLayer) { head = BinNode.makeFromEncoding(head, model) ?? head; } head = TimeUnitNode.makeFromEncoding(head, model) ?? head; head = CalculateNode.parseAllForSortIndex(head, model); } // add an output node pre aggregation const rawName = model.getDataName(DataSourceType.Raw); const raw = new OutputNode(head, rawName, DataSourceType.Raw, outputNodeRefCounts); outputNodes[rawName] = raw; head = raw; if (isUnitModel(model)) { const agg = AggregateNode.makeFromEncoding(head, model); if (agg) { head = agg; if (requiresSelectionId(model)) { head = new IdentifierNode(head); } } head = ImputeNode.makeFromEncoding(head, model) ?? head; head = StackNode.makeFromEncoding(head, model) ?? head; } if (isUnitModel(model)) { head = FilterInvalidNode.make(head, model) ?? head; } // output node for marks const mainName = model.getDataName(DataSourceType.Main); const main = new OutputNode(head, mainName, DataSourceType.Main, outputNodeRefCounts); outputNodes[mainName] = main; head = main; if (isUnitModel(model)) { materializeSelections(model, main); } // add facet marker let facetRoot = null; if (isFacetModel(model)) { const facetName = model.getName('facet'); // Derive new aggregate for facet's sort field // augment data source with new fields for crossed facet head = makeJoinAggregateFromFacet(head, model.facet) ?? head; facetRoot = new FacetNode(head, model, facetName, main.getSource()); outputNodes[facetName] = facetRoot; } return { ...model.component.data, outputNodes, outputNodeRefCounts, raw, main, facetRoot, ancestorParse }; } //# sourceMappingURL=parse.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/concat.js class ConcatModel extends Model { constructor(spec, parent, parentGivenName, config) { super(spec, 'concat', parent, parentGivenName, config, spec.resolve); if (spec.resolve?.axis?.x === 'shared' || spec.resolve?.axis?.y === 'shared') { log_warn(CONCAT_CANNOT_SHARE_AXIS); } this.children = this.getChildren(spec).map((child, i) => { return buildModel(child, this, this.getName(`concat_${i}`), undefined, config); }); } parseData() { this.component.data = parse_parseData(this); for (const child of this.children) { child.parseData(); } } parseSelections() { // Merge selections up the hierarchy so that they may be referenced // across unit specs. Persist their definitions within each child // to assemble signals which remain within output Vega unit groups. this.component.selection = {}; for (const child of this.children) { child.parseSelections(); for (const key of util_keys(child.component.selection)) { this.component.selection[key] = child.component.selection[key]; } } } parseMarkGroup() { for (const child of this.children) { child.parseMarkGroup(); } } parseAxesAndHeaders() { for (const child of this.children) { child.parseAxesAndHeaders(); } // TODO(#2415): support shared axes } getChildren(spec) { if (isVConcatSpec(spec)) { return spec.vconcat; } else if (isHConcatSpec(spec)) { return spec.hconcat; } return spec.concat; } parseLayoutSize() { parseConcatLayoutSize(this); } parseAxisGroup() { return null; } assembleSelectionTopLevelSignals(signals) { return this.children.reduce((sg, child) => child.assembleSelectionTopLevelSignals(sg), signals); } assembleSignals() { this.children.forEach(child => child.assembleSignals()); return []; } assembleLayoutSignals() { const layoutSignals = assembleLayoutSignals(this); for (const child of this.children) { layoutSignals.push(...child.assembleLayoutSignals()); } return layoutSignals; } assembleSelectionData(data) { return this.children.reduce((db, child) => child.assembleSelectionData(db), data); } assembleMarks() { // only children have marks return this.children.map(child => { const title = child.assembleTitle(); const style = child.assembleGroupStyle(); const encodeEntry = child.assembleGroupEncodeEntry(false); return { type: 'group', name: child.getName('group'), ...(title ? { title } : {}), ...(style ? { style } : {}), ...(encodeEntry ? { encode: { update: encodeEntry } } : {}), ...child.assembleGroup() }; }); } assembleGroupStyle() { return undefined; } assembleDefaultLayout() { const columns = this.layout.columns; return { ...(columns != null ? { columns } : {}), bounds: 'full', // Use align each so it can work with multiple plots with different size align: 'each' }; } } //# sourceMappingURL=concat.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/axis/component.js function isFalseOrNull(v) { return v === false || v === null; } const AXIS_COMPONENT_PROPERTIES_INDEX = { disable: 1, gridScale: 1, scale: 1, ...COMMON_AXIS_PROPERTIES_INDEX, labelExpr: 1, encode: 1 }; const AXIS_COMPONENT_PROPERTIES = util_keys(AXIS_COMPONENT_PROPERTIES_INDEX); class AxisComponent extends Split { constructor(explicit = {}, implicit = {}, mainExtracted = false) { super(); this.explicit = explicit; this.implicit = implicit; this.mainExtracted = mainExtracted; } clone() { return new AxisComponent(duplicate(this.explicit), duplicate(this.implicit), this.mainExtracted); } hasAxisPart(part) { // FIXME(https://github.com/vega/vega-lite/issues/2552) this method can be wrong if users use a Vega theme. if (part === 'axis') { // always has the axis container part return true; } if (part === 'grid' || part === 'title') { return !!this.get(part); } // Other parts are enabled by default, so they should not be false or null. return !isFalseOrNull(this.get(part)); } hasOrientSignalRef() { return isSignalRef(this.explicit.orient); } } //# sourceMappingURL=component.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/axis/encode.js function encode_labels(model, channel, specifiedLabelsSpec) { const { encoding, config } = model; const fieldOrDatumDef = getFieldOrDatumDef(encoding[channel]) ?? getFieldOrDatumDef(encoding[getSecondaryRangeChannel(channel)]); const axis = model.axis(channel) || {}; const { format, formatType } = axis; if (isCustomFormatType(formatType)) { return { text: formatCustomType({ fieldOrDatumDef, field: 'datum.value', format, formatType, config }), ...specifiedLabelsSpec }; } else if (format === undefined && formatType === undefined && config.customFormatTypes) { if (channelDefType(fieldOrDatumDef) === 'quantitative') { if (isPositionFieldOrDatumDef(fieldOrDatumDef) && fieldOrDatumDef.stack === 'normalize' && config.normalizedNumberFormatType) { return { text: formatCustomType({ fieldOrDatumDef, field: 'datum.value', format: config.normalizedNumberFormat, formatType: config.normalizedNumberFormatType, config }), ...specifiedLabelsSpec }; } else if (config.numberFormatType) { return { text: formatCustomType({ fieldOrDatumDef, field: 'datum.value', format: config.numberFormat, formatType: config.numberFormatType, config }), ...specifiedLabelsSpec }; } } if (channelDefType(fieldOrDatumDef) === 'temporal' && config.timeFormatType && isFieldDef(fieldOrDatumDef) && !fieldOrDatumDef.timeUnit) { return { text: formatCustomType({ fieldOrDatumDef, field: 'datum.value', format: config.timeFormat, formatType: config.timeFormatType, config }), ...specifiedLabelsSpec }; } } return specifiedLabelsSpec; } //# sourceMappingURL=encode.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/axis/parse.js function parseUnitAxes(model) { return POSITION_SCALE_CHANNELS.reduce((axis, channel) => { if (model.component.scales[channel]) { axis[channel] = [parse_parseAxis(channel, model)]; } return axis; }, {}); } const OPPOSITE_ORIENT = { bottom: 'top', top: 'bottom', left: 'right', right: 'left' }; function parseLayerAxes(model) { const { axes, resolve } = model.component; const axisCount = { top: 0, bottom: 0, right: 0, left: 0 }; for (const child of model.children) { child.parseAxesAndHeaders(); for (const channel of util_keys(child.component.axes)) { resolve.axis[channel] = parseGuideResolve(model.component.resolve, channel); if (resolve.axis[channel] === 'shared') { // If the resolve says shared (and has not been overridden) // We will try to merge and see if there is a conflict axes[channel] = mergeAxisComponents(axes[channel], child.component.axes[channel]); if (!axes[channel]) { // If merge returns nothing, there is a conflict so we cannot make the axis shared. // Thus, mark axis as independent and remove the axis component. resolve.axis[channel] = 'independent'; delete axes[channel]; } } } } // Move axes to layer's axis component and merge shared axes for (const channel of POSITION_SCALE_CHANNELS) { for (const child of model.children) { if (!child.component.axes[channel]) { // skip if the child does not have a particular axis continue; } if (resolve.axis[channel] === 'independent') { // If axes are independent, concat the axisComponent array. axes[channel] = (axes[channel] ?? []).concat(child.component.axes[channel]); // Automatically adjust orient for (const axisComponent of child.component.axes[channel]) { const { value: orient, explicit } = axisComponent.getWithExplicit('orient'); if (isSignalRef(orient)) { continue; } if (axisCount[orient] > 0 && !explicit) { // Change axis orient if the number do not match const oppositeOrient = OPPOSITE_ORIENT[orient]; if (axisCount[orient] > axisCount[oppositeOrient]) { axisComponent.set('orient', oppositeOrient, false); } } axisCount[orient]++; // TODO(https://github.com/vega/vega-lite/issues/2634): automatically add extra offset? } } // After merging, make sure to remove axes from child delete child.component.axes[channel]; } // Show gridlines for first axis only for dual-axis chart if (resolve.axis[channel] === 'independent' && axes[channel] && axes[channel].length > 1) { for (const [index, axisCmpt] of (axes[channel] || []).entries()) { if (index > 0 && !!axisCmpt.get('grid') && !axisCmpt.explicit.grid) { axisCmpt.implicit.grid = false; } } } } } function mergeAxisComponents(mergedAxisCmpts, childAxisCmpts) { if (mergedAxisCmpts) { // FIXME: this is a bit wrong once we support multiple axes if (mergedAxisCmpts.length !== childAxisCmpts.length) { return undefined; // Cannot merge axis component with different number of axes. } const length = mergedAxisCmpts.length; for (let i = 0; i < length; i++) { const merged = mergedAxisCmpts[i]; const child = childAxisCmpts[i]; if (!!merged !== !!child) { return undefined; } else if (merged && child) { const mergedOrient = merged.getWithExplicit('orient'); const childOrient = child.getWithExplicit('orient'); if (mergedOrient.explicit && childOrient.explicit && mergedOrient.value !== childOrient.value) { // TODO: throw warning if resolve is explicit (We don't have info about explicit/implicit resolve yet.) // Cannot merge due to inconsistent orient return undefined; } else { mergedAxisCmpts[i] = mergeAxisComponent(merged, child); } } } } else { // For first one, return a copy of the child return childAxisCmpts.map(axisComponent => axisComponent.clone()); } return mergedAxisCmpts; } function mergeAxisComponent(merged, child) { for (const prop of AXIS_COMPONENT_PROPERTIES) { const mergedValueWithExplicit = mergeValuesWithExplicit(merged.getWithExplicit(prop), child.getWithExplicit(prop), prop, 'axis', // Tie breaker function (v1, v2) => { switch (prop) { case 'title': return mergeTitleComponent(v1, v2); case 'gridScale': return { explicit: v1.explicit, value: getFirstDefined(v1.value, v2.value) }; } return defaultTieBreaker(v1, v2, prop, 'axis'); }); merged.setWithExplicit(prop, mergedValueWithExplicit); } return merged; } function parse_isExplicit(value, property, axis, model, channel) { if (property === 'disable') { return axis !== undefined; // if axis is specified or null/false, then its enable/disable state is explicit } axis = axis || {}; switch (property) { case 'titleAngle': case 'labelAngle': return value === (isSignalRef(axis.labelAngle) ? axis.labelAngle : normalizeAngle(axis.labelAngle)); case 'values': return !!axis.values; // specified axis.values is already respected, but may get transformed. case 'encode': // both VL axis.encoding and axis.labelAngle affect VG axis.encode return !!axis.encoding || !!axis.labelAngle; case 'title': // title can be explicit if fieldDef.title is set if (value === getFieldDefTitle(model, channel)) { return true; } } // Otherwise, things are explicit if the returned value matches the specified property return value === axis[property]; } /** * Properties to always include values from config */ const propsToAlwaysIncludeConfig = new Set([ 'grid', 'translate', // the rest are not axis configs in Vega, but are in VL, so we need to set too. 'format', 'formatType', 'orient', 'labelExpr', 'tickCount', 'position', 'tickMinStep' ]); function parse_parseAxis(channel, model) { let axis = model.axis(channel); const axisComponent = new AxisComponent(); const fieldOrDatumDef = getFieldOrDatumDef(model.encoding[channel]); const { mark, config } = model; const orient = axis?.orient || config[channel === 'x' ? 'axisX' : 'axisY']?.orient || config.axis?.orient || defaultOrient(channel); const scaleType = model.getScaleComponent(channel).get('type'); const axisConfigs = getAxisConfigs(channel, scaleType, orient, model.config); const disable = axis !== undefined ? !axis : getAxisConfig('disable', config.style, axis?.style, axisConfigs).configValue; axisComponent.set('disable', disable, axis !== undefined); if (disable) { return axisComponent; } axis = axis || {}; const labelAngle = getLabelAngle(fieldOrDatumDef, axis, channel, config.style, axisConfigs); const formatType = guideFormatType(axis.formatType, fieldOrDatumDef, scaleType); const format = guideFormat(fieldOrDatumDef, fieldOrDatumDef.type, axis.format, axis.formatType, config, true); const ruleParams = { fieldOrDatumDef, axis, channel, model, scaleType, orient, labelAngle, format, formatType, mark, config }; // 1.2. Add properties for (const property of AXIS_COMPONENT_PROPERTIES) { const value = property in axisRules ? axisRules[property](ruleParams) : isAxisProperty(property) ? axis[property] : undefined; const hasValue = value !== undefined; const explicit = parse_isExplicit(value, property, axis, model, channel); if (hasValue && explicit) { axisComponent.set(property, value, explicit); } else { const { configValue = undefined, configFrom = undefined } = isAxisProperty(property) && property !== 'values' ? getAxisConfig(property, config.style, axis.style, axisConfigs) : {}; const hasConfigValue = configValue !== undefined; if (hasValue && !hasConfigValue) { // only set property if it is explicitly set or has no config value (otherwise we will accidentally override config) axisComponent.set(property, value, explicit); } else if ( // Cases need implicit values // 1. Axis config that aren't available in Vega !(configFrom === 'vgAxisConfig') || // 2. Certain properties are always included (see `propsToAlwaysIncludeConfig`'s declaration for more details) (propsToAlwaysIncludeConfig.has(property) && hasConfigValue) || // 3. Conditional axis values and signals isConditionalAxisValue(configValue) || isSignalRef(configValue)) { // If a config is specified and is conditional, copy conditional value from axis config axisComponent.set(property, configValue, false); } } } // 2) Add guide encode definition groups const axisEncoding = axis.encoding ?? {}; const axisEncode = AXIS_PARTS.reduce((e, part) => { if (!axisComponent.hasAxisPart(part)) { // No need to create encode for a disabled part. return e; } const axisEncodingPart = guideEncodeEntry(axisEncoding[part] ?? {}, model); const value = part === 'labels' ? encode_labels(model, channel, axisEncodingPart) : axisEncodingPart; if (value !== undefined && !isEmpty(value)) { e[part] = { update: value }; } return e; }, {}); // FIXME: By having encode as one property, we won't have fine grained encode merging. if (!isEmpty(axisEncode)) { axisComponent.set('encode', axisEncode, !!axis.encoding || axis.labelAngle !== undefined); } return axisComponent; } //# sourceMappingURL=parse.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/layoutsize/init.js function initLayoutSize({ encoding, size }) { for (const channel of POSITION_SCALE_CHANNELS) { const sizeType = getSizeChannel(channel); if (isStep(size[sizeType])) { if (isContinuousFieldOrDatumDef(encoding[channel])) { delete size[sizeType]; log_warn(stepDropped(sizeType)); } } } return size; } //# sourceMappingURL=init.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/mark/arc.js const arc_arc = { vgMark: 'arc', encodeEntry: (model) => { return { ...baseEncodeEntry(model, { align: 'ignore', baseline: 'ignore', color: 'include', size: 'ignore', orient: 'ignore', theta: 'ignore' }), ...pointPosition('x', model, { defaultPos: 'mid' }), ...pointPosition('y', model, { defaultPos: 'mid' }), // arcs are rectangles in polar coordinates ...rectPosition(model, 'radius'), ...rectPosition(model, 'theta') }; } }; //# sourceMappingURL=arc.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/mark/area.js const area_area = { vgMark: 'area', encodeEntry: (model) => { return { ...baseEncodeEntry(model, { align: 'ignore', baseline: 'ignore', color: 'include', orient: 'include', size: 'ignore', theta: 'ignore' }), ...pointOrRangePosition('x', model, { defaultPos: 'zeroOrMin', defaultPos2: 'zeroOrMin', range: model.markDef.orient === 'horizontal' }), ...pointOrRangePosition('y', model, { defaultPos: 'zeroOrMin', defaultPos2: 'zeroOrMin', range: model.markDef.orient === 'vertical' }), ...defined(model) }; } }; //# sourceMappingURL=area.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/mark/bar.js const bar = { vgMark: 'rect', encodeEntry: (model) => { return { ...baseEncodeEntry(model, { align: 'ignore', baseline: 'ignore', color: 'include', orient: 'ignore', size: 'ignore', theta: 'ignore' }), ...rectPosition(model, 'x'), ...rectPosition(model, 'y') }; } }; //# sourceMappingURL=bar.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/mark/geoshape.js const geoshape = { vgMark: 'shape', encodeEntry: (model) => { return { ...baseEncodeEntry(model, { align: 'ignore', baseline: 'ignore', color: 'include', size: 'ignore', orient: 'ignore', theta: 'ignore' }) }; }, postEncodingTransform: (model) => { const { encoding } = model; const shapeDef = encoding.shape; const transform = { type: 'geoshape', projection: model.projectionName(), // as: 'shape', ...(shapeDef && isFieldDef(shapeDef) && shapeDef.type === GEOJSON ? { field: vgField(shapeDef, { expr: 'datum' }) } : {}) }; return [transform]; } }; //# sourceMappingURL=geoshape.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/mark/image.js const image_image = { vgMark: 'image', encodeEntry: (model) => { return { ...baseEncodeEntry(model, { align: 'ignore', baseline: 'ignore', color: 'ignore', orient: 'ignore', size: 'ignore', theta: 'ignore' }), ...rectPosition(model, 'x'), ...rectPosition(model, 'y'), ...text_text(model, 'url') }; } }; //# sourceMappingURL=image.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/mark/line.js const line_line = { vgMark: 'line', encodeEntry: (model) => { return { ...baseEncodeEntry(model, { align: 'ignore', baseline: 'ignore', color: 'include', size: 'ignore', orient: 'ignore', theta: 'ignore' }), ...pointPosition('x', model, { defaultPos: 'mid' }), ...pointPosition('y', model, { defaultPos: 'mid' }), ...nonPosition('size', model, { vgChannel: 'strokeWidth' // VL's line size is strokeWidth }), ...defined(model) }; } }; const line_trail = { vgMark: 'trail', encodeEntry: (model) => { return { ...baseEncodeEntry(model, { align: 'ignore', baseline: 'ignore', color: 'include', size: 'include', orient: 'ignore', theta: 'ignore' }), ...pointPosition('x', model, { defaultPos: 'mid' }), ...pointPosition('y', model, { defaultPos: 'mid' }), ...nonPosition('size', model), ...defined(model) }; } }; //# sourceMappingURL=line.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/mark/point.js function encodeEntry(model, fixedShape) { const { config } = model; return { ...baseEncodeEntry(model, { align: 'ignore', baseline: 'ignore', color: 'include', size: 'include', orient: 'ignore', theta: 'ignore' }), ...pointPosition('x', model, { defaultPos: 'mid' }), ...pointPosition('y', model, { defaultPos: 'mid' }), ...nonPosition('size', model), ...nonPosition('angle', model), ...shapeMixins(model, config, fixedShape) }; } function shapeMixins(model, config, fixedShape) { if (fixedShape) { return { shape: { value: fixedShape } }; } return nonPosition('shape', model); } const mark_point_point = { vgMark: 'symbol', encodeEntry: (model) => { return encodeEntry(model); } }; const point_circle = { vgMark: 'symbol', encodeEntry: (model) => { return encodeEntry(model, 'circle'); } }; const point_square = { vgMark: 'symbol', encodeEntry: (model) => { return encodeEntry(model, 'square'); } }; //# sourceMappingURL=point.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/mark/rect.js const rect_rect = { vgMark: 'rect', encodeEntry: (model) => { return { ...baseEncodeEntry(model, { align: 'ignore', baseline: 'ignore', color: 'include', orient: 'ignore', size: 'ignore', theta: 'ignore' }), ...rectPosition(model, 'x'), ...rectPosition(model, 'y') }; } }; //# sourceMappingURL=rect.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/mark/rule.js const rule_rule = { vgMark: 'rule', encodeEntry: (model) => { const { markDef } = model; const orient = markDef.orient; if (!model.encoding.x && !model.encoding.y && !model.encoding.latitude && !model.encoding.longitude) { // Show nothing if we have none of x, y, lat, and long. return {}; } return { ...baseEncodeEntry(model, { align: 'ignore', baseline: 'ignore', color: 'include', orient: 'ignore', size: 'ignore', theta: 'ignore' }), ...pointOrRangePosition('x', model, { defaultPos: orient === 'horizontal' ? 'zeroOrMax' : 'mid', defaultPos2: 'zeroOrMin', range: orient !== 'vertical' // include x2 for horizontal or line segment rule }), ...pointOrRangePosition('y', model, { defaultPos: orient === 'vertical' ? 'zeroOrMax' : 'mid', defaultPos2: 'zeroOrMin', range: orient !== 'horizontal' // include y2 for vertical or line segment rule }), ...nonPosition('size', model, { vgChannel: 'strokeWidth' // VL's rule size is strokeWidth }) }; } }; //# sourceMappingURL=rule.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/mark/text.js const mark_text_text = { vgMark: 'text', encodeEntry: (model) => { const { config, encoding } = model; return { ...baseEncodeEntry(model, { align: 'include', baseline: 'include', color: 'include', size: 'ignore', orient: 'ignore', theta: 'include' }), ...pointPosition('x', model, { defaultPos: 'mid' }), ...pointPosition('y', model, { defaultPos: 'mid' }), ...text_text(model), ...nonPosition('size', model, { vgChannel: 'fontSize' // VL's text size is fontSize }), ...nonPosition('angle', model), ...valueIfDefined('align', align(model.markDef, encoding, config)), ...valueIfDefined('baseline', text_baseline(model.markDef, encoding, config)), ...pointPosition('radius', model, { defaultPos: null }), ...pointPosition('theta', model, { defaultPos: null }) }; } }; function align(markDef, encoding, config) { const a = getMarkPropOrConfig('align', markDef, config); if (a === undefined) { return 'center'; } // If there is a config, Vega-parser will process this already. return undefined; } function text_baseline(markDef, encoding, config) { const b = getMarkPropOrConfig('baseline', markDef, config); if (b === undefined) { return 'middle'; } // If there is a config, Vega-parser will process this already. return undefined; } //# sourceMappingURL=text.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/mark/tick.js const tick = { vgMark: 'rect', encodeEntry: (model) => { const { config, markDef } = model; const orient = markDef.orient; const vgSizeChannel = orient === 'horizontal' ? 'width' : 'height'; const vgThicknessChannel = orient === 'horizontal' ? 'height' : 'width'; return { ...baseEncodeEntry(model, { align: 'ignore', baseline: 'ignore', color: 'include', orient: 'ignore', size: 'ignore', theta: 'ignore' }), ...pointPosition('x', model, { defaultPos: 'mid', vgChannel: 'xc' }), ...pointPosition('y', model, { defaultPos: 'mid', vgChannel: 'yc' }), // size / thickness => width / height ...nonPosition('size', model, { defaultValue: defaultSize(model), vgChannel: vgSizeChannel }), [vgThicknessChannel]: signalOrValueRef(getMarkPropOrConfig('thickness', markDef, config)) }; } }; function defaultSize(model) { const { config, markDef } = model; const { orient } = markDef; const vgSizeChannel = orient === 'horizontal' ? 'width' : 'height'; const scale = model.getScaleComponent(orient === 'horizontal' ? 'x' : 'y'); const markPropOrConfig = getMarkPropOrConfig('size', markDef, config, { vgChannel: vgSizeChannel }) ?? config.tick.bandSize; if (markPropOrConfig !== undefined) { return markPropOrConfig; } else { const scaleRange = scale ? scale.get('range') : undefined; if (scaleRange && isVgRangeStep(scaleRange) && isNumber(scaleRange.step)) { return (scaleRange.step * 3) / 4; } const defaultViewStep = getViewConfigDiscreteStep(config.view, vgSizeChannel); return (defaultViewStep * 3) / 4; } } //# sourceMappingURL=tick.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/mark/mark.js const markCompiler = { arc: arc_arc, area: area_area, bar: bar, circle: point_circle, geoshape: geoshape, image: image_image, line: line_line, point: mark_point_point, rect: rect_rect, rule: rule_rule, square: point_square, text: mark_text_text, tick: tick, trail: line_trail }; function parseMarkGroups(model) { if (util_contains([LINE, AREA, TRAIL], model.mark)) { const details = pathGroupingFields(model.mark, model.encoding); if (details.length > 0) { return getPathGroups(model, details); } // otherwise use standard mark groups } else if (model.mark === BAR) { const hasCornerRadius = VG_CORNERRADIUS_CHANNELS.some(prop => getMarkPropOrConfig(prop, model.markDef, model.config)); if (model.stack && !model.fieldDef('size') && hasCornerRadius) { return getGroupsForStackedBarWithCornerRadius(model); } } return getMarkGroup(model); } const FACETED_PATH_PREFIX = 'faceted_path_'; function getPathGroups(model, details) { // TODO: for non-stacked plot, map order to zindex. (Maybe rename order for layer to zindex?) return [ { name: model.getName('pathgroup'), type: 'group', from: { facet: { name: FACETED_PATH_PREFIX + model.requestDataName(DataSourceType.Main), data: model.requestDataName(DataSourceType.Main), groupby: details } }, encode: { update: { width: { field: { group: 'width' } }, height: { field: { group: 'height' } } } }, // With subfacet for line/area group, need to use faceted data from above. marks: getMarkGroup(model, { fromPrefix: FACETED_PATH_PREFIX }) } ]; } const STACK_GROUP_PREFIX = 'stack_group_'; /** * We need to put stacked bars into groups in order to enable cornerRadius for stacks. * If stack is used and the model doesn't have size encoding, we put the mark into groups, * and apply cornerRadius properties at the group. */ function getGroupsForStackedBarWithCornerRadius(model) { // Generate the mark const [mark] = getMarkGroup(model, { fromPrefix: STACK_GROUP_PREFIX }); // Get the scale for the stacked field const fieldScale = model.scaleName(model.stack.fieldChannel); const stackField = (opt = {}) => model.vgField(model.stack.fieldChannel, opt); // Find the min/max of the pixel value on the stacked direction const stackFieldGroup = (func, expr) => { const vgFieldMinMax = [ stackField({ prefix: 'min', suffix: 'start', expr }), stackField({ prefix: 'max', suffix: 'start', expr }), stackField({ prefix: 'min', suffix: 'end', expr }), stackField({ prefix: 'max', suffix: 'end', expr }) ]; return `${func}(${vgFieldMinMax.map(field => `scale('${fieldScale}',${field})`).join(',')})`; }; let groupUpdate; let innerGroupUpdate; // Build the encoding for group and an inner group if (model.stack.fieldChannel === 'x') { // Move cornerRadius, y/yc/y2/height properties to group // Group x/x2 should be the min/max of the marks within groupUpdate = { ...util_pick(mark.encode.update, ['y', 'yc', 'y2', 'height', ...VG_CORNERRADIUS_CHANNELS]), x: { signal: stackFieldGroup('min', 'datum') }, x2: { signal: stackFieldGroup('max', 'datum') }, clip: { value: true } }; // Inner group should revert the x translation, and pass height through innerGroupUpdate = { x: { field: { group: 'x' }, mult: -1 }, height: { field: { group: 'height' } } }; // The marks should use the same height as group, without y/yc/y2 properties (because it's already done by group) // This is why size encoding is not supported yet mark.encode.update = { ...omit(mark.encode.update, ['y', 'yc', 'y2']), height: { field: { group: 'height' } } }; } else { groupUpdate = { ...util_pick(mark.encode.update, ['x', 'xc', 'x2', 'width']), y: { signal: stackFieldGroup('min', 'datum') }, y2: { signal: stackFieldGroup('max', 'datum') }, clip: { value: true } }; innerGroupUpdate = { y: { field: { group: 'y' }, mult: -1 }, width: { field: { group: 'width' } } }; mark.encode.update = { ...omit(mark.encode.update, ['x', 'xc', 'x2']), width: { field: { group: 'width' } } }; } // Deal with cornerRadius properties for (const key of VG_CORNERRADIUS_CHANNELS) { const configValue = getMarkConfig(key, model.markDef, model.config); // Move from mark to group if (mark.encode.update[key]) { groupUpdate[key] = mark.encode.update[key]; delete mark.encode.update[key]; } else if (configValue) { groupUpdate[key] = signalOrValueRef(configValue); } // Overwrite any cornerRadius on mark set by config --- they are already moved to the group if (configValue) { mark.encode.update[key] = { value: 0 }; } } const groupby = []; if (model.stack.groupbyChannels?.length > 0) { for (const groupbyChannel of model.stack.groupbyChannels) { // For bin and time unit, we have to add bin/timeunit -end channels. const groupByField = model.fieldDef(groupbyChannel); const field = vgField(groupByField); if (field) { groupby.push(field); } if (groupByField?.bin || groupByField?.timeUnit) { groupby.push(vgField(groupByField, { binSuffix: 'end' })); } } } const strokeProperties = [ 'stroke', 'strokeWidth', 'strokeJoin', 'strokeCap', 'strokeDash', 'strokeDashOffset', 'strokeMiterLimit', 'strokeOpacity' ]; // Generate stroke properties for the group groupUpdate = strokeProperties.reduce((encode, prop) => { if (mark.encode.update[prop]) { return { ...encode, [prop]: mark.encode.update[prop] }; } else { const configValue = getMarkConfig(prop, model.markDef, model.config); if (configValue !== undefined) { return { ...encode, [prop]: signalOrValueRef(configValue) }; } else { return encode; } } }, groupUpdate); // Apply strokeForeground and strokeOffset if stroke is used if (groupUpdate.stroke) { groupUpdate.strokeForeground = { value: true }; groupUpdate.strokeOffset = { value: 0 }; } return [ { type: 'group', from: { facet: { data: model.requestDataName(DataSourceType.Main), name: STACK_GROUP_PREFIX + model.requestDataName(DataSourceType.Main), groupby, aggregate: { fields: [ stackField({ suffix: 'start' }), stackField({ suffix: 'start' }), stackField({ suffix: 'end' }), stackField({ suffix: 'end' }) ], ops: ['min', 'max', 'min', 'max'] } } }, encode: { update: groupUpdate }, marks: [ { type: 'group', encode: { update: innerGroupUpdate }, marks: [mark] } ] } ]; } function mark_getSort(model) { const { encoding, stack, mark, markDef, config } = model; const order = encoding.order; if ((!isArray(order) && isValueDef(order) && isNullOrFalse(order.value)) || (!order && isNullOrFalse(getMarkPropOrConfig('order', markDef, config)))) { return undefined; } else if ((isArray(order) || isFieldDef(order)) && !stack) { // Sort by the order field if it is specified and the field is not stacked. (For stacked field, order specify stack order.) return sortParams(order, { expr: 'datum' }); } else if (isPathMark(mark)) { // For both line and area, we sort values based on dimension by default const dimensionChannel = markDef.orient === 'horizontal' ? 'y' : 'x'; const dimensionChannelDef = encoding[dimensionChannel]; if (isFieldDef(dimensionChannelDef)) { const s = dimensionChannelDef.sort; if (isArray(s)) { return { field: vgField(dimensionChannelDef, { prefix: dimensionChannel, suffix: 'sort_index', expr: 'datum' }) }; } else if (isSortField(s)) { return { field: vgField({ // FIXME: this op might not already exist? // FIXME: what if dimensionChannel (x or y) contains custom domain? aggregate: isAggregate(model.encoding) ? s.op : undefined, field: s.field }, { expr: 'datum' }) }; } else if (isSortByEncoding(s)) { const fieldDefToSort = model.fieldDef(s.encoding); return { field: vgField(fieldDefToSort, { expr: 'datum' }), order: s.order }; } else if (s === null) { return undefined; } else { return { field: vgField(dimensionChannelDef, { // For stack with imputation, we only have bin_mid binSuffix: model.stack?.impute ? 'mid' : undefined, expr: 'datum' }) }; } } return undefined; } return undefined; } function getMarkGroup(model, opt = { fromPrefix: '' }) { const { mark, markDef, encoding, config } = model; const clip = getFirstDefined(markDef.clip, scaleClip(model), projectionClip(model)); const style = getStyles(markDef); const key = encoding.key; const sort = mark_getSort(model); const interactive = interactiveFlag(model); const aria = getMarkPropOrConfig('aria', markDef, config); const postEncodingTransform = markCompiler[mark].postEncodingTransform ? markCompiler[mark].postEncodingTransform(model) : null; return [ { name: model.getName('marks'), type: markCompiler[mark].vgMark, ...(clip ? { clip: true } : {}), ...(style ? { style } : {}), ...(key ? { key: key.field } : {}), ...(sort ? { sort } : {}), ...(interactive ? interactive : {}), ...(aria === false ? { aria } : {}), from: { data: opt.fromPrefix + model.requestDataName(DataSourceType.Main) }, encode: { update: markCompiler[mark].encodeEntry(model) }, ...(postEncodingTransform ? { transform: postEncodingTransform } : {}) } ]; } /** * If scales are bound to interval selections, we want to automatically clip * marks to account for panning/zooming interactions. We identify bound scales * by the selectionExtent property, which gets added during scale parsing. */ function scaleClip(model) { const xScale = model.getScaleComponent('x'); const yScale = model.getScaleComponent('y'); return xScale?.get('selectionExtent') || yScale?.get('selectionExtent') ? true : undefined; } /** * If we use a custom projection with auto-fitting to the geodata extent, * we need to clip to ensure the chart size doesn't explode. */ function projectionClip(model) { const projection = model.component.projection; return projection && !projection.isFit ? true : undefined; } /** * Only output interactive flags if we have selections defined somewhere in our model hierarchy. */ function interactiveFlag(model) { if (!model.component.selection) return null; const unitCount = util_keys(model.component.selection).length; let parentCount = unitCount; let parent = model.parent; while (parent && parentCount === 0) { parentCount = util_keys(parent.component.selection).length; parent = parent.parent; } return parentCount ? { interactive: unitCount > 0 || model.mark === 'geoshape' || !!model.encoding.tooltip } : null; } //# sourceMappingURL=mark.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/unit.js /** * Internal model of Vega-Lite specification for the compiler. */ class UnitModel extends ModelWithField { constructor(spec, parent, parentGivenName, parentGivenSize = {}, config) { super(spec, 'unit', parent, parentGivenName, config, undefined, isFrameMixins(spec) ? spec.view : undefined); this.specifiedScales = {}; this.specifiedAxes = {}; this.specifiedLegends = {}; this.specifiedProjection = {}; this.selection = []; this.children = []; const markDef = isMarkDef(spec.mark) ? { ...spec.mark } : { type: spec.mark }; const mark = markDef.type; // Need to init filled before other mark properties because encoding depends on filled but other mark properties depend on types inside encoding if (markDef.filled === undefined) { markDef.filled = defaultFilled(markDef, config, { graticule: spec.data && isGraticuleGenerator(spec.data) }); } const encoding = (this.encoding = initEncoding(spec.encoding || {}, mark, markDef.filled, config)); this.markDef = initMarkdef(markDef, encoding, config); this.size = initLayoutSize({ encoding, size: isFrameMixins(spec) ? { ...parentGivenSize, ...(spec.width ? { width: spec.width } : {}), ...(spec.height ? { height: spec.height } : {}) } : parentGivenSize }); // calculate stack properties this.stack = stack(this.markDef, encoding); this.specifiedScales = this.initScales(mark, encoding); this.specifiedAxes = this.initAxes(encoding); this.specifiedLegends = this.initLegends(encoding); this.specifiedProjection = spec.projection; // Selections will be initialized upon parse. this.selection = (spec.params ?? []).filter(p => isSelectionParameter(p)); } get hasProjection() { const { encoding } = this; const isGeoShapeMark = this.mark === GEOSHAPE; const hasGeoPosition = encoding && GEOPOSITION_CHANNELS.some(channel => isFieldOrDatumDef(encoding[channel])); return isGeoShapeMark || hasGeoPosition; } /** * Return specified Vega-Lite scale domain for a particular channel * @param channel */ scaleDomain(channel) { const scale = this.specifiedScales[channel]; return scale ? scale.domain : undefined; } axis(channel) { return this.specifiedAxes[channel]; } legend(channel) { return this.specifiedLegends[channel]; } initScales(mark, encoding) { return SCALE_CHANNELS.reduce((scales, channel) => { const fieldOrDatumDef = getFieldOrDatumDef(encoding[channel]); if (fieldOrDatumDef) { scales[channel] = this.initScale(fieldOrDatumDef.scale ?? {}); } return scales; }, {}); } initScale(scale) { const { domain, range } = scale; // TODO: we could simplify this function if we had a recursive replace function const scaleInternal = replaceExprRef(scale); if (isArray(domain)) { scaleInternal.domain = domain.map(signalRefOrValue); } if (isArray(range)) { scaleInternal.range = range.map(signalRefOrValue); } return scaleInternal; } initAxes(encoding) { return POSITION_SCALE_CHANNELS.reduce((_axis, channel) => { // Position Axis // TODO: handle ConditionFieldDef const channelDef = encoding[channel]; if (isFieldOrDatumDef(channelDef) || (channel === channel_X && isFieldOrDatumDef(encoding.x2)) || (channel === channel_Y && isFieldOrDatumDef(encoding.y2))) { const axisSpec = isFieldOrDatumDef(channelDef) ? channelDef.axis : undefined; _axis[channel] = axisSpec ? this.initAxis({ ...axisSpec }) // convert truthy value to object : axisSpec; } return _axis; }, {}); } initAxis(axis) { const props = util_keys(axis); const axisInternal = {}; for (const prop of props) { const val = axis[prop]; axisInternal[prop] = isConditionalAxisValue(val) ? signalOrValueRefWithCondition(val) : signalRefOrValue(val); } return axisInternal; } initLegends(encoding) { return NONPOSITION_SCALE_CHANNELS.reduce((_legend, channel) => { const fieldOrDatumDef = getFieldOrDatumDef(encoding[channel]); if (fieldOrDatumDef && supportLegend(channel)) { const legend = fieldOrDatumDef.legend; _legend[channel] = legend ? replaceExprRef(legend) // convert truthy value to object : legend; } return _legend; }, {}); } parseData() { this.component.data = parse_parseData(this); } parseLayoutSize() { parseUnitLayoutSize(this); } parseSelections() { this.component.selection = parseUnitSelection(this, this.selection); } parseMarkGroup() { this.component.mark = parseMarkGroups(this); } parseAxesAndHeaders() { this.component.axes = parseUnitAxes(this); } assembleSelectionTopLevelSignals(signals) { return assembleTopLevelSignals(this, signals); } assembleSignals() { return [...assembleAxisSignals(this), ...assembleUnitSelectionSignals(this, [])]; } assembleSelectionData(data) { return assembleUnitSelectionData(this, data); } assembleLayout() { return null; } assembleLayoutSignals() { return assembleLayoutSignals(this); } assembleMarks() { let marks = this.component.mark ?? []; // If this unit is part of a layer, selections should augment // all in concert rather than each unit individually. This // ensures correct interleaving of clipping and brushed marks. if (!this.parent || !isLayerModel(this.parent)) { marks = assembleUnitSelectionMarks(this, marks); } return marks.map(this.correctDataNames); } assembleGroupStyle() { const { style } = this.view || {}; if (style !== undefined) { return style; } if (this.encoding.x || this.encoding.y) { return 'cell'; } else { return 'view'; } } getMapping() { return this.encoding; } get mark() { return this.markDef.type; } channelHasField(channel) { return channelHasField(this.encoding, channel); } fieldDef(channel) { const channelDef = this.encoding[channel]; return getFieldDef(channelDef); } typedFieldDef(channel) { const fieldDef = this.fieldDef(channel); if (isTypedFieldDef(fieldDef)) { return fieldDef; } return null; } } //# sourceMappingURL=unit.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/layer.js class LayerModel extends Model { constructor(spec, parent, parentGivenName, parentGivenSize, config) { super(spec, 'layer', parent, parentGivenName, config, spec.resolve, spec.view); const layoutSize = { ...parentGivenSize, ...(spec.width ? { width: spec.width } : {}), ...(spec.height ? { height: spec.height } : {}) }; this.children = spec.layer.map((layer, i) => { if (isLayerSpec(layer)) { return new LayerModel(layer, this, this.getName(`layer_${i}`), layoutSize, config); } else if (isUnitSpec(layer)) { return new UnitModel(layer, this, this.getName(`layer_${i}`), layoutSize, config); } throw new Error(invalidSpec(layer)); }); } parseData() { this.component.data = parse_parseData(this); for (const child of this.children) { child.parseData(); } } parseLayoutSize() { parseLayerLayoutSize(this); } parseSelections() { // Merge selections up the hierarchy so that they may be referenced // across unit specs. Persist their definitions within each child // to assemble signals which remain within output Vega unit groups. this.component.selection = {}; for (const child of this.children) { child.parseSelections(); for (const key of util_keys(child.component.selection)) { this.component.selection[key] = child.component.selection[key]; } } } parseMarkGroup() { for (const child of this.children) { child.parseMarkGroup(); } } parseAxesAndHeaders() { parseLayerAxes(this); } assembleSelectionTopLevelSignals(signals) { return this.children.reduce((sg, child) => child.assembleSelectionTopLevelSignals(sg), signals); } // TODO: Support same named selections across children. assembleSignals() { return this.children.reduce((signals, child) => { return signals.concat(child.assembleSignals()); }, assembleAxisSignals(this)); } assembleLayoutSignals() { return this.children.reduce((signals, child) => { return signals.concat(child.assembleLayoutSignals()); }, assembleLayoutSignals(this)); } assembleSelectionData(data) { return this.children.reduce((db, child) => child.assembleSelectionData(db), data); } assembleGroupStyle() { const uniqueStyles = new Set(); for (const child of this.children) { for (const style of array(child.assembleGroupStyle())) { uniqueStyles.add(style); } } const styles = Array.from(uniqueStyles); return styles.length > 1 ? styles : styles.length === 1 ? styles[0] : undefined; } assembleTitle() { let title = super.assembleTitle(); if (title) { return title; } // If title does not provide layer, look into children for (const child of this.children) { title = child.assembleTitle(); if (title) { return title; } } return undefined; } assembleLayout() { return null; } assembleMarks() { return assembleLayerSelectionMarks(this, this.children.flatMap(child => { return child.assembleMarks(); })); } assembleLegends() { return this.children.reduce((legends, child) => { return legends.concat(child.assembleLegends()); }, assembleLegends(this)); } } //# sourceMappingURL=layer.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/buildmodel.js function buildModel(spec, parent, parentGivenName, unitSize, config) { if (isFacetSpec(spec)) { return new FacetModel(spec, parent, parentGivenName, config); } else if (isLayerSpec(spec)) { return new LayerModel(spec, parent, parentGivenName, unitSize, config); } else if (isUnitSpec(spec)) { return new UnitModel(spec, parent, parentGivenName, unitSize, config); } else if (isAnyConcatSpec(spec)) { return new ConcatModel(spec, parent, parentGivenName, config); } throw new Error(invalidSpec(spec)); } //# sourceMappingURL=buildmodel.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/compile/compile.js /** * Vega-Lite's main function, for compiling Vega-Lite spec into Vega spec. * * At a high-level, we make the following transformations in different phases: * * Input spec * | * | (Normalization) * v * Normalized Spec (Row/Column channels in single-view specs becomes faceted specs, composite marks becomes layered specs.) * | * | (Build Model) * v * A model tree of the spec * | * | (Parse) * v * A model tree with parsed components (intermediate structure of visualization primitives in a format that can be easily merged) * | * | (Optimize) * v * A model tree with parsed components with the data component optimized * | * | (Assemble) * v * Vega spec * * @param inputSpec The Vega-Lite specification. * @param opt Optional arguments passed to the Vega-Lite compiler. * @returns An object containing the compiled Vega spec and normalized Vega-Lite spec. */ function compile(inputSpec, opt = {}) { // 0. Augment opt with default opts if (opt.logger) { // set the singleton logger to the provided logger log_set(opt.logger); } if (opt.fieldTitle) { // set the singleton field title formatter setTitleFormatter(opt.fieldTitle); } try { // 1. Initialize config by deep merging default config with the config provided via option and the input spec. const config = initConfig(mergeConfig(opt.config, inputSpec.config)); // 2. Normalize: Convert input spec -> normalized spec // - Decompose all extended unit specs into composition of unit spec. For example, a box plot get expanded into multiple layers of bars, ticks, and rules. The shorthand row/column channel is also expanded to a facet spec. // - Normalize autosize and width or height spec const spec = normalize_normalize(inputSpec, config); // 3. Build Model: normalized spec -> Model (a tree structure) // This phases instantiates the models with default config by doing a top-down traversal. This allows us to pass properties that child models derive from their parents via their constructors. // See the abstract `Model` class and its children (UnitModel, LayerModel, FacetModel, ConcatModel) for different types of models. const model = buildModel(spec, null, '', undefined, config); // 4 Parse: Model --> Model with components // Note that components = intermediate representations that are equivalent to Vega specs. // We need these intermediate representation because we need to merge many visualization "components" like projections, scales, axes, and legends. // We will later convert these components into actual Vega specs in the assemble phase. // In this phase, we do a bottom-up traversal over the whole tree to // parse for each type of components once (e.g., data, layout, mark, scale). // By doing bottom-up traversal, we start parsing components of unit specs and // then merge child components of parent composite specs. // // Please see inside model.parse() for order of different components parsed. model.parse(); // drawDataflow(model.component.data.sources); // 5. Optimize the dataflow. This will modify the data component of the model. optimizeDataflow(model.component.data, model); // drawDataflow(model.component.data.sources); // 6. Assemble: convert model components --> Vega Spec. const vgSpec = assembleTopLevelModel(model, getTopLevelProperties(inputSpec, spec.autosize, config, model), inputSpec.datasets, inputSpec.usermeta); return { spec: vgSpec, normalized: spec }; } finally { // Reset the singleton logger if a logger is provided if (opt.logger) { log_reset(); } // Reset the singleton field title formatter if provided if (opt.fieldTitle) { resetTitleFormatter(); } } } function getTopLevelProperties(inputSpec, autosize, config, model) { const width = model.component.layoutSize.get('width'); const height = model.component.layoutSize.get('height'); if (autosize === undefined) { autosize = { type: 'pad' }; if (model.hasAxisOrientSignalRef()) { autosize.resize = true; } } else if (vega_util_module_isString(autosize)) { autosize = { type: autosize }; } if (width && height && isFitType(autosize.type)) { if (width === 'step' && height === 'step') { log_warn(droppingFit()); autosize.type = 'pad'; } else if (width === 'step' || height === 'step') { // effectively XOR, because else if // get step dimension const sizeType = width === 'step' ? 'width' : 'height'; // log that we're dropping fit for respective channel log_warn(droppingFit(getPositionScaleChannel(sizeType))); // setting type to inverse fit (so if we dropped fit-x, type is now fit-y) const inverseSizeType = sizeType === 'width' ? 'height' : 'width'; autosize.type = getFitType(inverseSizeType); } } return { ...(util_keys(autosize).length === 1 && autosize.type ? autosize.type === 'pad' ? {} : { autosize: autosize.type } : { autosize }), ...extractTopLevelProperties(config, false), ...extractTopLevelProperties(inputSpec, true) }; } /* * Assemble the top-level model to a Vega spec. * * Note: this couldn't be `model.assemble()` since the top-level model * needs some special treatment to generate top-level properties. */ function assembleTopLevelModel(model, topLevelProperties, datasets = {}, usermeta) { // Config with Vega-Lite only config removed. const vgConfig = model.config ? stripAndRedirectConfig(model.config) : undefined; const data = [].concat(model.assembleSelectionData([]), // only assemble data in the root assembleRootData(model.component.data, datasets)); const projections = model.assembleProjections(); const title = model.assembleTitle(); const style = model.assembleGroupStyle(); const encodeEntry = model.assembleGroupEncodeEntry(true); let layoutSignals = model.assembleLayoutSignals(); // move width and height signals with values to top level layoutSignals = layoutSignals.filter(signal => { if ((signal.name === 'width' || signal.name === 'height') && signal.value !== undefined) { topLevelProperties[signal.name] = +signal.value; return false; } return true; }); const { params, ...otherTopLevelProps } = topLevelProperties; return { $schema: 'https://vega.github.io/schema/vega/v5.json', ...(model.description ? { description: model.description } : {}), ...otherTopLevelProps, ...(title ? { title } : {}), ...(style ? { style } : {}), ...(encodeEntry ? { encode: { update: encodeEntry } } : {}), data, ...(projections.length > 0 ? { projections } : {}), ...model.assembleGroup([ ...layoutSignals, ...model.assembleSelectionTopLevelSignals([]), ...assembleParameterSignals(params) ]), ...(vgConfig ? { config: vgConfig } : {}), ...(usermeta ? { usermeta } : {}) }; } //# sourceMappingURL=compile.js.map ;// CONCATENATED MODULE: ../node_modules/vega-lite/build/src/index.js const src_version = package_namespaceObject.i8; //# sourceMappingURL=index.js.map ;// CONCATENATED MODULE: ../node_modules/vega-schema-url-parser/dist/parser.module.js function e(e){const[n,r]=/schema\/([\w-]+)\/([\w\.\-]+)\.json$/g.exec(e).slice(1,3);return{library:n,version:r}}/* harmony default export */ const parser_module = (e); //# sourceMappingURL=parser.module.js.map ;// CONCATENATED MODULE: ../node_modules/vega-themes/build/vega-themes.module.js var vega_themes_module_name = "vega-themes"; var version$1 = "2.14.0"; var vega_themes_module_description = "Themes for stylized Vega and Vega-Lite visualizations."; var vega_themes_module_keywords = ["vega", "vega-lite", "themes", "style"]; var license = "BSD-3-Clause"; var author = { name: "UW Interactive Data Lab", url: "https://idl.cs.washington.edu" }; var contributors = [{ name: "Emily Gu", url: "https://github.com/emilygu" }, { name: "Arvind Satyanarayan", url: "http://arvindsatya.com" }, { name: "Jeffrey Heer", url: "https://idl.cs.washington.edu" }, { name: "Dominik Moritz", url: "https://www.domoritz.de" }]; var vega_themes_module_main = "build/vega-themes.js"; var vega_themes_module_module = "build/vega-themes.module.js"; var unpkg = "build/vega-themes.min.js"; var jsdelivr = "build/vega-themes.min.js"; var types = "build/vega-themes.module.d.ts"; var repository = { type: "git", url: "https://github.com/vega/vega-themes.git" }; var files = ["src", "build"]; var scripts = { prebuild: "yarn clean", build: "rollup -c", clean: "rimraf build && rimraf examples/build", "copy:data": "rsync -r node_modules/vega-datasets/data/* examples/data", "copy:build": "rsync -r build/* examples/build", "deploy:gh": "yarn build && mkdir -p examples/build && rsync -r build/* examples/build && gh-pages -d examples", preversion: "yarn lint", serve: "browser-sync start -s -f build examples --serveStatic examples", start: "yarn build && concurrently --kill-others -n Server,Rollup 'yarn serve' 'rollup -c -w'", format: "eslint . --fix", lint: "eslint .", release: "release-it" }; var devDependencies = { "@babel/core": "^7.22.9", "@babel/plugin-proposal-async-generator-functions": "^7.20.7", "@babel/plugin-proposal-json-strings": "^7.18.6", "@babel/plugin-proposal-object-rest-spread": "^7.20.7", "@babel/plugin-proposal-optional-catch-binding": "^7.18.6", "@babel/plugin-transform-runtime": "^7.22.9", "@babel/preset-env": "^7.22.9", "@babel/preset-typescript": "^7.22.5", "@release-it/conventional-changelog": "^7.0.0", "@rollup/plugin-json": "^6.0.0", "@rollup/plugin-node-resolve": "^15.1.0", "@rollup/plugin-terser": "^0.4.3", "@typescript-eslint/eslint-plugin": "^6.0.0", "@typescript-eslint/parser": "^6.0.0", "browser-sync": "^2.29.3", concurrently: "^8.2.0", eslint: "^8.45.0", "eslint-config-prettier": "^8.8.0", "eslint-plugin-prettier": "^5.0.0", "gh-pages": "^5.0.0", prettier: "^3.0.0", "release-it": "^16.1.0", rollup: "^3.26.2", "rollup-plugin-bundle-size": "^1.0.3", "rollup-plugin-ts": "^3.2.0", typescript: "^5.1.6", vega: "^5.25.0", "vega-lite": "^5.9.3" }; var peerDependencies = { vega: "*", "vega-lite": "*" }; var dependencies = {}; var pkg = { name: vega_themes_module_name, version: version$1, description: vega_themes_module_description, keywords: vega_themes_module_keywords, license: license, author: author, contributors: contributors, main: vega_themes_module_main, module: vega_themes_module_module, unpkg: unpkg, jsdelivr: jsdelivr, types: types, repository: repository, files: files, scripts: scripts, devDependencies: devDependencies, peerDependencies: peerDependencies, dependencies: dependencies }; const lightColor = '#fff'; const medColor = '#888'; const darkTheme = { background: '#333', view: { stroke: medColor }, title: { color: lightColor, subtitleColor: lightColor }, style: { 'guide-label': { fill: lightColor }, 'guide-title': { fill: lightColor } }, axis: { domainColor: lightColor, gridColor: medColor, tickColor: lightColor } }; const markColor$7 = '#4572a7'; const excelTheme = { background: '#fff', arc: { fill: markColor$7 }, area: { fill: markColor$7 }, line: { stroke: markColor$7, strokeWidth: 2 }, path: { stroke: markColor$7 }, rect: { fill: markColor$7 }, shape: { stroke: markColor$7 }, symbol: { fill: markColor$7, strokeWidth: 1.5, size: 50 }, axis: { bandPosition: 0.5, grid: true, gridColor: '#000000', gridOpacity: 1, gridWidth: 0.5, labelPadding: 10, tickSize: 5, tickWidth: 0.5 }, axisBand: { grid: false, tickExtra: true }, legend: { labelBaseline: 'middle', labelFontSize: 11, symbolSize: 50, symbolType: 'square' }, range: { category: ['#4572a7', '#aa4643', '#8aa453', '#71598e', '#4598ae', '#d98445', '#94aace', '#d09393', '#b9cc98', '#a99cbc'] } }; const markColor$6 = '#30a2da'; const axisColor$2 = '#cbcbcb'; const guideLabelColor = '#999'; const guideTitleColor = '#333'; const backgroundColor$2 = '#f0f0f0'; const blackTitle = '#333'; const fiveThirtyEightTheme = { arc: { fill: markColor$6 }, area: { fill: markColor$6 }, axis: { domainColor: axisColor$2, grid: true, gridColor: axisColor$2, gridWidth: 1, labelColor: guideLabelColor, labelFontSize: 10, titleColor: guideTitleColor, tickColor: axisColor$2, tickSize: 10, titleFontSize: 14, titlePadding: 10, labelPadding: 4 }, axisBand: { grid: false }, background: backgroundColor$2, group: { fill: backgroundColor$2 }, legend: { labelColor: blackTitle, labelFontSize: 11, padding: 1, symbolSize: 30, symbolType: 'square', titleColor: blackTitle, titleFontSize: 14, titlePadding: 10 }, line: { stroke: markColor$6, strokeWidth: 2 }, path: { stroke: markColor$6, strokeWidth: 0.5 }, rect: { fill: markColor$6 }, range: { category: ['#30a2da', '#fc4f30', '#e5ae38', '#6d904f', '#8b8b8b', '#b96db8', '#ff9e27', '#56cc60', '#52d2ca', '#52689e', '#545454', '#9fe4f8'], diverging: ['#cc0020', '#e77866', '#f6e7e1', '#d6e8ed', '#91bfd9', '#1d78b5'], heatmap: ['#d6e8ed', '#cee0e5', '#91bfd9', '#549cc6', '#1d78b5'] }, point: { filled: true, shape: 'circle' }, shape: { stroke: markColor$6 }, bar: { binSpacing: 2, fill: markColor$6, stroke: null }, title: { anchor: 'start', fontSize: 24, fontWeight: 600, offset: 20 } }; const markColor$5 = '#000'; const ggplot2Theme = { group: { fill: '#e5e5e5' }, arc: { fill: markColor$5 }, area: { fill: markColor$5 }, line: { stroke: markColor$5 }, path: { stroke: markColor$5 }, rect: { fill: markColor$5 }, shape: { stroke: markColor$5 }, symbol: { fill: markColor$5, size: 40 }, axis: { domain: false, grid: true, gridColor: '#FFFFFF', gridOpacity: 1, labelColor: '#7F7F7F', labelPadding: 4, tickColor: '#7F7F7F', tickSize: 5.67, titleFontSize: 16, titleFontWeight: 'normal' }, legend: { labelBaseline: 'middle', labelFontSize: 11, symbolSize: 40 }, range: { category: ['#000000', '#7F7F7F', '#1A1A1A', '#999999', '#333333', '#B0B0B0', '#4D4D4D', '#C9C9C9', '#666666', '#DCDCDC'] } }; const headlineFontSize = 22; const headlineFontWeight = 'normal'; const labelFont$1 = 'Benton Gothic, sans-serif'; const labelFontSize = 11.5; const labelFontWeight = 'normal'; const markColor$4 = '#82c6df'; // const markHighlight = '#006d8f'; // const markDemocrat = '#5789b8'; // const markRepublican = '#d94f54'; const titleFont = 'Benton Gothic Bold, sans-serif'; const titleFontWeight = 'normal'; const titleFontSize$1 = 13; const colorSchemes$1 = { 'category-6': ['#ec8431', '#829eb1', '#c89d29', '#3580b1', '#adc839', '#ab7fb4'], 'fire-7': ['#fbf2c7', '#f9e39c', '#f8d36e', '#f4bb6a', '#e68a4f', '#d15a40', '#ab4232'], 'fireandice-6': ['#e68a4f', '#f4bb6a', '#f9e39c', '#dadfe2', '#a6b7c6', '#849eae'], 'ice-7': ['#edefee', '#dadfe2', '#c4ccd2', '#a6b7c6', '#849eae', '#607785', '#47525d'] }; const latimesTheme = { background: '#ffffff', title: { anchor: 'start', color: '#000000', font: titleFont, fontSize: headlineFontSize, fontWeight: headlineFontWeight }, arc: { fill: markColor$4 }, area: { fill: markColor$4 }, line: { stroke: markColor$4, strokeWidth: 2 }, path: { stroke: markColor$4 }, rect: { fill: markColor$4 }, shape: { stroke: markColor$4 }, symbol: { fill: markColor$4, size: 30 }, axis: { labelFont: labelFont$1, labelFontSize, labelFontWeight, titleFont, titleFontSize: titleFontSize$1, titleFontWeight }, axisX: { labelAngle: 0, labelPadding: 4, tickSize: 3 }, axisY: { labelBaseline: 'middle', maxExtent: 45, minExtent: 45, tickSize: 2, titleAlign: 'left', titleAngle: 0, titleX: -45, titleY: -11 }, legend: { labelFont: labelFont$1, labelFontSize, symbolType: 'square', titleFont, titleFontSize: titleFontSize$1, titleFontWeight }, range: { category: colorSchemes$1['category-6'], diverging: colorSchemes$1['fireandice-6'], heatmap: colorSchemes$1['fire-7'], ordinal: colorSchemes$1['fire-7'], ramp: colorSchemes$1['fire-7'] } }; const markColor$3 = '#ab5787'; const axisColor$1 = '#979797'; const quartzTheme = { background: '#f9f9f9', arc: { fill: markColor$3 }, area: { fill: markColor$3 }, line: { stroke: markColor$3 }, path: { stroke: markColor$3 }, rect: { fill: markColor$3 }, shape: { stroke: markColor$3 }, symbol: { fill: markColor$3, size: 30 }, axis: { domainColor: axisColor$1, domainWidth: 0.5, gridWidth: 0.2, labelColor: axisColor$1, tickColor: axisColor$1, tickWidth: 0.2, titleColor: axisColor$1 }, axisBand: { grid: false }, axisX: { grid: true, tickSize: 10 }, axisY: { domain: false, grid: true, tickSize: 0 }, legend: { labelFontSize: 11, padding: 1, symbolSize: 30, symbolType: 'square' }, range: { category: ['#ab5787', '#51b2e5', '#703c5c', '#168dd9', '#d190b6', '#00609f', '#d365ba', '#154866', '#666666', '#c4c4c4'] } }; const markColor$2 = '#3e5c69'; const voxTheme = { background: '#fff', arc: { fill: markColor$2 }, area: { fill: markColor$2 }, line: { stroke: markColor$2 }, path: { stroke: markColor$2 }, rect: { fill: markColor$2 }, shape: { stroke: markColor$2 }, symbol: { fill: markColor$2 }, axis: { domainWidth: 0.5, grid: true, labelPadding: 2, tickSize: 5, tickWidth: 0.5, titleFontWeight: 'normal' }, axisBand: { grid: false }, axisX: { gridWidth: 0.2 }, axisY: { gridDash: [3], gridWidth: 0.4 }, legend: { labelFontSize: 11, padding: 1, symbolType: 'square' }, range: { category: ['#3e5c69', '#6793a6', '#182429', '#0570b0', '#3690c0', '#74a9cf', '#a6bddb', '#e2ddf2'] } }; const markColor$1 = '#1696d2'; const axisColor = '#000000'; const backgroundColor$1 = '#FFFFFF'; const vega_themes_module_font = 'Lato'; const labelFont = 'Lato'; const sourceFont = 'Lato'; const gridColor$1 = '#DEDDDD'; const titleFontSize = 18; const colorSchemes = { 'main-colors': ['#1696d2', '#d2d2d2', '#000000', '#fdbf11', '#ec008b', '#55b748', '#5c5859', '#db2b27'], 'shades-blue': ['#CFE8F3', '#A2D4EC', '#73BFE2', '#46ABDB', '#1696D2', '#12719E', '#0A4C6A', '#062635'], 'shades-gray': ['#F5F5F5', '#ECECEC', '#E3E3E3', '#DCDBDB', '#D2D2D2', '#9D9D9D', '#696969', '#353535'], 'shades-yellow': ['#FFF2CF', '#FCE39E', '#FDD870', '#FCCB41', '#FDBF11', '#E88E2D', '#CA5800', '#843215'], 'shades-magenta': ['#F5CBDF', '#EB99C2', '#E46AA7', '#E54096', '#EC008B', '#AF1F6B', '#761548', '#351123'], 'shades-green': ['#DCEDD9', '#BCDEB4', '#98CF90', '#78C26D', '#55B748', '#408941', '#2C5C2D', '#1A2E19'], 'shades-black': ['#D5D5D4', '#ADABAC', '#848081', '#5C5859', '#332D2F', '#262223', '#1A1717', '#0E0C0D'], 'shades-red': ['#F8D5D4', '#F1AAA9', '#E9807D', '#E25552', '#DB2B27', '#A4201D', '#6E1614', '#370B0A'], 'one-group': ['#1696d2', '#000000'], 'two-groups-cat-1': ['#1696d2', '#000000'], 'two-groups-cat-2': ['#1696d2', '#fdbf11'], 'two-groups-cat-3': ['#1696d2', '#db2b27'], 'two-groups-seq': ['#a2d4ec', '#1696d2'], 'three-groups-cat': ['#1696d2', '#fdbf11', '#000000'], 'three-groups-seq': ['#a2d4ec', '#1696d2', '#0a4c6a'], 'four-groups-cat-1': ['#000000', '#d2d2d2', '#fdbf11', '#1696d2'], 'four-groups-cat-2': ['#1696d2', '#ec0008b', '#fdbf11', '#5c5859'], 'four-groups-seq': ['#cfe8f3', '#73bf42', '#1696d2', '#0a4c6a'], 'five-groups-cat-1': ['#1696d2', '#fdbf11', '#d2d2d2', '#ec008b', '#000000'], 'five-groups-cat-2': ['#1696d2', '#0a4c6a', '#d2d2d2', '#fdbf11', '#332d2f'], 'five-groups-seq': ['#cfe8f3', '#73bf42', '#1696d2', '#0a4c6a', '#000000'], 'six-groups-cat-1': ['#1696d2', '#ec008b', '#fdbf11', '#000000', '#d2d2d2', '#55b748'], 'six-groups-cat-2': ['#1696d2', '#d2d2d2', '#ec008b', '#fdbf11', '#332d2f', '#0a4c6a'], 'six-groups-seq': ['#cfe8f3', '#a2d4ec', '#73bfe2', '#46abdb', '#1696d2', '#12719e'], 'diverging-colors': ['#ca5800', '#fdbf11', '#fdd870', '#fff2cf', '#cfe8f3', '#73bfe2', '#1696d2', '#0a4c6a'] }; const urbanInstituteTheme = { background: backgroundColor$1, title: { anchor: 'start', fontSize: titleFontSize, font: vega_themes_module_font }, axisX: { domain: true, domainColor: axisColor, domainWidth: 1, grid: false, labelFontSize: 12, labelFont: labelFont, labelAngle: 0, tickColor: axisColor, tickSize: 5, titleFontSize: 12, titlePadding: 10, titleFont: vega_themes_module_font }, axisY: { domain: false, domainWidth: 1, grid: true, gridColor: gridColor$1, gridWidth: 1, labelFontSize: 12, labelFont: labelFont, labelPadding: 8, ticks: false, titleFontSize: 12, titlePadding: 10, titleFont: vega_themes_module_font, titleAngle: 0, titleY: -10, titleX: 18 }, legend: { labelFontSize: 12, labelFont: labelFont, symbolSize: 100, titleFontSize: 12, titlePadding: 10, titleFont: vega_themes_module_font, orient: 'right', offset: 10 }, view: { stroke: 'transparent' }, range: { category: colorSchemes['six-groups-cat-1'], diverging: colorSchemes['diverging-colors'], heatmap: colorSchemes['diverging-colors'], ordinal: colorSchemes['six-groups-seq'], ramp: colorSchemes['shades-blue'] }, area: { fill: markColor$1 }, rect: { fill: markColor$1 }, line: { color: markColor$1, stroke: markColor$1, strokeWidth: 5 }, trail: { color: markColor$1, stroke: markColor$1, strokeWidth: 0, size: 1 }, path: { stroke: markColor$1, strokeWidth: 0.5 }, point: { filled: true }, text: { font: sourceFont, color: markColor$1, fontSize: 11, align: 'center', fontWeight: 400, size: 11 }, style: { bar: { fill: markColor$1, stroke: null } }, arc: { fill: markColor$1 }, shape: { stroke: markColor$1 }, symbol: { fill: markColor$1, size: 30 } }; /** * Copyright 2020 Google LLC. * * Use of this source code is governed by a BSD-style * license that can be found in the LICENSE file or at * https://developers.google.com/open-source/licenses/bsd */ const markColor = '#3366CC'; const gridColor = '#ccc'; const defaultFont$1 = 'Arial, sans-serif'; const googlechartsTheme = { arc: { fill: markColor }, area: { fill: markColor }, path: { stroke: markColor }, rect: { fill: markColor }, shape: { stroke: markColor }, symbol: { stroke: markColor }, circle: { fill: markColor }, background: '#fff', padding: { top: 10, right: 10, bottom: 10, left: 10 }, style: { 'guide-label': { font: defaultFont$1, fontSize: 12 }, 'guide-title': { font: defaultFont$1, fontSize: 12 }, 'group-title': { font: defaultFont$1, fontSize: 12 } }, title: { font: defaultFont$1, fontSize: 14, fontWeight: 'bold', dy: -3, anchor: 'start' }, axis: { gridColor: gridColor, tickColor: gridColor, domain: false, grid: true }, range: { category: ['#4285F4', '#DB4437', '#F4B400', '#0F9D58', '#AB47BC', '#00ACC1', '#FF7043', '#9E9D24', '#5C6BC0', '#F06292', '#00796B', '#C2185B'], heatmap: ['#c6dafc', '#5e97f6', '#2a56c6'] } }; const ptToPx = value => value * (1 / 3 + 1); const fontSmallPx = ptToPx(9); const legendFontPx = ptToPx(10); const fontLargePx = ptToPx(12); const fontStandard = 'Segoe UI'; const fontTitle = 'wf_standard-font, helvetica, arial, sans-serif'; const firstLevelElementColor = '#252423'; const secondLevelElementColor = '#605E5C'; const backgroundColor = 'transparent'; const backgroundSecondaryColor = '#C8C6C4'; const paletteColor1 = '#118DFF'; const paletteColor2 = '#12239E'; const paletteColor3 = '#E66C37'; const paletteColor4 = '#6B007B'; const paletteColor5 = '#E044A7'; const paletteColor6 = '#744EC2'; const paletteColor7 = '#D9B300'; const paletteColor8 = '#D64550'; const divergentColorMax = paletteColor1; const divergentColorMin = '#DEEFFF'; const divergentPalette = [divergentColorMin, divergentColorMax]; const ordinalPalette = [divergentColorMin, '#c7e4ff', '#b0d9ff', '#9aceff', '#83c3ff', '#6cb9ff', '#55aeff', '#3fa3ff', '#2898ff', divergentColorMax]; const powerbiTheme = { view: { stroke: backgroundColor }, background: backgroundColor, font: fontStandard, header: { titleFont: fontTitle, titleFontSize: fontLargePx, titleColor: firstLevelElementColor, labelFont: fontStandard, labelFontSize: legendFontPx, labelColor: secondLevelElementColor }, axis: { ticks: false, grid: false, domain: false, labelColor: secondLevelElementColor, labelFontSize: fontSmallPx, titleFont: fontTitle, titleColor: firstLevelElementColor, titleFontSize: fontLargePx, titleFontWeight: 'normal' }, axisQuantitative: { tickCount: 3, grid: true, gridColor: backgroundSecondaryColor, gridDash: [1, 5], labelFlush: false }, axisBand: { tickExtra: true }, axisX: { labelPadding: 5 }, axisY: { labelPadding: 10 }, bar: { fill: paletteColor1 }, line: { stroke: paletteColor1, strokeWidth: 3, strokeCap: 'round', strokeJoin: 'round' }, text: { font: fontStandard, fontSize: fontSmallPx, fill: secondLevelElementColor }, arc: { fill: paletteColor1 }, area: { fill: paletteColor1, line: true, opacity: 0.6 }, path: { stroke: paletteColor1 }, rect: { fill: paletteColor1 }, point: { fill: paletteColor1, filled: true, size: 75 }, shape: { stroke: paletteColor1 }, symbol: { fill: paletteColor1, strokeWidth: 1.5, size: 50 }, legend: { titleFont: fontStandard, titleFontWeight: 'bold', titleColor: secondLevelElementColor, labelFont: fontStandard, labelFontSize: legendFontPx, labelColor: secondLevelElementColor, symbolType: 'circle', symbolSize: 75 }, range: { category: [paletteColor1, paletteColor2, paletteColor3, paletteColor4, paletteColor5, paletteColor6, paletteColor7, paletteColor8], diverging: divergentPalette, heatmap: divergentPalette, ordinal: ordinalPalette } }; const defaultFont = 'IBM Plex Sans,system-ui,-apple-system,BlinkMacSystemFont,".sfnstext-regular",sans-serif'; const fontWeight = 400; const darkCategories = ['#8a3ffc', '#33b1ff', '#007d79', '#ff7eb6', '#fa4d56', '#fff1f1', '#6fdc8c', '#4589ff', '#d12771', '#d2a106', '#08bdba', '#bae6ff', '#ba4e00', '#d4bbff']; const lightCategories = ['#6929c4', '#1192e8', '#005d5d', '#9f1853', '#fa4d56', '#570408', '#198038', '#002d9c', '#ee538b', '#b28600', '#009d9a', '#012749', '#8a3800', '#a56eff']; function genCarbonConfig({ type, background }) { const viewbg = type === 'dark' ? '#161616' : '#ffffff'; const textColor = type === 'dark' ? '#f4f4f4' : '#161616'; const category = type === 'dark' ? darkCategories : lightCategories; const markColor = type === 'dark' ? '#d4bbff' : '#6929c4'; return { background, arc: { fill: markColor }, area: { fill: markColor }, path: { stroke: markColor }, rect: { fill: markColor }, shape: { stroke: markColor }, symbol: { stroke: markColor }, circle: { fill: markColor }, view: { fill: viewbg, stroke: viewbg }, group: { fill: viewbg }, title: { color: textColor, anchor: 'start', dy: -15, fontSize: 16, font: defaultFont, fontWeight: 600 }, axis: { labelColor: textColor, labelFontSize: 12, grid: true, gridColor: '#525252', titleColor: textColor, labelAngle: 0 }, style: { 'guide-label': { font: defaultFont, fill: textColor, fontWeight: fontWeight }, 'guide-title': { font: defaultFont, fill: textColor, fontWeight: fontWeight } }, range: { category, diverging: ['#750e13', '#a2191f', '#da1e28', '#fa4d56', '#ff8389', '#ffb3b8', '#ffd7d9', '#fff1f1', '#e5f6ff', '#bae6ff', '#82cfff', '#33b1ff', '#1192e8', '#0072c3', '#00539a', '#003a6d'], heatmap: ['#f6f2ff', '#e8daff', '#d4bbff', '#be95ff', '#a56eff', '#8a3ffc', '#6929c4', '#491d8b', '#31135e', '#1c0f30'] } }; } const carbonwhite = genCarbonConfig({ type: 'light', background: '#ffffff' }); const carbong10 = genCarbonConfig({ type: 'light', background: '#f4f4f4' }); const carbong90 = genCarbonConfig({ type: 'dark', background: '#262626' }); const carbong100 = genCarbonConfig({ type: 'dark', background: '#161616' }); const vega_themes_module_version = pkg.version; ;// CONCATENATED MODULE: ../node_modules/vega-tooltip/build/vega-tooltip.module.js var vega_tooltip_module_name = "vega-tooltip"; var vega_tooltip_module_version$1 = "0.33.0"; var vega_tooltip_module_description = "A tooltip plugin for Vega-Lite and Vega visualizations."; var vega_tooltip_module_keywords = ["vega-lite", "vega", "tooltip"]; var vega_tooltip_module_repository = { type: "git", url: "https://github.com/vega/vega-tooltip.git" }; var vega_tooltip_module_author = { name: "UW Interactive Data Lab", url: "https://idl.cs.washington.edu" }; var collaborators = ["Dominik Moritz", "Sira Horradarn", "Zening Qu", "Kanit Wongsuphasawat", "Yuri Astrakhan", "Jeffrey Heer"]; var vega_tooltip_module_license = "BSD-3-Clause"; var bugs = { url: "https://github.com/vega/vega-tooltip/issues" }; var homepage = "https://github.com/vega/vega-tooltip#readme"; var vega_tooltip_module_main = "build/vega-tooltip.js"; var vega_tooltip_module_module = "build/vega-tooltip.module.js"; var vega_tooltip_module_unpkg = "build/vega-tooltip.min.js"; var vega_tooltip_module_jsdelivr = "build/vega-tooltip.min.js"; var vega_tooltip_module_types = "build/vega-tooltip.module.d.ts"; var vega_tooltip_module_files = ["src", "build", "types"]; var vega_tooltip_module_scripts = { prebuild: "yarn clean && yarn build:style", build: "rollup -c", "build:style": "./build-style.sh", clean: "rimraf build && rimraf src/style.ts", "copy:data": "rsync -r node_modules/vega-datasets/data/* examples/data", "copy:build": "rsync -r build/* examples/build", "deploy:gh": "yarn build && yarn copy:build && gh-pages -d examples && yarn clean", prepublishOnly: "yarn clean && yarn build", preversion: "yarn lint && yarn test", serve: "browser-sync start -s -f build examples --serveStatic examples", start: "yarn build && concurrently --kill-others -n Server,Rollup 'yarn serve' 'rollup -c -w'", pretest: "yarn build:style", test: "jest", "test:inspect": "node --inspect-brk ./node_modules/.bin/jest --runInBand", prepare: "yarn copy:data", prettierbase: "prettier '*.{css,scss,html}'", format: "eslint . --fix && yarn prettierbase --write", lint: "eslint . && yarn prettierbase --check", release: "release-it" }; var vega_tooltip_module_devDependencies = { "@babel/core": "^7.22.10", "@babel/plugin-proposal-async-generator-functions": "^7.20.7", "@babel/plugin-proposal-json-strings": "^7.18.6", "@babel/plugin-proposal-object-rest-spread": "^7.20.7", "@babel/plugin-proposal-optional-catch-binding": "^7.18.6", "@babel/plugin-transform-runtime": "^7.22.10", "@babel/preset-env": "^7.22.10", "@babel/preset-typescript": "^7.22.5", "@release-it/conventional-changelog": "^7.0.0", "@rollup/plugin-json": "^6.0.0", "@rollup/plugin-node-resolve": "^15.1.0", "@rollup/plugin-terser": "^0.4.3", "@types/jest": "^29.5.3", "@typescript-eslint/eslint-plugin": "^6.3.0", "@typescript-eslint/parser": "^6.3.0", "browser-sync": "^2.29.3", concurrently: "^8.2.0", eslint: "^8.46.0", "eslint-config-prettier": "^9.0.0", "eslint-plugin-jest": "^27.2.3", "eslint-plugin-prettier": "^5.0.0", "gh-pages": "^5.0.0", jest: "^29.6.2", "jest-environment-jsdom": "^29.6.2", path: "^0.12.7", prettier: "^3.0.1", "release-it": "^16.1.3", rollup: "^3.27.2", "rollup-plugin-bundle-size": "^1.0.3", "rollup-plugin-ts": "^3.4.3", sass: "^1.64.2", typescript: "~5.1.6", "vega-datasets": "^2.7.0", "vega-typings": "^0.24.2" }; var vega_tooltip_module_dependencies = { "vega-util": "^1.17.2" }; var vega_tooltip_module_pkg = { name: vega_tooltip_module_name, version: vega_tooltip_module_version$1, description: vega_tooltip_module_description, keywords: vega_tooltip_module_keywords, repository: vega_tooltip_module_repository, author: vega_tooltip_module_author, collaborators: collaborators, license: vega_tooltip_module_license, bugs: bugs, homepage: homepage, main: vega_tooltip_module_main, module: vega_tooltip_module_module, unpkg: vega_tooltip_module_unpkg, jsdelivr: vega_tooltip_module_jsdelivr, types: vega_tooltip_module_types, files: vega_tooltip_module_files, scripts: vega_tooltip_module_scripts, devDependencies: vega_tooltip_module_devDependencies, dependencies: vega_tooltip_module_dependencies }; /** * Format the value to be shown in the tooltip. * * @param value The value to show in the tooltip. * @param valueToHtml Function to convert a single cell value to an HTML string */ function vega_tooltip_module_formatValue(value, valueToHtml, maxDepth) { if (isArray(value)) { return `[${value.map(v => valueToHtml(vega_util_module_isString(v) ? v : vega_tooltip_module_stringify(v, maxDepth))).join(', ')}]`; } if (isObject(value)) { let content = ''; const { title, image, ...rest } = value; if (title) { content += `

${valueToHtml(title)}

`; } if (image) { content += ``; } const keys = Object.keys(rest); if (keys.length > 0) { content += ''; for (const key of keys) { let val = rest[key]; // ignore undefined properties if (val === undefined) { continue; } if (isObject(val)) { val = vega_tooltip_module_stringify(val, maxDepth); } content += ``; } content += `
${valueToHtml(key)}${valueToHtml(val)}
`; } return content || '{}'; // show empty object if there are no properties } return valueToHtml(value); } function replacer(maxDepth) { const stack = []; return function (key, value) { if (typeof value !== 'object' || value === null) { return value; } const pos = stack.indexOf(this) + 1; stack.length = pos; if (stack.length > maxDepth) { return '[Object]'; } if (stack.indexOf(value) >= 0) { return '[Circular]'; } stack.push(value); return value; }; } /** * Stringify any JS object to valid JSON */ function vega_tooltip_module_stringify(obj, maxDepth) { return JSON.stringify(obj, replacer(maxDepth)); } // generated with build-style.sh var defaultStyle = `#vg-tooltip-element { visibility: hidden; padding: 8px; position: fixed; z-index: 1000; font-family: sans-serif; font-size: 11px; border-radius: 3px; box-shadow: 2px 2px 4px rgba(0, 0, 0, 0.1); /* The default theme is the light theme. */ background-color: rgba(255, 255, 255, 0.95); border: 1px solid #d9d9d9; color: black; } #vg-tooltip-element.visible { visibility: visible; } #vg-tooltip-element h2 { margin-top: 0; margin-bottom: 10px; font-size: 13px; } #vg-tooltip-element table { border-spacing: 0; } #vg-tooltip-element table tr { border: none; } #vg-tooltip-element table tr td { overflow: hidden; text-overflow: ellipsis; padding-top: 2px; padding-bottom: 2px; } #vg-tooltip-element table tr td.key { color: #808080; max-width: 150px; text-align: right; padding-right: 4px; } #vg-tooltip-element table tr td.value { display: block; max-width: 300px; max-height: 7em; text-align: left; } #vg-tooltip-element.dark-theme { background-color: rgba(32, 32, 32, 0.9); border: 1px solid #f5f5f5; color: white; } #vg-tooltip-element.dark-theme td.key { color: #bfbfbf; } `; const EL_ID = 'vg-tooltip-element'; const DEFAULT_OPTIONS = { /** * X offset. */ offsetX: 10, /** * Y offset. */ offsetY: 10, /** * ID of the tooltip element. */ id: EL_ID, /** * ID of the tooltip CSS style. */ styleId: 'vega-tooltip-style', /** * The name of the theme. You can use the CSS class called [THEME]-theme to style the tooltips. * * There are two predefined themes: "light" (default) and "dark". */ theme: 'light', /** * Do not use the default styles provided by Vega Tooltip. If you enable this option, you need to use your own styles. It is not necessary to disable the default style when using a custom theme. */ disableDefaultStyle: false, /** * HTML sanitizer function that removes dangerous HTML to prevent XSS. * * This should be a function from string to string. You may replace it with a formatter such as a markdown formatter. */ sanitize: escapeHTML, /** * The maximum recursion depth when printing objects in the tooltip. */ maxDepth: 2, /** * A function to customize the rendered HTML of the tooltip. * @param value A value string, or object of value strings keyed by field * @param sanitize The `sanitize` function from `options.sanitize` * @returns {string} The returned string will become the `innerHTML` of the tooltip element */ formatTooltip: vega_tooltip_module_formatValue }; /** * Escape special HTML characters. * * @param value A value to convert to string and HTML-escape. */ function escapeHTML(value) { return String(value).replace(/&/g, '&').replace(/ window.innerWidth) { x = +event.clientX - offsetX - tooltipBox.width; } let y = event.clientY + offsetY; if (y + tooltipBox.height > window.innerHeight) { y = +event.clientY - offsetY - tooltipBox.height; } return { x, y }; } /** * The tooltip handler class. */ class vega_tooltip_module_Handler { /** * The handler function. We bind this to this function in the constructor. */ /** * Complete tooltip options. */ /** * The tooltip html element. */ /** * Create the tooltip handler and initialize the element and style. * * @param options Tooltip Options */ constructor(options) { this.options = { ...DEFAULT_OPTIONS, ...options }; const elementId = this.options.id; this.el = null; // bind this to call this.call = this.tooltipHandler.bind(this); // prepend a default stylesheet for tooltips to the head if (!this.options.disableDefaultStyle && !document.getElementById(this.options.styleId)) { const style = document.createElement('style'); style.setAttribute('id', this.options.styleId); style.innerHTML = createDefaultStyle(elementId); const head = document.head; if (head.childNodes.length > 0) { head.insertBefore(style, head.childNodes[0]); } else { head.appendChild(style); } } } /** * The tooltip handler function. */ tooltipHandler(handler, event, item, value) { // console.log(handler, event, item, value); // append a div element that we use as a tooltip unless it already exists this.el = document.getElementById(this.options.id); if (!this.el) { this.el = document.createElement('div'); this.el.setAttribute('id', this.options.id); this.el.classList.add('vg-tooltip'); const tooltipContainer = document.fullscreenElement ?? document.body; tooltipContainer.appendChild(this.el); } // hide tooltip for null, undefined, or empty string values if (value == null || value === '') { this.el.classList.remove('visible', `${this.options.theme}-theme`); return; } // set the tooltip content this.el.innerHTML = this.options.formatTooltip(value, this.options.sanitize, this.options.maxDepth); // make the tooltip visible this.el.classList.add('visible', `${this.options.theme}-theme`); const { x, y } = calculatePosition(event, this.el.getBoundingClientRect(), this.options.offsetX, this.options.offsetY); this.el.style.top = `${y}px`; this.el.style.left = `${x}px`; } } const vega_tooltip_module_version = vega_tooltip_module_pkg.version; /** * Create a tooltip handler and register it with the provided view. * * @param view The Vega view. * @param opt Tooltip options. */ function vega_tooltip_module_index (view, opt) { const handler = new vega_tooltip_module_Handler(opt); view.tooltip(handler.call).run(); return handler; } //# sourceMappingURL=vega-tooltip.module.js.map ;// CONCATENATED MODULE: ../node_modules/vega-embed/build/vega-embed.module.js /* provided dependency */ var process = __webpack_require__(27061); function _typeof(obj) { "@babel/helpers - typeof"; return _typeof = "function" == typeof Symbol && "symbol" == typeof Symbol.iterator ? function (obj) { return typeof obj; } : function (obj) { return obj && "function" == typeof Symbol && obj.constructor === Symbol && obj !== Symbol.prototype ? "symbol" : typeof obj; }, _typeof(obj); } function _toPrimitive(input, hint) { if (_typeof(input) !== "object" || input === null) return input; var prim = input[Symbol.toPrimitive]; if (prim !== undefined) { var res = prim.call(input, hint || "default"); if (_typeof(res) !== "object") return res; throw new TypeError("@@toPrimitive must return a primitive value."); } return (hint === "string" ? String : Number)(input); } function _toPropertyKey(arg) { var key = _toPrimitive(arg, "string"); return _typeof(key) === "symbol" ? key : String(key); } function _defineProperty(obj, key, value) { key = _toPropertyKey(key); if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; } function getDefaultExportFromCjs (x) { return x && x.__esModule && Object.prototype.hasOwnProperty.call(x, 'default') ? x['default'] : x; } var iterator; var hasRequiredIterator; function requireIterator() { if (hasRequiredIterator) return iterator; hasRequiredIterator = 1; iterator = function (Yallist) { Yallist.prototype[Symbol.iterator] = function* () { for (let walker = this.head; walker; walker = walker.next) { yield walker.value; } }; }; return iterator; } var yallist = Yallist$1; Yallist$1.Node = vega_embed_module_Node; Yallist$1.create = Yallist$1; function Yallist$1(list) { var self = this; if (!(self instanceof Yallist$1)) { self = new Yallist$1(); } self.tail = null; self.head = null; self.length = 0; if (list && typeof list.forEach === 'function') { list.forEach(function (item) { self.push(item); }); } else if (arguments.length > 0) { for (var i = 0, l = arguments.length; i < l; i++) { self.push(arguments[i]); } } return self; } Yallist$1.prototype.removeNode = function (node) { if (node.list !== this) { throw new Error('removing node which does not belong to this list'); } var next = node.next; var prev = node.prev; if (next) { next.prev = prev; } if (prev) { prev.next = next; } if (node === this.head) { this.head = next; } if (node === this.tail) { this.tail = prev; } node.list.length--; node.next = null; node.prev = null; node.list = null; return next; }; Yallist$1.prototype.unshiftNode = function (node) { if (node === this.head) { return; } if (node.list) { node.list.removeNode(node); } var head = this.head; node.list = this; node.next = head; if (head) { head.prev = node; } this.head = node; if (!this.tail) { this.tail = node; } this.length++; }; Yallist$1.prototype.pushNode = function (node) { if (node === this.tail) { return; } if (node.list) { node.list.removeNode(node); } var tail = this.tail; node.list = this; node.prev = tail; if (tail) { tail.next = node; } this.tail = node; if (!this.head) { this.head = node; } this.length++; }; Yallist$1.prototype.push = function () { for (var i = 0, l = arguments.length; i < l; i++) { push(this, arguments[i]); } return this.length; }; Yallist$1.prototype.unshift = function () { for (var i = 0, l = arguments.length; i < l; i++) { unshift(this, arguments[i]); } return this.length; }; Yallist$1.prototype.pop = function () { if (!this.tail) { return undefined; } var res = this.tail.value; this.tail = this.tail.prev; if (this.tail) { this.tail.next = null; } else { this.head = null; } this.length--; return res; }; Yallist$1.prototype.shift = function () { if (!this.head) { return undefined; } var res = this.head.value; this.head = this.head.next; if (this.head) { this.head.prev = null; } else { this.tail = null; } this.length--; return res; }; Yallist$1.prototype.forEach = function (fn, thisp) { thisp = thisp || this; for (var walker = this.head, i = 0; walker !== null; i++) { fn.call(thisp, walker.value, i, this); walker = walker.next; } }; Yallist$1.prototype.forEachReverse = function (fn, thisp) { thisp = thisp || this; for (var walker = this.tail, i = this.length - 1; walker !== null; i--) { fn.call(thisp, walker.value, i, this); walker = walker.prev; } }; Yallist$1.prototype.get = function (n) { for (var i = 0, walker = this.head; walker !== null && i < n; i++) { // abort out of the list early if we hit a cycle walker = walker.next; } if (i === n && walker !== null) { return walker.value; } }; Yallist$1.prototype.getReverse = function (n) { for (var i = 0, walker = this.tail; walker !== null && i < n; i++) { // abort out of the list early if we hit a cycle walker = walker.prev; } if (i === n && walker !== null) { return walker.value; } }; Yallist$1.prototype.map = function (fn, thisp) { thisp = thisp || this; var res = new Yallist$1(); for (var walker = this.head; walker !== null;) { res.push(fn.call(thisp, walker.value, this)); walker = walker.next; } return res; }; Yallist$1.prototype.mapReverse = function (fn, thisp) { thisp = thisp || this; var res = new Yallist$1(); for (var walker = this.tail; walker !== null;) { res.push(fn.call(thisp, walker.value, this)); walker = walker.prev; } return res; }; Yallist$1.prototype.reduce = function (fn, initial) { var acc; var walker = this.head; if (arguments.length > 1) { acc = initial; } else if (this.head) { walker = this.head.next; acc = this.head.value; } else { throw new TypeError('Reduce of empty list with no initial value'); } for (var i = 0; walker !== null; i++) { acc = fn(acc, walker.value, i); walker = walker.next; } return acc; }; Yallist$1.prototype.reduceReverse = function (fn, initial) { var acc; var walker = this.tail; if (arguments.length > 1) { acc = initial; } else if (this.tail) { walker = this.tail.prev; acc = this.tail.value; } else { throw new TypeError('Reduce of empty list with no initial value'); } for (var i = this.length - 1; walker !== null; i--) { acc = fn(acc, walker.value, i); walker = walker.prev; } return acc; }; Yallist$1.prototype.toArray = function () { var arr = new Array(this.length); for (var i = 0, walker = this.head; walker !== null; i++) { arr[i] = walker.value; walker = walker.next; } return arr; }; Yallist$1.prototype.toArrayReverse = function () { var arr = new Array(this.length); for (var i = 0, walker = this.tail; walker !== null; i++) { arr[i] = walker.value; walker = walker.prev; } return arr; }; Yallist$1.prototype.slice = function (from, to) { to = to || this.length; if (to < 0) { to += this.length; } from = from || 0; if (from < 0) { from += this.length; } var ret = new Yallist$1(); if (to < from || to < 0) { return ret; } if (from < 0) { from = 0; } if (to > this.length) { to = this.length; } for (var i = 0, walker = this.head; walker !== null && i < from; i++) { walker = walker.next; } for (; walker !== null && i < to; i++, walker = walker.next) { ret.push(walker.value); } return ret; }; Yallist$1.prototype.sliceReverse = function (from, to) { to = to || this.length; if (to < 0) { to += this.length; } from = from || 0; if (from < 0) { from += this.length; } var ret = new Yallist$1(); if (to < from || to < 0) { return ret; } if (from < 0) { from = 0; } if (to > this.length) { to = this.length; } for (var i = this.length, walker = this.tail; walker !== null && i > to; i--) { walker = walker.prev; } for (; walker !== null && i > from; i--, walker = walker.prev) { ret.push(walker.value); } return ret; }; Yallist$1.prototype.splice = function (start, deleteCount, ...nodes) { if (start > this.length) { start = this.length - 1; } if (start < 0) { start = this.length + start; } for (var i = 0, walker = this.head; walker !== null && i < start; i++) { walker = walker.next; } var ret = []; for (var i = 0; walker && i < deleteCount; i++) { ret.push(walker.value); walker = this.removeNode(walker); } if (walker === null) { walker = this.tail; } if (walker !== this.head && walker !== this.tail) { walker = walker.prev; } for (var i = 0; i < nodes.length; i++) { walker = vega_embed_module_insert(this, walker, nodes[i]); } return ret; }; Yallist$1.prototype.reverse = function () { var head = this.head; var tail = this.tail; for (var walker = head; walker !== null; walker = walker.prev) { var p = walker.prev; walker.prev = walker.next; walker.next = p; } this.head = tail; this.tail = head; return this; }; function vega_embed_module_insert(self, node, value) { var inserted = node === self.head ? new vega_embed_module_Node(value, null, node, self) : new vega_embed_module_Node(value, node, node.next, self); if (inserted.next === null) { self.tail = inserted; } if (inserted.prev === null) { self.head = inserted; } self.length++; return inserted; } function push(self, item) { self.tail = new vega_embed_module_Node(item, self.tail, null, self); if (!self.head) { self.head = self.tail; } self.length++; } function unshift(self, item) { self.head = new vega_embed_module_Node(item, null, self.head, self); if (!self.tail) { self.tail = self.head; } self.length++; } function vega_embed_module_Node(value, prev, next, list) { if (!(this instanceof vega_embed_module_Node)) { return new vega_embed_module_Node(value, prev, next, list); } this.list = list; this.value = value; if (prev) { prev.next = this; this.prev = prev; } else { this.prev = null; } if (next) { next.prev = this; this.next = next; } else { this.next = null; } } try { // add if support for Symbol.iterator is present requireIterator()(Yallist$1); } catch (er) {} // A linked list to keep track of recently-used-ness const Yallist = yallist; const MAX = Symbol('max'); const LENGTH = Symbol('length'); const LENGTH_CALCULATOR = Symbol('lengthCalculator'); const ALLOW_STALE = Symbol('allowStale'); const MAX_AGE = Symbol('maxAge'); const DISPOSE = Symbol('dispose'); const NO_DISPOSE_ON_SET = Symbol('noDisposeOnSet'); const LRU_LIST = Symbol('lruList'); const vega_embed_module_CACHE = Symbol('cache'); const UPDATE_AGE_ON_GET = Symbol('updateAgeOnGet'); const naiveLength = () => 1; // lruList is a yallist where the head is the youngest // item, and the tail is the oldest. the list contains the Hit // objects as the entries. // Each Hit object has a reference to its Yallist.Node. This // never changes. // // cache is a Map (or PseudoMap) that matches the keys to // the Yallist.Node object. class LRUCache { constructor(options) { if (typeof options === 'number') options = { max: options }; if (!options) options = {}; if (options.max && (typeof options.max !== 'number' || options.max < 0)) throw new TypeError('max must be a non-negative number'); // Kind of weird to have a default max of Infinity, but oh well. this[MAX] = options.max || Infinity; const lc = options.length || naiveLength; this[LENGTH_CALCULATOR] = typeof lc !== 'function' ? naiveLength : lc; this[ALLOW_STALE] = options.stale || false; if (options.maxAge && typeof options.maxAge !== 'number') throw new TypeError('maxAge must be a number'); this[MAX_AGE] = options.maxAge || 0; this[DISPOSE] = options.dispose; this[NO_DISPOSE_ON_SET] = options.noDisposeOnSet || false; this[UPDATE_AGE_ON_GET] = options.updateAgeOnGet || false; this.reset(); } // resize the cache when the max changes. set max(mL) { if (typeof mL !== 'number' || mL < 0) throw new TypeError('max must be a non-negative number'); this[MAX] = mL || Infinity; trim(this); } get max() { return this[MAX]; } set allowStale(allowStale) { this[ALLOW_STALE] = !!allowStale; } get allowStale() { return this[ALLOW_STALE]; } set maxAge(mA) { if (typeof mA !== 'number') throw new TypeError('maxAge must be a non-negative number'); this[MAX_AGE] = mA; trim(this); } get maxAge() { return this[MAX_AGE]; } // resize the cache when the lengthCalculator changes. set lengthCalculator(lC) { if (typeof lC !== 'function') lC = naiveLength; if (lC !== this[LENGTH_CALCULATOR]) { this[LENGTH_CALCULATOR] = lC; this[LENGTH] = 0; this[LRU_LIST].forEach(hit => { hit.length = this[LENGTH_CALCULATOR](hit.value, hit.key); this[LENGTH] += hit.length; }); } trim(this); } get lengthCalculator() { return this[LENGTH_CALCULATOR]; } get length() { return this[LENGTH]; } get itemCount() { return this[LRU_LIST].length; } rforEach(fn, thisp) { thisp = thisp || this; for (let walker = this[LRU_LIST].tail; walker !== null;) { const prev = walker.prev; forEachStep(this, fn, walker, thisp); walker = prev; } } forEach(fn, thisp) { thisp = thisp || this; for (let walker = this[LRU_LIST].head; walker !== null;) { const next = walker.next; forEachStep(this, fn, walker, thisp); walker = next; } } keys() { return this[LRU_LIST].toArray().map(k => k.key); } values() { return this[LRU_LIST].toArray().map(k => k.value); } reset() { if (this[DISPOSE] && this[LRU_LIST] && this[LRU_LIST].length) { this[LRU_LIST].forEach(hit => this[DISPOSE](hit.key, hit.value)); } this[vega_embed_module_CACHE] = new Map(); // hash of items by key this[LRU_LIST] = new Yallist(); // list of items in order of use recency this[LENGTH] = 0; // length of items in the list } dump() { return this[LRU_LIST].map(hit => isStale(this, hit) ? false : { k: hit.key, v: hit.value, e: hit.now + (hit.maxAge || 0) }).toArray().filter(h => h); } dumpLru() { return this[LRU_LIST]; } set(key, value, maxAge) { maxAge = maxAge || this[MAX_AGE]; if (maxAge && typeof maxAge !== 'number') throw new TypeError('maxAge must be a number'); const now = maxAge ? Date.now() : 0; const len = this[LENGTH_CALCULATOR](value, key); if (this[vega_embed_module_CACHE].has(key)) { if (len > this[MAX]) { del(this, this[vega_embed_module_CACHE].get(key)); return false; } const node = this[vega_embed_module_CACHE].get(key); const item = node.value; // dispose of the old one before overwriting // split out into 2 ifs for better coverage tracking if (this[DISPOSE]) { if (!this[NO_DISPOSE_ON_SET]) this[DISPOSE](key, item.value); } item.now = now; item.maxAge = maxAge; item.value = value; this[LENGTH] += len - item.length; item.length = len; this.get(key); trim(this); return true; } const hit = new vega_embed_module_Entry(key, value, len, now, maxAge); // oversized objects fall out of cache automatically. if (hit.length > this[MAX]) { if (this[DISPOSE]) this[DISPOSE](key, value); return false; } this[LENGTH] += hit.length; this[LRU_LIST].unshift(hit); this[vega_embed_module_CACHE].set(key, this[LRU_LIST].head); trim(this); return true; } has(key) { if (!this[vega_embed_module_CACHE].has(key)) return false; const hit = this[vega_embed_module_CACHE].get(key).value; return !isStale(this, hit); } get(key) { return vega_embed_module_get(this, key, true); } peek(key) { return vega_embed_module_get(this, key, false); } pop() { const node = this[LRU_LIST].tail; if (!node) return null; del(this, node); return node.value; } del(key) { del(this, this[vega_embed_module_CACHE].get(key)); } load(arr) { // reset the cache this.reset(); const now = Date.now(); // A previous serialized cache has the most recent items first for (let l = arr.length - 1; l >= 0; l--) { const hit = arr[l]; const expiresAt = hit.e || 0; if (expiresAt === 0) // the item was created without expiration in a non aged cache this.set(hit.k, hit.v);else { const maxAge = expiresAt - now; // dont add already expired items if (maxAge > 0) { this.set(hit.k, hit.v, maxAge); } } } } prune() { this[vega_embed_module_CACHE].forEach((value, key) => vega_embed_module_get(this, key, false)); } } const vega_embed_module_get = (self, key, doUse) => { const node = self[vega_embed_module_CACHE].get(key); if (node) { const hit = node.value; if (isStale(self, hit)) { del(self, node); if (!self[ALLOW_STALE]) return undefined; } else { if (doUse) { if (self[UPDATE_AGE_ON_GET]) node.value.now = Date.now(); self[LRU_LIST].unshiftNode(node); } } return hit.value; } }; const isStale = (self, hit) => { if (!hit || !hit.maxAge && !self[MAX_AGE]) return false; const diff = Date.now() - hit.now; return hit.maxAge ? diff > hit.maxAge : self[MAX_AGE] && diff > self[MAX_AGE]; }; const trim = self => { if (self[LENGTH] > self[MAX]) { for (let walker = self[LRU_LIST].tail; self[LENGTH] > self[MAX] && walker !== null;) { // We know that we're about to delete this one, and also // what the next least recently used key will be, so just // go ahead and set it now. const prev = walker.prev; del(self, walker); walker = prev; } } }; const del = (self, node) => { if (node) { const hit = node.value; if (self[DISPOSE]) self[DISPOSE](hit.key, hit.value); self[LENGTH] -= hit.length; self[vega_embed_module_CACHE].delete(hit.key); self[LRU_LIST].removeNode(node); } }; class vega_embed_module_Entry { constructor(key, value, length, now, maxAge) { this.key = key; this.value = value; this.length = length; this.now = now; this.maxAge = maxAge || 0; } } const forEachStep = (self, fn, node, thisp) => { let hit = node.value; if (isStale(self, hit)) { del(self, node); if (!self[ALLOW_STALE]) hit = undefined; } if (hit) fn.call(thisp, hit.value, hit.key, self); }; var vega_embed_module_lruCache = LRUCache; // parse out just the options we care about const looseOption = Object.freeze({ loose: true }); const emptyOpts = Object.freeze({}); const parseOptions$1 = options => { if (!options) { return emptyOpts; } if (typeof options !== 'object') { return looseOption; } return options; }; var parseOptions_1 = parseOptions$1; var re$1 = {exports: {}}; // Note: this is the semver.org version of the spec that it implements // Not necessarily the package version of this code. const SEMVER_SPEC_VERSION = '2.0.0'; const MAX_LENGTH$1 = 256; const MAX_SAFE_INTEGER$1 = Number.MAX_SAFE_INTEGER || /* istanbul ignore next */9007199254740991; // Max safe segment length for coercion. const MAX_SAFE_COMPONENT_LENGTH = 16; // Max safe length for a build identifier. The max length minus 6 characters for // the shortest version with a build 0.0.0+BUILD. const MAX_SAFE_BUILD_LENGTH = MAX_LENGTH$1 - 6; const RELEASE_TYPES = ['major', 'premajor', 'minor', 'preminor', 'patch', 'prepatch', 'prerelease']; var constants = { MAX_LENGTH: MAX_LENGTH$1, MAX_SAFE_COMPONENT_LENGTH, MAX_SAFE_BUILD_LENGTH, MAX_SAFE_INTEGER: MAX_SAFE_INTEGER$1, RELEASE_TYPES, SEMVER_SPEC_VERSION, FLAG_INCLUDE_PRERELEASE: 0b001, FLAG_LOOSE: 0b010 }; const debug$1 = typeof process === 'object' && process.env && process.env.NODE_DEBUG && /\bsemver\b/i.test(process.env.NODE_DEBUG) ? (...args) => console.error('SEMVER', ...args) : () => {}; var debug_1 = debug$1; (function (module, exports) { const { MAX_SAFE_COMPONENT_LENGTH, MAX_SAFE_BUILD_LENGTH, MAX_LENGTH } = constants; const debug = debug_1; exports = module.exports = {}; // The actual regexps go on exports.re const re = exports.re = []; const safeRe = exports.safeRe = []; const src = exports.src = []; const t = exports.t = {}; let R = 0; const LETTERDASHNUMBER = '[a-zA-Z0-9-]'; // Replace some greedy regex tokens to prevent regex dos issues. These regex are // used internally via the safeRe object since all inputs in this library get // normalized first to trim and collapse all extra whitespace. The original // regexes are exported for userland consumption and lower level usage. A // future breaking change could export the safer regex only with a note that // all input should have extra whitespace removed. const safeRegexReplacements = [['\\s', 1], ['\\d', MAX_LENGTH], [LETTERDASHNUMBER, MAX_SAFE_BUILD_LENGTH]]; const makeSafeRegex = value => { for (const [token, max] of safeRegexReplacements) { value = value.split(`${token}*`).join(`${token}{0,${max}}`).split(`${token}+`).join(`${token}{1,${max}}`); } return value; }; const createToken = (name, value, isGlobal) => { const safe = makeSafeRegex(value); const index = R++; debug(name, index, value); t[name] = index; src[index] = value; re[index] = new RegExp(value, isGlobal ? 'g' : undefined); safeRe[index] = new RegExp(safe, isGlobal ? 'g' : undefined); }; // The following Regular Expressions can be used for tokenizing, // validating, and parsing SemVer version strings. // ## Numeric Identifier // A single `0`, or a non-zero digit followed by zero or more digits. createToken('NUMERICIDENTIFIER', '0|[1-9]\\d*'); createToken('NUMERICIDENTIFIERLOOSE', '\\d+'); // ## Non-numeric Identifier // Zero or more digits, followed by a letter or hyphen, and then zero or // more letters, digits, or hyphens. createToken('NONNUMERICIDENTIFIER', `\\d*[a-zA-Z-]${LETTERDASHNUMBER}*`); // ## Main Version // Three dot-separated numeric identifiers. createToken('MAINVERSION', `(${src[t.NUMERICIDENTIFIER]})\\.` + `(${src[t.NUMERICIDENTIFIER]})\\.` + `(${src[t.NUMERICIDENTIFIER]})`); createToken('MAINVERSIONLOOSE', `(${src[t.NUMERICIDENTIFIERLOOSE]})\\.` + `(${src[t.NUMERICIDENTIFIERLOOSE]})\\.` + `(${src[t.NUMERICIDENTIFIERLOOSE]})`); // ## Pre-release Version Identifier // A numeric identifier, or a non-numeric identifier. createToken('PRERELEASEIDENTIFIER', `(?:${src[t.NUMERICIDENTIFIER]}|${src[t.NONNUMERICIDENTIFIER]})`); createToken('PRERELEASEIDENTIFIERLOOSE', `(?:${src[t.NUMERICIDENTIFIERLOOSE]}|${src[t.NONNUMERICIDENTIFIER]})`); // ## Pre-release Version // Hyphen, followed by one or more dot-separated pre-release version // identifiers. createToken('PRERELEASE', `(?:-(${src[t.PRERELEASEIDENTIFIER]}(?:\\.${src[t.PRERELEASEIDENTIFIER]})*))`); createToken('PRERELEASELOOSE', `(?:-?(${src[t.PRERELEASEIDENTIFIERLOOSE]}(?:\\.${src[t.PRERELEASEIDENTIFIERLOOSE]})*))`); // ## Build Metadata Identifier // Any combination of digits, letters, or hyphens. createToken('BUILDIDENTIFIER', `${LETTERDASHNUMBER}+`); // ## Build Metadata // Plus sign, followed by one or more period-separated build metadata // identifiers. createToken('BUILD', `(?:\\+(${src[t.BUILDIDENTIFIER]}(?:\\.${src[t.BUILDIDENTIFIER]})*))`); // ## Full Version String // A main version, followed optionally by a pre-release version and // build metadata. // Note that the only major, minor, patch, and pre-release sections of // the version string are capturing groups. The build metadata is not a // capturing group, because it should not ever be used in version // comparison. createToken('FULLPLAIN', `v?${src[t.MAINVERSION]}${src[t.PRERELEASE]}?${src[t.BUILD]}?`); createToken('FULL', `^${src[t.FULLPLAIN]}$`); // like full, but allows v1.2.3 and =1.2.3, which people do sometimes. // also, 1.0.0alpha1 (prerelease without the hyphen) which is pretty // common in the npm registry. createToken('LOOSEPLAIN', `[v=\\s]*${src[t.MAINVERSIONLOOSE]}${src[t.PRERELEASELOOSE]}?${src[t.BUILD]}?`); createToken('LOOSE', `^${src[t.LOOSEPLAIN]}$`); createToken('GTLT', '((?:<|>)?=?)'); // Something like "2.*" or "1.2.x". // Note that "x.x" is a valid xRange identifer, meaning "any version" // Only the first item is strictly required. createToken('XRANGEIDENTIFIERLOOSE', `${src[t.NUMERICIDENTIFIERLOOSE]}|x|X|\\*`); createToken('XRANGEIDENTIFIER', `${src[t.NUMERICIDENTIFIER]}|x|X|\\*`); createToken('XRANGEPLAIN', `[v=\\s]*(${src[t.XRANGEIDENTIFIER]})` + `(?:\\.(${src[t.XRANGEIDENTIFIER]})` + `(?:\\.(${src[t.XRANGEIDENTIFIER]})` + `(?:${src[t.PRERELEASE]})?${src[t.BUILD]}?` + `)?)?`); createToken('XRANGEPLAINLOOSE', `[v=\\s]*(${src[t.XRANGEIDENTIFIERLOOSE]})` + `(?:\\.(${src[t.XRANGEIDENTIFIERLOOSE]})` + `(?:\\.(${src[t.XRANGEIDENTIFIERLOOSE]})` + `(?:${src[t.PRERELEASELOOSE]})?${src[t.BUILD]}?` + `)?)?`); createToken('XRANGE', `^${src[t.GTLT]}\\s*${src[t.XRANGEPLAIN]}$`); createToken('XRANGELOOSE', `^${src[t.GTLT]}\\s*${src[t.XRANGEPLAINLOOSE]}$`); // Coercion. // Extract anything that could conceivably be a part of a valid semver createToken('COERCE', `${'(^|[^\\d])' + '(\\d{1,'}${MAX_SAFE_COMPONENT_LENGTH}})` + `(?:\\.(\\d{1,${MAX_SAFE_COMPONENT_LENGTH}}))?` + `(?:\\.(\\d{1,${MAX_SAFE_COMPONENT_LENGTH}}))?` + `(?:$|[^\\d])`); createToken('COERCERTL', src[t.COERCE], true); // Tilde ranges. // Meaning is "reasonably at or greater than" createToken('LONETILDE', '(?:~>?)'); createToken('TILDETRIM', `(\\s*)${src[t.LONETILDE]}\\s+`, true); exports.tildeTrimReplace = '$1~'; createToken('TILDE', `^${src[t.LONETILDE]}${src[t.XRANGEPLAIN]}$`); createToken('TILDELOOSE', `^${src[t.LONETILDE]}${src[t.XRANGEPLAINLOOSE]}$`); // Caret ranges. // Meaning is "at least and backwards compatible with" createToken('LONECARET', '(?:\\^)'); createToken('CARETTRIM', `(\\s*)${src[t.LONECARET]}\\s+`, true); exports.caretTrimReplace = '$1^'; createToken('CARET', `^${src[t.LONECARET]}${src[t.XRANGEPLAIN]}$`); createToken('CARETLOOSE', `^${src[t.LONECARET]}${src[t.XRANGEPLAINLOOSE]}$`); // A simple gt/lt/eq thing, or just "" to indicate "any version" createToken('COMPARATORLOOSE', `^${src[t.GTLT]}\\s*(${src[t.LOOSEPLAIN]})$|^$`); createToken('COMPARATOR', `^${src[t.GTLT]}\\s*(${src[t.FULLPLAIN]})$|^$`); // An expression to strip any whitespace between the gtlt and the thing // it modifies, so that `> 1.2.3` ==> `>1.2.3` createToken('COMPARATORTRIM', `(\\s*)${src[t.GTLT]}\\s*(${src[t.LOOSEPLAIN]}|${src[t.XRANGEPLAIN]})`, true); exports.comparatorTrimReplace = '$1$2$3'; // Something like `1.2.3 - 1.2.4` // Note that these all use the loose form, because they'll be // checked against either the strict or loose comparator form // later. createToken('HYPHENRANGE', `^\\s*(${src[t.XRANGEPLAIN]})` + `\\s+-\\s+` + `(${src[t.XRANGEPLAIN]})` + `\\s*$`); createToken('HYPHENRANGELOOSE', `^\\s*(${src[t.XRANGEPLAINLOOSE]})` + `\\s+-\\s+` + `(${src[t.XRANGEPLAINLOOSE]})` + `\\s*$`); // Star ranges basically just allow anything at all. createToken('STAR', '(<|>)?=?\\s*\\*'); // >=0.0.0 is like a star createToken('GTE0', '^\\s*>=\\s*0\\.0\\.0\\s*$'); createToken('GTE0PRE', '^\\s*>=\\s*0\\.0\\.0-0\\s*$'); })(re$1, re$1.exports); var reExports = re$1.exports; const numeric = /^[0-9]+$/; const compareIdentifiers$1 = (a, b) => { const anum = numeric.test(a); const bnum = numeric.test(b); if (anum && bnum) { a = +a; b = +b; } return a === b ? 0 : anum && !bnum ? -1 : bnum && !anum ? 1 : a < b ? -1 : 1; }; const rcompareIdentifiers = (a, b) => compareIdentifiers$1(b, a); var identifiers = { compareIdentifiers: compareIdentifiers$1, rcompareIdentifiers }; const vega_embed_module_debug = debug_1; const { MAX_LENGTH, MAX_SAFE_INTEGER } = constants; const { safeRe: re, t } = reExports; const parseOptions = parseOptions_1; const { compareIdentifiers } = identifiers; let SemVer$1 = class SemVer { constructor(version, options) { options = parseOptions(options); if (version instanceof SemVer) { if (version.loose === !!options.loose && version.includePrerelease === !!options.includePrerelease) { return version; } else { version = version.version; } } else if (typeof version !== 'string') { throw new TypeError(`Invalid version. Must be a string. Got type "${typeof version}".`); } if (version.length > MAX_LENGTH) { throw new TypeError(`version is longer than ${MAX_LENGTH} characters`); } vega_embed_module_debug('SemVer', version, options); this.options = options; this.loose = !!options.loose; // this isn't actually relevant for versions, but keep it so that we // don't run into trouble passing this.options around. this.includePrerelease = !!options.includePrerelease; const m = version.trim().match(options.loose ? re[t.LOOSE] : re[t.FULL]); if (!m) { throw new TypeError(`Invalid Version: ${version}`); } this.raw = version; // these are actually numbers this.major = +m[1]; this.minor = +m[2]; this.patch = +m[3]; if (this.major > MAX_SAFE_INTEGER || this.major < 0) { throw new TypeError('Invalid major version'); } if (this.minor > MAX_SAFE_INTEGER || this.minor < 0) { throw new TypeError('Invalid minor version'); } if (this.patch > MAX_SAFE_INTEGER || this.patch < 0) { throw new TypeError('Invalid patch version'); } // numberify any prerelease numeric ids if (!m[4]) { this.prerelease = []; } else { this.prerelease = m[4].split('.').map(id => { if (/^[0-9]+$/.test(id)) { const num = +id; if (num >= 0 && num < MAX_SAFE_INTEGER) { return num; } } return id; }); } this.build = m[5] ? m[5].split('.') : []; this.format(); } format() { this.version = `${this.major}.${this.minor}.${this.patch}`; if (this.prerelease.length) { this.version += `-${this.prerelease.join('.')}`; } return this.version; } toString() { return this.version; } compare(other) { vega_embed_module_debug('SemVer.compare', this.version, this.options, other); if (!(other instanceof SemVer)) { if (typeof other === 'string' && other === this.version) { return 0; } other = new SemVer(other, this.options); } if (other.version === this.version) { return 0; } return this.compareMain(other) || this.comparePre(other); } compareMain(other) { if (!(other instanceof SemVer)) { other = new SemVer(other, this.options); } return compareIdentifiers(this.major, other.major) || compareIdentifiers(this.minor, other.minor) || compareIdentifiers(this.patch, other.patch); } comparePre(other) { if (!(other instanceof SemVer)) { other = new SemVer(other, this.options); } // NOT having a prerelease is > having one if (this.prerelease.length && !other.prerelease.length) { return -1; } else if (!this.prerelease.length && other.prerelease.length) { return 1; } else if (!this.prerelease.length && !other.prerelease.length) { return 0; } let i = 0; do { const a = this.prerelease[i]; const b = other.prerelease[i]; vega_embed_module_debug('prerelease compare', i, a, b); if (a === undefined && b === undefined) { return 0; } else if (b === undefined) { return 1; } else if (a === undefined) { return -1; } else if (a === b) { continue; } else { return compareIdentifiers(a, b); } } while (++i); } compareBuild(other) { if (!(other instanceof SemVer)) { other = new SemVer(other, this.options); } let i = 0; do { const a = this.build[i]; const b = other.build[i]; vega_embed_module_debug('prerelease compare', i, a, b); if (a === undefined && b === undefined) { return 0; } else if (b === undefined) { return 1; } else if (a === undefined) { return -1; } else if (a === b) { continue; } else { return compareIdentifiers(a, b); } } while (++i); } // preminor will bump the version up to the next minor release, and immediately // down to pre-release. premajor and prepatch work the same way. inc(release, identifier, identifierBase) { switch (release) { case 'premajor': this.prerelease.length = 0; this.patch = 0; this.minor = 0; this.major++; this.inc('pre', identifier, identifierBase); break; case 'preminor': this.prerelease.length = 0; this.patch = 0; this.minor++; this.inc('pre', identifier, identifierBase); break; case 'prepatch': // If this is already a prerelease, it will bump to the next version // drop any prereleases that might already exist, since they are not // relevant at this point. this.prerelease.length = 0; this.inc('patch', identifier, identifierBase); this.inc('pre', identifier, identifierBase); break; // If the input is a non-prerelease version, this acts the same as // prepatch. case 'prerelease': if (this.prerelease.length === 0) { this.inc('patch', identifier, identifierBase); } this.inc('pre', identifier, identifierBase); break; case 'major': // If this is a pre-major version, bump up to the same major version. // Otherwise increment major. // 1.0.0-5 bumps to 1.0.0 // 1.1.0 bumps to 2.0.0 if (this.minor !== 0 || this.patch !== 0 || this.prerelease.length === 0) { this.major++; } this.minor = 0; this.patch = 0; this.prerelease = []; break; case 'minor': // If this is a pre-minor version, bump up to the same minor version. // Otherwise increment minor. // 1.2.0-5 bumps to 1.2.0 // 1.2.1 bumps to 1.3.0 if (this.patch !== 0 || this.prerelease.length === 0) { this.minor++; } this.patch = 0; this.prerelease = []; break; case 'patch': // If this is not a pre-release version, it will increment the patch. // If it is a pre-release it will bump up to the same patch version. // 1.2.0-5 patches to 1.2.0 // 1.2.0 patches to 1.2.1 if (this.prerelease.length === 0) { this.patch++; } this.prerelease = []; break; // This probably shouldn't be used publicly. // 1.0.0 'pre' would become 1.0.0-0 which is the wrong direction. case 'pre': { const base = Number(identifierBase) ? 1 : 0; if (!identifier && identifierBase === false) { throw new Error('invalid increment argument: identifier is empty'); } if (this.prerelease.length === 0) { this.prerelease = [base]; } else { let i = this.prerelease.length; while (--i >= 0) { if (typeof this.prerelease[i] === 'number') { this.prerelease[i]++; i = -2; } } if (i === -1) { // didn't increment anything if (identifier === this.prerelease.join('.') && identifierBase === false) { throw new Error('invalid increment argument: identifier already exists'); } this.prerelease.push(base); } } if (identifier) { // 1.2.0-beta.1 bumps to 1.2.0-beta.2, // 1.2.0-beta.fooblz or 1.2.0-beta bumps to 1.2.0-beta.0 let prerelease = [identifier, base]; if (identifierBase === false) { prerelease = [identifier]; } if (compareIdentifiers(this.prerelease[0], identifier) === 0) { if (isNaN(this.prerelease[1])) { this.prerelease = prerelease; } } else { this.prerelease = prerelease; } } break; } default: throw new Error(`invalid increment argument: ${release}`); } this.raw = this.format(); if (this.build.length) { this.raw += `+${this.build.join('.')}`; } return this; } }; var semver = SemVer$1; const SemVer = semver; const compare$6 = (a, b, loose) => new SemVer(a, loose).compare(new SemVer(b, loose)); var compare_1 = compare$6; const compare$5 = compare_1; const eq$1 = (a, b, loose) => compare$5(a, b, loose) === 0; var eq_1 = eq$1; const compare$4 = compare_1; const neq$1 = (a, b, loose) => compare$4(a, b, loose) !== 0; var neq_1 = neq$1; const compare$3 = compare_1; const gt$1 = (a, b, loose) => compare$3(a, b, loose) > 0; var gt_1 = gt$1; const compare$2 = compare_1; const gte$1 = (a, b, loose) => compare$2(a, b, loose) >= 0; var gte_1 = gte$1; const compare$1 = compare_1; const lt$1 = (a, b, loose) => compare$1(a, b, loose) < 0; var lt_1 = lt$1; const vega_embed_module_compare = compare_1; const lte$1 = (a, b, loose) => vega_embed_module_compare(a, b, loose) <= 0; var lte_1 = lte$1; const eq = eq_1; const neq = neq_1; const gt = gt_1; const gte = gte_1; const lt = lt_1; const lte = lte_1; const cmp = (a, op, b, loose) => { switch (op) { case '===': if (typeof a === 'object') { a = a.version; } if (typeof b === 'object') { b = b.version; } return a === b; case '!==': if (typeof a === 'object') { a = a.version; } if (typeof b === 'object') { b = b.version; } return a !== b; case '': case '=': case '==': return eq(a, b, loose); case '!=': return neq(a, b, loose); case '>': return gt(a, b, loose); case '>=': return gte(a, b, loose); case '<': return lt(a, b, loose); case '<=': return lte(a, b, loose); default: throw new TypeError(`Invalid operator: ${op}`); } }; var cmp_1 = cmp; var vega_embed_module_comparator; var hasRequiredComparator; function requireComparator() { if (hasRequiredComparator) return vega_embed_module_comparator; hasRequiredComparator = 1; const ANY = Symbol('SemVer ANY'); // hoisted class for cyclic dependency class Comparator { static get ANY() { return ANY; } constructor(comp, options) { options = parseOptions(options); if (comp instanceof Comparator) { if (comp.loose === !!options.loose) { return comp; } else { comp = comp.value; } } comp = comp.trim().split(/\s+/).join(' '); debug('comparator', comp, options); this.options = options; this.loose = !!options.loose; this.parse(comp); if (this.semver === ANY) { this.value = ''; } else { this.value = this.operator + this.semver.version; } debug('comp', this); } parse(comp) { const r = this.options.loose ? re[t.COMPARATORLOOSE] : re[t.COMPARATOR]; const m = comp.match(r); if (!m) { throw new TypeError(`Invalid comparator: ${comp}`); } this.operator = m[1] !== undefined ? m[1] : ''; if (this.operator === '=') { this.operator = ''; } // if it literally is just '>' or '' then allow anything. if (!m[2]) { this.semver = ANY; } else { this.semver = new SemVer(m[2], this.options.loose); } } toString() { return this.value; } test(version) { debug('Comparator.test', version, this.options.loose); if (this.semver === ANY || version === ANY) { return true; } if (typeof version === 'string') { try { version = new SemVer(version, this.options); } catch (er) { return false; } } return cmp(version, this.operator, this.semver, this.options); } intersects(comp, options) { if (!(comp instanceof Comparator)) { throw new TypeError('a Comparator is required'); } if (this.operator === '') { if (this.value === '') { return true; } return new Range(comp.value, options).test(this.value); } else if (comp.operator === '') { if (comp.value === '') { return true; } return new Range(this.value, options).test(comp.semver); } options = parseOptions(options); // Special cases where nothing can possibly be lower if (options.includePrerelease && (this.value === '<0.0.0-0' || comp.value === '<0.0.0-0')) { return false; } if (!options.includePrerelease && (this.value.startsWith('<0.0.0') || comp.value.startsWith('<0.0.0'))) { return false; } // Same direction increasing (> or >=) if (this.operator.startsWith('>') && comp.operator.startsWith('>')) { return true; } // Same direction decreasing (< or <=) if (this.operator.startsWith('<') && comp.operator.startsWith('<')) { return true; } // same SemVer and both sides are inclusive (<= or >=) if (this.semver.version === comp.semver.version && this.operator.includes('=') && comp.operator.includes('=')) { return true; } // opposite directions less than if (cmp(this.semver, '<', comp.semver, options) && this.operator.startsWith('>') && comp.operator.startsWith('<')) { return true; } // opposite directions greater than if (cmp(this.semver, '>', comp.semver, options) && this.operator.startsWith('<') && comp.operator.startsWith('>')) { return true; } return false; } } vega_embed_module_comparator = Comparator; const parseOptions = parseOptions_1; const { safeRe: re, t } = reExports; const cmp = cmp_1; const debug = debug_1; const SemVer = semver; const Range = requireRange(); return vega_embed_module_comparator; } var vega_embed_module_range; var hasRequiredRange; function requireRange() { if (hasRequiredRange) return vega_embed_module_range; hasRequiredRange = 1; // hoisted class for cyclic dependency class Range { constructor(range, options) { options = parseOptions(options); if (range instanceof Range) { if (range.loose === !!options.loose && range.includePrerelease === !!options.includePrerelease) { return range; } else { return new Range(range.raw, options); } } if (range instanceof Comparator) { // just put it in the set and return this.raw = range.value; this.set = [[range]]; this.format(); return this; } this.options = options; this.loose = !!options.loose; this.includePrerelease = !!options.includePrerelease; // First reduce all whitespace as much as possible so we do not have to rely // on potentially slow regexes like \s*. This is then stored and used for // future error messages as well. this.raw = range.trim().split(/\s+/).join(' '); // First, split on || this.set = this.raw.split('||') // map the range to a 2d array of comparators .map(r => this.parseRange(r.trim())) // throw out any comparator lists that are empty // this generally means that it was not a valid range, which is allowed // in loose mode, but will still throw if the WHOLE range is invalid. .filter(c => c.length); if (!this.set.length) { throw new TypeError(`Invalid SemVer Range: ${this.raw}`); } // if we have any that are not the null set, throw out null sets. if (this.set.length > 1) { // keep the first one, in case they're all null sets const first = this.set[0]; this.set = this.set.filter(c => !isNullSet(c[0])); if (this.set.length === 0) { this.set = [first]; } else if (this.set.length > 1) { // if we have any that are *, then the range is just * for (const c of this.set) { if (c.length === 1 && isAny(c[0])) { this.set = [c]; break; } } } } this.format(); } format() { this.range = this.set.map(comps => comps.join(' ').trim()).join('||').trim(); return this.range; } toString() { return this.range; } parseRange(range) { // memoize range parsing for performance. // this is a very hot path, and fully deterministic. const memoOpts = (this.options.includePrerelease && FLAG_INCLUDE_PRERELEASE) | (this.options.loose && FLAG_LOOSE); const memoKey = memoOpts + ':' + range; const cached = cache.get(memoKey); if (cached) { return cached; } const loose = this.options.loose; // `1.2.3 - 1.2.4` => `>=1.2.3 <=1.2.4` const hr = loose ? re[t.HYPHENRANGELOOSE] : re[t.HYPHENRANGE]; range = range.replace(hr, hyphenReplace(this.options.includePrerelease)); debug('hyphen replace', range); // `> 1.2.3 < 1.2.5` => `>1.2.3 <1.2.5` range = range.replace(re[t.COMPARATORTRIM], comparatorTrimReplace); debug('comparator trim', range); // `~ 1.2.3` => `~1.2.3` range = range.replace(re[t.TILDETRIM], tildeTrimReplace); debug('tilde trim', range); // `^ 1.2.3` => `^1.2.3` range = range.replace(re[t.CARETTRIM], caretTrimReplace); debug('caret trim', range); // At this point, the range is completely trimmed and // ready to be split into comparators. let rangeList = range.split(' ').map(comp => parseComparator(comp, this.options)).join(' ').split(/\s+/) // >=0.0.0 is equivalent to * .map(comp => replaceGTE0(comp, this.options)); if (loose) { // in loose mode, throw out any that are not valid comparators rangeList = rangeList.filter(comp => { debug('loose invalid filter', comp, this.options); return !!comp.match(re[t.COMPARATORLOOSE]); }); } debug('range list', rangeList); // if any comparators are the null set, then replace with JUST null set // if more than one comparator, remove any * comparators // also, don't include the same comparator more than once const rangeMap = new Map(); const comparators = rangeList.map(comp => new Comparator(comp, this.options)); for (const comp of comparators) { if (isNullSet(comp)) { return [comp]; } rangeMap.set(comp.value, comp); } if (rangeMap.size > 1 && rangeMap.has('')) { rangeMap.delete(''); } const result = [...rangeMap.values()]; cache.set(memoKey, result); return result; } intersects(range, options) { if (!(range instanceof Range)) { throw new TypeError('a Range is required'); } return this.set.some(thisComparators => { return isSatisfiable(thisComparators, options) && range.set.some(rangeComparators => { return isSatisfiable(rangeComparators, options) && thisComparators.every(thisComparator => { return rangeComparators.every(rangeComparator => { return thisComparator.intersects(rangeComparator, options); }); }); }); }); } // if ANY of the sets match ALL of its comparators, then pass test(version) { if (!version) { return false; } if (typeof version === 'string') { try { version = new SemVer(version, this.options); } catch (er) { return false; } } for (let i = 0; i < this.set.length; i++) { if (testSet(this.set[i], version, this.options)) { return true; } } return false; } } vega_embed_module_range = Range; const LRU = vega_embed_module_lruCache; const cache = new LRU({ max: 1000 }); const parseOptions = parseOptions_1; const Comparator = requireComparator(); const debug = debug_1; const SemVer = semver; const { safeRe: re, t, comparatorTrimReplace, tildeTrimReplace, caretTrimReplace } = reExports; const { FLAG_INCLUDE_PRERELEASE, FLAG_LOOSE } = constants; const isNullSet = c => c.value === '<0.0.0-0'; const isAny = c => c.value === ''; // take a set of comparators and determine whether there // exists a version which can satisfy it const isSatisfiable = (comparators, options) => { let result = true; const remainingComparators = comparators.slice(); let testComparator = remainingComparators.pop(); while (result && remainingComparators.length) { result = remainingComparators.every(otherComparator => { return testComparator.intersects(otherComparator, options); }); testComparator = remainingComparators.pop(); } return result; }; // comprised of xranges, tildes, stars, and gtlt's at this point. // already replaced the hyphen ranges // turn into a set of JUST comparators. const parseComparator = (comp, options) => { debug('comp', comp, options); comp = replaceCarets(comp, options); debug('caret', comp); comp = replaceTildes(comp, options); debug('tildes', comp); comp = replaceXRanges(comp, options); debug('xrange', comp); comp = replaceStars(comp, options); debug('stars', comp); return comp; }; const isX = id => !id || id.toLowerCase() === 'x' || id === '*'; // ~, ~> --> * (any, kinda silly) // ~2, ~2.x, ~2.x.x, ~>2, ~>2.x ~>2.x.x --> >=2.0.0 <3.0.0-0 // ~2.0, ~2.0.x, ~>2.0, ~>2.0.x --> >=2.0.0 <2.1.0-0 // ~1.2, ~1.2.x, ~>1.2, ~>1.2.x --> >=1.2.0 <1.3.0-0 // ~1.2.3, ~>1.2.3 --> >=1.2.3 <1.3.0-0 // ~1.2.0, ~>1.2.0 --> >=1.2.0 <1.3.0-0 // ~0.0.1 --> >=0.0.1 <0.1.0-0 const replaceTildes = (comp, options) => { return comp.trim().split(/\s+/).map(c => replaceTilde(c, options)).join(' '); }; const replaceTilde = (comp, options) => { const r = options.loose ? re[t.TILDELOOSE] : re[t.TILDE]; return comp.replace(r, (_, M, m, p, pr) => { debug('tilde', comp, _, M, m, p, pr); let ret; if (isX(M)) { ret = ''; } else if (isX(m)) { ret = `>=${M}.0.0 <${+M + 1}.0.0-0`; } else if (isX(p)) { // ~1.2 == >=1.2.0 <1.3.0-0 ret = `>=${M}.${m}.0 <${M}.${+m + 1}.0-0`; } else if (pr) { debug('replaceTilde pr', pr); ret = `>=${M}.${m}.${p}-${pr} <${M}.${+m + 1}.0-0`; } else { // ~1.2.3 == >=1.2.3 <1.3.0-0 ret = `>=${M}.${m}.${p} <${M}.${+m + 1}.0-0`; } debug('tilde return', ret); return ret; }); }; // ^ --> * (any, kinda silly) // ^2, ^2.x, ^2.x.x --> >=2.0.0 <3.0.0-0 // ^2.0, ^2.0.x --> >=2.0.0 <3.0.0-0 // ^1.2, ^1.2.x --> >=1.2.0 <2.0.0-0 // ^1.2.3 --> >=1.2.3 <2.0.0-0 // ^1.2.0 --> >=1.2.0 <2.0.0-0 // ^0.0.1 --> >=0.0.1 <0.0.2-0 // ^0.1.0 --> >=0.1.0 <0.2.0-0 const replaceCarets = (comp, options) => { return comp.trim().split(/\s+/).map(c => replaceCaret(c, options)).join(' '); }; const replaceCaret = (comp, options) => { debug('caret', comp, options); const r = options.loose ? re[t.CARETLOOSE] : re[t.CARET]; const z = options.includePrerelease ? '-0' : ''; return comp.replace(r, (_, M, m, p, pr) => { debug('caret', comp, _, M, m, p, pr); let ret; if (isX(M)) { ret = ''; } else if (isX(m)) { ret = `>=${M}.0.0${z} <${+M + 1}.0.0-0`; } else if (isX(p)) { if (M === '0') { ret = `>=${M}.${m}.0${z} <${M}.${+m + 1}.0-0`; } else { ret = `>=${M}.${m}.0${z} <${+M + 1}.0.0-0`; } } else if (pr) { debug('replaceCaret pr', pr); if (M === '0') { if (m === '0') { ret = `>=${M}.${m}.${p}-${pr} <${M}.${m}.${+p + 1}-0`; } else { ret = `>=${M}.${m}.${p}-${pr} <${M}.${+m + 1}.0-0`; } } else { ret = `>=${M}.${m}.${p}-${pr} <${+M + 1}.0.0-0`; } } else { debug('no pr'); if (M === '0') { if (m === '0') { ret = `>=${M}.${m}.${p}${z} <${M}.${m}.${+p + 1}-0`; } else { ret = `>=${M}.${m}.${p}${z} <${M}.${+m + 1}.0-0`; } } else { ret = `>=${M}.${m}.${p} <${+M + 1}.0.0-0`; } } debug('caret return', ret); return ret; }); }; const replaceXRanges = (comp, options) => { debug('replaceXRanges', comp, options); return comp.split(/\s+/).map(c => replaceXRange(c, options)).join(' '); }; const replaceXRange = (comp, options) => { comp = comp.trim(); const r = options.loose ? re[t.XRANGELOOSE] : re[t.XRANGE]; return comp.replace(r, (ret, gtlt, M, m, p, pr) => { debug('xRange', comp, ret, gtlt, M, m, p, pr); const xM = isX(M); const xm = xM || isX(m); const xp = xm || isX(p); const anyX = xp; if (gtlt === '=' && anyX) { gtlt = ''; } // if we're including prereleases in the match, then we need // to fix this to -0, the lowest possible prerelease value pr = options.includePrerelease ? '-0' : ''; if (xM) { if (gtlt === '>' || gtlt === '<') { // nothing is allowed ret = '<0.0.0-0'; } else { // nothing is forbidden ret = '*'; } } else if (gtlt && anyX) { // we know patch is an x, because we have any x at all. // replace X with 0 if (xm) { m = 0; } p = 0; if (gtlt === '>') { // >1 => >=2.0.0 // >1.2 => >=1.3.0 gtlt = '>='; if (xm) { M = +M + 1; m = 0; p = 0; } else { m = +m + 1; p = 0; } } else if (gtlt === '<=') { // <=0.7.x is actually <0.8.0, since any 0.7.x should // pass. Similarly, <=7.x is actually <8.0.0, etc. gtlt = '<'; if (xm) { M = +M + 1; } else { m = +m + 1; } } if (gtlt === '<') { pr = '-0'; } ret = `${gtlt + M}.${m}.${p}${pr}`; } else if (xm) { ret = `>=${M}.0.0${pr} <${+M + 1}.0.0-0`; } else if (xp) { ret = `>=${M}.${m}.0${pr} <${M}.${+m + 1}.0-0`; } debug('xRange return', ret); return ret; }); }; // Because * is AND-ed with everything else in the comparator, // and '' means "any version", just remove the *s entirely. const replaceStars = (comp, options) => { debug('replaceStars', comp, options); // Looseness is ignored here. star is always as loose as it gets! return comp.trim().replace(re[t.STAR], ''); }; const replaceGTE0 = (comp, options) => { debug('replaceGTE0', comp, options); return comp.trim().replace(re[options.includePrerelease ? t.GTE0PRE : t.GTE0], ''); }; // This function is passed to string.replace(re[t.HYPHENRANGE]) // M, m, patch, prerelease, build // 1.2 - 3.4.5 => >=1.2.0 <=3.4.5 // 1.2.3 - 3.4 => >=1.2.0 <3.5.0-0 Any 3.4.x will do // 1.2 - 3.4 => >=1.2.0 <3.5.0-0 const hyphenReplace = incPr => ($0, from, fM, fm, fp, fpr, fb, to, tM, tm, tp, tpr, tb) => { if (isX(fM)) { from = ''; } else if (isX(fm)) { from = `>=${fM}.0.0${incPr ? '-0' : ''}`; } else if (isX(fp)) { from = `>=${fM}.${fm}.0${incPr ? '-0' : ''}`; } else if (fpr) { from = `>=${from}`; } else { from = `>=${from}${incPr ? '-0' : ''}`; } if (isX(tM)) { to = ''; } else if (isX(tm)) { to = `<${+tM + 1}.0.0-0`; } else if (isX(tp)) { to = `<${tM}.${+tm + 1}.0-0`; } else if (tpr) { to = `<=${tM}.${tm}.${tp}-${tpr}`; } else if (incPr) { to = `<${tM}.${tm}.${+tp + 1}-0`; } else { to = `<=${to}`; } return `${from} ${to}`.trim(); }; const testSet = (set, version, options) => { for (let i = 0; i < set.length; i++) { if (!set[i].test(version)) { return false; } } if (version.prerelease.length && !options.includePrerelease) { // Find the set of versions that are allowed to have prereleases // For example, ^1.2.3-pr.1 desugars to >=1.2.3-pr.1 <2.0.0 // That should allow `1.2.3-pr.2` to pass. // However, `1.2.4-alpha.notready` should NOT be allowed, // even though it's within the range set by the comparators. for (let i = 0; i < set.length; i++) { debug(set[i].semver); if (set[i].semver === Comparator.ANY) { continue; } if (set[i].semver.prerelease.length > 0) { const allowed = set[i].semver; if (allowed.major === version.major && allowed.minor === version.minor && allowed.patch === version.patch) { return true; } } } // Version has a -pre, but it's not one of the ones we like. return false; } return true; }; return vega_embed_module_range; } const Range = requireRange(); const satisfies = (version, range, options) => { try { range = new Range(range, options); } catch (er) { return false; } return range.test(version); }; var satisfies_1 = satisfies; var satisfies$1 = /*@__PURE__*/getDefaultExportFromCjs(satisfies_1); /** * Open editor url in a new window, and pass a message. */ function post (window, url, data) { // eslint-disable-next-line @typescript-eslint/no-non-null-assertion const editor = window.open(url); const wait = 10_000; const step = 250; const { origin } = new URL(url); // eslint-disable-next-line no-bitwise let count = ~~(wait / step); function listen(evt) { if (evt.source === editor) { count = 0; window.removeEventListener('message', listen, false); } } window.addEventListener('message', listen, false); // send message // periodically resend until ack received or timeout function send() { if (count <= 0) { return; } editor.postMessage(data, origin); setTimeout(send, step); count -= 1; } setTimeout(send, step); } // generated with build-style.sh var embedStyle = `.vega-embed { position: relative; display: inline-block; box-sizing: border-box; } .vega-embed.has-actions { padding-right: 38px; } .vega-embed details:not([open]) > :not(summary) { display: none !important; } .vega-embed summary { list-style: none; position: absolute; top: 0; right: 0; padding: 6px; z-index: 1000; background: white; box-shadow: 1px 1px 3px rgba(0, 0, 0, 0.1); color: #1b1e23; border: 1px solid #aaa; border-radius: 999px; opacity: 0.2; transition: opacity 0.4s ease-in; cursor: pointer; line-height: 0px; } .vega-embed summary::-webkit-details-marker { display: none; } .vega-embed summary:active { box-shadow: #aaa 0px 0px 0px 1px inset; } .vega-embed summary svg { width: 14px; height: 14px; } .vega-embed details[open] summary { opacity: 0.7; } .vega-embed:hover summary, .vega-embed:focus-within summary { opacity: 1 !important; transition: opacity 0.2s ease; } .vega-embed .vega-actions { position: absolute; z-index: 1001; top: 35px; right: -9px; display: flex; flex-direction: column; padding-bottom: 8px; padding-top: 8px; border-radius: 4px; box-shadow: 0 2px 8px 0 rgba(0, 0, 0, 0.2); border: 1px solid #d9d9d9; background: white; animation-duration: 0.15s; animation-name: scale-in; animation-timing-function: cubic-bezier(0.2, 0, 0.13, 1.5); text-align: left; } .vega-embed .vega-actions a { padding: 8px 16px; font-family: sans-serif; font-size: 14px; font-weight: 600; white-space: nowrap; color: #434a56; text-decoration: none; } .vega-embed .vega-actions a:hover, .vega-embed .vega-actions a:focus { background-color: #f7f7f9; color: black; } .vega-embed .vega-actions::before, .vega-embed .vega-actions::after { content: ""; display: inline-block; position: absolute; } .vega-embed .vega-actions::before { left: auto; right: 14px; top: -16px; border: 8px solid rgba(0, 0, 0, 0); border-bottom-color: #d9d9d9; } .vega-embed .vega-actions::after { left: auto; right: 15px; top: -14px; border: 7px solid rgba(0, 0, 0, 0); border-bottom-color: #fff; } .vega-embed .chart-wrapper.fit-x { width: 100%; } .vega-embed .chart-wrapper.fit-y { height: 100%; } .vega-embed-wrapper { max-width: 100%; overflow: auto; padding-right: 14px; } @keyframes scale-in { from { opacity: 0; transform: scale(0.6); } to { opacity: 1; transform: scale(1); } } `; function vega_embed_module_mergeDeep(dest, ...src) { for (const s of src) { vega_embed_module_deepMerge_(dest, s); } return dest; } function vega_embed_module_deepMerge_(dest, src) { for (const property of Object.keys(src)) { writeConfig(dest, property, src[property], true); } } var vega_embed_module_name = "vega-embed"; var vega_embed_module_version$1 = "6.23.0"; var vega_embed_module_description = "Publish Vega visualizations as embedded web components."; var vega_embed_module_keywords = ["vega", "data", "visualization", "component", "embed"]; var vega_embed_module_repository = { type: "git", url: "http://github.com/vega/vega-embed.git" }; var vega_embed_module_author = { name: "UW Interactive Data Lab", url: "http://idl.cs.washington.edu" }; var vega_embed_module_contributors = [{ name: "Dominik Moritz", url: "https://www.domoritz.de" }]; var vega_embed_module_bugs = { url: "https://github.com/vega/vega-embed/issues" }; var vega_embed_module_homepage = "https://github.com/vega/vega-embed#readme"; var vega_embed_module_license = "BSD-3-Clause"; var vega_embed_module_main = "build/vega-embed.js"; var vega_embed_module_module = "build/vega-embed.module.js"; var vega_embed_module_unpkg = "build/vega-embed.min.js"; var vega_embed_module_jsdelivr = "build/vega-embed.min.js"; var vega_embed_module_types = "build/vega-embed.module.d.ts"; var vega_embed_module_files = ["src", "build", "patches"]; var vega_embed_module_devDependencies = { "@babel/core": "^7.22.9", "@babel/plugin-proposal-async-generator-functions": "^7.20.7", "@babel/plugin-proposal-json-strings": "^7.18.6", "@babel/plugin-proposal-object-rest-spread": "^7.20.7", "@babel/plugin-proposal-optional-catch-binding": "^7.18.6", "@babel/plugin-transform-runtime": "^7.22.9", "@babel/preset-env": "^7.22.9", "@babel/preset-typescript": "^7.22.5", "@release-it/conventional-changelog": "^7.0.0", "@rollup/plugin-commonjs": "25.0.4", "@rollup/plugin-json": "^6.0.0", "@rollup/plugin-node-resolve": "^15.1.0", "@rollup/plugin-terser": "^0.4.3", "@types/semver": "^7.5.0", "@typescript-eslint/eslint-plugin": "^6.2.0", "@typescript-eslint/parser": "^6.2.0", "browser-sync": "^2.29.3", concurrently: "^8.2.0", "del-cli": "^5.0.0", eslint: "^8.46.0", "eslint-config-prettier": "^9.0.0", "eslint-plugin-jest": "^27.2.3", "eslint-plugin-prettier": "^5.0.0", jest: "^29.6.2", "jest-canvas-mock": "^2.5.2", "jest-environment-jsdom": "^29.6.2", "patch-package": "^8.0.0", "postinstall-postinstall": "^2.1.0", prettier: "^3.0.0", "release-it": "^16.1.3", rollup: "3.29.1", "rollup-plugin-bundle-size": "^1.0.3", "rollup-plugin-ts": "^3.2.0", sass: "^1.64.1", typescript: "^5.1.6", vega: "^5.22.1", "vega-lite": "^5.2.0" }; var vega_embed_module_peerDependencies = { vega: "^5.21.0", "vega-lite": "*" }; var vega_embed_module_dependencies = { "fast-json-patch": "^3.1.1", "json-stringify-pretty-compact": "^3.0.0", semver: "^7.5.4", tslib: "^2.6.1", "vega-interpreter": "^1.0.5", "vega-schema-url-parser": "^2.2.0", "vega-themes": "^2.14.0", "vega-tooltip": "^0.33.0" }; var bundledDependencies = ["yallist"]; var vega_embed_module_scripts = { prebuild: "yarn clean && yarn build:style", build: "rollup -c", "build:style": "./build-style.sh", clean: "del-cli build src/style.ts", prepublishOnly: "yarn clean && yarn build", preversion: "yarn lint && yarn test", serve: "browser-sync start --directory -s -f build *.html", start: "yarn build && concurrently --kill-others -n Server,Rollup 'yarn serve' 'rollup -c -w'", pretest: "yarn build:style", test: "jest", "test:inspect": "node --inspect-brk ./node_modules/.bin/jest --runInBand", prettierbase: "prettier '*.{css,scss,html}'", format: "eslint . --fix && yarn prettierbase --write", lint: "eslint . && yarn prettierbase --check", release: "release-it" }; var vega_embed_module_pkg = { name: vega_embed_module_name, version: vega_embed_module_version$1, description: vega_embed_module_description, keywords: vega_embed_module_keywords, repository: vega_embed_module_repository, author: vega_embed_module_author, contributors: vega_embed_module_contributors, bugs: vega_embed_module_bugs, homepage: vega_embed_module_homepage, license: vega_embed_module_license, main: vega_embed_module_main, module: vega_embed_module_module, unpkg: vega_embed_module_unpkg, jsdelivr: vega_embed_module_jsdelivr, types: vega_embed_module_types, files: vega_embed_module_files, devDependencies: vega_embed_module_devDependencies, peerDependencies: vega_embed_module_peerDependencies, dependencies: vega_embed_module_dependencies, bundledDependencies: bundledDependencies, scripts: vega_embed_module_scripts }; function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly && (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; } function _objectSpread(target) { for (var i = 1; i < arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; } const vega_embed_module_version = vega_embed_module_pkg.version; const vega = vega_module_namespaceObject; let vegaLite = src_namespaceObject; // For backwards compatibility with Vega-Lite before v4. const vega_embed_module_w = typeof window !== 'undefined' ? window : undefined; if (vegaLite === undefined && vega_embed_module_w?.vl?.compile) { vegaLite = vega_embed_module_w.vl; } const DEFAULT_ACTIONS = { export: { svg: true, png: true }, source: true, compiled: true, editor: true }; const I18N = { CLICK_TO_VIEW_ACTIONS: 'Click to view actions', COMPILED_ACTION: 'View Compiled Vega', EDITOR_ACTION: 'Open in Vega Editor', PNG_ACTION: 'Save as PNG', SOURCE_ACTION: 'View Source', SVG_ACTION: 'Save as SVG' }; const NAMES = { vega: 'Vega', 'vega-lite': 'Vega-Lite' }; const VERSION = { vega: vega.version, 'vega-lite': vegaLite ? vegaLite.version : 'not available' }; const PREPROCESSOR = { vega: vgSpec => vgSpec, 'vega-lite': (vlSpec, config) => vegaLite.compile(vlSpec, { config: config }).spec }; const SVG_CIRCLES = ` `; const CHART_WRAPPER_CLASS = 'chart-wrapper'; function isTooltipHandler(h) { return typeof h === 'function'; } function viewSource(source, sourceHeader, sourceFooter, mode) { const header = `${sourceHeader}
`;
  const footer = `
${sourceFooter}`; // eslint-disable-next-line @typescript-eslint/no-non-null-assertion const win = window.open(''); win.document.write(header + source + footer); win.document.title = `${NAMES[mode]} JSON Source`; } /** * Try to guess the type of spec. * * @param spec Vega or Vega-Lite spec. */ function guessMode(spec, providedMode) { // Decide mode if (spec.$schema) { const parsed = parser_module(spec.$schema); if (providedMode && providedMode !== parsed.library) { console.warn(`The given visualization spec is written in ${NAMES[parsed.library]}, but mode argument sets ${NAMES[providedMode] ?? providedMode}.`); } const mode = parsed.library; if (!satisfies$1(VERSION[mode], `^${parsed.version.slice(1)}`)) { console.warn(`The input spec uses ${NAMES[mode]} ${parsed.version}, but the current version of ${NAMES[mode]} is v${VERSION[mode]}.`); } return mode; } // try to guess from the provided spec if ('mark' in spec || 'encoding' in spec || 'layer' in spec || 'hconcat' in spec || 'vconcat' in spec || 'facet' in spec || 'repeat' in spec) { return 'vega-lite'; } if ('marks' in spec || 'signals' in spec || 'scales' in spec || 'axes' in spec) { return 'vega'; } return providedMode ?? 'vega'; } function isLoader(o) { return !!(o && 'load' in o); } function createLoader(opts) { return isLoader(opts) ? opts : vega.loader(opts); } function embedOptionsFromUsermeta(parsedSpec) { const opts = parsedSpec.usermeta?.embedOptions ?? {}; if (vega_util_module_isString(opts.defaultStyle)) { // we don't allow styles set via usermeta since it would allow injection of logic (we set the style via innerHTML) opts.defaultStyle = false; } return opts; } /** * Embed a Vega visualization component in a web page. This function returns a promise. * * @param el DOM element in which to place component (DOM node or CSS selector). * @param spec String : A URL string from which to load the Vega specification. * Object : The Vega/Vega-Lite specification as a parsed JSON object. * @param opts A JavaScript object containing options for embedding. */ async function vega_embed_module_embed(el, spec, opts = {}) { let parsedSpec; let loader; if (vega_util_module_isString(spec)) { loader = createLoader(opts.loader); parsedSpec = JSON.parse(await loader.load(spec)); } else { parsedSpec = spec; } const loadedEmbedOptions = embedOptionsFromUsermeta(parsedSpec); const usermetaLoader = loadedEmbedOptions.loader; // either create the loader for the first time or create a new loader if the spec has new loader options if (!loader || usermetaLoader) { loader = createLoader(opts.loader ?? usermetaLoader); } const usermetaOpts = await loadOpts(loadedEmbedOptions, loader); const parsedOpts = await loadOpts(opts, loader); const mergedOpts = _objectSpread(_objectSpread({}, vega_embed_module_mergeDeep(parsedOpts, usermetaOpts)), {}, { config: mergeConfig(parsedOpts.config ?? {}, usermetaOpts.config ?? {}) }); return await _embed(el, parsedSpec, mergedOpts, loader); } async function loadOpts(opt, loader) { const config = vega_util_module_isString(opt.config) ? JSON.parse(await loader.load(opt.config)) : opt.config ?? {}; const patch = vega_util_module_isString(opt.patch) ? JSON.parse(await loader.load(opt.patch)) : opt.patch; return _objectSpread(_objectSpread(_objectSpread({}, opt), patch ? { patch } : {}), config ? { config } : {}); } function getRoot(el) { const possibleRoot = el.getRootNode ? el.getRootNode() : document; return possibleRoot instanceof ShadowRoot ? { root: possibleRoot, rootContainer: possibleRoot } : { root: document, rootContainer: document.head ?? document.body }; } async function _embed(el, spec, opts = {}, loader) { const config = opts.theme ? mergeConfig(vega_themes_module_namespaceObject[opts.theme], opts.config ?? {}) : opts.config; const actions = isBoolean(opts.actions) ? opts.actions : vega_embed_module_mergeDeep({}, DEFAULT_ACTIONS, opts.actions ?? {}); const i18n = _objectSpread(_objectSpread({}, I18N), opts.i18n); const renderer = opts.renderer ?? 'canvas'; const logLevel = opts.logLevel ?? vega.Warn; const downloadFileName = opts.downloadFileName ?? 'visualization'; const element = typeof el === 'string' ? document.querySelector(el) : el; if (!element) { throw new Error(`${el} does not exist`); } if (opts.defaultStyle !== false) { const ID = 'vega-embed-style'; const { root, rootContainer } = getRoot(element); if (!root.getElementById(ID)) { const style = document.createElement('style'); style.id = ID; style.innerHTML = opts.defaultStyle === undefined || opts.defaultStyle === true ? (embedStyle ).toString() : opts.defaultStyle; rootContainer.appendChild(style); } } const mode = guessMode(spec, opts.mode); let vgSpec = PREPROCESSOR[mode](spec, config); if (mode === 'vega-lite') { if (vgSpec.$schema) { const parsed = parser_module(vgSpec.$schema); if (!satisfies$1(VERSION.vega, `^${parsed.version.slice(1)}`)) { console.warn(`The compiled spec uses Vega ${parsed.version}, but current version is v${VERSION.vega}.`); } } } element.classList.add('vega-embed'); if (actions) { element.classList.add('has-actions'); } element.innerHTML = ''; // clear container let container = element; if (actions) { const chartWrapper = document.createElement('div'); chartWrapper.classList.add(CHART_WRAPPER_CLASS); element.appendChild(chartWrapper); container = chartWrapper; } const patch = opts.patch; if (patch) { vgSpec = patch instanceof Function ? patch(vgSpec) : applyPatch(vgSpec, patch, true, false).newDocument; } // Set locale. Note that this is a global setting. if (opts.formatLocale) { vega.formatLocale(opts.formatLocale); } if (opts.timeFormatLocale) { vega.timeFormatLocale(opts.timeFormatLocale); } // Set custom expression functions if (opts.expressionFunctions) { for (const name in opts.expressionFunctions) { const expressionFunction = opts.expressionFunctions[name]; if ('fn' in expressionFunction) { vega.expressionFunction(name, expressionFunction.fn, expressionFunction['visitor']); } else if (expressionFunction instanceof Function) { vega.expressionFunction(name, expressionFunction); } } } const { ast } = opts; // Do not apply the config to Vega when we have already applied it to Vega-Lite. // This call may throw an Error if parsing fails. const runtime = vega.parse(vgSpec, mode === 'vega-lite' ? {} : config, { ast }); const view = new (opts.viewClass || vega.View)(runtime, _objectSpread({ loader, logLevel, renderer }, ast ? { expr: vega.expressionInterpreter ?? opts.expr ?? vega_interpreter_module_expression } : {})); view.addSignalListener('autosize', (_, autosize) => { const { type } = autosize; if (type == 'fit-x') { container.classList.add('fit-x'); container.classList.remove('fit-y'); } else if (type == 'fit-y') { container.classList.remove('fit-x'); container.classList.add('fit-y'); } else if (type == 'fit') { container.classList.add('fit-x', 'fit-y'); } else { container.classList.remove('fit-x', 'fit-y'); } }); if (opts.tooltip !== false) { const handler = isTooltipHandler(opts.tooltip) ? opts.tooltip : // user provided boolean true or tooltip options new vega_tooltip_module_Handler(opts.tooltip === true ? {} : opts.tooltip).call; view.tooltip(handler); } let { hover } = opts; if (hover === undefined) { hover = mode === 'vega'; } if (hover) { const { hoverSet, updateSet } = typeof hover === 'boolean' ? {} : hover; view.hover(hoverSet, updateSet); } if (opts) { if (opts.width != null) { view.width(opts.width); } if (opts.height != null) { view.height(opts.height); } if (opts.padding != null) { view.padding(opts.padding); } } await view.initialize(container, opts.bind).runAsync(); let documentClickHandler; if (actions !== false) { let wrapper = element; if (opts.defaultStyle !== false || opts.forceActionsMenu) { const details = document.createElement('details'); details.title = i18n.CLICK_TO_VIEW_ACTIONS; element.append(details); wrapper = details; const summary = document.createElement('summary'); summary.innerHTML = SVG_CIRCLES; details.append(summary); documentClickHandler = ev => { if (!details.contains(ev.target)) { details.removeAttribute('open'); } }; document.addEventListener('click', documentClickHandler); } const ctrl = document.createElement('div'); wrapper.append(ctrl); ctrl.classList.add('vega-actions'); // add 'Export' action if (actions === true || actions.export !== false) { for (const ext of ['svg', 'png']) { if (actions === true || actions.export === true || actions.export[ext]) { const i18nExportAction = i18n[`${ext.toUpperCase()}_ACTION`]; const exportLink = document.createElement('a'); const scaleFactor = isObject(opts.scaleFactor) ? opts.scaleFactor[ext] : opts.scaleFactor; exportLink.text = i18nExportAction; exportLink.href = '#'; exportLink.target = '_blank'; exportLink.download = `${downloadFileName}.${ext}`; // add link on mousedown so that it's correct when the click happens exportLink.addEventListener('mousedown', async function (e) { e.preventDefault(); const url = await view.toImageURL(ext, scaleFactor); this.href = url; }); ctrl.append(exportLink); } } } // add 'View Source' action if (actions === true || actions.source !== false) { const viewSourceLink = document.createElement('a'); viewSourceLink.text = i18n.SOURCE_ACTION; viewSourceLink.href = '#'; viewSourceLink.addEventListener('click', function (e) { viewSource(json_stringify_pretty_compact_default()(spec), opts.sourceHeader ?? '', opts.sourceFooter ?? '', mode); e.preventDefault(); }); ctrl.append(viewSourceLink); } // add 'View Compiled' action if (mode === 'vega-lite' && (actions === true || actions.compiled !== false)) { const compileLink = document.createElement('a'); compileLink.text = i18n.COMPILED_ACTION; compileLink.href = '#'; compileLink.addEventListener('click', function (e) { viewSource(json_stringify_pretty_compact_default()(vgSpec), opts.sourceHeader ?? '', opts.sourceFooter ?? '', 'vega'); e.preventDefault(); }); ctrl.append(compileLink); } // add 'Open in Vega Editor' action if (actions === true || actions.editor !== false) { const editorUrl = opts.editorUrl ?? 'https://vega.github.io/editor/'; const editorLink = document.createElement('a'); editorLink.text = i18n.EDITOR_ACTION; editorLink.href = '#'; editorLink.addEventListener('click', function (e) { post(window, editorUrl, { config: config, mode, renderer, spec: json_stringify_pretty_compact_default()(spec) }); e.preventDefault(); }); ctrl.append(editorLink); } } function finalize() { if (documentClickHandler) { document.removeEventListener('click', documentClickHandler); } view.finalize(); } return { view, spec, vgSpec, finalize, embedOptions: opts }; } //# sourceMappingURL=vega-embed.module.js.map /***/ }) }]); //# sourceMappingURL=5114.37b482a7abe222bcefa6.js.map?v=37b482a7abe222bcefa6