From ea498204e0e89a64e27828968a8425acaae1c281 Mon Sep 17 00:00:00 2001 From: Piotr Rozyczko Date: Mon, 14 Nov 2022 14:34:07 +0100 Subject: [PATCH 01/52] cherrypicked remaining changes from IOTake2. --- .../Interfaces/interfaceTemplate.py | 4 +- easyDiffractionLib/Profiles/P1D.py | 13 ------ easyDiffractionLib/components/phase.py | 5 +++ .../elements/Experiments/Pattern.py | 40 ++++++------------- easyDiffractionLib/sample.py | 13 +++--- pyproject.toml | 6 ++- 6 files changed, 29 insertions(+), 52 deletions(-) diff --git a/easyDiffractionLib/Interfaces/interfaceTemplate.py b/easyDiffractionLib/Interfaces/interfaceTemplate.py index e20e4d07..94b9c401 100644 --- a/easyDiffractionLib/Interfaces/interfaceTemplate.py +++ b/easyDiffractionLib/Interfaces/interfaceTemplate.py @@ -4,7 +4,7 @@ from abc import ABCMeta, abstractmethod from typing import Tuple, List from easyCore import np, borg -from easyCore.Utils.json import MSONable +from easyCore.Objects.core import ComponentSerializer exp_type_strings = { 'radiation_options': ['N', 'X'], @@ -15,7 +15,7 @@ } -class InterfaceTemplate(MSONable, metaclass=ABCMeta): +class InterfaceTemplate(ComponentSerializer, metaclass=ABCMeta): """ This class is a template and defines all properties that an interface should have. """ diff --git a/easyDiffractionLib/Profiles/P1D.py b/easyDiffractionLib/Profiles/P1D.py index 0d4935de..7e636d5f 100644 --- a/easyDiffractionLib/Profiles/P1D.py +++ b/easyDiffractionLib/Profiles/P1D.py @@ -26,19 +26,6 @@ def __init__(self, dataset): def add_simulation(self, simulation_name, simulation): self._dataset[self._simulation_prefix + simulation_name] = simulation - # @property - # def simulations(self) -> xr.Dataset: - # temp_dataset = xr.Dataset() - # for sim in self.simulation_names: - # temp_dataset[sim] = self._dataset[sim] - # return temp_dataset - # - # @property - # def simulation_names(self) -> List[str]: - # sims = [a for a in self._dataset.variables.keys() if a.startswith(self._simulation_prefix)] - # return sims - - class Powder1DExp(_DataClassBase): def __init__(self, dataset, simulation_prefix): super(Powder1DExp, self).__init__(dataset) diff --git a/easyDiffractionLib/components/phase.py b/easyDiffractionLib/components/phase.py index 63d5036b..b90b11ce 100644 --- a/easyDiffractionLib/components/phase.py +++ b/easyDiffractionLib/components/phase.py @@ -1,6 +1,7 @@ __author__ = "github.com/wardsimon" __version__ = "0.0.1" +from typing import Optional from easyCrystallography.Structures.Phase import Phase as ecPhase, Phases as ecPhases from .site import Site, Atoms @@ -52,3 +53,7 @@ def __delitem__(self, key): if self.interface is not None: self.interface().remove_phase(self, item) super(Phases, self).__delitem__(key) + + @classmethod + def from_cif_file(cls, filename, phase_class: Optional = None): + return super(Phases, cls).from_cif_file(filename, phase_class=Phase) diff --git a/easyDiffractionLib/elements/Experiments/Pattern.py b/easyDiffractionLib/elements/Experiments/Pattern.py index 25192228..ec5966d6 100644 --- a/easyDiffractionLib/elements/Experiments/Pattern.py +++ b/easyDiffractionLib/elements/Experiments/Pattern.py @@ -1,11 +1,10 @@ __author__ = 'github.com/wardsimon' __version__ = '0.0.1' -from easyCore.Objects.ObjectClasses import BaseObj, Parameter from copy import deepcopy -from easyCore.Utils.json import MontyDecoder +from typing import ClassVar, Optional, Union +from easyCore.Objects.ObjectClasses import BaseObj, Parameter from easyDiffractionLib.elements.Backgrounds.Background import BackgroundContainer -_decoder = MontyDecoder() class Pattern1D(BaseObj): @@ -36,36 +35,21 @@ class Pattern1D(BaseObj): } } + zero_shift: ClassVar[Parameter] + scale: ClassVar[Parameter] + backgrounds: ClassVar[BackgroundContainer] + def __init__(self, - zero_shift: Parameter, - scale: Parameter, - backgrounds: BackgroundContainer, + zero_shift: Optional[Union[Parameter, float]] = None, + scale: Optional[Union[Parameter, float]] = None, + backgrounds: Optional[BackgroundContainer] = None, interface=None): super().__init__(self.__class__.__name__, - zero_shift=zero_shift, scale=scale, - backgrounds=backgrounds) + zero_shift=Parameter.from_dict(self._defaults['zero_shift']), + scale=Parameter.from_dict(self._defaults['scale']), + backgrounds=BackgroundContainer()) self.name = self._name self.interface = interface - @classmethod - def from_pars(cls, - zero_shift: float = _defaults['zero_shift']['value'], - scale: float = _defaults['scale']['value'] - ): - defaults = deepcopy(cls._defaults) - defaults['zero_shift']['value'] = zero_shift - zero_shift = _decoder.process_decoded(defaults['zero_shift']) - defaults['scale']['value'] = scale - scale = _decoder.process_decoded(defaults['scale']) - backgrounds = BackgroundContainer() - return cls(zero_shift=zero_shift, scale=scale, backgrounds=backgrounds) - - @classmethod - def default(cls): - defaults = deepcopy(cls._defaults) - zero_shift = _decoder.process_decoded(defaults['zero_shift']) - scale = _decoder.process_decoded(defaults['scale']) - backgrounds = BackgroundContainer() - return cls(zero_shift=zero_shift, scale=scale, backgrounds=backgrounds) diff --git a/easyDiffractionLib/sample.py b/easyDiffractionLib/sample.py index a5baee86..a89a3a3f 100644 --- a/easyDiffractionLib/sample.py +++ b/easyDiffractionLib/sample.py @@ -21,6 +21,12 @@ class Sample(BaseObj): + _REDIRECT = { + "phases": lambda obj: getattr(obj, '_phases'), + "parameters": lambda obj: getattr(obj, '_parameters'), + "pattern": lambda obj: getattr(obj, '_pattern') + } + _phases: ClassVar[Phases] _parameters: ClassVar _pattern: ClassVar @@ -157,13 +163,6 @@ def update_bindings(self): def pattern(self): return self._pattern - def as_dict(self, skip: list = None) -> dict: - d = super(Sample, self).as_dict(skip=skip) - del d["_phases"] - del d["_parameters"] - del d["_pattern"] - return d - @property def exp_type_str(self) -> str: from easyDiffractionLib.Interfaces.types import ( diff --git a/pyproject.toml b/pyproject.toml index 48df1cb5..14ba5fdd 100644 --- a/pyproject.toml +++ b/pyproject.toml @@ -38,8 +38,10 @@ default = false [tool.poetry.dependencies] python = "^3.8, <3.11" cryspy = { git = 'https://github.com/ikibalin/cryspy.git', rev = 'bravis_type_fix' } -easyScienceCore = '>=0.2.3' -easyCrystallography = '>=0.1.2' +# easyScience +easyScienceCore = { git = 'https://github.com/easyScience/easyCore.git', rev = 'io_serialization' } +easyCrystallography = { git = 'https://github.com/easyScience/easyCrystallography.git', rev = 'io_rework' } + CFML = {version = '^0.0.1', optional=true} GSASII = {version = '^0.0.1', optional=true} From 1c2272a47355787852d99b32d8bc67e6f16208fd Mon Sep 17 00:00:00 2001 From: Piotr Rozyczko Date: Mon, 21 Nov 2022 11:06:19 +0100 Subject: [PATCH 02/52] More fixes --- easyDiffractionLib/Interfaces/cryspy.py | 2 +- easyDiffractionLib/components/phase.py | 5 +++-- easyDiffractionLib/sample.py | 2 ++ 3 files changed, 6 insertions(+), 3 deletions(-) diff --git a/easyDiffractionLib/Interfaces/cryspy.py b/easyDiffractionLib/Interfaces/cryspy.py index cde56b76..55788b29 100644 --- a/easyDiffractionLib/Interfaces/cryspy.py +++ b/easyDiffractionLib/Interfaces/cryspy.py @@ -230,7 +230,7 @@ def create(self, model): ) elif issubclass(t_, SpaceGroup): s_key = self.calculator.createSpaceGroup(key=model_key, name_hm_alt="P 1") - keys = {"_space_group_HM_name": "name_hm_alt"} + keys = {"hermann_mauguin": "name_hm_alt"} r_list.append( ItemContainer( s_key, diff --git a/easyDiffractionLib/components/phase.py b/easyDiffractionLib/components/phase.py index b90b11ce..07497371 100644 --- a/easyDiffractionLib/components/phase.py +++ b/easyDiffractionLib/components/phase.py @@ -55,5 +55,6 @@ def __delitem__(self, key): super(Phases, self).__delitem__(key) @classmethod - def from_cif_file(cls, filename, phase_class: Optional = None): - return super(Phases, cls).from_cif_file(filename, phase_class=Phase) + def from_cif_file(cls, filename): + return super(Phases, cls).from_cif_file(filename) + diff --git a/easyDiffractionLib/sample.py b/easyDiffractionLib/sample.py index a89a3a3f..76ebf94f 100644 --- a/easyDiffractionLib/sample.py +++ b/easyDiffractionLib/sample.py @@ -45,6 +45,8 @@ def __init__( phases = Phases("Phases") elif isinstance(phases, Phases): pass + elif isinstance(phases, list): + phases = Phases("Phases", phases[0]) elif isinstance(phases, ecPhases): if len(phases) > 0: phases = Phases("Phases", phases[0]) From c06b1d19469e730ab0e5c85ac5159e9121883a34 Mon Sep 17 00:00:00 2001 From: Piotr Rozyczko Date: Wed, 30 Nov 2022 14:54:36 +0100 Subject: [PATCH 03/52] Update from_cif_file signature. Added case for xml-fied phase --- easyDiffractionLib/components/phase.py | 1 - 1 file changed, 1 deletion(-) diff --git a/easyDiffractionLib/components/phase.py b/easyDiffractionLib/components/phase.py index 07497371..24c8cc4f 100644 --- a/easyDiffractionLib/components/phase.py +++ b/easyDiffractionLib/components/phase.py @@ -57,4 +57,3 @@ def __delitem__(self, key): @classmethod def from_cif_file(cls, filename): return super(Phases, cls).from_cif_file(filename) - From 027ca1cf2c67f2b70b2a9ff044c73f196aa0d833 Mon Sep 17 00:00:00 2001 From: Piotr Rozyczko Date: Fri, 2 Dec 2022 15:17:15 +0100 Subject: [PATCH 04/52] Added a crutch for updating the background dict repr with the linked experiment item --- easyDiffractionLib/elements/Backgrounds/Background.py | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/easyDiffractionLib/elements/Backgrounds/Background.py b/easyDiffractionLib/elements/Backgrounds/Background.py index 09ae180e..d4f7800a 100644 --- a/easyDiffractionLib/elements/Backgrounds/Background.py +++ b/easyDiffractionLib/elements/Backgrounds/Background.py @@ -76,8 +76,8 @@ def calculate(self, x_array: np.ndarray) -> np.ndarray: """ pass - def as_dict(self, skip: list = None) -> dict: - d = super(Background, self).as_dict(skip=skip) + def _modify_dict(self, skip: list = None) -> dict: + d = {} d['linked_experiment'] = self._linked_experiment.raw_value return d From 2d7e1047d85ac8dbb614db06afbfd344e5a1e75e Mon Sep 17 00:00:00 2001 From: Piotr Rozyczko Date: Sat, 3 Dec 2022 11:48:15 +0100 Subject: [PATCH 05/52] Switch to pre-release-fixes branch of Core --- pyproject.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/pyproject.toml b/pyproject.toml index 14ba5fdd..ab4192c6 100644 --- a/pyproject.toml +++ b/pyproject.toml @@ -39,7 +39,7 @@ default = false python = "^3.8, <3.11" cryspy = { git = 'https://github.com/ikibalin/cryspy.git', rev = 'bravis_type_fix' } # easyScience -easyScienceCore = { git = 'https://github.com/easyScience/easyCore.git', rev = 'io_serialization' } +easyScienceCore = { git = 'https://github.com/easyScience/easyCore.git', rev = 'pre-release-fixes' } easyCrystallography = { git = 'https://github.com/easyScience/easyCrystallography.git', rev = 'io_rework' } CFML = {version = '^0.0.1', optional=true} From 0021e52fc3672b93c89919c03497b64becf76ac0 Mon Sep 17 00:00:00 2001 From: Piotr Rozyczko Date: Mon, 12 Dec 2022 11:18:59 +0100 Subject: [PATCH 06/52] Corrected space group key --- easyDiffractionLib/Interfaces/cryspy.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/easyDiffractionLib/Interfaces/cryspy.py b/easyDiffractionLib/Interfaces/cryspy.py index 55788b29..cde56b76 100644 --- a/easyDiffractionLib/Interfaces/cryspy.py +++ b/easyDiffractionLib/Interfaces/cryspy.py @@ -230,7 +230,7 @@ def create(self, model): ) elif issubclass(t_, SpaceGroup): s_key = self.calculator.createSpaceGroup(key=model_key, name_hm_alt="P 1") - keys = {"hermann_mauguin": "name_hm_alt"} + keys = {"_space_group_HM_name": "name_hm_alt"} r_list.append( ItemContainer( s_key, From f185966b6e590ac58aca64dfde15f8a856f57e7e Mon Sep 17 00:00:00 2001 From: Piotr Rozyczko Date: Thu, 5 Jan 2023 13:52:12 +0100 Subject: [PATCH 07/52] initial version of the pdffit interface. Works for profile calculations. Loads cif files and pdffit-specific .gr files with experimental PDF --- easyDiffractionLib/Interfaces/__init__.py | 4 + easyDiffractionLib/Interfaces/pdffit2.py | 199 ++ easyDiffractionLib/Profiles/P1D.py | 38 + easyDiffractionLib/calculators/pdffit2.py | 61 + examples/PDF/Ni-xray.gr | 2134 +++++++++++++++++++++ examples/PDF/Ni.cif | 236 +++ examples/PDF/Ni_profile.py | 58 + 7 files changed, 2730 insertions(+) create mode 100644 easyDiffractionLib/Interfaces/pdffit2.py create mode 100644 easyDiffractionLib/calculators/pdffit2.py create mode 100644 examples/PDF/Ni-xray.gr create mode 100644 examples/PDF/Ni.cif create mode 100644 examples/PDF/Ni_profile.py diff --git a/easyDiffractionLib/Interfaces/__init__.py b/easyDiffractionLib/Interfaces/__init__.py index 04a5218b..8c38017b 100644 --- a/easyDiffractionLib/Interfaces/__init__.py +++ b/easyDiffractionLib/Interfaces/__init__.py @@ -31,5 +31,9 @@ # TODO make this a proper message (use logging?) print('Warning: GSAS-2 is not installed') +try: + from easyDiffractionLib.Interfaces.pdffit2 import Pdffit2 # noqa: F401 +except ImportError: + print('Warning: PdfFit2 is not installed') from easyDiffractionLib.Interfaces.interfaceTemplate import InterfaceTemplate diff --git a/easyDiffractionLib/Interfaces/pdffit2.py b/easyDiffractionLib/Interfaces/pdffit2.py new file mode 100644 index 00000000..dc08b86c --- /dev/null +++ b/easyDiffractionLib/Interfaces/pdffit2.py @@ -0,0 +1,199 @@ +__author__ = "github.com/arm61" + +from typing import Callable, Optional, TYPE_CHECKING, List, Union + +import numpy as np + +from diffpy.utils.parsers.loaddata import loadData +from easyCore.Objects.Inferface import ItemContainer +from easyCore import borg +from easyDiffractionLib.Interfaces.interfaceTemplate import InterfaceTemplate +from easyDiffractionLib.calculators.pdffit2 import Pdffit2 as Pdffit2_calc +from easyDiffractionLib import Lattice, SpaceGroup, Site, Phases, Phase +from easyDiffractionLib.Profiles.P1D import ( + Instrument1DCWParameters, + Instrument1DTOFParameters, + Instrument1DCWPolParameters, + Powder1DParameters, + PDFParameters, +) + +if TYPE_CHECKING: + from easyCore.Utils.typing import B + +class Pdffit2(InterfaceTemplate): + """ + A simple interface using Pdffit2 + """ + + _model_link = {'scale': 'scale', 'background': 'bkg', 'resolution': 'dq'} + + name = 'Pdffit2' + + feature_available = { + "Npdf1DCWunp": True, + "Npdf1DTOFunp": True, + "Npdf1DCWpol": True, + } + + # _instrument_link = { + # "qmax": "qmax", + # "qdamp": "qdamp", + # } + + _crystal_link = { + "length_a": "length_a", + "length_b": "length_b", + "length_c": "length_c", + "angle_alpha": "angle_alpha", + "angle_beta": "angle_beta", + "angle_gamma": "angle_gamma", + } + + _instrument_link = { + 'resolution_u': 'u_resolution', + 'resolution_v': 'v_resolution', + 'resolution_w': 'w_resolution', + 'resolution_x': 'x_resolution', + 'resolution_y': 'y_resolution', + 'wavelength': 'wavelength', + "qmax": "qmax", + "qdamp": "qdamp", + } + + _atom_link = { + 'label': 'label', + 'specie': 'specie', + 'fract_x': 'fract_x', + 'fract_y': 'fract_y', + 'fract_z': 'fract_z', + 'occupancy': 'occupancy', + 'adp_type': 'adp_type', + 'Uiso': 'Uiso', + 'Biso': 'Biso', + 'Uani': 'Uani', + 'Bani': 'Bani' + } + def __init__(self): + self.calculator = Pdffit2_calc() + self._namespace = {} + self._phase = None + + def reset_storage(self): + + """ + Reset the storage area of the calculator + """ + self.calculator.reset_storage() + + @staticmethod + def feature_checker( + radiation="N", + exp_type="CW", + sample_type="powder", + dimensionality="1D", + polarization="unp", + test_str=None, + ): + return InterfaceTemplate.features( + radiation=radiation, + exp_type=exp_type, + sample_type=sample_type, + dimensionality=dimensionality, + polarization=polarization, + test_str=test_str, + FEATURES=Pdffit2.feature_available, + ) + + def create(self, model) -> List[ItemContainer]: + """ + Creation function + + :param model: Object to be created + :return: Item containers of the objects + """ + from easyDiffractionLib.sample import Sample + r_list = [] + t_ = type(model) + model_key = self.__identify(model) + print("Creating model: ", t_) + + # if issubclass(t_, PDFParameters): + # self.calculator.conditionsSet(model) + + if issubclass(t_, PDFParameters): + # self.calculator.createConditions(job_type="N") + keys = self._instrument_link.copy() + r_list.append( + ItemContainer( + model_key, + keys, + self.calculator.get_value, + self.calculator.updateCif, + ) + ) + elif issubclass(t_, Lattice): + keys = self._crystal_link.copy() + r_list.append(ItemContainer(model_key, keys, self.get_value, self.updateCif)) + + elif issubclass(t_, SpaceGroup): + keys = {"_space_group_HM_name": "_space_group_HM_name"} + r_list.append(ItemContainer(model_key, keys, self.get_value, self.updateCif)) + + elif issubclass(t_, Site): + keys = self._atom_link.copy() + r_list.append(ItemContainer(model_key, keys, self.get_value, self.updateCif)) + + elif issubclass(t_, Phases): + self._phase = model + + elif issubclass(t_, Sample): + self.updateCif() + + return r_list + + def fit_func(self, x_array: np.ndarray) -> np.ndarray: + """ + Function to perform a fit + + :param x_array: points to be calculated at + :param model_id: The model id + :return: calculated points + """ + return self.calculator.calculate(x_array) + + def get_calculated_y_for_phase(self, phase_id: int): + pass + def get_hkl(self, x_array: np.ndarray = None, idx=None, phase_name=None, encoded_name=False): + pass + def get_total_y_for_phases(self): + pass + def link_atom(self, crystal_obj, atom): + pass + def remove_atom(self, crystal_obj, atom): + pass + + def get_value(self, key, item_key): + item = borg.map.get_item_by_key(key) + if item_key in ["Uiso", "Uani", "Biso", "Bani"]: + return getattr(getattr(item, "adp"), item_key).raw_value + return getattr(item, item_key).raw_value + + def updateCif(self, *args, **kwargs): + if self._phase is not None: + self.calculator.cif_string = str(self._phase.cif) + pass + + @staticmethod + def __identify(obj): + return borg.map.convert_id_to_key(obj) + + +def readGRData(filename): + """ + Read PDF experimental data from the .gr file + + :param filename: The filename + :return: The data as an nx4 array with columns: x, y, dy, dx + """ + return loadData(filename) diff --git a/easyDiffractionLib/Profiles/P1D.py b/easyDiffractionLib/Profiles/P1D.py index 0d4935de..2decb857 100644 --- a/easyDiffractionLib/Profiles/P1D.py +++ b/easyDiffractionLib/Profiles/P1D.py @@ -452,3 +452,41 @@ class Instrument1DCWPolParameters(Instrument1DCWParameters): Polarized1DTOFClasses = JobSetup( [Powder1DSim, Powder1DExp], PolPowder1DParameters, Instrument1DTOFParameters ) + +class PDFParameters(Instrument1DCWParameters): +# class PDFParameters(BaseObj): + _name = "PDFProfile" + _defaults = { + "qmax": { + "name": "Q_max", + "units": "1/Angstrom", + "value": 30.0, + "fixed": True, + }, + "qdamp": { + "name": "Q_damp", + "value": 0.01, + "fixed": True, + "enabled": False, + }, + } + + qmax: ClassVar[Parameter] + qdamp: ClassVar[Parameter] + + def __init__( + self, + qmax: Optional[Union[Parameter, float]] = None, + qdamp: Optional[Union[Parameter, float]] = None, + interface: Optional[iF] = None, + **kwargs, + ): + super(Instrument1DCWParameters, self).__init__(self.__class__.__name__) + + if qmax is not None: + self.qmax = qmax + if qdamp is not None: + self.qdamp = qdamp + + self.name = self._name + self.interface = interface diff --git a/easyDiffractionLib/calculators/pdffit2.py b/easyDiffractionLib/calculators/pdffit2.py new file mode 100644 index 00000000..9d71a165 --- /dev/null +++ b/easyDiffractionLib/calculators/pdffit2.py @@ -0,0 +1,61 @@ +from easyCore import np +from diffpy.pdffit2 import PdfFit as pdf_calc +from diffpy.structure.parsers.p_cif import P_cif as cif_parser + + +class Pdffit2: + + def __init__(self): + self.pattern = None + self.conditions = { + "qmax": 30.0, + "qdamp": 0.01, + } + self.background = None + self.storage = {} + self.current_crystal = {} + self.model = None + self.type = "N" + self.cif_string = "" + + def conditionsSet(self, model): + self.model = model + + def conditionsReturn(self, _, name): + return self.conditions.get(name) + + def calculate(self, x_array: np.ndarray) -> np.ndarray: + """ + For a given x calculate the corresponding y. + + :param x_array: array of data points to be calculated + :param model_name: Name for the model + :return: points calculated at `x` + """ + P = pdf_calc() + + structure = cif_parser().parse(self.cif_string) + P.add_structure(structure) + + # extract conditions from the model + qmax = self.model.qmax + qdamp = self.model.qdamp + + stype = self.type + + # Errors + noise_array = np.zeros(len(x_array)) + + print("QMAX: ", qmax) + print("QDAMP: ", qdamp) + # P.read_data_string(x_array, stype, qmax, qdamp) + # Assign the data to the pdf calculator + P.read_data_lists(stype, qmax, qdamp, list(x_array), list(noise_array)) + + P.calc() + + pdf = P.getpdf_fit() + + return pdf + + diff --git a/examples/PDF/Ni-xray.gr b/examples/PDF/Ni-xray.gr new file mode 100644 index 00000000..14193844 --- /dev/null +++ b/examples/PDF/Ni-xray.gr @@ -0,0 +1,2134 @@ +History written: Wed Jul 01 00:37:52 2025 +Produced by user +####### Get_XPDF ####### + +##### General_Setting +title=Ni at 300K with MAR345 Image Plate at 6-ID-DAPS Synchrotron +workingdirectory=/home/ +sourcedir=/home/local/pdfgetx2/ +logfile=.pdfgetx2.log +quiet=0 debug=0 autosave_isa=1 savefilenamebase=Ni_2-8.chi +iqfilesurfix=.iq sqfilesurfix=.sq fqfilesurfix=.fq grfilesurfix=.gr + +##### DataFileFormat +datatype=1 (0:SPEC, 1:CHI, 2:nxm column, 3:unknown) +num_skiplines=4 comment_id=# delimiter= +### SPEC Format scan_id=#S scan_delimiter= +columnname_id=#L columnname_delimiter= +data_id= data_delimiter= +### CHI Format +### nxm column Format +### End of file format + +##### Data&Background +samfile=Ni_2-8.chi.new num_sams=1 +sambkgfile= num_sambkgs=1 +confile= num_cons=1 +conbkgfile= num_conbkgs=1 +det# used xcol detcol deterrcol xmin xmax add_det mul_det add_bkg mul_bkg add_con mul_con add_conbkg mul_conbkg + 0 1 0 1 3 0.00000 35.0000 0.00000 1.00000 0.00000 0.998691 0.00000 1.00000 0.00000 1.00000 + +##### Experiment_Setup +title=Ni at 300K with MAR345 Image Plate at 6-ID-DAPS Synchrotron +user=me +facility=In house +temperature=300.000 containermut=0.0200000 filtermut=0.0200000 +## X-Ray radiationtype=3 + (0: Ag K_alpha, 1:Cu K_alpha, 2:Mo K_alpha, 3:Customize) +lambda=0.126514 energy=98.0010 polartype=2 polardegree=0.960000 +## MonoChromator crystaltype=0 (0:Perfect, 1:Mosaic, 2:None) +position=0 (0:Primary beam, 1:Diffracted beam) +dspacetype=0 (0:Si{111}, 1:Ge{111}, 2:Customize) dspacing=3.13200 + +##### Sample_Setup information num_atoms=1 +#L symbol valence fractions z user_f1 user_f2 user_macoef + Ni 0.00 1.000000 28 0.000000 0.000000 0.000000 +geometry=2 mut=0.10590000 numberdensity=0.109910 +thickness=0.00000 packingFraction=0.00000 theory_mut=0.00000 + +##### GetIQ_Setup +xformat=1 +smoothcorr_isa=0 selfnormalize_isa=0 +#L par_name sample sample_bkg container container_bkg +smooth_degree 2 2 2 2 +smooth_width 6 6 6 6 +selfnormalize 0 0 0 0 +filtercorr_isa=0 samfiltercorr_isa=0 sambkgfiltercorr_isa=0 +confiltercorr_isa=0 conbkgfiltercorr_isa=0 +scatveffcorr_isa=0 samconveffcorr_isa=1 sambkgveffcorr_isa=1 +conbkgveffcorr_isa=1 +nonegative_isa=1 negativevalue=-1.00000 + +##### Calibration_Data +## Detection efficiency energy dependence detedepxaxis=0 +detedepfunctype=0 detedep_elastic=1.00000 detedep_fluores=1.80000 +detedep_quadra=0.00000 detedep_spline=0.00000 detedep_file= +## Detector transmission energy dependence dettcoefxaxis=0 +dettcoeffunctype=0 dettcoef_elastic=0.950000 dettcoef_fluores=0.600000 +dettcoef_quadra=0.00000 dettcoef_spline=0.00000 dettcoef_file= + +##### IQ_Simulation +### Elastic used_isa=1 mymethod=1 +do_samabsorp=1 do_multscat=1 do_conabsorp=0 do_airabsorp=0 +do_polarization=1 do_oblincident=0 do_energydep=0 +do_breitdirac=0 breitdiracexpo=2.00000 +do_rulandwin=0 rulandwinwidth=0.00100000 +do_useredit=0 add_user=0.00000 mul_user=1.00000 +### Compton used_isa=1 mymethod=1 +do_samabsorp=1 do_multscat=1 do_conabsorp=0 do_airabsorp=0 +do_polarization=1 do_oblincident=0 do_energydep=0 +do_breitdirac=0 breitdiracexpo=2.00000 +do_rulandwin=0 rulandwinwidth=0.00100000 +do_useredit=0 add_user=0.00000 mul_user=1.00000 +### Fluores used_isa=1 mymethod=1 +do_samabsorp=1 do_multscat=1 do_conabsorp=0 do_airabsorp=0 +do_polarization=1 do_oblincident=0 do_energydep=0 +do_breitdirac=0 breitdiracexpo=2.00000 +do_rulandwin=0 rulandwinwidth=0.00100000 +do_useredit=0 add_user=0.00000 mul_user=1.00000 + +##### Correction_Setup corrmethod=0 +oblincident_isa=1 dettranscoef=0.999900 samfluore_isa=1 +samfluoretype=0 samfluorescale=0.030000000 +multiscat_isa=1 xraypolar_isa=1 samabsorp_isa=1 +highqscale_isa=1 highqratio=0.600000 scaleconst=122.37800 +scaleconst_theory=122.37800 +comptonscat_isa=1 rulandwin_isa=1 rulandintewidth=0.01000000 +comptonmethod=0 breitdirac_isa=1 breitdiracexponent=3 +detefficiency_isa=1 detefficiencytype=2 (0-1: linear, 2-3: quadratic) +detefficiency_a=-0.010944165 detefficiency_b=0.21833235 +lauediffuse_isa=1 +weight_isa=1 weighttype=0 (0: ^2, 1: , 2: Data Smoothed) +weightsmoothrmin=3.00000 weightsmoothwidth=100 weightsmoothcycles=600 +editsq_isa=0 editsqtype=0 add_sq=0.00000 mul_sq=1.00000 +editsqsmoothrmin=3.00000 editsqsmoothwidth=100 editsqsmoothcycles=600 +smoothdata_isa=0 smoothfunctype=0 smoothqmin=12.0000 smoothboxwidth=9 +interpolateqmin_isa=0 qmininterpolationtype=0 +dampfq_isa=0 dampfqtype=0 dampfqwidth=40.0000 + +##### SqGr_Optimization Setup +ftmethod=0 +## S(q) qmin=1.000000 qmax=40.000000 qgrid=0.000000 +## G(r) rmin=0.000000 rmax=20.000000 rgrid=0.010000 +## SqOptimization sqoptfunction=1 +optqmin=20.0000 optqmax=40.0000 optqgrid=0.00000 +optrmin=0.00000 optrmax=2.20000 optrgrid=0.01000000 +maxiter=20 relstep=0.00000 weighttype=0 weightfunc=0 +fitbkgmult_isa=0 fitsampmut_isa=0 fitpolariz_isa=0 +fitoblique_isa=0 fitfluores_isa=0 +fitrulandw_isa=0 fitenergya_isa=1 fitenergyb_isa=1 +fitsimurulandw_isa=1 fitDetEdepfluores_isa=0 fitDetEdepquadra_isa=0 +fitDetEdepspline_isa=0 fitDetTCoefElastic_isa=0 fitDetTCoefFluores_isa=0 +fitDetTcoefquadra_isa=0 fitDetTcoefspline_isa=0 + +##### Save&Plot Settings +datatype=GrData iqcorrtype=IntCorr iqsimutype=SimuIq +sqcorrtype=OblinCorr sqtofqtype=FqData +gropttype=OptFq miscdatatype=AtomASF +##### start data +#F Ni_2-8.chi.gr +#D Tue Feb 8 11:46:14 2005 +#C +#S 1 G(r) +#D +#L r G(r) d_r d_Gr + 1.000000e-02 -7.734561e-02 -1.381170e-02 3.134926e-02 + 2.000000e-02 -1.596764e-01 -2.762339e-02 6.045792e-02 + 3.000000e-02 -2.516875e-01 -4.143509e-02 8.526468e-02 + 4.000000e-02 -3.575096e-01 -5.524679e-02 1.040541e-01 + 5.000000e-02 -4.804651e-01 -6.905849e-02 1.155991e-01 + 6.000000e-02 -6.228668e-01 -8.287018e-02 1.192732e-01 + 7.000000e-02 -7.858705e-01 -9.668188e-02 1.151330e-01 + 8.000000e-02 -9.693874e-01 -1.104936e-01 1.039918e-01 + 9.000000e-02 -1.172061e+00 -1.243053e-01 8.755577e-02 + 1.000000e-01 -1.391306e+00 -1.381170e-01 6.884717e-02 + 1.100000e-01 -1.623409e+00 -1.519287e-01 5.341991e-02 + 1.200000e-01 -1.863680e+00 -1.657404e-01 4.979434e-02 + 1.300000e-01 -2.106649e+00 -1.795521e-01 6.017895e-02 + 1.400000e-01 -2.346295e+00 -1.933638e-01 7.640497e-02 + 1.500000e-01 -2.576293e+00 -2.071755e-01 9.161881e-02 + 1.600000e-01 -2.790268e+00 -2.209872e-01 1.024655e-01 + 1.700000e-01 -2.982047e+00 -2.347989e-01 1.074539e-01 + 1.800000e-01 -3.145891e+00 -2.486105e-01 1.062389e-01 + 1.900000e-01 -3.276707e+00 -2.624222e-01 9.942805e-02 + 2.000000e-01 -3.370223e+00 -2.762339e-01 8.860376e-02 + 2.100000e-01 -3.423130e+00 -2.900456e-01 7.650761e-02 + 2.200000e-01 -3.433181e+00 -3.038573e-01 6.719764e-02 + 2.300000e-01 -3.399254e+00 -3.176690e-01 6.493149e-02 + 2.400000e-01 -3.321377e+00 -3.314807e-01 7.061632e-02 + 2.500000e-01 -3.200715e+00 -3.452924e-01 8.074527e-02 + 2.600000e-01 -3.039527e+00 -3.591041e-01 9.101665e-02 + 2.700000e-01 -2.841094e+00 -3.729158e-01 9.850821e-02 + 2.800000e-01 -2.609626e+00 -3.867275e-01 1.017102e-01 + 2.900000e-01 -2.350147e+00 -4.005392e-01 1.002266e-01 + 3.000000e-01 -2.068363e+00 -4.143509e-01 9.462396e-02 + 3.100000e-01 -1.770519e+00 -4.281626e-01 8.640470e-02 + 3.200000e-01 -1.463237e+00 -4.419743e-01 7.800773e-02 + 3.300000e-01 -1.153355e+00 -4.557860e-01 7.249483e-02 + 3.400000e-01 -8.477479e-01 -4.695977e-01 7.224522e-02 + 3.500000e-01 -5.531450e-01 -4.834094e-01 7.713224e-02 + 3.600000e-01 -2.759477e-01 -4.972211e-01 8.467203e-02 + 3.700000e-01 -2.204310e-02 -5.110328e-01 9.195493e-02 + 3.800000e-01 2.033757e-01 -5.248445e-01 9.686320e-02 + 3.900000e-01 3.959788e-01 -5.386562e-01 9.828977e-02 + 4.000000e-01 5.524508e-01 -5.524679e-01 9.606310e-02 + 4.100000e-01 6.706182e-01 -5.662796e-01 9.087598e-02 + 4.200000e-01 7.495432e-01 -5.800913e-01 8.423689e-02 + 4.300000e-01 7.895774e-01 -5.939030e-01 7.831796e-02 + 4.400000e-01 7.923692e-01 -6.077147e-01 7.538431e-02 + 4.500000e-01 7.608195e-01 -6.215264e-01 7.662821e-02 + 4.600000e-01 6.989824e-01 -6.353381e-01 8.131523e-02 + 4.700000e-01 6.119129e-01 -6.491498e-01 8.737928e-02 + 4.800000e-01 5.054623e-01 -6.629615e-01 9.267455e-02 + 4.900000e-01 3.860302e-01 -6.767732e-01 9.569092e-02 + 5.000000e-01 2.602819e-01 -6.905849e-01 9.573000e-02 + 5.100000e-01 1.348438e-01 -7.043966e-01 9.289354e-02 + 5.200000e-01 1.599279e-02 -7.182083e-01 8.803723e-02 + 5.300000e-01 -9.064421e-02 -7.320200e-01 8.267435e-02 + 5.400000e-01 -1.803637e-01 -7.458316e-01 7.868367e-02 + 5.500000e-01 -2.496148e-01 -7.596433e-01 7.762463e-02 + 5.600000e-01 -2.961697e-01 -7.734550e-01 7.986113e-02 + 5.700000e-01 -3.192238e-01 -7.872667e-01 8.433275e-02 + 5.800000e-01 -3.194177e-01 -8.010784e-01 8.926692e-02 + 5.900000e-01 -2.987769e-01 -8.148901e-01 9.303294e-02 + 6.000000e-01 -2.605717e-01 -8.287018e-01 9.458206e-02 + 6.100000e-01 -2.091040e-01 -8.425135e-01 9.356811e-02 + 6.200000e-01 -1.494329e-01 -8.563252e-01 9.034444e-02 + 6.300000e-01 -8.705466e-02 -8.701369e-01 8.590452e-02 + 6.400000e-01 -2.755745e-02 -8.839486e-01 8.171553e-02 + 6.500000e-01 2.372868e-02 -8.977603e-01 7.931299e-02 + 6.600000e-01 6.206366e-02 -9.115720e-01 7.962749e-02 + 6.700000e-01 8.359014e-02 -9.253837e-01 8.244920e-02 + 6.800000e-01 8.556789e-02 -9.391954e-01 8.658046e-02 + 6.900000e-01 6.653458e-02 -9.530071e-01 9.051104e-02 + 7.000000e-01 2.638255e-02 -9.668188e-01 9.300732e-02 + 7.100000e-01 -3.365350e-02 -9.806305e-01 9.339048e-02 + 7.200000e-01 -1.110967e-01 -9.944422e-01 9.161189e-02 + 7.300000e-01 -2.024086e-01 -1.008254e+00 8.823550e-02 + 7.400000e-01 -3.032383e-01 -1.022066e+00 8.434109e-02 + 7.500000e-01 -4.087215e-01 -1.035877e+00 8.127899e-02 + 7.600000e-01 -5.138097e-01 -1.049689e+00 8.019975e-02 + 7.700000e-01 -6.136058e-01 -1.063501e+00 8.149425e-02 + 7.800000e-01 -7.036833e-01 -1.077312e+00 8.457797e-02 + 7.900000e-01 -7.803670e-01 -1.091124e+00 8.824255e-02 + 8.000000e-01 -8.409562e-01 -1.104936e+00 9.123004e-02 + 8.100000e-01 -8.838756e-01 -1.118747e+00 9.263856e-02 + 8.200000e-01 -9.087437e-01 -1.132559e+00 9.209884e-02 + 8.300000e-01 -9.163567e-01 -1.146371e+00 8.981209e-02 + 8.400000e-01 -9.085893e-01 -1.160183e+00 8.650416e-02 + 8.500000e-01 -8.882216e-01 -1.173994e+00 8.327654e-02 + 8.600000e-01 -8.587063e-01 -1.187806e+00 8.129051e-02 + 8.700000e-01 -8.238944e-01 -1.201618e+00 8.129498e-02 + 8.800000e-01 -7.877398e-01 -1.215429e+00 8.324441e-02 + 8.900000e-01 -7.540061e-01 -1.229241e+00 8.633665e-02 + 9.000000e-01 -7.259969e-01 -1.243053e+00 8.943578e-02 + 9.100000e-01 -7.063286e-01 -1.256864e+00 9.152907e-02 + 9.200000e-01 -6.967632e-01 -1.270676e+00 9.200378e-02 + 9.300000e-01 -6.981108e-01 -1.284488e+00 9.075509e-02 + 9.400000e-01 -7.102095e-01 -1.298300e+00 8.818933e-02 + 9.500000e-01 -7.319798e-01 -1.312111e+00 8.513983e-02 + 9.600000e-01 -7.615502e-01 -1.325923e+00 8.266016e-02 + 9.700000e-01 -7.964408e-01 -1.339735e+00 8.166394e-02 + 9.800000e-01 -8.337897e-01 -1.353546e+00 8.251468e-02 + 9.900000e-01 -8.706036e-01 -1.367358e+00 8.484194e-02 + 1.000000e-00 -9.040117e-01 -1.381170e+00 8.774748e-02 + 1.010000e+00 -9.315033e-01 -1.394981e+00 9.021996e-02 + 1.020000e+00 -9.511296e-01 -1.408793e+00 9.148261e-02 + 1.030000e+00 -9.616553e-01 -1.422605e+00 9.117828e-02 + 1.040000e+00 -9.626475e-01 -1.436417e+00 8.942710e-02 + 1.050000e+00 -9.544971e-01 -1.450228e+00 8.679399e-02 + 1.060000e+00 -9.383712e-01 -1.464040e+00 8.415952e-02 + 1.070000e+00 -9.161027e-01 -1.477852e+00 8.246149e-02 + 1.080000e+00 -8.900263e-01 -1.491663e+00 8.233013e-02 + 1.090000e+00 -8.627749e-01 -1.505475e+00 8.378993e-02 + 1.100000e+00 -8.370557e-01 -1.519287e+00 8.625490e-02 + 1.110000e+00 -8.154227e-01 -1.533098e+00 8.882170e-02 + 1.120000e+00 -8.000647e-01 -1.546910e+00 9.063428e-02 + 1.130000e+00 -7.926282e-01 -1.560722e+00 9.113887e-02 + 1.140000e+00 -7.940862e-01 -1.574533e+00 9.020245e-02 + 1.150000e+00 -8.046667e-01 -1.588345e+00 8.812929e-02 + 1.160000e+00 -8.238427e-01 -1.602157e+00 8.559113e-02 + 1.170000e+00 -8.503875e-01 -1.615969e+00 8.345275e-02 + 1.180000e+00 -8.824866e-01 -1.629780e+00 8.248185e-02 + 1.190000e+00 -9.178991e-01 -1.643592e+00 8.302436e-02 + 1.200000e+00 -9.541530e-01 -1.657404e+00 8.484068e-02 + 1.210000e+00 -9.887581e-01 -1.671215e+00 8.723378e-02 + 1.220000e+00 -1.019420e+00 -1.685027e+00 8.936506e-02 + 1.230000e+00 -1.044233e+00 -1.698839e+00 9.055378e-02 + 1.240000e+00 -1.061845e+00 -1.712650e+00 9.045794e-02 + 1.250000e+00 -1.071566e+00 -1.726462e+00 8.914106e-02 + 1.260000e+00 -1.073431e+00 -1.740274e+00 8.704942e-02 + 1.270000e+00 -1.068188e+00 -1.754086e+00 8.489959e-02 + 1.280000e+00 -1.057242e+00 -1.767897e+00 8.346229e-02 + 1.290000e+00 -1.042527e+00 -1.781709e+00 8.327095e-02 + 1.300000e+00 -1.026351e+00 -1.795521e+00 8.438368e-02 + 1.310000e+00 -1.011191e+00 -1.809332e+00 8.636090e-02 + 1.320000e+00 -9.994919e-01 -1.823144e+00 8.847613e-02 + 1.330000e+00 -9.934586e-01 -1.836956e+00 9.000844e-02 + 1.340000e+00 -9.948682e-01 -1.850767e+00 9.047021e-02 + 1.350000e+00 -1.004922e+00 -1.864579e+00 8.972635e-02 + 1.360000e+00 -1.024143e+00 -1.878391e+00 8.801881e-02 + 1.370000e+00 -1.052329e+00 -1.892203e+00 8.590676e-02 + 1.380000e+00 -1.088569e+00 -1.906014e+00 8.411382e-02 + 1.390000e+00 -1.131312e+00 -1.919826e+00 8.328369e-02 + 1.400000e+00 -1.178493e+00 -1.933638e+00 8.371558e-02 + 1.410000e+00 -1.227697e+00 -1.947449e+00 8.522786e-02 + 1.420000e+00 -1.276352e+00 -1.961261e+00 8.724927e-02 + 1.430000e+00 -1.321931e+00 -1.975073e+00 8.906920e-02 + 1.440000e+00 -1.362151e+00 -1.988884e+00 9.009276e-02 + 1.450000e+00 -1.395148e+00 -2.002696e+00 9.000846e-02 + 1.460000e+00 -1.419612e+00 -2.016508e+00 8.885776e-02 + 1.470000e+00 -1.434881e+00 -2.030319e+00 8.702023e-02 + 1.480000e+00 -1.440976e+00 -2.044131e+00 8.511516e-02 + 1.490000e+00 -1.438578e+00 -2.057943e+00 8.381334e-02 + 1.500000e+00 -1.428952e+00 -2.071755e+00 8.358812e-02 + 1.510000e+00 -1.413823e+00 -2.085566e+00 8.451113e-02 + 1.520000e+00 -1.395219e+00 -2.099378e+00 8.622309e-02 + 1.530000e+00 -1.375288e+00 -2.113190e+00 8.810063e-02 + 1.540000e+00 -1.356109e+00 -2.127001e+00 8.950526e-02 + 1.550000e+00 -1.339521e+00 -2.140813e+00 8.998983e-02 + 1.560000e+00 -1.326967e+00 -2.154625e+00 8.941412e-02 + 1.570000e+00 -1.319389e+00 -2.168436e+00 8.797326e-02 + 1.580000e+00 -1.317160e+00 -2.182248e+00 8.614643e-02 + 1.590000e+00 -1.320081e+00 -2.196060e+00 8.456224e-02 + 1.600000e+00 -1.327421e+00 -2.209872e+00 8.378773e-02 + 1.610000e+00 -1.338016e+00 -2.223683e+00 8.410190e-02 + 1.620000e+00 -1.350401e+00 -2.237495e+00 8.537324e-02 + 1.630000e+00 -1.362974e+00 -2.251307e+00 8.712414e-02 + 1.640000e+00 -1.374170e+00 -2.265118e+00 8.873653e-02 + 1.650000e+00 -1.382635e+00 -2.278930e+00 8.967598e-02 + 1.660000e+00 -1.387368e+00 -2.292742e+00 8.964903e-02 + 1.670000e+00 -1.387843e+00 -2.306553e+00 8.867411e-02 + 1.680000e+00 -1.384077e+00 -2.320365e+00 8.707293e-02 + 1.690000e+00 -1.376637e+00 -2.334177e+00 8.538419e-02 + 1.700000e+00 -1.366606e+00 -2.347989e+00 8.419842e-02 + 1.710000e+00 -1.355480e+00 -2.361800e+00 8.394229e-02 + 1.720000e+00 -1.345031e+00 -2.375612e+00 8.470005e-02 + 1.730000e+00 -1.337123e+00 -2.389424e+00 8.617890e-02 + 1.740000e+00 -1.333527e+00 -2.403235e+00 8.784186e-02 + 1.750000e+00 -1.335716e+00 -2.417047e+00 8.912123e-02 + 1.760000e+00 -1.344696e+00 -2.430859e+00 8.960623e-02 + 1.770000e+00 -1.360861e+00 -2.444670e+00 8.915473e-02 + 1.780000e+00 -1.383901e+00 -2.458482e+00 8.792463e-02 + 1.790000e+00 -1.412776e+00 -2.472294e+00 8.633026e-02 + 1.800000e+00 -1.445754e+00 -2.486105e+00 8.492298e-02 + 1.810000e+00 -1.480514e+00 -2.499917e+00 8.420620e-02 + 1.820000e+00 -1.514312e+00 -2.513729e+00 8.443860e-02 + 1.830000e+00 -1.544202e+00 -2.527541e+00 8.552365e-02 + 1.840000e+00 -1.567278e+00 -2.541352e+00 8.705601e-02 + 1.850000e+00 -1.580939e+00 -2.555164e+00 8.849338e-02 + 1.860000e+00 -1.583140e+00 -2.568976e+00 8.935436e-02 + 1.870000e+00 -1.572609e+00 -2.582787e+00 8.936496e-02 + 1.880000e+00 -1.549013e+00 -2.596599e+00 8.852906e-02 + 1.890000e+00 -1.513057e+00 -2.610411e+00 8.712423e-02 + 1.900000e+00 -1.466490e+00 -2.624222e+00 8.562504e-02 + 1.910000e+00 -1.412034e+00 -2.638034e+00 8.455578e-02 + 1.920000e+00 -1.353220e+00 -2.651846e+00 8.430059e-02 + 1.930000e+00 -1.294150e+00 -2.665658e+00 8.494598e-02 + 1.940000e+00 -1.239192e+00 -2.679469e+00 8.624521e-02 + 1.950000e+00 -1.192639e+00 -2.693281e+00 8.772760e-02 + 1.960000e+00 -1.158358e+00 -2.707093e+00 8.888395e-02 + 1.970000e+00 -1.139441e+00 -2.720904e+00 8.933725e-02 + 1.980000e+00 -1.137915e+00 -2.734716e+00 8.894918e-02 + 1.990000e+00 -1.154511e+00 -2.748528e+00 8.785320e-02 + 2.000000e+00 -1.188531e+00 -2.762339e+00 8.641699e-02 + 2.010000e+00 -1.237823e+00 -2.776151e+00 8.513478e-02 + 2.020000e+00 -1.298870e+00 -2.789963e+00 8.446166e-02 + 2.030000e+00 -1.366998e+00 -2.803775e+00 8.463800e-02 + 2.040000e+00 -1.436686e+00 -2.817586e+00 8.558855e-02 + 2.050000e+00 -1.501962e+00 -2.831398e+00 8.695755e-02 + 2.060000e+00 -1.556856e+00 -2.845210e+00 8.825708e-02 + 2.070000e+00 -1.595879e+00 -2.859021e+00 8.904528e-02 + 2.080000e+00 -1.614491e+00 -2.872833e+00 8.906364e-02 + 2.090000e+00 -1.609514e+00 -2.886645e+00 8.830655e-02 + 2.100000e+00 -1.579460e+00 -2.900456e+00 8.702107e-02 + 2.110000e+00 -1.524741e+00 -2.914268e+00 8.563829e-02 + 2.120000e+00 -1.447736e+00 -2.928080e+00 8.463963e-02 + 2.130000e+00 -1.352693e+00 -2.941891e+00 8.438444e-02 + 2.140000e+00 -1.245484e+00 -2.955703e+00 8.496517e-02 + 2.150000e+00 -1.133191e+00 -2.969515e+00 8.616936e-02 + 2.160000e+00 -1.023574e+00 -2.983327e+00 8.757206e-02 + 2.170000e+00 -9.244251e-01 -2.997138e+00 8.870195e-02 + 2.180000e+00 -8.428719e-01 -3.010950e+00 8.920000e-02 + 2.190000e+00 -7.846657e-01 -3.024762e+00 8.892219e-02 + 2.200000e+00 -7.535071e-01 -3.038573e+00 8.797447e-02 + 2.210000e+00 -7.504647e-01 -3.052385e+00 8.668116e-02 + 2.220000e+00 -7.735306e-01 -3.066197e+00 8.548894e-02 + 2.230000e+00 -8.173576e-01 -3.080008e+00 8.481846e-02 + 2.240000e+00 -8.732071e-01 -3.093820e+00 8.490579e-02 + 2.250000e+00 -9.291271e-01 -3.107632e+00 8.570642e-02 + 2.260000e+00 -9.703641e-01 -3.121444e+00 8.691730e-02 + 2.270000e+00 -9.799987e-01 -3.135255e+00 8.810312e-02 + 2.280000e+00 -9.397761e-01 -3.149067e+00 8.885701e-02 + 2.290000e+00 -8.310933e-01 -3.162879e+00 8.893019e-02 + 2.300000e+00 -6.360900e-01 -3.176690e+00 8.830113e-02 + 2.310000e+00 -3.387799e-01 -3.190502e+00 8.717917e-02 + 2.320000e+00 7.384109e-02 -3.204314e+00 8.594395e-02 + 2.330000e+00 6.107803e-01 -3.218125e+00 8.502589e-02 + 2.340000e+00 1.276191e+00 -3.231937e+00 8.475268e-02 + 2.350000e+00 2.068731e+00 -3.245749e+00 8.521931e-02 + 2.360000e+00 2.981181e+00 -3.259561e+00 8.624936e-02 + 2.370000e+00 4.000357e+00 -3.273372e+00 8.747046e-02 + 2.380000e+00 5.107337e+00 -3.287184e+00 8.845949e-02 + 2.390000e+00 6.277992e+00 -3.300996e+00 8.888735e-02 + 2.400000e+00 7.483803e+00 -3.314807e+00 8.861696e-02 + 2.410000e+00 8.692939e+00 -3.328619e+00 8.773945e-02 + 2.420000e+00 9.871525e+00 -3.342431e+00 8.654753e-02 + 2.430000e+00 1.098505e+01 -3.356242e+00 8.544831e-02 + 2.440000e+00 1.199985e+01 -3.370054e+00 8.482790e-02 + 2.450000e+00 1.288455e+01 -3.383866e+00 8.490680e-02 + 2.460000e+00 1.361146e+01 -3.397678e+00 8.565094e-02 + 2.470000e+00 1.415774e+01 -3.411489e+00 8.678792e-02 + 2.480000e+00 1.450644e+01 -3.425301e+00 8.791879e-02 + 2.490000e+00 1.464718e+01 -3.439113e+00 8.866444e-02 + 2.500000e+00 1.457658e+01 -3.452924e+00 8.878714e-02 + 2.510000e+00 1.429830e+01 -3.466736e+00 8.825730e-02 + 2.520000e+00 1.382281e+01 -3.480548e+00 8.725920e-02 + 2.530000e+00 1.316686e+01 -3.494359e+00 8.613645e-02 + 2.540000e+00 1.235258e+01 -3.508171e+00 8.528323e-02 + 2.550000e+00 1.140650e+01 -3.521983e+00 8.500491e-02 + 2.560000e+00 1.035826e+01 -3.535794e+00 8.539895e-02 + 2.570000e+00 9.239323e+00 -3.549606e+00 8.631613e-02 + 2.580000e+00 8.081607e+00 -3.563418e+00 8.742391e-02 + 2.590000e+00 6.916163e+00 -3.577230e+00 8.833600e-02 + 2.600000e+00 5.771973e+00 -3.591041e+00 8.874584e-02 + 2.610000e+00 4.674897e+00 -3.604853e+00 8.852008e-02 + 2.620000e+00 3.646830e+00 -3.618665e+00 8.773500e-02 + 2.630000e+00 2.705100e+00 -3.632476e+00 8.665363e-02 + 2.640000e+00 1.862122e+00 -3.646288e+00 8.564608e-02 + 2.650000e+00 1.125307e+00 -3.660100e+00 8.506583e-02 + 2.660000e+00 4.972252e-01 -3.673911e+00 8.511794e-02 + 2.670000e+00 -2.400927e-02 -3.687723e+00 8.577693e-02 + 2.680000e+00 -4.441723e-01 -3.701535e+00 8.679855e-02 + 2.690000e+00 -7.722150e-01 -3.715347e+00 8.781860e-02 + 2.700000e+00 -1.019459e+00 -3.729158e+00 8.848654e-02 + 2.710000e+00 -1.198748e+00 -3.742970e+00 8.857941e-02 + 2.720000e+00 -1.323610e+00 -3.756782e+00 8.806668e-02 + 2.730000e+00 -1.407472e+00 -3.770593e+00 8.711793e-02 + 2.740000e+00 -1.462967e+00 -3.784405e+00 8.605324e-02 + 2.750000e+00 -1.501372e+00 -3.798217e+00 8.524228e-02 + 2.760000e+00 -1.532185e+00 -3.812028e+00 8.497442e-02 + 2.770000e+00 -1.562860e+00 -3.825840e+00 8.534686e-02 + 2.780000e+00 -1.598702e+00 -3.839652e+00 8.622582e-02 + 2.790000e+00 -1.642903e+00 -3.853464e+00 8.730239e-02 + 2.800000e+00 -1.696711e+00 -3.867275e+00 8.821161e-02 + 2.810000e+00 -1.759700e+00 -3.881087e+00 8.865812e-02 + 2.820000e+00 -1.830120e+00 -3.894899e+00 8.850613e-02 + 2.830000e+00 -1.905285e+00 -3.908710e+00 8.781616e-02 + 2.840000e+00 -1.981979e+00 -3.922522e+00 8.682582e-02 + 2.850000e+00 -2.056843e+00 -3.936334e+00 8.587719e-02 + 2.860000e+00 -2.126718e+00 -3.950145e+00 8.530316e-02 + 2.870000e+00 -2.188935e+00 -3.963957e+00 8.530532e-02 + 2.880000e+00 -2.241518e+00 -3.977769e+00 8.587504e-02 + 2.890000e+00 -2.283314e+00 -3.991580e+00 8.679888e-02 + 2.900000e+00 -2.314031e+00 -4.005392e+00 8.774513e-02 + 2.910000e+00 -2.334204e+00 -4.019204e+00 8.838627e-02 + 2.920000e+00 -2.345096e+00 -4.033016e+00 8.850696e-02 + 2.930000e+00 -2.348533e+00 -4.046827e+00 8.806776e-02 + 2.940000e+00 -2.346723e+00 -4.060639e+00 8.721507e-02 + 2.950000e+00 -2.342043e+00 -4.074451e+00 8.623706e-02 + 2.960000e+00 -2.336835e+00 -4.088262e+00 8.547181e-02 + 2.970000e+00 -2.333219e+00 -4.102074e+00 8.518872e-02 + 2.980000e+00 -2.332935e+00 -4.115886e+00 8.548554e-02 + 2.990000e+00 -2.337236e+00 -4.129697e+00 8.624986e-02 + 3.000000e+00 -2.346817e+00 -4.143509e+00 8.720597e-02 + 3.010000e+00 -2.361806e+00 -4.157321e+00 8.802122e-02 + 3.020000e+00 -2.381792e+00 -4.171133e+00 8.842215e-02 + 3.030000e+00 -2.405909e+00 -4.184944e+00 8.828001e-02 + 3.040000e+00 -2.432939e+00 -4.198756e+00 8.764730e-02 + 3.050000e+00 -2.461444e+00 -4.212568e+00 8.674126e-02 + 3.060000e+00 -2.489911e+00 -4.226379e+00 8.587672e-02 + 3.070000e+00 -2.516886e+00 -4.240191e+00 8.536071e-02 + 3.080000e+00 -2.541103e+00 -4.254003e+00 8.537964e-02 + 3.090000e+00 -2.561584e+00 -4.267814e+00 8.592621e-02 + 3.100000e+00 -2.577712e+00 -4.281626e+00 8.680329e-02 + 3.110000e+00 -2.589266e+00 -4.295438e+00 8.770250e-02 + 3.120000e+00 -2.596420e+00 -4.309250e+00 8.831725e-02 + 3.130000e+00 -2.599709e+00 -4.323061e+00 8.844402e-02 + 3.140000e+00 -2.599957e+00 -4.336873e+00 8.804325e-02 + 3.150000e+00 -2.598188e+00 -4.350685e+00 8.724975e-02 + 3.160000e+00 -2.595516e+00 -4.364496e+00 8.633174e-02 + 3.170000e+00 -2.593021e+00 -4.378308e+00 8.560513e-02 + 3.180000e+00 -2.591636e+00 -4.392120e+00 8.532290e-02 + 3.190000e+00 -2.592035e+00 -4.405931e+00 8.557901e-02 + 3.200000e+00 -2.594543e+00 -4.419743e+00 8.627157e-02 + 3.210000e+00 -2.599066e+00 -4.433555e+00 8.714478e-02 + 3.220000e+00 -2.605049e+00 -4.447366e+00 8.788730e-02 + 3.230000e+00 -2.611468e+00 -4.461178e+00 8.824143e-02 + 3.240000e+00 -2.616842e+00 -4.474990e+00 8.808516e-02 + 3.250000e+00 -2.619286e+00 -4.488802e+00 8.746838e-02 + 3.260000e+00 -2.616581e+00 -4.502613e+00 8.659820e-02 + 3.270000e+00 -2.606259e+00 -4.516425e+00 8.577550e-02 + 3.280000e+00 -2.585719e+00 -4.530237e+00 8.529449e-02 + 3.290000e+00 -2.552333e+00 -4.544048e+00 8.533489e-02 + 3.300000e+00 -2.503569e+00 -4.557860e+00 8.589126e-02 + 3.310000e+00 -2.437100e+00 -4.571672e+00 8.677526e-02 + 3.320000e+00 -2.350917e+00 -4.585483e+00 8.768926e-02 + 3.330000e+00 -2.243420e+00 -4.599295e+00 8.833407e-02 + 3.340000e+00 -2.113503e+00 -4.613107e+00 8.850678e-02 + 3.350000e+00 -1.960618e+00 -4.626919e+00 8.816083e-02 + 3.360000e+00 -1.784825e+00 -4.640730e+00 8.741788e-02 + 3.370000e+00 -1.586825e+00 -4.654542e+00 8.653083e-02 + 3.380000e+00 -1.367979e+00 -4.668354e+00 8.580368e-02 + 3.390000e+00 -1.130302e+00 -4.682165e+00 8.548686e-02 + 3.400000e+00 -8.764571e-01 -4.695977e+00 8.568406e-02 + 3.410000e+00 -6.097196e-01 -4.709789e+00 8.631281e-02 + 3.420000e+00 -3.339377e-01 -4.723600e+00 8.713910e-02 + 3.430000e+00 -5.347346e-02 -4.737412e+00 8.786787e-02 + 3.440000e+00 2.268704e-01 -4.751224e+00 8.824708e-02 + 3.450000e+00 5.019383e-01 -4.765036e+00 8.814830e-02 + 3.460000e+00 7.663258e-01 -4.778847e+00 8.760434e-02 + 3.470000e+00 1.014500e+00 -4.792659e+00 8.679847e-02 + 3.480000e+00 1.240932e+00 -4.806471e+00 8.600717e-02 + 3.490000e+00 1.440250e+00 -4.820282e+00 8.550784e-02 + 3.500000e+00 1.607392e+00 -4.834094e+00 8.547816e-02 + 3.510000e+00 1.737778e+00 -4.847906e+00 8.592753e-02 + 3.520000e+00 1.827471e+00 -4.861717e+00 8.669413e-02 + 3.530000e+00 1.873343e+00 -4.875529e+00 8.750884e-02 + 3.540000e+00 1.873221e+00 -4.889341e+00 8.809407e-02 + 3.550000e+00 1.826015e+00 -4.903152e+00 8.825661e-02 + 3.560000e+00 1.731819e+00 -4.916964e+00 8.794676e-02 + 3.570000e+00 1.591965e+00 -4.930776e+00 8.727197e-02 + 3.580000e+00 1.409047e+00 -4.944588e+00 8.646361e-02 + 3.590000e+00 1.186882e+00 -4.958399e+00 8.580261e-02 + 3.600000e+00 9.304277e-01 -4.972211e+00 8.552186e-02 + 3.610000e+00 6.456414e-01 -4.986023e+00 8.571906e-02 + 3.620000e+00 3.392945e-01 -4.999834e+00 8.631881e-02 + 3.630000e+00 1.873856e-02 -5.013646e+00 8.710326e-02 + 3.640000e+00 -3.083619e-01 -5.027458e+00 8.779520e-02 + 3.650000e+00 -6.343206e-01 -5.041269e+00 8.815575e-02 + 3.660000e+00 -9.517301e-01 -5.055081e+00 8.806124e-02 + 3.670000e+00 -1.253756e+00 -5.068893e+00 8.754045e-02 + 3.680000e+00 -1.534413e+00 -5.082705e+00 8.676573e-02 + 3.690000e+00 -1.788795e+00 -5.096516e+00 8.599990e-02 + 3.700000e+00 -2.013266e+00 -5.110328e+00 8.550922e-02 + 3.710000e+00 -2.205580e+00 -5.124140e+00 8.546775e-02 + 3.720000e+00 -2.364928e+00 -5.137951e+00 8.589091e-02 + 3.730000e+00 -2.491921e+00 -5.151763e+00 8.663012e-02 + 3.740000e+00 -2.588479e+00 -5.165575e+00 8.743106e-02 + 3.750000e+00 -2.657671e+00 -5.179386e+00 8.802674e-02 + 3.760000e+00 -2.703479e+00 -5.193198e+00 8.822663e-02 + 3.770000e+00 -2.730520e+00 -5.207010e+00 8.797479e-02 + 3.780000e+00 -2.743737e+00 -5.220822e+00 8.736478e-02 + 3.790000e+00 -2.748083e+00 -5.234633e+00 8.660995e-02 + 3.800000e+00 -2.748209e+00 -5.248445e+00 8.597450e-02 + 3.810000e+00 -2.748188e+00 -5.262257e+00 8.568213e-02 + 3.820000e+00 -2.751276e+00 -5.276068e+00 8.583325e-02 + 3.830000e+00 -2.759752e+00 -5.289880e+00 8.636683e-02 + 3.840000e+00 -2.774817e+00 -5.303692e+00 8.708555e-02 + 3.850000e+00 -2.796588e+00 -5.317503e+00 8.773157e-02 + 3.860000e+00 -2.824158e+00 -5.331315e+00 8.807818e-02 + 3.870000e+00 -2.855748e+00 -5.345127e+00 8.800391e-02 + 3.880000e+00 -2.888908e+00 -5.358939e+00 8.752973e-02 + 3.890000e+00 -2.920779e+00 -5.372750e+00 8.681247e-02 + 3.900000e+00 -2.948371e+00 -5.386562e+00 8.609591e-02 + 3.910000e+00 -2.968861e+00 -5.400374e+00 8.562970e-02 + 3.920000e+00 -2.979857e+00 -5.414185e+00 8.557964e-02 + 3.930000e+00 -2.979632e+00 -5.427997e+00 8.596450e-02 + 3.940000e+00 -2.967290e+00 -5.441809e+00 8.664908e-02 + 3.950000e+00 -2.942857e+00 -5.455620e+00 8.739672e-02 + 3.960000e+00 -2.907272e+00 -5.469432e+00 8.795581e-02 + 3.970000e+00 -2.862300e+00 -5.483244e+00 8.814437e-02 + 3.980000e+00 -2.810334e+00 -5.497055e+00 8.790624e-02 + 3.990000e+00 -2.754132e+00 -5.510867e+00 8.732687e-02 + 4.000000e+00 -2.696475e+00 -5.524679e+00 8.660621e-02 + 4.010000e+00 -2.639789e+00 -5.538491e+00 8.599417e-02 + 4.020000e+00 -2.585754e+00 -5.552302e+00 8.570445e-02 + 4.030000e+00 -2.534926e+00 -5.566114e+00 8.583588e-02 + 4.040000e+00 -2.486404e+00 -5.579926e+00 8.633496e-02 + 4.050000e+00 -2.437580e+00 -5.593737e+00 8.701785e-02 + 4.060000e+00 -2.383991e+00 -5.607549e+00 8.764065e-02 + 4.070000e+00 -2.319291e+00 -5.621361e+00 8.798621e-02 + 4.080000e+00 -2.235371e+00 -5.635172e+00 8.793541e-02 + 4.090000e+00 -2.122615e+00 -5.648984e+00 8.750393e-02 + 4.100000e+00 -1.970297e+00 -5.662796e+00 8.683711e-02 + 4.110000e+00 -1.767102e+00 -5.676608e+00 8.616432e-02 + 4.120000e+00 -1.501749e+00 -5.690419e+00 8.572243e-02 + 4.130000e+00 -1.163683e+00 -5.704231e+00 8.567084e-02 + 4.140000e+00 -7.438005e-01 -5.718043e+00 8.603091e-02 + 4.150000e+00 -2.351580e-01 -5.731854e+00 8.667774e-02 + 4.160000e+00 3.663656e-01 -5.745666e+00 8.738832e-02 + 4.170000e+00 1.061510e+00 -5.759478e+00 8.792278e-02 + 4.180000e+00 1.847208e+00 -5.773289e+00 8.810524e-02 + 4.190000e+00 2.716329e+00 -5.787101e+00 8.787868e-02 + 4.200000e+00 3.657618e+00 -5.800913e+00 8.732138e-02 + 4.210000e+00 4.655841e+00 -5.814725e+00 8.662233e-02 + 4.220000e+00 5.692133e+00 -5.828536e+00 8.602054e-02 + 4.230000e+00 6.744555e+00 -5.842348e+00 8.572319e-02 + 4.240000e+00 7.788825e+00 -5.856160e+00 8.583002e-02 + 4.250000e+00 8.799190e+00 -5.869971e+00 8.629595e-02 + 4.260000e+00 9.749408e+00 -5.883783e+00 8.694977e-02 + 4.270000e+00 1.061379e+01 -5.897595e+00 8.755959e-02 + 4.280000e+00 1.136822e+01 -5.911406e+00 8.791545e-02 + 4.290000e+00 1.199120e+01 -5.925218e+00 8.789847e-02 + 4.300000e+00 1.246467e+01 -5.939030e+00 8.751740e-02 + 4.310000e+00 1.277484e+01 -5.952841e+00 8.690514e-02 + 4.320000e+00 1.291270e+01 -5.966653e+00 8.627632e-02 + 4.330000e+00 1.287439e+01 -5.980465e+00 8.585518e-02 + 4.340000e+00 1.266135e+01 -5.994277e+00 8.579510e-02 + 4.350000e+00 1.228021e+01 -6.008088e+00 8.612033e-02 + 4.360000e+00 1.174245e+01 -6.021900e+00 8.671645e-02 + 4.370000e+00 1.106387e+01 -6.035712e+00 8.737418e-02 + 4.380000e+00 1.026392e+01 -6.049523e+00 8.786556e-02 + 4.390000e+00 9.364814e+00 -6.063335e+00 8.802129e-02 + 4.400000e+00 8.390613e+00 -6.077147e+00 8.778446e-02 + 4.410000e+00 7.366263e+00 -6.090958e+00 8.722793e-02 + 4.420000e+00 6.316617e+00 -6.104770e+00 8.653223e-02 + 4.430000e+00 5.265521e+00 -6.118582e+00 8.592841e-02 + 4.440000e+00 4.234999e+00 -6.132394e+00 8.561983e-02 + 4.450000e+00 3.244559e+00 -6.146205e+00 8.570877e-02 + 4.460000e+00 2.310668e+00 -6.160017e+00 8.615855e-02 + 4.470000e+00 1.446384e+00 -6.173829e+00 8.680890e-02 + 4.480000e+00 6.611823e-01 -6.187640e+00 8.743706e-02 + 4.490000e+00 -3.905441e-02 -6.201452e+00 8.783681e-02 + 4.500000e+00 -6.518808e-01 -6.215264e+00 8.788586e-02 + 4.510000e+00 -1.177993e+00 -6.229075e+00 8.758252e-02 + 4.520000e+00 -1.620823e+00 -6.242887e+00 8.704418e-02 + 4.530000e+00 -1.986045e+00 -6.256699e+00 8.646856e-02 + 4.540000e+00 -2.281044e+00 -6.270511e+00 8.606669e-02 + 4.550000e+00 -2.514362e+00 -6.284322e+00 8.598740e-02 + 4.560000e+00 -2.695158e+00 -6.298134e+00 8.626153e-02 + 4.570000e+00 -2.832719e+00 -6.311946e+00 8.679056e-02 + 4.580000e+00 -2.936024e+00 -6.325757e+00 8.738503e-02 + 4.590000e+00 -3.013391e+00 -6.339569e+00 8.783451e-02 + 4.600000e+00 -3.072212e+00 -6.353381e+00 8.798044e-02 + 4.610000e+00 -3.118767e+00 -6.367192e+00 8.776777e-02 + 4.620000e+00 -3.158134e+00 -6.381004e+00 8.726241e-02 + 4.630000e+00 -3.194163e+00 -6.394816e+00 8.663102e-02 + 4.640000e+00 -3.229516e+00 -6.408627e+00 8.608727e-02 + 4.650000e+00 -3.265756e+00 -6.422439e+00 8.581849e-02 + 4.660000e+00 -3.303465e+00 -6.436251e+00 8.591708e-02 + 4.670000e+00 -3.342377e+00 -6.450063e+00 8.634536e-02 + 4.680000e+00 -3.381515e+00 -6.463874e+00 8.695011e-02 + 4.690000e+00 -3.419326e+00 -6.477686e+00 8.751985e-02 + 4.700000e+00 -3.453792e+00 -6.491498e+00 8.785941e-02 + 4.710000e+00 -3.482530e+00 -6.505309e+00 8.785407e-02 + 4.720000e+00 -3.502873e+00 -6.519121e+00 8.750507e-02 + 4.730000e+00 -3.511939e+00 -6.532933e+00 8.692868e-02 + 4.740000e+00 -3.506682e+00 -6.546744e+00 8.631937e-02 + 4.750000e+00 -3.483957e+00 -6.560556e+00 8.588540e-02 + 4.760000e+00 -3.440576e+00 -6.574368e+00 8.577557e-02 + 4.770000e+00 -3.373385e+00 -6.588180e+00 8.602434e-02 + 4.780000e+00 -3.279357e+00 -6.601991e+00 8.653953e-02 + 4.790000e+00 -3.155710e+00 -6.615803e+00 8.713833e-02 + 4.800000e+00 -3.000036e+00 -6.629615e+00 8.761468e-02 + 4.810000e+00 -2.810458e+00 -6.643426e+00 8.781026e-02 + 4.820000e+00 -2.585794e+00 -6.657238e+00 8.766528e-02 + 4.830000e+00 -2.325724e+00 -6.671050e+00 8.723634e-02 + 4.840000e+00 -2.030943e+00 -6.684861e+00 8.667774e-02 + 4.850000e+00 -1.703304e+00 -6.698673e+00 8.619059e-02 + 4.860000e+00 -1.345909e+00 -6.712485e+00 8.595303e-02 + 4.870000e+00 -9.631702e-01 -6.726297e+00 8.605479e-02 + 4.880000e+00 -5.608041e-01 -6.740108e+00 8.646303e-02 + 4.890000e+00 -1.457638e-01 -6.753920e+00 8.703493e-02 + 4.900000e+00 2.738950e-01 -6.767732e+00 8.757120e-02 + 4.910000e+00 6.892164e-01 -6.781543e+00 8.788676e-02 + 4.920000e+00 1.090608e+00 -6.795355e+00 8.787244e-02 + 4.930000e+00 1.468155e+00 -6.809167e+00 8.752974e-02 + 4.940000e+00 1.811980e+00 -6.822978e+00 8.697063e-02 + 4.950000e+00 2.112617e+00 -6.836790e+00 8.638246e-02 + 4.960000e+00 2.361395e+00 -6.850602e+00 8.596608e-02 + 4.970000e+00 2.550801e+00 -6.864413e+00 8.586518e-02 + 4.980000e+00 2.674816e+00 -6.878225e+00 8.611303e-02 + 4.990000e+00 2.729185e+00 -6.892037e+00 8.661999e-02 + 5.000000e+00 2.711627e+00 -6.905849e+00 8.720766e-02 + 5.010000e+00 2.621959e+00 -6.919660e+00 8.767376e-02 + 5.020000e+00 2.462128e+00 -6.933472e+00 8.786104e-02 + 5.030000e+00 2.236157e+00 -6.947284e+00 8.770755e-02 + 5.040000e+00 1.949990e+00 -6.961095e+00 8.726511e-02 + 5.050000e+00 1.611265e+00 -6.974907e+00 8.668269e-02 + 5.060000e+00 1.229002e+00 -6.988719e+00 8.615816e-02 + 5.070000e+00 8.132488e-01 -7.002530e+00 8.587099e-02 + 5.080000e+00 3.746712e-01 -7.016342e+00 8.591790e-02 + 5.090000e+00 -7.586038e-02 -7.030154e+00 8.627722e-02 + 5.100000e+00 -5.276906e-01 -7.043966e+00 8.681827e-02 + 5.110000e+00 -9.707736e-01 -7.057777e+00 8.735105e-02 + 5.120000e+00 -1.396027e+00 -7.071589e+00 8.769425e-02 + 5.130000e+00 -1.795627e+00 -7.085401e+00 8.773588e-02 + 5.140000e+00 -2.163237e+00 -7.099212e+00 8.746834e-02 + 5.150000e+00 -2.494151e+00 -7.113024e+00 8.698983e-02 + 5.160000e+00 -2.785361e+00 -7.126836e+00 8.647198e-02 + 5.170000e+00 -3.035536e+00 -7.140647e+00 8.610178e-02 + 5.180000e+00 -3.244924e+00 -7.154459e+00 8.601496e-02 + 5.190000e+00 -3.415178e+00 -7.168271e+00 8.624523e-02 + 5.200000e+00 -3.549129e+00 -7.182083e+00 8.671154e-02 + 5.210000e+00 -3.650505e+00 -7.195894e+00 8.724892e-02 + 5.220000e+00 -3.723620e+00 -7.209706e+00 8.766895e-02 + 5.230000e+00 -3.773049e+00 -7.223518e+00 8.782505e-02 + 5.240000e+00 -3.803304e+00 -7.237329e+00 8.766071e-02 + 5.250000e+00 -3.818524e+00 -7.251141e+00 8.722768e-02 + 5.260000e+00 -3.822194e+00 -7.264953e+00 8.667016e-02 + 5.270000e+00 -3.816918e+00 -7.278764e+00 8.617831e-02 + 5.280000e+00 -3.804229e+00 -7.292576e+00 8.592329e-02 + 5.290000e+00 -3.784477e+00 -7.306388e+00 8.599517e-02 + 5.300000e+00 -3.756772e+00 -7.320200e+00 8.636886e-02 + 5.310000e+00 -3.718998e+00 -7.334011e+00 8.691337e-02 + 5.320000e+00 -3.667897e+00 -7.347823e+00 8.744021e-02 + 5.330000e+00 -3.599214e+00 -7.361635e+00 8.776965e-02 + 5.340000e+00 -3.507905e+00 -7.375446e+00 8.779011e-02 + 5.350000e+00 -3.388388e+00 -7.389258e+00 8.749321e-02 + 5.360000e+00 -3.234838e+00 -7.403070e+00 8.697617e-02 + 5.370000e+00 -3.041515e+00 -7.416881e+00 8.641121e-02 + 5.380000e+00 -2.803099e+00 -7.430693e+00 8.598917e-02 + 5.390000e+00 -2.515036e+00 -7.444505e+00 8.585342e-02 + 5.400000e+00 -2.173860e+00 -7.458316e+00 8.604798e-02 + 5.410000e+00 -1.777503e+00 -7.472128e+00 8.650183e-02 + 5.420000e+00 -1.325552e+00 -7.485940e+00 8.705661e-02 + 5.430000e+00 -8.194596e-01 -7.499752e+00 8.752478e-02 + 5.440000e+00 -2.626892e-01 -7.513563e+00 8.775421e-02 + 5.450000e+00 3.392176e-01 -7.527375e+00 8.767696e-02 + 5.460000e+00 9.786512e-01 -7.541187e+00 8.732932e-02 + 5.470000e+00 1.646031e+00 -7.554998e+00 8.683885e-02 + 5.480000e+00 2.329988e+00 -7.568810e+00 8.638176e-02 + 5.490000e+00 3.017633e+00 -7.582622e+00 8.612218e-02 + 5.500000e+00 3.694900e+00 -7.596433e+00 8.615289e-02 + 5.510000e+00 4.346958e+00 -7.610245e+00 8.646102e-02 + 5.520000e+00 4.958674e+00 -7.624057e+00 8.693372e-02 + 5.530000e+00 5.515119e+00 -7.637869e+00 8.740100e-02 + 5.540000e+00 6.002084e+00 -7.651680e+00 8.769710e-02 + 5.550000e+00 6.406594e+00 -7.665492e+00 8.771699e-02 + 5.560000e+00 6.717406e+00 -7.679304e+00 8.745053e-02 + 5.570000e+00 6.925442e+00 -7.693115e+00 8.698579e-02 + 5.580000e+00 7.024169e+00 -7.706927e+00 8.648066e-02 + 5.590000e+00 7.009884e+00 -7.720739e+00 8.610998e-02 + 5.600000e+00 6.881897e+00 -7.734550e+00 8.600369e-02 + 5.610000e+00 6.642601e+00 -7.748362e+00 8.619864e-02 + 5.620000e+00 6.297426e+00 -7.762174e+00 8.662450e-02 + 5.630000e+00 5.854665e+00 -7.775986e+00 8.713015e-02 + 5.640000e+00 5.325193e+00 -7.789797e+00 8.753878e-02 + 5.650000e+00 4.722072e+00 -7.803609e+00 8.770900e-02 + 5.660000e+00 4.060080e+00 -7.817421e+00 8.758144e-02 + 5.670000e+00 3.355160e+00 -7.831232e+00 8.719768e-02 + 5.680000e+00 2.623839e+00 -7.845044e+00 8.668744e-02 + 5.690000e+00 1.882618e+00 -7.858856e+00 8.622663e-02 + 5.700000e+00 1.147384e+00 -7.872667e+00 8.597749e-02 + 5.710000e+00 4.328576e-01 -7.886479e+00 8.603025e-02 + 5.720000e+00 -2.478914e-01 -7.900291e+00 8.636931e-02 + 5.730000e+00 -8.838435e-01 -7.914102e+00 8.687907e-02 + 5.740000e+00 -1.466320e+00 -7.927914e+00 8.738655e-02 + 5.750000e+00 -1.989158e+00 -7.941726e+00 8.772229e-02 + 5.760000e+00 -2.448757e+00 -7.955538e+00 8.777674e-02 + 5.770000e+00 -2.844007e+00 -7.969349e+00 8.753466e-02 + 5.780000e+00 -3.176100e+00 -7.983161e+00 8.707946e-02 + 5.790000e+00 -3.448233e+00 -7.996973e+00 8.656641e-02 + 5.800000e+00 -3.665236e+00 -8.010784e+00 8.617139e-02 + 5.810000e+00 -3.833133e+00 -8.024596e+00 8.602990e-02 + 5.820000e+00 -3.958675e+00 -8.038408e+00 8.618804e-02 + 5.830000e+00 -4.048865e+00 -8.052219e+00 8.658593e-02 + 5.840000e+00 -4.110503e+00 -8.066031e+00 8.708082e-02 + 5.850000e+00 -4.149782e+00 -8.079843e+00 8.749955e-02 + 5.860000e+00 -4.171953e+00 -8.093655e+00 8.769861e-02 + 5.870000e+00 -4.181080e+00 -8.107466e+00 8.761101e-02 + 5.880000e+00 -4.179890e+00 -8.121278e+00 8.726695e-02 + 5.890000e+00 -4.169735e+00 -8.135090e+00 8.678365e-02 + 5.900000e+00 -4.150654e+00 -8.148901e+00 8.632682e-02 + 5.910000e+00 -4.121538e+00 -8.162713e+00 8.605422e-02 + 5.920000e+00 -4.080373e+00 -8.176525e+00 8.605936e-02 + 5.930000e+00 -4.024548e+00 -8.190336e+00 8.633734e-02 + 5.940000e+00 -3.951214e+00 -8.204148e+00 8.678737e-02 + 5.950000e+00 -3.857649e+00 -8.217960e+00 8.725091e-02 + 5.960000e+00 -3.741620e+00 -8.231772e+00 8.756870e-02 + 5.970000e+00 -3.601711e+00 -8.245583e+00 8.763482e-02 + 5.980000e+00 -3.437595e+00 -8.259395e+00 8.743080e-02 + 5.990000e+00 -3.250224e+00 -8.273207e+00 8.703087e-02 + 6.000000e+00 -3.041939e+00 -8.287018e+00 8.657745e-02 + 6.010000e+00 -2.816474e+00 -8.300830e+00 8.623311e-02 + 6.020000e+00 -2.578867e+00 -8.314642e+00 8.612316e-02 + 6.030000e+00 -2.335272e+00 -8.328453e+00 8.628953e-02 + 6.040000e+00 -2.092693e+00 -8.342265e+00 8.667500e-02 + 6.050000e+00 -1.858648e+00 -8.356077e+00 8.714473e-02 + 6.060000e+00 -1.640791e+00 -8.369888e+00 8.753548e-02 + 6.070000e+00 -1.446513e+00 -8.383700e+00 8.771242e-02 + 6.080000e+00 -1.282544e+00 -8.397512e+00 8.761380e-02 + 6.090000e+00 -1.154595e+00 -8.411324e+00 8.727067e-02 + 6.100000e+00 -1.067042e+00 -8.425135e+00 8.679705e-02 + 6.110000e+00 -1.022691e+00 -8.438947e+00 8.635272e-02 + 6.120000e+00 -1.022633e+00 -8.452759e+00 8.608880e-02 + 6.130000e+00 -1.066192e+00 -8.466570e+00 8.609374e-02 + 6.140000e+00 -1.150981e+00 -8.480382e+00 8.636059e-02 + 6.150000e+00 -1.273047e+00 -8.494194e+00 8.678994e-02 + 6.160000e+00 -1.427113e+00 -8.508005e+00 8.722702e-02 + 6.170000e+00 -1.606882e+00 -8.521817e+00 8.751718e-02 + 6.180000e+00 -1.805393e+00 -8.535629e+00 8.755858e-02 + 6.190000e+00 -2.015408e+00 -8.549441e+00 8.733548e-02 + 6.200000e+00 -2.229787e+00 -8.563252e+00 8.692355e-02 + 6.210000e+00 -2.441843e+00 -8.577064e+00 8.646565e-02 + 6.220000e+00 -2.645638e+00 -8.590876e+00 8.612434e-02 + 6.230000e+00 -2.836214e+00 -8.604687e+00 8.602490e-02 + 6.240000e+00 -3.009722e+00 -8.618499e+00 8.620926e-02 + 6.250000e+00 -3.163462e+00 -8.632311e+00 8.661987e-02 + 6.260000e+00 -3.295813e+00 -8.646122e+00 8.712074e-02 + 6.270000e+00 -3.406071e+00 -8.659934e+00 8.754630e-02 + 6.280000e+00 -3.494195e+00 -8.673746e+00 8.775802e-02 + 6.290000e+00 -3.560494e+00 -8.687558e+00 8.768946e-02 + 6.300000e+00 -3.605266e+00 -8.701369e+00 8.736689e-02 + 6.310000e+00 -3.628425e+00 -8.715181e+00 8.690065e-02 + 6.320000e+00 -3.629147e+00 -8.728993e+00 8.644948e-02 + 6.330000e+00 -3.605564e+00 -8.742804e+00 8.616701e-02 + 6.340000e+00 -3.554534e+00 -8.756616e+00 8.614766e-02 + 6.350000e+00 -3.471511e+00 -8.770428e+00 8.639233e-02 + 6.360000e+00 -3.350547e+00 -8.784239e+00 8.680872e-02 + 6.370000e+00 -3.184410e+00 -8.798051e+00 8.724599e-02 + 6.380000e+00 -2.964853e+00 -8.811863e+00 8.754876e-02 + 6.390000e+00 -2.683002e+00 -8.825674e+00 8.760987e-02 + 6.400000e+00 -2.329863e+00 -8.839486e+00 8.740504e-02 + 6.410000e+00 -1.896913e+00 -8.853298e+00 8.700040e-02 + 6.420000e+00 -1.376751e+00 -8.867110e+00 8.653120e-02 + 6.430000e+00 -7.637666e-01 -8.880921e+00 8.615719e-02 + 6.440000e+00 -5.478658e-02 -8.894733e+00 8.600743e-02 + 6.450000e+00 7.503419e-01 -8.908545e+00 8.613388e-02 + 6.460000e+00 1.648275e+00 -8.922356e+00 8.649247e-02 + 6.470000e+00 2.631839e+00 -8.936168e+00 8.696004e-02 + 6.480000e+00 3.689864e+00 -8.949980e+00 8.737928e-02 + 6.490000e+00 4.807217e+00 -8.963791e+00 8.761334e-02 + 6.500000e+00 5.965040e+00 -8.977603e+00 8.759051e-02 + 6.510000e+00 7.141184e+00 -8.991415e+00 8.732628e-02 + 6.520000e+00 8.310844e+00 -9.005227e+00 8.691727e-02 + 6.530000e+00 9.447355e+00 -9.019038e+00 8.650892e-02 + 6.540000e+00 1.052313e+01 -9.032850e+00 8.624585e-02 + 6.550000e+00 1.151068e+01 -9.046662e+00 8.622056e-02 + 6.560000e+00 1.238368e+01 -9.060473e+00 8.643989e-02 + 6.570000e+00 1.311803e+01 -9.074285e+00 8.682322e-02 + 6.580000e+00 1.369284e+01 -9.088097e+00 8.723311e-02 + 6.590000e+00 1.409131e+01 -9.101908e+00 8.752513e-02 + 6.600000e+00 1.430143e+01 -9.115720e+00 8.759756e-02 + 6.610000e+00 1.431653e+01 -9.129532e+00 8.742490e-02 + 6.620000e+00 1.413553e+01 -9.143344e+00 8.706581e-02 + 6.630000e+00 1.376303e+01 -9.157155e+00 8.664383e-02 + 6.640000e+00 1.320907e+01 -9.170967e+00 8.630586e-02 + 6.650000e+00 1.248876e+01 -9.184779e+00 8.617074e-02 + 6.660000e+00 1.162158e+01 -9.198590e+00 8.628606e-02 + 6.670000e+00 1.063063e+01 -9.212402e+00 8.661044e-02 + 6.680000e+00 9.541615e+00 -9.226214e+00 8.702918e-02 + 6.690000e+00 8.381888e+00 -9.240025e+00 8.739620e-02 + 6.700000e+00 7.179331e+00 -9.253837e+00 8.758517e-02 + 6.710000e+00 5.961341e+00 -9.267649e+00 8.753185e-02 + 6.720000e+00 4.753851e+00 -9.281461e+00 8.725476e-02 + 6.730000e+00 3.580485e+00 -9.295272e+00 8.684917e-02 + 6.740000e+00 2.461850e+00 -9.309084e+00 8.645577e-02 + 6.750000e+00 1.415025e+00 -9.322896e+00 8.621269e-02 + 6.760000e+00 4.532287e-01 -9.336707e+00 8.620624e-02 + 6.770000e+00 -4.142968e-01 -9.350519e+00 8.643915e-02 + 6.780000e+00 -1.182223e+00 -9.364331e+00 8.682945e-02 + 6.790000e+00 -1.848891e+00 -9.378142e+00 8.724072e-02 + 6.800000e+00 -2.415919e+00 -9.391954e+00 8.753056e-02 + 6.810000e+00 -2.887703e+00 -9.405766e+00 8.759901e-02 + 6.820000e+00 -3.270830e+00 -9.419577e+00 8.742103e-02 + 6.830000e+00 -3.573468e+00 -9.433389e+00 8.705433e-02 + 6.840000e+00 -3.804748e+00 -9.447201e+00 8.662072e-02 + 6.850000e+00 -3.974192e+00 -9.461013e+00 8.626564e-02 + 6.860000e+00 -4.091203e+00 -9.474824e+00 8.610804e-02 + 6.870000e+00 -4.164653e+00 -9.488636e+00 8.619781e-02 + 6.880000e+00 -4.202570e+00 -9.502448e+00 8.649787e-02 + 6.890000e+00 -4.211947e+00 -9.516259e+00 8.689872e-02 + 6.900000e+00 -4.198652e+00 -9.530071e+00 8.725885e-02 + 6.910000e+00 -4.167450e+00 -9.543883e+00 8.745463e-02 + 6.920000e+00 -4.122095e+00 -9.557694e+00 8.742188e-02 + 6.930000e+00 -4.065505e+00 -9.571506e+00 8.717653e-02 + 6.940000e+00 -3.999959e+00 -9.585318e+00 8.680901e-02 + 6.950000e+00 -3.927327e+00 -9.599130e+00 8.645406e-02 + 6.960000e+00 -3.849278e+00 -9.612941e+00 8.624413e-02 + 6.970000e+00 -3.767473e+00 -9.626753e+00 8.626168e-02 + 6.980000e+00 -3.683709e+00 -9.640565e+00 8.650827e-02 + 6.990000e+00 -3.600007e+00 -9.654376e+00 8.690351e-02 + 7.000000e+00 -3.518647e+00 -9.668188e+00 8.731419e-02 + 7.010000e+00 -3.442143e+00 -9.682000e+00 8.760140e-02 + 7.020000e+00 -3.373162e+00 -9.695811e+00 8.766765e-02 + 7.030000e+00 -3.314405e+00 -9.709623e+00 8.748867e-02 + 7.040000e+00 -3.268464e+00 -9.723435e+00 8.712136e-02 + 7.050000e+00 -3.237658e+00 -9.737247e+00 8.668565e-02 + 7.060000e+00 -3.223883e+00 -9.751058e+00 8.632511e-02 + 7.070000e+00 -3.228470e+00 -9.764870e+00 8.615774e-02 + 7.080000e+00 -3.252079e+00 -9.778682e+00 8.623406e-02 + 7.090000e+00 -3.294630e+00 -9.792493e+00 8.651903e-02 + 7.100000e+00 -3.355279e+00 -9.806305e+00 8.690579e-02 + 7.110000e+00 -3.432434e+00 -9.820117e+00 8.725504e-02 + 7.120000e+00 -3.523812e+00 -9.833928e+00 8.744407e-02 + 7.130000e+00 -3.626529e+00 -9.847740e+00 8.740803e-02 + 7.140000e+00 -3.737210e+00 -9.861552e+00 8.716079e-02 + 7.150000e+00 -3.852113e+00 -9.875363e+00 8.679014e-02 + 7.160000e+00 -3.967249e+00 -9.889175e+00 8.642857e-02 + 7.170000e+00 -4.078489e+00 -9.902987e+00 8.620775e-02 + 7.180000e+00 -4.181658e+00 -9.916799e+00 8.621132e-02 + 7.190000e+00 -4.272592e+00 -9.930610e+00 8.644384e-02 + 7.200000e+00 -4.347178e+00 -9.944422e+00 8.682872e-02 + 7.210000e+00 -4.401366e+00 -9.958234e+00 8.723616e-02 + 7.220000e+00 -4.431155e+00 -9.972045e+00 8.752910e-02 + 7.230000e+00 -4.432579e+00 -9.985857e+00 8.760985e-02 + 7.240000e+00 -4.401686e+00 -9.999669e+00 8.745203e-02 + 7.250000e+00 -4.334534e+00 -1.001348e+01 8.710905e-02 + 7.260000e+00 -4.227210e+00 -1.002729e+01 8.669701e-02 + 7.270000e+00 -4.075886e+00 -1.004110e+01 8.635634e-02 + 7.280000e+00 -3.876916e+00 -1.005492e+01 8.620357e-02 + 7.290000e+00 -3.626982e+00 -1.006873e+01 8.628964e-02 + 7.300000e+00 -3.323282e+00 -1.008254e+01 8.658147e-02 + 7.310000e+00 -2.963758e+00 -1.009635e+01 8.697451e-02 + 7.320000e+00 -2.547353e+00 -1.011016e+01 8.733096e-02 + 7.330000e+00 -2.074275e+00 -1.012397e+01 8.752789e-02 + 7.340000e+00 -1.546259e+00 -1.013779e+01 8.749837e-02 + 7.350000e+00 -9.667883e-01 -1.015160e+01 8.725294e-02 + 7.360000e+00 -3.412800e-01 -1.016541e+01 8.687595e-02 + 7.370000e+00 3.228177e-01 -1.017922e+01 8.649780e-02 + 7.380000e+00 1.016010e+00 -1.019303e+01 8.625065e-02 + 7.390000e+00 1.726847e+00 -1.020684e+01 8.622171e-02 + 7.400000e+00 2.442125e+00 -1.022066e+01 8.642147e-02 + 7.410000e+00 3.147204e+00 -1.023447e+01 8.677992e-02 + 7.420000e+00 3.826419e+00 -1.024828e+01 8.717238e-02 + 7.430000e+00 4.463596e+00 -1.026209e+01 8.746396e-02 + 7.440000e+00 5.042623e+00 -1.027590e+01 8.755554e-02 + 7.450000e+00 5.548071e+00 -1.028971e+01 8.741620e-02 + 7.460000e+00 5.965823e+00 -1.030353e+01 8.709278e-02 + 7.470000e+00 6.283678e+00 -1.031734e+01 8.669456e-02 + 7.480000e+00 6.491899e+00 -1.033115e+01 8.635679e-02 + 7.490000e+00 6.583679e+00 -1.034496e+01 8.619412e-02 + 7.500000e+00 6.555482e+00 -1.035877e+01 8.625962e-02 + 7.510000e+00 6.407260e+00 -1.037258e+01 8.652573e-02 + 7.520000e+00 6.142512e+00 -1.038640e+01 8.689495e-02 + 7.530000e+00 5.768195e+00 -1.040021e+01 8.723582e-02 + 7.540000e+00 5.294482e+00 -1.041402e+01 8.742941e-02 + 7.550000e+00 4.734383e+00 -1.042783e+01 8.740958e-02 + 7.560000e+00 4.103251e+00 -1.044164e+01 8.718460e-02 + 7.570000e+00 3.418196e+00 -1.045545e+01 8.683440e-02 + 7.580000e+00 2.697439e+00 -1.046927e+01 8.648406e-02 + 7.590000e+00 1.959645e+00 -1.048308e+01 8.626112e-02 + 7.600000e+00 1.223256e+00 -1.049689e+01 8.625008e-02 + 7.610000e+00 5.058789e-01 -1.051070e+01 8.646118e-02 + 7.620000e+00 -1.762705e-01 -1.052451e+01 8.682625e-02 + 7.630000e+00 -8.088206e-01 -1.053832e+01 8.722328e-02 + 7.640000e+00 -1.379593e+00 -1.055214e+01 8.751959e-02 + 7.650000e+00 -1.878834e+00 -1.056595e+01 8.761687e-02 + 7.660000e+00 -2.299321e+00 -1.057976e+01 8.748327e-02 + 7.670000e+00 -2.636371e+00 -1.059357e+01 8.716352e-02 + 7.680000e+00 -2.887729e+00 -1.060738e+01 8.676455e-02 + 7.690000e+00 -3.053399e+00 -1.062120e+01 8.642026e-02 + 7.700000e+00 -3.135390e+00 -1.063501e+01 8.624582e-02 + 7.710000e+00 -3.137448e+00 -1.064882e+01 8.629701e-02 + 7.720000e+00 -3.064754e+00 -1.066263e+01 8.655023e-02 + 7.730000e+00 -2.923640e+00 -1.067644e+01 8.691194e-02 + 7.740000e+00 -2.721321e+00 -1.069025e+01 8.725297e-02 + 7.750000e+00 -2.465665e+00 -1.070407e+01 8.745415e-02 + 7.760000e+00 -2.165005e+00 -1.071788e+01 8.744637e-02 + 7.770000e+00 -1.827993e+00 -1.073169e+01 8.723295e-02 + 7.780000e+00 -1.463495e+00 -1.074550e+01 8.688815e-02 + 7.790000e+00 -1.080518e+00 -1.075931e+01 8.653246e-02 + 7.800000e+00 -6.881554e-01 -1.077312e+01 8.629153e-02 + 7.810000e+00 -2.955460e-01 -1.078694e+01 8.625170e-02 + 7.820000e+00 8.818105e-02 -1.080075e+01 8.642853e-02 + 7.830000e+00 4.539747e-01 -1.081456e+01 8.676105e-02 + 7.840000e+00 7.929615e-01 -1.082837e+01 8.713417e-02 + 7.850000e+00 1.096579e+00 -1.084218e+01 8.741985e-02 + 7.860000e+00 1.356747e+00 -1.085599e+01 8.752100e-02 + 7.870000e+00 1.566073e+00 -1.086981e+01 8.740354e-02 + 7.880000e+00 1.718081e+00 -1.088362e+01 8.710728e-02 + 7.890000e+00 1.807461e+00 -1.089743e+01 8.673292e-02 + 7.900000e+00 1.830310e+00 -1.091124e+01 8.640862e-02 + 7.910000e+00 1.784361e+00 -1.092505e+01 8.624595e-02 + 7.920000e+00 1.669172e+00 -1.093886e+01 8.630016e-02 + 7.930000e+00 1.486265e+00 -1.095268e+01 8.655020e-02 + 7.940000e+00 1.239192e+00 -1.096649e+01 8.690681e-02 + 7.950000e+00 9.335295e-01 -1.098030e+01 8.724518e-02 + 7.960000e+00 5.767748e-01 -1.099411e+01 8.744885e-02 + 7.970000e+00 1.781685e-01 -1.100792e+01 8.744896e-02 + 7.980000e+00 -2.515741e-01 -1.102173e+01 8.724661e-02 + 7.990000e+00 -7.006017e-01 -1.103555e+01 8.691219e-02 + 8.000000e+00 -1.156323e+00 -1.104936e+01 8.656200e-02 + 8.010000e+00 -1.605844e+00 -1.106317e+01 8.631875e-02 + 8.020000e+00 -2.036420e+00 -1.107698e+01 8.626827e-02 + 8.030000e+00 -2.435906e+00 -1.109079e+01 8.642838e-02 + 8.040000e+00 -2.793178e+00 -1.110460e+01 8.674233e-02 + 8.050000e+00 -3.098512e+00 -1.111842e+01 8.709977e-02 + 8.060000e+00 -3.343890e+00 -1.113223e+01 8.737617e-02 + 8.070000e+00 -3.523241e+00 -1.114604e+01 8.747575e-02 + 8.080000e+00 -3.632589e+00 -1.115985e+01 8.736322e-02 + 8.090000e+00 -3.670114e+00 -1.117366e+01 8.707518e-02 + 8.100000e+00 -3.636133e+00 -1.118747e+01 8.670830e-02 + 8.110000e+00 -3.532999e+00 -1.120129e+01 8.638727e-02 + 8.120000e+00 -3.364936e+00 -1.121510e+01 8.622217e-02 + 8.130000e+00 -3.137818e+00 -1.122891e+01 8.626941e-02 + 8.140000e+00 -2.858915e+00 -1.124272e+01 8.651148e-02 + 8.150000e+00 -2.536611e+00 -1.125653e+01 8.686382e-02 + 8.160000e+00 -2.180124e+00 -1.127034e+01 8.720573e-02 + 8.170000e+00 -1.799223e+00 -1.128416e+01 8.742290e-02 + 8.180000e+00 -1.403965e+00 -1.129797e+01 8.744584e-02 + 8.190000e+00 -1.004458e+00 -1.131178e+01 8.727231e-02 + 8.200000e+00 -6.106442e-01 -1.132559e+01 8.696732e-02 + 8.210000e+00 -2.321136e-01 -1.133940e+01 8.664116e-02 + 8.220000e+00 1.220572e-01 -1.135322e+01 8.641148e-02 + 8.230000e+00 4.434491e-01 -1.136703e+01 8.636156e-02 + 8.240000e+00 7.244291e-01 -1.138084e+01 8.650989e-02 + 8.250000e+00 9.582697e-01 -1.139465e+01 8.680331e-02 + 8.260000e+00 1.139265e+00 -1.140846e+01 8.713658e-02 + 8.270000e+00 1.262844e+00 -1.142227e+01 8.739024e-02 + 8.280000e+00 1.325686e+00 -1.143609e+01 8.747210e-02 + 8.290000e+00 1.325830e+00 -1.144990e+01 8.734839e-02 + 8.300000e+00 1.262779e+00 -1.146371e+01 8.705530e-02 + 8.310000e+00 1.137587e+00 -1.147752e+01 8.668776e-02 + 8.320000e+00 9.529220e-01 -1.149133e+01 8.636844e-02 + 8.330000e+00 7.130975e-01 -1.150514e+01 8.620594e-02 + 8.340000e+00 4.240556e-01 -1.151896e+01 8.625642e-02 + 8.350000e+00 9.329779e-02 -1.153277e+01 8.650321e-02 + 8.360000e+00 -2.702450e-01 -1.154658e+01 8.686301e-02 + 8.370000e+00 -6.564063e-01 -1.156039e+01 8.721593e-02 + 8.380000e+00 -1.054043e+00 -1.157420e+01 8.744716e-02 + 8.390000e+00 -1.451351e+00 -1.158801e+01 8.748512e-02 + 8.400000e+00 -1.836238e+00 -1.160183e+01 8.732405e-02 + 8.410000e+00 -2.196723e+00 -1.161564e+01 8.702498e-02 + 8.420000e+00 -2.521366e+00 -1.162945e+01 8.669490e-02 + 8.430000e+00 -2.799690e+00 -1.164326e+01 8.645018e-02 + 8.440000e+00 -3.022590e+00 -1.165707e+01 8.637573e-02 + 8.450000e+00 -3.182695e+00 -1.167088e+01 8.649456e-02 + 8.460000e+00 -3.274671e+00 -1.168470e+01 8.675976e-02 + 8.470000e+00 -3.295447e+00 -1.169851e+01 8.707235e-02 + 8.480000e+00 -3.244348e+00 -1.171232e+01 8.731743e-02 + 8.490000e+00 -3.123134e+00 -1.172613e+01 8.740456e-02 + 8.500000e+00 -2.935929e+00 -1.173994e+01 8.729860e-02 + 8.510000e+00 -2.689061e+00 -1.175375e+01 8.703170e-02 + 8.520000e+00 -2.390808e+00 -1.176757e+01 8.669304e-02 + 8.530000e+00 -2.051063e+00 -1.178138e+01 8.639925e-02 + 8.540000e+00 -1.680950e+00 -1.179519e+01 8.625415e-02 + 8.550000e+00 -1.292393e+00 -1.180900e+01 8.631147e-02 + 8.560000e+00 -8.976655e-01 -1.182281e+01 8.655493e-02 + 8.570000e+00 -5.089507e-01 -1.183662e+01 8.690379e-02 + 8.580000e+00 -1.379157e-01 -1.185044e+01 8.724170e-02 + 8.590000e+00 2.046711e-01 -1.186425e+01 8.745698e-02 + 8.600000e+00 5.092724e-01 -1.187806e+01 8.747997e-02 + 8.610000e+00 7.678529e-01 -1.189187e+01 8.730537e-02 + 8.620000e+00 9.740860e-01 -1.190568e+01 8.699360e-02 + 8.630000e+00 1.123495e+00 -1.191949e+01 8.665084e-02 + 8.640000e+00 1.213531e+00 -1.193331e+01 8.639336e-02 + 8.650000e+00 1.243602e+00 -1.194712e+01 8.630718e-02 + 8.660000e+00 1.215045e+00 -1.196093e+01 8.641768e-02 + 8.670000e+00 1.131068e+00 -1.197474e+01 8.668092e-02 + 8.680000e+00 9.966652e-01 -1.198855e+01 8.700042e-02 + 8.690000e+00 8.184972e-01 -1.200236e+01 8.726226e-02 + 8.700000e+00 6.047687e-01 -1.201618e+01 8.737496e-02 + 8.710000e+00 3.650812e-01 -1.202999e+01 8.730014e-02 + 8.720000e+00 1.102728e-01 -1.204380e+01 8.706510e-02 + 8.730000e+00 -1.477617e-01 -1.205761e+01 8.675349e-02 + 8.740000e+00 -3.962768e-01 -1.207142e+01 8.647706e-02 + 8.750000e+00 -6.219127e-01 -1.208524e+01 8.633674e-02 + 8.760000e+00 -8.109697e-01 -1.209905e+01 8.638627e-02 + 8.770000e+00 -9.497260e-01 -1.211286e+01 8.661224e-02 + 8.780000e+00 -1.024799e+00 -1.212667e+01 8.693873e-02 + 8.790000e+00 -1.023552e+00 -1.214048e+01 8.725461e-02 + 8.800000e+00 -9.345354e-01 -1.215429e+01 8.745244e-02 + 8.810000e+00 -7.479563e-01 -1.216811e+01 8.746492e-02 + 8.820000e+00 -4.561570e-01 -1.218192e+01 8.728703e-02 + 8.830000e+00 -5.408176e-02 -1.219573e+01 8.697780e-02 + 8.840000e+00 4.602920e-01 -1.220954e+01 8.664106e-02 + 8.850000e+00 1.085586e+00 -1.222335e+01 8.639072e-02 + 8.860000e+00 1.816743e+00 -1.223716e+01 8.631117e-02 + 8.870000e+00 2.644869e+00 -1.225098e+01 8.642725e-02 + 8.880000e+00 3.557207e+00 -1.226479e+01 8.669538e-02 + 8.890000e+00 4.537280e+00 -1.227860e+01 8.701972e-02 + 8.900000e+00 5.565186e+00 -1.229241e+01 8.728657e-02 + 8.910000e+00 6.618072e+00 -1.230622e+01 8.740369e-02 + 8.920000e+00 7.670763e+00 -1.232003e+01 8.733101e-02 + 8.930000e+00 8.696530e+00 -1.233385e+01 8.709356e-02 + 8.940000e+00 9.667974e+00 -1.234766e+01 8.677302e-02 + 8.950000e+00 1.055799e+01 -1.236147e+01 8.648046e-02 + 8.960000e+00 1.134075e+01 -1.237528e+01 8.631808e-02 + 8.970000e+00 1.199270e+01 -1.238909e+01 8.634303e-02 + 8.980000e+00 1.249350e+01 -1.240290e+01 8.654665e-02 + 8.990000e+00 1.282679e+01 -1.241672e+01 8.685784e-02 + 9.000000e+00 1.298090e+01 -1.243053e+01 8.716892e-02 + 9.010000e+00 1.294932e+01 -1.244434e+01 8.737363e-02 + 9.020000e+00 1.273097e+01 -1.245815e+01 8.740326e-02 + 9.030000e+00 1.233022e+01 -1.247196e+01 8.724920e-02 + 9.040000e+00 1.175672e+01 -1.248577e+01 8.696564e-02 + 9.050000e+00 1.102496e+01 -1.249959e+01 8.665154e-02 + 9.060000e+00 1.015368e+01 -1.251340e+01 8.641715e-02 + 9.070000e+00 9.165054e+00 -1.252721e+01 8.634552e-02 + 9.080000e+00 8.083764e+00 -1.254102e+01 8.646260e-02 + 9.090000e+00 6.936027e+00 -1.255483e+01 8.672781e-02 + 9.100000e+00 5.748546e+00 -1.256864e+01 8.704891e-02 + 9.110000e+00 4.547501e+00 -1.258246e+01 8.731494e-02 + 9.120000e+00 3.357612e+00 -1.259627e+01 8.743453e-02 + 9.130000e+00 2.201315e+00 -1.261008e+01 8.736635e-02 + 9.140000e+00 1.098084e+00 -1.262389e+01 8.713241e-02 + 9.150000e+00 6.393724e-02 -1.263770e+01 8.681078e-02 + 9.160000e+00 -8.888679e-01 -1.265151e+01 8.650957e-02 + 9.170000e+00 -1.751948e+00 -1.266533e+01 8.633011e-02 + 9.180000e+00 -2.520712e+00 -1.267914e+01 8.633136e-02 + 9.190000e+00 -3.194120e+00 -1.269295e+01 8.650901e-02 + 9.200000e+00 -3.774287e+00 -1.270676e+01 8.679761e-02 + 9.210000e+00 -4.265986e+00 -1.272057e+01 8.709484e-02 + 9.220000e+00 -4.676078e+00 -1.273438e+01 8.729798e-02 + 9.230000e+00 -5.012897e+00 -1.274820e+01 8.733918e-02 + 9.240000e+00 -5.285654e+00 -1.276201e+01 8.720785e-02 + 9.250000e+00 -5.503858e+00 -1.277582e+01 8.695382e-02 + 9.260000e+00 -5.676820e+00 -1.278963e+01 8.667035e-02 + 9.270000e+00 -5.813222e+00 -1.280344e+01 8.646195e-02 + 9.280000e+00 -5.920798e+00 -1.281725e+01 8.640730e-02 + 9.290000e+00 -6.006108e+00 -1.283107e+01 8.653038e-02 + 9.300000e+00 -6.074419e+00 -1.284488e+01 8.679133e-02 + 9.310000e+00 -6.129667e+00 -1.285869e+01 8.710062e-02 + 9.320000e+00 -6.174503e+00 -1.287250e+01 8.735094e-02 + 9.330000e+00 -6.210392e+00 -1.288631e+01 8.745438e-02 + 9.340000e+00 -6.237755e+00 -1.290013e+01 8.737209e-02 + 9.350000e+00 -6.256124e+00 -1.291394e+01 8.712738e-02 + 9.360000e+00 -6.264304e+00 -1.292775e+01 8.679863e-02 + 9.370000e+00 -6.260523e+00 -1.294156e+01 8.649375e-02 + 9.380000e+00 -6.242561e+00 -1.295537e+01 8.631371e-02 + 9.390000e+00 -6.207852e+00 -1.296918e+01 8.631735e-02 + 9.400000e+00 -6.153565e+00 -1.298300e+01 8.650032e-02 + 9.410000e+00 -6.076659e+00 -1.299681e+01 8.679699e-02 + 9.420000e+00 -5.973936e+00 -1.301062e+01 8.710424e-02 + 9.430000e+00 -5.842086e+00 -1.302443e+01 8.731774e-02 + 9.440000e+00 -5.677740e+00 -1.303824e+01 8.736720e-02 + 9.450000e+00 -5.477554e+00 -1.305205e+01 8.723917e-02 + 9.460000e+00 -5.238312e+00 -1.306587e+01 8.698093e-02 + 9.470000e+00 -4.957070e+00 -1.307968e+01 8.668442e-02 + 9.480000e+00 -4.631329e+00 -1.309349e+01 8.645490e-02 + 9.490000e+00 -4.259246e+00 -1.310730e+01 8.637421e-02 + 9.500000e+00 -3.839860e+00 -1.312111e+01 8.647142e-02 + 9.510000e+00 -3.373332e+00 -1.313492e+01 8.671246e-02 + 9.520000e+00 -2.861170e+00 -1.314874e+01 8.701277e-02 + 9.530000e+00 -2.306436e+00 -1.316255e+01 8.726783e-02 + 9.540000e+00 -1.713899e+00 -1.317636e+01 8.738967e-02 + 9.550000e+00 -1.090124e+00 -1.319017e+01 8.733651e-02 + 9.560000e+00 -4.434820e-01 -1.320398e+01 8.712656e-02 + 9.570000e+00 2.159325e-01 -1.321779e+01 8.683195e-02 + 9.580000e+00 8.764886e-01 -1.323161e+01 8.655460e-02 + 9.590000e+00 1.525300e+00 -1.324542e+01 8.639119e-02 + 9.600000e+00 2.148600e+00 -1.325923e+01 8.639887e-02 + 9.610000e+00 2.732200e+00 -1.327304e+01 8.657453e-02 + 9.620000e+00 3.262001e+00 -1.328685e+01 8.685595e-02 + 9.630000e+00 3.724542e+00 -1.330066e+01 8.714429e-02 + 9.640000e+00 4.107565e+00 -1.331448e+01 8.733899e-02 + 9.650000e+00 4.400543e+00 -1.332829e+01 8.737213e-02 + 9.660000e+00 4.595165e+00 -1.334210e+01 8.723101e-02 + 9.670000e+00 4.685740e+00 -1.335591e+01 8.696239e-02 + 9.680000e+00 4.669497e+00 -1.336972e+01 8.665720e-02 + 9.690000e+00 4.546759e+00 -1.338353e+01 8.642001e-02 + 9.700000e+00 4.320990e+00 -1.339735e+01 8.633296e-02 + 9.710000e+00 3.998700e+00 -1.341116e+01 8.642649e-02 + 9.720000e+00 3.589214e+00 -1.342497e+01 8.666849e-02 + 9.730000e+00 3.104320e+00 -1.343878e+01 8.697614e-02 + 9.740000e+00 2.557813e+00 -1.345259e+01 8.724548e-02 + 9.750000e+00 1.964951e+00 -1.346640e+01 8.738734e-02 + 9.760000e+00 1.341861e+00 -1.348022e+01 8.735698e-02 + 9.770000e+00 7.049174e-01 -1.349403e+01 8.716823e-02 + 9.780000e+00 7.012748e-02 -1.350784e+01 8.688841e-02 + 9.790000e+00 -5.474493e-01 -1.352165e+01 8.661543e-02 + 9.800000e+00 -1.134219e+00 -1.353546e+01 8.644403e-02 + 9.810000e+00 -1.678491e+00 -1.354927e+01 8.643230e-02 + 9.820000e+00 -2.170806e+00 -1.356309e+01 8.658090e-02 + 9.830000e+00 -2.604164e+00 -1.357690e+01 8.683326e-02 + 9.840000e+00 -2.974131e+00 -1.359071e+01 8.709657e-02 + 9.850000e+00 -3.278823e+00 -1.360452e+01 8.727520e-02 + 9.860000e+00 -3.518798e+00 -1.361833e+01 8.730399e-02 + 9.870000e+00 -3.696842e+00 -1.363215e+01 8.717051e-02 + 9.880000e+00 -3.817675e+00 -1.364596e+01 8.691943e-02 + 9.890000e+00 -3.887602e+00 -1.365977e+01 8.663786e-02 + 9.900000e+00 -3.914115e+00 -1.367358e+01 8.642579e-02 + 9.910000e+00 -3.905480e+00 -1.368739e+01 8.636104e-02 + 9.920000e+00 -3.870320e+00 -1.370120e+01 8.647090e-02 + 9.930000e+00 -3.817203e+00 -1.371502e+01 8.672179e-02 + 9.940000e+00 -3.754274e+00 -1.372883e+01 8.703094e-02 + 9.950000e+00 -3.688918e+00 -1.374264e+01 8.729552e-02 + 9.960000e+00 -3.627475e+00 -1.375645e+01 8.742791e-02 + 9.970000e+00 -3.575013e+00 -1.377026e+01 8.738488e-02 + 9.980000e+00 -3.535158e+00 -1.378407e+01 8.718164e-02 + 9.990000e+00 -3.509989e+00 -1.379789e+01 8.688691e-02 + 1.000000e+01 -3.499993e+00 -1.381170e+01 8.660026e-02 + 1.001000e+01 -3.504072e+00 -1.382551e+01 8.641841e-02 + 1.002000e+01 -3.519616e+00 -1.383932e+01 8.640157e-02 + 1.003000e+01 -3.542627e+00 -1.385313e+01 8.655216e-02 + 1.004000e+01 -3.567881e+00 -1.386694e+01 8.681427e-02 + 1.005000e+01 -3.589155e+00 -1.388076e+01 8.709419e-02 + 1.006000e+01 -3.599469e+00 -1.389457e+01 8.729364e-02 + 1.007000e+01 -3.591385e+00 -1.390838e+01 8.734331e-02 + 1.008000e+01 -3.557318e+00 -1.392219e+01 8.722578e-02 + 1.009000e+01 -3.489873e+00 -1.393600e+01 8.698092e-02 + 1.010000e+01 -3.382189e+00 -1.394981e+01 8.669241e-02 + 1.011000e+01 -3.228289e+00 -1.396363e+01 8.645935e-02 + 1.012000e+01 -3.023408e+00 -1.397744e+01 8.636177e-02 + 1.013000e+01 -2.764303e+00 -1.399125e+01 8.643218e-02 + 1.014000e+01 -2.449523e+00 -1.400506e+01 8.664393e-02 + 1.015000e+01 -2.079619e+00 -1.401887e+01 8.692128e-02 + 1.016000e+01 -1.657294e+00 -1.403268e+01 8.716681e-02 + 1.017000e+01 -1.187470e+00 -1.404650e+01 8.729563e-02 + 1.018000e+01 -6.772696e-01 -1.406031e+01 8.726425e-02 + 1.019000e+01 -1.358937e-01 -1.407412e+01 8.708504e-02 + 1.020000e+01 4.255869e-01 -1.408793e+01 8.682200e-02 + 1.021000e+01 9.945439e-01 -1.410174e+01 8.656929e-02 + 1.022000e+01 1.557189e+00 -1.411555e+01 8.641868e-02 + 1.023000e+01 2.099047e+00 -1.412937e+01 8.642691e-02 + 1.024000e+01 2.605490e+00 -1.414318e+01 8.659488e-02 + 1.025000e+01 3.062306e+00 -1.415699e+01 8.686709e-02 + 1.026000e+01 3.456283e+00 -1.417080e+01 8.715138e-02 + 1.027000e+01 3.775775e+00 -1.418461e+01 8.735130e-02 + 1.028000e+01 4.011229e+00 -1.419842e+01 8.739897e-02 + 1.029000e+01 4.155640e+00 -1.421224e+01 8.727770e-02 + 1.030000e+01 4.204914e+00 -1.422605e+01 8.702751e-02 + 1.031000e+01 4.158113e+00 -1.423986e+01 8.673214e-02 + 1.032000e+01 4.017568e+00 -1.425367e+01 8.649118e-02 + 1.033000e+01 3.788855e+00 -1.426748e+01 8.638585e-02 + 1.034000e+01 3.480622e+00 -1.428129e+01 8.645047e-02 + 1.035000e+01 3.104278e+00 -1.429511e+01 8.666030e-02 + 1.036000e+01 2.673553e+00 -1.430892e+01 8.694084e-02 + 1.037000e+01 2.203951e+00 -1.432273e+01 8.719458e-02 + 1.038000e+01 1.712118e+00 -1.433654e+01 8.733498e-02 + 1.039000e+01 1.215153e+00 -1.435035e+01 8.731546e-02 + 1.040000e+01 7.298949e-01 -1.436417e+01 8.714454e-02 + 1.041000e+01 2.722260e-01 -1.437798e+01 8.688261e-02 + 1.042000e+01 -1.435834e-01 -1.439179e+01 8.662157e-02 + 1.043000e+01 -5.054535e-01 -1.440560e+01 8.645317e-02 + 1.044000e+01 -8.039674e-01 -1.441941e+01 8.643676e-02 + 1.045000e+01 -1.032717e+00 -1.443322e+01 8.657798e-02 + 1.046000e+01 -1.188507e+00 -1.444704e+01 8.682686e-02 + 1.047000e+01 -1.271401e+00 -1.446085e+01 8.709613e-02 + 1.048000e+01 -1.284622e+00 -1.447466e+01 8.729218e-02 + 1.049000e+01 -1.234299e+00 -1.448847e+01 8.734732e-02 + 1.050000e+01 -1.129080e+00 -1.450228e+01 8.724243e-02 + 1.051000e+01 -9.796357e-01 -1.451609e+01 8.701305e-02 + 1.052000e+01 -7.980667e-01 -1.452991e+01 8.673757e-02 + 1.053000e+01 -5.972583e-01 -1.454372e+01 8.651054e-02 + 1.054000e+01 -3.902032e-01 -1.455753e+01 8.640985e-02 + 1.055000e+01 -1.893300e-01 -1.457134e+01 8.646890e-02 + 1.056000e+01 -5.868969e-03 -1.458515e+01 8.666457e-02 + 1.057000e+01 1.507162e-01 -1.459896e+01 8.692576e-02 + 1.058000e+01 2.732033e-01 -1.461278e+01 8.715906e-02 + 1.059000e+01 3.569721e-01 -1.462659e+01 8.728155e-02 + 1.060000e+01 4.002350e-01 -1.464040e+01 8.724917e-02 + 1.061000e+01 4.041267e-01 -1.465421e+01 8.707157e-02 + 1.062000e+01 3.726514e-01 -1.466802e+01 8.680913e-02 + 1.063000e+01 3.124882e-01 -1.468183e+01 8.655297e-02 + 1.064000e+01 2.326669e-01 -1.469565e+01 8.639387e-02 + 1.065000e+01 1.441274e-01 -1.470946e+01 8.639026e-02 + 1.066000e+01 5.918253e-02 -1.472327e+01 8.654709e-02 + 1.067000e+01 -9.089408e-03 -1.473708e+01 8.681372e-02 + 1.068000e+01 -4.749838e-02 -1.475089e+01 8.710195e-02 + 1.069000e+01 -4.341128e-02 -1.476470e+01 8.731675e-02 + 1.070000e+01 1.459279e-02 -1.477852e+01 8.738842e-02 + 1.071000e+01 1.361100e-01 -1.479233e+01 8.729542e-02 + 1.072000e+01 3.283693e-01 -1.480614e+01 8.707112e-02 + 1.073000e+01 5.957845e-01 -1.481995e+01 8.679261e-02 + 1.074000e+01 9.396214e-01 -1.483376e+01 8.655478e-02 + 1.075000e+01 1.357797e+00 -1.484757e+01 8.643778e-02 + 1.076000e+01 1.844820e+00 -1.486139e+01 8.647898e-02 + 1.077000e+01 2.391879e+00 -1.487520e+01 8.665995e-02 + 1.078000e+01 2.987079e+00 -1.488901e+01 8.691370e-02 + 1.079000e+01 3.615810e+00 -1.490282e+01 8.714917e-02 + 1.080000e+01 4.261249e+00 -1.491663e+01 8.728329e-02 + 1.081000e+01 4.904966e+00 -1.493044e+01 8.726934e-02 + 1.082000e+01 5.527609e+00 -1.494426e+01 8.711234e-02 + 1.083000e+01 6.109646e+00 -1.495807e+01 8.686715e-02 + 1.084000e+01 6.632134e+00 -1.497188e+01 8.661987e-02 + 1.085000e+01 7.077476e+00 -1.498569e+01 8.645806e-02 + 1.086000e+01 7.430133e+00 -1.499950e+01 8.643983e-02 + 1.087000e+01 7.677269e+00 -1.501331e+01 8.657274e-02 + 1.088000e+01 7.809287e+00 -1.502713e+01 8.681111e-02 + 1.089000e+01 7.820243e+00 -1.504094e+01 8.707253e-02 + 1.090000e+01 7.708102e+00 -1.505475e+01 8.726713e-02 + 1.091000e+01 7.474844e+00 -1.506856e+01 8.732861e-02 + 1.092000e+01 7.126393e+00 -1.508237e+01 8.723654e-02 + 1.093000e+01 6.672383e+00 -1.509619e+01 8.702312e-02 + 1.094000e+01 6.125769e+00 -1.511000e+01 8.676251e-02 + 1.095000e+01 5.502291e+00 -1.512381e+01 8.654572e-02 + 1.096000e+01 4.819826e+00 -1.513762e+01 8.644903e-02 + 1.097000e+01 4.097651e+00 -1.515143e+01 8.650673e-02 + 1.098000e+01 3.355657e+00 -1.516524e+01 8.669867e-02 + 1.099000e+01 2.613538e+00 -1.517906e+01 8.695747e-02 + 1.100000e+01 1.890007e+00 -1.519287e+01 8.719265e-02 + 1.101000e+01 1.202072e+00 -1.520668e+01 8.732212e-02 + 1.102000e+01 5.644048e-01 -1.522049e+01 8.730016e-02 + 1.103000e+01 -1.117578e-02 -1.523430e+01 8.713260e-02 + 1.104000e+01 -5.160635e-01 -1.524811e+01 8.687511e-02 + 1.105000e+01 -9.450700e-01 -1.526193e+01 8.661474e-02 + 1.106000e+01 -1.296459e+00 -1.527574e+01 8.644044e-02 + 1.107000e+01 -1.571811e+00 -1.528955e+01 8.641206e-02 + 1.108000e+01 -1.775734e+00 -1.530336e+01 8.653895e-02 + 1.109000e+01 -1.915430e+00 -1.531717e+01 8.677666e-02 + 1.110000e+01 -2.000150e+00 -1.533098e+01 8.704302e-02 + 1.111000e+01 -2.040561e+00 -1.534480e+01 8.724705e-02 + 1.112000e+01 -2.048072e+00 -1.535861e+01 8.732011e-02 + 1.113000e+01 -2.034146e+00 -1.537242e+01 8.723861e-02 + 1.114000e+01 -2.009629e+00 -1.538623e+01 8.703151e-02 + 1.115000e+01 -1.984157e+00 -1.540004e+01 8.677052e-02 + 1.116000e+01 -1.965642e+00 -1.541385e+01 8.654577e-02 + 1.117000e+01 -1.959882e+00 -1.542767e+01 8.643477e-02 + 1.118000e+01 -1.970309e+00 -1.544148e+01 8.647500e-02 + 1.119000e+01 -1.997881e+00 -1.545529e+01 8.665064e-02 + 1.120000e+01 -2.041129e+00 -1.546910e+01 8.689860e-02 + 1.121000e+01 -2.096343e+00 -1.548291e+01 8.713137e-02 + 1.122000e+01 -2.157899e+00 -1.549672e+01 8.726780e-02 + 1.123000e+01 -2.218678e+00 -1.551054e+01 8.726082e-02 + 1.124000e+01 -2.270590e+00 -1.552435e+01 8.711302e-02 + 1.125000e+01 -2.305135e+00 -1.553816e+01 8.687573e-02 + 1.126000e+01 -2.313987e+00 -1.555197e+01 8.663170e-02 + 1.127000e+01 -2.289573e+00 -1.556578e+01 8.646671e-02 + 1.128000e+01 -2.225594e+00 -1.557959e+01 8.643942e-02 + 1.129000e+01 -2.117479e+00 -1.559341e+01 8.656027e-02 + 1.130000e+01 -1.962742e+00 -1.560722e+01 8.678773e-02 + 1.131000e+01 -1.761217e+00 -1.562103e+01 8.704332e-02 + 1.132000e+01 -1.515167e+00 -1.563484e+01 8.723945e-02 + 1.133000e+01 -1.229262e+00 -1.564865e+01 8.730965e-02 + 1.134000e+01 -9.104208e-01 -1.566246e+01 8.723088e-02 + 1.135000e+01 -5.675403e-01 -1.567628e+01 8.703110e-02 + 1.136000e+01 -2.111127e-01 -1.569009e+01 8.677987e-02 + 1.137000e+01 1.472366e-01 -1.570390e+01 8.656488e-02 + 1.138000e+01 4.952728e-01 -1.571771e+01 8.646148e-02 + 1.139000e+01 8.207056e-01 -1.573152e+01 8.650596e-02 + 1.140000e+01 1.111748e+00 -1.574533e+01 8.668240e-02 + 1.141000e+01 1.357647e+00 -1.575915e+01 8.692850e-02 + 1.142000e+01 1.549171e+00 -1.577296e+01 8.715797e-02 + 1.143000e+01 1.679013e+00 -1.578677e+01 8.729070e-02 + 1.144000e+01 1.742111e+00 -1.580058e+01 8.728018e-02 + 1.145000e+01 1.735857e+00 -1.581439e+01 8.712905e-02 + 1.146000e+01 1.660190e+00 -1.582820e+01 8.688833e-02 + 1.147000e+01 1.517580e+00 -1.584202e+01 8.664048e-02 + 1.148000e+01 1.312886e+00 -1.585583e+01 8.647135e-02 + 1.149000e+01 1.053117e+00 -1.586964e+01 8.644017e-02 + 1.150000e+01 7.471025e-01 -1.588345e+01 8.655827e-02 + 1.151000e+01 4.050765e-01 -1.589726e+01 8.678499e-02 + 1.152000e+01 3.822206e-02 -1.591108e+01 8.704223e-02 + 1.153000e+01 -3.418258e-01 -1.592489e+01 8.724198e-02 + 1.154000e+01 -7.234805e-01 -1.593870e+01 8.731646e-02 + 1.155000e+01 -1.095689e+00 -1.595251e+01 8.724078e-02 + 1.156000e+01 -1.448379e+00 -1.596632e+01 8.704099e-02 + 1.157000e+01 -1.772845e+00 -1.598013e+01 8.678539e-02 + 1.158000e+01 -2.062066e+00 -1.599395e+01 8.656163e-02 + 1.159000e+01 -2.310919e+00 -1.600776e+01 8.644656e-02 + 1.160000e+01 -2.516314e+00 -1.602157e+01 8.647927e-02 + 1.161000e+01 -2.677205e+00 -1.603538e+01 8.664723e-02 + 1.162000e+01 -2.794523e+00 -1.604919e+01 8.689108e-02 + 1.163000e+01 -2.870991e+00 -1.606300e+01 8.712607e-02 + 1.164000e+01 -2.910869e+00 -1.607682e+01 8.727177e-02 + 1.165000e+01 -2.919626e+00 -1.609063e+01 8.727937e-02 + 1.166000e+01 -2.903548e+00 -1.610444e+01 8.714783e-02 + 1.167000e+01 -2.869334e+00 -1.611825e+01 8.692387e-02 + 1.168000e+01 -2.823663e+00 -1.613206e+01 8.668616e-02 + 1.169000e+01 -2.772784e+00 -1.614587e+01 8.651824e-02 + 1.170000e+01 -2.722144e+00 -1.615969e+01 8.647921e-02 + 1.171000e+01 -2.676059e+00 -1.617350e+01 8.658254e-02 + 1.172000e+01 -2.637473e+00 -1.618731e+01 8.679125e-02 + 1.173000e+01 -2.607795e+00 -1.620112e+01 8.703142e-02 + 1.174000e+01 -2.586832e+00 -1.621493e+01 8.721852e-02 + 1.175000e+01 -2.572831e+00 -1.622874e+01 8.728674e-02 + 1.176000e+01 -2.562607e+00 -1.624256e+01 8.721136e-02 + 1.177000e+01 -2.551775e+00 -1.625637e+01 8.701698e-02 + 1.178000e+01 -2.535058e+00 -1.627018e+01 8.676945e-02 + 1.179000e+01 -2.506656e+00 -1.628399e+01 8.655367e-02 + 1.180000e+01 -2.460660e+00 -1.629780e+01 8.644429e-02 + 1.181000e+01 -2.391487e+00 -1.631161e+01 8.647926e-02 + 1.182000e+01 -2.294308e+00 -1.632543e+01 8.664617e-02 + 1.183000e+01 -2.165445e+00 -1.633924e+01 8.688672e-02 + 1.184000e+01 -2.002710e+00 -1.635305e+01 8.711760e-02 + 1.185000e+01 -1.805678e+00 -1.636686e+01 8.725964e-02 + 1.186000e+01 -1.575853e+00 -1.638067e+01 8.726476e-02 + 1.187000e+01 -1.316743e+00 -1.639448e+01 8.713197e-02 + 1.188000e+01 -1.033807e+00 -1.640830e+01 8.690762e-02 + 1.189000e+01 -7.343041e-01 -1.642211e+01 8.666991e-02 + 1.190000e+01 -4.270274e-01 -1.643592e+01 8.650215e-02 + 1.191000e+01 -1.219464e-01 -1.644973e+01 8.646365e-02 + 1.192000e+01 1.702256e-01 -1.646354e+01 8.656845e-02 + 1.193000e+01 4.385179e-01 -1.647735e+01 8.678025e-02 + 1.194000e+01 6.722155e-01 -1.649117e+01 8.702549e-02 + 1.195000e+01 8.613718e-01 -1.650498e+01 8.721939e-02 + 1.196000e+01 9.972917e-01 -1.651879e+01 8.729525e-02 + 1.197000e+01 1.072960e+00 -1.653260e+01 8.722691e-02 + 1.198000e+01 1.083388e+00 -1.654641e+01 8.703750e-02 + 1.199000e+01 1.025863e+00 -1.656022e+01 8.679182e-02 + 1.200000e+01 9.000883e-01 -1.657404e+01 8.657464e-02 + 1.201000e+01 7.081926e-01 -1.658785e+01 8.646157e-02 + 1.202000e+01 4.546330e-01 -1.660166e+01 8.649249e-02 + 1.203000e+01 1.459752e-01 -1.661547e+01 8.665720e-02 + 1.204000e+01 -2.094234e-01 -1.662928e+01 8.689918e-02 + 1.205000e+01 -6.018116e-01 -1.664310e+01 8.713577e-02 + 1.206000e+01 -1.020500e+00 -1.665691e+01 8.728698e-02 + 1.207000e+01 -1.454349e+00 -1.667072e+01 8.730257e-02 + 1.208000e+01 -1.892254e+00 -1.668453e+01 8.717861e-02 + 1.209000e+01 -2.323611e+00 -1.669834e+01 8.695856e-02 + 1.210000e+01 -2.738726e+00 -1.671215e+01 8.671861e-02 + 1.211000e+01 -3.129152e+00 -1.672597e+01 8.654174e-02 + 1.212000e+01 -3.487930e+00 -1.673978e+01 8.648877e-02 + 1.213000e+01 -3.809734e+00 -1.675359e+01 8.657682e-02 + 1.214000e+01 -4.090900e+00 -1.676740e+01 8.677324e-02 + 1.215000e+01 -4.329355e+00 -1.678121e+01 8.700753e-02 + 1.216000e+01 -4.524443e+00 -1.679502e+01 8.719647e-02 + 1.217000e+01 -4.676680e+00 -1.680884e+01 8.727295e-02 + 1.218000e+01 -4.787434e+00 -1.682265e+01 8.720863e-02 + 1.219000e+01 -4.858581e+00 -1.683646e+01 8.702334e-02 + 1.220000e+01 -4.892147e+00 -1.685027e+01 8.677848e-02 + 1.221000e+01 -4.889964e+00 -1.686408e+01 8.655639e-02 + 1.222000e+01 -4.853374e+00 -1.687789e+01 8.643217e-02 + 1.223000e+01 -4.782995e+00 -1.689171e+01 8.644725e-02 + 1.224000e+01 -4.678572e+00 -1.690552e+01 8.659482e-02 + 1.225000e+01 -4.538928e+00 -1.691933e+01 8.682247e-02 + 1.226000e+01 -4.362009e+00 -1.693314e+01 8.705119e-02 + 1.227000e+01 -4.145042e+00 -1.694695e+01 8.720315e-02 + 1.228000e+01 -3.884773e+00 -1.696076e+01 8.722833e-02 + 1.229000e+01 -3.577793e+00 -1.697458e+01 8.712105e-02 + 1.230000e+01 -3.220920e+00 -1.698839e+01 8.692162e-02 + 1.231000e+01 -2.811608e+00 -1.700220e+01 8.670249e-02 + 1.232000e+01 -2.348369e+00 -1.701601e+01 8.654327e-02 + 1.233000e+01 -1.831168e+00 -1.702982e+01 8.650268e-02 + 1.234000e+01 -1.261761e+00 -1.704363e+01 8.659741e-02 + 1.235000e+01 -6.439623e-01 -1.705745e+01 8.679596e-02 + 1.236000e+01 1.619533e-02 -1.707126e+01 8.702998e-02 + 1.237000e+01 7.104125e-01 -1.708507e+01 8.721853e-02 + 1.238000e+01 1.428205e+00 -1.709888e+01 8.729621e-02 + 1.239000e+01 2.157113e+00 -1.711269e+01 8.723538e-02 + 1.240000e+01 2.883035e+00 -1.712650e+01 8.705554e-02 + 1.241000e+01 3.590672e+00 -1.714032e+01 8.681702e-02 + 1.242000e+01 4.264062e+00 -1.715413e+01 8.660088e-02 + 1.243000e+01 4.887185e+00 -1.716794e+01 8.648117e-02 + 1.244000e+01 5.444599e+00 -1.718175e+01 8.649889e-02 + 1.245000e+01 5.922081e+00 -1.719556e+01 8.664741e-02 + 1.246000e+01 6.307240e+00 -1.720937e+01 8.687486e-02 + 1.247000e+01 6.590063e+00 -1.722319e+01 8.710268e-02 + 1.248000e+01 6.763375e+00 -1.723700e+01 8.725305e-02 + 1.249000e+01 6.823174e+00 -1.725081e+01 8.727533e-02 + 1.250000e+01 6.768833e+00 -1.726462e+01 8.716280e-02 + 1.251000e+01 6.603155e+00 -1.727843e+01 8.695464e-02 + 1.252000e+01 6.332272e+00 -1.729224e+01 8.672268e-02 + 1.253000e+01 5.965397e+00 -1.730606e+01 8.654691e-02 + 1.254000e+01 5.514443e+00 -1.731987e+01 8.648757e-02 + 1.255000e+01 4.993524e+00 -1.733368e+01 8.656378e-02 + 1.256000e+01 4.418364e+00 -1.734749e+01 8.674682e-02 + 1.257000e+01 3.805654e+00 -1.736130e+01 8.697064e-02 + 1.258000e+01 3.172377e+00 -1.737512e+01 8.715550e-02 + 1.259000e+01 2.535149e+00 -1.738893e+01 8.723579e-02 + 1.260000e+01 1.909600e+00 -1.740274e+01 8.718240e-02 + 1.261000e+01 1.309839e+00 -1.741655e+01 8.701253e-02 + 1.262000e+01 7.480110e-01 -1.743036e+01 8.678406e-02 + 1.263000e+01 2.339870e-01 -1.744417e+01 8.657617e-02 + 1.264000e+01 -2.248141e-01 -1.745799e+01 8.646206e-02 + 1.265000e+01 -6.234624e-01 -1.747180e+01 8.648318e-02 + 1.266000e+01 -9.594159e-01 -1.748561e+01 8.663426e-02 + 1.267000e+01 -1.232294e+00 -1.749942e+01 8.686518e-02 + 1.268000e+01 -1.443546e+00 -1.751323e+01 8.709868e-02 + 1.269000e+01 -1.596039e+00 -1.752704e+01 8.725726e-02 + 1.270000e+01 -1.693595e+00 -1.754086e+01 8.728943e-02 + 1.271000e+01 -1.740512e+00 -1.755467e+01 8.718665e-02 + 1.272000e+01 -1.741106e+00 -1.756848e+01 8.698587e-02 + 1.273000e+01 -1.699295e+00 -1.758229e+01 8.675708e-02 + 1.274000e+01 -1.618267e+00 -1.759610e+01 8.657944e-02 + 1.275000e+01 -1.500248e+00 -1.760991e+01 8.651388e-02 + 1.276000e+01 -1.346380e+00 -1.762373e+01 8.658162e-02 + 1.277000e+01 -1.156738e+00 -1.763754e+01 8.675681e-02 + 1.278000e+01 -9.304549e-01 -1.765135e+01 8.697617e-02 + 1.279000e+01 -6.659689e-01 -1.766516e+01 8.716167e-02 + 1.280000e+01 -3.613674e-01 -1.767897e+01 8.724787e-02 + 1.281000e+01 -1.479615e-02 -1.769278e+01 8.720413e-02 + 1.282000e+01 3.750883e-01 -1.770660e+01 8.704486e-02 + 1.283000e+01 8.086627e-01 -1.772041e+01 8.682463e-02 + 1.284000e+01 1.284911e+00 -1.773422e+01 8.661965e-02 + 1.285000e+01 1.801066e+00 -1.774803e+01 8.650142e-02 + 1.286000e+01 2.352344e+00 -1.776184e+01 8.651145e-02 + 1.287000e+01 2.931804e+00 -1.777565e+01 8.664630e-02 + 1.288000e+01 3.530348e+00 -1.778947e+01 8.685881e-02 + 1.289000e+01 4.136866e+00 -1.780328e+01 8.707494e-02 + 1.290000e+01 4.738538e+00 -1.781709e+01 8.721979e-02 + 1.291000e+01 5.321262e+00 -1.783090e+01 8.724332e-02 + 1.292000e+01 5.870205e+00 -1.784471e+01 8.713713e-02 + 1.293000e+01 6.370443e+00 -1.785852e+01 8.693730e-02 + 1.294000e+01 6.807651e+00 -1.787234e+01 8.671240e-02 + 1.295000e+01 7.168799e+00 -1.788615e+01 8.654021e-02 + 1.296000e+01 7.442828e+00 -1.789996e+01 8.648076e-02 + 1.297000e+01 7.621238e+00 -1.791377e+01 8.655504e-02 + 1.298000e+01 7.698580e+00 -1.792758e+01 8.673754e-02 + 1.299000e+01 7.672791e+00 -1.794139e+01 8.696542e-02 + 1.300000e+01 7.545364e+00 -1.795521e+01 8.716080e-02 + 1.301000e+01 7.321336e+00 -1.796902e+01 8.725769e-02 + 1.302000e+01 7.009091e+00 -1.798283e+01 8.722421e-02 + 1.303000e+01 6.619978e+00 -1.799664e+01 8.707300e-02 + 1.304000e+01 6.167776e+00 -1.801045e+01 8.685689e-02 + 1.305000e+01 5.668028e+00 -1.802426e+01 8.665092e-02 + 1.306000e+01 5.137281e+00 -1.803808e+01 8.652655e-02 + 1.307000e+01 4.592276e+00 -1.805189e+01 8.652657e-02 + 1.308000e+01 4.049143e+00 -1.806570e+01 8.664985e-02 + 1.309000e+01 3.522635e+00 -1.807951e+01 8.685195e-02 + 1.310000e+01 3.025452e+00 -1.809332e+01 8.706123e-02 + 1.311000e+01 2.567700e+00 -1.810714e+01 8.720411e-02 + 1.312000e+01 2.156499e+00 -1.812095e+01 8.723055e-02 + 1.313000e+01 1.795783e+00 -1.813476e+01 8.713085e-02 + 1.314000e+01 1.486275e+00 -1.814857e+01 8.693898e-02 + 1.315000e+01 1.225663e+00 -1.816238e+01 8.672112e-02 + 1.316000e+01 1.008933e+00 -1.817619e+01 8.655317e-02 + 1.317000e+01 8.288618e-01 -1.819001e+01 8.649430e-02 + 1.318000e+01 6.766120e-01 -1.820382e+01 8.656584e-02 + 1.319000e+01 5.424062e-01 -1.821763e+01 8.674359e-02 + 1.320000e+01 4.162247e-01 -1.823144e+01 8.696646e-02 + 1.321000e+01 2.884859e-01 -1.824525e+01 8.715806e-02 + 1.322000e+01 1.506670e-01 -1.825906e+01 8.725317e-02 + 1.323000e+01 -4.176142e-03 -1.827288e+01 8.721970e-02 + 1.324000e+01 -1.810185e-01 -1.828669e+01 8.706934e-02 + 1.325000e+01 -3.826260e-01 -1.830050e+01 8.685354e-02 + 1.326000e+01 -6.094786e-01 -1.831431e+01 8.664622e-02 + 1.327000e+01 -8.598531e-01 -1.832812e+01 8.651835e-02 + 1.328000e+01 -1.130056e+00 -1.834193e+01 8.651319e-02 + 1.329000e+01 -1.414786e+00 -1.835575e+01 8.663091e-02 + 1.330000e+01 -1.707590e+00 -1.836956e+01 8.682878e-02 + 1.331000e+01 -2.001388e+00 -1.838337e+01 8.703661e-02 + 1.332000e+01 -2.289020e+00 -1.839718e+01 8.718159e-02 + 1.333000e+01 -2.563773e+00 -1.841099e+01 8.721341e-02 + 1.334000e+01 -2.819863e+00 -1.842480e+01 8.712116e-02 + 1.335000e+01 -3.052826e+00 -1.843862e+01 8.693697e-02 + 1.336000e+01 -3.259805e+00 -1.845243e+01 8.672516e-02 + 1.337000e+01 -3.439707e+00 -1.846624e+01 8.656022e-02 + 1.338000e+01 -3.593226e+00 -1.848005e+01 8.650086e-02 + 1.339000e+01 -3.722743e+00 -1.849386e+01 8.656903e-02 + 1.340000e+01 -3.832096e+00 -1.850767e+01 8.674195e-02 + 1.341000e+01 -3.926265e+00 -1.852149e+01 8.696027e-02 + 1.342000e+01 -4.010981e+00 -1.853530e+01 8.714905e-02 + 1.343000e+01 -4.092286e+00 -1.854911e+01 8.724376e-02 + 1.344000e+01 -4.176105e+00 -1.856292e+01 8.721219e-02 + 1.345000e+01 -4.267821e+00 -1.857673e+01 8.706518e-02 + 1.346000e+01 -4.371916e+00 -1.859054e+01 8.685304e-02 + 1.347000e+01 -4.491687e+00 -1.860436e+01 8.664868e-02 + 1.348000e+01 -4.629050e+00 -1.861817e+01 8.652270e-02 + 1.349000e+01 -4.784448e+00 -1.863198e+01 8.651870e-02 + 1.350000e+01 -4.956864e+00 -1.864579e+01 8.663784e-02 + 1.351000e+01 -5.143928e+00 -1.865960e+01 8.683855e-02 + 1.352000e+01 -5.342101e+00 -1.867341e+01 8.705148e-02 + 1.353000e+01 -5.546924e+00 -1.868723e+01 8.720391e-02 + 1.354000e+01 -5.753306e+00 -1.870104e+01 8.724463e-02 + 1.355000e+01 -5.955817e+00 -1.871485e+01 8.716110e-02 + 1.356000e+01 -6.148971e+00 -1.872866e+01 8.698342e-02 + 1.357000e+01 -6.327478e+00 -1.874247e+01 8.677405e-02 + 1.358000e+01 -6.486436e+00 -1.875628e+01 8.660648e-02 + 1.359000e+01 -6.621461e+00 -1.877010e+01 8.653958e-02 + 1.360000e+01 -6.728749e+00 -1.878391e+01 8.659674e-02 + 1.361000e+01 -6.805065e+00 -1.879772e+01 8.675746e-02 + 1.362000e+01 -6.847679e+00 -1.881153e+01 8.696484e-02 + 1.363000e+01 -6.854252e+00 -1.882534e+01 8.714585e-02 + 1.364000e+01 -6.822699e+00 -1.883915e+01 8.723680e-02 + 1.365000e+01 -6.751047e+00 -1.885297e+01 8.720513e-02 + 1.366000e+01 -6.637312e+00 -1.886678e+01 8.706033e-02 + 1.367000e+01 -6.479411e+00 -1.888059e+01 8.685082e-02 + 1.368000e+01 -6.275138e+00 -1.889440e+01 8.664769e-02 + 1.369000e+01 -6.022197e+00 -1.890821e+01 8.652037e-02 + 1.370000e+01 -5.718318e+00 -1.892203e+01 8.651225e-02 + 1.371000e+01 -5.361436e+00 -1.893584e+01 8.662527e-02 + 1.372000e+01 -4.949941e+00 -1.894965e+01 8.681930e-02 + 1.373000e+01 -4.482964e+00 -1.896346e+01 8.702647e-02 + 1.374000e+01 -3.960701e+00 -1.897727e+01 8.717513e-02 + 1.375000e+01 -3.384724e+00 -1.899108e+01 8.721440e-02 + 1.376000e+01 -2.758268e+00 -1.900490e+01 8.713130e-02 + 1.377000e+01 -2.086466e+00 -1.901871e+01 8.695496e-02 + 1.378000e+01 -1.376492e+00 -1.903252e+01 8.674677e-02 + 1.379000e+01 -6.376060e-01 -1.904633e+01 8.657948e-02 + 1.380000e+01 1.189154e-01 -1.906014e+01 8.651187e-02 + 1.381000e+01 8.799825e-01 -1.907395e+01 8.656795e-02 + 1.382000e+01 1.631013e+00 -1.908777e+01 8.672833e-02 + 1.383000e+01 2.356368e+00 -1.910158e+01 8.693729e-02 + 1.384000e+01 3.039881e+00 -1.911539e+01 8.712256e-02 + 1.385000e+01 3.665462e+00 -1.912920e+01 8.722057e-02 + 1.386000e+01 4.217727e+00 -1.914301e+01 8.719805e-02 + 1.387000e+01 4.682640e+00 -1.915682e+01 8.706323e-02 + 1.388000e+01 5.048115e+00 -1.917064e+01 8.686301e-02 + 1.389000e+01 5.304554e+00 -1.918445e+01 8.666718e-02 + 1.390000e+01 5.445279e+00 -1.919826e+01 8.654443e-02 + 1.391000e+01 5.466843e+00 -1.921207e+01 8.653820e-02 + 1.392000e+01 5.369194e+00 -1.922588e+01 8.665117e-02 + 1.393000e+01 5.155694e+00 -1.923969e+01 8.684424e-02 + 1.394000e+01 4.832977e+00 -1.925351e+01 8.705052e-02 + 1.395000e+01 4.410678e+00 -1.926732e+01 8.719880e-02 + 1.396000e+01 3.901022e+00 -1.928113e+01 8.723803e-02 + 1.397000e+01 3.318331e+00 -1.929494e+01 8.715449e-02 + 1.398000e+01 2.678455e+00 -1.930875e+01 8.697640e-02 + 1.399000e+01 1.998167e+00 -1.932256e+01 8.676445e-02 + 1.400000e+01 1.294562e+00 -1.933638e+01 8.659131e-02 + 1.401000e+01 5.844846e-01 -1.935019e+01 8.651647e-02 + 1.402000e+01 -1.159802e-01 -1.936400e+01 8.656534e-02 + 1.403000e+01 -7.919358e-01 -1.937781e+01 8.672021e-02 + 1.404000e+01 -1.430003e+00 -1.939162e+01 8.692668e-02 + 1.405000e+01 -2.018545e+00 -1.940543e+01 8.711310e-02 + 1.406000e+01 -2.547779e+00 -1.941925e+01 8.721543e-02 + 1.407000e+01 -3.009802e+00 -1.943306e+01 8.719908e-02 + 1.408000e+01 -3.398520e+00 -1.944687e+01 8.707031e-02 + 1.409000e+01 -3.709518e+00 -1.946068e+01 8.687410e-02 + 1.410000e+01 -3.939893e+00 -1.947449e+01 8.667883e-02 + 1.411000e+01 -4.088053e+00 -1.948830e+01 8.655280e-02 + 1.412000e+01 -4.153539e+00 -1.950212e+01 8.654022e-02 + 1.413000e+01 -4.136856e+00 -1.951593e+01 8.664544e-02 + 1.414000e+01 -4.039348e+00 -1.952974e+01 8.683144e-02 + 1.415000e+01 -3.863122e+00 -1.954355e+01 8.703311e-02 + 1.416000e+01 -3.611024e+00 -1.955736e+01 8.718022e-02 + 1.417000e+01 -3.286660e+00 -1.957117e+01 8.722168e-02 + 1.418000e+01 -2.894460e+00 -1.958499e+01 8.714281e-02 + 1.419000e+01 -2.439767e+00 -1.959880e+01 8.697027e-02 + 1.420000e+01 -1.928925e+00 -1.961261e+01 8.676321e-02 + 1.421000e+01 -1.369369e+00 -1.962642e+01 8.659313e-02 + 1.422000e+01 -7.696641e-01 -1.964023e+01 8.651919e-02 + 1.423000e+01 -1.395087e-01 -1.965405e+01 8.656721e-02 + 1.424000e+01 5.103362e-01 -1.966786e+01 8.672041e-02 + 1.425000e+01 1.168189e+00 -1.968167e+01 8.692539e-02 + 1.426000e+01 1.821671e+00 -1.969548e+01 8.711108e-02 + 1.427000e+01 2.457998e+00 -1.970929e+01 8.721334e-02 + 1.428000e+01 3.064343e+00 -1.972310e+01 8.719685e-02 + 1.429000e+01 3.628244e+00 -1.973692e+01 8.706682e-02 + 1.430000e+01 4.138038e+00 -1.975073e+01 8.686730e-02 + 1.431000e+01 4.583296e+00 -1.976454e+01 8.666640e-02 + 1.432000e+01 4.955240e+00 -1.977835e+01 8.653308e-02 + 1.433000e+01 5.247099e+00 -1.979216e+01 8.651313e-02 + 1.434000e+01 5.454396e+00 -1.980597e+01 8.661301e-02 + 1.435000e+01 5.575138e+00 -1.981979e+01 8.679766e-02 + 1.436000e+01 5.609900e+00 -1.983360e+01 8.700313e-02 + 1.437000e+01 5.561781e+00 -1.984741e+01 8.715912e-02 + 1.438000e+01 5.436253e+00 -1.986122e+01 8.721313e-02 + 1.439000e+01 5.240895e+00 -1.987503e+01 8.714810e-02 + 1.440000e+01 4.985026e+00 -1.988884e+01 8.698788e-02 + 1.441000e+01 4.679273e+00 -1.990266e+01 8.678910e-02 + 1.442000e+01 4.335075e+00 -1.991647e+01 8.662183e-02 + 1.443000e+01 3.964178e+00 -1.993028e+01 8.654520e-02 + 1.444000e+01 3.578123e+00 -1.994409e+01 8.658651e-02 + 1.445000e+01 3.187783e+00 -1.995790e+01 8.673150e-02 + 1.446000e+01 2.802954e+00 -1.997171e+01 8.692952e-02 + 1.447000e+01 2.432023e+00 -1.998553e+01 8.711160e-02 + 1.448000e+01 2.081747e+00 -1.999934e+01 8.721460e-02 + 1.449000e+01 1.757120e+00 -2.001315e+01 8.720277e-02 + 1.450000e+01 1.461361e+00 -2.002696e+01 8.707979e-02 + 1.451000e+01 1.195997e+00 -2.004077e+01 8.688753e-02 + 1.452000e+01 9.610290e-01 -2.005458e+01 8.669200e-02 + 1.453000e+01 7.551803e-01 -2.006840e+01 8.656071e-02 + 1.454000e+01 5.761841e-01 -2.008221e+01 8.653907e-02 + 1.455000e+01 4.211026e-01 -2.009602e+01 8.663426e-02 + 1.456000e+01 2.866464e-01 -2.010983e+01 8.681266e-02 + 1.457000e+01 1.694743e-01 -2.012364e+01 8.701187e-02 + 1.458000e+01 6.645185e-02 -2.013745e+01 8.716272e-02 + 1.459000e+01 -2.514443e-02 -2.015127e+01 8.721308e-02 + 1.460000e+01 -1.074894e-01 -2.016508e+01 8.714545e-02 + 1.461000e+01 -1.821416e-01 -2.017889e+01 8.698281e-02 + 1.462000e+01 -2.500448e-01 -2.019270e+01 8.678086e-02 + 1.463000e+01 -3.115920e-01 -2.020651e+01 8.660920e-02 + 1.464000e+01 -3.667410e-01 -2.022032e+01 8.652729e-02 + 1.465000e+01 -4.151668e-01 -2.023414e+01 8.656352e-02 + 1.466000e+01 -4.564340e-01 -2.024795e+01 8.670512e-02 + 1.467000e+01 -4.901719e-01 -2.026176e+01 8.690285e-02 + 1.468000e+01 -5.162349e-01 -2.027557e+01 8.708850e-02 + 1.469000e+01 -5.348347e-01 -2.028938e+01 8.719871e-02 + 1.470000e+01 -5.466305e-01 -2.030319e+01 8.719651e-02 + 1.471000e+01 -5.527720e-01 -2.031701e+01 8.708366e-02 + 1.472000e+01 -5.548896e-01 -2.033082e+01 8.689996e-02 + 1.473000e+01 -5.550346e-01 -2.034463e+01 8.670973e-02 + 1.474000e+01 -5.555731e-01 -2.035844e+01 8.657974e-02 + 1.475000e+01 -5.590439e-01 -2.037225e+01 8.655587e-02 + 1.476000e+01 -5.679911e-01 -2.038607e+01 8.664678e-02 + 1.477000e+01 -5.847853e-01 -2.039988e+01 8.682083e-02 + 1.478000e+01 -6.114465e-01 -2.041369e+01 8.701749e-02 + 1.479000e+01 -6.494827e-01 -2.042750e+01 8.716862e-02 + 1.480000e+01 -6.997548e-01 -2.044131e+01 8.722207e-02 + 1.481000e+01 -7.623785e-01 -2.045512e+01 8.715926e-02 + 1.482000e+01 -8.366678e-01 -2.046894e+01 8.700137e-02 + 1.483000e+01 -9.211228e-01 -2.048275e+01 8.680223e-02 + 1.484000e+01 -1.013463e+00 -2.049656e+01 8.663007e-02 + 1.485000e+01 -1.110697e+00 -2.051037e+01 8.654393e-02 + 1.486000e+01 -1.209235e+00 -2.052418e+01 8.657293e-02 + 1.487000e+01 -1.305011e+00 -2.053799e+01 8.670590e-02 + 1.488000e+01 -1.393638e+00 -2.055181e+01 8.689546e-02 + 1.489000e+01 -1.470557e+00 -2.056562e+01 8.707496e-02 + 1.490000e+01 -1.531186e+00 -2.057943e+01 8.718178e-02 + 1.491000e+01 -1.571064e+00 -2.059324e+01 8.717868e-02 + 1.492000e+01 -1.585969e+00 -2.060705e+01 8.706638e-02 + 1.493000e+01 -1.572029e+00 -2.062086e+01 8.688319e-02 + 1.494000e+01 -1.525798e+00 -2.063468e+01 8.669216e-02 + 1.495000e+01 -1.444329e+00 -2.064849e+01 8.655945e-02 + 1.496000e+01 -1.325218e+00 -2.066230e+01 8.653123e-02 + 1.497000e+01 -1.166644e+00 -2.067611e+01 8.661736e-02 + 1.498000e+01 -9.674051e-01 -2.068992e+01 8.678785e-02 + 1.499000e+01 -7.269469e-01 -2.070373e+01 8.698363e-02 + 1.500000e+01 -4.454000e-01 -2.071755e+01 8.713743e-02 + 1.501000e+01 -1.236221e-01 -2.073136e+01 8.719695e-02 + 1.502000e+01 2.367538e-01 -2.074517e+01 8.714255e-02 + 1.503000e+01 6.332650e-01 -2.075898e+01 8.699371e-02 + 1.504000e+01 1.062564e+00 -2.077279e+01 8.680245e-02 + 1.505000e+01 1.520368e+00 -2.078660e+01 8.663558e-02 + 1.506000e+01 2.001423e+00 -2.080042e+01 8.655162e-02 + 1.507000e+01 2.499483e+00 -2.081423e+01 8.658014e-02 + 1.508000e+01 3.007331e+00 -2.082804e+01 8.671129e-02 + 1.509000e+01 3.516827e+00 -2.084185e+01 8.689934e-02 + 1.510000e+01 4.019008e+00 -2.085566e+01 8.707903e-02 + 1.511000e+01 4.504236e+00 -2.086947e+01 8.718840e-02 + 1.512000e+01 4.962400e+00 -2.088329e+01 8.719001e-02 + 1.513000e+01 5.383163e+00 -2.089710e+01 8.708351e-02 + 1.514000e+01 5.756255e+00 -2.091091e+01 8.690578e-02 + 1.515000e+01 6.071799e+00 -2.092472e+01 8.671843e-02 + 1.516000e+01 6.320652e+00 -2.093853e+01 8.658676e-02 + 1.517000e+01 6.494763e+00 -2.095234e+01 8.655692e-02 + 1.518000e+01 6.587501e+00 -2.096616e+01 8.663953e-02 + 1.519000e+01 6.593970e+00 -2.097997e+01 8.680590e-02 + 1.520000e+01 6.511261e+00 -2.099378e+01 8.699829e-02 + 1.521000e+01 6.338644e+00 -2.100759e+01 8.715026e-02 + 1.522000e+01 6.077686e+00 -2.102140e+01 8.720959e-02 + 1.523000e+01 5.732276e+00 -2.103521e+01 8.715597e-02 + 1.524000e+01 5.308559e+00 -2.104903e+01 8.700773e-02 + 1.525000e+01 4.814774e+00 -2.106284e+01 8.681567e-02 + 1.526000e+01 4.261014e+00 -2.107665e+01 8.664582e-02 + 1.527000e+01 3.658895e+00 -2.109046e+01 8.655666e-02 + 1.528000e+01 3.021173e+00 -2.110427e+01 8.657858e-02 + 1.529000e+01 2.361305e+00 -2.111808e+01 8.670310e-02 + 1.530000e+01 1.692992e+00 -2.113190e+01 8.688598e-02 + 1.531000e+01 1.029719e+00 -2.114571e+01 8.706302e-02 + 1.532000e+01 3.843055e-01 -2.115952e+01 8.717253e-02 + 1.533000e+01 -2.314983e-01 -2.117333e+01 8.717646e-02 + 1.534000e+01 -8.073607e-01 -2.118714e+01 8.707316e-02 + 1.535000e+01 -1.334647e+00 -2.120096e+01 8.689792e-02 + 1.536000e+01 -1.806617e+00 -2.121477e+01 8.671103e-02 + 1.537000e+01 -2.218534e+00 -2.122858e+01 8.657716e-02 + 1.538000e+01 -2.567686e+00 -2.124239e+01 8.654282e-02 + 1.539000e+01 -2.853326e+00 -2.125620e+01 8.661987e-02 + 1.540000e+01 -3.076533e+00 -2.127001e+01 8.678136e-02 + 1.541000e+01 -3.240015e+00 -2.128383e+01 8.697121e-02 + 1.542000e+01 -3.347861e+00 -2.129764e+01 8.712405e-02 + 1.543000e+01 -3.405258e+00 -2.131145e+01 8.718786e-02 + 1.544000e+01 -3.418200e+00 -2.132526e+01 8.714159e-02 + 1.545000e+01 -3.393192e+00 -2.133907e+01 8.700214e-02 + 1.546000e+01 -3.336974e+00 -2.135288e+01 8.681863e-02 + 1.547000e+01 -3.256275e+00 -2.136670e+01 8.665566e-02 + 1.548000e+01 -3.157593e+00 -2.138051e+01 8.657086e-02 + 1.549000e+01 -3.047040e+00 -2.139432e+01 8.659456e-02 + 1.550000e+01 -2.930208e+00 -2.140813e+01 8.671892e-02 + 1.551000e+01 -2.812102e+00 -2.142194e+01 8.690064e-02 + 1.552000e+01 -2.697099e+00 -2.143575e+01 8.707639e-02 + 1.553000e+01 -2.588949e+00 -2.144957e+01 8.718490e-02 + 1.554000e+01 -2.490803e+00 -2.146338e+01 8.718799e-02 + 1.555000e+01 -2.405253e+00 -2.147719e+01 8.708347e-02 + 1.556000e+01 -2.334388e+00 -2.149100e+01 8.690596e-02 + 1.557000e+01 -2.279846e+00 -2.150481e+01 8.671539e-02 + 1.558000e+01 -2.242860e+00 -2.151862e+01 8.657662e-02 + 1.559000e+01 -2.224294e+00 -2.153244e+01 8.653701e-02 + 1.560000e+01 -2.224665e+00 -2.154625e+01 8.660975e-02 + 1.561000e+01 -2.244148e+00 -2.156006e+01 8.676924e-02 + 1.562000e+01 -2.282567e+00 -2.157387e+01 8.696030e-02 + 1.563000e+01 -2.339377e+00 -2.158768e+01 8.711762e-02 + 1.564000e+01 -2.413641e+00 -2.160149e+01 8.718828e-02 + 1.565000e+01 -2.504009e+00 -2.161531e+01 8.714959e-02 + 1.566000e+01 -2.608694e+00 -2.162912e+01 8.701652e-02 + 1.567000e+01 -2.725478e+00 -2.164293e+01 8.683646e-02 + 1.568000e+01 -2.851718e+00 -2.165674e+01 8.667307e-02 + 1.569000e+01 -2.984382e+00 -2.167055e+01 8.658420e-02 + 1.570000e+01 -3.120107e+00 -2.168436e+01 8.660152e-02 + 1.571000e+01 -3.255281e+00 -2.169818e+01 8.671925e-02 + 1.572000e+01 -3.386141e+00 -2.171199e+01 8.689629e-02 + 1.573000e+01 -3.508893e+00 -2.172580e+01 8.707088e-02 + 1.574000e+01 -3.619842e+00 -2.173961e+01 8.718225e-02 + 1.575000e+01 -3.715524e+00 -2.175342e+01 8.719152e-02 + 1.576000e+01 -3.792840e+00 -2.176723e+01 8.709476e-02 + 1.577000e+01 -3.849176e+00 -2.178105e+01 8.692438e-02 + 1.578000e+01 -3.882504e+00 -2.179486e+01 8.673815e-02 + 1.579000e+01 -3.891464e+00 -2.180867e+01 8.659954e-02 + 1.580000e+01 -3.875416e+00 -2.182248e+01 8.655563e-02 + 1.581000e+01 -3.834455e+00 -2.183629e+01 8.662049e-02 + 1.582000e+01 -3.769399e+00 -2.185010e+01 8.677023e-02 + 1.583000e+01 -3.681745e+00 -2.186392e+01 8.695160e-02 + 1.584000e+01 -3.573588e+00 -2.187773e+01 8.710090e-02 + 1.585000e+01 -3.447530e+00 -2.189154e+01 8.716604e-02 + 1.586000e+01 -3.306553e+00 -2.190535e+01 8.712429e-02 + 1.587000e+01 -3.153896e+00 -2.191916e+01 8.698994e-02 + 1.588000e+01 -2.992916e+00 -2.193298e+01 8.680943e-02 + 1.589000e+01 -2.826957e+00 -2.194679e+01 8.664565e-02 + 1.590000e+01 -2.659230e+00 -2.196060e+01 8.655622e-02 + 1.591000e+01 -2.492706e+00 -2.197441e+01 8.657323e-02 + 1.592000e+01 -2.330024e+00 -2.198822e+01 8.669178e-02 + 1.593000e+01 -2.173434e+00 -2.200203e+01 8.687175e-02 + 1.594000e+01 -2.024744e+00 -2.201585e+01 8.705200e-02 + 1.595000e+01 -1.885313e+00 -2.202966e+01 8.717166e-02 + 1.596000e+01 -1.756044e+00 -2.204347e+01 8.719096e-02 + 1.597000e+01 -1.637404e+00 -2.205728e+01 8.710449e-02 + 1.598000e+01 -1.529458e+00 -2.207109e+01 8.694291e-02 + 1.599000e+01 -1.431911e+00 -2.208490e+01 8.676253e-02 + 1.600000e+01 -1.344145e+00 -2.209872e+01 8.662605e-02 + 1.601000e+01 -1.265271e+00 -2.211253e+01 8.658077e-02 + 1.602000e+01 -1.194158e+00 -2.212634e+01 8.664190e-02 + 1.603000e+01 -1.129475e+00 -2.214015e+01 8.678723e-02 + 1.604000e+01 -1.069708e+00 -2.215396e+01 8.696517e-02 + 1.605000e+01 -1.013175e+00 -2.216777e+01 8.711310e-02 + 1.606000e+01 -9.580365e-01 -2.218159e+01 8.717913e-02 + 1.607000e+01 -9.022976e-01 -2.219540e+01 8.713980e-02 + 1.608000e+01 -8.438092e-01 -2.220921e+01 8.700803e-02 + 1.609000e+01 -7.802728e-01 -2.222302e+01 8.682870e-02 + 1.610000e+01 -7.092517e-01 -2.223683e+01 8.666351e-02 + 1.611000e+01 -6.281935e-01 -2.225064e+01 8.656967e-02 + 1.612000e+01 -5.344664e-01 -2.226446e+01 8.657978e-02 + 1.613000e+01 -4.254127e-01 -2.227827e+01 8.669028e-02 + 1.614000e+01 -2.984207e-01 -2.229208e+01 8.686268e-02 + 1.615000e+01 -1.510139e-01 -2.230589e+01 8.703726e-02 + 1.616000e+01 1.904334e-02 -2.231970e+01 8.715393e-02 + 1.617000e+01 2.136275e-01 -2.233351e+01 8.717286e-02 + 1.618000e+01 4.341297e-01 -2.234733e+01 8.708780e-02 + 1.619000e+01 6.813283e-01 -2.236114e+01 8.692818e-02 + 1.620000e+01 9.552663e-01 -2.237495e+01 8.674911e-02 + 1.621000e+01 1.255142e+00 -2.238876e+01 8.661257e-02 + 1.622000e+01 1.579220e+00 -2.240257e+01 8.656588e-02 + 1.623000e+01 1.924770e+00 -2.241638e+01 8.662499e-02 + 1.624000e+01 2.288039e+00 -2.243020e+01 8.676888e-02 + 1.625000e+01 2.664263e+00 -2.244401e+01 8.694708e-02 + 1.626000e+01 3.047722e+00 -2.245782e+01 8.709763e-02 + 1.627000e+01 3.431836e+00 -2.247163e+01 8.716854e-02 + 1.628000e+01 3.809304e+00 -2.248544e+01 8.713550e-02 + 1.629000e+01 4.172289e+00 -2.249925e+01 8.701008e-02 + 1.630000e+01 4.512626e+00 -2.251307e+01 8.683574e-02 + 1.631000e+01 4.822073e+00 -2.252688e+01 8.667314e-02 + 1.632000e+01 5.092568e+00 -2.254069e+01 8.657922e-02 + 1.633000e+01 5.316504e+00 -2.255450e+01 8.658719e-02 + 1.634000e+01 5.487003e+00 -2.256831e+01 8.669477e-02 + 1.635000e+01 5.598176e+00 -2.258212e+01 8.686500e-02 + 1.636000e+01 5.645362e+00 -2.259594e+01 8.703936e-02 + 1.637000e+01 5.625337e+00 -2.260975e+01 8.715825e-02 + 1.638000e+01 5.536483e+00 -2.262356e+01 8.718141e-02 + 1.639000e+01 5.378903e+00 -2.263737e+01 8.710144e-02 + 1.640000e+01 5.154495e+00 -2.265118e+01 8.694617e-02 + 1.641000e+01 4.866954e+00 -2.266500e+01 8.676927e-02 + 1.642000e+01 4.521731e+00 -2.267881e+01 8.663185e-02 + 1.643000e+01 4.125925e+00 -2.269262e+01 8.658129e-02 + 1.644000e+01 3.688121e+00 -2.270643e+01 8.663452e-02 + 1.645000e+01 3.218184e+00 -2.272024e+01 8.677209e-02 + 1.646000e+01 2.727006e+00 -2.273405e+01 8.694519e-02 + 1.647000e+01 2.226214e+00 -2.274787e+01 8.709303e-02 + 1.648000e+01 1.727859e+00 -2.276168e+01 8.716397e-02 + 1.649000e+01 1.244083e+00 -2.277549e+01 8.713314e-02 + 1.650000e+01 7.867764e-01 -2.278930e+01 8.701083e-02 + 1.651000e+01 3.672473e-01 -2.280311e+01 8.683899e-02 + 1.652000e+01 -4.106897e-03 -2.281692e+01 8.667696e-02 + 1.653000e+01 -3.180983e-01 -2.283074e+01 8.658105e-02 + 1.654000e+01 -5.670198e-01 -2.284455e+01 8.658475e-02 + 1.655000e+01 -7.448772e-01 -2.285836e+01 8.668684e-02 + 1.656000e+01 -8.475763e-01 -2.287217e+01 8.685183e-02 + 1.657000e+01 -8.730600e-01 -2.288598e+01 8.702265e-02 + 1.658000e+01 -8.213907e-01 -2.289979e+01 8.714060e-02 + 1.659000e+01 -6.947757e-01 -2.291361e+01 8.716553e-02 + 1.660000e+01 -4.975349e-01 -2.292742e+01 8.708940e-02 + 1.661000e+01 -2.360089e-01 -2.294123e+01 8.693890e-02 + 1.662000e+01 8.158785e-02 -2.295504e+01 8.676641e-02 + 1.663000e+01 4.453688e-01 -2.296885e+01 8.663207e-02 + 1.664000e+01 8.440257e-01 -2.298266e+01 8.658288e-02 + 1.665000e+01 1.265123e+00 -2.299648e+01 8.663604e-02 + 1.666000e+01 1.695427e+00 -2.301029e+01 8.677288e-02 + 1.667000e+01 2.121268e+00 -2.302410e+01 8.694556e-02 + 1.668000e+01 2.528916e+00 -2.303791e+01 8.709395e-02 + 1.669000e+01 2.904967e+00 -2.305172e+01 8.716660e-02 + 1.670000e+01 3.236733e+00 -2.306553e+01 8.713823e-02 + 1.671000e+01 3.512608e+00 -2.307935e+01 8.701830e-02 + 1.672000e+01 3.722423e+00 -2.309316e+01 8.684779e-02 + 1.673000e+01 3.857756e+00 -2.310697e+01 8.668536e-02 + 1.674000e+01 3.912201e+00 -2.312078e+01 8.658717e-02 + 1.675000e+01 3.881580e+00 -2.313459e+01 8.658725e-02 + 1.676000e+01 3.764095e+00 -2.314840e+01 8.668542e-02 + 1.677000e+01 3.560410e+00 -2.316222e+01 8.684746e-02 + 1.678000e+01 3.273652e+00 -2.317603e+01 8.701727e-02 + 1.679000e+01 2.909355e+00 -2.318984e+01 8.713655e-02 + 1.680000e+01 2.475305e+00 -2.320365e+01 8.716485e-02 + 1.681000e+01 1.981337e+00 -2.321746e+01 8.709319e-02 + 1.682000e+01 1.439047e+00 -2.323127e+01 8.694702e-02 + 1.683000e+01 8.614615e-01 -2.324509e+01 8.677753e-02 + 1.684000e+01 2.626474e-01 -2.325890e+01 8.664413e-02 + 1.685000e+01 -3.427034e-01 -2.327271e+01 8.659376e-02 + 1.686000e+01 -9.397152e-01 -2.328652e+01 8.664432e-02 + 1.687000e+01 -1.513775e+00 -2.330033e+01 8.677822e-02 + 1.688000e+01 -2.050971e+00 -2.331414e+01 8.694875e-02 + 1.689000e+01 -2.538503e+00 -2.332796e+01 8.709653e-02 + 1.690000e+01 -2.965063e+00 -2.334177e+01 8.717022e-02 + 1.691000e+01 -3.321160e+00 -2.335558e+01 8.714398e-02 + 1.692000e+01 -3.599382e+00 -2.336939e+01 8.702621e-02 + 1.693000e+01 -3.794593e+00 -2.338320e+01 8.685672e-02 + 1.694000e+01 -3.904057e+00 -2.339702e+01 8.669324e-02 + 1.695000e+01 -3.927475e+00 -2.341083e+01 8.659162e-02 + 1.696000e+01 -3.866950e+00 -2.342464e+01 8.658630e-02 + 1.697000e+01 -3.726880e+00 -2.343845e+01 8.667811e-02 + 1.698000e+01 -3.513775e+00 -2.345226e+01 8.683405e-02 + 1.699000e+01 -3.236015e+00 -2.346607e+01 8.699912e-02 + 1.700000e+01 -2.903556e+00 -2.347989e+01 8.711559e-02 + 1.701000e+01 -2.527597e+00 -2.349370e+01 8.714296e-02 + 1.702000e+01 -2.120218e+00 -2.350751e+01 8.707167e-02 + 1.703000e+01 -1.694000e+00 -2.352132e+01 8.692631e-02 + 1.704000e+01 -1.261644e+00 -2.353513e+01 8.675731e-02 + 1.705000e+01 -8.356002e-01 -2.354894e+01 8.662374e-02 + 1.706000e+01 -4.277182e-01 -2.356276e+01 8.657281e-02 + 1.707000e+01 -4.892143e-02 -2.357657e+01 8.662316e-02 + 1.708000e+01 2.910743e-01 -2.359038e+01 8.675822e-02 + 1.709000e+01 5.840006e-01 -2.360419e+01 8.693214e-02 + 1.710000e+01 8.232263e-01 -2.361800e+01 8.708590e-02 + 1.711000e+01 1.003896e+00 -2.363181e+01 8.716778e-02 + 1.712000e+01 1.123014e+00 -2.364563e+01 8.715096e-02 + 1.713000e+01 1.179478e+00 -2.365944e+01 8.704241e-02 + 1.714000e+01 1.174056e+00 -2.367325e+01 8.688049e-02 + 1.715000e+01 1.109323e+00 -2.368706e+01 8.672189e-02 + 1.716000e+01 9.895443e-01 -2.370087e+01 8.662208e-02 + 1.717000e+01 8.205209e-01 -2.371468e+01 8.661594e-02 + 1.718000e+01 6.094028e-01 -2.372850e+01 8.670535e-02 + 1.719000e+01 3.644659e-01 -2.374231e+01 8.685859e-02 + 1.720000e+01 9.486754e-02 -2.375612e+01 8.702171e-02 + 1.721000e+01 -1.896189e-01 -2.376993e+01 8.713742e-02 + 1.722000e+01 -4.788820e-01 -2.378374e+01 8.716496e-02 + 1.723000e+01 -7.627576e-01 -2.379755e+01 8.709387e-02 + 1.724000e+01 -1.031315e+00 -2.381137e+01 8.694759e-02 + 1.725000e+01 -1.275137e+00 -2.382518e+01 8.677555e-02 + 1.726000e+01 -1.485587e+00 -2.383899e+01 8.663639e-02 + 1.727000e+01 -1.655059e+00 -2.385280e+01 8.657763e-02 + 1.728000e+01 -1.777198e+00 -2.386661e+01 8.661901e-02 + 1.729000e+01 -1.847091e+00 -2.388042e+01 8.674544e-02 + 1.730000e+01 -1.861422e+00 -2.389424e+01 8.691249e-02 + 1.731000e+01 -1.818574e+00 -2.390805e+01 8.706206e-02 + 1.732000e+01 -1.718697e+00 -2.392186e+01 8.714263e-02 + 1.733000e+01 -1.563709e+00 -2.393567e+01 8.712675e-02 + 1.734000e+01 -1.357258e+00 -2.394948e+01 8.702031e-02 + 1.735000e+01 -1.104620e+00 -2.396329e+01 8.686045e-02 + 1.736000e+01 -8.125520e-01 -2.397711e+01 8.670292e-02 + 1.737000e+01 -4.890906e-01 -2.399092e+01 8.660293e-02 + 1.738000e+01 -1.433124e-01 -2.400473e+01 8.659576e-02 + 1.739000e+01 2.149441e-01 -2.401854e+01 8.668431e-02 + 1.740000e+01 5.753838e-01 -2.403235e+01 8.683806e-02 + 1.741000e+01 9.275768e-01 -2.404616e+01 8.700392e-02 + 1.742000e+01 1.261287e+00 -2.405998e+01 8.712489e-02 + 1.743000e+01 1.566793e+00 -2.407379e+01 8.715968e-02 + 1.744000e+01 1.835197e+00 -2.408760e+01 8.709670e-02 + 1.745000e+01 2.058695e+00 -2.410141e+01 8.695786e-02 + 1.746000e+01 2.230823e+00 -2.411522e+01 8.679122e-02 + 1.747000e+01 2.346639e+00 -2.412903e+01 8.665454e-02 + 1.748000e+01 2.402862e+00 -2.414285e+01 8.659530e-02 + 1.749000e+01 2.397953e+00 -2.415666e+01 8.663394e-02 + 1.750000e+01 2.332120e+00 -2.417047e+01 8.675670e-02 + 1.751000e+01 2.207283e+00 -2.418428e+01 8.692050e-02 + 1.752000e+01 2.026962e+00 -2.419809e+01 8.706826e-02 + 1.753000e+01 1.796122e+00 -2.421191e+01 8.714880e-02 + 1.754000e+01 1.520973e+00 -2.422572e+01 8.713429e-02 + 1.755000e+01 1.208728e+00 -2.423953e+01 8.702966e-02 + 1.756000e+01 8.673386e-01 -2.425334e+01 8.687089e-02 + 1.757000e+01 5.052165e-01 -2.426715e+01 8.671285e-02 + 1.758000e+01 1.309496e-01 -2.428096e+01 8.661037e-02 + 1.759000e+01 -2.469724e-01 -2.429478e+01 8.659908e-02 + 1.760000e+01 -6.204145e-01 -2.430859e+01 8.668283e-02 + 1.761000e+01 -9.818255e-01 -2.432240e+01 8.683227e-02 + 1.762000e+01 -1.324432e+00 -2.433621e+01 8.699534e-02 + 1.763000e+01 -1.642390e+00 -2.435002e+01 8.711552e-02 + 1.764000e+01 -1.930898e+00 -2.436383e+01 8.715136e-02 + 1.765000e+01 -2.186256e+00 -2.437765e+01 8.709049e-02 + 1.766000e+01 -2.405888e+00 -2.439146e+01 8.695380e-02 + 1.767000e+01 -2.588317e+00 -2.440527e+01 8.678836e-02 + 1.768000e+01 -2.733104e+00 -2.441908e+01 8.665140e-02 + 1.769000e+01 -2.840752e+00 -2.443289e+01 8.659050e-02 + 1.770000e+01 -2.912593e+00 -2.444670e+01 8.662688e-02 + 1.771000e+01 -2.950643e+00 -2.446052e+01 8.674783e-02 + 1.772000e+01 -2.957458e+00 -2.447433e+01 8.691132e-02 + 1.773000e+01 -2.935981e+00 -2.448814e+01 8.706087e-02 + 1.774000e+01 -2.889393e+00 -2.450195e+01 8.714520e-02 + 1.775000e+01 -2.820974e+00 -2.451576e+01 8.713574e-02 + 1.776000e+01 -2.733977e+00 -2.452957e+01 8.703622e-02 + 1.777000e+01 -2.631524e+00 -2.454339e+01 8.688139e-02 + 1.778000e+01 -2.516520e+00 -2.455720e+01 8.672516e-02 + 1.779000e+01 -2.391589e+00 -2.457101e+01 8.662212e-02 + 1.780000e+01 -2.259035e+00 -2.458482e+01 8.660840e-02 + 1.781000e+01 -2.120827e+00 -2.459863e+01 8.668891e-02 + 1.782000e+01 -1.978597e+00 -2.461244e+01 8.683560e-02 + 1.783000e+01 -1.833662e+00 -2.462626e+01 8.699740e-02 + 1.784000e+01 -1.687057e+00 -2.464007e+01 8.711823e-02 + 1.785000e+01 -1.539578e+00 -2.465388e+01 8.715627e-02 + 1.786000e+01 -1.391838e+00 -2.466769e+01 8.709820e-02 + 1.787000e+01 -1.244314e+00 -2.468150e+01 8.696366e-02 + 1.788000e+01 -1.097405e+00 -2.469531e+01 8.679860e-02 + 1.789000e+01 -9.514796e-01 -2.470913e+01 8.665973e-02 + 1.790000e+01 -8.069198e-01 -2.472294e+01 8.659487e-02 + 1.791000e+01 -6.641559e-01 -2.473675e+01 8.662618e-02 + 1.792000e+01 -5.236915e-01 -2.475056e+01 8.674239e-02 + 1.793000e+01 -3.861179e-01 -2.476437e+01 8.690283e-02 + 1.794000e+01 -2.521187e-01 -2.477818e+01 8.705183e-02 + 1.795000e+01 -1.224641e-01 -2.479200e+01 8.713817e-02 + 1.796000e+01 2.002381e-03 -2.480581e+01 8.713247e-02 + 1.797000e+01 1.203851e-01 -2.481962e+01 8.703715e-02 + 1.798000e+01 2.317610e-01 -2.483343e+01 8.688545e-02 + 1.799000e+01 3.352080e-01 -2.484724e+01 8.673017e-02 + 1.800000e+01 4.298322e-01 -2.486105e+01 8.662547e-02 + 1.801000e+01 5.147948e-01 -2.487487e+01 8.660800e-02 + 1.802000e+01 5.893341e-01 -2.488868e+01 8.668387e-02 + 1.803000e+01 6.527827e-01 -2.490249e+01 8.682659e-02 + 1.804000e+01 7.045791e-01 -2.491630e+01 8.698645e-02 + 1.805000e+01 7.442724e-01 -2.493011e+01 8.710806e-02 + 1.806000e+01 7.715211e-01 -2.494393e+01 8.714944e-02 + 1.807000e+01 7.860873e-01 -2.495774e+01 8.709627e-02 + 1.808000e+01 7.878271e-01 -2.497155e+01 8.696669e-02 + 1.809000e+01 7.766795e-01 -2.498536e+01 8.680515e-02 + 1.810000e+01 7.526563e-01 -2.499917e+01 8.666724e-02 + 1.811000e+01 7.158358e-01 -2.501298e+01 8.660047e-02 + 1.812000e+01 6.663611e-01 -2.502680e+01 8.662762e-02 + 1.813000e+01 6.044479e-01 -2.504061e+01 8.673865e-02 + 1.814000e+01 5.303998e-01 -2.505442e+01 8.689440e-02 + 1.815000e+01 4.446352e-01 -2.506823e+01 8.704050e-02 + 1.816000e+01 3.477236e-01 -2.508204e+01 8.712634e-02 + 1.817000e+01 2.404307e-01 -2.509585e+01 8.712243e-02 + 1.818000e+01 1.237700e-01 -2.510967e+01 8.703037e-02 + 1.819000e+01 -9.416308e-04 -2.512348e+01 8.688225e-02 + 1.820000e+01 -1.320299e-01 -2.513729e+01 8.672973e-02 + 1.821000e+01 -2.674146e-01 -2.515110e+01 8.662628e-02 + 1.822000e+01 -4.045726e-01 -2.516491e+01 8.660846e-02 + 1.823000e+01 -5.405171e-01 -2.517872e+01 8.668296e-02 + 1.824000e+01 -6.717992e-01 -2.519254e+01 8.682420e-02 + 1.825000e+01 -7.945361e-01 -2.520635e+01 8.698340e-02 + 1.826000e+01 -9.044691e-01 -2.522016e+01 8.710574e-02 + 1.827000e+01 -9.970535e-01 -2.523397e+01 8.714922e-02 + 1.828000e+01 -1.067581e+00 -2.524778e+01 8.709899e-02 + 1.829000e+01 -1.111334e+00 -2.526159e+01 8.697229e-02 + 1.830000e+01 -1.123760e+00 -2.527541e+01 8.681263e-02 + 1.831000e+01 -1.100680e+00 -2.528922e+01 8.667502e-02 + 1.832000e+01 -1.038493e+00 -2.530303e+01 8.660692e-02 + 1.833000e+01 -9.343971e-01 -2.531684e+01 8.663167e-02 + 1.834000e+01 -7.865948e-01 -2.533065e+01 8.674018e-02 + 1.835000e+01 -5.944846e-01 -2.534446e+01 8.689429e-02 + 1.836000e+01 -3.588183e-01 -2.535828e+01 8.704028e-02 + 1.837000e+01 -8.181862e-02 -2.537209e+01 8.712763e-02 + 1.838000e+01 2.327552e-01 -2.538590e+01 8.712632e-02 + 1.839000e+01 5.796003e-01 -2.539971e+01 8.703698e-02 + 1.840000e+01 9.519272e-01 -2.541352e+01 8.689062e-02 + 1.841000e+01 1.341585e+00 -2.542733e+01 8.673808e-02 + 1.842000e+01 1.739249e+00 -2.544115e+01 8.663261e-02 + 1.843000e+01 2.134674e+00 -2.545496e+01 8.661124e-02 + 1.844000e+01 2.517002e+00 -2.546877e+01 8.668172e-02 + 1.845000e+01 2.875107e+00 -2.548258e+01 8.681972e-02 + 1.846000e+01 3.197976e+00 -2.549639e+01 8.697754e-02 + 1.847000e+01 3.475105e+00 -2.551020e+01 8.710080e-02 + 1.848000e+01 3.696893e+00 -2.552402e+01 8.714724e-02 + 1.849000e+01 3.855011e+00 -2.553783e+01 8.710102e-02 + 1.850000e+01 3.942748e+00 -2.555164e+01 8.697805e-02 + 1.851000e+01 3.955291e+00 -2.556545e+01 8.682055e-02 + 1.852000e+01 3.889955e+00 -2.557926e+01 8.668268e-02 + 1.853000e+01 3.746327e+00 -2.559307e+01 8.661186e-02 + 1.854000e+01 3.526329e+00 -2.560689e+01 8.663212e-02 + 1.855000e+01 3.234200e+00 -2.562070e+01 8.673571e-02 + 1.856000e+01 2.876383e+00 -2.563451e+01 8.688589e-02 + 1.857000e+01 2.461332e+00 -2.564832e+01 8.703003e-02 + 1.858000e+01 1.999250e+00 -2.566213e+01 8.711799e-02 + 1.859000e+01 1.501751e+00 -2.567595e+01 8.711936e-02 + 1.860000e+01 9.814823e-01 -2.568976e+01 8.703370e-02 + 1.861000e+01 4.517027e-01 -2.570357e+01 8.689062e-02 + 1.862000e+01 -7.414835e-02 -2.571738e+01 8.673974e-02 + 1.863000e+01 -5.828892e-01 -2.573119e+01 8.663363e-02 + 1.864000e+01 -1.062014e+00 -2.574500e+01 8.660942e-02 + 1.865000e+01 -1.500081e+00 -2.575882e+01 8.667576e-02 + 1.866000e+01 -1.887051e+00 -2.577263e+01 8.680969e-02 + 1.867000e+01 -2.214570e+00 -2.578644e+01 8.696490e-02 + 1.868000e+01 -2.476187e+00 -2.580025e+01 8.708798e-02 + 1.869000e+01 -2.667493e+00 -2.581406e+01 8.713694e-02 + 1.870000e+01 -2.786196e+00 -2.582787e+01 8.709541e-02 + 1.871000e+01 -2.832105e+00 -2.584169e+01 8.697819e-02 + 1.872000e+01 -2.807064e+00 -2.585550e+01 8.682608e-02 + 1.873000e+01 -2.714802e+00 -2.586931e+01 8.669201e-02 + 1.874000e+01 -2.560741e+00 -2.588312e+01 8.662265e-02 + 1.875000e+01 -2.351752e+00 -2.589693e+01 8.664204e-02 + 1.876000e+01 -2.095870e+00 -2.591074e+01 8.674305e-02 + 1.877000e+01 -1.802001e+00 -2.592456e+01 8.689001e-02 + 1.878000e+01 -1.479602e+00 -2.593837e+01 8.703136e-02 + 1.879000e+01 -1.138366e+00 -2.595218e+01 8.711776e-02 + 1.880000e+01 -7.879214e-01 -2.596599e+01 8.711906e-02 + 1.881000e+01 -4.375466e-01 -2.597980e+01 8.703452e-02 + 1.882000e+01 -9.591223e-02 -2.599361e+01 8.689316e-02 + 1.883000e+01 2.291400e-01 -2.600743e+01 8.674382e-02 + 1.884000e+01 5.307793e-01 -2.602124e+01 8.663848e-02 + 1.885000e+01 8.033258e-01 -2.603505e+01 8.661408e-02 + 1.886000e+01 1.042344e+00 -2.604886e+01 8.667944e-02 + 1.887000e+01 1.244694e+00 -2.606267e+01 8.681211e-02 + 1.888000e+01 1.408534e+00 -2.607648e+01 8.696633e-02 + 1.889000e+01 1.533284e+00 -2.609030e+01 8.708914e-02 + 1.890000e+01 1.619555e+00 -2.610411e+01 8.713861e-02 + 1.891000e+01 1.669032e+00 -2.611792e+01 8.709817e-02 + 1.892000e+01 1.684341e+00 -2.613173e+01 8.698215e-02 + 1.893000e+01 1.668888e+00 -2.614554e+01 8.683088e-02 + 1.894000e+01 1.626680e+00 -2.615935e+01 8.669698e-02 + 1.895000e+01 1.562134e+00 -2.617317e+01 8.662709e-02 + 1.896000e+01 1.479893e+00 -2.618698e+01 8.664556e-02 + 1.897000e+01 1.384630e+00 -2.620079e+01 8.674573e-02 + 1.898000e+01 1.280880e+00 -2.621460e+01 8.689237e-02 + 1.899000e+01 1.172869e+00 -2.622841e+01 8.703415e-02 + 1.900000e+01 1.064382e+00 -2.624222e+01 8.712155e-02 + 1.901000e+01 9.586432e-01 -2.625604e+01 8.712391e-02 + 1.902000e+01 8.582358e-01 -2.626985e+01 8.703982e-02 + 1.903000e+01 7.650479e-01 -2.628366e+01 8.689764e-02 + 1.904000e+01 6.802536e-01 -2.629747e+01 8.674590e-02 + 1.905000e+01 6.043264e-01 -2.631128e+01 8.663675e-02 + 1.906000e+01 5.370840e-01 -2.632509e+01 8.660775e-02 + 1.907000e+01 4.777607e-01 -2.633891e+01 8.666869e-02 + 1.908000e+01 4.251049e-01 -2.635272e+01 8.679810e-02 + 1.909000e+01 3.774942e-01 -2.636653e+01 8.695090e-02 + 1.910000e+01 3.330653e-01 -2.638034e+01 8.707426e-02 + 1.911000e+01 2.898492e-01 -2.639415e+01 8.712585e-02 + 1.912000e+01 2.459072e-01 -2.640797e+01 8.708827e-02 + 1.913000e+01 1.994612e-01 -2.642178e+01 8.697485e-02 + 1.914000e+01 1.490112e-01 -2.643559e+01 8.682517e-02 + 1.915000e+01 9.343576e-02 -2.644940e+01 8.669150e-02 + 1.916000e+01 3.207130e-02 -2.646321e+01 8.662080e-02 + 1.917000e+01 -3.523389e-02 -2.647702e+01 8.663819e-02 + 1.918000e+01 -1.080916e-01 -2.649084e+01 8.673807e-02 + 1.919000e+01 -1.855728e-01 -2.650465e+01 8.688609e-02 + 1.920000e+01 -2.662331e-01 -2.651846e+01 8.703131e-02 + 1.921000e+01 -3.481626e-01 -2.653227e+01 8.712394e-02 + 1.922000e+01 -4.290574e-01 -2.654608e+01 8.713244e-02 + 1.923000e+01 -5.063087e-01 -2.655989e+01 8.705411e-02 + 1.924000e+01 -5.771067e-01 -2.657371e+01 8.691603e-02 + 1.925000e+01 -6.385529e-01 -2.658752e+01 8.676580e-02 + 1.926000e+01 -6.877780e-01 -2.660133e+01 8.665529e-02 + 1.927000e+01 -7.220605e-01 -2.661514e+01 8.662258e-02 + 1.928000e+01 -7.389414e-01 -2.662895e+01 8.667855e-02 + 1.929000e+01 -7.363326e-01 -2.664276e+01 8.680308e-02 + 1.930000e+01 -7.126151e-01 -2.665658e+01 8.695223e-02 + 1.931000e+01 -6.667246e-01 -2.667039e+01 8.707374e-02 + 1.932000e+01 -5.982225e-01 -2.668420e+01 8.712516e-02 + 1.933000e+01 -5.073506e-01 -2.669801e+01 8.708834e-02 + 1.934000e+01 -3.950681e-01 -2.671182e+01 8.697554e-02 + 1.935000e+01 -2.630694e-01 -2.672563e+01 8.682530e-02 + 1.936000e+01 -1.137826e-01 -2.673945e+01 8.668935e-02 + 1.937000e+01 4.965341e-02 -2.675326e+01 8.661471e-02 + 1.938000e+01 2.234330e-01 -2.676707e+01 8.662727e-02 + 1.939000e+01 4.031503e-01 -2.678088e+01 8.672263e-02 + 1.940000e+01 5.838880e-01 -2.679469e+01 8.686764e-02 + 1.941000e+01 7.603286e-01 -2.680850e+01 8.701220e-02 + 1.942000e+01 9.268876e-01 -2.682232e+01 8.710673e-02 + 1.943000e+01 1.077867e+00 -2.683613e+01 8.711916e-02 + 1.944000e+01 1.207627e+00 -2.684994e+01 8.704579e-02 + 1.945000e+01 1.310772e+00 -2.686375e+01 8.691245e-02 + 1.946000e+01 1.382344e+00 -2.687756e+01 8.676570e-02 + 1.947000e+01 1.418029e+00 -2.689137e+01 8.665689e-02 + 1.948000e+01 1.414343e+00 -2.690519e+01 8.662421e-02 + 1.949000e+01 1.368829e+00 -2.691900e+01 8.667927e-02 + 1.950000e+01 1.280213e+00 -2.693281e+01 8.680296e-02 + 1.951000e+01 1.148547e+00 -2.694662e+01 8.695227e-02 + 1.952000e+01 9.753031e-01 -2.696043e+01 8.707545e-02 + 1.953000e+01 7.634311e-01 -2.697424e+01 8.712995e-02 + 1.954000e+01 5.173547e-01 -2.698806e+01 8.709697e-02 + 1.955000e+01 2.429157e-01 -2.700187e+01 8.698780e-02 + 1.956000e+01 -5.274497e-02 -2.701568e+01 8.684001e-02 + 1.957000e+01 -3.613665e-01 -2.702949e+01 8.670468e-02 + 1.958000e+01 -6.738055e-01 -2.704330e+01 8.662878e-02 + 1.959000e+01 -9.803250e-01 -2.705711e+01 8.663873e-02 + 1.960000e+01 -1.270927e+00 -2.707093e+01 8.673105e-02 + 1.961000e+01 -1.535714e+00 -2.708474e+01 8.687359e-02 + 1.962000e+01 -1.765271e+00 -2.709855e+01 8.701693e-02 + 1.963000e+01 -1.951044e+00 -2.711236e+01 8.711161e-02 + 1.964000e+01 -2.085707e+00 -2.712617e+01 8.712512e-02 + 1.965000e+01 -2.163487e+00 -2.713998e+01 8.705289e-02 + 1.966000e+01 -2.180452e+00 -2.715380e+01 8.691976e-02 + 1.967000e+01 -2.134721e+00 -2.716761e+01 8.677159e-02 + 1.968000e+01 -2.026606e+00 -2.718142e+01 8.665955e-02 + 1.969000e+01 -1.858664e+00 -2.719523e+01 8.662232e-02 + 1.970000e+01 -1.635658e+00 -2.720904e+01 8.667250e-02 + 1.971000e+01 -1.364429e+00 -2.722286e+01 8.679216e-02 + 1.972000e+01 -1.053676e+00 -2.723667e+01 8.693928e-02 + 1.973000e+01 -7.136597e-01 -2.725048e+01 8.706254e-02 + 1.974000e+01 -3.558338e-01 -2.726429e+01 8.711913e-02 + 1.975000e+01 7.572895e-03 -2.727810e+01 8.708940e-02 + 1.976000e+01 3.640104e-01 -2.729191e+01 8.698344e-02 + 1.977000e+01 7.010758e-01 -2.730573e+01 8.683771e-02 + 1.978000e+01 1.006975e+00 -2.731954e+01 8.670262e-02 + 1.979000e+01 1.270958e+00 -2.733335e+01 8.662514e-02 + 1.980000e+01 1.483711e+00 -2.734716e+01 8.663239e-02 + 1.981000e+01 1.637679e+00 -2.736097e+01 8.672204e-02 + 1.982000e+01 1.727326e+00 -2.737478e+01 8.686318e-02 + 1.983000e+01 1.749294e+00 -2.738860e+01 8.700723e-02 + 1.984000e+01 1.702483e+00 -2.740241e+01 8.710492e-02 + 1.985000e+01 1.588034e+00 -2.741622e+01 8.712322e-02 + 1.986000e+01 1.409227e+00 -2.743003e+01 8.705644e-02 + 1.987000e+01 1.171294e+00 -2.744384e+01 8.692811e-02 + 1.988000e+01 8.811625e-01 -2.745765e+01 8.678293e-02 + 1.989000e+01 5.471485e-01 -2.747147e+01 8.667148e-02 + 1.990000e+01 1.786013e-01 -2.748528e+01 8.663257e-02 + 1.991000e+01 -2.144701e-01 -2.749909e+01 8.667962e-02 + 1.992000e+01 -6.217781e-01 -2.751290e+01 8.679592e-02 + 1.993000e+01 -1.033127e+00 -2.752671e+01 8.694062e-02 + 1.994000e+01 -1.438757e+00 -2.754052e+01 8.706314e-02 + 1.995000e+01 -1.829651e+00 -2.755434e+01 8.712079e-02 + 1.996000e+01 -2.197791e+00 -2.756815e+01 8.709333e-02 + 1.997000e+01 -2.536358e+00 -2.758196e+01 8.698987e-02 + 1.998000e+01 -2.839868e+00 -2.759577e+01 8.684575e-02 + 1.999000e+01 -3.104253e+00 -2.760958e+01 8.671056e-02 + 2.000000e+01 -3.326870e+00 -2.762339e+01 8.663104e-02 diff --git a/examples/PDF/Ni.cif b/examples/PDF/Ni.cif new file mode 100644 index 00000000..b19af38d --- /dev/null +++ b/examples/PDF/Ni.cif @@ -0,0 +1,236 @@ +#------------------------------------------------------------------------------ +#$Date: 2017-10-13 07:28:26 +0200 (vie 13 de oct de 2017) $ +#$Revision: 201972 $ +#$URL: svn://www.crystallography.net/cod/cif/2/10/22/2102245.cif $ +#------------------------------------------------------------------------------ +# +# This file is available in the Crystallography Open Database (COD), +# http://www.crystallography.net/. The original data for this entry +# were provided by IUCr Journals, http://journals.iucr.org/. +# +# The file may be used within the scientific community so long as +# proper attribution is given to the journal article from which the +# data were obtained. +# +data_2102245 + +# _symmetry_space_group_name_Hall '-F 4 2 3' +# _symmetry_space_group_name_H-M 'F m -3 m' +_space_group_name_H-M_alt 'F m -3 m' + +_cell_angle_alpha 90.0 +_cell_angle_beta 90.0 +_cell_angle_gamma 90.0 +_cell_formula_units_Z 4 +_cell_length_a 3.5620(8) +_cell_length_b 3.562 +_cell_length_c 3.562 + +loop_ +_symmetry_equiv_pos_site_id +_symmetry_equiv_pos_as_xyz +1 +x,+y,+z +2 +z,+x,+y +3 +y,+z,+x +4 +x,+y,-z +5 -z,+x,+y +6 +y,-z,+x +7 -z,+x,-y +8 -y,-z,+x +9 +y,-z,-x +10 -x,+y,-z +11 -z,-x,+y +12 +x,-y,-z +13 +y,+x,+z +14 +z,+y,+x +15 +x,+z,+y +16 +y,+x,-z +17 -z,+y,+x +18 +x,-z,+y +19 -z,+y,-x +20 -x,-z,+y +21 +x,-z,-y +22 -y,+x,-z +23 -z,-y,+x +24 +y,-x,-z +-1 -x,-y,-z +-2 -z,-x,-y +-3 -y,-z,-x +-4 -x,-y,+z +-5 +z,-x,-y +-6 -y,+z,-x +-7 +z,-x,+y +-8 +y,+z,-x +-9 -y,+z,+x +-10 +x,-y,+z +-11 +z,+x,-y +-12 -x,+y,+z +-13 -y,-x,-z +-14 -z,-y,-x +-15 -x,-z,-y +-16 -y,-x,+z +-17 +z,-y,-x +-18 -x,+z,-y +-19 +z,-y,+x +-20 +x,+z,-y +-21 -x,+z,+y +-22 +y,-x,+z +-23 +z,+y,-x +-24 -y,+x,+z +101 +x,+y+1/2,+z+1/2 +102 +z,+x+1/2,+y+1/2 +103 +y,+z+1/2,+x+1/2 +104 +x,+y+1/2,-z+1/2 +105 -z,+x+1/2,+y+1/2 +106 +y,-z+1/2,+x+1/2 +107 -z,+x+1/2,-y+1/2 +108 -y,-z+1/2,+x+1/2 +109 +y,-z+1/2,-x+1/2 +110 -x,+y+1/2,-z+1/2 +111 -z,-x+1/2,+y+1/2 +112 +x,-y+1/2,-z+1/2 +113 +y,+x+1/2,+z+1/2 +114 +z,+y+1/2,+x+1/2 +115 +x,+z+1/2,+y+1/2 +116 +y,+x+1/2,-z+1/2 +117 -z,+y+1/2,+x+1/2 +118 +x,-z+1/2,+y+1/2 +119 -z,+y+1/2,-x+1/2 +120 -x,-z+1/2,+y+1/2 +121 +x,-z+1/2,-y+1/2 +122 -y,+x+1/2,-z+1/2 +123 -z,-y+1/2,+x+1/2 +124 +y,-x+1/2,-z+1/2 +-101 -x,-y+1/2,-z+1/2 +-102 -z,-x+1/2,-y+1/2 +-103 -y,-z+1/2,-x+1/2 +-104 -x,-y+1/2,+z+1/2 +-105 +z,-x+1/2,-y+1/2 +-106 -y,+z+1/2,-x+1/2 +-107 +z,-x+1/2,+y+1/2 +-108 +y,+z+1/2,-x+1/2 +-109 -y,+z+1/2,+x+1/2 +-110 +x,-y+1/2,+z+1/2 +-111 +z,+x+1/2,-y+1/2 +-112 -x,+y+1/2,+z+1/2 +-113 -y,-x+1/2,-z+1/2 +-114 -z,-y+1/2,-x+1/2 +-115 -x,-z+1/2,-y+1/2 +-116 -y,-x+1/2,+z+1/2 +-117 +z,-y+1/2,-x+1/2 +-118 -x,+z+1/2,-y+1/2 +-119 +z,-y+1/2,+x+1/2 +-120 +x,+z+1/2,-y+1/2 +-121 -x,+z+1/2,+y+1/2 +-122 +y,-x+1/2,+z+1/2 +-123 +z,+y+1/2,-x+1/2 +-124 -y,+x+1/2,+z+1/2 +201 +x+1/2,+y,+z+1/2 +202 +z+1/2,+x,+y+1/2 +203 +y+1/2,+z,+x+1/2 +204 +x+1/2,+y,-z+1/2 +205 -z+1/2,+x,+y+1/2 +206 +y+1/2,-z,+x+1/2 +207 -z+1/2,+x,-y+1/2 +208 -y+1/2,-z,+x+1/2 +209 +y+1/2,-z,-x+1/2 +210 -x+1/2,+y,-z+1/2 +211 -z+1/2,-x,+y+1/2 +212 +x+1/2,-y,-z+1/2 +213 +y+1/2,+x,+z+1/2 +214 +z+1/2,+y,+x+1/2 +215 +x+1/2,+z,+y+1/2 +216 +y+1/2,+x,-z+1/2 +217 -z+1/2,+y,+x+1/2 +218 +x+1/2,-z,+y+1/2 +219 -z+1/2,+y,-x+1/2 +220 -x+1/2,-z,+y+1/2 +221 +x+1/2,-z,-y+1/2 +222 -y+1/2,+x,-z+1/2 +223 -z+1/2,-y,+x+1/2 +224 +y+1/2,-x,-z+1/2 +-201 -x+1/2,-y,-z+1/2 +-202 -z+1/2,-x,-y+1/2 +-203 -y+1/2,-z,-x+1/2 +-204 -x+1/2,-y,+z+1/2 +-205 +z+1/2,-x,-y+1/2 +-206 -y+1/2,+z,-x+1/2 +-207 +z+1/2,-x,+y+1/2 +-208 +y+1/2,+z,-x+1/2 +-209 -y+1/2,+z,+x+1/2 +-210 +x+1/2,-y,+z+1/2 +-211 +z+1/2,+x,-y+1/2 +-212 -x+1/2,+y,+z+1/2 +-213 -y+1/2,-x,-z+1/2 +-214 -z+1/2,-y,-x+1/2 +-215 -x+1/2,-z,-y+1/2 +-216 -y+1/2,-x,+z+1/2 +-217 +z+1/2,-y,-x+1/2 +-218 -x+1/2,+z,-y+1/2 +-219 +z+1/2,-y,+x+1/2 +-220 +x+1/2,+z,-y+1/2 +-221 -x+1/2,+z,+y+1/2 +-222 +y+1/2,-x,+z+1/2 +-223 +z+1/2,+y,-x+1/2 +-224 -y+1/2,+x,+z+1/2 +301 +x+1/2,+y+1/2,+z +302 +z+1/2,+x+1/2,+y +303 +y+1/2,+z+1/2,+x +304 +x+1/2,+y+1/2,-z +305 -z+1/2,+x+1/2,+y +306 +y+1/2,-z+1/2,+x +307 -z+1/2,+x+1/2,-y +308 -y+1/2,-z+1/2,+x +309 +y+1/2,-z+1/2,-x +310 -x+1/2,+y+1/2,-z +311 -z+1/2,-x+1/2,+y +312 +x+1/2,-y+1/2,-z +313 +y+1/2,+x+1/2,+z +314 +z+1/2,+y+1/2,+x +315 +x+1/2,+z+1/2,+y +316 +y+1/2,+x+1/2,-z +317 -z+1/2,+y+1/2,+x +318 +x+1/2,-z+1/2,+y +319 -z+1/2,+y+1/2,-x +320 -x+1/2,-z+1/2,+y +321 +x+1/2,-z+1/2,-y +322 -y+1/2,+x+1/2,-z +323 -z+1/2,-y+1/2,+x +324 +y+1/2,-x+1/2,-z +-301 -x+1/2,-y+1/2,-z +-302 -z+1/2,-x+1/2,-y +-303 -y+1/2,-z+1/2,-x +-304 -x+1/2,-y+1/2,+z +-305 +z+1/2,-x+1/2,-y +-306 -y+1/2,+z+1/2,-x +-307 +z+1/2,-x+1/2,+y +-308 +y+1/2,+z+1/2,-x +-309 -y+1/2,+z+1/2,+x +-310 +x+1/2,-y+1/2,+z +-311 +z+1/2,+x+1/2,-y +-312 -x+1/2,+y+1/2,+z +-313 -y+1/2,-x+1/2,-z +-314 -z+1/2,-y+1/2,-x +-315 -x+1/2,-z+1/2,-y +-316 -y+1/2,-x+1/2,+z +-317 +z+1/2,-y+1/2,-x +-318 -x+1/2,+z+1/2,-y +-319 +z+1/2,-y+1/2,+x +-320 +x+1/2,+z+1/2,-y +-321 -x+1/2,+z+1/2,+y +-322 +y+1/2,-x+1/2,+z +-323 +z+1/2,+y+1/2,-x +-324 -y+1/2,+x+1/2,+z + +loop_ +_atom_site_label +_atom_site_type_symbol +_atom_site_fract_x +_atom_site_fract_y +_atom_site_fract_z +_atom_site_U_iso_or_equiv +_atom_site_adp_type +_atom_site_occupancy +Ni Ni 0.0 0.0 0.0 0.025 Uiso 1.0 + + diff --git a/examples/PDF/Ni_profile.py b/examples/PDF/Ni_profile.py new file mode 100644 index 00000000..76ea79fa --- /dev/null +++ b/examples/PDF/Ni_profile.py @@ -0,0 +1,58 @@ + +import os + +from easyDiffractionLib.sample import Sample +from easyDiffractionLib import Phases +from easyDiffractionLib.interface import InterfaceFactory as Calculator +from easyDiffractionLib.Profiles.P1D import Powder1DParameters, PDFParameters +from easyDiffractionLib.Interfaces.pdffit2 import readGRData + + +calculator = Calculator() +calculator.switch("Pdffit2") + +data_fname = os.path.realpath('Ni-xray.gr') +data = readGRData(data_fname) + +cif_fname = os.path.realpath('Ni.cif') +phases = Phases.from_cif_file(cif_fname) + +parameters = PDFParameters() + +# PDF parameters +parameters.qmax = 70 +parameters.qdamp = 0.01 + +pattern = Powder1DParameters() + +S = Sample(phases=phases, parameters=parameters, pattern=pattern) +S.interface = calculator + +# x_data = np.linspace(0.5, 30, 2000) +x_data = data[:, 0] + +# profile calculation +y_data = calculator.fit_func(x_data) + + +########################################################################### +import pylab +# obtain data from PdfFit calculator object +r = x_data +Gobs = data[:, 1] +Gfit = y_data + +Gdiff = pylab.array(Gobs) - pylab.array(Gfit) +Gdiff_baseline = -10 + +# pylab.plot(r, Gobs, 'ko') +pylab.plot(r, Gobs, '.') +pylab.plot(r, Gfit, 'b-') +pylab.plot(r, Gdiff + Gdiff_baseline, 'r-') + +pylab.xlabel(u'r (Å)') +pylab.ylabel(u'G (Å$^{-2}$)') +pylab.title('Fit of nickel to x-ray experimental PDF') + +# display plot window, this must be the last command in the script +pylab.show() \ No newline at end of file From f3919b6a0c35fd46b8a63a070e0d181c30f85b82 Mon Sep 17 00:00:00 2001 From: Piotr Rozyczko Date: Thu, 5 Jan 2023 14:08:11 +0100 Subject: [PATCH 08/52] Added diffpy module dependencies --- pyproject.toml | 2 ++ 1 file changed, 2 insertions(+) diff --git a/pyproject.toml b/pyproject.toml index 652aa429..3f05b462 100644 --- a/pyproject.toml +++ b/pyproject.toml @@ -42,6 +42,8 @@ easyScienceCore = '0.2.3' easyCrystallography = '>=0.1.2' CFML = {version = '^0.0.3', optional=true} GSASII = {version = '^0.0.1', optional=true} +diffpy.pdffit2 = "^1.2.0" +diffpy.utils = "^3.0.0" [tool.poetry.extras] additional = ["CFML", "GSASII"] From 5545bf0ae50b3792bd10cd233a199516fe2d69e6 Mon Sep 17 00:00:00 2001 From: Piotr Rozyczko Date: Fri, 13 Jan 2023 14:47:00 +0100 Subject: [PATCH 09/52] point to released version of core and cryst --- pyproject.toml | 7 ++++--- 1 file changed, 4 insertions(+), 3 deletions(-) diff --git a/pyproject.toml b/pyproject.toml index 6d086119..cfdf0cac 100644 --- a/pyproject.toml +++ b/pyproject.toml @@ -39,9 +39,10 @@ default = false python = "^3.8, <3.11" cryspy = { git = 'https://github.com/ikibalin/cryspy.git', rev = 'bravis_type_fix' } # easyScience -easyScienceCore = { git = 'https://github.com/easyScience/easyCore.git', rev = 'pre-release-fixes' } -easyCrystallography = { git = 'https://github.com/easyScience/easyCrystallography.git', rev = 'io_rework' } -CFML = {version = '^0.0.3', optional=true} +easyScienceCore = { git = 'https://github.com/easyScience/easyCore.git', rev = 'master' } +easyCrystallography = { git = 'https://github.com/easyScience/easyCrystallography.git', rev = 'master' } + +CFML = {version = '^0.0.1', optional=true} GSASII = {version = '^0.0.1', optional=true} [tool.poetry.extras] From 0cebec114a97ecf3333b96c1d70465a73cfe2d4a Mon Sep 17 00:00:00 2001 From: Piotr Rozyczko Date: Mon, 16 Jan 2023 10:01:12 +0100 Subject: [PATCH 10/52] Add fitting example, fixed minor issues --- easyDiffractionLib/Interfaces/pdffit2.py | 10 +-- examples/PDF/Ni_fitting.py | 80 ++++++++++++++++++++++++ examples/PDF/Ni_profile.py | 10 ++- 3 files changed, 92 insertions(+), 8 deletions(-) create mode 100644 examples/PDF/Ni_fitting.py diff --git a/easyDiffractionLib/Interfaces/pdffit2.py b/easyDiffractionLib/Interfaces/pdffit2.py index dc08b86c..4f4a3213 100644 --- a/easyDiffractionLib/Interfaces/pdffit2.py +++ b/easyDiffractionLib/Interfaces/pdffit2.py @@ -116,20 +116,19 @@ def create(self, model) -> List[ItemContainer]: r_list = [] t_ = type(model) model_key = self.__identify(model) - print("Creating model: ", t_) # if issubclass(t_, PDFParameters): # self.calculator.conditionsSet(model) if issubclass(t_, PDFParameters): - # self.calculator.createConditions(job_type="N") + self.calculator.conditionsSet(model) keys = self._instrument_link.copy() r_list.append( ItemContainer( model_key, keys, - self.calculator.get_value, - self.calculator.updateCif, + self.get_value, + self.updateCif, ) ) elif issubclass(t_, Lattice): @@ -191,7 +190,8 @@ def __identify(obj): def readGRData(filename): """ - Read PDF experimental data from the .gr file + Read PDF experimental data from the .gr file. + This uses `loadData` method from the pdffit2 package. :param filename: The filename :return: The data as an nx4 array with columns: x, y, dy, dx diff --git a/examples/PDF/Ni_fitting.py b/examples/PDF/Ni_fitting.py new file mode 100644 index 00000000..b7fe55d7 --- /dev/null +++ b/examples/PDF/Ni_fitting.py @@ -0,0 +1,80 @@ + +import os + +from easyCore.Fitting.Fitting import Fitter +from easyDiffractionLib.sample import Sample +from easyDiffractionLib import Phases +from easyDiffractionLib.interface import InterfaceFactory as Calculator +from easyDiffractionLib.Profiles.P1D import Powder1DParameters, PDFParameters +from easyDiffractionLib.Interfaces.pdffit2 import readGRData + + +calculator = Calculator() +calculator.switch("Pdffit2") + +# data_fname = os.path.realpath('examples\\PDF\\Ni-xray.gr') +data_fname = os.path.realpath('Ni-xray.gr') +data = readGRData(data_fname) + +# cif_fname = os.path.realpath('examples\\PDF\\Ni.cif') +cif_fname = os.path.realpath('Ni.cif') +phases = Phases.from_cif_file(cif_fname) + +parameters = PDFParameters() + +# PDF parameters +parameters.qmax = 70 +parameters.qdamp = 0.01 + +pattern = Powder1DParameters() + +S = Sample(phases=phases, parameters=parameters, pattern=pattern) +S.interface = calculator + +x_data = data[:, 0] + +# profile calculation +y_data = calculator.fit_func(x_data) + + +# fitting +# params to optimize +S.pattern.scale.fixed = False +S.pattern.zero_shift.fixed = False +#S.parameters.resolution_u.fixed = False +#S.parameters.resolution_v.fixed = False +#S.parameters.resolution_w.fixed = False + +fitter = Fitter(S, calculator.fit_func) + +result = fitter.fit(x_data, data[:, 1], + method='least_squares', minimizer_kwargs={'diff_step': 1e-5}) + +print("The fit has been successful: {}".format(result.success)) +print("The gooodness of fit (chi2) is: {}".format(result.reduced_chi)) +print(S.pattern.scale) +print(S.pattern.zero_shift) + + +y_data = calculator.fit_func(x_data) + +import pylab +# obtain data from PdfFit calculator object +r = x_data +Gobs = data[:, 1] +Gfit = y_data + +Gdiff = pylab.array(Gobs) - pylab.array(Gfit) +Gdiff_baseline = -10 + +# pylab.plot(r, Gobs, 'ko') +pylab.plot(r, Gobs, '.') +pylab.plot(r, Gfit, 'b-') +pylab.plot(r, Gdiff + Gdiff_baseline, 'r-') + +pylab.xlabel(u'r (Å)') +pylab.ylabel(u'G (Å$^{-2}$)') +pylab.title('Fit of nickel to x-ray experimental PDF') + +# display plot window, this must be the last command in the script +pylab.show() \ No newline at end of file diff --git a/examples/PDF/Ni_profile.py b/examples/PDF/Ni_profile.py index 76ea79fa..3eb255cd 100644 --- a/examples/PDF/Ni_profile.py +++ b/examples/PDF/Ni_profile.py @@ -1,6 +1,7 @@ import os +from easyCore.Fitting.Fitting import Fitter from easyDiffractionLib.sample import Sample from easyDiffractionLib import Phases from easyDiffractionLib.interface import InterfaceFactory as Calculator @@ -11,9 +12,11 @@ calculator = Calculator() calculator.switch("Pdffit2") +# data_fname = os.path.realpath('examples\\PDF\\Ni-xray.gr') data_fname = os.path.realpath('Ni-xray.gr') data = readGRData(data_fname) +# cif_fname = os.path.realpath('examples\\PDF\\Ni.cif') cif_fname = os.path.realpath('Ni.cif') phases = Phases.from_cif_file(cif_fname) @@ -28,14 +31,13 @@ S = Sample(phases=phases, parameters=parameters, pattern=pattern) S.interface = calculator -# x_data = np.linspace(0.5, 30, 2000) x_data = data[:, 0] # profile calculation y_data = calculator.fit_func(x_data) -########################################################################### +# plotting import pylab # obtain data from PdfFit calculator object r = x_data @@ -55,4 +57,6 @@ pylab.title('Fit of nickel to x-ray experimental PDF') # display plot window, this must be the last command in the script -pylab.show() \ No newline at end of file +pylab.show() + + From d7fb03cfee33127adab02fe2e30158c5dce72fb0 Mon Sep 17 00:00:00 2001 From: Piotr Rozyczko Date: Tue, 17 Jan 2023 14:21:18 +0100 Subject: [PATCH 11/52] initial version, not much here yet --- easyDiffractionLib/Jobs.py | 10 +++++++--- 1 file changed, 7 insertions(+), 3 deletions(-) diff --git a/easyDiffractionLib/Jobs.py b/easyDiffractionLib/Jobs.py index cb645ef4..648a8848 100644 --- a/easyDiffractionLib/Jobs.py +++ b/easyDiffractionLib/Jobs.py @@ -25,8 +25,10 @@ def __init__( phases=None, parameters=None, pattern=None, + interface=None, ): - interface = InterfaceFactory() + if interface is None: + interface = InterfaceFactory() super(JobBase_1D, self).__init__( name, profileClass, @@ -263,11 +265,12 @@ def __init__( phases=None, parameters=None, pattern=None, + interface=None, ): from easyDiffractionLib.Profiles.P1D import Unpolarized1DClasses super(Powder1DCW, self).__init__( - name, Unpolarized1DClasses, datastore, phases, parameters, pattern + name, Unpolarized1DClasses, datastore, phases, parameters, pattern, interface ) self._x_axis_name = "tth" @@ -280,11 +283,12 @@ def __init__( phases=None, parameters=None, pattern=None, + interface=None, ): from easyDiffractionLib.Profiles.P1D import Polarized1DClasses super(PolPowder1DCW, self).__init__( - name, Polarized1DClasses, datastore, phases, parameters, pattern + name, Polarized1DClasses, datastore, phases, parameters, pattern, interface ) self._x_axis_name = "tth" From 2402a1a168abecad20fd5f1d1d54d6a5cbfd4d43 Mon Sep 17 00:00:00 2001 From: Piotr Rozyczko Date: Wed, 18 Jan 2023 14:28:02 +0100 Subject: [PATCH 12/52] move bindings update from sample to job --- easyDiffractionLib/Interfaces/__init__.py | 16 ++++++++-------- easyDiffractionLib/Jobs.py | 4 ++++ easyDiffractionLib/sample.py | 7 ------- 3 files changed, 12 insertions(+), 15 deletions(-) diff --git a/easyDiffractionLib/Interfaces/__init__.py b/easyDiffractionLib/Interfaces/__init__.py index 04a5218b..b3089a5c 100644 --- a/easyDiffractionLib/Interfaces/__init__.py +++ b/easyDiffractionLib/Interfaces/__init__.py @@ -6,19 +6,19 @@ import traceback -try: - from easyDiffractionLib.Interfaces.cryspy import Cryspy # noqa: F401 -except ImportError: - # TODO make this a proper message (use logging?) - print('Warning: CrysPy is not installed') - - # try: -# from easyDiffractionLib.Interfaces.cryspyV2 import CryspyBase # noqa: F401 +# from easyDiffractionLib.Interfaces.cryspy import Cryspy # noqa: F401 # except ImportError: # # TODO make this a proper message (use logging?) # print('Warning: CrysPy is not installed') + +try: + from easyDiffractionLib.Interfaces.cryspyV2 import CryspyBase # noqa: F401 +except ImportError: + # TODO make this a proper message (use logging?) + print('Warning: CrysPy is not installed') + try: from easyDiffractionLib.Interfaces.CFML import CFML # noqa: F401 except ImportError: diff --git a/easyDiffractionLib/Jobs.py b/easyDiffractionLib/Jobs.py index 648a8848..8a2abf6e 100644 --- a/easyDiffractionLib/Jobs.py +++ b/easyDiffractionLib/Jobs.py @@ -257,6 +257,10 @@ def from_cif_file(self, file_url, experiment_name=None): self.data_from_cif_block(block, experiment_name) self.background_from_cif_block(block, experiment_name) + def update_bindings(self): + self.interface.generate_bindings(self) + self.generate_bindings() + class Powder1DCW(JobBase_1D): def __init__( self, diff --git a/easyDiffractionLib/sample.py b/easyDiffractionLib/sample.py index 76ebf94f..cf05db7c 100644 --- a/easyDiffractionLib/sample.py +++ b/easyDiffractionLib/sample.py @@ -154,13 +154,6 @@ def parameters(self, value): self._parameters = value self._parameters.interface = self._interface - def update_bindings(self): - if not self.interface.current_interface.feature_checker( - test_str=self.exp_type_str - ): - raise AssertionError("The interface is not suitable for this experiment") - self.generate_bindings() - @property def pattern(self): return self._pattern From 763d035677016ebff8cc21ccdd88ce450a59c2e5 Mon Sep 17 00:00:00 2001 From: Piotr Rozyczko Date: Thu, 19 Jan 2023 13:58:38 +0100 Subject: [PATCH 13/52] return ndarray rather that xarray from fitting start improving serialization --- easyDiffractionLib/Jobs.py | 3 +++ easyDiffractionLib/Profiles/common.py | 17 +++++++++++++---- 2 files changed, 16 insertions(+), 4 deletions(-) diff --git a/easyDiffractionLib/Jobs.py b/easyDiffractionLib/Jobs.py index 8a2abf6e..ae46f1fc 100644 --- a/easyDiffractionLib/Jobs.py +++ b/easyDiffractionLib/Jobs.py @@ -74,6 +74,9 @@ def create_simulation(self, tth, simulation_name=None, **kwargs): else: simulation_name = self.name + "_" + simulation_name self.datastore._simulations.add_simulation(simulation_name, y) + # fitter expects ndarrays + if type(y) == xr.DataArray: + y = y.values return y def plot_simulation(self, simulation_name=None): diff --git a/easyDiffractionLib/Profiles/common.py b/easyDiffractionLib/Profiles/common.py index db656034..74293b56 100644 --- a/easyDiffractionLib/Profiles/common.py +++ b/easyDiffractionLib/Profiles/common.py @@ -9,6 +9,7 @@ from easyCore.Objects.ObjectClasses import BaseObj from easyDiffractionLib import Phases, Phase from easyCore.Datasets.xarray import xr +from easyCore.Objects.core import ComponentSerializer DataClassBaseType = TypeVar("DataClassBaseType", bound="_DataClassBase") @@ -19,7 +20,7 @@ def __init__(self, dataset): self._dataset = dataset -class DataContainer: +class DataContainer(ComponentSerializer): def __init__(self, sim_store: DataClassBaseType, exp_store: DataClassBaseType): self._simulations = sim_store self._experiments = exp_store @@ -49,6 +50,11 @@ def add_coordinate(self, coordinate_name, coordinate_values): def add_variable(self, variable_name, variable_coordinates, values): self.store.easyCore.add_variable(variable_name, variable_coordinates, values) + # def as_dict(self, skip: list = []) -> dict: + # this_dict = super(DataContainer, self).as_dict(self) + # this_dict['items'] = [ + # item.as_dict() for item in self.items if hasattr(item, 'as_dict') + # ] class JobSetup: def __init__(self, datastore_classes, instrumental_parameter_class, pattern_class): @@ -180,9 +186,12 @@ def pattern(self): def as_dict(self, skip: list = None) -> dict: d = super(_PowderBase, self).as_dict(skip=skip) - del d["_phases"] - del d["_parameters"] - del d["_pattern"] + if '_phases' in d: + del d['_phases'] + if '_parameters' in d: + del d['_parameters'] + if '_pattern' in d: + del d['_pattern'] return d def _update_bases(self, new_base): From b8f458e93a5477375f2b72396d5e9cc18033f39e Mon Sep 17 00:00:00 2001 From: Piotr Rozyczko Date: Mon, 23 Jan 2023 15:37:45 +0100 Subject: [PATCH 14/52] Fixes for serialization of the job object --- easyDiffractionLib/Jobs.py | 2 +- easyDiffractionLib/Profiles/common.py | 52 +++++++++++++++++++-------- 2 files changed, 39 insertions(+), 15 deletions(-) diff --git a/easyDiffractionLib/Jobs.py b/easyDiffractionLib/Jobs.py index ae46f1fc..882450e2 100644 --- a/easyDiffractionLib/Jobs.py +++ b/easyDiffractionLib/Jobs.py @@ -268,7 +268,7 @@ class Powder1DCW(JobBase_1D): def __init__( self, name: str, - datastore: xr.Dataset, + datastore: xr.Dataset = xr.Dataset(), phases=None, parameters=None, pattern=None, diff --git a/easyDiffractionLib/Profiles/common.py b/easyDiffractionLib/Profiles/common.py index 74293b56..585d6bc3 100644 --- a/easyDiffractionLib/Profiles/common.py +++ b/easyDiffractionLib/Profiles/common.py @@ -21,6 +21,7 @@ def __init__(self, dataset): class DataContainer(ComponentSerializer): + def __init__(self, sim_store: DataClassBaseType, exp_store: DataClassBaseType): self._simulations = sim_store self._experiments = exp_store @@ -35,9 +36,26 @@ class Simulation(simulation_class): def __init__(self): super(Simulation, self).__init__(dataset) + def as_dict(self, skip=None): + """ + :return: Json-able dictionary representation. + """ + d = {"@module": self.__class__.__module__, + "@class": self.__class__.__name__} + d["simulations"] = self._dataset.as_dict() + return d + class Experiment(experiment_class): def __init__(self, sim_prefix): super(Experiment, self).__init__(dataset, sim_prefix) + def as_dict(self, skip=None): + """ + :return: Json-able dictionary representation. + """ + d = {"@module": self.__class__.__module__, + "@class": self.__class__.__name__} + d["simulations"] = self._dataset.as_dict() + return d s = Simulation() e = Experiment(s._simulation_prefix) @@ -50,11 +68,23 @@ def add_coordinate(self, coordinate_name, coordinate_values): def add_variable(self, variable_name, variable_coordinates, values): self.store.easyCore.add_variable(variable_name, variable_coordinates, values) - # def as_dict(self, skip: list = []) -> dict: - # this_dict = super(DataContainer, self).as_dict(self) - # this_dict['items'] = [ - # item.as_dict() for item in self.items if hasattr(item, 'as_dict') - # ] + def as_dict(self, skip=None): + """ + :return: Json-able dictionary representation. + """ + d = {"@module": self.__class__.__module__, + "@class": self.__class__.__name__} + d["simulations"] = self._simulations.as_dict() + d["experiments"] = self._experiments.as_dict() + return d + + @classmethod + def from_dict(cls, d): + """ + :param d: Dict representation. + :return: Species. + """ + return cls(d["simulations"], d["experiments"]) class JobSetup: def __init__(self, datastore_classes, instrumental_parameter_class, pattern_class): @@ -184,15 +214,9 @@ def parameters(self, value): def pattern(self): return self._pattern - def as_dict(self, skip: list = None) -> dict: - d = super(_PowderBase, self).as_dict(skip=skip) - if '_phases' in d: - del d['_phases'] - if '_parameters' in d: - del d['_parameters'] - if '_pattern' in d: - del d['_pattern'] - return d + def as_dict(self, skip: list = []) -> dict: + this_dict = super(_PowderBase, self).as_dict(skip=skip) + return this_dict def _update_bases(self, new_base): base_class = getattr(self, "__old_class__", self.__class__) From 1e48fd789f39223fda744aeae03844076a9942e2 Mon Sep 17 00:00:00 2001 From: Piotr Rozyczko Date: Tue, 24 Jan 2023 10:57:25 +0100 Subject: [PATCH 15/52] set default linked experiment for serialized no-exp loaded cases --- easyDiffractionLib/elements/Backgrounds/Point.py | 2 ++ 1 file changed, 2 insertions(+) diff --git a/easyDiffractionLib/elements/Backgrounds/Point.py b/easyDiffractionLib/elements/Backgrounds/Point.py index 793d97b0..49745f57 100644 --- a/easyDiffractionLib/elements/Backgrounds/Point.py +++ b/easyDiffractionLib/elements/Backgrounds/Point.py @@ -100,6 +100,8 @@ def __init__(self, *args, linked_experiment: str = None, **kwargs): :type linked_experiment: str :param kwargs: Any additional kwargs """ + if linked_experiment is None: + linked_experiment = 'default' super(PointBackground, self).__init__('point_background', *args, linked_experiment=linked_experiment, **kwargs) def calculate(self, x_array: np.ndarray) -> np.ndarray: From 95b0b83bbd84470e5082fd9b7811284d157c05e6 Mon Sep 17 00:00:00 2001 From: Piotr Rozyczko Date: Fri, 27 Jan 2023 14:55:49 +0100 Subject: [PATCH 16/52] Invoke bindings change properly --- easyDiffractionLib/Jobs.py | 3 ++- easyDiffractionLib/calculators/CFML.py | 6 ++---- 2 files changed, 4 insertions(+), 5 deletions(-) diff --git a/easyDiffractionLib/Jobs.py b/easyDiffractionLib/Jobs.py index 882450e2..e6620af5 100644 --- a/easyDiffractionLib/Jobs.py +++ b/easyDiffractionLib/Jobs.py @@ -261,8 +261,9 @@ def from_cif_file(self, file_url, experiment_name=None): self.background_from_cif_block(block, experiment_name) def update_bindings(self): - self.interface.generate_bindings(self) self.generate_bindings() + #self.interface.generate_bindings(self) + class Powder1DCW(JobBase_1D): def __init__( diff --git a/easyDiffractionLib/calculators/CFML.py b/easyDiffractionLib/calculators/CFML.py index 5af50f05..e4b08a6f 100644 --- a/easyDiffractionLib/calculators/CFML.py +++ b/easyDiffractionLib/calculators/CFML.py @@ -62,10 +62,8 @@ def calculate(self, x_array: np.ndarray) -> np.ndarray: x_max = this_x_array[-1] num_points = np.prod(x_array.shape) x_step = (x_max - x_min) / (num_points - 1) - - if len(self.pattern.backgrounds) == 0: - bg = np.zeros_like(this_x_array) - else: + bg = np.zeros_like(this_x_array) + if self.pattern is not None and len(self.pattern.backgrounds) > 0: bg = self.pattern.backgrounds[0].calculate(this_x_array) dependents = [] From fdeabe84fefc31cc6bc7e210d31d7f5812760c6c Mon Sep 17 00:00:00 2001 From: Piotr Rozyczko Date: Fri, 10 Feb 2023 12:29:32 +0100 Subject: [PATCH 17/52] Added notebooks for profile calc and fitting --- examples/PDF/Calculate_PDF_Profile.ipynb | 137 +++++++++++++++++ examples/PDF/Fitting_PDF_Profile.ipynb | 182 +++++++++++++++++++++++ examples/PDF/Ni_fitting.py | 19 ++- 3 files changed, 332 insertions(+), 6 deletions(-) create mode 100644 examples/PDF/Calculate_PDF_Profile.ipynb create mode 100644 examples/PDF/Fitting_PDF_Profile.ipynb diff --git a/examples/PDF/Calculate_PDF_Profile.ipynb b/examples/PDF/Calculate_PDF_Profile.ipynb new file mode 100644 index 00000000..c4ab24bc --- /dev/null +++ b/examples/PDF/Calculate_PDF_Profile.ipynb @@ -0,0 +1,137 @@ +{ + "cells": [ + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [ + "import os\n", + "\n", + "from easyCore.Fitting.Fitting import Fitter\n", + "from easyDiffractionLib.sample import Sample\n", + "from easyDiffractionLib import Phases\n", + "from easyDiffractionLib.interface import InterfaceFactory as Calculator\n", + "from easyDiffractionLib.Profiles.P1D import Powder1DParameters, PDFParameters\n", + "from easyDiffractionLib.Interfaces.pdffit2 import readGRData" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [ + "calculator = Calculator()\n", + "calculator.switch(\"Pdffit2\")" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [ + "# data_fname = os.path.realpath('examples\\\\PDF\\\\Ni-xray.gr')\n", + "data_fname = os.path.realpath('Ni-xray.gr')\n", + "data = readGRData(data_fname)" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [ + "cif_fname = os.path.realpath('Ni.cif')\n", + "phases = Phases.from_cif_file(cif_fname)" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [ + "parameters = PDFParameters()\n", + "\n", + "# PDF parameters\n", + "parameters.qmax = 70\n", + "parameters.qdamp = 0.01\n", + "\n", + "pattern = Powder1DParameters()\n", + "\n", + "S = Sample(phases=phases, parameters=parameters, pattern=pattern)\n", + "S.interface = calculator" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [ + "x_data = data[:, 0]\n", + "\n", + "# profile calculation\n", + "y_data = calculator.fit_func(x_data)" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [ + "import pylab\n", + "# obtain data from PdfFit calculator object\n", + "r = x_data\n", + "Gobs = data[:, 1]\n", + "Gfit = y_data\n", + "\n", + "Gdiff = pylab.array(Gobs) - pylab.array(Gfit)\n", + "Gdiff_baseline = -10\n", + "\n", + "# pylab.plot(r, Gobs, 'ko')\n", + "pylab.plot(r, Gobs, '.')\n", + "pylab.plot(r, Gfit, 'b-')\n", + "pylab.plot(r, Gdiff + Gdiff_baseline, 'r-')\n", + "\n", + "pylab.xlabel(u'r (Å)')\n", + "pylab.ylabel(u'G (Å$^{-2}$)')\n", + "pylab.title('Fit of nickel to x-ray experimental PDF')\n", + "\n", + "# display plot window, this must be the last command in the script\n", + "pylab.show()" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [] + } + ], + "metadata": { + "kernelspec": { + "display_name": "easy_pdf", + "language": "python", + "name": "easy_pdf" + }, + "language_info": { + "codemirror_mode": { + "name": "ipython", + "version": 3 + }, + "file_extension": ".py", + "mimetype": "text/x-python", + "name": "python", + "nbconvert_exporter": "python", + "pygments_lexer": "ipython3", + "version": "3.8.15" + } + }, + "nbformat": 4, + "nbformat_minor": 2 +} diff --git a/examples/PDF/Fitting_PDF_Profile.ipynb b/examples/PDF/Fitting_PDF_Profile.ipynb new file mode 100644 index 00000000..d6ac5f1c --- /dev/null +++ b/examples/PDF/Fitting_PDF_Profile.ipynb @@ -0,0 +1,182 @@ +{ + "cells": [ + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [ + "import os\n", + "\n", + "from easyCore.Fitting.Fitting import Fitter\n", + "from easyDiffractionLib.sample import Sample\n", + "from easyDiffractionLib import Phases\n", + "from easyDiffractionLib.interface import InterfaceFactory as Calculator\n", + "from easyDiffractionLib.Profiles.P1D import Powder1DParameters, PDFParameters\n", + "from easyDiffractionLib.Interfaces.pdffit2 import readGRData" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [ + "calculator = Calculator()\n", + "calculator.switch(\"Pdffit2\")\n" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [ + "data_fname = os.path.realpath('Ni-xray.gr')\n", + "data = readGRData(data_fname)\n", + "cif_fname = os.path.realpath('Ni.cif')\n", + "phases = Phases.from_cif_file(cif_fname)" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [ + "parameters = PDFParameters()\n", + "\n", + "# PDF parameters\n", + "parameters.qmax = 70\n", + "parameters.qdamp = 0.01" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [ + "pattern = Powder1DParameters()" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [ + "S = Sample(phases=phases, parameters=parameters, pattern=pattern)\n", + "S.interface = calculator\n", + "\n", + "x_data = data[:, 0]\n", + "\n", + "# profile calculation\n", + "y_data = calculator.fit_func(x_data)" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [ + "# params to optimize\n", + "S.pattern.scale.fixed = False\n", + "S.pattern.zero_shift.fixed = False\n", + "#S.parameters.resolution_u.fixed = False\n", + "#S.parameters.resolution_v.fixed = False\n", + "#S.parameters.resolution_w.fixed = False\n", + "\n", + "fitter = Fitter(S, calculator.fit_func)" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [ + "result = fitter.fit(x_data, data[:, 1], \n", + " method='least_squares', minimizer_kwargs={'diff_step': 1e-5})" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [ + "print(\"The fit has been successful: {}\".format(result.success)) \n", + "print(\"The gooodness of fit (chi2) is: {}\".format(result.reduced_chi))\n", + "print(S.pattern.scale)\n", + "print(S.pattern.zero_shift)" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [ + "y_data = calculator.fit_func(x_data)" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [ + "import pylab\n", + "# obtain data from PdfFit calculator object\n", + "r = x_data\n", + "Gobs = data[:, 1]\n", + "Gfit = y_data\n", + "\n", + "Gdiff = pylab.array(Gobs) - pylab.array(Gfit)\n", + "Gdiff_baseline = -10\n", + "\n", + "# pylab.plot(r, Gobs, 'ko')\n", + "pylab.plot(r, Gobs, '.')\n", + "pylab.plot(r, Gfit, 'b-')\n", + "pylab.plot(r, Gdiff + Gdiff_baseline, 'r-')\n", + "\n", + "pylab.xlabel(u'r (Å)')\n", + "pylab.ylabel(u'G (Å$^{-2}$)')\n", + "pylab.title('Fit of nickel to x-ray experimental PDF')\n", + "\n", + "# display plot window, this must be the last command in the script\n", + "pylab.show()" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [] + } + ], + "metadata": { + "kernelspec": { + "display_name": "easy_pdf", + "language": "python", + "name": "easy_pdf" + }, + "language_info": { + "codemirror_mode": { + "name": "ipython", + "version": 3 + }, + "file_extension": ".py", + "mimetype": "text/x-python", + "name": "python", + "nbconvert_exporter": "python", + "pygments_lexer": "ipython3", + "version": "3.8.15" + } + }, + "nbformat": 4, + "nbformat_minor": 2 +} diff --git a/examples/PDF/Ni_fitting.py b/examples/PDF/Ni_fitting.py index b7fe55d7..67234930 100644 --- a/examples/PDF/Ni_fitting.py +++ b/examples/PDF/Ni_fitting.py @@ -39,11 +39,14 @@ # fitting # params to optimize +S.phases[0].cell.length_a.fixed = False +S.phases[0].scale.fixed = False S.pattern.scale.fixed = False -S.pattern.zero_shift.fixed = False -#S.parameters.resolution_u.fixed = False -#S.parameters.resolution_v.fixed = False -#S.parameters.resolution_w.fixed = False + +l_old = S.phases[0].cell.length_a.raw_value +s_old = S.phases[0].scale.raw_value +p_old = S.pattern.scale.raw_value + fitter = Fitter(S, calculator.fit_func) @@ -52,8 +55,12 @@ print("The fit has been successful: {}".format(result.success)) print("The gooodness of fit (chi2) is: {}".format(result.reduced_chi)) -print(S.pattern.scale) -print(S.pattern.zero_shift) + +print("The optimized parameters are:") +print("{} -> {}".format(l_old, S.phases[0].cell.length_a.raw_value)) +print("{} -> {}".format(s_old, S.phases[0].scale.raw_value)) +print("{} -> {}".format(p_old, S.pattern.scale.raw_value)) + y_data = calculator.fit_func(x_data) From d8595d67160b7efb24b67a718aca3154c547bd7a Mon Sep 17 00:00:00 2001 From: Piotr Rozyczko Date: Fri, 17 Feb 2023 22:36:30 +0100 Subject: [PATCH 18/52] Try getting pdffit2 from local pypi --- pyproject.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/pyproject.toml b/pyproject.toml index 7e7f6e36..8087585c 100644 --- a/pyproject.toml +++ b/pyproject.toml @@ -44,7 +44,7 @@ easyCrystallography = { git = 'https://github.com/easyScience/easyCrystallograph CFML = {version = '^0.0.1', optional=true} GSASII = {version = '^0.0.1', optional=true} -diffpy.pdffit2 = "^1.2.0" +diffpy.pdffit2 = "0.0.0" diffpy.utils = "^3.0.0" [tool.poetry.extras] From 3bbe9349ffff7baa4cee5e69c3c28955c95166f9 Mon Sep 17 00:00:00 2001 From: Piotr Rozyczko Date: Fri, 17 Feb 2023 22:42:52 +0100 Subject: [PATCH 19/52] attempt at fixing dependencies --- pyproject.toml | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/pyproject.toml b/pyproject.toml index 8087585c..255c284e 100644 --- a/pyproject.toml +++ b/pyproject.toml @@ -44,8 +44,8 @@ easyCrystallography = { git = 'https://github.com/easyScience/easyCrystallograph CFML = {version = '^0.0.1', optional=true} GSASII = {version = '^0.0.1', optional=true} -diffpy.pdffit2 = "0.0.0" -diffpy.utils = "^3.0.0" +"diffpy.pdffit2" = "0.0.0" +"diffpy.utils" = "^3.0.0" [tool.poetry.extras] additional = ["CFML", "GSASII"] From 9f04495e15cb29e1be809efc3b61830ef02345a5 Mon Sep 17 00:00:00 2001 From: Piotr Rozyczko Date: Mon, 20 Feb 2023 10:37:02 +0100 Subject: [PATCH 20/52] Updates from job_based branch. --- easyDiffractionLib/Interfaces/GSASII.py | 4 +- easyDiffractionLib/Interfaces/cryspyV2.py | 22 +++++++++- easyDiffractionLib/Jobs.py | 43 +++++++++++-------- easyDiffractionLib/Profiles/common.py | 5 +++ .../elements/Backgrounds/Background.py | 4 ++ pyproject.toml | 2 +- 6 files changed, 57 insertions(+), 23 deletions(-) diff --git a/easyDiffractionLib/Interfaces/GSASII.py b/easyDiffractionLib/Interfaces/GSASII.py index 6eaf88cc..d9c35163 100644 --- a/easyDiffractionLib/Interfaces/GSASII.py +++ b/easyDiffractionLib/Interfaces/GSASII.py @@ -110,8 +110,8 @@ def create(self, model): elif issubclass(t_, Phases): self._phase = model elif t_.__name__ in ['Powder1DCW', 'powder1DCW', 'Npowder1DCW', 'Npowder1DCWunp']: - # #TODO Check to see if parameters and pattern should be initialized here. - self.__createModel(model_key, 'powder1DCW') + #TODO Check to see if parameters and pattern should be initialized here. + self.__createModel(model) elif issubclass(t_, Sample): self.__createModel(model) else: diff --git a/easyDiffractionLib/Interfaces/cryspyV2.py b/easyDiffractionLib/Interfaces/cryspyV2.py index b1cb7c5e..844365f7 100644 --- a/easyDiffractionLib/Interfaces/cryspyV2.py +++ b/easyDiffractionLib/Interfaces/cryspyV2.py @@ -123,7 +123,7 @@ def create(self, model: B) -> List[ItemContainer]: # Interface with Spacegroup elif issubclass(t_, SpaceGroup): s_key = self.calculator.createSpaceGroup(key=model_key, name_hm_alt="P 1") - keys = {"_space_group_HM_name": "name_hm_alt"} + keys = {"hermann_mauguin": "name_hm_alt"} r_list.append( ItemContainer( s_key, @@ -598,6 +598,7 @@ def create(self, model: B) -> List[ItemContainer]: model_key = self._identify(model) base = "powder1DCWpol" if t_.__name__ == "Sample" or t_.__name__ in [ + "PolPowder1DCW", "Powder1DCWpol", "powder1DCWpol", "Npowder1DCWpol", @@ -739,3 +740,22 @@ def get_phase_components(self, phase_name: str) -> dict: if self._internal is not None: data = self._internal.get_phase_components(phase_name) return data + + def full_callback( + self, + x_array: np.ndarray, + pol_fn: Optional[Callable[[np.ndarray, np.ndarray], np.ndarray]] = None, + **kwargs, + ) -> np.ndarray: + """ + Calculate the polarization components. + :param x_array: points to be calculated at + :return: calculated points + """ + if pol_fn is None: + pol_fn = self.up_plus_down + result = None + if self.calculator is not None: + result = self.calculator.full_calculate(x_array, pol_fn=pol_fn, **kwargs) + return result + diff --git a/easyDiffractionLib/Jobs.py b/easyDiffractionLib/Jobs.py index e6620af5..0d98096b 100644 --- a/easyDiffractionLib/Jobs.py +++ b/easyDiffractionLib/Jobs.py @@ -5,16 +5,13 @@ from easyCore.Datasets.xarray import xr, np from easyDiffractionLib.Profiles.common import _PowderBase from easyDiffractionLib.elements.Backgrounds.Point import PointBackground, BackgroundPoint +from easyDiffractionLib.Profiles.P1D import ( + Instrument1DCWPolParameters, + Instrument1DTOFParameters, +) from easyDiffractionLib.interface import InterfaceFactory from easyCore.Fitting.Fitting import Fitter -try: - import hvplot.xarray # noqa - - USE_HVPLOT = True -except ImportError: - USE_HVPLOT = False - class JobBase_1D(_PowderBase): def __init__( @@ -40,7 +37,7 @@ def __init__( ) self._x_axis_name = "" self._y_axis_prefix = "Intensity_" - if phases is not None: + if phases is not None and self.phases != phases: self.phases = phases @property @@ -215,8 +212,8 @@ def data_from_cif_block(self, block, experiment_name): if not np.any(data_y[0]): data_y[0] = np.fromiter(block.find_loop("_pd_meas_intensity"), float) data_e[0] = np.fromiter(block.find_loop("_pd_meas_intensity_sigma"), float) - data_y[1] = np.zeros(len(data_y)) - data_e[1] = np.zeros(len(data_e)) + data_y[1] = np.zeros(len(data_y[0])) + data_e[1] = np.zeros(len(data_e[0])) coord_name = self.name + "_" + experiment_name + "_" + self._x_axis_name @@ -258,7 +255,8 @@ def from_cif_file(self, file_url, experiment_name=None): self.parameters_from_cif_block(block) self.phase_parameters_from_cif_block(block) self.data_from_cif_block(block, experiment_name) - self.background_from_cif_block(block, experiment_name) + # TODO: allow this to be optional for the Lib, since the App does it explicitly + # self.background_from_cif_block(block, experiment_name) def update_bindings(self): self.generate_bindings() @@ -287,7 +285,7 @@ class PolPowder1DCW(JobBase_1D): def __init__( self, name: str, - datastore: xr.Dataset, + datastore: xr.Dataset = xr.Dataset(), phases=None, parameters=None, pattern=None, @@ -295,6 +293,9 @@ def __init__( ): from easyDiffractionLib.Profiles.P1D import Polarized1DClasses + if parameters is None: + parameters = Instrument1DCWPolParameters() + super(PolPowder1DCW, self).__init__( name, Polarized1DClasses, datastore, phases, parameters, pattern, interface ) @@ -319,15 +320,19 @@ class Powder1DTOF(JobBase_1D): def __init__( self, name: str, - datastore: xr.Dataset, + datastore: xr.Dataset = xr.Dataset(), phases=None, parameters=None, pattern=None, + interface=None, ): from easyDiffractionLib.Profiles.P1D import Unpolarized1DTOFClasses + if parameters is None: + parameters = Instrument1DTOFParameters() + super(Powder1DTOF, self).__init__( - name, Unpolarized1DTOFClasses, datastore, phases, parameters, pattern + name, Unpolarized1DTOFClasses, datastore, phases, parameters, pattern, interface ) self._x_axis_name = "time" @@ -355,7 +360,7 @@ def get_job_type_from_file(file_url): raise ValueError("Could not determine job type from file.") return job_type -def get_job_from_file(file_url, exp_name="job", phases=None): +def get_job_from_file(file_url, exp_name="job", phases=None, interface=None): ''' Get the job from a CIF file. @@ -367,14 +372,14 @@ def get_job_from_file(file_url, exp_name="job", phases=None): # Check if powder1DCWpol value_cwpol = block.find_value("_diffrn_radiation_polarization") value_tof = block.find_value("_pd_meas_time_of_flight") - value_cw = block.find_value("_pd_meas_2theta") + value_cw = block.find_value("_setup_wavelength") if value_cwpol is not None: - job = PolPowder1DCW(exp_name, datastore, phases) + job = PolPowder1DCW(exp_name, datastore, phases, interface=interface) elif value_tof is not None: - job = Powder1DTOF(exp_name, datastore, phases) + job = Powder1DTOF(exp_name, datastore, phases, interface=interface) elif value_cw is not None: - job = Powder1DCW(exp_name, datastore, phases) + job = Powder1DCW(exp_name, datastore, phases, interface=interface) else: raise ValueError("Could not determine job type from file.") diff --git a/easyDiffractionLib/Profiles/common.py b/easyDiffractionLib/Profiles/common.py index 585d6bc3..a4d7c87d 100644 --- a/easyDiffractionLib/Profiles/common.py +++ b/easyDiffractionLib/Profiles/common.py @@ -63,9 +63,14 @@ def as_dict(self, skip=None): return cls(s, e) def add_coordinate(self, coordinate_name, coordinate_values): + if coordinate_name in self.store.easyCore._obj.coords and \ + self.store.easyCore._obj.coords[coordinate_name].size != len(coordinate_values): + self.store.easyCore.remove_coordinate(coordinate_name) self.store.easyCore.add_coordinate(coordinate_name, coordinate_values) def add_variable(self, variable_name, variable_coordinates, values): + if variable_name in self.store.easyCore.variables: + self.store.easyCore.remove_variable(variable_name) self.store.easyCore.add_variable(variable_name, variable_coordinates, values) def as_dict(self, skip=None): diff --git a/easyDiffractionLib/elements/Backgrounds/Background.py b/easyDiffractionLib/elements/Backgrounds/Background.py index d4f7800a..3eed9093 100644 --- a/easyDiffractionLib/elements/Backgrounds/Background.py +++ b/easyDiffractionLib/elements/Backgrounds/Background.py @@ -92,6 +92,10 @@ def __init__(self, *args, interface=None, **kwargs): """ Constructor, with a link to an interface. """ + # Remove the data key word argument if it is empty + # This can happen if the object is created from a json file with no background points + if 'data' in kwargs and not kwargs['data']: + kwargs.pop('data') super(BackgroundContainer, self).__init__('background', *args, **kwargs) self.interface = interface diff --git a/pyproject.toml b/pyproject.toml index 255c284e..7c057cbd 100644 --- a/pyproject.toml +++ b/pyproject.toml @@ -40,7 +40,7 @@ python = "^3.8, <3.11" cryspy = { git = 'https://github.com/ikibalin/cryspy.git', rev = 'bravis_type_fix' } # easyScience easyScienceCore = { git = 'https://github.com/easyScience/easyCore.git', rev = 'master' } -easyCrystallography = { git = 'https://github.com/easyScience/easyCrystallography.git', rev = 'master' } +easyCrystallography = { git = 'https://github.com/easyScience/easyCrystallography.git', rev = 'adp_msp_fix' } CFML = {version = '^0.0.1', optional=true} GSASII = {version = '^0.0.1', optional=true} From 43856968685a8389f4eca744c2534f7e436f9fb1 Mon Sep 17 00:00:00 2001 From: Piotr Rozyczko Date: Mon, 20 Feb 2023 10:40:50 +0100 Subject: [PATCH 21/52] make pdffit2 dependency optional, as gsas/cfml --- pyproject.toml | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/pyproject.toml b/pyproject.toml index 7c057cbd..8af7f794 100644 --- a/pyproject.toml +++ b/pyproject.toml @@ -44,8 +44,8 @@ easyCrystallography = { git = 'https://github.com/easyScience/easyCrystallograph CFML = {version = '^0.0.1', optional=true} GSASII = {version = '^0.0.1', optional=true} -"diffpy.pdffit2" = "0.0.0" -"diffpy.utils" = "^3.0.0" +"diffpy.pdffit2" = {version = "0.0.0", optional=true} +"diffpy.utils" = {version = "^3.0.0", optional=true} [tool.poetry.extras] additional = ["CFML", "GSASII"] From bf1a9d53888d0c87a0f111647bae873cbd82a2d6 Mon Sep 17 00:00:00 2001 From: Piotr Rozyczko Date: Tue, 21 Feb 2023 15:16:25 +0100 Subject: [PATCH 22/52] Updated/fixed pdf interface, now conforming to the job based runs. Updated python scripts --- easyDiffractionLib/Profiles/P1D.py | 39 +++- easyDiffractionLib/calculators/pdffit2.py | 8 +- examples/PDF/Ni.cif | 235 +--------------------- examples/PDF/Ni_fitting.py | 57 +++--- examples/PDF/Ni_profile.py | 37 ++-- 5 files changed, 92 insertions(+), 284 deletions(-) diff --git a/easyDiffractionLib/Profiles/P1D.py b/easyDiffractionLib/Profiles/P1D.py index b27058eb..6364726a 100644 --- a/easyDiffractionLib/Profiles/P1D.py +++ b/easyDiffractionLib/Profiles/P1D.py @@ -441,12 +441,14 @@ class Instrument1DCWPolParameters(Instrument1DCWParameters): ) class PDFParameters(Instrument1DCWParameters): -# class PDFParameters(BaseObj): - _name = "PDFProfile" + + qmax: ClassVar[Parameter] + qdamp: ClassVar[Parameter] + _defaults = { "qmax": { "name": "Q_max", - "units": "1/Angstrom", + "units": "1/angstrom", "value": 30.0, "fixed": True, }, @@ -457,23 +459,42 @@ class PDFParameters(Instrument1DCWParameters): "enabled": False, }, } - - qmax: ClassVar[Parameter] - qdamp: ClassVar[Parameter] + _defaults.update(Instrument1DCWParameters._defaults) def __init__( self, + wavelength: Optional[Union[Parameter, float]] = None, + resolution_u: Optional[Union[Parameter, float]] = None, + resolution_v: Optional[Union[Parameter, float]] = None, + resolution_w: Optional[Union[Parameter, float]] = None, + resolution_x: Optional[Union[Parameter, float]] = None, + resolution_y: Optional[Union[Parameter, float]] = None, + reflex_asymmetry_p1: Optional[Union[Parameter, float]] = None, + reflex_asymmetry_p2: Optional[Union[Parameter, float]] = None, + reflex_asymmetry_p3: Optional[Union[Parameter, float]] = None, + reflex_asymmetry_p4: Optional[Union[Parameter, float]] = None, qmax: Optional[Union[Parameter, float]] = None, qdamp: Optional[Union[Parameter, float]] = None, interface: Optional[iF] = None, **kwargs, ): - super(Instrument1DCWParameters, self).__init__(self.__class__.__name__) + super().__init__( + wavelength=wavelength, + resolution_u=resolution_u, + resolution_v=resolution_v, + resolution_w=resolution_w, + resolution_x=resolution_x, + resolution_y=resolution_y, + reflex_asymmetry_p1=reflex_asymmetry_p1, + reflex_asymmetry_p2=reflex_asymmetry_p2, + reflex_asymmetry_p3=reflex_asymmetry_p3, + reflex_asymmetry_p4=reflex_asymmetry_p4, + **kwargs, + ) if qmax is not None: self.qmax = qmax if qdamp is not None: self.qdamp = qdamp - self.name = self._name - self.interface = interface + self.interface = interface \ No newline at end of file diff --git a/easyDiffractionLib/calculators/pdffit2.py b/easyDiffractionLib/calculators/pdffit2.py index 9d71a165..f5d3e3aa 100644 --- a/easyDiffractionLib/calculators/pdffit2.py +++ b/easyDiffractionLib/calculators/pdffit2.py @@ -38,23 +38,21 @@ def calculate(self, x_array: np.ndarray) -> np.ndarray: P.add_structure(structure) # extract conditions from the model - qmax = self.model.qmax - qdamp = self.model.qdamp + qmax = self.model.qmax.raw_value + qdamp = self.model.qdamp.raw_value stype = self.type # Errors noise_array = np.zeros(len(x_array)) - print("QMAX: ", qmax) - print("QDAMP: ", qdamp) # P.read_data_string(x_array, stype, qmax, qdamp) # Assign the data to the pdf calculator P.read_data_lists(stype, qmax, qdamp, list(x_array), list(noise_array)) P.calc() - pdf = P.getpdf_fit() + pdf = np.array(P.getpdf_fit()) return pdf diff --git a/examples/PDF/Ni.cif b/examples/PDF/Ni.cif index b19af38d..f4e1de02 100644 --- a/examples/PDF/Ni.cif +++ b/examples/PDF/Ni.cif @@ -1,226 +1,12 @@ -#------------------------------------------------------------------------------ -#$Date: 2017-10-13 07:28:26 +0200 (vie 13 de oct de 2017) $ -#$Revision: 201972 $ -#$URL: svn://www.crystallography.net/cod/cif/2/10/22/2102245.cif $ -#------------------------------------------------------------------------------ -# -# This file is available in the Crystallography Open Database (COD), -# http://www.crystallography.net/. The original data for this entry -# were provided by IUCr Journals, http://journals.iucr.org/. -# -# The file may be used within the scientific community so long as -# proper attribution is given to the journal article from which the -# data were obtained. -# data_2102245 +_cell_length_a 3.562 +_cell_length_b 3.562 +_cell_length_c 3.562 +_cell_angle_alpha 90.00000000 +_cell_angle_beta 90.00000000 +_cell_angle_gamma 90.00000000 +_space_group_name_H-M_alt 'F m -3 m' -# _symmetry_space_group_name_Hall '-F 4 2 3' -# _symmetry_space_group_name_H-M 'F m -3 m' -_space_group_name_H-M_alt 'F m -3 m' - -_cell_angle_alpha 90.0 -_cell_angle_beta 90.0 -_cell_angle_gamma 90.0 -_cell_formula_units_Z 4 -_cell_length_a 3.5620(8) -_cell_length_b 3.562 -_cell_length_c 3.562 - -loop_ -_symmetry_equiv_pos_site_id -_symmetry_equiv_pos_as_xyz -1 +x,+y,+z -2 +z,+x,+y -3 +y,+z,+x -4 +x,+y,-z -5 -z,+x,+y -6 +y,-z,+x -7 -z,+x,-y -8 -y,-z,+x -9 +y,-z,-x -10 -x,+y,-z -11 -z,-x,+y -12 +x,-y,-z -13 +y,+x,+z -14 +z,+y,+x -15 +x,+z,+y -16 +y,+x,-z -17 -z,+y,+x -18 +x,-z,+y -19 -z,+y,-x -20 -x,-z,+y -21 +x,-z,-y -22 -y,+x,-z -23 -z,-y,+x -24 +y,-x,-z --1 -x,-y,-z --2 -z,-x,-y --3 -y,-z,-x --4 -x,-y,+z --5 +z,-x,-y --6 -y,+z,-x --7 +z,-x,+y --8 +y,+z,-x --9 -y,+z,+x --10 +x,-y,+z --11 +z,+x,-y --12 -x,+y,+z --13 -y,-x,-z --14 -z,-y,-x --15 -x,-z,-y --16 -y,-x,+z --17 +z,-y,-x --18 -x,+z,-y --19 +z,-y,+x --20 +x,+z,-y --21 -x,+z,+y --22 +y,-x,+z --23 +z,+y,-x --24 -y,+x,+z -101 +x,+y+1/2,+z+1/2 -102 +z,+x+1/2,+y+1/2 -103 +y,+z+1/2,+x+1/2 -104 +x,+y+1/2,-z+1/2 -105 -z,+x+1/2,+y+1/2 -106 +y,-z+1/2,+x+1/2 -107 -z,+x+1/2,-y+1/2 -108 -y,-z+1/2,+x+1/2 -109 +y,-z+1/2,-x+1/2 -110 -x,+y+1/2,-z+1/2 -111 -z,-x+1/2,+y+1/2 -112 +x,-y+1/2,-z+1/2 -113 +y,+x+1/2,+z+1/2 -114 +z,+y+1/2,+x+1/2 -115 +x,+z+1/2,+y+1/2 -116 +y,+x+1/2,-z+1/2 -117 -z,+y+1/2,+x+1/2 -118 +x,-z+1/2,+y+1/2 -119 -z,+y+1/2,-x+1/2 -120 -x,-z+1/2,+y+1/2 -121 +x,-z+1/2,-y+1/2 -122 -y,+x+1/2,-z+1/2 -123 -z,-y+1/2,+x+1/2 -124 +y,-x+1/2,-z+1/2 --101 -x,-y+1/2,-z+1/2 --102 -z,-x+1/2,-y+1/2 --103 -y,-z+1/2,-x+1/2 --104 -x,-y+1/2,+z+1/2 --105 +z,-x+1/2,-y+1/2 --106 -y,+z+1/2,-x+1/2 --107 +z,-x+1/2,+y+1/2 --108 +y,+z+1/2,-x+1/2 --109 -y,+z+1/2,+x+1/2 --110 +x,-y+1/2,+z+1/2 --111 +z,+x+1/2,-y+1/2 --112 -x,+y+1/2,+z+1/2 --113 -y,-x+1/2,-z+1/2 --114 -z,-y+1/2,-x+1/2 --115 -x,-z+1/2,-y+1/2 --116 -y,-x+1/2,+z+1/2 --117 +z,-y+1/2,-x+1/2 --118 -x,+z+1/2,-y+1/2 --119 +z,-y+1/2,+x+1/2 --120 +x,+z+1/2,-y+1/2 --121 -x,+z+1/2,+y+1/2 --122 +y,-x+1/2,+z+1/2 --123 +z,+y+1/2,-x+1/2 --124 -y,+x+1/2,+z+1/2 -201 +x+1/2,+y,+z+1/2 -202 +z+1/2,+x,+y+1/2 -203 +y+1/2,+z,+x+1/2 -204 +x+1/2,+y,-z+1/2 -205 -z+1/2,+x,+y+1/2 -206 +y+1/2,-z,+x+1/2 -207 -z+1/2,+x,-y+1/2 -208 -y+1/2,-z,+x+1/2 -209 +y+1/2,-z,-x+1/2 -210 -x+1/2,+y,-z+1/2 -211 -z+1/2,-x,+y+1/2 -212 +x+1/2,-y,-z+1/2 -213 +y+1/2,+x,+z+1/2 -214 +z+1/2,+y,+x+1/2 -215 +x+1/2,+z,+y+1/2 -216 +y+1/2,+x,-z+1/2 -217 -z+1/2,+y,+x+1/2 -218 +x+1/2,-z,+y+1/2 -219 -z+1/2,+y,-x+1/2 -220 -x+1/2,-z,+y+1/2 -221 +x+1/2,-z,-y+1/2 -222 -y+1/2,+x,-z+1/2 -223 -z+1/2,-y,+x+1/2 -224 +y+1/2,-x,-z+1/2 --201 -x+1/2,-y,-z+1/2 --202 -z+1/2,-x,-y+1/2 --203 -y+1/2,-z,-x+1/2 --204 -x+1/2,-y,+z+1/2 --205 +z+1/2,-x,-y+1/2 --206 -y+1/2,+z,-x+1/2 --207 +z+1/2,-x,+y+1/2 --208 +y+1/2,+z,-x+1/2 --209 -y+1/2,+z,+x+1/2 --210 +x+1/2,-y,+z+1/2 --211 +z+1/2,+x,-y+1/2 --212 -x+1/2,+y,+z+1/2 --213 -y+1/2,-x,-z+1/2 --214 -z+1/2,-y,-x+1/2 --215 -x+1/2,-z,-y+1/2 --216 -y+1/2,-x,+z+1/2 --217 +z+1/2,-y,-x+1/2 --218 -x+1/2,+z,-y+1/2 --219 +z+1/2,-y,+x+1/2 --220 +x+1/2,+z,-y+1/2 --221 -x+1/2,+z,+y+1/2 --222 +y+1/2,-x,+z+1/2 --223 +z+1/2,+y,-x+1/2 --224 -y+1/2,+x,+z+1/2 -301 +x+1/2,+y+1/2,+z -302 +z+1/2,+x+1/2,+y -303 +y+1/2,+z+1/2,+x -304 +x+1/2,+y+1/2,-z -305 -z+1/2,+x+1/2,+y -306 +y+1/2,-z+1/2,+x -307 -z+1/2,+x+1/2,-y -308 -y+1/2,-z+1/2,+x -309 +y+1/2,-z+1/2,-x -310 -x+1/2,+y+1/2,-z -311 -z+1/2,-x+1/2,+y -312 +x+1/2,-y+1/2,-z -313 +y+1/2,+x+1/2,+z -314 +z+1/2,+y+1/2,+x -315 +x+1/2,+z+1/2,+y -316 +y+1/2,+x+1/2,-z -317 -z+1/2,+y+1/2,+x -318 +x+1/2,-z+1/2,+y -319 -z+1/2,+y+1/2,-x -320 -x+1/2,-z+1/2,+y -321 +x+1/2,-z+1/2,-y -322 -y+1/2,+x+1/2,-z -323 -z+1/2,-y+1/2,+x -324 +y+1/2,-x+1/2,-z --301 -x+1/2,-y+1/2,-z --302 -z+1/2,-x+1/2,-y --303 -y+1/2,-z+1/2,-x --304 -x+1/2,-y+1/2,+z --305 +z+1/2,-x+1/2,-y --306 -y+1/2,+z+1/2,-x --307 +z+1/2,-x+1/2,+y --308 +y+1/2,+z+1/2,-x --309 -y+1/2,+z+1/2,+x --310 +x+1/2,-y+1/2,+z --311 +z+1/2,+x+1/2,-y --312 -x+1/2,+y+1/2,+z --313 -y+1/2,-x+1/2,-z --314 -z+1/2,-y+1/2,-x --315 -x+1/2,-z+1/2,-y --316 -y+1/2,-x+1/2,+z --317 +z+1/2,-y+1/2,-x --318 -x+1/2,+z+1/2,-y --319 +z+1/2,-y+1/2,+x --320 +x+1/2,+z+1/2,-y --321 -x+1/2,+z+1/2,+y --322 +y+1/2,-x+1/2,+z --323 +z+1/2,+y+1/2,-x --324 -y+1/2,+x+1/2,+z loop_ _atom_site_label @@ -228,9 +14,8 @@ _atom_site_type_symbol _atom_site_fract_x _atom_site_fract_y _atom_site_fract_z -_atom_site_U_iso_or_equiv -_atom_site_adp_type _atom_site_occupancy -Ni Ni 0.0 0.0 0.0 0.025 Uiso 1.0 - +_atom_site_adp_type +_atom_site_U_iso_or_equiv +Ni Ni 0.00000000 0.00000000 0.00000000 1.00000000 Uiso 0.025 diff --git a/examples/PDF/Ni_fitting.py b/examples/PDF/Ni_fitting.py index 67234930..7491c058 100644 --- a/examples/PDF/Ni_fitting.py +++ b/examples/PDF/Ni_fitting.py @@ -4,51 +4,53 @@ from easyCore.Fitting.Fitting import Fitter from easyDiffractionLib.sample import Sample from easyDiffractionLib import Phases +from easyDiffractionLib.Jobs import Powder1DCW from easyDiffractionLib.interface import InterfaceFactory as Calculator -from easyDiffractionLib.Profiles.P1D import Powder1DParameters, PDFParameters +from easyDiffractionLib.Profiles.P1D import PDFParameters from easyDiffractionLib.Interfaces.pdffit2 import readGRData -calculator = Calculator() -calculator.switch("Pdffit2") - -# data_fname = os.path.realpath('examples\\PDF\\Ni-xray.gr') +# data_fname = "D:\\projects\\easyScience\\easyDiffractionLib\\examples\\PDF\\Ni-xray.gr" data_fname = os.path.realpath('Ni-xray.gr') data = readGRData(data_fname) -# cif_fname = os.path.realpath('examples\\PDF\\Ni.cif') -cif_fname = os.path.realpath('Ni.cif') -phases = Phases.from_cif_file(cif_fname) +# phase_cif_name = "D:\\projects\\easyScience\\easyDiffractionLib\\examples\\PDF\\Ni.cif" +phase_cif_name = "Ni.cif" +phases = Phases.from_cif_file(phase_cif_name) parameters = PDFParameters() -# PDF parameters +calculator = Calculator() +calculator.switch("Pdffit2") + +job = Powder1DCW('Ni', parameters=parameters, phases=phases, interface=calculator) + +fitter = Fitter(job, calculator.fit_func) + +parameters = job.parameters parameters.qmax = 70 parameters.qdamp = 0.01 +parameters.wavelength = 1.9122 -pattern = Powder1DParameters() - -S = Sample(phases=phases, parameters=parameters, pattern=pattern) -S.interface = calculator +pattern = job.pattern +pattern.zero_shift = 0.16 +pattern.scale = 1.4473 x_data = data[:, 0] -# profile calculation -y_data = calculator.fit_func(x_data) - +y_data = job.create_simulation(x_data) # fitting # params to optimize -S.phases[0].cell.length_a.fixed = False -S.phases[0].scale.fixed = False -S.pattern.scale.fixed = False - -l_old = S.phases[0].cell.length_a.raw_value -s_old = S.phases[0].scale.raw_value -p_old = S.pattern.scale.raw_value +parameters.qdamp.fixed = False +job.phases[0].cell.length_a.fixed = False +job.phases[0].scale.fixed = False -fitter = Fitter(S, calculator.fit_func) +l_old = job.phases[0].cell.length_a.raw_value +s_old = job.phases[0].scale.raw_value +q_old = parameters.qdamp.raw_value +fit_parameters = job.get_fit_parameters() result = fitter.fit(x_data, data[:, 1], method='least_squares', minimizer_kwargs={'diff_step': 1e-5}) @@ -57,10 +59,9 @@ print("The gooodness of fit (chi2) is: {}".format(result.reduced_chi)) print("The optimized parameters are:") -print("{} -> {}".format(l_old, S.phases[0].cell.length_a.raw_value)) -print("{} -> {}".format(s_old, S.phases[0].scale.raw_value)) -print("{} -> {}".format(p_old, S.pattern.scale.raw_value)) - +print("{} -> {}".format(l_old, job.phases[0].cell.length_a.raw_value)) +print("{} -> {}".format(s_old, job.phases[0].scale.raw_value)) +print("{} -> {}".format(q_old, parameters.qdamp.raw_value)) y_data = calculator.fit_func(x_data) diff --git a/examples/PDF/Ni_profile.py b/examples/PDF/Ni_profile.py index 3eb255cd..54fa9553 100644 --- a/examples/PDF/Ni_profile.py +++ b/examples/PDF/Ni_profile.py @@ -5,37 +5,40 @@ from easyDiffractionLib.sample import Sample from easyDiffractionLib import Phases from easyDiffractionLib.interface import InterfaceFactory as Calculator -from easyDiffractionLib.Profiles.P1D import Powder1DParameters, PDFParameters +from easyDiffractionLib.Profiles.P1D import PDFParameters +from easyDiffractionLib.Jobs import Powder1DCW from easyDiffractionLib.Interfaces.pdffit2 import readGRData -calculator = Calculator() -calculator.switch("Pdffit2") - -# data_fname = os.path.realpath('examples\\PDF\\Ni-xray.gr') -data_fname = os.path.realpath('Ni-xray.gr') +data_fname = "D:\\projects\\easyScience\\easyDiffractionLib\\examples\\PDF\\Ni-xray.gr" +# data_fname = os.path.realpath('Ni-xray.gr') data = readGRData(data_fname) -# cif_fname = os.path.realpath('examples\\PDF\\Ni.cif') -cif_fname = os.path.realpath('Ni.cif') -phases = Phases.from_cif_file(cif_fname) +phase_cif_name = "D:\\projects\\easyScience\\easyDiffractionLib\\examples\\PDF\\Ni.cif" +# phase_cif_name = "Ni.cif" +phases = Phases.from_cif_file(phase_cif_name) parameters = PDFParameters() -# PDF parameters +calculator = Calculator() +calculator.switch("Pdffit2") + +job = Powder1DCW('Ni', parameters=parameters, phases=phases, interface=calculator) + +fitter = Fitter(job, calculator.fit_func) + +parameters = job.parameters parameters.qmax = 70 parameters.qdamp = 0.01 +parameters.wavelength = 1.9122 -pattern = Powder1DParameters() - -S = Sample(phases=phases, parameters=parameters, pattern=pattern) -S.interface = calculator +pattern = job.pattern +pattern.zero_shift = 0.16 +pattern.scale = 1.4473 x_data = data[:, 0] -# profile calculation -y_data = calculator.fit_func(x_data) - +y_data = job.create_simulation(x_data) # plotting import pylab From 6634a0173338dba45c56530dcecd32323ef4c646 Mon Sep 17 00:00:00 2001 From: Piotr Rozyczko Date: Tue, 21 Feb 2023 15:42:40 +0100 Subject: [PATCH 23/52] Silence the diffpy backend STDOUT --- easyDiffractionLib/calculators/pdffit2.py | 5 +++++ 1 file changed, 5 insertions(+) diff --git a/easyDiffractionLib/calculators/pdffit2.py b/easyDiffractionLib/calculators/pdffit2.py index f5d3e3aa..d9dac4bd 100644 --- a/easyDiffractionLib/calculators/pdffit2.py +++ b/easyDiffractionLib/calculators/pdffit2.py @@ -1,7 +1,12 @@ +import os from easyCore import np + from diffpy.pdffit2 import PdfFit as pdf_calc from diffpy.structure.parsers.p_cif import P_cif as cif_parser +from diffpy.pdffit2 import redirect_stdout +# silence the C++ engine output +redirect_stdout(open(os.path.devnull, 'w')) class Pdffit2: From 6fc883b2a1c01299f2ce6a497b514c83e0656697 Mon Sep 17 00:00:00 2001 From: Piotr Rozyczko Date: Tue, 21 Feb 2023 15:50:19 +0100 Subject: [PATCH 24/52] branch update --- pyproject.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/pyproject.toml b/pyproject.toml index 8af7f794..c3b64dbb 100644 --- a/pyproject.toml +++ b/pyproject.toml @@ -40,7 +40,7 @@ python = "^3.8, <3.11" cryspy = { git = 'https://github.com/ikibalin/cryspy.git', rev = 'bravis_type_fix' } # easyScience easyScienceCore = { git = 'https://github.com/easyScience/easyCore.git', rev = 'master' } -easyCrystallography = { git = 'https://github.com/easyScience/easyCrystallography.git', rev = 'adp_msp_fix' } +easyCrystallography = { git = 'https://github.com/easyScience/easyCrystallography.git', rev = 'develop' } CFML = {version = '^0.0.1', optional=true} GSASII = {version = '^0.0.1', optional=true} From 970221b83395dbc7734b80b2991f21bee73911e1 Mon Sep 17 00:00:00 2001 From: Piotr Rozyczko Date: Thu, 23 Feb 2023 13:58:55 +0100 Subject: [PATCH 25/52] Updated notebooks --- examples/PDF/Calculate_PDF_Profile.ipynb | 41 +++++++++++------- examples/PDF/Fitting_PDF_Profile.ipynb | 54 +++++++++++++++--------- examples/PDF/Ni_fitting.py | 6 ++- examples/PDF/Ni_profile.py | 9 ++-- 4 files changed, 68 insertions(+), 42 deletions(-) diff --git a/examples/PDF/Calculate_PDF_Profile.ipynb b/examples/PDF/Calculate_PDF_Profile.ipynb index c4ab24bc..88006fe6 100644 --- a/examples/PDF/Calculate_PDF_Profile.ipynb +++ b/examples/PDF/Calculate_PDF_Profile.ipynb @@ -9,10 +9,10 @@ "import os\n", "\n", "from easyCore.Fitting.Fitting import Fitter\n", - "from easyDiffractionLib.sample import Sample\n", "from easyDiffractionLib import Phases\n", "from easyDiffractionLib.interface import InterfaceFactory as Calculator\n", - "from easyDiffractionLib.Profiles.P1D import Powder1DParameters, PDFParameters\n", + "from easyDiffractionLib.Profiles.P1D import PDFParameters\n", + "from easyDiffractionLib.Jobs import Powder1DCW\n", "from easyDiffractionLib.Interfaces.pdffit2 import readGRData" ] }, @@ -22,8 +22,9 @@ "metadata": {}, "outputs": [], "source": [ - "calculator = Calculator()\n", - "calculator.switch(\"Pdffit2\")" + "# data_fname = os.path.realpath('examples\\\\PDF\\\\Ni-xray.gr')\n", + "data_fname = os.path.realpath('Ni-xray.gr')\n", + "data = readGRData(data_fname)" ] }, { @@ -32,9 +33,8 @@ "metadata": {}, "outputs": [], "source": [ - "# data_fname = os.path.realpath('examples\\\\PDF\\\\Ni-xray.gr')\n", - "data_fname = os.path.realpath('Ni-xray.gr')\n", - "data = readGRData(data_fname)" + "cif_fname = os.path.realpath('Ni.cif')\n", + "phases = Phases.from_cif_file(cif_fname)" ] }, { @@ -43,8 +43,8 @@ "metadata": {}, "outputs": [], "source": [ - "cif_fname = os.path.realpath('Ni.cif')\n", - "phases = Phases.from_cif_file(cif_fname)" + "calculator = Calculator()\n", + "calculator.switch(\"Pdffit2\")" ] }, { @@ -54,15 +54,25 @@ "outputs": [], "source": [ "parameters = PDFParameters()\n", + "job = Powder1DCW('Ni', parameters=parameters, phases=phases, interface=calculator)\n", "\n", - "# PDF parameters\n", + "fitter = Fitter(job, calculator.fit_func)" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [ + "parameters = job.parameters\n", "parameters.qmax = 70\n", "parameters.qdamp = 0.01\n", + "parameters.wavelength = 1.9122\n", "\n", - "pattern = Powder1DParameters()\n", - "\n", - "S = Sample(phases=phases, parameters=parameters, pattern=pattern)\n", - "S.interface = calculator" + "pattern = job.pattern\n", + "pattern.zero_shift = 0.16\n", + "pattern.scale = 1.4473" ] }, { @@ -73,8 +83,7 @@ "source": [ "x_data = data[:, 0]\n", "\n", - "# profile calculation\n", - "y_data = calculator.fit_func(x_data)" + "y_data = job.create_simulation(x_data)" ] }, { diff --git a/examples/PDF/Fitting_PDF_Profile.ipynb b/examples/PDF/Fitting_PDF_Profile.ipynb index d6ac5f1c..4e0ab069 100644 --- a/examples/PDF/Fitting_PDF_Profile.ipynb +++ b/examples/PDF/Fitting_PDF_Profile.ipynb @@ -9,10 +9,10 @@ "import os\n", "\n", "from easyCore.Fitting.Fitting import Fitter\n", - "from easyDiffractionLib.sample import Sample\n", "from easyDiffractionLib import Phases\n", + "from easyDiffractionLib.Jobs import Powder1DCW\n", "from easyDiffractionLib.interface import InterfaceFactory as Calculator\n", - "from easyDiffractionLib.Profiles.P1D import Powder1DParameters, PDFParameters\n", + "from easyDiffractionLib.Profiles.P1D import PDFParameters\n", "from easyDiffractionLib.Interfaces.pdffit2 import readGRData" ] }, @@ -44,11 +44,7 @@ "metadata": {}, "outputs": [], "source": [ - "parameters = PDFParameters()\n", - "\n", - "# PDF parameters\n", - "parameters.qmax = 70\n", - "parameters.qdamp = 0.01" + "parameters = PDFParameters()" ] }, { @@ -57,7 +53,9 @@ "metadata": {}, "outputs": [], "source": [ - "pattern = Powder1DParameters()" + "job = Powder1DCW('Ni', parameters=parameters, phases=phases, interface=calculator)\n", + "\n", + "fitter = Fitter(job, calculator.fit_func)" ] }, { @@ -66,13 +64,26 @@ "metadata": {}, "outputs": [], "source": [ - "S = Sample(phases=phases, parameters=parameters, pattern=pattern)\n", - "S.interface = calculator\n", + "parameters = job.parameters\n", + "parameters.qmax = 70\n", + "parameters.qdamp = 0.01\n", + "parameters.wavelength = 1.9122\n", "\n", + "pattern = job.pattern\n", + "pattern.zero_shift = 0.16\n", + "pattern.scale = 1.4473" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [ "x_data = data[:, 0]\n", "\n", "# profile calculation\n", - "y_data = calculator.fit_func(x_data)" + "y_data = job.create_simulation(x_data)" ] }, { @@ -82,13 +93,15 @@ "outputs": [], "source": [ "# params to optimize\n", - "S.pattern.scale.fixed = False\n", - "S.pattern.zero_shift.fixed = False\n", - "#S.parameters.resolution_u.fixed = False\n", - "#S.parameters.resolution_v.fixed = False\n", - "#S.parameters.resolution_w.fixed = False\n", + "parameters.qdamp.fixed = False\n", + "job.phases[0].cell.length_a.fixed = False\n", + "job.phases[0].scale.fixed = False\n", + "job.phases[0].atoms[0].adp.Uiso.fixed = False\n", "\n", - "fitter = Fitter(S, calculator.fit_func)" + "l_old = job.phases[0].cell.length_a.raw_value\n", + "s_old = job.phases[0].scale.raw_value\n", + "q_old = parameters.qdamp.raw_value\n", + "u_iso = job.phases[0].atoms[0].adp.Uiso.raw_value\n" ] }, { @@ -109,8 +122,11 @@ "source": [ "print(\"The fit has been successful: {}\".format(result.success)) \n", "print(\"The gooodness of fit (chi2) is: {}\".format(result.reduced_chi))\n", - "print(S.pattern.scale)\n", - "print(S.pattern.zero_shift)" + "print(\"The optimized parameters are:\")\n", + "print(\"{} -> {}\".format(l_old, job.phases[0].cell.length_a.raw_value))\n", + "print(\"{} -> {}\".format(s_old, job.phases[0].scale.raw_value))\n", + "print(\"{} -> {}\".format(q_old, parameters.qdamp.raw_value))\n", + "print(\"{} -> {}\".format(u_iso, job.phases[0].atoms[0].adp.Uiso.raw_value))" ] }, { diff --git a/examples/PDF/Ni_fitting.py b/examples/PDF/Ni_fitting.py index 7491c058..c439a203 100644 --- a/examples/PDF/Ni_fitting.py +++ b/examples/PDF/Ni_fitting.py @@ -2,7 +2,6 @@ import os from easyCore.Fitting.Fitting import Fitter -from easyDiffractionLib.sample import Sample from easyDiffractionLib import Phases from easyDiffractionLib.Jobs import Powder1DCW from easyDiffractionLib.interface import InterfaceFactory as Calculator @@ -45,11 +44,13 @@ parameters.qdamp.fixed = False job.phases[0].cell.length_a.fixed = False job.phases[0].scale.fixed = False - +job.phases[0].atoms[0].adp.Uiso.fixed = False l_old = job.phases[0].cell.length_a.raw_value s_old = job.phases[0].scale.raw_value q_old = parameters.qdamp.raw_value +u_iso = job.phases[0].atoms[0].adp.Uiso.raw_value + fit_parameters = job.get_fit_parameters() result = fitter.fit(x_data, data[:, 1], @@ -62,6 +63,7 @@ print("{} -> {}".format(l_old, job.phases[0].cell.length_a.raw_value)) print("{} -> {}".format(s_old, job.phases[0].scale.raw_value)) print("{} -> {}".format(q_old, parameters.qdamp.raw_value)) +print("{} -> {}".format(u_iso, job.phases[0].atoms[0].adp.Uiso.raw_value)) y_data = calculator.fit_func(x_data) diff --git a/examples/PDF/Ni_profile.py b/examples/PDF/Ni_profile.py index 54fa9553..4a777779 100644 --- a/examples/PDF/Ni_profile.py +++ b/examples/PDF/Ni_profile.py @@ -2,7 +2,6 @@ import os from easyCore.Fitting.Fitting import Fitter -from easyDiffractionLib.sample import Sample from easyDiffractionLib import Phases from easyDiffractionLib.interface import InterfaceFactory as Calculator from easyDiffractionLib.Profiles.P1D import PDFParameters @@ -10,12 +9,12 @@ from easyDiffractionLib.Interfaces.pdffit2 import readGRData -data_fname = "D:\\projects\\easyScience\\easyDiffractionLib\\examples\\PDF\\Ni-xray.gr" -# data_fname = os.path.realpath('Ni-xray.gr') +# data_fname = "D:\\projects\\easyScience\\easyDiffractionLib\\examples\\PDF\\Ni-xray.gr" +data_fname = os.path.realpath('Ni-xray.gr') data = readGRData(data_fname) -phase_cif_name = "D:\\projects\\easyScience\\easyDiffractionLib\\examples\\PDF\\Ni.cif" -# phase_cif_name = "Ni.cif" +# phase_cif_name = "D:\\projects\\easyScience\\easyDiffractionLib\\examples\\PDF\\Ni.cif" +phase_cif_name = "Ni.cif" phases = Phases.from_cif_file(phase_cif_name) parameters = PDFParameters() From da1dfc38e33f85ec9a4a54193ffa3c9d91523115 Mon Sep 17 00:00:00 2001 From: Piotr Rozyczko Date: Fri, 24 Feb 2023 09:18:57 +0100 Subject: [PATCH 26/52] dep update --- pyproject.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/pyproject.toml b/pyproject.toml index c3b64dbb..831dc1f2 100644 --- a/pyproject.toml +++ b/pyproject.toml @@ -54,7 +54,7 @@ additional = ["CFML", "GSASII"] pytest = "^7.1" toml = "^0.10" requests = '^2.24' -py3Dmol = "^1.7.0" +py3Dmol = "^2.0.1" bokeh = "^3.0.3" [tool.poetry.scripts] From 3bec9baa78eb5ee3d0cd039394d8d641b3ab5e96 Mon Sep 17 00:00:00 2001 From: Piotr Rozyczko Date: Sun, 26 Feb 2023 21:24:14 +0100 Subject: [PATCH 27/52] added delta1, delta2 parameters apply scale properly apply Uiso values properly modify initial parameters for fitting example so it converges nicely --- easyDiffractionLib/Interfaces/pdffit2.py | 15 +++------ easyDiffractionLib/Profiles/P1D.py | 17 ++++++++++ easyDiffractionLib/calculators/pdffit2.py | 18 ++++++++++ examples/PDF/Ni_fitting.py | 40 ++++++++++++++--------- examples/PDF/Ni_profile.py | 20 ++++++++---- 5 files changed, 77 insertions(+), 33 deletions(-) diff --git a/easyDiffractionLib/Interfaces/pdffit2.py b/easyDiffractionLib/Interfaces/pdffit2.py index 4f4a3213..ca7f5f65 100644 --- a/easyDiffractionLib/Interfaces/pdffit2.py +++ b/easyDiffractionLib/Interfaces/pdffit2.py @@ -11,9 +11,6 @@ from easyDiffractionLib.calculators.pdffit2 import Pdffit2 as Pdffit2_calc from easyDiffractionLib import Lattice, SpaceGroup, Site, Phases, Phase from easyDiffractionLib.Profiles.P1D import ( - Instrument1DCWParameters, - Instrument1DTOFParameters, - Instrument1DCWPolParameters, Powder1DParameters, PDFParameters, ) @@ -36,11 +33,6 @@ class Pdffit2(InterfaceTemplate): "Npdf1DCWpol": True, } - # _instrument_link = { - # "qmax": "qmax", - # "qdamp": "qdamp", - # } - _crystal_link = { "length_a": "length_a", "length_b": "length_b", @@ -117,9 +109,6 @@ def create(self, model) -> List[ItemContainer]: t_ = type(model) model_key = self.__identify(model) - # if issubclass(t_, PDFParameters): - # self.calculator.conditionsSet(model) - if issubclass(t_, PDFParameters): self.calculator.conditionsSet(model) keys = self._instrument_link.copy() @@ -145,10 +134,14 @@ def create(self, model) -> List[ItemContainer]: elif issubclass(t_, Phases): self._phase = model + self.calculator.phases = model elif issubclass(t_, Sample): self.updateCif() + elif issubclass(t_, Powder1DParameters): + self.calculator.pattern = model + return r_list def fit_func(self, x_array: np.ndarray) -> np.ndarray: diff --git a/easyDiffractionLib/Profiles/P1D.py b/easyDiffractionLib/Profiles/P1D.py index 6364726a..e4fe384b 100644 --- a/easyDiffractionLib/Profiles/P1D.py +++ b/easyDiffractionLib/Profiles/P1D.py @@ -458,6 +458,17 @@ class PDFParameters(Instrument1DCWParameters): "fixed": True, "enabled": False, }, + + "delta1": { + "name": "delta1", + "value": 0.0, + "fixed": True, + }, + "delta2": { + "name": "delta2", + "value": 0.0, + "fixed": True, + }, } _defaults.update(Instrument1DCWParameters._defaults) @@ -475,6 +486,8 @@ def __init__( reflex_asymmetry_p4: Optional[Union[Parameter, float]] = None, qmax: Optional[Union[Parameter, float]] = None, qdamp: Optional[Union[Parameter, float]] = None, + delta1: Optional[Union[Parameter, float]] = None, + delta2: Optional[Union[Parameter, float]] = None, interface: Optional[iF] = None, **kwargs, ): @@ -496,5 +509,9 @@ def __init__( self.qmax = qmax if qdamp is not None: self.qdamp = qdamp + if delta1 is not None: + self.delta1 = delta1 + if delta2 is not None: + self.delta2 = delta2 self.interface = interface \ No newline at end of file diff --git a/easyDiffractionLib/calculators/pdffit2.py b/easyDiffractionLib/calculators/pdffit2.py index d9dac4bd..9a9234b0 100644 --- a/easyDiffractionLib/calculators/pdffit2.py +++ b/easyDiffractionLib/calculators/pdffit2.py @@ -15,8 +15,11 @@ def __init__(self): self.conditions = { "qmax": 30.0, "qdamp": 0.01, + "delta1": 0.0, + "delta2": 0.0, } self.background = None + self.phases = None self.storage = {} self.current_crystal = {} self.model = None @@ -45,9 +48,24 @@ def calculate(self, x_array: np.ndarray) -> np.ndarray: # extract conditions from the model qmax = self.model.qmax.raw_value qdamp = self.model.qdamp.raw_value + delta1 = self.model.delta1.raw_value + delta2 = self.model.delta2.raw_value stype = self.type + # scale + scale = self.phases[0].scale.raw_value + P.setvar("pscale", scale) + P.setvar("delta1", delta1) + P.setvar("delta2", delta2) + + # set the Uiso (current limitation to isotropic ADP) + for i_atom, atom in enumerate(self.phases[0].atoms): + Uiso = atom.adp.Uiso.raw_value + for i in range(1,4): + u_str = "u{}{}({})".format(i, i, i_atom+1) + P.setvar(u_str, Uiso) + # Errors noise_array = np.zeros(len(x_array)) diff --git a/examples/PDF/Ni_fitting.py b/examples/PDF/Ni_fitting.py index c439a203..914fdf52 100644 --- a/examples/PDF/Ni_fitting.py +++ b/examples/PDF/Ni_fitting.py @@ -27,29 +27,37 @@ fitter = Fitter(job, calculator.fit_func) parameters = job.parameters -parameters.qmax = 70 -parameters.qdamp = 0.01 +# initial values to not be too far from optimized ones +parameters.qmax = 30 +parameters.qdamp = 0.063043 parameters.wavelength = 1.9122 +parameters.delta2 = 2.253193 +parameters.delta1 = 0.0 pattern = job.pattern -pattern.zero_shift = 0.16 -pattern.scale = 1.4473 +# pattern.zero_shift = 0.16 +pattern.zero_shift = 0.0 +job.phases[0].atoms[0].adp.Uiso = 0.005445 +job.phases[0].scale = 0.366013 x_data = data[:, 0] -y_data = job.create_simulation(x_data) - -# fitting -# params to optimize -parameters.qdamp.fixed = False +# define params to optimize +pattern.zero_shift.fixed = False job.phases[0].cell.length_a.fixed = False job.phases[0].scale.fixed = False job.phases[0].atoms[0].adp.Uiso.fixed = False +parameters.qdamp.fixed = True +parameters.delta1.fixed = True +parameters.delta2.fixed = True + l_old = job.phases[0].cell.length_a.raw_value s_old = job.phases[0].scale.raw_value q_old = parameters.qdamp.raw_value u_iso = job.phases[0].atoms[0].adp.Uiso.raw_value +d1_old = parameters.delta1.raw_value +d2_old = parameters.delta2.raw_value fit_parameters = job.get_fit_parameters() @@ -60,10 +68,12 @@ print("The gooodness of fit (chi2) is: {}".format(result.reduced_chi)) print("The optimized parameters are:") -print("{} -> {}".format(l_old, job.phases[0].cell.length_a.raw_value)) -print("{} -> {}".format(s_old, job.phases[0].scale.raw_value)) -print("{} -> {}".format(q_old, parameters.qdamp.raw_value)) -print("{} -> {}".format(u_iso, job.phases[0].atoms[0].adp.Uiso.raw_value)) +print("Length_a: {} -> {}".format(l_old, job.phases[0].cell.length_a.raw_value)) +print("scale: {} -> {}".format(s_old, job.phases[0].scale.raw_value)) +print("qdamp: {} -> {}".format(q_old, parameters.qdamp.raw_value)) +print("Uiso: {} -> {}".format(u_iso, job.phases[0].atoms[0].adp.Uiso.raw_value)) +print("delta1: {} -> {}".format(d1_old, parameters.delta1.raw_value)) +print("delta2: {} -> {}".format(d2_old, parameters.delta2.raw_value)) y_data = calculator.fit_func(x_data) @@ -77,8 +87,8 @@ Gdiff = pylab.array(Gobs) - pylab.array(Gfit) Gdiff_baseline = -10 -# pylab.plot(r, Gobs, 'ko') -pylab.plot(r, Gobs, '.') +# pylab.plot(r, Gobs, '.') +pylab.plot(r, Gobs, 'r-') pylab.plot(r, Gfit, 'b-') pylab.plot(r, Gdiff + Gdiff_baseline, 'r-') diff --git a/examples/PDF/Ni_profile.py b/examples/PDF/Ni_profile.py index 4a777779..ad2984f5 100644 --- a/examples/PDF/Ni_profile.py +++ b/examples/PDF/Ni_profile.py @@ -9,12 +9,12 @@ from easyDiffractionLib.Interfaces.pdffit2 import readGRData -# data_fname = "D:\\projects\\easyScience\\easyDiffractionLib\\examples\\PDF\\Ni-xray.gr" -data_fname = os.path.realpath('Ni-xray.gr') +data_fname = "Ni-xray.gr" +# data_fname = os.path.realpath('examples\\PDF\\Ni-xray.gr') data = readGRData(data_fname) -# phase_cif_name = "D:\\projects\\easyScience\\easyDiffractionLib\\examples\\PDF\\Ni.cif" phase_cif_name = "Ni.cif" +# phase_cif_name = "examples\\PDF\\Ni.cif" phases = Phases.from_cif_file(phase_cif_name) parameters = PDFParameters() @@ -27,13 +27,19 @@ fitter = Fitter(job, calculator.fit_func) parameters = job.parameters -parameters.qmax = 70 -parameters.qdamp = 0.01 +parameters.qmax = 30 +parameters.qdamp = 0.063043 parameters.wavelength = 1.9122 +parameters.delta2 = 2.253193 +parameters.delta1 = 0.0 pattern = job.pattern -pattern.zero_shift = 0.16 -pattern.scale = 1.4473 +# pattern.zero_shift = 0.16 + +phase = job.phases[0] +# phase.scale = 5.0 +job.phases[0].atoms[0].adp.Uiso = 0.005445 +job.phases[0].scale = 0.366013 x_data = data[:, 0] From c9b346e9b29cc81375ef61af7eb68f87bc7ec171 Mon Sep 17 00:00:00 2001 From: Piotr Rozyczko Date: Mon, 27 Feb 2023 14:41:54 +0100 Subject: [PATCH 28/52] Prettified the notebook and the script --- easyDiffractionLib/Profiles/P1D.py | 1 - examples/PDF/Fitting_PDF_Profile.ipynb | 41 ++++++++++++++++---------- examples/PDF/Ni_fitting.py | 30 +++++-------------- 3 files changed, 34 insertions(+), 38 deletions(-) diff --git a/easyDiffractionLib/Profiles/P1D.py b/easyDiffractionLib/Profiles/P1D.py index e4fe384b..fd2c71ec 100644 --- a/easyDiffractionLib/Profiles/P1D.py +++ b/easyDiffractionLib/Profiles/P1D.py @@ -456,7 +456,6 @@ class PDFParameters(Instrument1DCWParameters): "name": "Q_damp", "value": 0.01, "fixed": True, - "enabled": False, }, "delta1": { diff --git a/examples/PDF/Fitting_PDF_Profile.ipynb b/examples/PDF/Fitting_PDF_Profile.ipynb index 4e0ab069..e03341a4 100644 --- a/examples/PDF/Fitting_PDF_Profile.ipynb +++ b/examples/PDF/Fitting_PDF_Profile.ipynb @@ -16,6 +16,20 @@ "from easyDiffractionLib.Interfaces.pdffit2 import readGRData" ] }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [ + "# plotting\n", + "from bokeh.io import show, output_notebook\n", + "from bokeh.plotting import figure\n", + "output_notebook()\n", + "FIGURE_WIDTH = 900\n", + "FIGURE_HEIGHT = 300" + ] + }, { "cell_type": "code", "execution_count": null, @@ -65,13 +79,16 @@ "outputs": [], "source": [ "parameters = job.parameters\n", - "parameters.qmax = 70\n", - "parameters.qdamp = 0.01\n", + "parameters.qmax = 30\n", + "parameters.qdamp = 0.063043\n", "parameters.wavelength = 1.9122\n", + "parameters.delta2 = 2.253193\n", + "parameters.delta1 = 0.0\n", "\n", "pattern = job.pattern\n", - "pattern.zero_shift = 0.16\n", - "pattern.scale = 1.4473" + "job.phases[0].atoms[0].adp.Uiso = 0.005445\n", + "job.phases[0].scale = 0.366013\n", + "job.phases[0].cell.length_a = 3.52" ] }, { @@ -93,15 +110,11 @@ "outputs": [], "source": [ "# params to optimize\n", - "parameters.qdamp.fixed = False\n", "job.phases[0].cell.length_a.fixed = False\n", "job.phases[0].scale.fixed = False\n", - "job.phases[0].atoms[0].adp.Uiso.fixed = False\n", - "\n", - "l_old = job.phases[0].cell.length_a.raw_value\n", - "s_old = job.phases[0].scale.raw_value\n", - "q_old = parameters.qdamp.raw_value\n", - "u_iso = job.phases[0].atoms[0].adp.Uiso.raw_value\n" + "parameters.qdamp.fixed = False\n", + "parameters.delta1.fixed = False\n", + "parameters.delta2.fixed = False" ] }, { @@ -123,10 +136,8 @@ "print(\"The fit has been successful: {}\".format(result.success)) \n", "print(\"The gooodness of fit (chi2) is: {}\".format(result.reduced_chi))\n", "print(\"The optimized parameters are:\")\n", - "print(\"{} -> {}\".format(l_old, job.phases[0].cell.length_a.raw_value))\n", - "print(\"{} -> {}\".format(s_old, job.phases[0].scale.raw_value))\n", - "print(\"{} -> {}\".format(q_old, parameters.qdamp.raw_value))\n", - "print(\"{} -> {}\".format(u_iso, job.phases[0].atoms[0].adp.Uiso.raw_value))" + "for param in job.get_fit_parameters():\n", + " print(\"{}: {}\".format(param.name, param.raw_value))" ] }, { diff --git a/examples/PDF/Ni_fitting.py b/examples/PDF/Ni_fitting.py index 914fdf52..96cc99ac 100644 --- a/examples/PDF/Ni_fitting.py +++ b/examples/PDF/Ni_fitting.py @@ -35,29 +35,20 @@ parameters.delta1 = 0.0 pattern = job.pattern -# pattern.zero_shift = 0.16 -pattern.zero_shift = 0.0 job.phases[0].atoms[0].adp.Uiso = 0.005445 job.phases[0].scale = 0.366013 +job.phases[0].cell.length_a = 3.52 x_data = data[:, 0] # define params to optimize -pattern.zero_shift.fixed = False job.phases[0].cell.length_a.fixed = False job.phases[0].scale.fixed = False -job.phases[0].atoms[0].adp.Uiso.fixed = False +job.phases[0].atoms[0].adp.Uiso.fixed = True -parameters.qdamp.fixed = True -parameters.delta1.fixed = True -parameters.delta2.fixed = True - -l_old = job.phases[0].cell.length_a.raw_value -s_old = job.phases[0].scale.raw_value -q_old = parameters.qdamp.raw_value -u_iso = job.phases[0].atoms[0].adp.Uiso.raw_value -d1_old = parameters.delta1.raw_value -d2_old = parameters.delta2.raw_value +parameters.qdamp.fixed = False +parameters.delta1.fixed = False +parameters.delta2.fixed = False fit_parameters = job.get_fit_parameters() @@ -68,13 +59,8 @@ print("The gooodness of fit (chi2) is: {}".format(result.reduced_chi)) print("The optimized parameters are:") -print("Length_a: {} -> {}".format(l_old, job.phases[0].cell.length_a.raw_value)) -print("scale: {} -> {}".format(s_old, job.phases[0].scale.raw_value)) -print("qdamp: {} -> {}".format(q_old, parameters.qdamp.raw_value)) -print("Uiso: {} -> {}".format(u_iso, job.phases[0].atoms[0].adp.Uiso.raw_value)) -print("delta1: {} -> {}".format(d1_old, parameters.delta1.raw_value)) -print("delta2: {} -> {}".format(d2_old, parameters.delta2.raw_value)) - +for param in fit_parameters: + print("{}: {}".format(param.name, param.raw_value)) y_data = calculator.fit_func(x_data) @@ -90,7 +76,7 @@ # pylab.plot(r, Gobs, '.') pylab.plot(r, Gobs, 'r-') pylab.plot(r, Gfit, 'b-') -pylab.plot(r, Gdiff + Gdiff_baseline, 'r-') +pylab.plot(r, Gdiff + Gdiff_baseline, 'y-') pylab.xlabel(u'r (Å)') pylab.ylabel(u'G (Å$^{-2}$)') From 7d93858df2d733c1f71159b4cbb1d7f340f6d263 Mon Sep 17 00:00:00 2001 From: Piotr Rozyczko Date: Mon, 27 Feb 2023 14:55:05 +0100 Subject: [PATCH 29/52] Rename CrysPyV2 -> CrysPy Remove GSASII dependency. It will be made delayed import later --- easyDiffractionLib/Interfaces/__init__.py | 10 +++++----- easyDiffractionLib/Interfaces/cryspyV2.py | 2 +- tests/test4.py | 2 +- tests/test5.py | 2 +- 4 files changed, 8 insertions(+), 8 deletions(-) diff --git a/easyDiffractionLib/Interfaces/__init__.py b/easyDiffractionLib/Interfaces/__init__.py index e92700d2..465a0b2b 100644 --- a/easyDiffractionLib/Interfaces/__init__.py +++ b/easyDiffractionLib/Interfaces/__init__.py @@ -25,11 +25,11 @@ # TODO make this a proper message (use logging?) print('Warning: CrysFML is not installed') -try: - from easyDiffractionLib.Interfaces.GSASII import GSASII # noqa: F401 -except ImportError: - # TODO make this a proper message (use logging?) - print('Warning: GSAS-2 is not installed') +# try: +# from easyDiffractionLib.Interfaces.GSASII import GSASII # noqa: F401 +# except ImportError: +# # TODO make this a proper message (use logging?) +# print('Warning: GSAS-2 is not installed') try: from easyDiffractionLib.Interfaces.pdffit2 import Pdffit2 # noqa: F401 diff --git a/easyDiffractionLib/Interfaces/cryspyV2.py b/easyDiffractionLib/Interfaces/cryspyV2.py index 844365f7..202d9161 100644 --- a/easyDiffractionLib/Interfaces/cryspyV2.py +++ b/easyDiffractionLib/Interfaces/cryspyV2.py @@ -645,7 +645,7 @@ def create(self, model: B) -> List[ItemContainer]: ## This is the main class which is called, implementing one of the above classes. ## class CryspyV2(InterfaceTemplate): - name = "CrysPyV2" + name = "CrysPy" feature_available = { "Npowder1DCWunp": True, diff --git a/tests/test4.py b/tests/test4.py index 41ad9ee4..04e82bc0 100644 --- a/tests/test4.py +++ b/tests/test4.py @@ -11,7 +11,7 @@ calculator = Calculator() -calculator.switch("CrysPyV2") +calculator.switch("CrysPy") atom = Site( label="Cl1", diff --git a/tests/test5.py b/tests/test5.py index b50d16d1..06142268 100644 --- a/tests/test5.py +++ b/tests/test5.py @@ -12,7 +12,7 @@ calculator = Calculator() -calculator.switch("CrysPyV2") +calculator.switch("CrysPy") def pol_sum(a, b): # Which component needs bringing back from cryspy? From 5dbd4dcf3b9d31194c40a0ce3b1047fa45be344d Mon Sep 17 00:00:00 2001 From: Simon Ward <2798086+wardsimon@users.noreply.github.com> Date: Wed, 1 Mar 2023 10:34:19 +0100 Subject: [PATCH 30/52] Update pyproject.toml --- pyproject.toml | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/pyproject.toml b/pyproject.toml index 831dc1f2..ab9e0916 100644 --- a/pyproject.toml +++ b/pyproject.toml @@ -39,8 +39,8 @@ default = false python = "^3.8, <3.11" cryspy = { git = 'https://github.com/ikibalin/cryspy.git', rev = 'bravis_type_fix' } # easyScience -easyScienceCore = { git = 'https://github.com/easyScience/easyCore.git', rev = 'master' } -easyCrystallography = { git = 'https://github.com/easyScience/easyCrystallography.git', rev = 'develop' } +easyScienceCore = "^0.3.0" +easyCrystallography = "^0.3.0" CFML = {version = '^0.0.1', optional=true} GSASII = {version = '^0.0.1', optional=true} From 51071b9b1586cb8b75c354a59c89f6a0f8822baa Mon Sep 17 00:00:00 2001 From: Piotr Rozyczko Date: Thu, 2 Mar 2023 18:52:23 +0100 Subject: [PATCH 31/52] phase without exp - sim range param update causes errors CFML output parsing fails on certain systems --- easyDiffractionLib/Profiles/common.py | 5 ++--- easyDiffractionLib/calculators/CFML.py | 18 +++++++++++++----- 2 files changed, 15 insertions(+), 8 deletions(-) diff --git a/easyDiffractionLib/Profiles/common.py b/easyDiffractionLib/Profiles/common.py index a4d7c87d..0cb74146 100644 --- a/easyDiffractionLib/Profiles/common.py +++ b/easyDiffractionLib/Profiles/common.py @@ -63,9 +63,8 @@ def as_dict(self, skip=None): return cls(s, e) def add_coordinate(self, coordinate_name, coordinate_values): - if coordinate_name in self.store.easyCore._obj.coords and \ - self.store.easyCore._obj.coords[coordinate_name].size != len(coordinate_values): - self.store.easyCore.remove_coordinate(coordinate_name) + if coordinate_name in self.store.easyCore._obj.coords: + self.store.easyCore._obj = self.store.easyCore._obj.drop_dims(coordinate_name) self.store.easyCore.add_coordinate(coordinate_name, coordinate_values) def add_variable(self, variable_name, variable_coordinates, values): diff --git a/easyDiffractionLib/calculators/CFML.py b/easyDiffractionLib/calculators/CFML.py index e4b08a6f..b5a01cd8 100644 --- a/easyDiffractionLib/calculators/CFML.py +++ b/easyDiffractionLib/calculators/CFML.py @@ -181,16 +181,24 @@ def nonPolarized_update( for i in range(reflection_list.nref) ] ) - - output = { - crystal_name: { - "hkl": { + if hkltth: + hkl_dict = { "ttheta": np.rad2deg(np.arcsin(hkltth[:, 3] * job_info.lambdas[0])) * 2, "h": hkltth[:, 0], "k": hkltth[:, 1], "l": hkltth[:, 2], - }, + } + else: + hkl_dict = { + "ttheta": np.array([]), + "h": np.array([]), + "k": np.array([]), + "l": np.array([]), + } + output = { + crystal_name: { + "hkl": hkl_dict, "profile": scales * dependent, "components": {"total": dependent}, "profile_scale": scales, From 93ce43a087719cc49fd229ed50807a66c21601f7 Mon Sep 17 00:00:00 2001 From: Piotr Rozyczko Date: Tue, 7 Mar 2023 14:15:26 +0100 Subject: [PATCH 32/52] debug weird update issue --- pyproject.toml | 6 ++++-- 1 file changed, 4 insertions(+), 2 deletions(-) diff --git a/pyproject.toml b/pyproject.toml index ab9e0916..5c282825 100644 --- a/pyproject.toml +++ b/pyproject.toml @@ -39,8 +39,10 @@ default = false python = "^3.8, <3.11" cryspy = { git = 'https://github.com/ikibalin/cryspy.git', rev = 'bravis_type_fix' } # easyScience -easyScienceCore = "^0.3.0" -easyCrystallography = "^0.3.0" +# easyScienceCore = "^0.3.0" +# easyCrystallography = "^0.3.0" +easyScienceCore = { git = 'https://github.com/easyScience/easyCore.git', rev = 'master' } +easyCrystallography = { git = 'https://github.com/easyScience/easyCrystallography.git', rev = 'master' } CFML = {version = '^0.0.1', optional=true} GSASII = {version = '^0.0.1', optional=true} From 445dc05bd0a672f9ccd9ffbd775781c377d76e24 Mon Sep 17 00:00:00 2001 From: Piotr Rozyczko Date: Wed, 8 Mar 2023 12:43:37 +0100 Subject: [PATCH 33/52] Workaround for resized coords --- easyDiffractionLib/Jobs.py | 12 ++++++++++++ 1 file changed, 12 insertions(+) diff --git a/easyDiffractionLib/Jobs.py b/easyDiffractionLib/Jobs.py index 0d98096b..f84f7cf3 100644 --- a/easyDiffractionLib/Jobs.py +++ b/easyDiffractionLib/Jobs.py @@ -37,6 +37,7 @@ def __init__( ) self._x_axis_name = "" self._y_axis_prefix = "Intensity_" + self.job_number = 0 if phases is not None and self.phases != phases: self.phases = phases @@ -56,6 +57,17 @@ def create_simulation(self, tth, simulation_name=None, **kwargs): + "_" + self._x_axis_name ) + if coord_name in self.datastore.store and \ + len(self.datastore.store[coord_name]) != len(tth): + self.datastore.store.easyCore.remove_coordinate(coord_name) + self.job_number += 1 + coord_name = ( + self.datastore._simulations._simulation_prefix + + self.name + + str(self.job_number) + + "_" + + self._x_axis_name + ) self.datastore.add_coordinate(coord_name, tth) self.datastore.store[coord_name].name = self._x_axis_name else: From fd617fdee49141f76564c9d3a93e6f9a2a63ee9f Mon Sep 17 00:00:00 2001 From: Piotr Rozyczko Date: Thu, 9 Mar 2023 10:20:55 +0100 Subject: [PATCH 34/52] Add pdffit dependency so pip install doesn't complain --- pyproject.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/pyproject.toml b/pyproject.toml index 5c282825..0070fcdb 100644 --- a/pyproject.toml +++ b/pyproject.toml @@ -50,7 +50,7 @@ GSASII = {version = '^0.0.1', optional=true} "diffpy.utils" = {version = "^3.0.0", optional=true} [tool.poetry.extras] -additional = ["CFML", "GSASII"] +additional = ["CFML", "GSASII", "diffpy.pdffit2"] [tool.poetry.dev-dependencies] pytest = "^7.1" From a76bf85601a9816df940cac6a0445272dba208e7 Mon Sep 17 00:00:00 2001 From: Piotr Rozyczko Date: Thu, 9 Mar 2023 13:17:54 +0100 Subject: [PATCH 35/52] update requirements.txt --- requirements.txt | 1 + 1 file changed, 1 insertion(+) diff --git a/requirements.txt b/requirements.txt index 7bfaa77b..e4f50b3b 100644 --- a/requirements.txt +++ b/requirements.txt @@ -4,3 +4,4 @@ easysciencecore==0.2.3 easycrystallography==0.1.2 cfml==0.0.1 gsasii==0.0.1 +pdffit2==0.0.0 From afc8e6fd97290f46250e2c486deb13dda46ec2ea Mon Sep 17 00:00:00 2001 From: Piotr Rozyczko Date: Mon, 13 Mar 2023 10:12:45 +0100 Subject: [PATCH 36/52] Minor updates. Moved xarray checks to app. bumped release number added contributor --- easyDiffractionLib/Profiles/common.py | 2 -- pyproject.toml | 4 ++-- 2 files changed, 2 insertions(+), 4 deletions(-) diff --git a/easyDiffractionLib/Profiles/common.py b/easyDiffractionLib/Profiles/common.py index 0cb74146..42197a0b 100644 --- a/easyDiffractionLib/Profiles/common.py +++ b/easyDiffractionLib/Profiles/common.py @@ -63,8 +63,6 @@ def as_dict(self, skip=None): return cls(s, e) def add_coordinate(self, coordinate_name, coordinate_values): - if coordinate_name in self.store.easyCore._obj.coords: - self.store.easyCore._obj = self.store.easyCore._obj.drop_dims(coordinate_name) self.store.easyCore.add_coordinate(coordinate_name, coordinate_values) def add_variable(self, variable_name, variable_coordinates, values): diff --git a/pyproject.toml b/pyproject.toml index 0070fcdb..50789723 100644 --- a/pyproject.toml +++ b/pyproject.toml @@ -13,10 +13,10 @@ repo = 'easyDiffractionLib' [tool.poetry] name = "easyDiffraction" -version = "0.0.7" +version = "0.0.8" description = 'Making diffraction data analysis and modelling easy.' license = "BSD-3-Clause" -authors = ["Simon Ward", "Andrew Sazonov"] +authors = ["Simon Ward", "Andrew Sazonov", "Piotr Rozyczko"] readme = "README.md" homepage = "https://github.com/easyScience/easyDiffractionLib" documentation = "https://github.com/easyScience/easyDiffractionLib" From 48a5d7ab2d2fbf57044941131deaf00aed93fcdc Mon Sep 17 00:00:00 2001 From: Piotr Rozyczko Date: Mon, 13 Mar 2023 11:40:56 +0100 Subject: [PATCH 37/52] Make sure interface bindings are properly set on job instantiation --- easyDiffractionLib/Jobs.py | 2 ++ 1 file changed, 2 insertions(+) diff --git a/easyDiffractionLib/Jobs.py b/easyDiffractionLib/Jobs.py index f84f7cf3..a8c858de 100644 --- a/easyDiffractionLib/Jobs.py +++ b/easyDiffractionLib/Jobs.py @@ -40,6 +40,8 @@ def __init__( self.job_number = 0 if phases is not None and self.phases != phases: self.phases = phases + # The following assignment is necessary for proper binding + self.interface = interface @property def simulation_data(self): From 9788ecb1baa224728c2058183dbc01332699c546 Mon Sep 17 00:00:00 2001 From: Piotr Rozyczko Date: Tue, 14 Mar 2023 15:25:18 +0100 Subject: [PATCH 38/52] pdf changes after Celine's comments --- easyDiffractionLib/Profiles/P1D.py | 9 +++++- easyDiffractionLib/calculators/pdffit2.py | 4 +++ examples/PDF/Calculate_PDF_Profile.ipynb | 32 ++++++++++++--------- examples/PDF/Fitting_PDF_Profile.ipynb | 35 ++++++++++++----------- examples/PDF/Ni_fitting.py | 31 +++++++++++--------- examples/PDF/Ni_profile.py | 27 ++++++++--------- 6 files changed, 82 insertions(+), 56 deletions(-) diff --git a/easyDiffractionLib/Profiles/P1D.py b/easyDiffractionLib/Profiles/P1D.py index fd2c71ec..910791e6 100644 --- a/easyDiffractionLib/Profiles/P1D.py +++ b/easyDiffractionLib/Profiles/P1D.py @@ -457,7 +457,11 @@ class PDFParameters(Instrument1DCWParameters): "value": 0.01, "fixed": True, }, - + "qbroad": { + "name": "qbroad", + "value": 0.0, + "fixed": True, + }, "delta1": { "name": "delta1", "value": 0.0, @@ -487,6 +491,7 @@ def __init__( qdamp: Optional[Union[Parameter, float]] = None, delta1: Optional[Union[Parameter, float]] = None, delta2: Optional[Union[Parameter, float]] = None, + qbroad: Optional[Union[Parameter, float]] = None, interface: Optional[iF] = None, **kwargs, ): @@ -512,5 +517,7 @@ def __init__( self.delta1 = delta1 if delta2 is not None: self.delta2 = delta2 + if qbroad is not None: + self.qbroad = qbroad self.interface = interface \ No newline at end of file diff --git a/easyDiffractionLib/calculators/pdffit2.py b/easyDiffractionLib/calculators/pdffit2.py index 9a9234b0..5634ec55 100644 --- a/easyDiffractionLib/calculators/pdffit2.py +++ b/easyDiffractionLib/calculators/pdffit2.py @@ -17,6 +17,7 @@ def __init__(self): "qdamp": 0.01, "delta1": 0.0, "delta2": 0.0, + "qbroad": 0.0, } self.background = None self.phases = None @@ -50,6 +51,7 @@ def calculate(self, x_array: np.ndarray) -> np.ndarray: qdamp = self.model.qdamp.raw_value delta1 = self.model.delta1.raw_value delta2 = self.model.delta2.raw_value + qbroad = self.model.qbroad.raw_value stype = self.type @@ -72,6 +74,8 @@ def calculate(self, x_array: np.ndarray) -> np.ndarray: # P.read_data_string(x_array, stype, qmax, qdamp) # Assign the data to the pdf calculator P.read_data_lists(stype, qmax, qdamp, list(x_array), list(noise_array)) + # qbroad must be set after read_data_string + P.setvar("qbroad", qbroad) P.calc() diff --git a/examples/PDF/Calculate_PDF_Profile.ipynb b/examples/PDF/Calculate_PDF_Profile.ipynb index 88006fe6..80cc3520 100644 --- a/examples/PDF/Calculate_PDF_Profile.ipynb +++ b/examples/PDF/Calculate_PDF_Profile.ipynb @@ -68,6 +68,7 @@ "parameters = job.parameters\n", "parameters.qmax = 70\n", "parameters.qdamp = 0.01\n", + "parameters.qbroad = 0.0\n", "parameters.wavelength = 1.9122\n", "\n", "pattern = job.pattern\n", @@ -92,26 +93,31 @@ "metadata": {}, "outputs": [], "source": [ - "import pylab\n", - "# obtain data from PdfFit calculator object\n", - "r = x_data\n", + "# plotting\n", + "# plotting\n", + "from bokeh.io import show, output_notebook\n", + "from bokeh.plotting import figure\n", + "output_notebook()\n", + "FIGURE_WIDTH = 900\n", + "FIGURE_HEIGHT = 300\n", + "\n", "Gobs = data[:, 1]\n", "Gfit = y_data\n", "\n", - "Gdiff = pylab.array(Gobs) - pylab.array(Gfit)\n", + "Gdiff = Gobs - Gfit\n", "Gdiff_baseline = -10\n", "\n", - "# pylab.plot(r, Gobs, 'ko')\n", - "pylab.plot(r, Gobs, '.')\n", - "pylab.plot(r, Gfit, 'b-')\n", - "pylab.plot(r, Gdiff + Gdiff_baseline, 'r-')\n", + "Gdiff_show = Gdiff/5.0 + Gdiff_baseline\n", "\n", - "pylab.xlabel(u'r (Å)')\n", - "pylab.ylabel(u'G (Å$^{-2}$)')\n", - "pylab.title('Fit of nickel to x-ray experimental PDF')\n", + "fig = figure()\n", + "fig.xaxis.axis_label = 'r (Å)'\n", + "fig.yaxis.axis_label = r\"$$G (Å^{-2})\\$$\"\n", + "fig.title.text = 'Fit of nickel to x-ray experimental PDF'\n", "\n", - "# display plot window, this must be the last command in the script\n", - "pylab.show()" + "fig.line(x_data, Gobs, legend_label='G(r) Data', color='steelblue', line_width=2)\n", + "fig.line(x_data, Gfit, legend_label='G(r) Fit', color='orangered', line_width=2)\n", + "fig.line(x_data, Gdiff_show, legend_label='G(r) Diff', color='grey', line_width=2)\n", + "show(fig)" ] }, { diff --git a/examples/PDF/Fitting_PDF_Profile.ipynb b/examples/PDF/Fitting_PDF_Profile.ipynb index e03341a4..2fd78f76 100644 --- a/examples/PDF/Fitting_PDF_Profile.ipynb +++ b/examples/PDF/Fitting_PDF_Profile.ipynb @@ -84,6 +84,10 @@ "parameters.wavelength = 1.9122\n", "parameters.delta2 = 2.253193\n", "parameters.delta1 = 0.0\n", + "parameters.qbroad = 0.1\n", + "# let's limit the range of qbroad\n", + "parameters.qbroad.min = 0.0\n", + "parameters.qbroad.max = 0.5\n", "\n", "pattern = job.pattern\n", "job.phases[0].atoms[0].adp.Uiso = 0.005445\n", @@ -113,6 +117,7 @@ "job.phases[0].cell.length_a.fixed = False\n", "job.phases[0].scale.fixed = False\n", "parameters.qdamp.fixed = False\n", + "parameters.qbroad.fixed = False\n", "parameters.delta1.fixed = False\n", "parameters.delta2.fixed = False" ] @@ -155,26 +160,14 @@ "metadata": {}, "outputs": [], "source": [ - "import pylab\n", + "\n", "# obtain data from PdfFit calculator object\n", - "r = x_data\n", "Gobs = data[:, 1]\n", "Gfit = y_data\n", - "\n", - "Gdiff = pylab.array(Gobs) - pylab.array(Gfit)\n", + "Gdiff = Gobs - Gfit\n", "Gdiff_baseline = -10\n", "\n", - "# pylab.plot(r, Gobs, 'ko')\n", - "pylab.plot(r, Gobs, '.')\n", - "pylab.plot(r, Gfit, 'b-')\n", - "pylab.plot(r, Gdiff + Gdiff_baseline, 'r-')\n", - "\n", - "pylab.xlabel(u'r (Å)')\n", - "pylab.ylabel(u'G (Å$^{-2}$)')\n", - "pylab.title('Fit of nickel to x-ray experimental PDF')\n", - "\n", - "# display plot window, this must be the last command in the script\n", - "pylab.show()" + "Gdiff_show = Gdiff/5.0 + Gdiff_baseline" ] }, { @@ -182,7 +175,17 @@ "execution_count": null, "metadata": {}, "outputs": [], - "source": [] + "source": [ + "fig = figure()\n", + "fig.xaxis.axis_label = 'r (Å)'\n", + "fig.yaxis.axis_label = r\"$$G (Å^{-2})\\$$\"\n", + "fig.title.text = 'Fit of nickel to x-ray experimental PDF'\n", + "\n", + "fig.line(x_data, Gobs, legend_label='G(r) Data', color='steelblue', line_width=2)\n", + "fig.line(x_data, Gfit, legend_label='G(r) Fit', color='orangered', line_width=2)\n", + "fig.line(x_data, Gdiff_show, legend_label='G(r) Diff', color='grey', line_width=2)\n", + "show(fig)\n" + ] } ], "metadata": { diff --git a/examples/PDF/Ni_fitting.py b/examples/PDF/Ni_fitting.py index 96cc99ac..ea9b9b83 100644 --- a/examples/PDF/Ni_fitting.py +++ b/examples/PDF/Ni_fitting.py @@ -30,6 +30,10 @@ # initial values to not be too far from optimized ones parameters.qmax = 30 parameters.qdamp = 0.063043 +parameters.qbroad = 0.1 +# let's limit the range of qbroad +parameters.qbroad.min = 0.0 +parameters.qbroad.max = 0.5 parameters.wavelength = 1.9122 parameters.delta2 = 2.253193 parameters.delta1 = 0.0 @@ -49,6 +53,7 @@ parameters.qdamp.fixed = False parameters.delta1.fixed = False parameters.delta2.fixed = False +parameters.qbroad.fixed = False fit_parameters = job.get_fit_parameters() @@ -64,23 +69,23 @@ y_data = calculator.fit_func(x_data) -import pylab # obtain data from PdfFit calculator object -r = x_data Gobs = data[:, 1] Gfit = y_data - -Gdiff = pylab.array(Gobs) - pylab.array(Gfit) +Gdiff = Gobs - Gfit Gdiff_baseline = -10 -# pylab.plot(r, Gobs, '.') -pylab.plot(r, Gobs, 'r-') -pylab.plot(r, Gfit, 'b-') -pylab.plot(r, Gdiff + Gdiff_baseline, 'y-') +Gdiff_show = Gdiff/5.0 + Gdiff_baseline + +from bokeh.io import show +from bokeh.plotting import figure -pylab.xlabel(u'r (Å)') -pylab.ylabel(u'G (Å$^{-2}$)') -pylab.title('Fit of nickel to x-ray experimental PDF') +fig = figure() +fig.xaxis.axis_label = 'r (Å)' +fig.yaxis.axis_label = r"$$G (Å^{-2})\$$" +fig.title.text = 'Fit of nickel to x-ray experimental PDF' -# display plot window, this must be the last command in the script -pylab.show() \ No newline at end of file +fig.line(x_data, Gobs, legend_label='G(r) Data', color='steelblue', line_width=2) +fig.line(x_data, Gfit, legend_label='G(r) Fit', color='orangered', line_width=2) +fig.line(x_data, Gdiff_show, legend_label='G(r) Diff', color='grey', line_width=2) +show(fig) diff --git a/examples/PDF/Ni_profile.py b/examples/PDF/Ni_profile.py index ad2984f5..af35bd6a 100644 --- a/examples/PDF/Ni_profile.py +++ b/examples/PDF/Ni_profile.py @@ -29,6 +29,7 @@ parameters = job.parameters parameters.qmax = 30 parameters.qdamp = 0.063043 +parameters.qbroad = 0.0 parameters.wavelength = 1.9122 parameters.delta2 = 2.253193 parameters.delta1 = 0.0 @@ -46,25 +47,25 @@ y_data = job.create_simulation(x_data) # plotting -import pylab -# obtain data from PdfFit calculator object -r = x_data Gobs = data[:, 1] Gfit = y_data -Gdiff = pylab.array(Gobs) - pylab.array(Gfit) +Gdiff = Gobs - Gfit Gdiff_baseline = -10 -# pylab.plot(r, Gobs, 'ko') -pylab.plot(r, Gobs, '.') -pylab.plot(r, Gfit, 'b-') -pylab.plot(r, Gdiff + Gdiff_baseline, 'r-') +Gdiff_show = Gdiff/5.0 + Gdiff_baseline -pylab.xlabel(u'r (Å)') -pylab.ylabel(u'G (Å$^{-2}$)') -pylab.title('Fit of nickel to x-ray experimental PDF') +from bokeh.io import show +from bokeh.plotting import figure -# display plot window, this must be the last command in the script -pylab.show() +fig = figure() +fig.xaxis.axis_label = 'r (Å)' +fig.yaxis.axis_label = r"$$G (Å^{-2})\$$" +fig.title.text = 'Fit of nickel to x-ray experimental PDF' + +fig.line(x_data, Gobs, legend_label='G(r) Data', color='steelblue', line_width=2) +fig.line(x_data, Gfit, legend_label='G(r) Fit', color='orangered', line_width=2) +fig.line(x_data, Gdiff_show, legend_label='G(r) Diff', color='grey', line_width=2) +show(fig) From b4cc135cfa8502f29eacbe58b68a97b5af473aa8 Mon Sep 17 00:00:00 2001 From: Piotr Rozyczko Date: Tue, 14 Mar 2023 16:11:05 +0100 Subject: [PATCH 39/52] add dependency on pycifrw, required by pdffit2 --- pyproject.toml | 1 + requirements.txt | 1 + 2 files changed, 2 insertions(+) diff --git a/pyproject.toml b/pyproject.toml index 50789723..3bf9413a 100644 --- a/pyproject.toml +++ b/pyproject.toml @@ -44,6 +44,7 @@ cryspy = { git = 'https://github.com/ikibalin/cryspy.git', rev = 'bravis_type_fi easyScienceCore = { git = 'https://github.com/easyScience/easyCore.git', rev = 'master' } easyCrystallography = { git = 'https://github.com/easyScience/easyCrystallography.git', rev = 'master' } +pycifrw = "^4.4.1" CFML = {version = '^0.0.1', optional=true} GSASII = {version = '^0.0.1', optional=true} "diffpy.pdffit2" = {version = "0.0.0", optional=true} diff --git a/requirements.txt b/requirements.txt index e4f50b3b..f549e4cc 100644 --- a/requirements.txt +++ b/requirements.txt @@ -2,6 +2,7 @@ cryspy @ git+https://github.com/ikibalin/cryspy.git@bravis_type_fix --extra-index-url https://easyscience.github.io/pypi easysciencecore==0.2.3 easycrystallography==0.1.2 +pycifrw cfml==0.0.1 gsasii==0.0.1 pdffit2==0.0.0 From 70bbebbe34dfbfd99f65fd53c9eb317d7bf01aa0 Mon Sep 17 00:00:00 2001 From: Piotr Rozyczko Date: Wed, 15 Mar 2023 14:59:39 +0100 Subject: [PATCH 40/52] delta1 and delta2 have units --- easyDiffractionLib/Profiles/P1D.py | 2 ++ 1 file changed, 2 insertions(+) diff --git a/easyDiffractionLib/Profiles/P1D.py b/easyDiffractionLib/Profiles/P1D.py index 910791e6..8a6fedd2 100644 --- a/easyDiffractionLib/Profiles/P1D.py +++ b/easyDiffractionLib/Profiles/P1D.py @@ -464,11 +464,13 @@ class PDFParameters(Instrument1DCWParameters): }, "delta1": { "name": "delta1", + "units": "angstrom", "value": 0.0, "fixed": True, }, "delta2": { "name": "delta2", + "units": "angstrom**2", "value": 0.0, "fixed": True, }, From f2d0b029c35587c7677850174bc330b893a2217f Mon Sep 17 00:00:00 2001 From: Piotr Rozyczko Date: Wed, 15 Mar 2023 18:28:28 +0100 Subject: [PATCH 41/52] parameter name should be prettyfied --- easyDiffractionLib/Profiles/P1D.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/easyDiffractionLib/Profiles/P1D.py b/easyDiffractionLib/Profiles/P1D.py index 8a6fedd2..497c4ba4 100644 --- a/easyDiffractionLib/Profiles/P1D.py +++ b/easyDiffractionLib/Profiles/P1D.py @@ -458,7 +458,7 @@ class PDFParameters(Instrument1DCWParameters): "fixed": True, }, "qbroad": { - "name": "qbroad", + "name": "Q_broad", "value": 0.0, "fixed": True, }, From d882046adba1490bdfc0942d59f3f60ddcf96bb6 Mon Sep 17 00:00:00 2001 From: Piotr Rozyczko Date: Wed, 15 Mar 2023 19:33:46 +0100 Subject: [PATCH 42/52] check if setting pip config helps with module installation --- .github/workflows/unit_test.yml | 6 ++++++ pyproject.toml | 10 +++------- 2 files changed, 9 insertions(+), 7 deletions(-) diff --git a/.github/workflows/unit_test.yml b/.github/workflows/unit_test.yml index 5b4c289c..f4039ee2 100644 --- a/.github/workflows/unit_test.yml +++ b/.github/workflows/unit_test.yml @@ -40,6 +40,12 @@ jobs: with: python-version: 3.8 + - name: Enable extra repository + shell: bash + run: | + pip config --user set global.extra-index-url https://easyscience.github.io/pypi/ + pip config --user set global.trusted-host easyscience.github.io + - name: Some logging shell: bash run: | diff --git a/pyproject.toml b/pyproject.toml index 3bf9413a..2eaf9f12 100644 --- a/pyproject.toml +++ b/pyproject.toml @@ -43,15 +43,11 @@ cryspy = { git = 'https://github.com/ikibalin/cryspy.git', rev = 'bravis_type_fi # easyCrystallography = "^0.3.0" easyScienceCore = { git = 'https://github.com/easyScience/easyCore.git', rev = 'master' } easyCrystallography = { git = 'https://github.com/easyScience/easyCrystallography.git', rev = 'master' } - pycifrw = "^4.4.1" -CFML = {version = '^0.0.1', optional=true} +CFML = '^0.0.1' GSASII = {version = '^0.0.1', optional=true} -"diffpy.pdffit2" = {version = "0.0.0", optional=true} -"diffpy.utils" = {version = "^3.0.0", optional=true} - -[tool.poetry.extras] -additional = ["CFML", "GSASII", "diffpy.pdffit2"] +"diffpy.pdffit2" = "0.0.0" +"diffpy.utils" = "^3.0.0" [tool.poetry.dev-dependencies] pytest = "^7.1" From 3932e756c78f9e896a9d099d91103f9a16c0250a Mon Sep 17 00:00:00 2001 From: Piotr Rozyczko Date: Thu, 16 Mar 2023 10:01:08 +0100 Subject: [PATCH 43/52] Modify wavelength to correspond to the gr input file. Add unit to Q_damp --- easyDiffractionLib/Profiles/P1D.py | 1 + examples/PDF/Ni_fitting.py | 2 +- examples/PDF/Ni_profile.py | 2 +- 3 files changed, 3 insertions(+), 2 deletions(-) diff --git a/easyDiffractionLib/Profiles/P1D.py b/easyDiffractionLib/Profiles/P1D.py index 497c4ba4..32539637 100644 --- a/easyDiffractionLib/Profiles/P1D.py +++ b/easyDiffractionLib/Profiles/P1D.py @@ -454,6 +454,7 @@ class PDFParameters(Instrument1DCWParameters): }, "qdamp": { "name": "Q_damp", + "units": "1/angstrom", "value": 0.01, "fixed": True, }, diff --git a/examples/PDF/Ni_fitting.py b/examples/PDF/Ni_fitting.py index ea9b9b83..afb923ee 100644 --- a/examples/PDF/Ni_fitting.py +++ b/examples/PDF/Ni_fitting.py @@ -34,7 +34,7 @@ # let's limit the range of qbroad parameters.qbroad.min = 0.0 parameters.qbroad.max = 0.5 -parameters.wavelength = 1.9122 +parameters.wavelength = 0.126514 parameters.delta2 = 2.253193 parameters.delta1 = 0.0 diff --git a/examples/PDF/Ni_profile.py b/examples/PDF/Ni_profile.py index af35bd6a..16c20a34 100644 --- a/examples/PDF/Ni_profile.py +++ b/examples/PDF/Ni_profile.py @@ -30,7 +30,7 @@ parameters.qmax = 30 parameters.qdamp = 0.063043 parameters.qbroad = 0.0 -parameters.wavelength = 1.9122 +parameters.wavelength = 0.126514 parameters.delta2 = 2.253193 parameters.delta1 = 0.0 From 4ef2bd578cfb3c630627b86d1176192166412971 Mon Sep 17 00:00:00 2001 From: Piotr Rozyczko Date: Thu, 16 Mar 2023 10:26:17 +0100 Subject: [PATCH 44/52] notebook and example script updates --- examples/PDF/Calculate_PDF_Profile.ipynb | 341 ++++++++++++++++++++--- examples/PDF/Fitting_PDF_Profile.ipynb | 227 +++++++++++++-- examples/PDF/Ni_fitting.py | 2 +- examples/PDF/Ni_profile.py | 2 +- 4 files changed, 510 insertions(+), 62 deletions(-) diff --git a/examples/PDF/Calculate_PDF_Profile.ipynb b/examples/PDF/Calculate_PDF_Profile.ipynb index 80cc3520..1bbefb76 100644 --- a/examples/PDF/Calculate_PDF_Profile.ipynb +++ b/examples/PDF/Calculate_PDF_Profile.ipynb @@ -1,9 +1,21 @@ { "cells": [ + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "# Calculate PDF profile\n", + "\n", + "This notebook illustrates how to calculate $G(r)$ in EasyDiffraction using `pdffit2` library (J. Phys, Condens. Matter **19**, 335219 (2007). doi: https://doi.org/10.1088/0953-8984/19/33/3352190). \n", + "The result of the calculation is qualitatively compared with experimental X-ray data." + ] + }, { "cell_type": "code", "execution_count": null, - "metadata": {}, + "metadata": { + "tags": [] + }, "outputs": [], "source": [ "import os\n", @@ -13,13 +25,32 @@ "from easyDiffractionLib.interface import InterfaceFactory as Calculator\n", "from easyDiffractionLib.Profiles.P1D import PDFParameters\n", "from easyDiffractionLib.Jobs import Powder1DCW\n", - "from easyDiffractionLib.Interfaces.pdffit2 import readGRData" + "from easyDiffractionLib.Interfaces.pdffit2 import readGRData\n", + "\n", + "# for plotting\n", + "from bokeh.io import show, output_notebook\n", + "from bokeh.plotting import figure\n", + "output_notebook()\n", + "FIGURE_WIDTH = 900\n", + "FIGURE_HEIGHT = 300" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "## Load reduced experimental data\n", + "\n", + "`Ni-xray.gr` contains reduced X-ray data with Ni sample. Its structure is a a header with metadata and then an array of 4 columns: $r$, $G(r)$, and the error related to these 2 quantities. \n", + "The reduction was done with `pdfgetx2`.\n" ] }, { "cell_type": "code", "execution_count": null, - "metadata": {}, + "metadata": { + "tags": [] + }, "outputs": [], "source": [ "# data_fname = os.path.realpath('examples\\\\PDF\\\\Ni-xray.gr')\n", @@ -27,20 +58,72 @@ "data = readGRData(data_fname)" ] }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "## Load crystallographic reference data" + ] + }, { "cell_type": "code", "execution_count": null, - "metadata": {}, + "metadata": { + "tags": [] + }, "outputs": [], "source": [ "cif_fname = os.path.realpath('Ni.cif')\n", - "phases = Phases.from_cif_file(cif_fname)" + "phases = Phases.from_cif_file(cif_fname)\n", + "phases" ] }, { "cell_type": "code", "execution_count": null, + "metadata": { + "tags": [] + }, + "outputs": [], + "source": [ + "phases.phase_names" + ] + }, + { + "cell_type": "markdown", "metadata": {}, + "source": [ + "We get the information about the phase from the reference cif file:" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": { + "tags": [] + }, + "outputs": [], + "source": [ + "phases.get_parameters()" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "## Define G(r)\n", + "\n", + "- Select `pdffit2` as Calculator\n", + "- Create a \"continuous 1D powder\"-type job named `Ni_simulated` for Ni sample using the phases from the loaded cif and `PDF` parameters (set below)\n", + "- Associate this job and the calculator" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": { + "tags": [] + }, "outputs": [], "source": [ "calculator = Calculator()\n", @@ -50,36 +133,221 @@ { "cell_type": "code", "execution_count": null, - "metadata": {}, + "metadata": { + "tags": [] + }, "outputs": [], "source": [ "parameters = PDFParameters()\n", - "job = Powder1DCW('Ni', parameters=parameters, phases=phases, interface=calculator)\n", "\n", - "fitter = Fitter(job, calculator.fit_func)" + "job = Powder1DCW('Ni_simulated', \n", + " parameters=parameters, \n", + " phases=phases, \n", + " interface=calculator)\n", + "\n", + "fitter = Fitter(job, \n", + " calculator.fit_func)" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "### Set job parameters " ] }, { "cell_type": "code", "execution_count": null, + "metadata": { + "tags": [] + }, + "outputs": [], + "source": [ + "parameters = job.parameters" + ] + }, + { + "cell_type": "markdown", "metadata": {}, + "source": [ + "List of available parameters with their default values, units, status (i.e., to be refined or fixed) and possible constraints" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": { + "tags": [] + }, "outputs": [], "source": [ - "parameters = job.parameters\n", - "parameters.qmax = 70\n", - "parameters.qdamp = 0.01\n", - "parameters.qbroad = 0.0\n", - "parameters.wavelength = 1.9122\n", + "parameters.get_parameters()" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "Here is a short description for some of them:\n", + "- Q_damp: PDF Gaussian dampening envelope due to limited $Q$-resolution. The Gaussian envelope is of the form $\\exp(-\\frac{(r Q_{damp})^2}{2})$\n", + "- Q_broad: PDF peak broadening from increased intensity noise at high $Q$\n", + "- delta1: coefficient for $(1/r)$ contribution to the peak sharpening.\n", + "- delta2: coefficient for $(1/r^2)$ contribution to the peak sharpening.\n", + "\n", + "Using these notations, the PDF peak width is expressed as \n", "\n", - "pattern = job.pattern\n", - "pattern.zero_shift = 0.16\n", - "pattern.scale = 1.4473" + "$$ \\sigma_{ij} \\sqrt{1-\\frac{\\delta_1}{r_{ij}}-\\frac{\\delta_2}{r_{ij}^2}+Q_{broad}^2 r_{ij}^2},$$ where $i$, $j$ correspond to two different atoms. \n", + "\n", + "It contains contributions from thermal and zero point displacements and static disorder. $\\sigma_{ij}'$ is the peak width without correlation. \n", + "The first two terms correct for the effects of correlated motion. The term $\\delta_2/r^2$ describes the low temperature behavior, and $\\delta_1/r$ describes the high temperature case. Since the two parameters are highly correlated, one will in practice choose which one to refine. \n", + "\n", + "The last term models the PDF peak broadening as a result of\n", + "the Q-resolution of the diffractometer. In many cases this term will only be significant for refinements over wider r -ranges. Note that the Q resolution also results in an exponentialdampening of the PDF peaks which is modeled using the parameter Q_damp.\n" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "Specify $Q_{max}$, $Q_{damp}$, $Q_{broad}$ and wavelength values used to calculate PDF. " + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": { + "tags": [] + }, + "outputs": [], + "source": [ + "parameters.qmax = 70 #30\n", + "parameters.qdamp = 0.03\n", + "parameters.qbroad = 0.0 #0.024\n", + "parameters.wavelength = 0.126514\n", + "parameters.delta2 = 1\n", + "#parameters.delta1 = 0.9" ] }, { "cell_type": "code", "execution_count": null, + "metadata": { + "tags": [] + }, + "outputs": [], + "source": [ + "# Check update of set parameter values\n", + "parameters.get_parameters()" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "### Set pattern parameters \n", + "#### Patterns related to all phases" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": { + "tags": [] + }, + "outputs": [], + "source": [ + "global_patterns = job.pattern" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": { + "tags": [] + }, + "outputs": [], + "source": [ + "global_patterns.get_parameters()" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": { + "tags": [] + }, + "outputs": [], + "source": [ + "global_patterns.zero_shift = 0.16" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "#### Patterns related to phase 1" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": { + "tags": [] + }, + "outputs": [], + "source": [ + "phase1_patterns = job.phases[0]" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": { + "tags": [] + }, + "outputs": [], + "source": [ + "phase1_patterns.get_parameters()" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": { + "tags": [] + }, + "outputs": [], + "source": [ + "# Modify the scale for pattern 1\n", + "job.phases[0].scale = 1" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": { + "tags": [] + }, + "outputs": [], + "source": [ + "# Check modified value\n", + "phase1_patterns.scale" + ] + }, + { + "cell_type": "markdown", "metadata": {}, + "source": [ + "### Select r from experimental data and create the simulated G(r)" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": { + "tags": [] + }, "outputs": [], "source": [ "x_data = data[:, 0]\n", @@ -87,39 +355,48 @@ "y_data = job.create_simulation(x_data)" ] }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "## Plot" + ] + }, { "cell_type": "code", "execution_count": null, - "metadata": {}, + "metadata": { + "tags": [] + }, "outputs": [], "source": [ - "# plotting\n", - "# plotting\n", - "from bokeh.io import show, output_notebook\n", - "from bokeh.plotting import figure\n", - "output_notebook()\n", - "FIGURE_WIDTH = 900\n", - "FIGURE_HEIGHT = 300\n", - "\n", "Gobs = data[:, 1]\n", "Gfit = y_data\n", "\n", "Gdiff = Gobs - Gfit\n", - "Gdiff_baseline = -10\n", + "Gdiff_baseline = -15 # Offset difference curve for plotting\n", "\n", - "Gdiff_show = Gdiff/5.0 + Gdiff_baseline\n", + "Gdiff_show = Gdiff + Gdiff_baseline\n", "\n", "fig = figure()\n", "fig.xaxis.axis_label = 'r (Å)'\n", "fig.yaxis.axis_label = r\"$$G (Å^{-2})\\$$\"\n", "fig.title.text = 'Fit of nickel to x-ray experimental PDF'\n", "\n", - "fig.line(x_data, Gobs, legend_label='G(r) Data', color='steelblue', line_width=2)\n", + "fig.scatter(x_data, Gobs, legend_label='G(r) Data', fill_alpha=0., line_color='steelblue', marker='circle')\n", "fig.line(x_data, Gfit, legend_label='G(r) Fit', color='orangered', line_width=2)\n", "fig.line(x_data, Gdiff_show, legend_label='G(r) Diff', color='grey', line_width=2)\n", "show(fig)" ] }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "Note that the experimental and calculated curves can be quite different. But the aim of this notebook was to detail how to simulate a 1D PDF pattern in EasyDiffraction using `pdffit2` library. \n", + "Please refer to `Fitting_PDF_Profile.ipynb` in order to see how to fot this type of curve." + ] + }, { "cell_type": "code", "execution_count": null, @@ -130,9 +407,9 @@ ], "metadata": { "kernelspec": { - "display_name": "easy_pdf", + "display_name": "Python 3 (ipykernel)", "language": "python", - "name": "easy_pdf" + "name": "python3" }, "language_info": { "codemirror_mode": { @@ -144,9 +421,9 @@ "name": "python", "nbconvert_exporter": "python", "pygments_lexer": "ipython3", - "version": "3.8.15" + "version": "3.8.9" } }, "nbformat": 4, - "nbformat_minor": 2 + "nbformat_minor": 4 } diff --git a/examples/PDF/Fitting_PDF_Profile.ipynb b/examples/PDF/Fitting_PDF_Profile.ipynb index 2fd78f76..bdbcd366 100644 --- a/examples/PDF/Fitting_PDF_Profile.ipynb +++ b/examples/PDF/Fitting_PDF_Profile.ipynb @@ -1,5 +1,14 @@ { "cells": [ + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "# Fit PDF profile\n", + "\n", + "This notebook illustrates how to fit 1D PDF profile in EasyDiffraction for X-ray experimental data and Ni sample using PDFfit2 (J. Phys, Condens. Matter **19**, 335219 (2007). doi: https://doi.org/10.1088/0953-8984/19/33/3352190)." + ] + }, { "cell_type": "code", "execution_count": null, @@ -13,16 +22,9 @@ "from easyDiffractionLib.Jobs import Powder1DCW\n", "from easyDiffractionLib.interface import InterfaceFactory as Calculator\n", "from easyDiffractionLib.Profiles.P1D import PDFParameters\n", - "from easyDiffractionLib.Interfaces.pdffit2 import readGRData" - ] - }, - { - "cell_type": "code", - "execution_count": null, - "metadata": {}, - "outputs": [], - "source": [ - "# plotting\n", + "from easyDiffractionLib.Interfaces.pdffit2 import readGRData\n", + "\n", + "# for plotting\n", "from bokeh.io import show, output_notebook\n", "from bokeh.plotting import figure\n", "output_notebook()\n", @@ -30,6 +32,13 @@ "FIGURE_HEIGHT = 300" ] }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "## Define calculator" + ] + }, { "cell_type": "code", "execution_count": null, @@ -37,7 +46,17 @@ "outputs": [], "source": [ "calculator = Calculator()\n", - "calculator.switch(\"Pdffit2\")\n" + "calculator.switch(\"Pdffit2\")" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "## Load experimental and reference data\n", + "\n", + "`Ni-xray.gr` contains reduced X-ray data with Ni sample. Its structure is a a header with metadata and then an array of 4 columns: $r$, $G(r)$, and the error related to these 2 quantities. \n", + "The reduction was done with `pdfgetx2`." ] }, { @@ -52,6 +71,13 @@ "phases = Phases.from_cif_file(cif_fname)" ] }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "## Define job " + ] + }, { "cell_type": "code", "execution_count": null, @@ -72,29 +98,142 @@ "fitter = Fitter(job, calculator.fit_func)" ] }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "## Set parameters\n", + "### Global parameters" + ] + }, { "cell_type": "code", "execution_count": null, - "metadata": {}, + "metadata": { + "tags": [] + }, "outputs": [], "source": [ "parameters = job.parameters\n", + "parameters.get_parameters()" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [ "parameters.qmax = 30\n", "parameters.qdamp = 0.063043\n", - "parameters.wavelength = 1.9122\n", + "parameters.wavelength = 0.126514\n", "parameters.delta2 = 2.253193\n", "parameters.delta1 = 0.0\n", "parameters.qbroad = 0.1\n", "# let's limit the range of qbroad\n", "parameters.qbroad.min = 0.0\n", - "parameters.qbroad.max = 0.5\n", + "parameters.qbroad.max = 0.5" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "Here is a short description for some of these parameters:\n", + "- Q_damp: PDF Gaussian dampening envelope due to limited $Q$-resolution. The Gaussian envelope is of the form $\\exp(-\\frac{(r Q_{damp})^2}{2})$\n", + "- Q_broad: PDF peak broadening from increased intensity noise at high $Q$\n", + "- delta1: coefficient for $(1/r)$ contribution to the peak sharpening.\n", + "- delta2: coefficient for $(1/r^2)$ contribution to the peak sharpening.\n", "\n", - "pattern = job.pattern\n", + "Using these notations, the PDF peak width is expressed as \n", + "\n", + "$$ \\sigma_{ij} \\sqrt{1-\\frac{\\delta_1}{r_{ij}}-\\frac{\\delta_2}{r_{ij}^2}+Q_{broad}^2 r_{ij}^2},$$ where $i$, $j$ correspond to two different atoms. \n", + "\n", + "It contains contributions from thermal and zero point displacements and static disorder. $\\sigma_{ij}'$ is the peak width without correlation. \n", + "The first two terms correct for the effects of correlated motion. The term $\\delta_2/r^2$ describes the low temperature behavior, and $\\delta_1/r$ describes the high temperature case. Since the two parameters are highly correlated, one will in practice choose which one to refine. \n", + "\n", + "The last term models the PDF peak broadening as a result of the Q-resolution of the diffractometer. In many cases this term will only be significant for refinements over wider r -ranges. Note that the Q resolution also results in an exponentialdampening of the PDF peaks which is modeled using the parameter Q_damp." + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "### Parameters for each phase\n", + "\n", + "Here we only have one phase." + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": { + "tags": [] + }, + "outputs": [], + "source": [ + "phases" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "#### Print some phase settings " + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": { + "tags": [] + }, + "outputs": [], + "source": [ + "print(job.phases[0].cell)\n", + "print(job.phases[0].center)\n", + "print(job.phases[0].spacegroup)\n", + "print(job.phases[0].scale)" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": { + "tags": [] + }, + "outputs": [], + "source": [ + "job.phases[0].get_parameters()" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "#### Modify some of settings" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": { + "tags": [] + }, + "outputs": [], + "source": [ "job.phases[0].atoms[0].adp.Uiso = 0.005445\n", "job.phases[0].scale = 0.366013\n", "job.phases[0].cell.length_a = 3.52" ] }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "## Calculate profile" + ] + }, { "cell_type": "code", "execution_count": null, @@ -103,17 +242,22 @@ "source": [ "x_data = data[:, 0]\n", "\n", - "# profile calculation\n", "y_data = job.create_simulation(x_data)" ] }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "## Select parameters to optimize" + ] + }, { "cell_type": "code", "execution_count": null, "metadata": {}, "outputs": [], "source": [ - "# params to optimize\n", "job.phases[0].cell.length_a.fixed = False\n", "job.phases[0].scale.fixed = False\n", "parameters.qdamp.fixed = False\n", @@ -122,6 +266,13 @@ "parameters.delta2.fixed = False" ] }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "## Run the fit" + ] + }, { "cell_type": "code", "execution_count": null, @@ -129,7 +280,14 @@ "outputs": [], "source": [ "result = fitter.fit(x_data, data[:, 1], \n", - " method='least_squares', minimizer_kwargs={'diff_step': 1e-5})" + " method='least_squares', minimizer_kwargs={'diff_step': 1e-5, 'verbose': 2})" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "## Print fitting results" ] }, { @@ -138,11 +296,18 @@ "metadata": {}, "outputs": [], "source": [ - "print(\"The fit has been successful: {}\".format(result.success)) \n", - "print(\"The gooodness of fit (chi2) is: {}\".format(result.reduced_chi))\n", + "print(f\"The fit has been successful: {result.success}\") \n", + "print(f\"The goodness of fit (chi2) is: {result.reduced_chi}\")\n", "print(\"The optimized parameters are:\")\n", "for param in job.get_fit_parameters():\n", - " print(\"{}: {}\".format(param.name, param.raw_value))" + " print(f\"{param.name}: {param.raw_value} +\\- {param.error} {param.unit}\") " + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "## Plot" ] }, { @@ -160,14 +325,13 @@ "metadata": {}, "outputs": [], "source": [ - "\n", "# obtain data from PdfFit calculator object\n", "Gobs = data[:, 1]\n", "Gfit = y_data\n", "Gdiff = Gobs - Gfit\n", "Gdiff_baseline = -10\n", "\n", - "Gdiff_show = Gdiff/5.0 + Gdiff_baseline" + "Gdiff_show = Gdiff + Gdiff_baseline" ] }, { @@ -181,18 +345,25 @@ "fig.yaxis.axis_label = r\"$$G (Å^{-2})\\$$\"\n", "fig.title.text = 'Fit of nickel to x-ray experimental PDF'\n", "\n", - "fig.line(x_data, Gobs, legend_label='G(r) Data', color='steelblue', line_width=2)\n", + "fig.scatter(x_data, Gobs, legend_label='G(r) Data', fill_alpha=0., line_color='steelblue', marker='circle')\n", "fig.line(x_data, Gfit, legend_label='G(r) Fit', color='orangered', line_width=2)\n", "fig.line(x_data, Gdiff_show, legend_label='G(r) Diff', color='grey', line_width=2)\n", "show(fig)\n" ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [] } ], "metadata": { "kernelspec": { - "display_name": "easy_pdf", + "display_name": "Python 3 (ipykernel)", "language": "python", - "name": "easy_pdf" + "name": "python3" }, "language_info": { "codemirror_mode": { @@ -204,9 +375,9 @@ "name": "python", "nbconvert_exporter": "python", "pygments_lexer": "ipython3", - "version": "3.8.15" + "version": "3.8.9" } }, "nbformat": 4, - "nbformat_minor": 2 + "nbformat_minor": 4 } diff --git a/examples/PDF/Ni_fitting.py b/examples/PDF/Ni_fitting.py index afb923ee..3afff1e4 100644 --- a/examples/PDF/Ni_fitting.py +++ b/examples/PDF/Ni_fitting.py @@ -85,7 +85,7 @@ fig.yaxis.axis_label = r"$$G (Å^{-2})\$$" fig.title.text = 'Fit of nickel to x-ray experimental PDF' -fig.line(x_data, Gobs, legend_label='G(r) Data', color='steelblue', line_width=2) +fig.scatter(x_data, Gobs, legend_label='G(r) Data', fill_alpha=0., line_color='steelblue', marker='circle') fig.line(x_data, Gfit, legend_label='G(r) Fit', color='orangered', line_width=2) fig.line(x_data, Gdiff_show, legend_label='G(r) Diff', color='grey', line_width=2) show(fig) diff --git a/examples/PDF/Ni_profile.py b/examples/PDF/Ni_profile.py index 16c20a34..0c2516c3 100644 --- a/examples/PDF/Ni_profile.py +++ b/examples/PDF/Ni_profile.py @@ -63,7 +63,7 @@ fig.yaxis.axis_label = r"$$G (Å^{-2})\$$" fig.title.text = 'Fit of nickel to x-ray experimental PDF' -fig.line(x_data, Gobs, legend_label='G(r) Data', color='steelblue', line_width=2) +fig.scatter(x_data, Gobs, legend_label='G(r) Data', fill_alpha=0., line_color='steelblue', marker='circle') fig.line(x_data, Gfit, legend_label='G(r) Fit', color='orangered', line_width=2) fig.line(x_data, Gdiff_show, legend_label='G(r) Diff', color='grey', line_width=2) show(fig) From 7b43ad60c42a40aeebb5ccaa0c3afa9df4e94b4a Mon Sep 17 00:00:00 2001 From: Piotr Rozyczko Date: Thu, 16 Mar 2023 19:17:48 +0100 Subject: [PATCH 45/52] Added "spdiameter" parameter, as per GSASII examples --- easyDiffractionLib/Profiles/P1D.py | 10 ++++++++++ easyDiffractionLib/calculators/pdffit2.py | 3 +++ examples/PDF/Ni_fitting.py | 2 ++ 3 files changed, 15 insertions(+) diff --git a/easyDiffractionLib/Profiles/P1D.py b/easyDiffractionLib/Profiles/P1D.py index 32539637..0061701b 100644 --- a/easyDiffractionLib/Profiles/P1D.py +++ b/easyDiffractionLib/Profiles/P1D.py @@ -475,6 +475,13 @@ class PDFParameters(Instrument1DCWParameters): "value": 0.0, "fixed": True, }, + "spdiameter": { + "name": "spdiameter", + "units": "angstrom", + "min": 1.0, + "value": 8.0, + "fixed": True, + }, } _defaults.update(Instrument1DCWParameters._defaults) @@ -495,6 +502,7 @@ def __init__( delta1: Optional[Union[Parameter, float]] = None, delta2: Optional[Union[Parameter, float]] = None, qbroad: Optional[Union[Parameter, float]] = None, + spdiameter: Optional[Union[Parameter, float]] = None, interface: Optional[iF] = None, **kwargs, ): @@ -522,5 +530,7 @@ def __init__( self.delta2 = delta2 if qbroad is not None: self.qbroad = qbroad + if spdiameter is not None: + self.spdiameter = spdiameter self.interface = interface \ No newline at end of file diff --git a/easyDiffractionLib/calculators/pdffit2.py b/easyDiffractionLib/calculators/pdffit2.py index 5634ec55..6e456106 100644 --- a/easyDiffractionLib/calculators/pdffit2.py +++ b/easyDiffractionLib/calculators/pdffit2.py @@ -18,6 +18,7 @@ def __init__(self): "delta1": 0.0, "delta2": 0.0, "qbroad": 0.0, + "spdiameter": 8.0, } self.background = None self.phases = None @@ -52,6 +53,7 @@ def calculate(self, x_array: np.ndarray) -> np.ndarray: delta1 = self.model.delta1.raw_value delta2 = self.model.delta2.raw_value qbroad = self.model.qbroad.raw_value + spdiameter = self.model.spdiameter.raw_value stype = self.type @@ -60,6 +62,7 @@ def calculate(self, x_array: np.ndarray) -> np.ndarray: P.setvar("pscale", scale) P.setvar("delta1", delta1) P.setvar("delta2", delta2) + P.setvar("spdiameter", spdiameter) # set the Uiso (current limitation to isotropic ADP) for i_atom, atom in enumerate(self.phases[0].atoms): diff --git a/examples/PDF/Ni_fitting.py b/examples/PDF/Ni_fitting.py index 3afff1e4..b8882604 100644 --- a/examples/PDF/Ni_fitting.py +++ b/examples/PDF/Ni_fitting.py @@ -37,6 +37,7 @@ parameters.wavelength = 0.126514 parameters.delta2 = 2.253193 parameters.delta1 = 0.0 +parameters.spdiameter = 8.0 pattern = job.pattern job.phases[0].atoms[0].adp.Uiso = 0.005445 @@ -54,6 +55,7 @@ parameters.delta1.fixed = False parameters.delta2.fixed = False parameters.qbroad.fixed = False +parameters.spdiameter.fixed = False fit_parameters = job.get_fit_parameters() From 192c89a82ccf418d8b6f6b01f050edbf9dc34a06 Mon Sep 17 00:00:00 2001 From: Piotr Rozyczko Date: Thu, 16 Mar 2023 19:21:56 +0100 Subject: [PATCH 46/52] added spdiameter parameter to the notebook examples --- examples/PDF/Calculate_PDF_Profile.ipynb | 3 ++- examples/PDF/Fitting_PDF_Profile.ipynb | 6 ++++-- examples/PDF/Ni_profile.py | 1 + 3 files changed, 7 insertions(+), 3 deletions(-) diff --git a/examples/PDF/Calculate_PDF_Profile.ipynb b/examples/PDF/Calculate_PDF_Profile.ipynb index 1bbefb76..c937b77c 100644 --- a/examples/PDF/Calculate_PDF_Profile.ipynb +++ b/examples/PDF/Calculate_PDF_Profile.ipynb @@ -226,7 +226,8 @@ "parameters.qbroad = 0.0 #0.024\n", "parameters.wavelength = 0.126514\n", "parameters.delta2 = 1\n", - "#parameters.delta1 = 0.9" + "#parameters.delta1 = 0.9\n", + "parameters.spdiameter = 64.0" ] }, { diff --git a/examples/PDF/Fitting_PDF_Profile.ipynb b/examples/PDF/Fitting_PDF_Profile.ipynb index bdbcd366..5e2552f8 100644 --- a/examples/PDF/Fitting_PDF_Profile.ipynb +++ b/examples/PDF/Fitting_PDF_Profile.ipynb @@ -132,7 +132,8 @@ "parameters.qbroad = 0.1\n", "# let's limit the range of qbroad\n", "parameters.qbroad.min = 0.0\n", - "parameters.qbroad.max = 0.5" + "parameters.qbroad.max = 0.5\n", + "parameters.spdiameter = 8.0" ] }, { @@ -263,7 +264,8 @@ "parameters.qdamp.fixed = False\n", "parameters.qbroad.fixed = False\n", "parameters.delta1.fixed = False\n", - "parameters.delta2.fixed = False" + "parameters.delta2.fixed = False\n", + "parameters.spdiameter.fixed = False" ] }, { diff --git a/examples/PDF/Ni_profile.py b/examples/PDF/Ni_profile.py index 0c2516c3..a4b8c4ac 100644 --- a/examples/PDF/Ni_profile.py +++ b/examples/PDF/Ni_profile.py @@ -33,6 +33,7 @@ parameters.wavelength = 0.126514 parameters.delta2 = 2.253193 parameters.delta1 = 0.0 +parameters.spdiameter = 64.0 pattern = job.pattern # pattern.zero_shift = 0.16 From 31bd259d19b4e8935f5ec38c0e29205c4ab662d6 Mon Sep 17 00:00:00 2001 From: Piotr Rozyczko Date: Thu, 16 Mar 2023 21:27:48 +0100 Subject: [PATCH 47/52] update initial values for spdiameter and update the examples --- easyDiffractionLib/Profiles/P1D.py | 4 ++-- easyDiffractionLib/calculators/pdffit2.py | 2 +- examples/PDF/Calculate_PDF_Profile.ipynb | 2 +- examples/PDF/Fitting_PDF_Profile.ipynb | 5 ++--- examples/PDF/Ni_fitting.py | 3 +-- examples/PDF/Ni_profile.py | 2 +- 6 files changed, 8 insertions(+), 10 deletions(-) diff --git a/easyDiffractionLib/Profiles/P1D.py b/easyDiffractionLib/Profiles/P1D.py index 0061701b..b9bf0137 100644 --- a/easyDiffractionLib/Profiles/P1D.py +++ b/easyDiffractionLib/Profiles/P1D.py @@ -478,8 +478,8 @@ class PDFParameters(Instrument1DCWParameters): "spdiameter": { "name": "spdiameter", "units": "angstrom", - "min": 1.0, - "value": 8.0, + "min": 0.0, + "value": 0.0, "fixed": True, }, } diff --git a/easyDiffractionLib/calculators/pdffit2.py b/easyDiffractionLib/calculators/pdffit2.py index 6e456106..c0bf9135 100644 --- a/easyDiffractionLib/calculators/pdffit2.py +++ b/easyDiffractionLib/calculators/pdffit2.py @@ -18,7 +18,7 @@ def __init__(self): "delta1": 0.0, "delta2": 0.0, "qbroad": 0.0, - "spdiameter": 8.0, + "spdiameter": 0.0, } self.background = None self.phases = None diff --git a/examples/PDF/Calculate_PDF_Profile.ipynb b/examples/PDF/Calculate_PDF_Profile.ipynb index c937b77c..8634a216 100644 --- a/examples/PDF/Calculate_PDF_Profile.ipynb +++ b/examples/PDF/Calculate_PDF_Profile.ipynb @@ -227,7 +227,7 @@ "parameters.wavelength = 0.126514\n", "parameters.delta2 = 1\n", "#parameters.delta1 = 0.9\n", - "parameters.spdiameter = 64.0" + "parameters.spdiameter = 0.0" ] }, { diff --git a/examples/PDF/Fitting_PDF_Profile.ipynb b/examples/PDF/Fitting_PDF_Profile.ipynb index 5e2552f8..1a308b29 100644 --- a/examples/PDF/Fitting_PDF_Profile.ipynb +++ b/examples/PDF/Fitting_PDF_Profile.ipynb @@ -133,7 +133,7 @@ "# let's limit the range of qbroad\n", "parameters.qbroad.min = 0.0\n", "parameters.qbroad.max = 0.5\n", - "parameters.spdiameter = 8.0" + "parameters.spdiameter = 0.0" ] }, { @@ -264,8 +264,7 @@ "parameters.qdamp.fixed = False\n", "parameters.qbroad.fixed = False\n", "parameters.delta1.fixed = False\n", - "parameters.delta2.fixed = False\n", - "parameters.spdiameter.fixed = False" + "parameters.delta2.fixed = False\n" ] }, { diff --git a/examples/PDF/Ni_fitting.py b/examples/PDF/Ni_fitting.py index b8882604..8db66520 100644 --- a/examples/PDF/Ni_fitting.py +++ b/examples/PDF/Ni_fitting.py @@ -37,7 +37,7 @@ parameters.wavelength = 0.126514 parameters.delta2 = 2.253193 parameters.delta1 = 0.0 -parameters.spdiameter = 8.0 +parameters.spdiameter = 0.0 pattern = job.pattern job.phases[0].atoms[0].adp.Uiso = 0.005445 @@ -55,7 +55,6 @@ parameters.delta1.fixed = False parameters.delta2.fixed = False parameters.qbroad.fixed = False -parameters.spdiameter.fixed = False fit_parameters = job.get_fit_parameters() diff --git a/examples/PDF/Ni_profile.py b/examples/PDF/Ni_profile.py index a4b8c4ac..a0f9afec 100644 --- a/examples/PDF/Ni_profile.py +++ b/examples/PDF/Ni_profile.py @@ -33,7 +33,7 @@ parameters.wavelength = 0.126514 parameters.delta2 = 2.253193 parameters.delta1 = 0.0 -parameters.spdiameter = 64.0 +parameters.spdiameter = 0.0 pattern = job.pattern # pattern.zero_shift = 0.16 From 3fbf825e38735c12cab1b5e498fb4637c98dfbd3 Mon Sep 17 00:00:00 2001 From: Piotr Rozyczko Date: Fri, 17 Mar 2023 14:54:56 +0100 Subject: [PATCH 48/52] don't update atoms without adp --- easyDiffractionLib/calculators/pdffit2.py | 2 ++ 1 file changed, 2 insertions(+) diff --git a/easyDiffractionLib/calculators/pdffit2.py b/easyDiffractionLib/calculators/pdffit2.py index c0bf9135..d1d326af 100644 --- a/easyDiffractionLib/calculators/pdffit2.py +++ b/easyDiffractionLib/calculators/pdffit2.py @@ -66,6 +66,8 @@ def calculate(self, x_array: np.ndarray) -> np.ndarray: # set the Uiso (current limitation to isotropic ADP) for i_atom, atom in enumerate(self.phases[0].atoms): + if not hasattr(atom, "adp"): + continue Uiso = atom.adp.Uiso.raw_value for i in range(1,4): u_str = "u{}{}({})".format(i, i, i_atom+1) From f76c08bf9b015f6f6ff02900d83df18289f2d190 Mon Sep 17 00:00:00 2001 From: Piotr Rozyczko Date: Mon, 20 Mar 2023 15:32:57 +0100 Subject: [PATCH 49/52] workaround for CFML failures --- easyDiffractionLib/Interfaces/CFML.py | 11 +++++++++-- easyDiffractionLib/calculators/CFML.py | 6 ++---- 2 files changed, 11 insertions(+), 6 deletions(-) diff --git a/easyDiffractionLib/Interfaces/CFML.py b/easyDiffractionLib/Interfaces/CFML.py index 7f17c7f4..fa9cee09 100644 --- a/easyDiffractionLib/Interfaces/CFML.py +++ b/easyDiffractionLib/Interfaces/CFML.py @@ -162,14 +162,21 @@ def dump_cif(self, *args, **kwargs): return # delete preexising cif files self.remove_cif() + # naive and silly workaround for something mysterious happening in easyCrystallography + content = str(self._phase.cif) + content = content.replace("H-M_ref", "H-M_alt") with open(self._filename, "w") as fid: - fid.write(str(self._phase.cif)) + # fid.write(str(self._phase.cif)) + fid.write(content) base, file = os.path.split(self._filename) ext = file[-3:] file = file[:-4] for idx, phase in enumerate(self._phase): + content = str(phase.cif) + content = content.replace("H-M_ref", "H-M_alt") with open(f"{os.path.join(base, file)}_{idx}.{ext}", "w") as fid: - fid.write(str(phase.cif)) + #fid.write(str(phase.cif)) + fid.write(content) def remove_cif(self): if self._filename is None: diff --git a/easyDiffractionLib/calculators/CFML.py b/easyDiffractionLib/calculators/CFML.py index b5a01cd8..ec55e8f8 100644 --- a/easyDiffractionLib/calculators/CFML.py +++ b/easyDiffractionLib/calculators/CFML.py @@ -90,17 +90,14 @@ def calculate(self, x_array: np.ndarray) -> np.ndarray: job_info.y_resolution = self.conditions["y_resolution"] job_info.lambdas = (self.conditions["lamb"], self.conditions["lamb"]) job_info.bkg = 0.0 - # Calculations try: reflection_list = CFML_api.ReflectionList( cell, space_group, True, job_info ) - reflection_list.compute_structure_factors( space_group, atom_list, job_info ) - diffraction_pattern = CFML_api.DiffractionPattern( job_info, reflection_list, cell.reciprocal_cell_vol ) @@ -181,7 +178,8 @@ def nonPolarized_update( for i in range(reflection_list.nref) ] ) - if hkltth: + + if len(hkltth) > 1: hkl_dict = { "ttheta": np.rad2deg(np.arcsin(hkltth[:, 3] * job_info.lambdas[0])) * 2, From 81a28a5c1f2da93ab25b99b8b0123db41b81a7ae Mon Sep 17 00:00:00 2001 From: Piotr Rozyczko Date: Tue, 21 Mar 2023 10:44:38 +0100 Subject: [PATCH 50/52] Bumped release version Commented out GSAS in toml/requirements Try linking pypi versions of EX and EC --- README.md | 2 +- pyproject.toml | 12 ++++++------ requirements.txt | 2 +- 3 files changed, 8 insertions(+), 8 deletions(-) diff --git a/README.md b/README.md index 96e38296..e72c687e 100644 --- a/README.md +++ b/README.md @@ -6,7 +6,7 @@ **easydiffractionLib** is a Python library which provides: * Scripting interface to simulate and analyse neutron diffraction patterns. * Multiple optimization algorithms to minimize models to experimental data: [Lmfit](https://lmfit.github.io/lmfit-py/), [Bumps](https://github.com/bumps/bumps) and [DFO_LS](https://github.com/numericalalgorithmsgroup/dfols). -* Multiple calculation engines: [CrysPy](https://github.com/ikibalin/cryspy), [CrysFML](https://www.ill.eu/sites/fullprof/php/programs24b7.html?pagina=Crysfml), [GSAS-II](https://subversion.xray.aps.anl.gov/trac/pyGSAS). +* Multiple calculation engines: [CrysPy](https://github.com/ikibalin/cryspy), [CrysFML](https://www.ill.eu/sites/fullprof/php/programs24b7.html?pagina=Crysfml). **easydiffractionLib** is the foundation of [**easyDiffraction**](https://github.com/easyScience/easyDiffraction), an intuitive application which endeavors simplifying and accelerating the analysis of diffraction experiments. diff --git a/pyproject.toml b/pyproject.toml index 2eaf9f12..ca93fd58 100644 --- a/pyproject.toml +++ b/pyproject.toml @@ -13,7 +13,7 @@ repo = 'easyDiffractionLib' [tool.poetry] name = "easyDiffraction" -version = "0.0.8" +version = "0.0.9" description = 'Making diffraction data analysis and modelling easy.' license = "BSD-3-Clause" authors = ["Simon Ward", "Andrew Sazonov", "Piotr Rozyczko"] @@ -39,13 +39,13 @@ default = false python = "^3.8, <3.11" cryspy = { git = 'https://github.com/ikibalin/cryspy.git', rev = 'bravis_type_fix' } # easyScience -# easyScienceCore = "^0.3.0" -# easyCrystallography = "^0.3.0" -easyScienceCore = { git = 'https://github.com/easyScience/easyCore.git', rev = 'master' } -easyCrystallography = { git = 'https://github.com/easyScience/easyCrystallography.git', rev = 'master' } +easyScienceCore = "^0.3.0" +easyCrystallography = "^0.3.0" +# easyScienceCore = { git = 'https://github.com/easyScience/easyCore.git', rev = 'master' } +# easyCrystallography = { git = 'https://github.com/easyScience/easyCrystallography.git', rev = 'master' } pycifrw = "^4.4.1" CFML = '^0.0.1' -GSASII = {version = '^0.0.1', optional=true} +# GSASII = {version = '^0.0.1', optional=true} "diffpy.pdffit2" = "0.0.0" "diffpy.utils" = "^3.0.0" diff --git a/requirements.txt b/requirements.txt index f549e4cc..8b3263db 100644 --- a/requirements.txt +++ b/requirements.txt @@ -4,5 +4,5 @@ easysciencecore==0.2.3 easycrystallography==0.1.2 pycifrw cfml==0.0.1 -gsasii==0.0.1 +# gsasii==0.0.1 pdffit2==0.0.0 From d7563699b450964a3b49b7709c323101a0cd477f Mon Sep 17 00:00:00 2001 From: Piotr Rozyczko Date: Fri, 24 Mar 2023 17:27:17 +0100 Subject: [PATCH 51/52] Updated notebooks and added missed method in CryspyV2 interface --- easyDiffractionLib/Interfaces/cryspyV2.py | 30 + examples/Fitting.ipynb | 31 +- examples/Fitting_multiphase.ipynb | 21 +- examples/Polarized.ipynb | 826 +++++++--------------- examples/Simulation.ipynb | 629 ++-------------- 5 files changed, 364 insertions(+), 1173 deletions(-) diff --git a/easyDiffractionLib/Interfaces/cryspyV2.py b/easyDiffractionLib/Interfaces/cryspyV2.py index 202d9161..afe8edc9 100644 --- a/easyDiffractionLib/Interfaces/cryspyV2.py +++ b/easyDiffractionLib/Interfaces/cryspyV2.py @@ -711,6 +711,36 @@ def fit_func(self, x_array: np.ndarray, *args, **kwargs) -> Union[np.ndarray, No ) return calculation + def generate_pol_fit_func( + self, + x_array: np.ndarray, + spin_up: np.ndarray, + spin_down: np.ndarray, + components: List[Callable], + ) -> Callable: + num_components = len(components) + dummy_x = np.repeat(x_array[..., np.newaxis], num_components, axis=x_array.ndim) + calculated_y = np.array( + [fun(spin_up, spin_down) for fun in components] + ).swapaxes(0, x_array.ndim) + + def pol_fit_fuction(dummy_x: np.ndarray, **kwargs) -> np.ndarray: + results, results_dict = self.calculator.full_calculate( + x_array, pol_fn=components[0], **kwargs + ) + phases = list(results_dict["phases"].keys())[0] + up, down = ( + results_dict["phases"][phases]["components"]["up"], + results_dict["phases"][phases]["components"]["down"], + ) + bg = results_dict["f_background"] + sim_y = np.array( + [fun(up, down) + fun(bg, bg) for fun in components] + ).swapaxes(0, x_array.ndim) + return sim_y.flatten() + + return dummy_x.flatten(), calculated_y.flatten(), pol_fit_fuction + def get_hkl( self, x_array: np.ndarray = None, diff --git a/examples/Fitting.ipynb b/examples/Fitting.ipynb index e0993e1d..1366e08c 100644 --- a/examples/Fitting.ipynb +++ b/examples/Fitting.ipynb @@ -49,9 +49,8 @@ "\n", "# esyScience, diffraction\n", "from easyDiffractionLib import Phases\n", - "from easyDiffractionLib.sample import Sample as Job\n", + "from easyDiffractionLib.Jobs import Powder1DCW\n", "from easyDiffractionLib.interface import InterfaceFactory as Calculator\n", - "from easyDiffractionLib.elements.Experiments.Pattern import Pattern1D\n", "from easyDiffractionLib.elements.Backgrounds.Point import PointBackground, BackgroundPoint\n", "from easyDiffractionLib.Profiles.P1D import Instrument1DCWParameters as CWParams\n", "\n", @@ -166,7 +165,7 @@ "outputs": [], "source": [ "structure = py3Dmol.view()\n", - "structure.addModel(phase.to_cif_str(), 'cif')\n", + "structure.addModel(phase.cif, 'cif')\n", "structure.setStyle({'sphere':{'colorscheme':'Jmol','scale':.2},'stick':{'colorscheme':'Jmol','radius': 0.1}})\n", "structure.addUnitCell()\n", "structure.replicateUnitCell(2,2,1)\n", @@ -252,10 +251,10 @@ "cell_type": "code", "execution_count": null, "metadata": { - "tags": [], "pycharm": { "name": "#%%\n" - } + }, + "tags": [] }, "outputs": [], "source": [ @@ -322,7 +321,7 @@ }, "outputs": [], "source": [ - "job = Job(phases=phases, parameters=CWParams.default(), interface=calculator)" + "job = Powder1DCW(\"PbSO4\", phases=phases, parameters=CWParams(), interface=calculator)" ] }, { @@ -364,10 +363,10 @@ "cell_type": "code", "execution_count": null, "metadata": { - "tags": [], "pycharm": { "name": "#%%\n" - } + }, + "tags": [] }, "outputs": [], "source": [ @@ -501,7 +500,7 @@ }, "outputs": [], "source": [ - "calc_y_cryspy = calculator.fit_func(meas_x)\n", + "calc_y_cryspy = job.create_simulation(meas_x)\n", "\n", "fig = figure(width=FIGURE_WIDTH, height=FIGURE_HEIGHT)\n", "fig.line(meas_x, meas_y, legend_label='Imeas', color='steelblue', line_width=2)\n", @@ -643,7 +642,7 @@ }, "outputs": [], "source": [ - "calc_y_cryspy = calculator.fit_func(meas_x)\n", + "calc_y_cryspy = job.create_simulation(meas_x)\n", "\n", "fig = figure(width=FIGURE_WIDTH, height=FIGURE_HEIGHT)\n", "fig.line(meas_x, meas_y, legend_label='Imeas', color='steelblue', line_width=2)\n", @@ -686,7 +685,9 @@ }, "outputs": [], "source": [ - "job.interface.switch('CrysFML', fitter=fitter)" + "calculator.switch('CrysFML')\n", + "job.interface = calculator\n", + "fitter = Fitter(job, calculator.fit_func)\n" ] }, { @@ -724,7 +725,7 @@ }, "outputs": [], "source": [ - "calc_y_crysfml = calculator.fit_func(meas_x)\n", + "calc_y_crysfml = job.create_simulation(meas_x)\n", "\n", "fig = figure(width=FIGURE_WIDTH, height=FIGURE_HEIGHT)\n", "fig.line(meas_x, meas_y, legend_label='Imeas', color='steelblue', line_width=2)\n", @@ -801,7 +802,7 @@ }, "outputs": [], "source": [ - "calc_y_crysfml = calculator.fit_func(meas_x)\n", + "calc_y_crysfml = job.create_simulation(meas_x)\n", "\n", "fig = figure(width=FIGURE_WIDTH, height=FIGURE_HEIGHT)\n", "fig.line(meas_x, meas_y, legend_label='Imeas', color='steelblue', line_width=2)\n", @@ -865,9 +866,9 @@ "name": "python", "nbconvert_exporter": "python", "pygments_lexer": "ipython3", - "version": "3.7.9" + "version": "3.8.15" } }, "nbformat": 4, "nbformat_minor": 4 -} \ No newline at end of file +} diff --git a/examples/Fitting_multiphase.ipynb b/examples/Fitting_multiphase.ipynb index 0de056a9..1692d3e2 100644 --- a/examples/Fitting_multiphase.ipynb +++ b/examples/Fitting_multiphase.ipynb @@ -33,10 +33,9 @@ "\n", "# esyScience, diffraction\n", "from easyDiffractionLib import Phases\n", - "from easyDiffractionLib.sample import Sample as Job\n", + "from easyDiffractionLib.Jobs import Powder1DCW\n", "from easyDiffractionLib.interface import InterfaceFactory as Calculator\n", - "from easyDiffractionLib.Elements.Experiments.Pattern import Pattern1D\n", - "from easyDiffractionLib.Elements.Backgrounds.Point import PointBackground, BackgroundPoint\n", + "from easyDiffractionLib.elements.Backgrounds.Point import PointBackground, BackgroundPoint\n", "from easyDiffractionLib.Profiles.P1D import Instrument1DCWParameters as CWParams\n", "\n", "# Vizualization\n", @@ -115,7 +114,7 @@ "outputs": [], "source": [ "structure = py3Dmol.view()\n", - "structure.addModel(phase_alpha.to_cif_str(), 'cif')\n", + "structure.addModel(phase_alpha.cif, 'cif')\n", "structure.setStyle({'sphere':{'colorscheme':'Jmol','scale':.2},'stick':{'colorscheme':'Jmol','radius': 0.1}})\n", "structure.addUnitCell()\n", "structure.replicateUnitCell(2,2,1)\n", @@ -136,7 +135,7 @@ "outputs": [], "source": [ "structure_2 = py3Dmol.view()\n", - "structure_2.addModel(phase_beta.to_cif_str(), 'cif')\n", + "structure_2.addModel(phase_beta.cif, 'cif')\n", "structure_2.setStyle({'sphere':{'colorscheme':'Jmol','scale':.2},'stick':{'colorscheme':'Jmol','radius': 0.1}})\n", "structure_2.addUnitCell()\n", "structure_2.replicateUnitCell(2,2,1)\n", @@ -225,7 +224,7 @@ "metadata": {}, "outputs": [], "source": [ - "job = Job(phases=phases, parameters=CWParams.default(), calculator=calculator)" + "job = Powder1DCW('Multiphase', phases=phases, parameters=CWParams(), interface=calculator)" ] }, { @@ -248,7 +247,7 @@ "metadata": {}, "outputs": [], "source": [ - "calc_y_cryspy = calculator.fit_func(meas_x)" + "calc_y_cryspy = job.create_simulation(meas_x)" ] }, { @@ -340,7 +339,7 @@ "metadata": {}, "outputs": [], "source": [ - "calc_y_cryspy = calculator.fit_func(meas_x)\n", + "calc_y_cryspy = job.create_simulation(meas_x)\n", "\n", "calc_y_cryspy = calculator.get_total_y_for_phases()[1]\n", "calc_y_cryspy = calculator.get_calculated_y_for_phase(1)\n", @@ -377,7 +376,7 @@ "metadata": {}, "outputs": [], "source": [ - "calc_y_cryspy = calculator.fit_func(meas_x)\n", + "calc_y_cryspy = job.create_simulation(meas_x)\n", "\n", "%matplotlib widget\n", "plt.plot(meas_x, meas_y, label='Imeas')\n", @@ -485,7 +484,7 @@ "metadata": {}, "outputs": [], "source": [ - "calc_y_cryspy = calculator.fit_func(meas_x)\n", + "calc_y_cryspy = job.create_simulation(meas_x)\n", "\n", "%matplotlib widget\n", "plt.plot(meas_x, meas_y, label='Imeas')\n", @@ -518,7 +517,7 @@ "name": "python", "nbconvert_exporter": "python", "pygments_lexer": "ipython3", - "version": "3.7.10" + "version": "3.8.15" } }, "nbformat": 4, diff --git a/examples/Polarized.ipynb b/examples/Polarized.ipynb index e5d9c163..02d9476c 100644 --- a/examples/Polarized.ipynb +++ b/examples/Polarized.ipynb @@ -15,61 +15,14 @@ }, { "cell_type": "code", - "execution_count": 1, + "execution_count": null, "id": "9ecc4733", "metadata": { "pycharm": { "name": "#%%\n" } }, - "outputs": [ - { - "name": "stdout", - "output_type": "stream", - "text": [ - "Warning: CrysFML is not installed\n", - "Warning: GSAS-2 is not installed\n" - ] - }, - { - "data": { - "application/javascript": "(function(root) {\n function now() {\n return new Date();\n }\n\n var force = true;\n\n if (typeof root._bokeh_onload_callbacks === \"undefined\" || force === true) {\n root._bokeh_onload_callbacks = [];\n root._bokeh_is_loading = undefined;\n }\n\n if (typeof (root._bokeh_timeout) === \"undefined\" || force === true) {\n root._bokeh_timeout = Date.now() + 5000;\n root._bokeh_failed_load = false;\n }\n\n function run_callbacks() {\n try {\n root._bokeh_onload_callbacks.forEach(function(callback) {\n if (callback != null)\n callback();\n });\n } finally {\n delete root._bokeh_onload_callbacks\n }\n console.debug(\"Bokeh: all callbacks have finished\");\n }\n\n function load_libs(css_urls, js_urls, js_modules, callback) {\n if (css_urls == null) css_urls = [];\n if (js_urls == null) js_urls = [];\n if (js_modules == null) js_modules = [];\n\n root._bokeh_onload_callbacks.push(callback);\n if (root._bokeh_is_loading > 0) {\n console.debug(\"Bokeh: BokehJS is being loaded, scheduling callback at\", now());\n return null;\n }\n if (js_urls.length === 0 && js_modules.length === 0) {\n run_callbacks();\n return null;\n }\n console.debug(\"Bokeh: BokehJS not loaded, scheduling load and callback at\", now());\n\n function on_load() {\n root._bokeh_is_loading--;\n if (root._bokeh_is_loading === 0) {\n console.debug(\"Bokeh: all BokehJS libraries/stylesheets loaded\");\n run_callbacks()\n }\n }\n\n function on_error() {\n console.error(\"failed to load \" + url);\n }\n\n for (var i = 0; i < css_urls.length; i++) {\n var url = css_urls[i];\n const element = document.createElement(\"link\");\n element.onload = on_load;\n element.onerror = on_error;\n element.rel = \"stylesheet\";\n element.type = \"text/css\";\n element.href = url;\n console.debug(\"Bokeh: injecting link tag for BokehJS stylesheet: \", url);\n document.body.appendChild(element);\n }\n\n var skip = [];\n if (window.requirejs) {\n window.requirejs.config({'packages': {}, 'paths': {'gridstack': 'https://cdn.jsdelivr.net/npm/gridstack@4.2.5/dist/gridstack-h5', 'notyf': 'https://cdn.jsdelivr.net/npm/notyf@3/notyf.min'}, 'shim': {'gridstack': {'exports': 'GridStack'}}});\n require([\"gridstack\"], function(GridStack) {\n\twindow.GridStack = GridStack\n\ton_load()\n })\n require([\"notyf\"], function() {\n\ton_load()\n })\n root._bokeh_is_loading = css_urls.length + 2;\n } else {\n root._bokeh_is_loading = css_urls.length + js_urls.length + js_modules.length;\n } if (((window['GridStack'] !== undefined) && (!(window['GridStack'] instanceof HTMLElement))) || window.requirejs) {\n var urls = ['https://cdn.jsdelivr.net/npm/gridstack@4.2.5/dist/gridstack-h5.js'];\n for (var i = 0; i < urls.length; i++) {\n skip.push(urls[i])\n }\n } if (((window['Notyf'] !== undefined) && (!(window['Notyf'] instanceof HTMLElement))) || window.requirejs) {\n var urls = ['https://cdn.jsdelivr.net/npm/notyf@3/notyf.min.js'];\n for (var i = 0; i < urls.length; i++) {\n skip.push(urls[i])\n }\n } for (var i = 0; i < js_urls.length; i++) {\n var url = js_urls[i];\n if (skip.indexOf(url) >= 0) {\n\tif (!window.requirejs) {\n\t on_load();\n\t}\n\tcontinue;\n }\n var element = document.createElement('script');\n element.onload = on_load;\n element.onerror = on_error;\n element.async = false;\n element.src = url;\n console.debug(\"Bokeh: injecting script tag for BokehJS library: \", url);\n document.head.appendChild(element);\n }\n for (var i = 0; i < js_modules.length; i++) {\n var url = js_modules[i];\n if (skip.indexOf(url) >= 0) {\n\tif (!window.requirejs) {\n\t on_load();\n\t}\n\tcontinue;\n }\n var element = document.createElement('script');\n element.onload = on_load;\n element.onerror = on_error;\n element.async = false;\n element.src = url;\n element.type = \"module\";\n console.debug(\"Bokeh: injecting script tag for BokehJS library: \", url);\n document.head.appendChild(element);\n }\n if (!js_urls.length && !js_modules.length) {\n on_load()\n }\n };\n\n function inject_raw_css(css) {\n const element = document.createElement(\"style\");\n element.appendChild(document.createTextNode(css));\n document.body.appendChild(element);\n }\n\n var js_urls = [\"https://cdn.jsdelivr.net/npm/notyf@3/notyf.min.js\"];\n var js_modules = [];\n var css_urls = [\"https://cdn.jsdelivr.net/npm/notyf@3/notyf.min.css\", \"https://cdnjs.cloudflare.com/ajax/libs/font-awesome/5.15.1/css/all.min.css\"];\n var inline_js = [ function(Bokeh) {\n inject_raw_css(\".bk.debugger-card {\\n border: 1px solid rgba(0,0,0,1);\\n color: rgba(255,255,255,1);\\n background-color: rgba(0,0,0,1);\\n border-radius: 0rem;\\n}\\n.bk.debugger-card-header {\\n align-items: center;\\n text-align: left;\\n background-color: rgba(0, 0, 0, 1)!important;\\n color: rgba(255, 255, 255, 1);\\n border-radius: 0rem;\\n display: inline-flex;\\n justify-content: start;\\n width: 100%;\\n}\\n.bk.debugger-card-button {\\n background-color: transparent;\\n color: rgba(255, 255, 255, 1);\\n margin-left: 0.5em;\\n}\\n.bk.debugger-card-title {\\n align-items: center;\\n text-align: left;\\n color: rgba(255, 255, 255, 1);\\n font-size: 1em;\\n overflow-wrap: break-word;\\n}\\n\\n/* Special debugger buttons for clearing and saving */\\n.bk button.special_btn {\\n width: 25px;\\n height: 25px;\\n background-color: black;\\n color: white;\\n display: inline-block;\\n}\\n\\n\\n.bk button.special_btn .tooltiptext {\\n visibility: hidden;\\n width: 100px;\\n background-color: darkgray;\\n color: #fff;\\n text-align: center;\\n border-radius: 6px;\\n padding: 5px 0;\\n\\n /* Position the tooltip */\\n position: relative;\\n z-index: 1;\\n top: 100%;\\n left: 100%;\\n margin-left: -100px;\\n display: block;\\n}\\n\\n.bk button.special_btn:hover .tooltiptext {\\n visibility: visible;\\n}\\n\\n\\n\\n.bk button.clear_btn:hover .shown { display: none;}\\n.bk button.clear_btn:hover:before { content: \\\"\\u2611\\\"; }\\n\");\n }, function(Bokeh) {\n inject_raw_css(\".bk.panel-widget-box {\\n min-height: 20px;\\n background-color: #f5f5f5;\\n border: 1px solid #e3e3e3;\\n border-radius: 4px;\\n -webkit-box-shadow: inset 0 1px 1px rgba(0,0,0,.05);\\n box-shadow: inset 0 1px 1px rgba(0,0,0,.05);\\n overflow-x: hidden;\\n overflow-y: hidden;\\n}\\n\\n.scrollable {\\n overflow: scroll;\\n}\\n\\nprogress {\\n appearance: none;\\n -moz-appearance: none;\\n -webkit-appearance: none;\\n border: none;\\n height: 20px;\\n background-color: whiteSmoke;\\n border-radius: 3px;\\n box-shadow: 0 2px 3px rgba(0,0,0,.5) inset;\\n color: royalblue;\\n position: relative;\\n margin: 0 0 1.5em;\\n}\\n\\nprogress[value]::-webkit-progress-bar {\\n background-color: whiteSmoke;\\n border-radius: 3px;\\n box-shadow: 0 2px 3px rgba(0,0,0,.5) inset;\\n}\\n\\nprogress[value]::-webkit-progress-value {\\n position: relative;\\n background-size: 35px 20px, 100% 100%, 100% 100%;\\n border-radius:3px;\\n}\\n\\nprogress.active:not([value])::before {\\n background-position: 10%;\\n animation-name: stripes;\\n animation-duration: 3s;\\n animation-timing-function: linear;\\n animation-iteration-count: infinite;\\n}\\n\\nprogress[value]::-moz-progress-bar {\\n background-size: 35px 20px, 100% 100%, 100% 100%;\\n border-radius:3px;\\n}\\n\\nprogress:not([value])::-moz-progress-bar {\\n border-radius:3px;\\n background: linear-gradient(-45deg, transparent 33%, rgba(0, 0, 0, 0.2) 33%, rgba(0, 0, 0, 0.2) 66%, transparent 66%) left/2.5em 1.5em;\\n}\\n\\nprogress.active:not([value])::-moz-progress-bar {\\n background-position: 10%;\\n animation-name: stripes;\\n animation-duration: 3s;\\n animation-timing-function: linear;\\n animation-iteration-count: infinite;\\n}\\n\\nprogress.active:not([value])::-webkit-progress-bar {\\n background-position: 10%;\\n animation-name: stripes;\\n animation-duration: 3s;\\n animation-timing-function: linear;\\n animation-iteration-count: infinite;\\n}\\n\\nprogress.primary[value]::-webkit-progress-value { background-color: #007bff; }\\nprogress.primary:not([value])::before { background-color: #007bff; }\\nprogress.primary:not([value])::-webkit-progress-bar { background-color: #007bff; }\\nprogress.primary::-moz-progress-bar { background-color: #007bff; }\\n\\nprogress.secondary[value]::-webkit-progress-value { background-color: #6c757d; }\\nprogress.secondary:not([value])::before { background-color: #6c757d; }\\nprogress.secondary:not([value])::-webkit-progress-bar { background-color: #6c757d; }\\nprogress.secondary::-moz-progress-bar { background-color: #6c757d; }\\n\\nprogress.success[value]::-webkit-progress-value { background-color: #28a745; }\\nprogress.success:not([value])::before { background-color: #28a745; }\\nprogress.success:not([value])::-webkit-progress-bar { background-color: #28a745; }\\nprogress.success::-moz-progress-bar { background-color: #28a745; }\\n\\nprogress.danger[value]::-webkit-progress-value { background-color: #dc3545; }\\nprogress.danger:not([value])::before { background-color: #dc3545; }\\nprogress.danger:not([value])::-webkit-progress-bar { background-color: #dc3545; }\\nprogress.danger::-moz-progress-bar { background-color: #dc3545; }\\n\\nprogress.warning[value]::-webkit-progress-value { background-color: #ffc107; }\\nprogress.warning:not([value])::before { background-color: #ffc107; }\\nprogress.warning:not([value])::-webkit-progress-bar { background-color: #ffc107; }\\nprogress.warning::-moz-progress-bar { background-color: #ffc107; }\\n\\nprogress.info[value]::-webkit-progress-value { background-color: #17a2b8; }\\nprogress.info:not([value])::before { background-color: #17a2b8; }\\nprogress.info:not([value])::-webkit-progress-bar { background-color: #17a2b8; }\\nprogress.info::-moz-progress-bar { background-color: #17a2b8; }\\n\\nprogress.light[value]::-webkit-progress-value { background-color: #f8f9fa; }\\nprogress.light:not([value])::before { background-color: #f8f9fa; }\\nprogress.light:not([value])::-webkit-progress-bar { background-color: #f8f9fa; }\\nprogress.light::-moz-progress-bar { background-color: #f8f9fa; }\\n\\nprogress.dark[value]::-webkit-progress-value { background-color: #343a40; }\\nprogress.dark:not([value])::-webkit-progress-bar { background-color: #343a40; }\\nprogress.dark:not([value])::before { background-color: #343a40; }\\nprogress.dark::-moz-progress-bar { background-color: #343a40; }\\n\\nprogress:not([value])::-webkit-progress-bar {\\n border-radius: 3px;\\n background: linear-gradient(-45deg, transparent 33%, rgba(0, 0, 0, 0.2) 33%, rgba(0, 0, 0, 0.2) 66%, transparent 66%) left/2.5em 1.5em;\\n}\\nprogress:not([value])::before {\\n content:\\\" \\\";\\n position:absolute;\\n height: 20px;\\n top:0;\\n left:0;\\n right:0;\\n bottom:0;\\n border-radius: 3px;\\n background: linear-gradient(-45deg, transparent 33%, rgba(0, 0, 0, 0.2) 33%, rgba(0, 0, 0, 0.2) 66%, transparent 66%) left/2.5em 1.5em;\\n}\\n\\n@keyframes stripes {\\n from {background-position: 0%}\\n to {background-position: 100%}\\n}\\n\\n.bk-root .bk.loader {\\n overflow: hidden;\\n}\\n\\n.bk.loader::after {\\n content: \\\"\\\";\\n border-radius: 50%;\\n -webkit-mask-image: radial-gradient(transparent 50%, rgba(0, 0, 0, 1) 54%);\\n width: 100%;\\n height: 100%;\\n left: 0;\\n top: 0;\\n position: absolute;\\n}\\n\\n.bk-root .bk.loader.dark::after {\\n background: #0f0f0f;\\n}\\n\\n.bk-root .bk.loader.light::after {\\n background: #f0f0f0;\\n}\\n\\n.bk-root .bk.loader.spin::after {\\n animation: spin 2s linear infinite;\\n}\\n\\n.bk-root div.bk.loader.spin.primary-light::after {\\n background: linear-gradient(135deg, #f0f0f0 50%, transparent 50%), linear-gradient(45deg, #f0f0f0 50%, #007bff 50%);\\n}\\n\\n.bk-root div.bk.loader.spin.secondary-light::after {\\n background: linear-gradient(135deg, #f0f0f0 50%, transparent 50%), linear-gradient(45deg, #f0f0f0 50%, #6c757d 50%);\\n}\\n\\n.bk-root div.bk.loader.spin.success-light::after {\\n background: linear-gradient(135deg, #f0f0f0 50%, transparent 50%), linear-gradient(45deg, #f0f0f0 50%, #28a745 50%);\\n}\\n\\n.bk-root div.bk.loader.spin.danger-light::after {\\n background: linear-gradient(135deg, #f0f0f0 50%, transparent 50%), linear-gradient(45deg, #f0f0f0 50%, #dc3545 50%);\\n}\\n\\n.bk-root div.bk.loader.spin.warning-light::after {\\n background: linear-gradient(135deg, #f0f0f0 50%, transparent 50%), linear-gradient(45deg, #f0f0f0 50%, #ffc107 50%);\\n}\\n\\n.bk-root div.bk.loader.spin.info-light::after {\\n background: linear-gradient(135deg, #f0f0f0 50%, transparent 50%), linear-gradient(45deg, #f0f0f0 50%, #17a2b8 50%);\\n}\\n\\n.bk-root div.bk.loader.spin.light-light::after {\\n background: linear-gradient(135deg, #f0f0f0 50%, transparent 50%), linear-gradient(45deg, #f0f0f0 50%, #f8f9fa 50%);\\n}\\n\\n.bk-root div.bk.loader.dark-light::after {\\n background: linear-gradient(135deg, #f0f0f0 50%, transparent 50%), linear-gradient(45deg, #f0f0f0 50%, #343a40 50%);\\n}\\n\\n.bk-root div.bk.loader.spin.primary-dark::after {\\n background: linear-gradient(135deg, #0f0f0f 50%, transparent 50%), linear-gradient(45deg, #0f0f0f 50%, #007bff 50%);\\n}\\n\\n.bk-root div.bk.loader.spin.secondary-dark::after {\\n background: linear-gradient(135deg, #0f0f0f 50%, transparent 50%), linear-gradient(45deg, #0f0f0f 50%, #6c757d 50%);\\n}\\n\\n.bk-root div.bk.loader.spin.success-dark::after {\\n background: linear-gradient(135deg, #0f0f0f 50%, transparent 50%), linear-gradient(45deg, #0f0f0f 50%, #28a745 50%);\\n}\\n\\n.bk-root div.bk.loader.spin.danger-dark::after {\\n background: linear-gradient(135deg, #0f0f0f 50%, transparent 50%), linear-gradient(45deg, #0f0f0f 50%, #dc3545 50%)\\n}\\n\\n.bk-root div.bk.loader.spin.warning-dark::after {\\n background: linear-gradient(135deg, #0f0f0f 50%, transparent 50%), linear-gradient(45deg, #0f0f0f 50%, #ffc107 50%);\\n}\\n\\n.bk-root div.bk.loader.spin.info-dark::after {\\n background: linear-gradient(135deg, #0f0f0f 50%, transparent 50%), linear-gradient(45deg, #0f0f0f 50%, #17a2b8 50%);\\n}\\n\\n.bk-root div.bk.loader.spin.light-dark::after {\\n background: linear-gradient(135deg, #0f0f0f 50%, transparent 50%), linear-gradient(45deg, #0f0f0f 50%, #f8f9fa 50%);\\n}\\n\\n.bk-root div.bk.loader.spin.dark-dark::after {\\n background: linear-gradient(135deg, #0f0f0f 50%, transparent 50%), linear-gradient(45deg, #0f0f0f 50%, #343a40 50%);\\n}\\n\\n/* Safari */\\n@-webkit-keyframes spin {\\n 0% { -webkit-transform: rotate(0deg); }\\n 100% { -webkit-transform: rotate(360deg); }\\n}\\n\\n@keyframes spin {\\n 0% { transform: rotate(0deg); }\\n 100% { transform: rotate(360deg); }\\n}\\n\\n.dot div {\\n height: 100%;\\n width: 100%;\\n border: 1px solid #000 !important;\\n background-color: #fff;\\n border-radius: 50%;\\n display: inline-block;\\n}\\n\\n.dot-filled div {\\n height: 100%;\\n width: 100%;\\n border: 1px solid #000 !important;\\n border-radius: 50%;\\n display: inline-block;\\n}\\n\\n.dot-filled.primary div {\\n background-color: #007bff;\\n}\\n\\n.dot-filled.secondary div {\\n background-color: #6c757d;\\n}\\n\\n.dot-filled.success div {\\n background-color: #28a745;\\n}\\n\\n.dot-filled.danger div {\\n background-color: #dc3545;\\n}\\n\\n.dot-filled.warning div {\\n background-color: #ffc107;\\n}\\n\\n.dot-filled.info div {\\n background-color: #17a2b8;\\n}\\n\\n.dot-filled.dark div {\\n background-color: #343a40;\\n}\\n\\n.dot-filled.light div {\\n background-color: #f8f9fa;\\n}\\n\\n/* Slider editor */\\n.slider-edit .bk-input-group .bk-input {\\n border: 0;\\n border-radius: 0;\\n min-height: 0;\\n padding-left: 0;\\n padding-right: 0;\\n font-weight: bold;\\n}\\n\\n.slider-edit .bk-input-group .bk-spin-wrapper {\\n display: contents;\\n}\\n\\n.slider-edit .bk-input-group .bk-spin-wrapper .bk.bk-spin-btn-up {\\n top: -6px;\\n}\\n\\n.slider-edit .bk-input-group .bk-spin-wrapper .bk.bk-spin-btn-down {\\n bottom: 3px;\\n}\\n\\n/* JSON Pane */\\n.bk-root .json-formatter-row .json-formatter-string, .bk-root .json-formatter-row .json-formatter-stringifiable {\\n white-space: pre-wrap;\\n}\\n\\n.ql-bubble .ql-editor {\\n border: 1px solid #ccc;\\n}\\n\");\n }, function(Bokeh) {\n inject_raw_css(\"table.panel-df {\\n margin-left: auto;\\n margin-right: auto;\\n border: none;\\n border-collapse: collapse;\\n border-spacing: 0;\\n color: black;\\n font-size: 12px;\\n table-layout: fixed;\\n width: 100%;\\n}\\n\\n.panel-df tr, .panel-df th, .panel-df td {\\n text-align: right;\\n vertical-align: middle;\\n padding: 0.5em 0.5em !important;\\n line-height: normal;\\n white-space: normal;\\n max-width: none;\\n border: none;\\n}\\n\\n.panel-df tbody {\\n display: table-row-group;\\n vertical-align: middle;\\n border-color: inherit;\\n}\\n\\n.panel-df tbody tr:nth-child(odd) {\\n background: #f5f5f5;\\n}\\n\\n.panel-df thead {\\n border-bottom: 1px solid black;\\n vertical-align: bottom;\\n}\\n\\n.panel-df tr:hover {\\n background: lightblue !important;\\n cursor: pointer;\\n}\\n\");\n }, function(Bokeh) {\n inject_raw_css(\".bk.pn-loading:before {\\n position: absolute;\\n height: 100%;\\n width: 100%;\\n content: '';\\n z-index: 1000;\\n background-color: rgb(255,255,255,0.50);\\n border-color: lightgray;\\n background-repeat: no-repeat;\\n background-position: center;\\n background-size: auto 50%;\\n border-width: 1px;\\n cursor: progress;\\n}\\n.bk.pn-loading.arcs:hover:before {\\n cursor: progress;\\n}\\n\");\n }, function(Bokeh) {\n inject_raw_css(\".json-formatter-row {\\n font-family: monospace;\\n}\\n.json-formatter-row,\\n.json-formatter-row a,\\n.json-formatter-row a:hover {\\n color: black;\\n text-decoration: none;\\n}\\n.json-formatter-row .json-formatter-row {\\n margin-left: 1rem;\\n}\\n.json-formatter-row .json-formatter-children.json-formatter-empty {\\n opacity: 0.5;\\n margin-left: 1rem;\\n}\\n.json-formatter-row .json-formatter-children.json-formatter-empty:after {\\n display: none;\\n}\\n.json-formatter-row .json-formatter-children.json-formatter-empty.json-formatter-object:after {\\n content: \\\"No properties\\\";\\n}\\n.json-formatter-row .json-formatter-children.json-formatter-empty.json-formatter-array:after {\\n content: \\\"[]\\\";\\n}\\n.json-formatter-row .json-formatter-string,\\n.json-formatter-row .json-formatter-stringifiable {\\n color: green;\\n white-space: pre;\\n word-wrap: break-word;\\n}\\n.json-formatter-row .json-formatter-number {\\n color: blue;\\n}\\n.json-formatter-row .json-formatter-boolean {\\n color: red;\\n}\\n.json-formatter-row .json-formatter-null {\\n color: #855A00;\\n}\\n.json-formatter-row .json-formatter-undefined {\\n color: #ca0b69;\\n}\\n.json-formatter-row .json-formatter-function {\\n color: #FF20ED;\\n}\\n.json-formatter-row .json-formatter-date {\\n background-color: rgba(0, 0, 0, 0.05);\\n}\\n.json-formatter-row .json-formatter-url {\\n text-decoration: underline;\\n color: blue;\\n cursor: pointer;\\n}\\n.json-formatter-row .json-formatter-bracket {\\n color: blue;\\n}\\n.json-formatter-row .json-formatter-key {\\n color: #00008B;\\n padding-right: 0.2rem;\\n}\\n.json-formatter-row .json-formatter-toggler-link {\\n cursor: pointer;\\n}\\n.json-formatter-row .json-formatter-toggler {\\n line-height: 1.2rem;\\n font-size: 0.7rem;\\n vertical-align: middle;\\n opacity: 0.6;\\n cursor: pointer;\\n padding-right: 0.2rem;\\n}\\n.json-formatter-row .json-formatter-toggler:after {\\n display: inline-block;\\n transition: transform 100ms ease-in;\\n content: \\\"\\\\25BA\\\";\\n}\\n.json-formatter-row > a > .json-formatter-preview-text {\\n opacity: 0;\\n transition: opacity 0.15s ease-in;\\n font-style: italic;\\n}\\n.json-formatter-row:hover > a > .json-formatter-preview-text {\\n opacity: 0.6;\\n}\\n.json-formatter-row.json-formatter-open > .json-formatter-toggler-link .json-formatter-toggler:after {\\n transform: rotate(90deg);\\n}\\n.json-formatter-row.json-formatter-open > .json-formatter-children:after {\\n display: inline-block;\\n}\\n.json-formatter-row.json-formatter-open > a > .json-formatter-preview-text {\\n display: none;\\n}\\n.json-formatter-row.json-formatter-open.json-formatter-empty:after {\\n display: block;\\n}\\n.json-formatter-dark.json-formatter-row {\\n font-family: monospace;\\n}\\n.json-formatter-dark.json-formatter-row,\\n.json-formatter-dark.json-formatter-row a,\\n.json-formatter-dark.json-formatter-row a:hover {\\n color: white;\\n text-decoration: none;\\n}\\n.json-formatter-dark.json-formatter-row .json-formatter-row {\\n margin-left: 1rem;\\n}\\n.json-formatter-dark.json-formatter-row .json-formatter-children.json-formatter-empty {\\n opacity: 0.5;\\n margin-left: 1rem;\\n}\\n.json-formatter-dark.json-formatter-row .json-formatter-children.json-formatter-empty:after {\\n display: none;\\n}\\n.json-formatter-dark.json-formatter-row .json-formatter-children.json-formatter-empty.json-formatter-object:after {\\n content: \\\"No properties\\\";\\n}\\n.json-formatter-dark.json-formatter-row .json-formatter-children.json-formatter-empty.json-formatter-array:after {\\n content: \\\"[]\\\";\\n}\\n.json-formatter-dark.json-formatter-row .json-formatter-string,\\n.json-formatter-dark.json-formatter-row .json-formatter-stringifiable {\\n color: #31F031;\\n white-space: pre;\\n word-wrap: break-word;\\n}\\n.json-formatter-dark.json-formatter-row .json-formatter-number {\\n color: #66C2FF;\\n}\\n.json-formatter-dark.json-formatter-row .json-formatter-boolean {\\n color: #EC4242;\\n}\\n.json-formatter-dark.json-formatter-row .json-formatter-null {\\n color: #EEC97D;\\n}\\n.json-formatter-dark.json-formatter-row .json-formatter-undefined {\\n color: #ef8fbe;\\n}\\n.json-formatter-dark.json-formatter-row .json-formatter-function {\\n color: #FD48CB;\\n}\\n.json-formatter-dark.json-formatter-row .json-formatter-date {\\n background-color: rgba(255, 255, 255, 0.05);\\n}\\n.json-formatter-dark.json-formatter-row .json-formatter-url {\\n text-decoration: underline;\\n color: #027BFF;\\n cursor: pointer;\\n}\\n.json-formatter-dark.json-formatter-row .json-formatter-bracket {\\n color: #9494FF;\\n}\\n.json-formatter-dark.json-formatter-row .json-formatter-key {\\n color: #23A0DB;\\n padding-right: 0.2rem;\\n}\\n.json-formatter-dark.json-formatter-row .json-formatter-toggler-link {\\n cursor: pointer;\\n}\\n.json-formatter-dark.json-formatter-row .json-formatter-toggler {\\n line-height: 1.2rem;\\n font-size: 0.7rem;\\n vertical-align: middle;\\n opacity: 0.6;\\n cursor: pointer;\\n padding-right: 0.2rem;\\n}\\n.json-formatter-dark.json-formatter-row .json-formatter-toggler:after {\\n display: inline-block;\\n transition: transform 100ms ease-in;\\n content: \\\"\\\\25BA\\\";\\n}\\n.json-formatter-dark.json-formatter-row > a > .json-formatter-preview-text {\\n opacity: 0;\\n transition: opacity 0.15s ease-in;\\n font-style: italic;\\n}\\n.json-formatter-dark.json-formatter-row:hover > a > .json-formatter-preview-text {\\n opacity: 0.6;\\n}\\n.json-formatter-dark.json-formatter-row.json-formatter-open > .json-formatter-toggler-link .json-formatter-toggler:after {\\n transform: rotate(90deg);\\n}\\n.json-formatter-dark.json-formatter-row.json-formatter-open > .json-formatter-children:after {\\n display: inline-block;\\n}\\n.json-formatter-dark.json-formatter-row.json-formatter-open > a > .json-formatter-preview-text {\\n display: none;\\n}\\n.json-formatter-dark.json-formatter-row.json-formatter-open.json-formatter-empty:after {\\n display: block;\\n}\\n\");\n }, function(Bokeh) {\n inject_raw_css(\".bk.card {\\n border: 1px solid rgba(0,0,0,.125);\\n border-radius: 0.25rem;\\n}\\n.bk.accordion {\\n border: 1px solid rgba(0,0,0,.125);\\n}\\n.bk.card-header {\\n align-items: center;\\n background-color: rgba(0, 0, 0, 0.03);\\n border-radius: 0.25rem;\\n display: inline-flex;\\n justify-content: start;\\n width: 100%;\\n}\\n.bk.accordion-header {\\n align-items: center;\\n background-color: rgba(0, 0, 0, 0.03);\\n border-radius: 0;\\n display: flex;\\n justify-content: start;\\n width: 100%;\\n}\\n.bk.card-button {\\n background-color: transparent;\\n margin-left: 0.5em;\\n}\\n.bk.card-header-row {\\n position: relative !important;\\n}\\n.bk.card-title {\\n align-items: center;\\n font-size: 1.4em;\\n font-weight: bold;\\n overflow-wrap: break-word;\\n}\\n.bk.card-header-row > .bk {\\n overflow-wrap: break-word;\\n text-align: center;\\n}\\n\");\n }, function(Bokeh) {\n inject_raw_css(\".codehilite .hll { background-color: #ffffcc }\\n.codehilite { background: #f8f8f8; }\\n.codehilite .c { color: #408080; font-style: italic } /* Comment */\\n.codehilite .err { border: 1px solid #FF0000 } /* Error */\\n.codehilite .k { color: #008000; font-weight: bold } /* Keyword */\\n.codehilite .o { color: #666666 } /* Operator */\\n.codehilite .ch { color: #408080; font-style: italic } /* Comment.Hashbang */\\n.codehilite .cm { color: #408080; font-style: italic } /* Comment.Multiline */\\n.codehilite .cp { color: #BC7A00 } /* Comment.Preproc */\\n.codehilite .cpf { color: #408080; font-style: italic } /* Comment.PreprocFile */\\n.codehilite .c1 { color: #408080; font-style: italic } /* Comment.Single */\\n.codehilite .cs { color: #408080; font-style: italic } /* Comment.Special */\\n.codehilite .gd { color: #A00000 } /* Generic.Deleted */\\n.codehilite .ge { font-style: italic } /* Generic.Emph */\\n.codehilite .gr { color: #FF0000 } /* Generic.Error */\\n.codehilite .gh { color: #000080; font-weight: bold } /* Generic.Heading */\\n.codehilite .gi { color: #00A000 } /* Generic.Inserted */\\n.codehilite .go { color: #888888 } /* Generic.Output */\\n.codehilite .gp { color: #000080; font-weight: bold } /* Generic.Prompt */\\n.codehilite .gs { font-weight: bold } /* Generic.Strong */\\n.codehilite .gu { color: #800080; font-weight: bold } /* Generic.Subheading */\\n.codehilite .gt { color: #0044DD } /* Generic.Traceback */\\n.codehilite .kc { color: #008000; font-weight: bold } /* Keyword.Constant */\\n.codehilite .kd { color: #008000; font-weight: bold } /* Keyword.Declaration */\\n.codehilite .kn { color: #008000; font-weight: bold } /* Keyword.Namespace */\\n.codehilite .kp { color: #008000 } /* Keyword.Pseudo */\\n.codehilite .kr { color: #008000; font-weight: bold } /* Keyword.Reserved */\\n.codehilite .kt { color: #B00040 } /* Keyword.Type */\\n.codehilite .m { color: #666666 } /* Literal.Number */\\n.codehilite .s { color: #BA2121 } /* Literal.String */\\n.codehilite .na { color: #7D9029 } /* Name.Attribute */\\n.codehilite .nb { color: #008000 } /* Name.Builtin */\\n.codehilite .nc { color: #0000FF; font-weight: bold } /* Name.Class */\\n.codehilite .no { color: #880000 } /* Name.Constant */\\n.codehilite .nd { color: #AA22FF } /* Name.Decorator */\\n.codehilite .ni { color: #999999; font-weight: bold } /* Name.Entity */\\n.codehilite .ne { color: #D2413A; font-weight: bold } /* Name.Exception */\\n.codehilite .nf { color: #0000FF } /* Name.Function */\\n.codehilite .nl { color: #A0A000 } /* Name.Label */\\n.codehilite .nn { color: #0000FF; font-weight: bold } /* Name.Namespace */\\n.codehilite .nt { color: #008000; font-weight: bold } /* Name.Tag */\\n.codehilite .nv { color: #19177C } /* Name.Variable */\\n.codehilite .ow { color: #AA22FF; font-weight: bold } /* Operator.Word */\\n.codehilite .w { color: #bbbbbb } /* Text.Whitespace */\\n.codehilite .mb { color: #666666 } /* Literal.Number.Bin */\\n.codehilite .mf { color: #666666 } /* Literal.Number.Float */\\n.codehilite .mh { color: #666666 } /* Literal.Number.Hex */\\n.codehilite .mi { color: #666666 } /* Literal.Number.Integer */\\n.codehilite .mo { color: #666666 } /* Literal.Number.Oct */\\n.codehilite .sa { color: #BA2121 } /* Literal.String.Affix */\\n.codehilite .sb { color: #BA2121 } /* Literal.String.Backtick */\\n.codehilite .sc { color: #BA2121 } /* Literal.String.Char */\\n.codehilite .dl { color: #BA2121 } /* Literal.String.Delimiter */\\n.codehilite .sd { color: #BA2121; font-style: italic } /* Literal.String.Doc */\\n.codehilite .s2 { color: #BA2121 } /* Literal.String.Double */\\n.codehilite .se { color: #BB6622; font-weight: bold } /* Literal.String.Escape */\\n.codehilite .sh { color: #BA2121 } /* Literal.String.Heredoc */\\n.codehilite .si { color: #BB6688; font-weight: bold } /* Literal.String.Interpol */\\n.codehilite .sx { color: #008000 } /* Literal.String.Other */\\n.codehilite .sr { color: #BB6688 } /* Literal.String.Regex */\\n.codehilite .s1 { color: #BA2121 } /* Literal.String.Single */\\n.codehilite .ss { color: #19177C } /* Literal.String.Symbol */\\n.codehilite .bp { color: #008000 } /* Name.Builtin.Pseudo */\\n.codehilite .fm { color: #0000FF } /* Name.Function.Magic */\\n.codehilite .vc { color: #19177C } /* Name.Variable.Class */\\n.codehilite .vg { color: #19177C } /* Name.Variable.Global */\\n.codehilite .vi { color: #19177C } /* Name.Variable.Instance */\\n.codehilite .vm { color: #19177C } /* Name.Variable.Magic */\\n.codehilite .il { color: #666666 } /* Literal.Number.Integer.Long */\\n\\n.markdown h1 { margin-block-start: 0.34em }\\n.markdown h2 { margin-block-start: 0.42em }\\n.markdown h3 { margin-block-start: 0.5em }\\n.markdown h4 { margin-block-start: 0.67em }\\n.markdown h5 { margin-block-start: 0.84em }\\n.markdown h6 { margin-block-start: 1.17em }\\n.markdown ul { padding-inline-start: 2em }\\n.markdown ol { padding-inline-start: 2em }\\n.markdown strong { font-weight: 600 }\\n.markdown a { color: -webkit-link }\\n.markdown a { color: -moz-hyperlinkText }\\n\");\n }, function(Bokeh) {\n inject_raw_css(\".bk.alert {\\n padding: 0.75rem 1.25rem;\\n border: 1px solid transparent;\\n border-radius: 0.25rem;\\n /* Don't set margin because that will not render correctly! */\\n /* margin-bottom: 1rem; */\\n margin-top: 15px;\\n margin-bottom: 15px;\\n}\\n.bk.alert a {\\n color: rgb(11, 46, 19); /* #002752; */\\n font-weight: 700;\\n text-decoration: rgb(11, 46, 19);\\n text-decoration-color: rgb(11, 46, 19);\\n text-decoration-line: none;\\n text-decoration-style: solid;\\n text-decoration-thickness: auto;\\n }\\n.bk.alert a:hover {\\n color: rgb(11, 46, 19);\\n font-weight: 700;\\n text-decoration: underline;\\n}\\n\\n.bk.alert-primary {\\n color: #004085;\\n background-color: #cce5ff;\\n border-color: #b8daff;\\n}\\n.bk.alert-primary hr {\\n border-top-color: #9fcdff;\\n}\\n\\n.bk.alert-secondary {\\n color: #383d41;\\n background-color: #e2e3e5;\\n border-color: #d6d8db;\\n }\\n.bk.alert-secondary hr {\\n border-top-color: #c8cbcf;\\n}\\n\\n.bk.alert-success {\\n color: #155724;\\n background-color: #d4edda;\\n border-color: #c3e6cb;\\n }\\n\\n.bk.alert-success hr {\\n border-top-color: #b1dfbb;\\n}\\n\\n.bk.alert-info {\\n color: #0c5460;\\n background-color: #d1ecf1;\\n border-color: #bee5eb;\\n }\\n.bk.alert-info hr {\\n border-top-color: #abdde5;\\n}\\n\\n.bk.alert-warning {\\n color: #856404;\\n background-color: #fff3cd;\\n border-color: #ffeeba;\\n }\\n\\n.bk.alert-warning hr {\\n border-top-color: #ffe8a1;\\n}\\n\\n.bk.alert-danger {\\n color: #721c24;\\n background-color: #f8d7da;\\n border-color: #f5c6cb;\\n}\\n.bk.alert-danger hr {\\n border-top-color: #f1b0b7;\\n}\\n\\n.bk.alert-light {\\n color: #818182;\\n background-color: #fefefe;\\n border-color: #fdfdfe;\\n }\\n.bk.alert-light hr {\\n border-top-color: #ececf6;\\n}\\n\\n.bk.alert-dark {\\n color: #1b1e21;\\n background-color: #d6d8d9;\\n border-color: #c6c8ca;\\n }\\n.bk.alert-dark hr {\\n border-top-color: #b9bbbe;\\n}\\n\\n\\n/* adjf\\u00e6l */\\n\\n.bk.alert-primary a {\\n color: #002752;\\n}\\n\\n.bk.alert-secondary a {\\n color: #202326;\\n}\\n\\n\\n.bk.alert-success a {\\n color: #0b2e13;\\n}\\n\\n\\n.bk.alert-info a {\\n color: #062c33;\\n}\\n\\n\\n.bk.alert-warning a {\\n color: #533f03;\\n}\\n\\n\\n.bk.alert-danger a {\\n color: #491217;\\n}\\n\\n.bk.alert-light a {\\n color: #686868;\\n}\\n\\n.bk.alert-dark a {\\n color: #040505;\\n}\\n\");\n }, function(Bokeh) {\n inject_raw_css(\"\\n .bk.pn-loading.arcs:before {\\n background-image: url(\\\"data:image/svg+xml;base64,PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIHhtbG5zOnhsaW5rPSJodHRwOi8vd3d3LnczLm9yZy8xOTk5L3hsaW5rIiBzdHlsZT0ibWFyZ2luOiBhdXRvOyBiYWNrZ3JvdW5kOiBub25lOyBkaXNwbGF5OiBibG9jazsgc2hhcGUtcmVuZGVyaW5nOiBhdXRvOyIgdmlld0JveD0iMCAwIDEwMCAxMDAiIHByZXNlcnZlQXNwZWN0UmF0aW89InhNaWRZTWlkIj4gIDxjaXJjbGUgY3g9IjUwIiBjeT0iNTAiIHI9IjMyIiBzdHJva2Utd2lkdGg9IjgiIHN0cm9rZT0iI2MzYzNjMyIgc3Ryb2tlLWRhc2hhcnJheT0iNTAuMjY1NDgyNDU3NDM2NjkgNTAuMjY1NDgyNDU3NDM2NjkiIGZpbGw9Im5vbmUiIHN0cm9rZS1saW5lY2FwPSJyb3VuZCI+ICAgIDxhbmltYXRlVHJhbnNmb3JtIGF0dHJpYnV0ZU5hbWU9InRyYW5zZm9ybSIgdHlwZT0icm90YXRlIiByZXBlYXRDb3VudD0iaW5kZWZpbml0ZSIgZHVyPSIxcyIga2V5VGltZXM9IjA7MSIgdmFsdWVzPSIwIDUwIDUwOzM2MCA1MCA1MCI+PC9hbmltYXRlVHJhbnNmb3JtPiAgPC9jaXJjbGU+PC9zdmc+\\\");\\n background-size: auto calc(min(50%, 400px));\\n }\\n \");\n }, function(Bokeh) {\n /* BEGIN bokeh.min.js */\n /*!\n * Copyright (c) 2012 - 2022, Anaconda, Inc., and Bokeh Contributors\n * All rights reserved.\n * \n * Redistribution and use in source and binary forms, with or without modification,\n * are permitted provided that the following conditions are met:\n * \n * Redistributions of source code must retain the above copyright notice,\n * this list of conditions and the following disclaimer.\n * \n * Redistributions in binary form must reproduce the above copyright notice,\n * this list of conditions and the following disclaimer in the documentation\n * and/or other materials provided with the distribution.\n * \n * Neither the name of Anaconda nor the names of any contributors\n * may be used to endorse or promote products derived from this software\n * without specific prior written permission.\n * \n * THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS \"AS IS\"\n * AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE\n * IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE\n * ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR CONTRIBUTORS BE\n * LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR\n * CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF\n * SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS\n * INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN\n * CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)\n * ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF\n * THE POSSIBILITY OF SUCH DAMAGE.\n */\n (function(root, factory) {\n const bokeh = factory();\n bokeh.__bokeh__ = true;\n if (typeof root.Bokeh === \"undefined\" || typeof root.Bokeh.__bokeh__ === \"undefined\") {\n root.Bokeh = bokeh;\n }\n const Bokeh = root.Bokeh;\n Bokeh[bokeh.version] = bokeh;\n })(this, function() {\n let define;\n const parent_require = typeof require === \"function\" && require\n return (function(modules, entry, aliases, externals) {\n if (aliases === undefined) aliases = {};\n if (externals === undefined) externals = {};\n\n const cache = {};\n\n const normalize = function(name) {\n if (typeof name === \"number\")\n return name;\n\n if (name === \"bokehjs\")\n return entry;\n\n if (!externals[name]) {\n const prefix = \"@bokehjs/\"\n if (name.slice(0, prefix.length) === prefix)\n name = name.slice(prefix.length)\n }\n\n const alias = aliases[name]\n if (alias != null)\n return alias;\n\n const trailing = name.length > 0 && name[name.lenght-1] === \"/\";\n const index = aliases[name + (trailing ? \"\" : \"/\") + \"index\"];\n if (index != null)\n return index;\n\n return name;\n }\n\n const require = function(name) {\n let mod = cache[name];\n if (!mod) {\n const id = normalize(name);\n\n mod = cache[id];\n if (!mod) {\n if (!modules[id]) {\n if (externals[id] === false || (externals[id] == true && parent_require)) {\n try {\n mod = {exports: externals[id] ? parent_require(id) : {}};\n cache[id] = cache[name] = mod;\n return mod.exports;\n } catch (e) {}\n }\n\n const err = new Error(\"Cannot find module '\" + name + \"'\");\n err.code = 'MODULE_NOT_FOUND';\n throw err;\n }\n\n mod = {exports: {}};\n cache[id] = cache[name] = mod;\n\n function __esModule() {\n Object.defineProperty(mod.exports, \"__esModule\", {value: true});\n }\n\n function __esExport(name, value) {\n Object.defineProperty(mod.exports, name, {\n enumerable: true, get: function () { return value; }\n });\n }\n\n modules[id].call(mod.exports, require, mod, mod.exports, __esModule, __esExport);\n } else {\n cache[name] = mod;\n }\n }\n\n return mod.exports;\n }\n require.resolve = function(name) {\n return \"\"\n }\n\n const main = require(entry);\n main.require = require;\n\n if (typeof Proxy !== \"undefined\") {\n // allow Bokeh.loader[\"@bokehjs/module/name\"] syntax\n main.loader = new Proxy({}, {\n get: function(_obj, module) {\n return require(module);\n }\n });\n }\n\n main.register_plugin = function(plugin_modules, plugin_entry, plugin_aliases, plugin_externals) {\n if (plugin_aliases === undefined) plugin_aliases = {};\n if (plugin_externals === undefined) plugin_externals = {};\n\n for (let name in plugin_modules) {\n modules[name] = plugin_modules[name];\n }\n\n for (let name in plugin_aliases) {\n aliases[name] = plugin_aliases[name];\n }\n\n for (let name in plugin_externals) {\n externals[name] = plugin_externals[name];\n }\n\n const plugin = require(plugin_entry);\n\n for (let name in plugin) {\n main[name] = plugin[name];\n }\n\n return plugin;\n }\n\n return main;\n })\n ([\n function _(t,_,n,o,r){o();(0,t(1).__exportStar)(t(2),n)},\n function _(t,e,r,n,o){n();var a=function(t,e){return a=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(t,e){t.__proto__=e}||function(t,e){for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&(t[r]=e[r])},a(t,e)};r.__extends=function(t,e){if(\"function\"!=typeof e&&null!==e)throw new TypeError(\"Class extends value \"+String(e)+\" is not a constructor or null\");function r(){this.constructor=t}a(t,e),t.prototype=null===e?Object.create(e):(r.prototype=e.prototype,new r)};function i(t){var e=\"function\"==typeof Symbol&&Symbol.iterator,r=e&&t[e],n=0;if(r)return r.call(t);if(t&&\"number\"==typeof t.length)return{next:function(){return t&&n>=t.length&&(t=void 0),{value:t&&t[n++],done:!t}}};throw new TypeError(e?\"Object is not iterable.\":\"Symbol.iterator is not defined.\")}function c(t,e){var r=\"function\"==typeof Symbol&&t[Symbol.iterator];if(!r)return t;var n,o,a=r.call(t),i=[];try{for(;(void 0===e||e-- >0)&&!(n=a.next()).done;)i.push(n.value)}catch(t){o={error:t}}finally{try{n&&!n.done&&(r=a.return)&&r.call(a)}finally{if(o)throw o.error}}return i}function u(t){return this instanceof u?(this.v=t,this):new u(t)}r.__assign=function(){return r.__assign=Object.assign||function(t){for(var e,r=1,n=arguments.length;r=0;c--)(o=t[c])&&(i=(a<3?o(i):a>3?o(e,r,i):o(e,r))||i);return a>3&&i&&Object.defineProperty(e,r,i),i},r.__param=function(t,e){return function(r,n){e(r,n,t)}},r.__metadata=function(t,e){if(\"object\"==typeof Reflect&&\"function\"==typeof Reflect.metadata)return Reflect.metadata(t,e)},r.__awaiter=function(t,e,r,n){return new(r||(r=Promise))((function(o,a){function i(t){try{u(n.next(t))}catch(t){a(t)}}function c(t){try{u(n.throw(t))}catch(t){a(t)}}function u(t){var e;t.done?o(t.value):(e=t.value,e instanceof r?e:new r((function(t){t(e)}))).then(i,c)}u((n=n.apply(t,e||[])).next())}))},r.__generator=function(t,e){var r,n,o,a,i={label:0,sent:function(){if(1&o[0])throw o[1];return o[1]},trys:[],ops:[]};return a={next:c(0),throw:c(1),return:c(2)},\"function\"==typeof Symbol&&(a[Symbol.iterator]=function(){return this}),a;function c(a){return function(c){return function(a){if(r)throw new TypeError(\"Generator is already executing.\");for(;i;)try{if(r=1,n&&(o=2&a[0]?n.return:a[0]?n.throw||((o=n.return)&&o.call(n),0):n.next)&&!(o=o.call(n,a[1])).done)return o;switch(n=0,o&&(a=[2&a[0],o.value]),a[0]){case 0:case 1:o=a;break;case 4:return i.label++,{value:a[1],done:!1};case 5:i.label++,n=a[1],a=[0];continue;case 7:a=i.ops.pop(),i.trys.pop();continue;default:if(!(o=i.trys,(o=o.length>0&&o[o.length-1])||6!==a[0]&&2!==a[0])){i=0;continue}if(3===a[0]&&(!o||a[1]>o[0]&&a[1]1||c(t,e)}))})}function c(t,e){try{(r=o[t](e)).value instanceof u?Promise.resolve(r.value.v).then(f,l):s(a[0][2],r)}catch(t){s(a[0][3],t)}var r}function f(t){c(\"next\",t)}function l(t){c(\"throw\",t)}function s(t,e){t(e),a.shift(),a.length&&c(a[0][0],a[0][1])}},r.__asyncDelegator=function(t){var e,r;return e={},n(\"next\"),n(\"throw\",(function(t){throw t})),n(\"return\"),e[Symbol.iterator]=function(){return this},e;function n(n,o){e[n]=t[n]?function(e){return(r=!r)?{value:u(t[n](e)),done:\"return\"===n}:o?o(e):e}:o}},r.__asyncValues=function(t){if(!Symbol.asyncIterator)throw new TypeError(\"Symbol.asyncIterator is not defined.\");var e,r=t[Symbol.asyncIterator];return r?r.call(t):(t=i(t),e={},n(\"next\"),n(\"throw\"),n(\"return\"),e[Symbol.asyncIterator]=function(){return this},e);function n(r){e[r]=t[r]&&function(e){return new Promise((function(n,o){(function(t,e,r,n){Promise.resolve(n).then((function(e){t({value:e,done:r})}),e)})(n,o,(e=t[r](e)).done,e.value)}))}}},r.__makeTemplateObject=function(t,e){return Object.defineProperty?Object.defineProperty(t,\"raw\",{value:e}):t.raw=e,t};var f=Object.create?function(t,e){Object.defineProperty(t,\"default\",{enumerable:!0,value:e})}:function(t,e){t.default=e};r.__importStar=function(t){if(t&&t.__esModule)return t;var e={};if(null!=t)for(var n in t)\"default\"!==n&&Object.prototype.hasOwnProperty.call(t,n)&&(0,r.__createBinding)(e,t,n);return f(e,t),e},r.__importDefault=function(t){return t&&t.__esModule?t:{default:t}},r.__classPrivateFieldGet=function(t,e,r,n){if(\"a\"===r&&!n)throw new TypeError(\"Private accessor was defined without a getter\");if(\"function\"==typeof e?t!==e||!n:!e.has(t))throw new TypeError(\"Cannot read private member from an object whose class did not declare it\");return\"m\"===r?n:\"a\"===r?n.call(t):n?n.value:e.get(t)},r.__classPrivateFieldSet=function(t,e,r,n,o){if(\"m\"===n)throw new TypeError(\"Private method is not writable\");if(\"a\"===n&&!o)throw new TypeError(\"Private accessor was defined without a setter\");if(\"function\"==typeof e?t!==e||!o:!e.has(t))throw new TypeError(\"Cannot write private member to an object whose class did not declare it\");return\"a\"===n?o.call(t,r):o?o.value=r:e.set(t,r),r}},\n function _(e,t,o,s,l){s();const n=e(1);l(\"version\",e(3).version),l(\"index\",e(4).index),o.embed=(0,n.__importStar)(e(4)),o.protocol=(0,n.__importStar)(e(406)),o._testing=(0,n.__importStar)(e(407));var r=e(19);l(\"logger\",r.logger),l(\"set_log_level\",r.set_log_level),l(\"settings\",e(28).settings),l(\"Models\",e(7).Models),l(\"documents\",e(5).documents),l(\"safely\",e(408).safely)},\n function _(n,i,o,c,e){c(),o.version=\"2.4.3\"},\n function _(e,o,t,n,s){n();const d=e(5),r=e(19),_=e(34),c=e(13),i=e(8),a=e(16),u=e(397),l=e(399),m=e(398);var f=e(397);s(\"add_document_standalone\",f.add_document_standalone),s(\"index\",f.index),s(\"add_document_from_session\",e(399).add_document_from_session);var g=e(404);async function w(e,o,t,n){(0,i.isString)(e)&&(e=JSON.parse((0,_.unescape)(e)));const s={};for(const[o,t]of(0,c.entries)(e))s[o]=d.Document.from_json(t);const a=[];for(const e of o){const o=(0,m._resolve_element)(e),d=(0,m._resolve_root_elements)(e);if(null!=e.docid)a.push(await(0,u.add_document_standalone)(s[e.docid],o,d,e.use_for_title));else{if(null==e.token)throw new Error(\"Error rendering Bokeh items: either 'docid' or 'token' was expected.\");{const s=(0,l._get_ws_url)(t,n);r.logger.debug(`embed: computed ws url: ${s}`);try{a.push(await(0,l.add_document_from_session)(s,e.token,o,d,e.use_for_title)),console.log(\"Bokeh items were rendered successfully\")}catch(e){console.log(\"Error rendering Bokeh items:\",e)}}}}return a}s(\"embed_items_notebook\",g.embed_items_notebook),s(\"kernels\",g.kernels),s(\"BOKEH_ROOT\",e(398).BOKEH_ROOT),t.embed_item=async function(e,o){const t={},n=(0,_.uuid4)();t[n]=e.doc,null==o&&(o=e.target_id);const s=document.getElementById(o);null!=s&&s.classList.add(m.BOKEH_ROOT);const d={roots:{[e.root_id]:o},root_ids:[e.root_id],docid:n};await(0,a.defer)();const[r]=await w(t,[d]);return r},t.embed_items=async function(e,o,t,n){return await(0,a.defer)(),w(e,o,t,n)}},\n function _(t,_,o,r,n){r();const a=t(1);(0,a.__exportStar)(t(6),o),(0,a.__exportStar)(t(35),o)},\n function _(e,t,s,o,n){o();const i=e(1),r=e(7),l=e(3),_=e(19),a=e(251),c=e(14),d=e(30),h=e(15),f=e(17),u=e(31),m=e(29),g=e(9),v=e(13),p=(0,i.__importStar)(e(77)),w=e(26),b=e(8),y=e(309),k=e(75),M=e(53),j=e(396),z=e(35);class S{constructor(e){this.document=e,this.session=null,this.subscribed_models=new Set}send_event(e){const t=new z.MessageSentEvent(this.document,\"bokeh_event\",e.to_json());this.document._trigger_on_change(t)}trigger(e){for(const t of this.subscribed_models)null!=e.origin&&e.origin!=t||t._process_event(e)}}s.EventManager=S,S.__name__=\"EventManager\",s.documents=[],s.DEFAULT_TITLE=\"Bokeh Application\";class E{constructor(e){var t;s.documents.push(this),this._init_timestamp=Date.now(),this._resolver=null!==(t=null==e?void 0:e.resolver)&&void 0!==t?t:new r.ModelResolver,this._title=s.DEFAULT_TITLE,this._roots=[],this._all_models=new Map,this._all_models_freeze_count=0,this._callbacks=new Map,this._message_callbacks=new Map,this.event_manager=new S(this),this.idle=new h.Signal0(this,\"idle\"),this._idle_roots=new WeakMap,this._interactive_timestamp=null,this._interactive_plot=null}get layoutables(){return this._roots.filter((e=>e instanceof y.LayoutDOM))}get is_idle(){for(const e of this.layoutables)if(!this._idle_roots.has(e))return!1;return!0}notify_idle(e){this._idle_roots.set(e,!0),this.is_idle&&(_.logger.info(`document idle at ${Date.now()-this._init_timestamp} ms`),this.event_manager.send_event(new a.DocumentReady),this.idle.emit())}clear(){this._push_all_models_freeze();try{for(;this._roots.length>0;)this.remove_root(this._roots[0])}finally{this._pop_all_models_freeze()}}interactive_start(e,t=null){null==this._interactive_plot&&(this._interactive_plot=e,this._interactive_plot.trigger_event(new a.LODStart)),this._interactive_finalize=t,this._interactive_timestamp=Date.now()}interactive_stop(){null!=this._interactive_plot&&(this._interactive_plot.trigger_event(new a.LODEnd),null!=this._interactive_finalize&&this._interactive_finalize()),this._interactive_plot=null,this._interactive_timestamp=null,this._interactive_finalize=null}interactive_duration(){return null==this._interactive_timestamp?-1:Date.now()-this._interactive_timestamp}destructively_move(e){if(e===this)throw new Error(\"Attempted to overwrite a document with itself\");e.clear();const t=(0,g.copy)(this._roots);this.clear();for(const e of t)if(null!=e.document)throw new Error(`Somehow we didn't detach ${e}`);if(0!=this._all_models.size)throw new Error(`this._all_models still had stuff in it: ${this._all_models}`);for(const s of t)e.add_root(s);e.set_title(this._title)}_push_all_models_freeze(){this._all_models_freeze_count+=1}_pop_all_models_freeze(){this._all_models_freeze_count-=1,0===this._all_models_freeze_count&&this._recompute_all_models()}_invalidate_all_models(){_.logger.debug(\"invalidating document models\"),0===this._all_models_freeze_count&&this._recompute_all_models()}_recompute_all_models(){let e=new Set;for(const t of this._roots)e=p.union(e,t.references());const t=new Set(this._all_models.values()),s=p.difference(t,e),o=p.difference(e,t),n=new Map;for(const t of e)n.set(t.id,t);for(const e of s)e.detach_document();for(const e of o)e.attach_document(this);this._all_models=n}roots(){return this._roots}add_root(e,t){if(_.logger.debug(`Adding root: ${e}`),!(0,g.includes)(this._roots,e)){this._push_all_models_freeze();try{this._roots.push(e)}finally{this._pop_all_models_freeze()}this._trigger_on_change(new z.RootAddedEvent(this,e,t))}}remove_root(e,t){const s=this._roots.indexOf(e);if(!(s<0)){this._push_all_models_freeze();try{this._roots.splice(s,1)}finally{this._pop_all_models_freeze()}this._trigger_on_change(new z.RootRemovedEvent(this,e,t))}}title(){return this._title}set_title(e,t){e!==this._title&&(this._title=e,this._trigger_on_change(new z.TitleChangedEvent(this,e,t)))}get_model_by_id(e){var t;return null!==(t=this._all_models.get(e))&&void 0!==t?t:null}get_model_by_name(e){const t=[];for(const s of this._all_models.values())s instanceof M.Model&&s.name==e&&t.push(s);switch(t.length){case 0:return null;case 1:return t[0];default:throw new Error(`Multiple models are named '${e}'`)}}on_message(e,t){const s=this._message_callbacks.get(e);null==s?this._message_callbacks.set(e,new Set([t])):s.add(t)}remove_on_message(e,t){var s;null===(s=this._message_callbacks.get(e))||void 0===s||s.delete(t)}_trigger_on_message(e,t){const s=this._message_callbacks.get(e);if(null!=s)for(const e of s)e(t)}on_change(e,t=!1){this._callbacks.has(e)||this._callbacks.set(e,t)}remove_on_change(e){this._callbacks.delete(e)}_trigger_on_change(e){for(const[t,s]of this._callbacks)if(!s&&e instanceof z.DocumentEventBatch)for(const s of e.events)t(s);else t(e)}_notify_change(e,t,s,o,n){this._trigger_on_change(new z.ModelChangedEvent(this,e,t,s,o,null==n?void 0:n.setter_id,null==n?void 0:n.hint))}static _instantiate_object(e,t,s,o){const n=Object.assign(Object.assign({},s),{id:e,__deferred__:!0});return new(o.get(t))(n)}static _instantiate_references_json(e,t,s){var o;const n=new Map;for(const i of e){const e=i.id,r=i.type,l=null!==(o=i.attributes)&&void 0!==o?o:{};let _=t.get(e);null==_&&(_=E._instantiate_object(e,r,l,s),null!=i.subtype&&_.set_subtype(i.subtype)),n.set(_.id,_)}return n}static _resolve_refs(e,t,s,o){function n(e){var i;if((0,f.is_ref)(e)){const o=null!==(i=t.get(e.id))&&void 0!==i?i:s.get(e.id);if(null!=o)return o;throw new Error(`reference ${JSON.stringify(e)} isn't known (not in Document?)`)}if((0,u.is_NDArray_ref)(e)){const{buffer:t,dtype:s,shape:n}=(0,u.decode_NDArray)(e,o);return(0,m.ndarray)(t,{dtype:s,shape:n})}return(0,b.isArray)(e)?function(e){const t=[];for(const s of e)t.push(n(s));return t}(e):(0,b.isPlainObject)(e)?function(e){const t={};for(const[s,o]of(0,v.entries)(e))t[s]=n(o);return t}(e):e}return n(e)}static _initialize_references_json(e,t,s,o){const n=new Map;for(const{id:i,attributes:r}of e){const e=!t.has(i),l=e?s.get(i):t.get(i),_=E._resolve_refs(r,t,s,o);l.setv(_,{silent:!0}),n.set(i,{instance:l,is_new:e})}const i=[],r=new Set;function l(e){if(e instanceof c.HasProps){if(n.has(e.id)&&!r.has(e.id)){r.add(e.id);const{instance:t,is_new:s}=n.get(e.id),{attributes:o}=t;for(const e of(0,v.values)(o))l(e);s&&(t.finalize(),i.push(t))}}else if((0,b.isArray)(e))for(const t of e)l(t);else if((0,b.isPlainObject)(e))for(const t of(0,v.values)(e))l(t)}for(const e of n.values())l(e.instance);for(const e of i)e.connect_signals()}static _event_for_attribute_change(e,t,s,o,n){if(o.get_model_by_id(e.id).property(t).syncable){const i={kind:\"ModelChanged\",model:{id:e.id},attr:t,new:s};return c.HasProps._json_record_references(o,s,n,{recursive:!0}),i}return null}static _events_to_sync_objects(e,t,s,o){const n=Object.keys(e.attributes),i=Object.keys(t.attributes),r=(0,g.difference)(n,i),l=(0,g.difference)(i,n),a=(0,g.intersection)(n,i),c=[];for(const e of r)_.logger.warn(`Server sent key ${e} but we don't seem to have it in our JSON`);for(const n of l){const i=t.attributes[n];c.push(E._event_for_attribute_change(e,n,i,s,o))}for(const n of a){const i=e.attributes[n],r=t.attributes[n];null==i&&null==r||(null==i||null==r?c.push(E._event_for_attribute_change(e,n,r,s,o)):\"data\"==n||(0,w.is_equal)(i,r)||c.push(E._event_for_attribute_change(e,n,r,s,o)))}return c.filter((e=>null!=e))}static _compute_patch_since_json(e,t){const s=t.to_json(!1);function o(e){const t=new Map;for(const s of e.roots.references)t.set(s.id,s);return t}const n=o(e),i=new Map,r=[];for(const t of e.roots.root_ids)i.set(t,n.get(t)),r.push(t);const l=o(s),_=new Map,a=[];for(const e of s.roots.root_ids)_.set(e,l.get(e)),a.push(e);if(r.sort(),a.sort(),(0,g.difference)(r,a).length>0||(0,g.difference)(a,r).length>0)throw new Error(\"Not implemented: computing add/remove of document roots\");const c=new Set;let h=[];for(const e of t._all_models.keys())if(n.has(e)){const s=E._events_to_sync_objects(n.get(e),l.get(e),t,c);h=h.concat(s)}const f=new d.Serializer({include_defaults:!1});return f.to_serializable([...c]),{references:[...f.definitions],events:h}}to_json_string(e=!0){return JSON.stringify(this.to_json(e))}to_json(e=!0){const t=new d.Serializer({include_defaults:e}),s=t.to_serializable(this._roots);return{version:l.version,title:this._title,roots:{root_ids:s.map((e=>e.id)),references:[...t.definitions]}}}static from_json_string(e){const t=JSON.parse(e);return E.from_json(t)}static from_json(e){_.logger.debug(\"Creating Document from JSON\");const t=e.version,s=-1!==t.indexOf(\"+\")||-1!==t.indexOf(\"-\"),o=`Library versions: JS (${l.version}) / Python (${t})`;s||l.version.replace(/-(dev|rc)\\./,\"$1\")==t?_.logger.debug(o):(_.logger.warn(\"JS/Python version mismatch\"),_.logger.warn(o));const n=new r.ModelResolver;null!=e.defs&&(0,j.resolve_defs)(e.defs,n);const i=e.roots,a=i.root_ids,c=i.references,d=E._instantiate_references_json(c,new Map,n);E._initialize_references_json(c,new Map,d,new Map);const h=new E({resolver:n});h._push_all_models_freeze();for(const e of a){const t=d.get(e);null!=t&&h.add_root(t)}return h._pop_all_models_freeze(),h.set_title(e.title),h}replace_with_json(e){E.from_json(e).destructively_move(this)}create_json_patch_string(e){return JSON.stringify(this.create_json_patch(e))}create_json_patch(e){for(const t of e)if(t.document!=this)throw new Error(\"Cannot create a patch using events from a different document\");const t=new d.Serializer,s=t.to_serializable(e);for(const e of this._all_models.values())t.remove_def(e);return{events:s,references:[...t.definitions]}}apply_json_patch(e,t=new Map,s){const o=e.references,n=e.events,i=E._instantiate_references_json(o,this._all_models,this._resolver);t instanceof Map||(t=new Map(t));for(const e of n)switch(e.kind){case\"RootAdded\":case\"RootRemoved\":case\"ModelChanged\":{const t=e.model.id,s=this._all_models.get(t);if(null!=s)i.set(t,s);else if(!i.has(t))throw _.logger.warn(`Got an event for unknown model ${e.model}\"`),new Error(\"event model wasn't known\");break}}const r=new Map(this._all_models),l=new Map;for(const[e,t]of i)r.has(e)||l.set(e,t);E._initialize_references_json(o,r,l,t);for(const e of n)switch(e.kind){case\"MessageSent\":{const{msg_type:s,msg_data:o}=e;let n;if(void 0===o){if(1!=t.size)throw new Error(\"expected exactly one buffer\");{const[[,e]]=t;n=e}}else n=E._resolve_refs(o,r,l,t);this._trigger_on_message(s,n);break}case\"ModelChanged\":{const o=e.model.id,n=this._all_models.get(o);if(null==n)throw new Error(`Cannot apply patch to ${o} which is not in the document`);const i=e.attr,_=E._resolve_refs(e.new,r,l,t);n.setv({[i]:_},{setter_id:s});break}case\"ColumnDataChanged\":{const o=e.column_source.id,n=this._all_models.get(o);if(null==n)throw new Error(`Cannot stream to ${o} which is not in the document`);const i=E._resolve_refs(e.new,new Map,new Map,t);if(null!=e.cols)for(const e in n.data)e in i||(i[e]=n.data[e]);n.setv({data:i},{setter_id:s,check_eq:!1});break}case\"ColumnsStreamed\":{const t=e.column_source.id,o=this._all_models.get(t);if(null==o)throw new Error(`Cannot stream to ${t} which is not in the document`);if(!(o instanceof k.ColumnDataSource))throw new Error(\"Cannot stream to non-ColumnDataSource\");const n=e.data,i=e.rollover;o.stream(n,i,s);break}case\"ColumnsPatched\":{const t=e.column_source.id,o=this._all_models.get(t);if(null==o)throw new Error(`Cannot patch ${t} which is not in the document`);if(!(o instanceof k.ColumnDataSource))throw new Error(\"Cannot patch non-ColumnDataSource\");const n=e.patches;o.patch(n,s);break}case\"RootAdded\":{const t=e.model.id,o=i.get(t);this.add_root(o,s);break}case\"RootRemoved\":{const t=e.model.id,o=i.get(t);this.remove_root(o,s);break}case\"TitleChanged\":this.set_title(e.title,s);break;default:throw new Error(`Unknown patch event ${JSON.stringify(e)}`)}}}s.Document=E,E.__name__=\"Document\"},\n function _(e,o,s,r,t){r();const l=e(1),i=e(8),d=e(13),n=e(14);s.overrides={};const a=new Map;s.Models=e=>{const o=s.Models.get(e);if(null!=o)return o;throw new Error(`Model '${e}' does not exist. This could be due to a widget or a custom model not being registered before first usage.`)},s.Models.get=e=>{var o;return null!==(o=s.overrides[e])&&void 0!==o?o:a.get(e)},s.Models.register=(e,o)=>{s.overrides[e]=o},s.Models.unregister=e=>{delete s.overrides[e]},s.Models.register_models=(e,o=!1,s)=>{var r;if(null!=e)for(const t of(0,i.isArray)(e)?e:(0,d.values)(e))if(r=t,(0,i.isObject)(r)&&r.prototype instanceof n.HasProps){const e=t.__qualified__;o||!a.has(e)?a.set(e,t):null!=s?s(e):console.warn(`Model '${e}' was already registered`)}},s.register_models=s.Models.register_models,s.Models.registered_names=()=>[...a.keys()];class _{constructor(){this._known_models=new Map}get(e,o){var r;const t=null!==(r=s.Models.get(e))&&void 0!==r?r:this._known_models.get(e);if(null!=t)return t;if(void 0!==o)return o;throw new Error(`Model '${e}' does not exist. This could be due to a widget or a custom model not being registered before first usage.`)}register(e){const o=e.__qualified__;null==this.get(o,null)?this._known_models.set(o,e):console.warn(`Model '${o}' was already registered with this resolver`)}}s.ModelResolver=_,_.__name__=\"ModelResolver\";const g=(0,l.__importStar)(e(38));(0,s.register_models)(g);const u=(0,l.__importStar)(e(392));(0,s.register_models)(u)},\n function _(n,t,r,e,i){e();\n // (c) 2009-2015 Jeremy Ashkenas, DocumentCloud and Investigative Reporters & Editors\n // Underscore may be freely distributed under the MIT license.\n const o=n(9),u=Object.prototype.toString;function c(n){return!0===n||!1===n||\"[object Boolean]\"===u.call(n)}function f(n){return\"[object Number]\"===u.call(n)}function l(n){return\"[object String]\"===u.call(n)}function s(n){return\"symbol\"==typeof n}function a(n){const t=typeof n;return\"function\"===t||\"object\"===t&&!!n}function b(n){return a(n)&&void 0!==n[Symbol.iterator]}r.isBoolean=c,r.isNumber=f,r.isInteger=function(n){return f(n)&&Number.isInteger(n)},r.isString=l,r.isSymbol=s,r.isPrimitive=function(n){return null===n||c(n)||f(n)||l(n)||s(n)},r.isFunction=function(n){return\"[object Function]\"===u.call(n)},r.isArray=function(n){return Array.isArray(n)},r.isArrayOf=function(n,t){return(0,o.every)(n,t)},r.isArrayableOf=function(n,t){for(let r=0,e=n.length;r0,\"'step' must be a positive number\"),null==t&&(t=n,n=0);const{max:r,ceil:o,abs:i}=Math,c=n<=t?e:-e,f=r(o(i(t-n)/e),0),s=new Array(f);for(let t=0;t=0?t:n.length+t]},e.zip=function(...n){if(0==n.length)return[];const t=(0,c.min)(n.map((n=>n.length))),e=n.length,r=new Array(t);for(let o=0;on.length))),r=Array(e);for(let n=0;nn[t]))},e.argmax=function(n){return(0,c.max_by)(m(n.length),(t=>n[t]))},e.sort_by=function(n,t){const e=n.map(((n,e)=>({value:n,index:e,key:t(n)})));return e.sort(((n,t)=>{const e=n.key,r=t.key;if(e!==r){if(e>r||void 0===e)return 1;if(en.value))},e.uniq=function(n){const t=new Set;for(const e of n)t.add(e);return[...t]},e.uniq_by=function(n,t){const e=[],r=[];for(const o of n){const n=t(o);l(r,n)||(r.push(n),e.push(o))}return e},e.union=function(...n){const t=new Set;for(const e of n)for(const n of e)t.add(n);return[...t]},e.intersection=function(n,...t){const e=[];n:for(const r of n)if(!l(e,r)){for(const n of t)if(!l(n,r))continue n;e.push(r)}return e},e.difference=function(n,...t){const e=a(t);return n.filter((n=>!l(e,n)))},e.remove_at=function(n,t){const e=s(n);return e.splice(t,1),e},e.remove_by=function(n,t){for(let e=0;e2*a;)n-=2*a;return n}function c(n,t){return u(n-t)}function f(){return Math.random()}function i(n){switch(n){case\"deg\":return a/180;case\"rad\":return 1;case\"grad\":return a/200;case\"turn\":return 2*a}}r.angle_norm=u,r.angle_dist=c,r.angle_between=function(n,t,r,e=!1){const o=c(t,r);if(0==o)return!1;if(o==2*a)return!0;const f=u(n),i=c(t,f)<=o&&c(f,r)<=o;return e?!i:i},r.random=f,r.randomIn=function(n,t){return null==t&&(t=n,n=0),n+Math.floor(Math.random()*(t-n+1))},r.atan2=function(n,t){return Math.atan2(t[1]-n[1],t[0]-n[0])},r.radians=function(n){return n*(a/180)},r.degrees=function(n){return n/(a/180)},r.resolve_angle=function(n,t){return-i(t)*n},r.to_radians_coeff=i,r.rnorm=function(n,t){let r,e;for(;r=f(),e=f(),e=(2*e-1)*Math.sqrt(1/Math.E*2),!(-4*r*r*Math.log(r)>=e*e););let o=e/r;return o=n+t*o,o},r.clamp=function(n,t,r){return nr?r:n},r.log=function(n,t=Math.E){return Math.log(n)/Math.log(t)},r.float32_epsilon=1.1920928955078125e-7},\n function _(r,n,e,o,s){o();class t extends Error{}e.AssertionError=t,t.__name__=\"AssertionError\",e.assert=function(r,n){if(!(!0===r||!1!==r&&r()))throw new t(null!=n?n:\"Assertion failed\")},e.unreachable=function(){throw new Error(\"unreachable code\")}},\n function _(n,t,e,r,o){r();const i=n(10);function l(n,t,e,...r){const o=n.length;t<0&&(t+=o),t<0?t=0:t>o&&(t=o),null==e||e>o-t?e=o-t:e<0&&(e=0);const i=o-e+r.length,l=new n.constructor(i);let u=0;for(;u0?0:r-1;for(;o>=0&&ot[t.length-1])return t.length;let e=0,r=t.length-1;for(;r-e!=1;){const o=e+Math.floor((r-e)/2);n>=t[o]?e=o:r=o}return e}e.is_empty=function(n){return 0==n.length},e.copy=function(n){return Array.isArray(n)?n.slice():new n.constructor(n)},e.splice=l,e.head=u,e.insert=function(n,t,e){return l(n,e,0,t)},e.append=function(n,t){return l(n,n.length,0,t)},e.prepend=function(n,t){return l(n,0,0,t)},e.indexOf=function(n,t){for(let e=0,r=n.length;ee&&(e=t);return e},e.minmax=function(n){let t,e=1/0,r=-1/0;for(let o=0,i=n.length;or&&(r=t));return[e,r]},e.minmax2=function(n,t){let e,r,o=1/0,i=-1/0,l=1/0,u=-1/0;const c=Math.min(n.length,t.length);for(let f=0;fi&&(i=e),ru&&(u=r));return[o,i,l,u]},e.min_by=function(n,t){if(0==n.length)throw new Error(\"min_by() called with an empty array\");let e=n[0],r=t(e);for(let o=1,i=n.length;or&&(e=i,r=l)}return e},e.sum=function(n){let t=0;for(let e=0,r=n.length;et[r]=n+e),0),t},e.every=function(n,t){for(let e=0,r=n.length;e(n-t)/r))}},\n function _(t,e,n,c,o){c();const s=t(9),{hasOwnProperty:r}=Object.prototype;function i(t){return Object.keys(t).length}function u(t){return 0==i(t)}n.keys=Object.keys,n.values=Object.values,n.entries=Object.entries,n.extend=Object.assign,n.clone=function(t){return Object.assign({},t)},n.merge=function(t,e){const n=Object.create(Object.prototype),c=(0,s.concat)([Object.keys(t),Object.keys(e)]);for(const o of c){const c=r.call(t,o)?t[o]:[],i=r.call(e,o)?e[o]:[];n[o]=(0,s.union)(c,i)}return n},n.size=i,n.is_empty=u,n.isEmpty=u,n.to_object=function(t){const e={};for(const[n,c]of t)e[n]=c;return e}},\n function _(e,t,s,n,r){n();const i=e(1);var o;const c=e(15),a=e(17),_=(0,i.__importStar)(e(18)),h=(0,i.__importStar)(e(21)),u=e(34),l=e(13),f=e(8),p=e(26),d=e(30),g=e(35),y=e(26),v=e(36),m=e(37),b=(0,i.__importStar)(e(21));class w extends((0,c.Signalable)()){constructor(e={}){var t,s;super(),this._subtype=void 0,this.document=null,this.destroyed=new c.Signal0(this,\"destroyed\"),this.change=new c.Signal0(this,\"change\"),this.transformchange=new c.Signal0(this,\"transformchange\"),this.exprchange=new c.Signal0(this,\"exprchange\"),this.properties={},this._watchers=new WeakMap,this._pending=!1,this._changing=!1;const n=e instanceof Map?e.get.bind(e):t=>e[t];this.id=null!==(t=n(\"id\"))&&void 0!==t?t:(0,u.uniqueId)();for(const[e,{type:t,default_value:s,options:r}]of(0,l.entries)(this._props)){let i;t instanceof _.PropertyAlias?Object.defineProperty(this.properties,e,{get:()=>this.properties[t.attr],configurable:!1,enumerable:!1}):(i=t instanceof h.Kind?new _.PrimitiveProperty(this,e,t,s,n(e),r):new t(this,e,h.Any,s,n(e),r),this.properties[e]=i)}null!==(s=n(\"__deferred__\"))&&void 0!==s&&s||(this.finalize(),this.connect_signals())}get is_syncable(){return!0}set type(e){console.warn(\"prototype.type = 'ModelName' is deprecated, use static __name__ instead\"),this.constructor.__name__=e}get type(){return this.constructor.__qualified__}static get __qualified__(){const{__module__:e,__name__:t}=this;return null!=e?`${e}.${t}`:t}static get[Symbol.toStringTag](){return this.__name__}static _fix_default(e,t){if(void 0===e||(0,f.isFunction)(e))return e;if((0,f.isPrimitive)(e))return()=>e;{const t=new m.Cloner;return()=>t.clone(e)}}static define(e){for(const[t,s]of(0,l.entries)((0,f.isFunction)(e)?e(b):e)){if(null!=this.prototype._props[t])throw new Error(`attempted to redefine property '${this.prototype.type}.${t}'`);if(null!=this.prototype[t])throw new Error(`attempted to redefine attribute '${this.prototype.type}.${t}'`);Object.defineProperty(this.prototype,t,{get(){return this.properties[t].get_value()},set(e){return this.setv({[t]:e}),this},configurable:!1,enumerable:!0});const[e,n,r={}]=s,i={type:e,default_value:this._fix_default(n,t),options:r},o=Object.assign({},this.prototype._props);o[t]=i,this.prototype._props=o}}static internal(e){const t={};for(const[s,n]of(0,l.entries)((0,f.isFunction)(e)?e(b):e)){const[e,r,i={}]=n;t[s]=[e,r,Object.assign(Object.assign({},i),{internal:!0})]}this.define(t)}static mixins(e){function t(e,t){const s={};for(const[n,r]of(0,l.entries)(t))s[e+n]=r;return s}const s={},n=[];for(const r of(0,f.isArray)(e)?e:[e])if((0,f.isArray)(r)){const[e,i]=r;(0,l.extend)(s,t(e,i)),n.push([e,i])}else{const e=r;(0,l.extend)(s,e),n.push([\"\",e])}this.define(s),this.prototype._mixins=[...this.prototype._mixins,...n]}static override(e){for(const[t,s]of(0,l.entries)(e)){const e=this._fix_default(s,t),n=this.prototype._props[t];if(null==n)throw new Error(`attempted to override nonexistent '${this.prototype.type}.${t}'`);const r=Object.assign({},this.prototype._props);r[t]=Object.assign(Object.assign({},n),{default_value:e}),this.prototype._props=r}}toString(){return`${this.type}(${this.id})`}property(e){const t=this.properties[e];if(null!=t)return t;throw new Error(`unknown property ${this.type}.${e}`)}get attributes(){const e={};for(const t of this)e[t.attr]=t.get_value();return e}[m.clone](e){const t=new Map;for(const s of this)s.dirty&&t.set(s.attr,e.clone(s.get_value()));return new this.constructor(t)}[y.equals](e,t){for(const s of this){const n=e.property(s.attr);if(!t.eq(s.get_value(),n.get_value()))return!1}return!0}[v.pretty](e){const t=e.token,s=[];for(const n of this)if(n.dirty){const r=n.get_value();s.push(`${n.attr}${t(\":\")} ${e.to_string(r)}`)}return`${this.constructor.__qualified__}${t(\"(\")}${t(\"{\")}${s.join(`${t(\",\")} `)}${t(\"}\")}${t(\")\")}`}[d.serialize](e){const t=this.ref();e.add_ref(this,t);const s=this.struct();for(const t of this)t.syncable&&(e.include_defaults||t.dirty)&&(s.attributes[t.attr]=e.to_serializable(t.get_value()));return e.add_def(this,s),t}finalize(){for(const e of this){if(!(e instanceof _.VectorSpec||e instanceof _.ScalarSpec))continue;const t=e.get_value();if(null!=t){const{transform:e,expr:s}=t;null!=e&&this.connect(e.change,(()=>this.transformchange.emit())),null!=s&&this.connect(s.change,(()=>this.exprchange.emit()))}}this.initialize()}initialize(){}connect_signals(){}disconnect_signals(){c.Signal.disconnectReceiver(this)}destroy(){this.disconnect_signals(),this.destroyed.emit()}clone(){return(new m.Cloner).clone(this)}changed_for(e){const t=this._watchers.get(e);return this._watchers.set(e,!1),null==t||t}_setv(e,t){const s=t.check_eq,n=[],r=this._changing;this._changing=!0;for(const[t,r]of e)!1!==s&&(0,p.is_equal)(t.get_value(),r)||(t.set_value(r),n.push(t));n.length>0&&(this._watchers=new WeakMap,this._pending=!0);for(const e of n)e.change.emit();if(!r){if(!t.no_change)for(;this._pending;)this._pending=!1,this.change.emit();this._pending=!1,this._changing=!1}}setv(e,t={}){const s=(0,l.entries)(e);if(0==s.length)return;if(!0===t.silent){this._watchers=new WeakMap;for(const[e,t]of s)this.properties[e].set_value(t);return}const n=new Map,r=new Map;for(const[e,t]of s){const s=this.properties[e];n.set(s,t),r.set(s,s.get_value())}this._setv(n,t);const{document:i}=this;if(null!=i){const e=[];for(const[t,s]of r)e.push([t,s,t.get_value()]);for(const[,t,s]of e)if(this._needs_invalidate(t,s)){i._invalidate_all_models();break}this._push_changes(e,t)}}getv(e){return this.property(e).get_value()}ref(){return{id:this.id}}struct(){const e={type:this.type,id:this.id,attributes:{}};return null!=this._subtype&&(e.subtype=this._subtype),e}set_subtype(e){this._subtype=e}*[Symbol.iterator](){yield*(0,l.values)(this.properties)}*syncable_properties(){for(const e of this)e.syncable&&(yield e)}serializable_attributes(){const e={};for(const t of this.syncable_properties())e[t.attr]=t.get_value();return e}static _json_record_references(e,t,s,n){const{recursive:r}=n;if((0,a.is_ref)(t)){const n=e.get_model_by_id(t.id);null==n||s.has(n)||w._value_record_references(n,s,{recursive:r})}else if((0,f.isArray)(t))for(const n of t)w._json_record_references(e,n,s,{recursive:r});else if((0,f.isPlainObject)(t))for(const n of(0,l.values)(t))w._json_record_references(e,n,s,{recursive:r})}static _value_record_references(e,t,s){const{recursive:n}=s;if(e instanceof w){if(!t.has(e)&&(t.add(e),n))for(const s of e.syncable_properties()){const e=s.get_value();w._value_record_references(e,t,{recursive:n})}}else if((0,f.isArray)(e))for(const s of e)w._value_record_references(s,t,{recursive:n});else if((0,f.isPlainObject)(e))for(const s of(0,l.values)(e))w._value_record_references(s,t,{recursive:n})}references(){const e=new Set;return w._value_record_references(this,e,{recursive:!0}),e}_doc_attached(){}_doc_detached(){}attach_document(e){if(null!=this.document&&this.document!=e)throw new Error(\"models must be owned by only a single document\");this.document=e,this._doc_attached()}detach_document(){this._doc_detached(),this.document=null}_needs_invalidate(e,t){const s=new Set;w._value_record_references(t,s,{recursive:!1});const n=new Set;w._value_record_references(e,n,{recursive:!1});for(const e of s)if(!n.has(e))return!0;for(const e of n)if(!s.has(e))return!0;return!1}_push_changes(e,t={}){if(!this.is_syncable)return;const{document:s}=this;if(null==s)return;const{setter_id:n}=t,r=[];for(const[t,i,o]of e)t.syncable&&r.push(new g.ModelChangedEvent(s,this,t.attr,i,o,n));if(0!=r.length){let e;1==r.length?[e]=r:e=new g.DocumentEventBatch(s,r,n),s._trigger_on_change(e)}}on_change(e,t){for(const s of(0,f.isArray)(e)?e:[e])this.connect(s.change,t)}}s.HasProps=w,(o=w).prototype._props={},o.prototype._mixins=[]},\n function _(n,t,e,l,s){l();const i=n(16),o=n(9);class c{constructor(n,t){this.sender=n,this.name=t}connect(n,t=null){u.has(this.sender)||u.set(this.sender,[]);const e=u.get(this.sender);if(null!=g(e,this,n,t))return!1;const l=null!=t?t:n;a.has(l)||a.set(l,[]);const s=a.get(l),i={signal:this,slot:n,context:t};return e.push(i),s.push(i),!0}disconnect(n,t=null){const e=u.get(this.sender);if(null==e||0===e.length)return!1;const l=g(e,this,n,t);if(null==l)return!1;const s=null!=t?t:n,i=a.get(s);return l.signal=null,d(e),d(i),!0}emit(n){var t;const e=null!==(t=u.get(this.sender))&&void 0!==t?t:[];for(const{signal:t,slot:l,context:s}of e)t===this&&l.call(s,n,this.sender)}}e.Signal=c,c.__name__=\"Signal\";class r extends c{emit(){super.emit(void 0)}}e.Signal0=r,r.__name__=\"Signal0\",function(n){function t(n,t){const e=u.get(n);if(null==e||0===e.length)return;const l=a.get(t);if(null!=l&&0!==l.length){for(const t of l){if(null==t.signal)return;t.signal.sender===n&&(t.signal=null)}d(e),d(l)}}function e(n){var t;const e=u.get(n);if(null!=e&&0!==e.length){for(const n of e){if(null==n.signal)return;const e=null!==(t=n.context)&&void 0!==t?t:n.slot;n.signal=null,d(a.get(e))}d(e)}}function l(n,t,e){const l=a.get(n);if(null!=l&&0!==l.length){for(const n of l){if(null==n.signal)return;if(null!=t&&n.slot!=t)continue;const l=n.signal.sender;null!=e&&e.has(l)||(n.signal=null,d(u.get(l)))}d(l)}}function s(n){const t=u.get(n);if(null!=t&&0!==t.length){for(const n of t)n.signal=null;d(t)}const e=a.get(n);if(null!=e&&0!==e.length){for(const n of e)n.signal=null;d(e)}}n.disconnect_between=t,n.disconnect_sender=e,n.disconnect_receiver=l,n.disconnect_all=s,n.disconnectBetween=t,n.disconnectSender=e,n.disconnectReceiver=l,n.disconnectAll=s}(c||(e.Signal=c={})),e.Signalable=function(){return class{connect(n,t){return n.connect(t,this)}disconnect(n,t){return n.disconnect(t,this)}}};const u=new WeakMap,a=new WeakMap;function g(n,t,e,l){return(0,o.find)(n,(n=>n.signal===t&&n.slot===e&&n.context===l))}const f=new Set;function d(n){0===f.size&&(async()=>{await(0,i.defer)(),function(){for(const n of f)(0,o.remove_by)(n,(n=>null==n.signal));f.clear()}()})(),f.add(n)}},\n function _(e,n,t,s,o){s();const r=new MessageChannel,a=new Map;r.port1.onmessage=e=>{const n=e.data,t=a.get(n);if(null!=t)try{t()}finally{a.delete(n)}};let i=1;t.defer=function(){return new Promise((e=>{const n=i++;a.set(n,e),r.port2.postMessage(n)}))},t.wait=function(e){return new Promise((n=>setTimeout(n,e)))}},\n function _(n,t,i,e,c){e();const r=n(8),s=n(13);i.is_ref=function(n){if((0,r.isPlainObject)(n)){const t=(0,s.keys)(n);return 1==t.length&&\"id\"==t[0]}return!1}},\n function _(e,t,n,r,a){r(),n.YCoordinateSeqSeqSeqSpec=n.XCoordinateSeqSeqSeqSpec=n.YCoordinateSeqSpec=n.XCoordinateSeqSpec=n.YCoordinateSpec=n.XCoordinateSpec=n.CoordinateSeqSeqSeqSpec=n.CoordinateSeqSpec=n.CoordinateSpec=n.BaseCoordinateSpec=n.NumberUnitsSpec=n.UnitsSpec=n.DataSpec=n.VectorSpec=n.TextBaselineScalar=n.TextAlignScalar=n.FontStyleScalar=n.FontSizeScalar=n.FontScalar=n.LineDashScalar=n.LineCapScalar=n.LineJoinScalar=n.ArrayScalar=n.NullStringScalar=n.StringScalar=n.NumberScalar=n.ColorScalar=n.AnyScalar=n.ScalarSpec=n.VerticalAlign=n.UpdateMode=n.TooltipAttachment=n.TickLabelOrientation=n.TextureRepetition=n.TextBaseline=n.TextAlign=n.TapBehavior=n.StepMode=n.StartEnd=n.SpatialUnits=n.Sort=n.SizingMode=n.Side=n.RoundingFunction=n.ResetPolicy=n.RenderMode=n.RenderLevel=n.RadiusDimension=n.PointPolicy=n.Place=void 0,n.TextBaselineSpec=n.TextAlignSpec=n.FontStyleSpec=n.FontSizeSpec=n.FontSpec=n.LineDashSpec=n.LineCapSpec=n.LineJoinSpec=n.MarkerSpec=n.ArraySpec=n.NullStringSpec=n.StringSpec=n.AnySpec=n.NDArraySpec=n.ColorSpec=n.ScreenSizeSpec=n.NumberSpec=n.IntSpec=n.BooleanSpec=n.NullDistanceSpec=n.DistanceSpec=n.AngleSpec=void 0;const i=e(1),s=e(15),l=e(19),o=(0,i.__importStar)(e(20)),c=e(24),_=e(9),u=e(12),d=e(10),S=e(22),p=e(27),m=e(8),h=e(28),v=e(29),y=e(33);function x(e){try{return JSON.stringify(e)}catch(t){return e.toString()}}function g(e){return(0,m.isPlainObject)(e)&&(void 0===e.value?0:1)+(void 0===e.field?0:1)+(void 0===e.expr?0:1)==1}a(\"Uniform\",y.Uniform),a(\"UniformScalar\",y.UniformScalar),a(\"UniformVector\",y.UniformVector),n.isSpec=g;class f{constructor(e,t,n,r,a,i={}){var l;let o;if(this.obj=e,this.attr=t,this.kind=n,this.default_value=r,this._dirty=!1,this.change=new s.Signal0(this.obj,\"change\"),this.internal=null!==(l=i.internal)&&void 0!==l&&l,this.convert=i.convert,this.on_update=i.on_update,void 0!==a)o=a,this._dirty=!0;else{const t=this._default_override();if(void 0!==t)o=t;else{if(void 0===r)return void(this.spec={value:null});o=r(e)}}this._update(o)}get is_value(){return void 0!==this.spec.value}get syncable(){return!this.internal}get_value(){return this.spec.value}set_value(e){this._update(e),this._dirty=!0}_default_override(){}get dirty(){return this._dirty}_update(e){var t;if(this.validate(e),null!=this.convert){const t=this.convert(e);void 0!==t&&(e=t)}this.spec={value:e},null===(t=this.on_update)||void 0===t||t.call(this,e,this.obj)}toString(){return`Prop(${this.obj}.${this.attr}, spec: ${x(this.spec)})`}normalize(e){return e}validate(e){if(!this.valid(e))throw new Error(`${this.obj}.${this.attr} given invalid value: ${x(e)}`)}valid(e){return this.kind.valid(e)}_value(e=!0){if(!this.is_value)throw new Error(\"attempted to retrieve property value for property without value specification\");let t=this.normalize([this.spec.value])[0];return null!=this.spec.transform&&e&&(t=this.spec.transform.compute(t)),t}}n.Property=f,f.__name__=\"Property\";class A{constructor(e){this.attr=e}}n.PropertyAlias=A,A.__name__=\"PropertyAlias\",n.Alias=function(e){return new A(e)};class C extends f{}n.PrimitiveProperty=C,C.__name__=\"PrimitiveProperty\";class T extends f{}n.Any=T,T.__name__=\"Any\";class L extends f{valid(e){return(0,m.isArray)(e)||(0,m.isTypedArray)(e)}}n.Array=L,L.__name__=\"Array\";class w extends f{valid(e){return(0,m.isBoolean)(e)}}n.Boolean=w,w.__name__=\"Boolean\";class P extends f{valid(e){return(0,S.is_Color)(e)}}n.Color=P,P.__name__=\"Color\";class b extends f{}n.Instance=b,b.__name__=\"Instance\";class q extends f{valid(e){return(0,m.isNumber)(e)}}n.Number=q,q.__name__=\"Number\";class N extends q{valid(e){return(0,m.isNumber)(e)&&(0|e)==e}}n.Int=N,N.__name__=\"Int\";class z extends q{}n.Angle=z,z.__name__=\"Angle\";class B extends q{valid(e){return(0,m.isNumber)(e)&&0<=e&&e<=1}}n.Percent=B,B.__name__=\"Percent\";class F extends f{valid(e){return(0,m.isString)(e)}}n.String=F,F.__name__=\"String\";class D extends f{valid(e){return null===e||(0,m.isString)(e)}}n.NullString=D,D.__name__=\"NullString\";class U extends F{}n.FontSize=U,U.__name__=\"FontSize\";class M extends F{_default_override(){return h.settings.dev?\"Bokeh\":void 0}}n.Font=M,M.__name__=\"Font\";class R extends f{valid(e){return(0,m.isString)(e)&&(0,_.includes)(this.enum_values,e)}}function k(e){return class extends R{get enum_values(){return[...e]}}}n.EnumProperty=R,R.__name__=\"EnumProperty\",n.Enum=k;class O extends R{get enum_values(){return[...o.Direction]}normalize(e){const t=new Uint8Array(e.length);for(let n=0;n=0}}n.ScreenSizeSpec=fe,fe.__name__=\"ScreenSizeSpec\";class Ae extends ne{materialize(e){return(0,S.encode_rgba)((0,S.color2rgba)(e))}v_materialize(e){if(!(0,v.is_NDArray)(e)){const t=e.length,n=new c.RGBAArray(4*t);let r=0;for(const t of e){const[e,a,i,s]=(0,S.color2rgba)(t);n[r++]=e,n[r++]=a,n[r++]=i,n[r++]=s}return new c.ColorArray(n.buffer)}if(\"uint32\"==e.dtype&&1==e.dimension)return(0,p.to_big_endian)(e);if(\"uint8\"==e.dtype&&1==e.dimension){const[t]=e.shape,n=new c.RGBAArray(4*t);let r=0;for(const t of e)n[r++]=t,n[r++]=t,n[r++]=t,n[r++]=255;return new c.ColorArray(n.buffer)}if(\"uint8\"==e.dtype&&2==e.dimension){const[t,n]=e.shape;if(4==n)return new c.ColorArray(e.buffer);if(3==n){const r=new c.RGBAArray(4*t);for(let a=0,i=0;a0){let o=r[e];return null==o&&(r[e]=o=new v(e,l)),o}throw new TypeError(\"Logger.get() expects a non-empty string name and an optional log-level\")}get level(){return this.get_level()}get_level(){return this._log_level}set_level(e){if(e instanceof i)this._log_level=e;else{if(!(0,s.isString)(e)||null==v.log_levels[e])throw new Error(\"Logger.set_level() expects a log-level object or a string name of a log-level\");this._log_level=v.log_levels[e]}const l=`[${this._name}]`;for(const[e,o]of(0,g.entries)(v.log_levels))o.level\",\"*\"),t.HTTPMethod=(0,a.Enum)(\"POST\",\"GET\"),t.HexTileOrientation=(0,a.Enum)(\"pointytop\",\"flattop\"),t.HoverMode=(0,a.Enum)(\"mouse\",\"hline\",\"vline\"),t.LatLon=(0,a.Enum)(\"lat\",\"lon\"),t.LegendClickPolicy=(0,a.Enum)(\"none\",\"hide\",\"mute\"),t.LegendLocation=t.Anchor,t.LineCap=(0,a.Enum)(\"butt\",\"round\",\"square\"),t.LineJoin=(0,a.Enum)(\"miter\",\"round\",\"bevel\"),t.LineDash=(0,a.Enum)(\"solid\",\"dashed\",\"dotted\",\"dotdash\",\"dashdot\"),t.LinePolicy=(0,a.Enum)(\"prev\",\"next\",\"nearest\",\"interp\",\"none\"),t.Location=(0,a.Enum)(\"above\",\"below\",\"left\",\"right\"),t.Logo=(0,a.Enum)(\"normal\",\"grey\"),t.MarkerType=(0,a.Enum)(\"asterisk\",\"circle\",\"circle_cross\",\"circle_dot\",\"circle_x\",\"circle_y\",\"cross\",\"dash\",\"diamond\",\"diamond_cross\",\"diamond_dot\",\"dot\",\"hex\",\"hex_dot\",\"inverted_triangle\",\"plus\",\"square\",\"square_cross\",\"square_dot\",\"square_pin\",\"square_x\",\"star\",\"star_dot\",\"triangle\",\"triangle_dot\",\"triangle_pin\",\"x\",\"y\"),t.MutedPolicy=(0,a.Enum)(\"show\",\"ignore\"),t.Orientation=(0,a.Enum)(\"vertical\",\"horizontal\"),t.OutputBackend=(0,a.Enum)(\"canvas\",\"svg\",\"webgl\"),t.PaddingUnits=(0,a.Enum)(\"percent\",\"absolute\"),t.Place=(0,a.Enum)(\"above\",\"below\",\"left\",\"right\",\"center\"),t.PointPolicy=(0,a.Enum)(\"snap_to_data\",\"follow_mouse\",\"none\"),t.RadiusDimension=(0,a.Enum)(\"x\",\"y\",\"max\",\"min\"),t.RenderLevel=(0,a.Enum)(\"image\",\"underlay\",\"glyph\",\"guide\",\"annotation\",\"overlay\"),t.RenderMode=(0,a.Enum)(\"canvas\",\"css\"),t.ResetPolicy=(0,a.Enum)(\"standard\",\"event_only\"),t.RoundingFunction=(0,a.Enum)(\"round\",\"nearest\",\"floor\",\"rounddown\",\"ceil\",\"roundup\"),t.SelectionMode=(0,a.Enum)(\"replace\",\"append\",\"intersect\",\"subtract\"),t.Side=(0,a.Enum)(\"above\",\"below\",\"left\",\"right\"),t.SizingMode=(0,a.Enum)(\"stretch_width\",\"stretch_height\",\"stretch_both\",\"scale_width\",\"scale_height\",\"scale_both\",\"fixed\"),t.Sort=(0,a.Enum)(\"ascending\",\"descending\"),t.SpatialUnits=(0,a.Enum)(\"screen\",\"data\"),t.StartEnd=(0,a.Enum)(\"start\",\"end\"),t.StepMode=(0,a.Enum)(\"after\",\"before\",\"center\"),t.TapBehavior=(0,a.Enum)(\"select\",\"inspect\"),t.TextAlign=(0,a.Enum)(\"left\",\"right\",\"center\"),t.TextBaseline=(0,a.Enum)(\"top\",\"middle\",\"bottom\",\"alphabetic\",\"hanging\",\"ideographic\"),t.TextureRepetition=(0,a.Enum)(\"repeat\",\"repeat_x\",\"repeat_y\",\"no_repeat\"),t.TickLabelOrientation=(0,a.Enum)(\"vertical\",\"horizontal\",\"parallel\",\"normal\"),t.TooltipAttachment=(0,a.Enum)(\"horizontal\",\"vertical\",\"left\",\"right\",\"above\",\"below\"),t.UpdateMode=(0,a.Enum)(\"replace\",\"append\"),t.VerticalAlign=(0,a.Enum)(\"top\",\"middle\",\"bottom\")},\n function _(e,n,t,s,r){s();const i=(0,e(1).__importStar)(e(8)),a=e(22),l=e(13),_=window.Map,{hasOwnProperty:u}=Object.prototype;class d{}t.Kind=d,d.__name__=\"Kind\",function(e){class n extends d{valid(e){return!0}}n.__name__=\"Any\",e.Any=n;class t extends d{valid(e){return!0}}t.__name__=\"Unknown\",e.Unknown=t;class s extends d{valid(e){return i.isBoolean(e)}}s.__name__=\"Boolean\",e.Boolean=s;class r extends d{constructor(e){super(),this.obj_type=e}valid(e){return!0}}r.__name__=\"Ref\",e.Ref=r;class c extends d{valid(e){return!0}}c.__name__=\"AnyRef\",e.AnyRef=c;class o extends d{valid(e){return i.isNumber(e)}}o.__name__=\"Number\",e.Number=o;class p extends o{valid(e){return super.valid(e)&&i.isInteger(e)}}p.__name__=\"Int\",e.Int=p;class y extends o{valid(e){return super.valid(e)&&0<=e&&e<=1}}y.__name__=\"Percent\",e.Percent=y;class m extends d{constructor(e){super(),this.types=e,this.types=e}valid(e){return this.types.some((n=>n.valid(e)))}}m.__name__=\"Or\",e.Or=m;class v extends d{constructor(e){super(),this.types=e,this.types=e}valid(e){if(!i.isArray(e))return!1;for(let n=0;nthis.item_type.valid(e)))}}f.__name__=\"Array\",e.Array=f;class K extends d{valid(e){return null===e}}K.__name__=\"Null\",e.Null=K;class b extends d{constructor(e){super(),this.base_type=e}valid(e){return null===e||this.base_type.valid(e)}}b.__name__=\"Nullable\",e.Nullable=b;class A extends d{constructor(e){super(),this.base_type=e}valid(e){return void 0===e||this.base_type.valid(e)}}A.__name__=\"Opt\",e.Opt=A;class x extends d{valid(e){return i.isString(e)}}x.__name__=\"String\",e.String=x;class S extends d{constructor(e){super(),this.values=new Set(e)}valid(e){return this.values.has(e)}*[Symbol.iterator](){yield*this.values}}S.__name__=\"Enum\",e.Enum=S;class N extends d{constructor(e){super(),this.item_type=e}valid(e){if(!i.isPlainObject(e))return!1;for(const n in e)if(u.call(e,n)){const t=e[n];if(!this.item_type.valid(t))return!1}return!0}}N.__name__=\"Dict\",e.Dict=N;class O extends d{constructor(e,n){super(),this.key_type=e,this.item_type=n}valid(e){if(!(e instanceof _))return!1;for(const[n,t]of e.entries())if(!this.key_type.valid(n)||!this.item_type.valid(t))return!1;return!0}}O.__name__=\"Map\",e.Map=O;class g extends d{valid(e){return(0,a.is_Color)(e)}}g.__name__=\"Color\",e.Color=g;class P extends d{valid(e){return i.isFunction(e)}}P.__name__=\"Function\",e.Function=P}(t.Kinds||(t.Kinds={})),t.Any=new t.Kinds.Any,t.Unknown=new t.Kinds.Unknown,t.Boolean=new t.Kinds.Boolean,t.Number=new t.Kinds.Number,t.Int=new t.Kinds.Int,t.String=new t.Kinds.String,t.Null=new t.Kinds.Null;t.Nullable=e=>new t.Kinds.Nullable(e);t.Opt=e=>new t.Kinds.Opt(e);t.Or=(...e)=>new t.Kinds.Or(e);t.Tuple=(...e)=>new t.Kinds.Tuple(e);t.Struct=e=>new t.Kinds.Struct(e),t.Arrayable=new t.Kinds.Arrayable;t.Array=e=>new t.Kinds.Array(e);t.Dict=e=>new t.Kinds.Dict(e);t.Map=(e,n)=>new t.Kinds.Map(e,n);t.Enum=(...e)=>new t.Kinds.Enum(e);t.Ref=e=>new t.Kinds.Ref(e);t.AnyRef=()=>new t.Kinds.AnyRef;t.Function=()=>new t.Kinds.Function,t.Percent=new t.Kinds.Percent,t.Alpha=t.Percent,t.Color=new t.Kinds.Color,t.Auto=(0,t.Enum)(\"auto\"),t.FontSize=t.String,t.Font=t.String,t.Angle=t.Number},\n function _(n,t,r,e,s){e();const u=n(23),c=n(10),l=n(8),{round:i}=Math;function o(n){return(0,c.clamp)(i(n),0,255)}function a(){return[0,0,0,0]}function f(n){return[n>>24&255,n>>16&255,n>>8&255,255&n]}function d(n,t){var r;let e,s,u,c;return null==n?[e,s,u,c]=[0,0,0,0]:(0,l.isInteger)(n)?[e,s,u,c]=f(n):(0,l.isString)(n)?[e,s,u,c]=null!==(r=_(n))&&void 0!==r?r:[0,0,0,0]:([e,s,u,c=1]=n,c=o(255*c)),255==c&&null!=t&&(c=o(255*t)),[e,s,u,c]}r.transparent=a,r.encode_rgba=function([n,t,r,e]){return n<<24|t<<16|r<<8|e},r.decode_rgba=f,r.compose_alpha=function(n,t){return 255==(255&n)?4294967040&n|o(255*t):n},r.color2rgba=d;const h={0:\"0\",1:\"1\",2:\"2\",3:\"3\",4:\"4\",5:\"5\",6:\"6\",7:\"7\",8:\"8\",9:\"9\",10:\"a\",11:\"b\",12:\"c\",13:\"d\",14:\"e\",15:\"f\"};function g(n){return h[n>>4]+h[15&n]}r.color2css=function(n,t){const[r,e,s,u]=d(n,t);return`rgba(${r}, ${e}, ${s}, ${u/255})`},r.color2hex=function(n,t){const[r,e,s,u]=d(n,t),c=`#${g(r)}${g(e)}${g(s)}`;return 255==u?c:`${c}${g(u)}`},r.color2hexrgb=function(n){const[t,r,e]=d(n);return`#${g(t)}${g(r)}${g(e)}`};const b=/^rgba?\\(\\s*([^\\s,]+?)\\s+([^\\s,]+?)\\s+([^\\s,]+?)(?:\\s*\\/\\s*([^\\s,]+?))?\\s*\\)$/,$=/^rgba?\\(\\s*([^\\s,]+?)\\s*,\\s*([^\\s,]+?)\\s*,\\s*([^\\s,]+?)(?:\\s*,\\s*([^\\s,]+?))?\\s*\\)$/,m=(()=>{const n=document.createElement(\"canvas\");n.width=1,n.height=1;const t=n.getContext(\"2d\"),r=t.createLinearGradient(0,0,1,1);return n=>{t.fillStyle=r,t.fillStyle=n;const e=t.fillStyle;return e!=r?e:null}})();function _(n){var t;if(!(n=n.trim().toLowerCase()))return null;if(\"transparent\"==n)return[0,0,0,0];if((0,u.is_named_color)(n))return f(u.named_colors[n]);if(\"#\"==n[0]){const t=Number(`0x${n.substr(1)}`);if(isNaN(t))return null;switch(n.length-1){case 3:{const n=t>>8&15,r=t>>4&15,e=t>>0&15;return[n<<4|n,r<<4|r,e<<4|e,255]}case 4:{const n=t>>12&15,r=t>>8&15,e=t>>4&15,s=t>>0&15;return[n<<4|n,r<<4|r,e<<4|e,s<<4|s]}case 6:return[t>>16&255,t>>8&255,t>>0&255,255];case 8:return[t>>24&255,t>>16&255,t>>8&255,t>>0&255]}}else if(n.startsWith(\"rgb\")){const r=null!==(t=n.match(b))&&void 0!==t?t:n.match($);if(null!=r){let[,n,t,e,s=\"1\"]=r;const u=n.endsWith(\"%\"),c=t.endsWith(\"%\"),l=e.endsWith(\"%\"),i=s.endsWith(\"%\");if(!(u&&c&&l)&&(u||c||l))return null;u&&(n=n.slice(0,-1)),c&&(t=t.slice(0,-1)),l&&(e=e.slice(0,-1)),i&&(s=s.slice(0,-1));let a=Number(n),f=Number(t),d=Number(e),h=Number(s);return isNaN(a+f+d+h)?null:(u&&(a=a/100*255),c&&(f=f/100*255),l&&(d=d/100*255),h=255*(i?h/100:h),a=o(a),f=o(f),d=o(d),h=o(h),[a,f,d,h])}}else{const t=m(n);if(null!=t)return _(t)}return null}r.css4_parse=_,r.is_Color=function(n){return!!(0,l.isInteger)(n)||(!(!(0,l.isString)(n)||null==_(n))||!(!(0,l.isArray)(n)||3!=n.length&&4!=n.length))},r.is_dark=function([n,t,r]){return 1-(.299*n+.587*t+.114*r)/255>=.6}},\n function _(e,r,l,a,i){a();l.named_colors={aliceblue:4042850303,antiquewhite:4209760255,aqua:16777215,aquamarine:2147472639,azure:4043309055,beige:4126530815,bisque:4293182719,black:255,blanchedalmond:4293643775,blue:65535,blueviolet:2318131967,brown:2771004159,burlywood:3736635391,cadetblue:1604231423,chartreuse:2147418367,chocolate:3530104575,coral:4286533887,cornflowerblue:1687547391,cornsilk:4294499583,crimson:3692313855,cyan:16777215,darkblue:35839,darkcyan:9145343,darkgoldenrod:3095792639,darkgray:2846468607,darkgreen:6553855,darkgrey:2846468607,darkkhaki:3182914559,darkmagenta:2332068863,darkolivegreen:1433087999,darkorange:4287365375,darkorchid:2570243327,darkred:2332033279,darksalmon:3918953215,darkseagreen:2411499519,darkslateblue:1211993087,darkslategray:793726975,darkslategrey:793726975,darkturquoise:13554175,darkviolet:2483082239,deeppink:4279538687,deepskyblue:12582911,dimgray:1768516095,dimgrey:1768516095,dodgerblue:512819199,firebrick:2988581631,floralwhite:4294635775,forestgreen:579543807,fuchsia:4278255615,gainsboro:3705462015,ghostwhite:4177068031,gold:4292280575,goldenrod:3668254975,gray:2155905279,green:8388863,greenyellow:2919182335,grey:2155905279,honeydew:4043305215,hotpink:4285117695,indianred:3445382399,indigo:1258324735,ivory:4294963455,khaki:4041641215,lavender:3873897215,lavenderblush:4293981695,lawngreen:2096890111,lemonchiffon:4294626815,lightblue:2916673279,lightcoral:4034953471,lightcyan:3774873599,lightgoldenrodyellow:4210742015,lightgray:3553874943,lightgreen:2431553791,lightgrey:3553874943,lightpink:4290167295,lightsalmon:4288707327,lightseagreen:548580095,lightskyblue:2278488831,lightslategray:2005441023,lightslategrey:2005441023,lightsteelblue:2965692159,lightyellow:4294959359,lime:16711935,limegreen:852308735,linen:4210091775,magenta:4278255615,maroon:2147483903,mediumaquamarine:1724754687,mediumblue:52735,mediumorchid:3126187007,mediumpurple:2473647103,mediumseagreen:1018393087,mediumslateblue:2070474495,mediumspringgreen:16423679,mediumturquoise:1221709055,mediumvioletred:3340076543,midnightblue:421097727,mintcream:4127193855,mistyrose:4293190143,moccasin:4293178879,navajowhite:4292783615,navy:33023,oldlace:4260751103,olive:2155872511,olivedrab:1804477439,orange:4289003775,orangered:4282712319,orchid:3664828159,palegoldenrod:4008225535,palegreen:2566625535,paleturquoise:2951671551,palevioletred:3681588223,papayawhip:4293907967,peachpuff:4292524543,peru:3448061951,pink:4290825215,plum:3718307327,powderblue:2967529215,purple:2147516671,rebeccapurple:1714657791,red:4278190335,rosybrown:3163525119,royalblue:1097458175,saddlebrown:2336560127,salmon:4202722047,sandybrown:4104413439,seagreen:780883967,seashell:4294307583,sienna:2689740287,silver:3233857791,skyblue:2278484991,slateblue:1784335871,slategray:1887473919,slategrey:1887473919,snow:4294638335,springgreen:16744447,steelblue:1182971135,tan:3535047935,teal:8421631,thistle:3636451583,tomato:4284696575,turquoise:1088475391,violet:4001558271,wheat:4125012991,white:4294967295,whitesmoke:4126537215,yellow:4294902015,yellowgreen:2597139199},l.is_named_color=function(e){return e in l.named_colors}},\n function _(r,t,n,a,o){a(),n.GeneratorFunction=Object.getPrototypeOf((function*(){})).constructor,n.ColorArray=Uint32Array,n.RGBAArray=Uint8ClampedArray,n.infer_type=function(r,t){return r instanceof Float64Array||r instanceof Array||t instanceof Float64Array||t instanceof Array?Float64Array:Float32Array},n.ScreenArray=Float32Array,n.to_screen=function(r){return r instanceof Float32Array?r:Float32Array.from(r)},o(\"Indices\",r(25).BitSet)},\n function _(t,s,r,e,i){var n;e();const o=t(26),a=t(11);class _{constructor(t,s=0){this.size=t,this[n]=\"BitSet\",this._count=null,this._nwords=Math.ceil(t/32),0==s||1==s?(this._array=new Uint32Array(this._nwords),1==s&&this._array.fill(4294967295)):((0,a.assert)(s.length==this._nwords,\"Initializer size mismatch\"),this._array=s)}clone(){return new _(this.size,new Uint32Array(this._array))}[(n=Symbol.toStringTag,o.equals)](t,s){if(!s.eq(this.size,t.size))return!1;const{_nwords:r}=this,e=this.size%r,i=0==e?r:r-1;for(let s=0;s>>5,r=31&t;return!!(this._array[s]>>r&1)}set(t,s=!0){this._check_bounds(t),this._count=null;const r=t>>>5,e=31&t;s?this._array[r]|=1<>>t&1&&(e+=1)}return e}*ones(){const{_array:t,_nwords:s,size:r}=this;for(let e=0,i=0;i>>t&1&&(yield e);else e+=32}}*zeros(){const{_array:t,_nwords:s,size:r}=this;for(let e=0,i=0;i>>t&1||(yield e);else e+=32}}_check_size(t){(0,a.assert)(this.size==t.size,\"Size mismatch\")}add(t){this._check_size(t);for(let s=0;s{if(a(t)&&a(e))return t[r.equals](e,this);switch(n){case\"[object Array]\":case\"[object Uint8Array]\":case\"[object Int8Array]\":case\"[object Uint16Array]\":case\"[object Int16Array]\":case\"[object Uint32Array]\":case\"[object Int32Array]\":case\"[object Float32Array]\":case\"[object Float64Array]\":return this.arrays(t,e);case\"[object Map]\":return this.maps(t,e);case\"[object Set]\":return this.sets(t,e);case\"[object Object]\":if(t.constructor==e.constructor&&(null==t.constructor||t.constructor===Object))return this.objects(t,e);case\"[object Function]\":if(t.constructor==e.constructor&&t.constructor===Function)return this.eq(`${t}`,`${e}`)}if(t instanceof Node)return this.nodes(t,e);throw Error(`can't compare objects of type ${n}`)})();return s.pop(),o.pop(),u}numbers(t,e){return Object.is(t,e)}arrays(t,e){const{length:r}=t;if(r!=e.length)return!1;for(let n=0;n{const n=navigator.userAgent;return n.includes(\"MSIE\")||n.includes(\"Trident\")||n.includes(\"Edge\")})(),e.is_mobile=\"undefined\"!=typeof window&&(\"ontouchstart\"in window||navigator.maxTouchPoints>0),e.is_little_endian=(()=>{const n=new ArrayBuffer(4),i=new Uint8Array(n);new Uint32Array(n)[1]=168496141;let e=!0;return 10==i[4]&&11==i[5]&&12==i[6]&&13==i[7]&&(e=!1),e})(),e.BYTE_ORDER=e.is_little_endian?\"little\":\"big\",e.to_big_endian=function(n){if(e.is_little_endian){const i=new Uint32Array(n.length),e=new DataView(i.buffer);let t=0;for(const i of n)e.setUint32(t,i),t+=4;return i}return n}},\n function _(e,t,r,s,_){s();class i{constructor(){this._dev=!1,this._wireframe=!1,this._force_webgl=!1}set dev(e){this._dev=e}get dev(){return this._dev}set wireframe(e){this._wireframe=e}get wireframe(){return this._wireframe}set force_webgl(e){this._force_webgl=e}get force_webgl(){return this._force_webgl}}r.Settings=i,i.__name__=\"Settings\",r.settings=new i},\n function _(e,s,t,i,r){var a,n,l,h,u,o,p,c;i();const y=e(8),_=e(11),A=e(26),q=e(30),d=e(31),z=Symbol(\"__ndarray__\");class D extends Uint8Array{constructor(e,s){super(e),this[a]=!0,this.dtype=\"uint8\",this.shape=null!=s?s:x(e)?e.shape:[this.length],this.dimension=this.shape.length,null==this[A.equals]&&(this[A.equals]=(e,s)=>D.prototype[A.equals].call(this,e,s)),null==this[q.serialize]&&(this[q.serialize]=e=>D.prototype[q.serialize].call(this,e))}[(a=z,A.equals)](e,s){return s.eq(this.shape,e.shape)&&s.arrays(this,e)}[q.serialize](e){return(0,d.encode_NDArray)(this)}}t.Uint8NDArray=D,D.__name__=\"Uint8NDArray\";class N extends Int8Array{constructor(e,s){super(e),this[n]=!0,this.dtype=\"int8\",this.shape=null!=s?s:x(e)?e.shape:[this.length],this.dimension=this.shape.length,null==this[A.equals]&&(this[A.equals]=(e,s)=>N.prototype[A.equals].call(this,e,s)),null==this[q.serialize]&&(this[q.serialize]=e=>N.prototype[q.serialize].call(this,e))}[(n=z,A.equals)](e,s){return s.eq(this.shape,e.shape)&&s.arrays(this,e)}[q.serialize](e){return(0,d.encode_NDArray)(this)}}t.Int8NDArray=N,N.__name__=\"Int8NDArray\";class f extends Uint16Array{constructor(e,s){super(e),this[l]=!0,this.dtype=\"uint16\",this.shape=null!=s?s:x(e)?e.shape:[this.length],this.dimension=this.shape.length,null==this[A.equals]&&(this[A.equals]=(e,s)=>f.prototype[A.equals].call(this,e,s)),null==this[q.serialize]&&(this[q.serialize]=e=>f.prototype[q.serialize].call(this,e))}[(l=z,A.equals)](e,s){return s.eq(this.shape,e.shape)&&s.arrays(this,e)}[q.serialize](e){return(0,d.encode_NDArray)(this)}}t.Uint16NDArray=f,f.__name__=\"Uint16NDArray\";class m extends Int16Array{constructor(e,s){super(e),this[h]=!0,this.dtype=\"int16\",this.shape=null!=s?s:x(e)?e.shape:[this.length],this.dimension=this.shape.length,null==this[A.equals]&&(this[A.equals]=(e,s)=>m.prototype[A.equals].call(this,e,s)),null==this[q.serialize]&&(this[q.serialize]=e=>m.prototype[q.serialize].call(this,e))}[(h=z,A.equals)](e,s){return s.eq(this.shape,e.shape)&&s.arrays(this,e)}[q.serialize](e){return(0,d.encode_NDArray)(this)}}t.Int16NDArray=m,m.__name__=\"Int16NDArray\";class g extends Uint32Array{constructor(e,s){super(e),this[u]=!0,this.dtype=\"uint32\",this.shape=null!=s?s:x(e)?e.shape:[this.length],this.dimension=this.shape.length,null==this[A.equals]&&(this[A.equals]=(e,s)=>g.prototype[A.equals].call(this,e,s)),null==this[q.serialize]&&(this[q.serialize]=e=>g.prototype[q.serialize].call(this,e))}[(u=z,A.equals)](e,s){return s.eq(this.shape,e.shape)&&s.arrays(this,e)}[q.serialize](e){return(0,d.encode_NDArray)(this)}}t.Uint32NDArray=g,g.__name__=\"Uint32NDArray\";class I extends Int32Array{constructor(e,s){super(e),this[o]=!0,this.dtype=\"int32\",this.shape=null!=s?s:x(e)?e.shape:[this.length],this.dimension=this.shape.length,null==this[A.equals]&&(this[A.equals]=(e,s)=>I.prototype[A.equals].call(this,e,s)),null==this[q.serialize]&&(this[q.serialize]=e=>I.prototype[q.serialize].call(this,e))}[(o=z,A.equals)](e,s){return s.eq(this.shape,e.shape)&&s.arrays(this,e)}[q.serialize](e){return(0,d.encode_NDArray)(this)}}t.Int32NDArray=I,I.__name__=\"Int32NDArray\";class U extends Float32Array{constructor(e,s){super(e),this[p]=!0,this.dtype=\"float32\",this.shape=null!=s?s:x(e)?e.shape:[this.length],this.dimension=this.shape.length,null==this[A.equals]&&(this[A.equals]=(e,s)=>U.prototype[A.equals].call(this,e,s)),null==this[q.serialize]&&(this[q.serialize]=e=>U.prototype[q.serialize].call(this,e))}[(p=z,A.equals)](e,s){return s.eq(this.shape,e.shape)&&s.arrays(this,e)}[q.serialize](e){return(0,d.encode_NDArray)(this)}}t.Float32NDArray=U,U.__name__=\"Float32NDArray\";class w extends Float64Array{constructor(e,s){super(e),this[c]=!0,this.dtype=\"float64\",this.shape=null!=s?s:x(e)?e.shape:[this.length],this.dimension=this.shape.length,null==this[A.equals]&&(this[A.equals]=(e,s)=>w.prototype[A.equals].call(this,e,s)),null==this[q.serialize]&&(this[q.serialize]=e=>w.prototype[q.serialize].call(this,e))}[(c=z,A.equals)](e,s){return s.eq(this.shape,e.shape)&&s.arrays(this,e)}[q.serialize](e){return(0,d.encode_NDArray)(this)}}function x(e){return(0,y.isObject)(e)&&void 0!==e[z]}t.Float64NDArray=w,w.__name__=\"Float64NDArray\",t.is_NDArray=x,t.ndarray=function(e,s={}){let{dtype:t}=s;null==t&&(t=e instanceof ArrayBuffer||(0,y.isArray)(e)?\"float64\":(()=>{switch(!0){case e instanceof Uint8Array:return\"uint8\";case e instanceof Int8Array:return\"int8\";case e instanceof Uint16Array:return\"uint16\";case e instanceof Int16Array:return\"int16\";case e instanceof Uint32Array:return\"uint32\";case e instanceof Int32Array:return\"int32\";case e instanceof Float32Array:return\"float32\";case e instanceof Float64Array:return\"float64\";default:(0,_.unreachable)()}})());const{shape:i}=s;switch(t){case\"uint8\":return new D(e,i);case\"int8\":return new N(e,i);case\"uint16\":return new f(e,i);case\"int16\":return new m(e,i);case\"uint32\":return new g(e,i);case\"int32\":return new I(e,i);case\"float32\":return new U(e,i);case\"float64\":return new w(e,i)}}},\n function _(e,r,t,i,s){i();const n=e(11),a=e(13),l=e(8);t.serialize=Symbol(\"serialize\");class o extends Error{}t.SerializationError=o,o.__name__=\"SerializationError\";class f{constructor(e){var r;this._references=new Map,this._definitions=new Map,this._refmap=new Map,this.include_defaults=null===(r=null==e?void 0:e.include_defaults)||void 0===r||r}get_ref(e){return this._references.get(e)}add_ref(e,r){(0,n.assert)(!this._references.has(e)),this._references.set(e,r)}add_def(e,r){const t=this.get_ref(e);(0,n.assert)(null!=t),this._definitions.set(e,r),this._refmap.set(t,r)}get objects(){return new Set(this._references.keys())}get references(){return new Set(this._references.values())}get definitions(){return new Set(this._definitions.values())}resolve_ref(e){return this._refmap.get(e)}remove_ref(e){return this._references.delete(e)}remove_def(e){return this._definitions.delete(e)}to_serializable(e){const r=this.get_ref(e);if(null!=r)return r;if(function(e){return(0,l.isObject)(e)&&void 0!==e[t.serialize]}(e))return e[t.serialize](this);if((0,l.isArray)(e)||(0,l.isTypedArray)(e)){const r=e.length,t=new Array(r);for(let i=0;i(0,s.buffer_to_base64)(_.buffer)};return Object.assign({__ndarray__:e},r)}}},\n function _(t,n,e,r,o){r(),e.buffer_to_base64=function(t){const n=new Uint8Array(t),e=Array.from(n).map((t=>String.fromCharCode(t)));return btoa(e.join(\"\"))},e.base64_to_buffer=function(t){const n=atob(t),e=n.length,r=new Uint8Array(e);for(let t=0,o=e;t\"'`])/g,(t=>{switch(t){case\"&\":return\"&\";case\"<\":return\"<\";case\">\":return\">\";case'\"':return\""\";case\"'\":return\"'\";case\"`\":return\"`\";default:return t}}))},r.unescape=function(t){return t.replace(/&(amp|lt|gt|quot|#x27|#x60);/g,((t,e)=>{switch(e){case\"amp\":return\"&\";case\"lt\":return\"<\";case\"gt\":return\">\";case\"quot\":return'\"';case\"#x27\":return\"'\";case\"#x60\":return\"`\";default:return e}}))},r.use_strict=function(t){return`'use strict';\\n${t}`},r.to_fixed=function(t,e){return t.toFixed(e).replace(/(\\.[0-9]*?)0+$/,\"$1\").replace(/\\.$/,\"\")}},\n function _(e,t,s,n,o){n();const i=e(30);class r{constructor(e){this.document=e}}s.DocumentEvent=r,r.__name__=\"DocumentEvent\";class a extends r{constructor(e,t,s){super(e),this.events=t,this.setter_id=s}}s.DocumentEventBatch=a,a.__name__=\"DocumentEventBatch\";class d extends r{}s.DocumentChangedEvent=d,d.__name__=\"DocumentChangedEvent\";class l extends d{constructor(e,t,s){super(e),this.msg_type=t,this.msg_data=s}[i.serialize](e){const t=this.msg_data,s=e.to_serializable(t);return{kind:\"MessageSent\",msg_type:this.msg_type,msg_data:s}}}s.MessageSentEvent=l,l.__name__=\"MessageSentEvent\";class _ extends d{constructor(e,t,s,n,o,i,r){super(e),this.model=t,this.attr=s,this.old=n,this.new_=o,this.setter_id=i,this.hint=r}[i.serialize](e){if(null!=this.hint)return e.to_serializable(this.hint);const t=this.new_,s=e.to_serializable(t);return this.model!=t&&e.remove_def(this.model),{kind:\"ModelChanged\",model:this.model.ref(),attr:this.attr,new:s}}}s.ModelChangedEvent=_,_.__name__=\"ModelChangedEvent\";class c extends d{constructor(e,t,s){super(e),this.column_source=t,this.patches=s}[i.serialize](e){return{kind:\"ColumnsPatched\",column_source:this.column_source,patches:this.patches}}}s.ColumnsPatchedEvent=c,c.__name__=\"ColumnsPatchedEvent\";class h extends d{constructor(e,t,s,n){super(e),this.column_source=t,this.data=s,this.rollover=n}[i.serialize](e){return{kind:\"ColumnsStreamed\",column_source:this.column_source,data:this.data,rollover:this.rollover}}}s.ColumnsStreamedEvent=h,h.__name__=\"ColumnsStreamedEvent\";class m extends d{constructor(e,t,s){super(e),this.title=t,this.setter_id=s}[i.serialize](e){return{kind:\"TitleChanged\",title:this.title}}}s.TitleChangedEvent=m,m.__name__=\"TitleChangedEvent\";class u extends d{constructor(e,t,s){super(e),this.model=t,this.setter_id=s}[i.serialize](e){return{kind:\"RootAdded\",model:e.to_serializable(this.model)}}}s.RootAddedEvent=u,u.__name__=\"RootAddedEvent\";class v extends d{constructor(e,t,s){super(e),this.model=t,this.setter_id=s}[i.serialize](e){return{kind:\"RootRemoved\",model:this.model.ref()}}}s.RootRemovedEvent=v,v.__name__=\"RootRemovedEvent\"},\n function _(t,i,r,n,s){n();const e=t(8),o=t(13);r.pretty=Symbol(\"pretty\");class c{constructor(t){this.visited=new Set,this.precision=null==t?void 0:t.precision}to_string(t){if((0,e.isObject)(t)){if(this.visited.has(t))return\"\";this.visited.add(t)}return function(t){return(0,e.isObject)(t)&&void 0!==t[r.pretty]}(t)?t[r.pretty](this):(0,e.isBoolean)(t)?this.boolean(t):(0,e.isNumber)(t)?this.number(t):(0,e.isString)(t)?this.string(t):(0,e.isArray)(t)?this.array(t):(0,e.isIterable)(t)?this.iterable(t):(0,e.isPlainObject)(t)?this.object(t):(0,e.isSymbol)(t)?this.symbol(t):`${t}`}token(t){return t}boolean(t){return`${t}`}number(t){return null!=this.precision?t.toFixed(this.precision):`${t}`}string(t){return`\"${t.replace(/'/g,\"\\\\'\")}\"`}symbol(t){return t.toString()}array(t){const i=this.token,r=[];for(const i of t)r.push(this.to_string(i));return`${i(\"[\")}${r.join(`${i(\",\")} `)}${i(\"]\")}`}iterable(t){var i;const r=this.token,n=null!==(i=Object(t)[Symbol.toStringTag])&&void 0!==i?i:\"Object\",s=this.array(t);return`${n}${r(\"(\")}${s}${r(\")\")}`}object(t){const i=this.token,r=[];for(const[n,s]of(0,o.entries)(t))r.push(`${n}${i(\":\")} ${this.to_string(s)}`);return`${i(\"{\")}${r.join(`${i(\",\")} `)}${i(\"}\")}`}}r.Printer=c,c.__name__=\"Printer\",r.to_string=function(t,i){return new c(i).to_string(t)}},\n function _(n,o,r,e,t){e();const l=n(13),i=n(8);function c(n){return(0,i.isObject)(n)&&void 0!==n[r.clone]}r.clone=Symbol(\"clone\"),r.is_Cloneable=c;class s extends Error{}r.CloningError=s,s.__name__=\"CloningError\";class a{constructor(){}clone(n){if(c(n))return n[r.clone](this);if((0,i.isArray)(n)){const o=n.length,r=new Array(o);for(let e=0;e{null!=this.layout&&(this.layout.visible=this.model.visible,this.plot_view.request_layout())}))}get needs_clip(){return null==this.layout}serializable_state(){const t=super.serializable_state();return null==this.layout?t:Object.assign(Object.assign({},t),{bbox:this.layout.bbox.box})}}i.AnnotationView=r,r.__name__=\"AnnotationView\";class a extends l.Renderer{constructor(t){super(t)}}i.Annotation=a,o=a,a.__name__=\"Annotation\",o.override({level:\"annotation\"})},\n function _(e,i,t,n,s){n();const r=e(1);var o,a;const _=e(42),l=(0,r.__importStar)(e(45)),d=e(20),h=e(53),u=e(54);class c extends h.Model{constructor(e){super(e)}}t.RendererGroup=c,o=c,c.__name__=\"RendererGroup\",o.define((({Boolean:e})=>({visible:[e,!0]})));class p extends _.View{get coordinates(){const{_coordinates:e}=this;return null!=e?e:this._coordinates=this._initialize_coordinates()}initialize(){super.initialize(),this.visuals=new l.Visuals(this),this.needs_webgl_blit=!1}connect_signals(){super.connect_signals();const{x_range_name:e,y_range_name:i}=this.model.properties;this.on_change([e,i],(()=>this._initialize_coordinates()));const{group:t}=this.model;null!=t&&this.on_change(t.properties.visible,(()=>{this.model.visible=t.visible}))}_initialize_coordinates(){const{coordinates:e}=this.model,{frame:i}=this.plot_view;if(null!=e)return e.get_transform(i);{const{x_range_name:e,y_range_name:t}=this.model,n=i.x_scales.get(e),s=i.y_scales.get(t);return new u.CoordinateTransform(n,s)}}get plot_view(){return this.parent}get plot_model(){return this.parent.model}get layer(){const{overlays:e,primary:i}=this.canvas;return\"overlay\"==this.model.level?e:i}get canvas(){return this.plot_view.canvas_view}request_render(){this.request_paint()}request_paint(){this.plot_view.request_paint(this)}request_layout(){this.plot_view.request_layout()}notify_finished(){this.plot_view.notify_finished()}notify_finished_after_paint(){this.plot_view.notify_finished_after_paint()}get needs_clip(){return!1}get has_webgl(){return!1}render(){this.model.visible&&this._render(),this._has_finished=!0}renderer_view(e){}}t.RendererView=p,p.__name__=\"RendererView\";class g extends h.Model{constructor(e){super(e)}}t.Renderer=g,a=g,g.__name__=\"Renderer\",a.define((({Boolean:e,String:i,Ref:t,Nullable:n})=>({group:[n(t(c)),null],level:[d.RenderLevel,\"image\"],visible:[e,!0],x_range_name:[i,\"default\"],y_range_name:[i,\"default\"],coordinates:[n(t(u.CoordinateMapping)),null]})))},\n function _(t,e,s,i,n){i();const o=t(1),h=t(15),r=t(43),l=t(8),_=(0,o.__importDefault)(t(44));class d{constructor(t){this.removed=new h.Signal0(this,\"removed\"),this._ready=Promise.resolve(void 0),this._slots=new WeakMap,this._idle_notified=!1;const{model:e,parent:s}=t;this.model=e,this.parent=s,this.root=null==s?this:s.root,this.removed.emit()}get ready(){return this._ready}connect(t,e){let s=this._slots.get(e);return null==s&&(s=(t,s)=>{const i=Promise.resolve(e.call(this,t,s));this._ready=this._ready.then((()=>i))},this._slots.set(e,s)),t.connect(s,this)}disconnect(t,e){return t.disconnect(e,this)}initialize(){this._has_finished=!1,this.is_root&&(this._stylesheet=r.stylesheet);for(const t of this.styles())this.stylesheet.append(t)}async lazy_initialize(){}remove(){this.disconnect_signals(),this.removed.emit()}toString(){return`${this.model.type}View(${this.model.id})`}serializable_state(){return{type:this.model.type}}get is_root(){return null==this.parent}has_finished(){return this._has_finished}get is_idle(){return this.has_finished()}connect_signals(){}disconnect_signals(){h.Signal.disconnect_receiver(this)}on_change(t,e){for(const s of(0,l.isArray)(t)?t:[t])this.connect(s.change,e)}cursor(t,e){return null}get stylesheet(){return this.is_root?this._stylesheet:this.root.stylesheet}styles(){return[_.default]}notify_finished(){this.is_root?!this._idle_notified&&this.has_finished()&&null!=this.model.document&&(this._idle_notified=!0,this.model.document.notify_idle(this.model)):this.root.notify_finished()}}s.View=d,d.__name__=\"View\"},\n function _(t,e,n,i,o){i();const s=t(8),l=t(13),r=t=>(e={},...n)=>{const i=document.createElement(t);i.classList.add(\"bk\"),(0,s.isPlainObject)(e)||(n=[e,...n],e={});for(let[t,n]of(0,l.entries)(e))if(null!=n&&(!(0,s.isBoolean)(n)||n))if(\"class\"===t&&((0,s.isString)(n)&&(n=n.split(/\\s+/)),(0,s.isArray)(n)))for(const t of n)null!=t&&i.classList.add(t);else if(\"style\"===t&&(0,s.isPlainObject)(n))for(const[t,e]of(0,l.entries)(n))i.style[t]=e;else if(\"data\"===t&&(0,s.isPlainObject)(n))for(const[t,e]of(0,l.entries)(n))i.dataset[t]=e;else i.setAttribute(t,n);function o(t){if((0,s.isString)(t))i.appendChild(document.createTextNode(t));else if(t instanceof Node)i.appendChild(t);else if(t instanceof NodeList||t instanceof HTMLCollection)for(const e of t)i.appendChild(e);else if(null!=t&&!1!==t)throw new Error(`expected a DOM element, string, false or null, got ${JSON.stringify(t)}`)}for(const t of n)if((0,s.isArray)(t))for(const e of t)o(e);else o(t);return i};function a(t){const e=t.parentNode;null!=e&&e.removeChild(t)}function c(t,...e){const n=t.firstChild;for(const i of e)t.insertBefore(i,n)}function d(t,e){var n,i,o;const s=Element.prototype;return(null!==(o=null!==(i=null!==(n=s.matches)&&void 0!==n?n:s.webkitMatchesSelector)&&void 0!==i?i:s.mozMatchesSelector)&&void 0!==o?o:s.msMatchesSelector).call(t,e)}function h(t){return parseFloat(t)||0}function f(t){const e=getComputedStyle(t);return{border:{top:h(e.borderTopWidth),bottom:h(e.borderBottomWidth),left:h(e.borderLeftWidth),right:h(e.borderRightWidth)},margin:{top:h(e.marginTop),bottom:h(e.marginBottom),left:h(e.marginLeft),right:h(e.marginRight)},padding:{top:h(e.paddingTop),bottom:h(e.paddingBottom),left:h(e.paddingLeft),right:h(e.paddingRight)}}}function u(t){const e=t.getBoundingClientRect();return{width:Math.ceil(e.width),height:Math.ceil(e.height)}}n.createElement=function(t,e,...n){return r(t)(e,...n)},n.div=r(\"div\"),n.span=r(\"span\"),n.canvas=r(\"canvas\"),n.link=r(\"link\"),n.style=r(\"style\"),n.a=r(\"a\"),n.p=r(\"p\"),n.i=r(\"i\"),n.pre=r(\"pre\"),n.button=r(\"button\"),n.label=r(\"label\"),n.input=r(\"input\"),n.select=r(\"select\"),n.option=r(\"option\"),n.optgroup=r(\"optgroup\"),n.textarea=r(\"textarea\"),n.createSVGElement=function(t,e,...n){const i=document.createElementNS(\"http://www.w3.org/2000/svg\",t);for(const[t,n]of(0,l.entries)(null!=e?e:{}))null==n||(0,s.isBoolean)(n)&&!n||i.setAttribute(t,n);function o(t){if((0,s.isString)(t))i.appendChild(document.createTextNode(t));else if(t instanceof Node)i.appendChild(t);else if(t instanceof NodeList||t instanceof HTMLCollection)for(const e of t)i.appendChild(e);else if(null!=t&&!1!==t)throw new Error(`expected a DOM element, string, false or null, got ${JSON.stringify(t)}`)}for(const t of n)if((0,s.isArray)(t))for(const e of t)o(e);else o(t);return i},n.nbsp=function(){return document.createTextNode(\"\\xa0\")},n.append=function(t,...e){for(const n of e)t.appendChild(n)},n.remove=a,n.removeElement=a,n.replaceWith=function(t,e){const n=t.parentNode;null!=n&&n.replaceChild(e,t)},n.prepend=c,n.empty=function(t,e=!1){let n;for(;n=t.firstChild;)t.removeChild(n);if(e&&t instanceof Element)for(const e of t.attributes)t.removeAttributeNode(e)},n.display=function(t){t.style.display=\"\"},n.undisplay=function(t){t.style.display=\"none\"},n.show=function(t){t.style.visibility=\"\"},n.hide=function(t){t.style.visibility=\"hidden\"},n.offset=function(t){const e=t.getBoundingClientRect();return{top:e.top+window.pageYOffset-document.documentElement.clientTop,left:e.left+window.pageXOffset-document.documentElement.clientLeft}},n.matches=d,n.parent=function(t,e){let n=t;for(;n=n.parentElement;)if(d(n,e))return n;return null},n.extents=f,n.size=u,n.scroll_size=function(t){return{width:Math.ceil(t.scrollWidth),height:Math.ceil(t.scrollHeight)}},n.outer_size=function(t){const{margin:{left:e,right:n,top:i,bottom:o}}=f(t),{width:s,height:l}=u(t);return{width:Math.ceil(s+e+n),height:Math.ceil(l+i+o)}},n.content_size=function(t){const{left:e,top:n}=t.getBoundingClientRect(),{padding:i}=f(t);let o=0,s=0;for(const l of t.children){const t=l.getBoundingClientRect();o=Math.max(o,Math.ceil(t.left-e-i.left+t.width)),s=Math.max(s,Math.ceil(t.top-n-i.top+t.height))}return{width:o,height:s}},n.position=function(t,e,n){const{style:i}=t;if(i.left=`${e.x}px`,i.top=`${e.y}px`,i.width=`${e.width}px`,i.height=`${e.height}px`,null==n)i.margin=\"\";else{const{top:t,right:e,bottom:o,left:s}=n;i.margin=`${t}px ${e}px ${o}px ${s}px`}},n.children=function(t){return Array.from(t.children)};class p{constructor(t){this.el=t,this.classList=t.classList}get values(){const t=[];for(let e=0;e{document.addEventListener(\"DOMContentLoaded\",(()=>t()),{once:!0})}))}},\n function _(o,i,t,e,r){e(),t.root=\"bk-root\",t.default=\".bk-root{position:relative;width:auto;height:auto;box-sizing:border-box;font-family:Helvetica, Arial, sans-serif;font-size:13px;}.bk-root .bk,.bk-root .bk:before,.bk-root .bk:after{box-sizing:inherit;margin:0;border:0;padding:0;background-image:none;font-family:inherit;font-size:100%;line-height:1.42857143;}.bk-root pre.bk{font-family:Courier, monospace;}\"},\n function _(e,t,r,a,c){a();const n=e(1),l=e(46);c(\"Line\",l.Line),c(\"LineScalar\",l.LineScalar),c(\"LineVector\",l.LineVector);const i=e(49);c(\"Fill\",i.Fill),c(\"FillScalar\",i.FillScalar),c(\"FillVector\",i.FillVector);const s=e(50);c(\"Text\",s.Text),c(\"TextScalar\",s.TextScalar),c(\"TextVector\",s.TextVector);const o=e(51);c(\"Hatch\",o.Hatch),c(\"HatchScalar\",o.HatchScalar),c(\"HatchVector\",o.HatchVector);const u=(0,n.__importStar)(e(48)),V=e(47);c(\"VisualProperties\",V.VisualProperties),c(\"VisualUniforms\",V.VisualUniforms);class h{constructor(e){this._visuals=[];for(const[t,r]of e.model._mixins){const a=(()=>{switch(r){case u.Line:return new l.Line(e,t);case u.LineScalar:return new l.LineScalar(e,t);case u.LineVector:return new l.LineVector(e,t);case u.Fill:return new i.Fill(e,t);case u.FillScalar:return new i.FillScalar(e,t);case u.FillVector:return new i.FillVector(e,t);case u.Text:return new s.Text(e,t);case u.TextScalar:return new s.TextScalar(e,t);case u.TextVector:return new s.TextVector(e,t);case u.Hatch:return new o.Hatch(e,t);case u.HatchScalar:return new o.HatchScalar(e,t);case u.HatchVector:return new o.HatchVector(e,t);default:throw new Error(\"unknown visual\")}})();a instanceof V.VisualProperties&&a.update(),this._visuals.push(a),Object.defineProperty(this,t+a.type,{get:()=>a,configurable:!1,enumerable:!0})}}*[Symbol.iterator](){yield*this._visuals}}r.Visuals=h,h.__name__=\"Visuals\"},\n function _(e,t,i,l,s){l();const a=e(1),n=e(47),h=(0,a.__importStar)(e(48)),o=e(22),_=e(8);function r(e){if((0,_.isArray)(e))return e;switch(e){case\"solid\":return[];case\"dashed\":return[6];case\"dotted\":return[2,4];case\"dotdash\":return[2,4,6,4];case\"dashdot\":return[6,4,2,4];default:return e.split(\" \").map(Number).filter(_.isInteger)}}i.resolve_line_dash=r;class u extends n.VisualProperties{get doit(){const e=this.line_color.get_value(),t=this.line_alpha.get_value(),i=this.line_width.get_value();return!(null==e||0==t||0==i)}apply(e){const{doit:t}=this;return t&&(this.set_value(e),e.stroke()),t}values(){return{color:this.line_color.get_value(),alpha:this.line_alpha.get_value(),width:this.line_width.get_value(),join:this.line_join.get_value(),cap:this.line_cap.get_value(),dash:this.line_dash.get_value(),offset:this.line_dash_offset.get_value()}}set_value(e){const t=this.line_color.get_value(),i=this.line_alpha.get_value();e.strokeStyle=(0,o.color2css)(t,i),e.lineWidth=this.line_width.get_value(),e.lineJoin=this.line_join.get_value(),e.lineCap=this.line_cap.get_value(),e.lineDash=r(this.line_dash.get_value()),e.lineDashOffset=this.line_dash_offset.get_value()}}i.Line=u,u.__name__=\"Line\";class c extends n.VisualUniforms{get doit(){const e=this.line_color.value,t=this.line_alpha.value,i=this.line_width.value;return!(0==e||0==t||0==i)}apply(e){const{doit:t}=this;return t&&(this.set_value(e),e.stroke()),t}values(){return{color:this.line_color.value,alpha:this.line_alpha.value,width:this.line_width.value,join:this.line_join.value,cap:this.line_cap.value,dash:this.line_dash.value,offset:this.line_dash_offset.value}}set_value(e){const t=this.line_color.value,i=this.line_alpha.value;e.strokeStyle=(0,o.color2css)(t,i),e.lineWidth=this.line_width.value,e.lineJoin=this.line_join.value,e.lineCap=this.line_cap.value,e.lineDash=r(this.line_dash.value),e.lineDashOffset=this.line_dash_offset.value}}i.LineScalar=c,c.__name__=\"LineScalar\";class d extends n.VisualUniforms{get doit(){const{line_color:e}=this;if(e.is_Scalar()&&0==e.value)return!1;const{line_alpha:t}=this;if(t.is_Scalar()&&0==t.value)return!1;const{line_width:i}=this;return!i.is_Scalar()||0!=i.value}apply(e,t){const{doit:i}=this;return i&&(this.set_vectorize(e,t),e.stroke()),i}values(e){return{color:this.line_color.get(e),alpha:this.line_alpha.get(e),width:this.line_width.get(e),join:this.line_join.get(e),cap:this.line_cap.get(e),dash:this.line_dash.get(e),offset:this.line_dash_offset.get(e)}}set_vectorize(e,t){const i=this.line_color.get(t),l=this.line_alpha.get(t),s=this.line_width.get(t),a=this.line_join.get(t),n=this.line_cap.get(t),h=this.line_dash.get(t),_=this.line_dash_offset.get(t);e.strokeStyle=(0,o.color2css)(i,l),e.lineWidth=s,e.lineJoin=a,e.lineCap=n,e.lineDash=r(h),e.lineDashOffset=_}}i.LineVector=d,d.__name__=\"LineVector\",u.prototype.type=\"line\",u.prototype.attrs=Object.keys(h.Line),c.prototype.type=\"line\",c.prototype.attrs=Object.keys(h.LineScalar),d.prototype.type=\"line\",d.prototype.attrs=Object.keys(h.LineVector)},\n function _(t,s,o,i,r){i();class e{constructor(t,s=\"\"){this.obj=t,this.prefix=s;const o=this;this._props=[];for(const i of this.attrs){const r=t.model.properties[s+i];r.change.connect((()=>this.update())),o[i]=r,this._props.push(r)}}*[Symbol.iterator](){yield*this._props}update(){}}o.VisualProperties=e,e.__name__=\"VisualProperties\";class p{constructor(t,s=\"\"){this.obj=t,this.prefix=s;for(const o of this.attrs)Object.defineProperty(this,o,{get:()=>t[s+o]})}*[Symbol.iterator](){for(const t of this.attrs)yield this.obj.model.properties[this.prefix+t]}update(){}}o.VisualUniforms=p,p.__name__=\"VisualUniforms\"},\n function _(e,l,t,a,c){a();const r=e(1),o=(0,r.__importStar)(e(18)),n=e(20),i=(0,r.__importStar)(e(21)),_=e(13);t.Line={line_color:[i.Nullable(i.Color),\"black\"],line_alpha:[i.Alpha,1],line_width:[i.Number,1],line_join:[n.LineJoin,\"bevel\"],line_cap:[n.LineCap,\"butt\"],line_dash:[i.Or(n.LineDash,i.Array(i.Number)),[]],line_dash_offset:[i.Number,0]},t.Fill={fill_color:[i.Nullable(i.Color),\"gray\"],fill_alpha:[i.Alpha,1]},t.Hatch={hatch_color:[i.Nullable(i.Color),\"black\"],hatch_alpha:[i.Alpha,1],hatch_scale:[i.Number,12],hatch_pattern:[i.Nullable(i.Or(n.HatchPatternType,i.String)),null],hatch_weight:[i.Number,1],hatch_extra:[i.Dict(i.AnyRef()),{}]},t.Text={text_color:[i.Nullable(i.Color),\"#444444\"],text_alpha:[i.Alpha,1],text_font:[o.Font,\"helvetica\"],text_font_size:[i.FontSize,\"16px\"],text_font_style:[n.FontStyle,\"normal\"],text_align:[n.TextAlign,\"left\"],text_baseline:[n.TextBaseline,\"bottom\"],text_line_height:[i.Number,1.2]},t.LineScalar={line_color:[o.ColorScalar,\"black\"],line_alpha:[o.NumberScalar,1],line_width:[o.NumberScalar,1],line_join:[o.LineJoinScalar,\"bevel\"],line_cap:[o.LineCapScalar,\"butt\"],line_dash:[o.LineDashScalar,[]],line_dash_offset:[o.NumberScalar,0]},t.FillScalar={fill_color:[o.ColorScalar,\"gray\"],fill_alpha:[o.NumberScalar,1]},t.HatchScalar={hatch_color:[o.ColorScalar,\"black\"],hatch_alpha:[o.NumberScalar,1],hatch_scale:[o.NumberScalar,12],hatch_pattern:[o.NullStringScalar,null],hatch_weight:[o.NumberScalar,1],hatch_extra:[o.AnyScalar,{}]},t.TextScalar={text_color:[o.ColorScalar,\"#444444\"],text_alpha:[o.NumberScalar,1],text_font:[o.FontScalar,\"helvetica\"],text_font_size:[o.FontSizeScalar,\"16px\"],text_font_style:[o.FontStyleScalar,\"normal\"],text_align:[o.TextAlignScalar,\"left\"],text_baseline:[o.TextBaselineScalar,\"bottom\"],text_line_height:[o.NumberScalar,1.2]},t.LineVector={line_color:[o.ColorSpec,\"black\"],line_alpha:[o.NumberSpec,1],line_width:[o.NumberSpec,1],line_join:[o.LineJoinSpec,\"bevel\"],line_cap:[o.LineCapSpec,\"butt\"],line_dash:[o.LineDashSpec,[]],line_dash_offset:[o.NumberSpec,0]},t.FillVector={fill_color:[o.ColorSpec,\"gray\"],fill_alpha:[o.NumberSpec,1]},t.HatchVector={hatch_color:[o.ColorSpec,\"black\"],hatch_alpha:[o.NumberSpec,1],hatch_scale:[o.NumberSpec,12],hatch_pattern:[o.NullStringSpec,null],hatch_weight:[o.NumberSpec,1],hatch_extra:[o.AnyScalar,{}]},t.TextVector={text_color:[o.ColorSpec,\"#444444\"],text_alpha:[o.NumberSpec,1],text_font:[o.FontSpec,\"helvetica\"],text_font_size:[o.FontSizeSpec,\"16px\"],text_font_style:[o.FontStyleSpec,\"normal\"],text_align:[o.TextAlignSpec,\"left\"],text_baseline:[o.TextBaselineSpec,\"bottom\"],text_line_height:[o.NumberSpec,1.2]},t.attrs_of=function(e,l,t,a=!1){const c={};for(const r of(0,_.keys)(t)){const t=`${l}${r}`,o=e[t];c[a?t:r]=o}return c}},\n function _(l,t,e,i,s){i();const a=l(1),o=l(47),r=(0,a.__importStar)(l(48)),_=l(22);class c extends o.VisualProperties{get doit(){const l=this.fill_color.get_value(),t=this.fill_alpha.get_value();return!(null==l||0==t)}apply(l,t){const{doit:e}=this;return e&&(this.set_value(l),l.fill(t)),e}values(){return{color:this.fill_color.get_value(),alpha:this.fill_alpha.get_value()}}set_value(l){const t=this.fill_color.get_value(),e=this.fill_alpha.get_value();l.fillStyle=(0,_.color2css)(t,e)}}e.Fill=c,c.__name__=\"Fill\";class h extends o.VisualUniforms{get doit(){const l=this.fill_color.value,t=this.fill_alpha.value;return!(0==l||0==t)}apply(l,t){const{doit:e}=this;return e&&(this.set_value(l),l.fill(t)),e}values(){return{color:this.fill_color.value,alpha:this.fill_alpha.value}}set_value(l){const t=this.fill_color.value,e=this.fill_alpha.value;l.fillStyle=(0,_.color2css)(t,e)}}e.FillScalar=h,h.__name__=\"FillScalar\";class u extends o.VisualUniforms{get doit(){const{fill_color:l}=this;if(l.is_Scalar()&&0==l.value)return!1;const{fill_alpha:t}=this;return!t.is_Scalar()||0!=t.value}apply(l,t,e){const{doit:i}=this;return i&&(this.set_vectorize(l,t),l.fill(e)),i}values(l){return{color:this.fill_color.get(l),alpha:this.fill_alpha.get(l)}}set_vectorize(l,t){const e=this.fill_color.get(t),i=this.fill_alpha.get(t);l.fillStyle=(0,_.color2css)(e,i)}}e.FillVector=u,u.__name__=\"FillVector\",c.prototype.type=\"fill\",c.prototype.attrs=Object.keys(r.Fill),h.prototype.type=\"fill\",h.prototype.attrs=Object.keys(r.FillScalar),u.prototype.type=\"fill\",u.prototype.attrs=Object.keys(r.FillVector)},\n function _(t,e,l,s,_){s();const i=t(1),a=t(47),o=(0,i.__importStar)(t(48)),n=t(22);class h extends a.VisualProperties{get doit(){const t=this.text_color.get_value(),e=this.text_alpha.get_value();return!(null==t||0==e)}values(){return{color:this.text_color.get_value(),alpha:this.text_alpha.get_value(),font:this.text_font.get_value(),font_size:this.text_font_size.get_value(),font_style:this.text_font_style.get_value(),align:this.text_align.get_value(),baseline:this.text_baseline.get_value(),line_height:this.text_line_height.get_value()}}set_value(t){const e=this.text_color.get_value(),l=this.text_alpha.get_value();t.fillStyle=(0,n.color2css)(e,l),t.font=this.font_value(),t.textAlign=this.text_align.get_value(),t.textBaseline=this.text_baseline.get_value()}font_value(){return`${this.text_font_style.get_value()} ${this.text_font_size.get_value()} ${this.text_font.get_value()}`}}l.Text=h,h.__name__=\"Text\";class x extends a.VisualUniforms{get doit(){const t=this.text_color.value,e=this.text_alpha.value;return!(0==t||0==e)}values(){return{color:this.text_color.value,alpha:this.text_alpha.value,font:this.text_font.value,font_size:this.text_font_size.value,font_style:this.text_font_style.value,align:this.text_align.value,baseline:this.text_baseline.value,line_height:this.text_line_height.value}}set_value(t){const e=this.text_color.value,l=this.text_alpha.value,s=this.font_value(),_=this.text_align.value,i=this.text_baseline.value;t.fillStyle=(0,n.color2css)(e,l),t.font=s,t.textAlign=_,t.textBaseline=i}font_value(){return`${this.text_font_style.value} ${this.text_font_size.value} ${this.text_font.value}`}}l.TextScalar=x,x.__name__=\"TextScalar\";class u extends a.VisualUniforms{values(t){return{color:this.text_color.get(t),alpha:this.text_alpha.get(t),font:this.text_font.get(t),font_size:this.text_font_size.get(t),font_style:this.text_font_style.get(t),align:this.text_align.get(t),baseline:this.text_baseline.get(t),line_height:this.text_line_height.get(t)}}get doit(){const{text_color:t}=this;if(t.is_Scalar()&&0==t.value)return!1;const{text_alpha:e}=this;return!e.is_Scalar()||0!=e.value}set_vectorize(t,e){const l=this.text_color.get(e),s=this.text_alpha.get(e),_=this.font_value(e),i=this.text_align.get(e),a=this.text_baseline.get(e);t.fillStyle=(0,n.color2css)(l,s),t.font=_,t.textAlign=i,t.textBaseline=a}font_value(t){return`${this.text_font_style.get(t)} ${this.text_font_size.get(t)} ${this.text_font.get(t)}`}}l.TextVector=u,u.__name__=\"TextVector\",h.prototype.type=\"text\",h.prototype.attrs=Object.keys(o.Text),x.prototype.type=\"text\",x.prototype.attrs=Object.keys(o.TextScalar),u.prototype.type=\"text\",u.prototype.attrs=Object.keys(o.TextVector)},\n function _(t,e,a,r,i){r();const h=t(1),s=t(47),n=t(52),c=(0,h.__importStar)(t(18)),_=(0,h.__importStar)(t(48));class l extends s.VisualProperties{constructor(){super(...arguments),this._update_iteration=0}update(){if(this._update_iteration++,this._hatch_image=null,!this.doit)return;const t=this.hatch_color.get_value(),e=this.hatch_alpha.get_value(),a=this.hatch_scale.get_value(),r=this.hatch_pattern.get_value(),i=this.hatch_weight.get_value(),h=t=>{this._hatch_image=t},s=this.hatch_extra.get_value()[r];if(null!=s){const r=s.get_pattern(t,e,a,i);if(r instanceof Promise){const{_update_iteration:t}=this;r.then((e=>{this._update_iteration==t&&(h(e),this.obj.request_render())}))}else h(r)}else{const s=this.obj.canvas.create_layer(),c=(0,n.get_pattern)(s,r,t,e,a,i);h(c)}}get doit(){const t=this.hatch_color.get_value(),e=this.hatch_alpha.get_value(),a=this.hatch_pattern.get_value();return!(null==t||0==e||\" \"==a||\"blank\"==a||null==a)}apply(t,e){const{doit:a}=this;return a&&(this.set_value(t),t.layer.undo_transform((()=>t.fill(e)))),a}set_value(t){const e=this.pattern(t);t.fillStyle=null!=e?e:\"transparent\"}pattern(t){const e=this._hatch_image;return null==e?null:t.createPattern(e,this.repetition())}repetition(){const t=this.hatch_pattern.get_value(),e=this.hatch_extra.get_value()[t];if(null==e)return\"repeat\";switch(e.repetition){case\"repeat\":return\"repeat\";case\"repeat_x\":return\"repeat-x\";case\"repeat_y\":return\"repeat-y\";case\"no_repeat\":return\"no-repeat\"}}}a.Hatch=l,l.__name__=\"Hatch\";class o extends s.VisualUniforms{constructor(){super(...arguments),this._static_doit=!1,this._update_iteration=0}_compute_static_doit(){const t=this.hatch_color.value,e=this.hatch_alpha.value,a=this.hatch_pattern.value;return!(null==t||0==e||\" \"==a||\"blank\"==a||null==a)}update(){this._update_iteration++;const t=this.hatch_color.length;if(this._hatch_image=new c.UniformScalar(null,t),this._static_doit=this._compute_static_doit(),!this._static_doit)return;const e=this.hatch_color.value,a=this.hatch_alpha.value,r=this.hatch_scale.value,i=this.hatch_pattern.value,h=this.hatch_weight.value,s=e=>{this._hatch_image=new c.UniformScalar(e,t)},_=this.hatch_extra.value[i];if(null!=_){const t=_.get_pattern(e,a,r,h);if(t instanceof Promise){const{_update_iteration:e}=this;t.then((t=>{this._update_iteration==e&&(s(t),this.obj.request_render())}))}else s(t)}else{const t=this.obj.canvas.create_layer(),c=(0,n.get_pattern)(t,i,e,a,r,h);s(c)}}get doit(){return this._static_doit}apply(t,e){const{doit:a}=this;return a&&(this.set_value(t),t.layer.undo_transform((()=>t.fill(e)))),a}set_value(t){var e;t.fillStyle=null!==(e=this.pattern(t))&&void 0!==e?e:\"transparent\"}pattern(t){const e=this._hatch_image.value;return null==e?null:t.createPattern(e,this.repetition())}repetition(){const t=this.hatch_pattern.value,e=this.hatch_extra.value[t];if(null==e)return\"repeat\";switch(e.repetition){case\"repeat\":return\"repeat\";case\"repeat_x\":return\"repeat-x\";case\"repeat_y\":return\"repeat-y\";case\"no_repeat\":return\"no-repeat\"}}}a.HatchScalar=o,o.__name__=\"HatchScalar\";class u extends s.VisualUniforms{constructor(){super(...arguments),this._static_doit=!1,this._update_iteration=0}_compute_static_doit(){const{hatch_color:t}=this;if(t.is_Scalar()&&0==t.value)return!1;const{hatch_alpha:e}=this;if(e.is_Scalar()&&0==e.value)return!1;const{hatch_pattern:a}=this;if(a.is_Scalar()){const t=a.value;if(\" \"==t||\"blank\"==t||null==t)return!1}return!0}update(){this._update_iteration++;const t=this.hatch_color.length;if(this._hatch_image=new c.UniformScalar(null,t),this._static_doit=this._compute_static_doit(),!this._static_doit)return;const e=(t,e,a,r,i,h)=>{const s=this.hatch_extra.value[t];if(null!=s){const t=s.get_pattern(e,a,r,i);if(t instanceof Promise){const{_update_iteration:e}=this;t.then((t=>{this._update_iteration==e&&(h(t),this.obj.request_render())}))}else h(t)}else{const s=this.obj.canvas.create_layer(),c=(0,n.get_pattern)(s,t,e,a,r,i);h(c)}};if(this.hatch_color.is_Scalar()&&this.hatch_alpha.is_Scalar()&&this.hatch_scale.is_Scalar()&&this.hatch_pattern.is_Scalar()&&this.hatch_weight.is_Scalar()){const a=this.hatch_color.value,r=this.hatch_alpha.value,i=this.hatch_scale.value;e(this.hatch_pattern.value,a,r,i,this.hatch_weight.value,(e=>{this._hatch_image=new c.UniformScalar(e,t)}))}else{const a=new Array(t);a.fill(null),this._hatch_image=new c.UniformVector(a);for(let r=0;r{a[r]=t}))}}}get doit(){return this._static_doit}apply(t,e,a){const{doit:r}=this;return r&&(this.set_vectorize(t,e),t.layer.undo_transform((()=>t.fill(a)))),r}set_vectorize(t,e){var a;t.fillStyle=null!==(a=this.pattern(t,e))&&void 0!==a?a:\"transparent\"}pattern(t,e){const a=this._hatch_image.get(e);return null==a?null:t.createPattern(a,this.repetition(e))}repetition(t){const e=this.hatch_pattern.get(t),a=this.hatch_extra.value[e];if(null==a)return\"repeat\";switch(a.repetition){case\"repeat\":return\"repeat\";case\"repeat_x\":return\"repeat-x\";case\"repeat_y\":return\"repeat-y\";case\"no_repeat\":return\"no-repeat\"}}}a.HatchVector=u,u.__name__=\"HatchVector\",l.prototype.type=\"hatch\",l.prototype.attrs=Object.keys(_.Hatch),o.prototype.type=\"hatch\",o.prototype.attrs=Object.keys(_.HatchScalar),u.prototype.type=\"hatch\",u.prototype.attrs=Object.keys(_.HatchVector)},\n function _(e,o,a,s,r){s();const i=e(22);function l(e,o,a){e.moveTo(0,a+.5),e.lineTo(o,a+.5),e.stroke()}function n(e,o,a){e.moveTo(a+.5,0),e.lineTo(a+.5,o),e.stroke()}function t(e,o){e.moveTo(0,o),e.lineTo(o,0),e.stroke(),e.moveTo(0,0),e.lineTo(o,o),e.stroke()}a.hatch_aliases={\" \":\"blank\",\".\":\"dot\",o:\"ring\",\"-\":\"horizontal_line\",\"|\":\"vertical_line\",\"+\":\"cross\",'\"':\"horizontal_dash\",\":\":\"vertical_dash\",\"@\":\"spiral\",\"/\":\"right_diagonal_line\",\"\\\\\":\"left_diagonal_line\",x:\"diagonal_cross\",\",\":\"right_diagonal_dash\",\"`\":\"left_diagonal_dash\",v:\"horizontal_wave\",\">\":\"vertical_wave\",\"*\":\"criss_cross\"},a.get_pattern=function(e,o,s,r,c,k){return e.resize(c,c),e.prepare(),function(e,o,s,r,c,k){var _;const T=c,v=T/2,h=v/2,d=(0,i.color2css)(s,r);switch(e.strokeStyle=d,e.fillStyle=d,e.lineCap=\"square\",e.lineWidth=k,null!==(_=a.hatch_aliases[o])&&void 0!==_?_:o){case\"blank\":break;case\"dot\":e.arc(v,v,v/2,0,2*Math.PI,!0),e.fill();break;case\"ring\":e.arc(v,v,v/2,0,2*Math.PI,!0),e.stroke();break;case\"horizontal_line\":l(e,T,v);break;case\"vertical_line\":n(e,T,v);break;case\"cross\":l(e,T,v),n(e,T,v);break;case\"horizontal_dash\":l(e,v,v);break;case\"vertical_dash\":n(e,v,v);break;case\"spiral\":{const o=T/30;e.moveTo(v,v);for(let a=0;a<360;a++){const s=.1*a,r=v+o*s*Math.cos(s),i=v+o*s*Math.sin(s);e.lineTo(r,i)}e.stroke();break}case\"right_diagonal_line\":e.moveTo(.5-h,T),e.lineTo(h+.5,0),e.stroke(),e.moveTo(h+.5,T),e.lineTo(3*h+.5,0),e.stroke(),e.moveTo(3*h+.5,T),e.lineTo(5*h+.5,0),e.stroke(),e.stroke();break;case\"left_diagonal_line\":e.moveTo(h+.5,T),e.lineTo(.5-h,0),e.stroke(),e.moveTo(3*h+.5,T),e.lineTo(h+.5,0),e.stroke(),e.moveTo(5*h+.5,T),e.lineTo(3*h+.5,0),e.stroke(),e.stroke();break;case\"diagonal_cross\":t(e,T);break;case\"right_diagonal_dash\":e.moveTo(h+.5,3*h+.5),e.lineTo(3*h+.5,h+.5),e.stroke();break;case\"left_diagonal_dash\":e.moveTo(h+.5,h+.5),e.lineTo(3*h+.5,3*h+.5),e.stroke();break;case\"horizontal_wave\":e.moveTo(0,h),e.lineTo(v,3*h),e.lineTo(T,h),e.stroke();break;case\"vertical_wave\":e.moveTo(h,0),e.lineTo(3*h,v),e.lineTo(h,T),e.stroke();break;case\"criss_cross\":t(e,T),l(e,T,v),n(e,T,v)}}(e.ctx,o,s,r,c,k),e.canvas}},\n function _(e,t,s,n,c){var a;n();const i=e(14),r=e(8),l=e(13),o=e(26),_=e(19);class h extends i.HasProps{constructor(e){super(e)}get is_syncable(){return this.syncable}[o.equals](e,t){return t.eq(this.id,e.id)&&super[o.equals](e,t)}initialize(){super.initialize(),this._js_callbacks=new Map}connect_signals(){super.connect_signals(),this._update_property_callbacks(),this.connect(this.properties.js_property_callbacks.change,(()=>this._update_property_callbacks())),this.connect(this.properties.js_event_callbacks.change,(()=>this._update_event_callbacks())),this.connect(this.properties.subscribed_events.change,(()=>this._update_event_callbacks()))}_process_event(e){var t;for(const s of null!==(t=this.js_event_callbacks[e.event_name])&&void 0!==t?t:[])s.execute(e);null!=this.document&&this.subscribed_events.some((t=>t==e.event_name))&&this.document.event_manager.send_event(e)}trigger_event(e){null!=this.document&&(e.origin=this,this.document.event_manager.trigger(e))}_update_event_callbacks(){null!=this.document?this.document.event_manager.subscribed_models.add(this):_.logger.warn(\"WARNING: Document not defined for updating event callbacks\")}_update_property_callbacks(){const e=e=>{const[t,s=null]=e.split(\":\");return null!=s?this.properties[s][t]:this[t]};for(const[t,s]of this._js_callbacks){const n=e(t);for(const e of s)this.disconnect(n,e)}this._js_callbacks.clear();for(const[t,s]of(0,l.entries)(this.js_property_callbacks)){const n=s.map((e=>()=>e.execute(this)));this._js_callbacks.set(t,n);const c=e(t);for(const e of n)this.connect(c,e)}}_doc_attached(){(0,l.isEmpty)(this.js_event_callbacks)&&0==this.subscribed_events.length||this._update_event_callbacks()}_doc_detached(){this.document.event_manager.subscribed_models.delete(this)}select(e){if((0,r.isString)(e))return[...this.references()].filter((t=>t instanceof h&&t.name===e));if(e.prototype instanceof i.HasProps)return[...this.references()].filter((t=>t instanceof e));throw new Error(\"invalid selector\")}select_one(e){const t=this.select(e);switch(t.length){case 0:return null;case 1:return t[0];default:throw new Error(\"found more than one object matching given selector\")}}}s.Model=h,a=h,h.__name__=\"Model\",a.define((({Any:e,Unknown:t,Boolean:s,String:n,Array:c,Dict:a,Nullable:i})=>({tags:[c(t),[]],name:[i(n),null],js_property_callbacks:[a(c(e)),{}],js_event_callbacks:[a(c(e)),{}],subscribed_events:[c(n),[]],syncable:[s,!0]})))},\n function _(e,t,s,a,r){var c,n;a();const _=e(12),o=e(53),i=e(55),l=e(59),u=e(61),g=e(62),h=e(57),p=e(63),m=e(67);class x{constructor(e,t){this.x_scale=e,this.y_scale=t,this.x_source=this.x_scale.source_range,this.y_source=this.y_scale.source_range,this.ranges=[this.x_source,this.y_source],this.scales=[this.x_scale,this.y_scale]}map_to_screen(e,t){return[this.x_scale.v_compute(e),this.y_scale.v_compute(t)]}map_from_screen(e,t){return[this.x_scale.v_invert(e),this.y_scale.v_invert(t)]}}s.CoordinateTransform=x,x.__name__=\"CoordinateTransform\";class y extends o.Model{constructor(e){super(e)}get x_ranges(){return new Map([[\"default\",this.x_source]])}get y_ranges(){return new Map([[\"default\",this.y_source]])}_get_scale(e,t,s){if(e instanceof m.FactorRange!=t instanceof g.CategoricalScale)throw new Error(`Range ${e.type} is incompatible is Scale ${t.type}`);t instanceof u.LogScale&&e instanceof p.DataRange1d&&(e.scale_hint=\"log\");const a=t.clone();return a.setv({source_range:e,target_range:s}),a}get_transform(e){const{x_source:t,x_scale:s,x_target:a}=this,r=this._get_scale(t,s,a),{y_source:c,y_scale:n,y_target:_}=this,o=this._get_scale(c,n,_),i=new v({source_scale:r,source_range:r.source_range,target_scale:e.x_scale,target_range:e.x_target}),l=new v({source_scale:o,source_range:o.source_range,target_scale:e.y_scale,target_range:e.y_target});return new x(i,l)}}s.CoordinateMapping=y,c=y,y.__name__=\"CoordinateMapping\",c.define((({Ref:e})=>({x_source:[e(h.Range),()=>new p.DataRange1d],y_source:[e(h.Range),()=>new p.DataRange1d],x_scale:[e(i.Scale),()=>new l.LinearScale],y_scale:[e(i.Scale),()=>new l.LinearScale],x_target:[e(h.Range)],y_target:[e(h.Range)]})));class v extends i.Scale{constructor(e){super(e)}get s_compute(){const e=this.source_scale.s_compute,t=this.target_scale.s_compute;return s=>t(e(s))}get s_invert(){const e=this.source_scale.s_invert,t=this.target_scale.s_invert;return s=>e(t(s))}compute(e){return this.s_compute(e)}v_compute(e){const{s_compute:t}=this;return(0,_.map)(e,t)}invert(e){return this.s_invert(e)}v_invert(e){const{s_invert:t}=this;return(0,_.map)(e,t)}}s.CompositeScale=v,n=v,v.__name__=\"CompositeScale\",n.internal((({Ref:e})=>({source_scale:[e(i.Scale)],target_scale:[e(i.Scale)]})))},\n function _(e,t,r,n,s){var _;n();const a=e(56),c=e(57),o=e(58),i=e(24);class u extends a.Transform{constructor(e){super(e)}compute(e){return this.s_compute(e)}v_compute(e){const t=new i.ScreenArray(e.length),{s_compute:r}=this;for(let n=0;n({source_range:[e(c.Range)],target_range:[e(o.Range1d)]})))},\n function _(n,s,o,r,c){r();const e=n(53);class t extends e.Model{constructor(n){super(n)}}o.Transform=t,t.__name__=\"Transform\"},\n function _(e,t,n,i,s){var r;i();const a=e(53);class l extends a.Model{constructor(e){super(e),this.have_updated_interactively=!1}get is_reversed(){return this.start>this.end}get is_valid(){return isFinite(this.min)&&isFinite(this.max)}get span(){return Math.abs(this.end-this.start)}}n.Range=l,r=l,l.__name__=\"Range\",r.define((({Number:e,Tuple:t,Or:n,Auto:i,Nullable:s})=>({bounds:[s(n(t(s(e),s(e)),i)),null],min_interval:[s(e),null],max_interval:[s(e),null]}))),r.internal((({Array:e,AnyRef:t})=>({plots:[e(t()),[]]})))},\n function _(t,e,s,n,r){var a;n();const i=t(57);class _ extends i.Range{constructor(t){super(t)}_set_auto_bounds(){if(\"auto\"==this.bounds){const t=Math.min(this._reset_start,this._reset_end),e=Math.max(this._reset_start,this._reset_end);this.setv({bounds:[t,e]},{silent:!0})}}initialize(){super.initialize(),this._set_auto_bounds()}get min(){return Math.min(this.start,this.end)}get max(){return Math.max(this.start,this.end)}reset(){this._set_auto_bounds();const{_reset_start:t,_reset_end:e}=this;this.start!=t||this.end!=e?this.setv({start:t,end:e}):this.change.emit()}map(t){return new _({start:t(this.start),end:t(this.end)})}widen(t){let{start:e,end:s}=this;return this.is_reversed?(e+=t,s-=t):(e-=t,s+=t),new _({start:e,end:s})}}s.Range1d=_,a=_,_.__name__=\"Range1d\",a.define((({Number:t,Nullable:e})=>({start:[t,0],end:[t,1],reset_start:[e(t),null,{on_update(t,e){e._reset_start=null!=t?t:e.start}}],reset_end:[e(t),null,{on_update(t,e){e._reset_end=null!=t?t:e.end}}]})))},\n function _(t,e,n,r,s){r();const a=t(60);class _ extends a.ContinuousScale{constructor(t){super(t)}get s_compute(){const[t,e]=this._linear_compute_state();return n=>t*n+e}get s_invert(){const[t,e]=this._linear_compute_state();return n=>(n-e)/t}_linear_compute_state(){const t=this.source_range.start,e=this.source_range.end,n=this.target_range.start,r=(this.target_range.end-n)/(e-t);return[r,-r*t+n]}}n.LinearScale=_,_.__name__=\"LinearScale\"},\n function _(n,c,o,s,e){s();const t=n(55);class u extends t.Scale{constructor(n){super(n)}}o.ContinuousScale=u,u.__name__=\"ContinuousScale\"},\n function _(t,e,a,o,s){o();const r=t(60);class n extends r.ContinuousScale{constructor(t){super(t)}get s_compute(){const[t,e,a,o]=this._compute_state();return s=>{if(0==a)return 0;{const r=(Math.log(s)-o)/a;return isFinite(r)?r*t+e:NaN}}}get s_invert(){const[t,e,a,o]=this._compute_state();return s=>{const r=(s-e)/t;return Math.exp(a*r+o)}}_get_safe_factor(t,e){let a=t<0?0:t,o=e<0?0:e;if(a==o)if(0==a)[a,o]=[1,10];else{const t=Math.log(a)/Math.log(10);a=10**Math.floor(t),o=Math.ceil(t)!=Math.floor(t)?10**Math.ceil(t):10**(Math.ceil(t)+1)}return[a,o]}_compute_state(){const t=this.source_range.start,e=this.source_range.end,a=this.target_range.start,o=this.target_range.end-a,[s,r]=this._get_safe_factor(t,e);let n,c;0==s?(n=Math.log(r),c=0):(n=Math.log(r)-Math.log(s),c=Math.log(s));return[o,a,n,c]}}a.LogScale=n,n.__name__=\"LogScale\"},\n function _(t,e,c,a,s){a();const n=t(55),r=t(59),{_linear_compute_state:o}=r.LinearScale.prototype;class l extends n.Scale{constructor(t){super(t)}get s_compute(){const[t,e]=o.call(this),c=this.source_range;return a=>t*c.synthetic(a)+e}get s_invert(){const[t,e]=o.call(this);return c=>(c-e)/t}}c.CategoricalScale=l,l.__name__=\"CategoricalScale\"},\n function _(t,i,n,e,a){e();const s=t(1);var l;const _=t(64),o=t(20),r=t(9),h=t(19),d=(0,s.__importStar)(t(65)),u=t(66);class g extends _.DataRange{constructor(t){super(t),this.have_updated_interactively=!1}initialize(){super.initialize(),this._initial_start=this.start,this._initial_end=this.end,this._initial_range_padding=this.range_padding,this._initial_range_padding_units=this.range_padding_units,this._initial_follow=this.follow,this._initial_follow_interval=this.follow_interval,this._initial_default_span=this.default_span,this._plot_bounds=new Map}get min(){return Math.min(this.start,this.end)}get max(){return Math.max(this.start,this.end)}computed_renderers(){const{renderers:t,names:i}=this,n=(0,r.concat)(this.plots.map((t=>t.data_renderers)));return(0,u.compute_renderers)(0==t.length?\"auto\":t,n,i)}_compute_plot_bounds(t,i){let n=d.empty();for(const e of t){const t=i.get(e);null==t||!e.visible&&this.only_visible||(n=d.union(n,t))}return n}adjust_bounds_for_aspect(t,i){const n=d.empty();let e=t.x1-t.x0;e<=0&&(e=1);let a=t.y1-t.y0;a<=0&&(a=1);const s=.5*(t.x1+t.x0),l=.5*(t.y1+t.y0);return el&&(\"start\"==this.follow?a=e+s*l:\"end\"==this.follow&&(e=a-s*l)),[e,a]}update(t,i,n,e){if(this.have_updated_interactively)return;const a=this.computed_renderers();let s=this._compute_plot_bounds(a,t);null!=e&&(s=this.adjust_bounds_for_aspect(s,e)),this._plot_bounds.set(n,s);const[l,_]=this._compute_min_max(this._plot_bounds.entries(),i);let[o,r]=this._compute_range(l,_);null!=this._initial_start&&(\"log\"==this.scale_hint?this._initial_start>0&&(o=this._initial_start):o=this._initial_start),null!=this._initial_end&&(\"log\"==this.scale_hint?this._initial_end>0&&(r=this._initial_end):r=this._initial_end);let h=!1;\"auto\"==this.bounds&&(this.setv({bounds:[o,r]},{silent:!0}),h=!0);const[d,u]=[this.start,this.end];if(o!=d||r!=u){const t={};o!=d&&(t.start=o),r!=u&&(t.end=r),this.setv(t),h=!1}h&&this.change.emit()}reset(){this.have_updated_interactively=!1,this.setv({range_padding:this._initial_range_padding,range_padding_units:this._initial_range_padding_units,follow:this._initial_follow,follow_interval:this._initial_follow_interval,default_span:this._initial_default_span},{silent:!0}),this.change.emit()}}n.DataRange1d=g,l=g,g.__name__=\"DataRange1d\",l.define((({Boolean:t,Number:i,Nullable:n})=>({start:[i],end:[i],range_padding:[i,.1],range_padding_units:[o.PaddingUnits,\"percent\"],flipped:[t,!1],follow:[n(o.StartEnd),null],follow_interval:[n(i),null],default_span:[i,2],only_visible:[t,!1]}))),l.internal((({Enum:t})=>({scale_hint:[t(\"log\",\"auto\"),\"auto\"]})))},\n function _(e,n,a,r,s){var t;r();const c=e(57);class _ extends c.Range{constructor(e){super(e)}}a.DataRange=_,t=_,_.__name__=\"DataRange\",t.define((({String:e,Array:n,AnyRef:a})=>({names:[n(e),[]],renderers:[n(a()),[]]})))},\n function _(t,i,e,h,r){h();const s=t(24),n=t(26),{min:x,max:y}=Math;e.empty=function(){return{x0:1/0,y0:1/0,x1:-1/0,y1:-1/0}},e.positive_x=function(){return{x0:Number.MIN_VALUE,y0:-1/0,x1:1/0,y1:1/0}},e.positive_y=function(){return{x0:-1/0,y0:Number.MIN_VALUE,x1:1/0,y1:1/0}},e.union=function(t,i){return{x0:x(t.x0,i.x0),x1:y(t.x1,i.x1),y0:x(t.y0,i.y0),y1:y(t.y1,i.y1)}};class o{constructor(t){if(null==t)this.x0=0,this.y0=0,this.x1=0,this.y1=0;else if(\"x0\"in t){const{x0:i,y0:e,x1:h,y1:r}=t;if(!(i<=h&&e<=r))throw new Error(`invalid bbox {x0: ${i}, y0: ${e}, x1: ${h}, y1: ${r}}`);this.x0=i,this.y0=e,this.x1=h,this.y1=r}else if(\"x\"in t){const{x:i,y:e,width:h,height:r}=t;if(!(h>=0&&r>=0))throw new Error(`invalid bbox {x: ${i}, y: ${e}, width: ${h}, height: ${r}}`);this.x0=i,this.y0=e,this.x1=i+h,this.y1=e+r}else{let i,e,h,r;if(\"width\"in t)if(\"left\"in t)i=t.left,e=i+t.width;else if(\"right\"in t)e=t.right,i=e-t.width;else{const h=t.width/2;i=t.hcenter-h,e=t.hcenter+h}else i=t.left,e=t.right;if(\"height\"in t)if(\"top\"in t)h=t.top,r=h+t.height;else if(\"bottom\"in t)r=t.bottom,h=r-t.height;else{const i=t.height/2;h=t.vcenter-i,r=t.vcenter+i}else h=t.top,r=t.bottom;if(!(i<=e&&h<=r))throw new Error(`invalid bbox {left: ${i}, top: ${h}, right: ${e}, bottom: ${r}}`);this.x0=i,this.y0=h,this.x1=e,this.y1=r}}static from_rect({left:t,right:i,top:e,bottom:h}){return new o({x0:Math.min(t,i),y0:Math.min(e,h),x1:Math.max(t,i),y1:Math.max(e,h)})}equals(t){return this.x0==t.x0&&this.y0==t.y0&&this.x1==t.x1&&this.y1==t.y1}[n.equals](t,i){return i.eq(this.x0,t.x0)&&i.eq(this.y0,t.y0)&&i.eq(this.x1,t.x1)&&i.eq(this.y1,t.y1)}toString(){return`BBox({left: ${this.left}, top: ${this.top}, width: ${this.width}, height: ${this.height}})`}get left(){return this.x0}get top(){return this.y0}get right(){return this.x1}get bottom(){return this.y1}get p0(){return[this.x0,this.y0]}get p1(){return[this.x1,this.y1]}get x(){return this.x0}get y(){return this.y0}get width(){return this.x1-this.x0}get height(){return this.y1-this.y0}get size(){return{width:this.width,height:this.height}}get rect(){const{x0:t,y0:i,x1:e,y1:h}=this;return{p0:{x:t,y:i},p1:{x:e,y:i},p2:{x:e,y:h},p3:{x:t,y:h}}}get box(){const{x:t,y:i,width:e,height:h}=this;return{x:t,y:i,width:e,height:h}}get h_range(){return{start:this.x0,end:this.x1}}get v_range(){return{start:this.y0,end:this.y1}}get ranges(){return[this.h_range,this.v_range]}get aspect(){return this.width/this.height}get hcenter(){return(this.left+this.right)/2}get vcenter(){return(this.top+this.bottom)/2}get area(){return this.width*this.height}relative(){const{width:t,height:i}=this;return new o({x:0,y:0,width:t,height:i})}translate(t,i){const{x:e,y:h,width:r,height:s}=this;return new o({x:t+e,y:i+h,width:r,height:s})}relativize(t,i){return[t-this.x,i-this.y]}contains(t,i){return this.x0<=t&&t<=this.x1&&this.y0<=i&&i<=this.y1}clip(t,i){return tthis.x1&&(t=this.x1),ithis.y1&&(i=this.y1),[t,i]}grow_by(t){return new o({left:this.left-t,right:this.right+t,top:this.top-t,bottom:this.bottom+t})}shrink_by(t){return new o({left:this.left+t,right:this.right-t,top:this.top+t,bottom:this.bottom-t})}union(t){return new o({x0:x(this.x0,t.x0),y0:x(this.y0,t.y0),x1:y(this.x1,t.x1),y1:y(this.y1,t.y1)})}intersection(t){return this.intersects(t)?new o({x0:y(this.x0,t.x0),y0:y(this.y0,t.y0),x1:x(this.x1,t.x1),y1:x(this.y1,t.y1)}):null}intersects(t){return!(t.x1this.x1||t.y1this.y1)}get xview(){return{compute:t=>this.left+t,v_compute:t=>{const i=new s.ScreenArray(t.length),e=this.left;for(let h=0;hthis.bottom-t,v_compute:t=>{const i=new s.ScreenArray(t.length),e=this.bottom;for(let h=0;h0&&(r=r.filter((n=>(0,l.includes)(t,n.name)))),r}},\n function _(t,n,e,i,s){var r;i();const a=t(57),o=t(20),g=t(21),p=t(24),c=t(9),l=t(8),u=t(11);function h(t,n,e=0){const i=new Map;for(let s=0;sa.get(t).value)));r.set(t,{value:l/s,mapping:a}),o+=s+n+p}return[r,(a.size-1)*n+g]}function _(t,n,e,i,s=0){var r;const a=new Map,o=new Map;for(const[n,e,i]of t){const t=null!==(r=o.get(n))&&void 0!==r?r:[];o.set(n,[...t,[e,i]])}let g=s,p=0;for(const[t,s]of o){const r=s.length,[o,l]=d(s,e,i,g);p+=l;const u=(0,c.sum)(s.map((([t])=>o.get(t).value)));a.set(t,{value:u/r,mapping:o}),g+=r+n+l}return[a,(o.size-1)*n+p]}e.Factor=(0,g.Or)(g.String,(0,g.Tuple)(g.String,g.String),(0,g.Tuple)(g.String,g.String,g.String)),e.FactorSeq=(0,g.Or)((0,g.Array)(g.String),(0,g.Array)((0,g.Tuple)(g.String,g.String)),(0,g.Array)((0,g.Tuple)(g.String,g.String,g.String))),e.map_one_level=h,e.map_two_levels=d,e.map_three_levels=_;class f extends a.Range{constructor(t){super(t)}get min(){return this.start}get max(){return this.end}initialize(){super.initialize(),this._init(!0)}connect_signals(){super.connect_signals(),this.connect(this.properties.factors.change,(()=>this.reset())),this.connect(this.properties.factor_padding.change,(()=>this.reset())),this.connect(this.properties.group_padding.change,(()=>this.reset())),this.connect(this.properties.subgroup_padding.change,(()=>this.reset())),this.connect(this.properties.range_padding.change,(()=>this.reset())),this.connect(this.properties.range_padding_units.change,(()=>this.reset()))}reset(){this._init(!1),this.change.emit()}_lookup(t){switch(t.length){case 1:{const[n]=t,e=this._mapping.get(n);return null!=e?e.value:NaN}case 2:{const[n,e]=t,i=this._mapping.get(n);if(null!=i){const t=i.mapping.get(e);if(null!=t)return t.value}return NaN}case 3:{const[n,e,i]=t,s=this._mapping.get(n);if(null!=s){const t=s.mapping.get(e);if(null!=t){const n=t.mapping.get(i);if(null!=n)return n.value}}return NaN}default:(0,u.unreachable)()}}synthetic(t){if((0,l.isNumber)(t))return t;if((0,l.isString)(t))return this._lookup([t]);let n=0;const e=t[t.length-1];return(0,l.isNumber)(e)&&(n=e,t=t.slice(0,-1)),this._lookup(t)+n}v_synthetic(t){const n=t.length,e=new p.ScreenArray(n);for(let i=0;i{if((0,c.every)(this.factors,l.isString)){const t=this.factors,[n,e]=h(t,this.factor_padding);return{levels:1,mapping:n,tops:null,mids:null,inside_padding:e}}if((0,c.every)(this.factors,(t=>(0,l.isArray)(t)&&2==t.length&&(0,l.isString)(t[0])&&(0,l.isString)(t[1])))){const t=this.factors,[n,e]=d(t,this.group_padding,this.factor_padding),i=[...n.keys()];return{levels:2,mapping:n,tops:i,mids:null,inside_padding:e}}if((0,c.every)(this.factors,(t=>(0,l.isArray)(t)&&3==t.length&&(0,l.isString)(t[0])&&(0,l.isString)(t[1])&&(0,l.isString)(t[2])))){const t=this.factors,[n,e]=_(t,this.group_padding,this.subgroup_padding,this.factor_padding),i=[...n.keys()],s=[];for(const[t,e]of n)for(const n of e.mapping.keys())s.push([t,n]);return{levels:3,mapping:n,tops:i,mids:s,inside_padding:e}}(0,u.unreachable)()})();this._mapping=e,this.tops=i,this.mids=s;let a=0,o=this.factors.length+r;if(\"percent\"==this.range_padding_units){const t=(o-a)*this.range_padding/2;a-=t,o+=t}else a-=this.range_padding,o+=this.range_padding;this.setv({start:a,end:o,levels:n},{silent:t}),\"auto\"==this.bounds&&this.setv({bounds:[a,o]},{silent:!0})}}e.FactorRange=f,r=f,f.__name__=\"FactorRange\",r.define((({Number:t})=>({factors:[e.FactorSeq,[]],factor_padding:[t,0],subgroup_padding:[t,.8],group_padding:[t,1.4],range_padding:[t,0],range_padding_units:[o.PaddingUnits,\"percent\"],start:[t],end:[t]}))),r.internal((({Number:t,String:n,Array:e,Tuple:i,Nullable:s})=>({levels:[t],mids:[s(e(i(n,n))),null],tops:[s(e(n)),null]})))},\n function _(t,e,s,a,i){a();const n=t(1);var _;const r=t(69),o=t(112),l=t(48),d=t(20),h=t(24),c=t(113),u=(0,n.__importStar)(t(18)),v=t(10);class p extends r.DataAnnotationView{async lazy_initialize(){await super.lazy_initialize();const{start:t,end:e}=this.model;null!=t&&(this.start=await(0,c.build_view)(t,{parent:this})),null!=e&&(this.end=await(0,c.build_view)(e,{parent:this}))}set_data(t){var e,s;super.set_data(t),null===(e=this.start)||void 0===e||e.set_data(t),null===(s=this.end)||void 0===s||s.set_data(t)}remove(){var t,e;null===(t=this.start)||void 0===t||t.remove(),null===(e=this.end)||void 0===e||e.remove(),super.remove()}map_data(){const{frame:t}=this.plot_view;\"data\"==this.model.start_units?(this._sx_start=this.coordinates.x_scale.v_compute(this._x_start),this._sy_start=this.coordinates.y_scale.v_compute(this._y_start)):(this._sx_start=t.bbox.xview.v_compute(this._x_start),this._sy_start=t.bbox.yview.v_compute(this._y_start)),\"data\"==this.model.end_units?(this._sx_end=this.coordinates.x_scale.v_compute(this._x_end),this._sy_end=this.coordinates.y_scale.v_compute(this._y_end)):(this._sx_end=t.bbox.xview.v_compute(this._x_end),this._sy_end=t.bbox.yview.v_compute(this._y_end));const{_sx_start:e,_sy_start:s,_sx_end:a,_sy_end:i}=this,n=e.length,_=this._angles=new h.ScreenArray(n);for(let t=0;t({x_start:[u.XCoordinateSpec,{field:\"x_start\"}],y_start:[u.YCoordinateSpec,{field:\"y_start\"}],start_units:[d.SpatialUnits,\"data\"],start:[e(t(o.ArrowHead)),null],x_end:[u.XCoordinateSpec,{field:\"x_end\"}],y_end:[u.YCoordinateSpec,{field:\"y_end\"}],end_units:[d.SpatialUnits,\"data\"],end:[e(t(o.ArrowHead)),()=>new o.OpenHead]})))},\n function _(t,e,n,s,a){s();const o=t(1);var i;const c=t(40),r=t(70),_=t(75),l=t(78),h=(0,o.__importStar)(t(18));class d extends c.AnnotationView{constructor(){super(...arguments),this._initial_set_data=!1}connect_signals(){super.connect_signals();const t=()=>{this.set_data(this.model.source),this._rerender()};this.connect(this.model.change,t),this.connect(this.model.source.streaming,t),this.connect(this.model.source.patching,t),this.connect(this.model.source.change,t)}_rerender(){this.request_render()}set_data(t){const e=this;for(const n of this.model)if(n instanceof h.VectorSpec||n instanceof h.ScalarSpec)if(n instanceof h.BaseCoordinateSpec){const s=n.array(t);e[`_${n.attr}`]=s}else{const s=n.uniform(t);e[`${n.attr}`]=s}this.plot_model.use_map&&(null!=e._x&&l.inplace.project_xy(e._x,e._y),null!=e._xs&&l.inplace.project_xsys(e._xs,e._ys));for(const t of this.visuals)t.update()}_render(){this._initial_set_data||(this.set_data(this.model.source),this._initial_set_data=!0),this.map_data(),this.paint(this.layer.ctx)}}n.DataAnnotationView=d,d.__name__=\"DataAnnotationView\";class u extends c.Annotation{constructor(t){super(t)}}n.DataAnnotation=u,i=u,u.__name__=\"DataAnnotation\",i.define((({Ref:t})=>({source:[t(r.ColumnarDataSource),()=>new _.ColumnDataSource]})))},\n function _(t,e,n,s,a){var i;s();const r=t(71),l=t(15),c=t(19),o=t(73),h=t(8),u=t(9),g=t(13),d=t(72),_=t(74),m=t(29);class w extends r.DataSource{constructor(t){super(t),this.selection_manager=new o.SelectionManager(this)}get_array(t){let e=this.data[t];return null==e?this.data[t]=e=[]:(0,h.isArray)(e)||(this.data[t]=e=Array.from(e)),e}initialize(){super.initialize(),this._select=new l.Signal0(this,\"select\"),this.inspect=new l.Signal(this,\"inspect\"),this.streaming=new l.Signal0(this,\"streaming\"),this.patching=new l.Signal(this,\"patching\")}get_column(t){const e=this.data[t];return null!=e?e:null}columns(){return(0,g.keys)(this.data)}get_length(t=!0){const e=(0,u.uniq)((0,g.values)(this.data).map((t=>(0,m.is_NDArray)(t)?t.shape[0]:t.length)));switch(e.length){case 0:return null;case 1:return e[0];default:{const n=\"data source has columns of inconsistent lengths\";if(t)return c.logger.warn(n),e.sort()[0];throw new Error(n)}}}get length(){var t;return null!==(t=this.get_length())&&void 0!==t?t:0}clear(){const t={};for(const e of this.columns())t[e]=new this.data[e].constructor(0);this.data=t}}n.ColumnarDataSource=w,i=w,w.__name__=\"ColumnarDataSource\",i.define((({Ref:t})=>({selection_policy:[t(_.SelectionPolicy),()=>new _.UnionRenderers]}))),i.internal((({AnyRef:t})=>({inspected:[t(),()=>new d.Selection]})))},\n function _(e,c,n,t,o){var a;t();const s=e(53),r=e(72);class l extends s.Model{constructor(e){super(e)}}n.DataSource=l,a=l,l.__name__=\"DataSource\",a.define((({Ref:e})=>({selected:[e(r.Selection),()=>new r.Selection]})))},\n function _(i,e,s,t,n){var l;t();const c=i(53),d=i(9),h=i(13);class _ extends c.Model{constructor(i){super(i)}get_view(){return this.view}get selected_glyph(){return this.selected_glyphs.length>0?this.selected_glyphs[0]:null}add_to_selected_glyphs(i){this.selected_glyphs.push(i)}update(i,e=!0,s=\"replace\"){switch(s){case\"replace\":this.indices=i.indices,this.line_indices=i.line_indices,this.multiline_indices=i.multiline_indices,this.image_indices=i.image_indices,this.view=i.view,this.selected_glyphs=i.selected_glyphs;break;case\"append\":this.update_through_union(i);break;case\"intersect\":this.update_through_intersection(i);break;case\"subtract\":this.update_through_subtraction(i)}}clear(){this.indices=[],this.line_indices=[],this.multiline_indices={},this.image_indices=[],this.view=null,this.selected_glyphs=[]}map(i){return new _(Object.assign(Object.assign({},this.attributes),{indices:this.indices.map(i),multiline_indices:(0,h.to_object)((0,h.entries)(this.multiline_indices).map((([e,s])=>[i(Number(e)),s]))),image_indices:this.image_indices.map((e=>Object.assign(Object.assign({},e),{index:i(e.index)})))}))}is_empty(){return 0==this.indices.length&&0==this.line_indices.length&&0==this.image_indices.length}update_through_union(i){this.indices=(0,d.union)(this.indices,i.indices),this.selected_glyphs=(0,d.union)(i.selected_glyphs,this.selected_glyphs),this.line_indices=(0,d.union)(i.line_indices,this.line_indices),this.view=i.view,this.multiline_indices=(0,h.merge)(i.multiline_indices,this.multiline_indices)}update_through_intersection(i){this.indices=(0,d.intersection)(this.indices,i.indices),this.selected_glyphs=(0,d.union)(i.selected_glyphs,this.selected_glyphs),this.line_indices=(0,d.union)(i.line_indices,this.line_indices),this.view=i.view,this.multiline_indices=(0,h.merge)(i.multiline_indices,this.multiline_indices)}update_through_subtraction(i){this.indices=(0,d.difference)(this.indices,i.indices),this.selected_glyphs=(0,d.union)(i.selected_glyphs,this.selected_glyphs),this.line_indices=(0,d.union)(i.line_indices,this.line_indices),this.view=i.view,this.multiline_indices=(0,h.merge)(i.multiline_indices,this.multiline_indices)}}s.Selection=_,l=_,_.__name__=\"Selection\",l.define((({Int:i,Array:e,Dict:s})=>({indices:[e(i),[]],line_indices:[e(i),[]],multiline_indices:[s(e(i)),{}]}))),l.internal((({Int:i,Array:e,AnyRef:s,Struct:t,Nullable:n})=>({selected_glyphs:[e(s()),[]],view:[n(s()),null],image_indices:[e(t({index:i,dim1:i,dim2:i,flat_index:i})),[]]})))},\n function _(e,t,o,s,c){s();const n=e(72);function i(e){return\"GlyphRenderer\"==e.model.type}function l(e){return\"GraphRenderer\"==e.model.type}class r{constructor(e){this.source=e,this.inspectors=new Map}select(e,t,o,s=\"replace\"){const c=[],n=[];for(const t of e)i(t)?c.push(t):l(t)&&n.push(t);let r=!1;for(const e of n){const c=e.model.selection_policy.hit_test(t,e);r=r||e.model.selection_policy.do_selection(c,e.model,o,s)}if(c.length>0){const e=this.source.selection_policy.hit_test(t,c);r=r||this.source.selection_policy.do_selection(e,this.source,o,s)}return r}inspect(e,t){let o=!1;if(i(e)){const s=e.hit_test(t);if(null!=s){o=!s.is_empty();const c=this.get_or_create_inspector(e.model);c.update(s,!0,\"replace\"),this.source.setv({inspected:c},{silent:!0}),this.source.inspect.emit([e.model,{geometry:t}])}}else if(l(e)){const s=e.model.inspection_policy.hit_test(t,e);o=o||e.model.inspection_policy.do_inspection(s,t,e,!1,\"replace\")}return o}clear(e){this.source.selected.clear(),null!=e&&this.get_or_create_inspector(e.model).clear()}get_or_create_inspector(e){let t=this.inspectors.get(e);return null==t&&(t=new n.Selection,this.inspectors.set(e,t)),t}}o.SelectionManager=r,r.__name__=\"SelectionManager\"},\n function _(e,t,n,s,o){s();const r=e(53);class c extends r.Model{do_selection(e,t,n,s){return null!=e&&(t.selected.update(e,n,s),t._select.emit(),!t.selected.is_empty())}}n.SelectionPolicy=c,c.__name__=\"SelectionPolicy\";class l extends c{hit_test(e,t){const n=[];for(const s of t){const t=s.hit_test(e);null!=t&&n.push(t)}if(n.length>0){const e=n[0];for(const t of n)e.update_through_intersection(t);return e}return null}}n.IntersectRenderers=l,l.__name__=\"IntersectRenderers\";class _ extends c{hit_test(e,t){const n=[];for(const s of t){const t=s.hit_test(e);null!=t&&n.push(t)}if(n.length>0){const e=n[0];for(const t of n)e.update_through_union(t);return e}return null}}n.UnionRenderers=_,_.__name__=\"UnionRenderers\"},\n function _(t,n,e,s,o){s();const r=t(1);var l;const c=t(70),i=t(8),a=t(13),u=(0,r.__importStar)(t(76)),h=t(77),d=t(35);function f(t,n,e){if((0,i.isArray)(t)){const s=t.concat(n);return null!=e&&s.length>e?s.slice(-e):s}if((0,i.isTypedArray)(t)){const s=t.length+n.length;if(null!=e&&s>e){const o=s-e,r=t.length;let l;t.length({data:[t(n),{}]})))},\n function _(t,n,o,e,c){e(),o.concat=function(t,...n){let o=t.length;for(const t of n)o+=t.length;const e=new t.constructor(o);e.set(t,0);let c=t.length;for(const t of n)e.set(t,c),c+=t.length;return e}},\n function _(n,o,t,e,f){function c(...n){const o=new Set;for(const t of n)for(const n of t)o.add(n);return o}e(),t.union=c,t.intersection=function(n,...o){const t=new Set;n:for(const e of n){for(const n of o)if(!n.has(e))continue n;t.add(e)}return t},t.difference=function(n,...o){const t=new Set(n);for(const n of c(...o))t.delete(n);return t}},\n function _(n,t,e,o,r){o();const c=n(1),l=(0,c.__importDefault)(n(79)),i=(0,c.__importDefault)(n(80)),u=n(24),a=new i.default(\"GOOGLE\"),s=new i.default(\"WGS84\"),f=(0,l.default)(s,a);e.wgs84_mercator={compute:(n,t)=>isFinite(n)&&isFinite(t)?f.forward([n,t]):[NaN,NaN],invert:(n,t)=>isFinite(n)&&isFinite(t)?f.inverse([n,t]):[NaN,NaN]};const _={lon:[-20026376.39,20026376.39],lat:[-20048966.1,20048966.1]},p={lon:[-180,180],lat:[-85.06,85.06]},{min:g,max:h}=Math;function m(n,t){const o=g(n.length,t.length),r=(0,u.infer_type)(n,t),c=new r(o),l=new r(o);return e.inplace.project_xy(n,t,c,l),[c,l]}e.clip_mercator=function(n,t,e){const[o,r]=_[e];return[h(n,o),g(t,r)]},e.in_bounds=function(n,t){const[e,o]=p[t];return e2?void 0!==e.name&&\"geocent\"===e.name||void 0!==n.name&&\"geocent\"===n.name?\"number\"==typeof o.z?[o.x,o.y,o.z].concat(t.splice(3)):[o.x,o.y,t[2]].concat(t.splice(3)):[o.x,o.y].concat(t.splice(2)):[o.x,o.y]):(a=(0,c.default)(e,n,t,r),2===(i=Object.keys(t)).length||i.forEach((function(r){if(void 0!==e.name&&\"geocent\"===e.name||void 0!==n.name&&\"geocent\"===n.name){if(\"x\"===r||\"y\"===r||\"z\"===r)return}else if(\"x\"===r||\"y\"===r)return;a[r]=t[r]})),a)}function l(e){return e instanceof i.default?e:e.oProj?e.oProj:(0,i.default)(e)}t.default=function(e,n,t){e=l(e);var r,o=!1;return void 0===n?(n=e,e=u,o=!0):(void 0!==n.x||Array.isArray(n))&&(t=n,n=e,e=u,o=!0),n=l(n),t?f(e,n,t):(r={forward:function(t,r){return f(e,n,t,r)},inverse:function(t,r){return f(n,e,t,r)}},o&&(r.oProj=n),r)}},\n function _(t,e,a,s,i){s();const l=t(1),u=(0,l.__importDefault)(t(81)),r=(0,l.__importDefault)(t(92)),d=(0,l.__importDefault)(t(93)),o=t(101),f=(0,l.__importDefault)(t(103)),p=(0,l.__importDefault)(t(104)),m=(0,l.__importDefault)(t(88)),n=t(105);function h(t,e){if(!(this instanceof h))return new h(t);e=e||function(t){if(t)throw t};var a=(0,u.default)(t);if(\"object\"==typeof a){var s=h.projections.get(a.projName);if(s){if(a.datumCode&&\"none\"!==a.datumCode){var i=(0,m.default)(f.default,a.datumCode);i&&(a.datum_params=a.datum_params||(i.towgs84?i.towgs84.split(\",\"):null),a.ellps=i.ellipse,a.datumName=i.datumName?i.datumName:a.datumCode)}a.k0=a.k0||1,a.axis=a.axis||\"enu\",a.ellps=a.ellps||\"wgs84\",a.lat1=a.lat1||a.lat0;var l=(0,o.sphere)(a.a,a.b,a.rf,a.ellps,a.sphere),d=(0,o.eccentricity)(l.a,l.b,l.rf,a.R_A),_=(0,n.getNadgrids)(a.nadgrids),c=a.datum||(0,p.default)(a.datumCode,a.datum_params,l.a,l.b,d.es,d.ep2,_);(0,r.default)(this,a),(0,r.default)(this,s),this.a=l.a,this.b=l.b,this.rf=l.rf,this.sphere=l.sphere,this.es=d.es,this.e=d.e,this.ep2=d.ep2,this.datum=c,this.init(),e(null,this)}else e(t)}else e(t)}h.projections=d.default,h.projections.start(),a.default=h},\n function _(t,r,n,u,e){u();const f=t(1),i=(0,f.__importDefault)(t(82)),a=(0,f.__importDefault)(t(89)),o=(0,f.__importDefault)(t(84)),l=(0,f.__importDefault)(t(88));var C=[\"PROJECTEDCRS\",\"PROJCRS\",\"GEOGCS\",\"GEOCCS\",\"PROJCS\",\"LOCAL_CS\",\"GEODCRS\",\"GEODETICCRS\",\"GEODETICDATUM\",\"ENGCRS\",\"ENGINEERINGCRS\"];var d=[\"3857\",\"900913\",\"3785\",\"102113\"];n.default=function(t){if(!function(t){return\"string\"==typeof t}(t))return t;if(function(t){return t in i.default}(t))return i.default[t];if(function(t){return C.some((function(r){return t.indexOf(r)>-1}))}(t)){var r=(0,a.default)(t);if(function(t){var r=(0,l.default)(t,\"authority\");if(r){var n=(0,l.default)(r,\"epsg\");return n&&d.indexOf(n)>-1}}(r))return i.default[\"EPSG:3857\"];var n=function(t){var r=(0,l.default)(t,\"extension\");if(r)return(0,l.default)(r,\"proj4\")}(r);return n?(0,o.default)(n):r}return function(t){return\"+\"===t[0]}(t)?(0,o.default)(t):void 0}},\n function _(t,r,i,e,n){e();const f=t(1),a=(0,f.__importDefault)(t(83)),l=(0,f.__importDefault)(t(84)),u=(0,f.__importDefault)(t(89));function o(t){var r=this;if(2===arguments.length){var i=arguments[1];\"string\"==typeof i?\"+\"===i.charAt(0)?o[t]=(0,l.default)(arguments[1]):o[t]=(0,u.default)(arguments[1]):o[t]=i}else if(1===arguments.length){if(Array.isArray(t))return t.map((function(t){Array.isArray(t)?o.apply(r,t):o(t)}));if(\"string\"==typeof t){if(t in o)return o[t]}else\"EPSG\"in t?o[\"EPSG:\"+t.EPSG]=t:\"ESRI\"in t?o[\"ESRI:\"+t.ESRI]=t:\"IAU2000\"in t?o[\"IAU2000:\"+t.IAU2000]=t:console.log(t);return}}(0,a.default)(o),i.default=o},\n function _(t,l,G,S,e){S(),G.default=function(t){t(\"EPSG:4326\",\"+title=WGS 84 (long/lat) +proj=longlat +ellps=WGS84 +datum=WGS84 +units=degrees\"),t(\"EPSG:4269\",\"+title=NAD83 (long/lat) +proj=longlat +a=6378137.0 +b=6356752.31414036 +ellps=GRS80 +datum=NAD83 +units=degrees\"),t(\"EPSG:3857\",\"+title=WGS 84 / Pseudo-Mercator +proj=merc +a=6378137 +b=6378137 +lat_ts=0.0 +lon_0=0.0 +x_0=0.0 +y_0=0 +k=1.0 +units=m +nadgrids=@null +no_defs\"),t.WGS84=t[\"EPSG:4326\"],t[\"EPSG:3785\"]=t[\"EPSG:3857\"],t.GOOGLE=t[\"EPSG:3857\"],t[\"EPSG:900913\"]=t[\"EPSG:3857\"],t[\"EPSG:102113\"]=t[\"EPSG:3857\"]}},\n function _(t,n,o,a,u){a();const e=t(1),r=t(85),i=(0,e.__importDefault)(t(86)),f=(0,e.__importDefault)(t(87)),l=(0,e.__importDefault)(t(88));o.default=function(t){var n,o,a,u={},e=t.split(\"+\").map((function(t){return t.trim()})).filter((function(t){return t})).reduce((function(t,n){var o=n.split(\"=\");return o.push(!0),t[o[0].toLowerCase()]=o[1],t}),{}),c={proj:\"projName\",datum:\"datumCode\",rf:function(t){u.rf=parseFloat(t)},lat_0:function(t){u.lat0=t*r.D2R},lat_1:function(t){u.lat1=t*r.D2R},lat_2:function(t){u.lat2=t*r.D2R},lat_ts:function(t){u.lat_ts=t*r.D2R},lon_0:function(t){u.long0=t*r.D2R},lon_1:function(t){u.long1=t*r.D2R},lon_2:function(t){u.long2=t*r.D2R},alpha:function(t){u.alpha=parseFloat(t)*r.D2R},gamma:function(t){u.rectified_grid_angle=parseFloat(t)},lonc:function(t){u.longc=t*r.D2R},x_0:function(t){u.x0=parseFloat(t)},y_0:function(t){u.y0=parseFloat(t)},k_0:function(t){u.k0=parseFloat(t)},k:function(t){u.k0=parseFloat(t)},a:function(t){u.a=parseFloat(t)},b:function(t){u.b=parseFloat(t)},r_a:function(){u.R_A=!0},zone:function(t){u.zone=parseInt(t,10)},south:function(){u.utmSouth=!0},towgs84:function(t){u.datum_params=t.split(\",\").map((function(t){return parseFloat(t)}))},to_meter:function(t){u.to_meter=parseFloat(t)},units:function(t){u.units=t;var n=(0,l.default)(f.default,t);n&&(u.to_meter=n.to_meter)},from_greenwich:function(t){u.from_greenwich=t*r.D2R},pm:function(t){var n=(0,l.default)(i.default,t);u.from_greenwich=(n||parseFloat(t))*r.D2R},nadgrids:function(t){\"@null\"===t?u.datumCode=\"none\":u.nadgrids=t},axis:function(t){var n=\"ewnsud\";3===t.length&&-1!==n.indexOf(t.substr(0,1))&&-1!==n.indexOf(t.substr(1,1))&&-1!==n.indexOf(t.substr(2,1))&&(u.axis=t)},approx:function(){u.approx=!0}};for(n in e)o=e[n],n in c?\"function\"==typeof(a=c[n])?a(o):u[a]=o:u[n]=o;return\"string\"==typeof u.datumCode&&\"WGS84\"!==u.datumCode&&(u.datumCode=u.datumCode.toLowerCase()),u}},\n function _(S,_,P,R,I){R(),P.PJD_3PARAM=1,P.PJD_7PARAM=2,P.PJD_GRIDSHIFT=3,P.PJD_WGS84=4,P.PJD_NODATUM=5,P.SRS_WGS84_SEMIMAJOR=6378137,P.SRS_WGS84_SEMIMINOR=6356752.314,P.SRS_WGS84_ESQUARED=.0066943799901413165,P.SEC_TO_RAD=484813681109536e-20,P.HALF_PI=Math.PI/2,P.SIXTH=.16666666666666666,P.RA4=.04722222222222222,P.RA6=.022156084656084655,P.EPSLN=1e-10,P.D2R=.017453292519943295,P.R2D=57.29577951308232,P.FORTPI=Math.PI/4,P.TWO_PI=2*Math.PI,P.SPI=3.14159265359},\n function _(o,r,a,e,s){e();var n={};a.default=n,n.greenwich=0,n.lisbon=-9.131906111111,n.paris=2.337229166667,n.bogota=-74.080916666667,n.madrid=-3.687938888889,n.rome=12.452333333333,n.bern=7.439583333333,n.jakarta=106.807719444444,n.ferro=-17.666666666667,n.brussels=4.367975,n.stockholm=18.058277777778,n.athens=23.7163375,n.oslo=10.722916666667},\n function _(t,e,f,o,u){o(),f.default={ft:{to_meter:.3048},\"us-ft\":{to_meter:1200/3937}}},\n function _(e,r,t,a,n){a();var o=/[\\s_\\-\\/\\(\\)]/g;t.default=function(e,r){if(e[r])return e[r];for(var t,a=Object.keys(e),n=r.toLowerCase().replace(o,\"\"),f=-1;++f0?90:-90),e.lat_ts=e.lat1)}(n),n}},\n function _(t,e,r,i,s){i(),r.default=function(t){return new d(t).output()};var h=/\\s/,o=/[A-Za-z]/,n=/[A-Za-z84]/,a=/[,\\]]/,u=/[\\d\\.E\\-\\+]/;function d(t){if(\"string\"!=typeof t)throw new Error(\"not a string\");this.text=t.trim(),this.level=0,this.place=0,this.root=null,this.stack=[],this.currentObject=null,this.state=1}d.prototype.readCharicter=function(){var t=this.text[this.place++];if(4!==this.state)for(;h.test(t);){if(this.place>=this.text.length)return;t=this.text[this.place++]}switch(this.state){case 1:return this.neutral(t);case 2:return this.keyword(t);case 4:return this.quoted(t);case 5:return this.afterquote(t);case 3:return this.number(t);case-1:return}},d.prototype.afterquote=function(t){if('\"'===t)return this.word+='\"',void(this.state=4);if(a.test(t))return this.word=this.word.trim(),void this.afterItem(t);throw new Error(\"havn't handled \\\"\"+t+'\" in afterquote yet, index '+this.place)},d.prototype.afterItem=function(t){return\",\"===t?(null!==this.word&&this.currentObject.push(this.word),this.word=null,void(this.state=1)):\"]\"===t?(this.level--,null!==this.word&&(this.currentObject.push(this.word),this.word=null),this.state=1,this.currentObject=this.stack.pop(),void(this.currentObject||(this.state=-1))):void 0},d.prototype.number=function(t){if(!u.test(t)){if(a.test(t))return this.word=parseFloat(this.word),void this.afterItem(t);throw new Error(\"havn't handled \\\"\"+t+'\" in number yet, index '+this.place)}this.word+=t},d.prototype.quoted=function(t){'\"'!==t?this.word+=t:this.state=5},d.prototype.keyword=function(t){if(n.test(t))this.word+=t;else{if(\"[\"===t){var e=[];return e.push(this.word),this.level++,null===this.root?this.root=e:this.currentObject.push(e),this.stack.push(this.currentObject),this.currentObject=e,void(this.state=1)}if(!a.test(t))throw new Error(\"havn't handled \\\"\"+t+'\" in keyword yet, index '+this.place);this.afterItem(t)}},d.prototype.neutral=function(t){if(o.test(t))return this.word=t,void(this.state=2);if('\"'===t)return this.word=\"\",void(this.state=4);if(u.test(t))return this.word=t,void(this.state=3);if(!a.test(t))throw new Error(\"havn't handled \\\"\"+t+'\" in neutral yet, index '+this.place);this.afterItem(t)},d.prototype.output=function(){for(;this.place90&&a*o.R2D<-90&&h*o.R2D>180&&h*o.R2D<-180)return null;if(Math.abs(Math.abs(a)-o.HALF_PI)<=o.EPSLN)return null;if(this.sphere)i=this.x0+this.a*this.k0*(0,n.default)(h-this.long0),s=this.y0+this.a*this.k0*Math.log(Math.tan(o.FORTPI+.5*a));else{var e=Math.sin(a),r=(0,l.default)(this.e,a,e);i=this.x0+this.a*this.k0*(0,n.default)(h-this.long0),s=this.y0-this.a*this.k0*Math.log(r)}return t.x=i,t.y=s,t}function M(t){var i,s,h=t.x-this.x0,a=t.y-this.y0;if(this.sphere)s=o.HALF_PI-2*Math.atan(Math.exp(-a/(this.a*this.k0)));else{var e=Math.exp(-a/(this.a*this.k0));if(-9999===(s=(0,u.default)(this.e,e)))return null}return i=(0,n.default)(this.long0+h/(this.a*this.k0)),t.x=i,t.y=s,t}s.init=f,s.forward=_,s.inverse=M,s.names=[\"Mercator\",\"Popular Visualisation Pseudo Mercator\",\"Mercator_1SP\",\"Mercator_Auxiliary_Sphere\",\"merc\"],s.default={init:f,forward:_,inverse:M,names:s.names}},\n function _(t,n,r,u,a){u(),r.default=function(t,n,r){var u=t*n;return r/Math.sqrt(1-u*u)}},\n function _(t,n,u,a,f){a();const e=t(1),o=t(85),_=(0,e.__importDefault)(t(97));u.default=function(t){return Math.abs(t)<=o.SPI?t:t-(0,_.default)(t)*o.TWO_PI}},\n function _(n,t,u,f,c){f(),u.default=function(n){return n<0?-1:1}},\n function _(t,n,a,o,u){o();const c=t(85);a.default=function(t,n,a){var o=t*a,u=.5*t;return o=Math.pow((1-o)/(1+o),u),Math.tan(.5*(c.HALF_PI-n))/o}},\n function _(t,a,n,r,f){r();const h=t(85);n.default=function(t,a){for(var n,r,f=.5*t,o=h.HALF_PI-2*Math.atan(a),u=0;u<=15;u++)if(n=t*Math.sin(o),o+=r=h.HALF_PI-2*Math.atan(a*Math.pow((1-n)/(1+n),f))-o,Math.abs(r)<=1e-10)return o;return-9999}},\n function _(n,i,e,t,r){function a(){}function f(n){return n}t(),e.init=a,e.forward=f,e.inverse=f,e.names=[\"longlat\",\"identity\"],e.default={init:a,forward:f,inverse:f,names:e.names}},\n function _(t,r,e,a,n){a();const f=t(1),i=t(85),u=(0,f.__importStar)(t(102)),c=(0,f.__importDefault)(t(88));e.eccentricity=function(t,r,e,a){var n=t*t,f=r*r,u=(n-f)/n,c=0;return a?(n=(t*=1-u*(i.SIXTH+u*(i.RA4+u*i.RA6)))*t,u=0):c=Math.sqrt(u),{es:u,e:c,ep2:(n-f)/f}},e.sphere=function(t,r,e,a,n){if(!t){var f=(0,c.default)(u.default,a);f||(f=u.WGS84),t=f.a,r=f.b,e=f.rf}return e&&!r&&(r=(1-1/e)*t),(0===e||Math.abs(t-r)3&&(0===s.datum_params[3]&&0===s.datum_params[4]&&0===s.datum_params[5]&&0===s.datum_params[6]||(s.datum_type=d.PJD_7PARAM,s.datum_params[3]*=d.SEC_TO_RAD,s.datum_params[4]*=d.SEC_TO_RAD,s.datum_params[5]*=d.SEC_TO_RAD,s.datum_params[6]=s.datum_params[6]/1e6+1))),r&&(s.datum_type=d.PJD_GRIDSHIFT,s.grids=r),s.a=_,s.b=t,s.es=u,s.ep2=p,s}},\n function _(t,e,n,r,i){r();var u={};function l(t){if(0===t.length)return null;var e=\"@\"===t[0];return e&&(t=t.slice(1)),\"null\"===t?{name:\"null\",mandatory:!e,grid:null,isNull:!0}:{name:t,mandatory:!e,grid:u[t]||null,isNull:!1}}function o(t){return t/3600*Math.PI/180}function a(t,e,n){return String.fromCharCode.apply(null,new Uint8Array(t.buffer.slice(e,n)))}function d(t){return t.map((function(t){return[o(t.longitudeShift),o(t.latitudeShift)]}))}function g(t,e,n){return{name:a(t,e+8,e+16).trim(),parent:a(t,e+24,e+24+8).trim(),lowerLatitude:t.getFloat64(e+72,n),upperLatitude:t.getFloat64(e+88,n),lowerLongitude:t.getFloat64(e+104,n),upperLongitude:t.getFloat64(e+120,n),latitudeInterval:t.getFloat64(e+136,n),longitudeInterval:t.getFloat64(e+152,n),gridNodeCount:t.getInt32(e+168,n)}}function s(t,e,n,r){for(var i=e+176,u=[],l=0;l1&&console.log(\"Only single NTv2 subgrids are currently supported, subsequent sub grids are ignored\");var l=function(t,e,n){for(var r=176,i=[],u=0;ua.y||f>a.x||N1e-12&&Math.abs(n.y)>1e-12);if(d<0)return console.log(\"Inverse grid shift iterator failed to converge.\"),a;a.x=(0,u.default)(l.x+t.ll[0]),a.y=l.y+t.ll[1]}else isNaN(l.x)||(a.x=r.x+l.x,a.y=r.y+l.y);return a}function f(r,e){var t,a={x:r.x/e.del[0],y:r.y/e.del[1]},i=Math.floor(a.x),l=Math.floor(a.y),n=a.x-1*i,o=a.y-1*l,u={x:Number.NaN,y:Number.NaN};if(i<0||i>=e.lim[0])return u;if(l<0||l>=e.lim[1])return u;t=l*e.lim[0]+i;var d=e.cvs[t][0],s=e.cvs[t][1];t++;var y=e.cvs[t][0],f=e.cvs[t][1];t+=e.lim[0];var x=e.cvs[t][0],m=e.cvs[t][1];t--;var N=e.cvs[t][0],c=e.cvs[t][1],_=n*o,g=n*(1-o),v=(1-n)*(1-o),S=(1-n)*o;return u.x=v*d+g*y+S*N+_*x,u.y=v*s+g*f+S*c+_*m,u}t.default=function(r,e,t){if((0,o.compareDatums)(r,e))return t;if(r.datum_type===n.PJD_NODATUM||e.datum_type===n.PJD_NODATUM)return t;var a=r.a,i=r.es;if(r.datum_type===n.PJD_GRIDSHIFT){if(0!==s(r,!1,t))return;a=n.SRS_WGS84_SEMIMAJOR,i=n.SRS_WGS84_ESQUARED}var l=e.a,u=e.b,y=e.es;if(e.datum_type===n.PJD_GRIDSHIFT&&(l=n.SRS_WGS84_SEMIMAJOR,u=n.SRS_WGS84_SEMIMINOR,y=n.SRS_WGS84_ESQUARED),i===y&&a===l&&!d(r.datum_type)&&!d(e.datum_type))return t;if(t=(0,o.geodeticToGeocentric)(t,i,a),d(r.datum_type)&&(t=(0,o.geocentricToWgs84)(t,r.datum_type,r.datum_params)),d(e.datum_type)&&(t=(0,o.geocentricFromWgs84)(t,e.datum_type,e.datum_params)),t=(0,o.geocentricToGeodetic)(t,y,l,u),e.datum_type===n.PJD_GRIDSHIFT&&0!==s(e,!0,t))return;return t},t.applyGridShift=s},\n function _(a,t,r,m,s){m();const u=a(85);r.compareDatums=function(a,t){return a.datum_type===t.datum_type&&(!(a.a!==t.a||Math.abs(a.es-t.es)>5e-11)&&(a.datum_type===u.PJD_3PARAM?a.datum_params[0]===t.datum_params[0]&&a.datum_params[1]===t.datum_params[1]&&a.datum_params[2]===t.datum_params[2]:a.datum_type!==u.PJD_7PARAM||a.datum_params[0]===t.datum_params[0]&&a.datum_params[1]===t.datum_params[1]&&a.datum_params[2]===t.datum_params[2]&&a.datum_params[3]===t.datum_params[3]&&a.datum_params[4]===t.datum_params[4]&&a.datum_params[5]===t.datum_params[5]&&a.datum_params[6]===t.datum_params[6]))},r.geodeticToGeocentric=function(a,t,r){var m,s,_,e,n=a.x,d=a.y,i=a.z?a.z:0;if(d<-u.HALF_PI&&d>-1.001*u.HALF_PI)d=-u.HALF_PI;else if(d>u.HALF_PI&&d<1.001*u.HALF_PI)d=u.HALF_PI;else{if(d<-u.HALF_PI)return{x:-1/0,y:-1/0,z:a.z};if(d>u.HALF_PI)return{x:1/0,y:1/0,z:a.z}}return n>Math.PI&&(n-=2*Math.PI),s=Math.sin(d),e=Math.cos(d),_=s*s,{x:((m=r/Math.sqrt(1-t*_))+i)*e*Math.cos(n),y:(m+i)*e*Math.sin(n),z:(m*(1-t)+i)*s}},r.geocentricToGeodetic=function(a,t,r,m){var s,_,e,n,d,i,p,P,y,z,M,o,A,c,x,h=1e-12,f=a.x,I=a.y,F=a.z?a.z:0;if(s=Math.sqrt(f*f+I*I),_=Math.sqrt(f*f+I*I+F*F),s/r1e-24&&A<30);return{x:c,y:Math.atan(M/Math.abs(z)),z:x}},r.geocentricToWgs84=function(a,t,r){if(t===u.PJD_3PARAM)return{x:a.x+r[0],y:a.y+r[1],z:a.z+r[2]};if(t===u.PJD_7PARAM){var m=r[0],s=r[1],_=r[2],e=r[3],n=r[4],d=r[5],i=r[6];return{x:i*(a.x-d*a.y+n*a.z)+m,y:i*(d*a.x+a.y-e*a.z)+s,z:i*(-n*a.x+e*a.y+a.z)+_}}},r.geocentricFromWgs84=function(a,t,r){if(t===u.PJD_3PARAM)return{x:a.x-r[0],y:a.y-r[1],z:a.z-r[2]};if(t===u.PJD_7PARAM){var m=r[0],s=r[1],_=r[2],e=r[3],n=r[4],d=r[5],i=r[6],p=(a.x-m)/i,P=(a.y-s)/i,y=(a.z-_)/i;return{x:p+d*P-n*y,y:-d*p+P+e*y,z:n*p-e*P+y}}}},\n function _(e,a,i,r,s){r(),i.default=function(e,a,i){var r,s,n,c=i.x,d=i.y,f=i.z||0,u={};for(n=0;n<3;n++)if(!a||2!==n||void 0!==i.z)switch(0===n?(r=c,s=-1!==\"ew\".indexOf(e.axis[n])?\"x\":\"y\"):1===n?(r=d,s=-1!==\"ns\".indexOf(e.axis[n])?\"y\":\"x\"):(r=f,s=\"z\"),e.axis[n]){case\"e\":u[s]=r;break;case\"w\":u[s]=-r;break;case\"n\":u[s]=r;break;case\"s\":u[s]=-r;break;case\"u\":void 0!==i[s]&&(u.z=r);break;case\"d\":void 0!==i[s]&&(u.z=-r);break;default:return null}return u}},\n function _(n,t,e,u,f){u(),e.default=function(n){var t={x:n[0],y:n[1]};return n.length>2&&(t.z=n[2]),n.length>3&&(t.m=n[3]),t}},\n function _(e,i,n,t,r){function o(e){if(\"function\"==typeof Number.isFinite){if(Number.isFinite(e))return;throw new TypeError(\"coordinates must be finite numbers\")}if(\"number\"!=typeof e||e!=e||!isFinite(e))throw new TypeError(\"coordinates must be finite numbers\")}t(),n.default=function(e){o(e.x),o(e.y)}},\n function _(e,i,s,t,o){t();const n=e(1);var l,a,r,_,c;const d=e(53),v=e(42),u=(0,n.__importStar)(e(45)),h=e(48),m=(0,n.__importStar)(e(18));class T extends v.View{initialize(){super.initialize(),this.visuals=new u.Visuals(this)}request_render(){this.parent.request_render()}get canvas(){return this.parent.canvas}set_data(e){const i=this;for(const s of this.model){if(!(s instanceof m.VectorSpec||s instanceof m.ScalarSpec))continue;const t=s.uniform(e);i[`${s.attr}`]=t}}}s.ArrowHeadView=T,T.__name__=\"ArrowHeadView\";class p extends d.Model{constructor(e){super(e)}}s.ArrowHead=p,l=p,p.__name__=\"ArrowHead\",l.define((()=>({size:[m.NumberSpec,25]})));class V extends T{clip(e,i){this.visuals.line.set_vectorize(e,i);const s=this.size.get(i);e.moveTo(.5*s,s),e.lineTo(.5*s,-2),e.lineTo(-.5*s,-2),e.lineTo(-.5*s,s),e.lineTo(0,0),e.lineTo(.5*s,s)}render(e,i){if(this.visuals.line.doit){this.visuals.line.set_vectorize(e,i);const s=this.size.get(i);e.beginPath(),e.moveTo(.5*s,s),e.lineTo(0,0),e.lineTo(-.5*s,s),e.stroke()}}}s.OpenHeadView=V,V.__name__=\"OpenHeadView\";class f extends p{constructor(e){super(e)}}s.OpenHead=f,a=f,f.__name__=\"OpenHead\",a.prototype.default_view=V,a.mixins(h.LineVector);class w extends T{clip(e,i){this.visuals.line.set_vectorize(e,i);const s=this.size.get(i);e.moveTo(.5*s,s),e.lineTo(.5*s,-2),e.lineTo(-.5*s,-2),e.lineTo(-.5*s,s),e.lineTo(.5*s,s)}render(e,i){this.visuals.fill.doit&&(this.visuals.fill.set_vectorize(e,i),this._normal(e,i),e.fill()),this.visuals.line.doit&&(this.visuals.line.set_vectorize(e,i),this._normal(e,i),e.stroke())}_normal(e,i){const s=this.size.get(i);e.beginPath(),e.moveTo(.5*s,s),e.lineTo(0,0),e.lineTo(-.5*s,s),e.closePath()}}s.NormalHeadView=w,w.__name__=\"NormalHeadView\";class H extends p{constructor(e){super(e)}}s.NormalHead=H,r=H,H.__name__=\"NormalHead\",r.prototype.default_view=w,r.mixins([h.LineVector,h.FillVector]),r.override({fill_color:\"black\"});class z extends T{clip(e,i){this.visuals.line.set_vectorize(e,i);const s=this.size.get(i);e.moveTo(.5*s,s),e.lineTo(.5*s,-2),e.lineTo(-.5*s,-2),e.lineTo(-.5*s,s),e.lineTo(0,.5*s),e.lineTo(.5*s,s)}render(e,i){this.visuals.fill.doit&&(this.visuals.fill.set_vectorize(e,i),this._vee(e,i),e.fill()),this.visuals.line.doit&&(this.visuals.line.set_vectorize(e,i),this._vee(e,i),e.stroke())}_vee(e,i){const s=this.size.get(i);e.beginPath(),e.moveTo(.5*s,s),e.lineTo(0,0),e.lineTo(-.5*s,s),e.lineTo(0,.5*s),e.closePath()}}s.VeeHeadView=z,z.__name__=\"VeeHeadView\";class x extends p{constructor(e){super(e)}}s.VeeHead=x,_=x,x.__name__=\"VeeHead\",_.prototype.default_view=z,_.mixins([h.LineVector,h.FillVector]),_.override({fill_color:\"black\"});class g extends T{render(e,i){if(this.visuals.line.doit){this.visuals.line.set_vectorize(e,i);const s=this.size.get(i);e.beginPath(),e.moveTo(.5*s,0),e.lineTo(-.5*s,0),e.stroke()}}clip(e,i){}}s.TeeHeadView=g,g.__name__=\"TeeHeadView\";class b extends p{constructor(e){super(e)}}s.TeeHead=b,c=b,b.__name__=\"TeeHead\",c.prototype.default_view=g,c.mixins(h.LineVector)},\n function _(n,e,t,i,o){i();const s=n(9);async function c(n,e,t){const i=new n(Object.assign(Object.assign({},t),{model:e}));return i.initialize(),await i.lazy_initialize(),i}t.build_view=async function(n,e={parent:null},t=(n=>n.default_view)){const i=await c(t(n),n,e);return i.connect_signals(),i},t.build_views=async function(n,e,t={parent:null},i=(n=>n.default_view)){const o=(0,s.difference)([...n.keys()],e);for(const e of o)n.get(e).remove(),n.delete(e);const a=[],f=e.filter((e=>!n.has(e)));for(const e of f){const o=await c(i(e),e,t);n.set(e,o),a.push(o)}for(const n of a)n.connect_signals();return a},t.remove_views=function(n){for(const[e,t]of n)t.remove(),n.delete(e)}},\n function _(e,s,_,i,l){i();const t=e(1);var o;const r=e(115),p=(0,t.__importStar)(e(48));class h extends r.UpperLowerView{paint(e){e.beginPath(),e.moveTo(this._lower_sx[0],this._lower_sy[0]);for(let s=0,_=this._lower_sx.length;s<_;s++)e.lineTo(this._lower_sx[s],this._lower_sy[s]);for(let s=this._upper_sx.length-1;s>=0;s--)e.lineTo(this._upper_sx[s],this._upper_sy[s]);e.closePath(),this.visuals.fill.apply(e),e.beginPath(),e.moveTo(this._lower_sx[0],this._lower_sy[0]);for(let s=0,_=this._lower_sx.length;s<_;s++)e.lineTo(this._lower_sx[s],this._lower_sy[s]);this.visuals.line.apply(e),e.beginPath(),e.moveTo(this._upper_sx[0],this._upper_sy[0]);for(let s=0,_=this._upper_sx.length;s<_;s++)e.lineTo(this._upper_sx[s],this._upper_sy[s]);this.visuals.line.apply(e)}}_.BandView=h,h.__name__=\"BandView\";class n extends r.UpperLower{constructor(e){super(e)}}_.Band=n,o=n,n.__name__=\"Band\",o.prototype.default_view=h,o.mixins([p.Line,p.Fill]),o.override({fill_color:\"#fff9ba\",fill_alpha:.4,line_color:\"#cccccc\",line_alpha:.3})},\n function _(e,t,i,s,o){s();const r=e(1);var n;const p=e(69),a=e(20),_=(0,r.__importStar)(e(18));class h extends p.DataAnnotationView{map_data(){const{frame:e}=this.plot_view,t=this.model.dimension,i=this.coordinates.x_scale,s=this.coordinates.y_scale,o=\"height\"==t?s:i,r=\"height\"==t?i:s,n=\"height\"==t?e.bbox.yview:e.bbox.xview,p=\"height\"==t?e.bbox.xview:e.bbox.yview;let a,_,h;a=\"data\"==this.model.properties.lower.units?o.v_compute(this._lower):n.v_compute(this._lower),_=\"data\"==this.model.properties.upper.units?o.v_compute(this._upper):n.v_compute(this._upper),h=\"data\"==this.model.properties.base.units?r.v_compute(this._base):p.v_compute(this._base);const[d,c]=\"height\"==t?[1,0]:[0,1],u=[a,h],l=[_,h];this._lower_sx=u[d],this._lower_sy=u[c],this._upper_sx=l[d],this._upper_sy=l[c]}}i.UpperLowerView=h,h.__name__=\"UpperLowerView\";class d extends _.CoordinateSpec{get dimension(){return\"width\"==this.obj.dimension?\"x\":\"y\"}get units(){var e;return null!==(e=this.spec.units)&&void 0!==e?e:\"data\"}}i.XOrYCoordinateSpec=d,d.__name__=\"XOrYCoordinateSpec\";class c extends p.DataAnnotation{constructor(e){super(e)}}i.UpperLower=c,n=c,c.__name__=\"UpperLower\",n.define((()=>({dimension:[a.Dimension,\"height\"],lower:[d,{field:\"lower\"}],upper:[d,{field:\"upper\"}],base:[d,{field:\"base\"}]})))},\n function _(t,o,i,n,e){n();const s=t(1);var l;const r=t(40),a=(0,s.__importStar)(t(48)),c=t(20),h=t(65);i.EDGE_TOLERANCE=2.5;class b extends r.AnnotationView{constructor(){super(...arguments),this.bbox=new h.BBox}connect_signals(){super.connect_signals(),this.connect(this.model.change,(()=>this.request_render()))}_render(){const{left:t,right:o,top:i,bottom:n}=this.model;if(null==t&&null==o&&null==i&&null==n)return;const{frame:e}=this.plot_view,s=this.coordinates.x_scale,l=this.coordinates.y_scale,r=(t,o,i,n,e)=>{let s;return s=null!=t?this.model.screen?t:\"data\"==o?i.compute(t):n.compute(t):e,s};this.bbox=h.BBox.from_rect({left:r(t,this.model.left_units,s,e.bbox.xview,e.bbox.left),right:r(o,this.model.right_units,s,e.bbox.xview,e.bbox.right),top:r(i,this.model.top_units,l,e.bbox.yview,e.bbox.top),bottom:r(n,this.model.bottom_units,l,e.bbox.yview,e.bbox.bottom)}),this._paint_box()}_paint_box(){const{ctx:t}=this.layer;t.save();const{left:o,top:i,width:n,height:e}=this.bbox;t.beginPath(),t.rect(o,i,n,e),this.visuals.fill.apply(t),this.visuals.hatch.apply(t),this.visuals.line.apply(t),t.restore()}interactive_bbox(){const t=this.model.line_width+i.EDGE_TOLERANCE;return this.bbox.grow_by(t)}interactive_hit(t,o){if(null==this.model.in_cursor)return!1;return this.interactive_bbox().contains(t,o)}cursor(t,o){const{left:i,right:n,bottom:e,top:s}=this.bbox;return Math.abs(t-i)<3||Math.abs(t-n)<3?this.model.ew_cursor:Math.abs(o-e)<3||Math.abs(o-s)<3?this.model.ns_cursor:this.bbox.contains(t,o)?this.model.in_cursor:null}}i.BoxAnnotationView=b,b.__name__=\"BoxAnnotationView\";class u extends r.Annotation{constructor(t){super(t)}update({left:t,right:o,top:i,bottom:n}){this.setv({left:t,right:o,top:i,bottom:n,screen:!0})}}i.BoxAnnotation=u,l=u,u.__name__=\"BoxAnnotation\",l.prototype.default_view=b,l.mixins([a.Line,a.Fill,a.Hatch]),l.define((({Number:t,Nullable:o})=>({top:[o(t),null],top_units:[c.SpatialUnits,\"data\"],bottom:[o(t),null],bottom_units:[c.SpatialUnits,\"data\"],left:[o(t),null],left_units:[c.SpatialUnits,\"data\"],right:[o(t),null],right_units:[c.SpatialUnits,\"data\"],render_mode:[c.RenderMode,\"canvas\"]}))),l.internal((({Boolean:t,String:o,Nullable:i})=>({screen:[t,!1],ew_cursor:[i(o),null],ns_cursor:[i(o),null],in_cursor:[i(o),null]}))),l.override({fill_color:\"#fff9ba\",fill_alpha:.4,line_color:\"#cccccc\",line_alpha:.3})},\n function _(t,e,i,o,n){o();const a=t(1);var r;const s=t(40),l=t(118),_=t(126),c=t(127),h=t(130),u=t(168),p=t(131),m=t(192),g=t(132),d=t(173),f=t(172),w=t(196),b=t(204),v=t(206),x=t(133),y=t(20),k=(0,a.__importStar)(t(48)),z=t(9),j=t(207),C=t(208),L=t(211),B=t(123),S=t(11),M=t(113),T=t(65),A=t(8);class O extends s.AnnotationView{get orientation(){return this._orientation}initialize(){super.initialize();const{ticker:t,formatter:e,color_mapper:i}=this.model;this._ticker=\"auto\"!=t?t:(()=>{switch(!0){case i instanceof w.LogColorMapper:return new u.LogTicker;case i instanceof w.ScanningColorMapper:return new u.BinnedTicker({mapper:i});case i instanceof w.CategoricalColorMapper:return new u.CategoricalTicker;default:return new u.BasicTicker}})(),this._formatter=\"auto\"!=e?e:(()=>{switch(!0){case this._ticker instanceof u.LogTicker:return new m.LogTickFormatter;case i instanceof w.CategoricalColorMapper:return new m.CategoricalTickFormatter;default:return new m.BasicTickFormatter}})(),this._major_range=(()=>{if(i instanceof w.CategoricalColorMapper){const{factors:t}=i;return new v.FactorRange({factors:t})}if(i instanceof f.ContinuousColorMapper){const{min:t,max:e}=i.metrics;return new v.Range1d({start:t,end:e})}(0,S.unreachable)()})(),this._major_scale=(()=>{if(i instanceof w.LinearColorMapper)return new b.LinearScale;if(i instanceof w.LogColorMapper)return new b.LogScale;if(i instanceof w.ScanningColorMapper){const{binning:t}=i.metrics;return new b.LinearInterpolationScale({binning:t})}if(i instanceof w.CategoricalColorMapper)return new b.CategoricalScale;(0,S.unreachable)()})(),this._minor_range=new v.Range1d({start:0,end:1}),this._minor_scale=new b.LinearScale;const o=k.attrs_of(this.model,\"major_label_\",k.Text,!0),n=k.attrs_of(this.model,\"major_tick_\",k.Line,!0),a=k.attrs_of(this.model,\"minor_tick_\",k.Line,!0),r=k.attrs_of(this.model,\"title_\",k.Text),s=i instanceof w.CategoricalColorMapper?c.CategoricalAxis:i instanceof w.LogColorMapper?c.LogAxis:c.LinearAxis;this._axis=new s(Object.assign(Object.assign(Object.assign({ticker:this._ticker,formatter:this._formatter,major_tick_in:this.model.major_tick_in,major_tick_out:this.model.major_tick_out,minor_tick_in:this.model.minor_tick_in,minor_tick_out:this.model.minor_tick_out,major_label_standoff:this.model.label_standoff,major_label_overrides:this.model.major_label_overrides,major_label_policy:this.model.major_label_policy,axis_line_color:null},o),n),a));const{title:_}=this.model;_&&(this._title=new l.Title(Object.assign({text:_,standoff:this.model.title_standoff},r)))}async lazy_initialize(){await super.lazy_initialize();const t=this,e={get parent(){return t.parent},get root(){return t.root},get frame(){return t._frame},get canvas_view(){return t.parent.canvas_view},request_layout(){t.parent.request_layout()}};this._axis_view=await(0,M.build_view)(this._axis,{parent:e}),null!=this._title&&(this._title_view=await(0,M.build_view)(this._title,{parent:e}))}remove(){var t;null===(t=this._title_view)||void 0===t||t.remove(),this._axis_view.remove(),super.remove()}connect_signals(){super.connect_signals(),this.connect(this._ticker.change,(()=>this.request_render())),this.connect(this._formatter.change,(()=>this.request_render())),this.connect(this.model.color_mapper.metrics_change,(()=>{const t=this._major_range,e=this._major_scale,{color_mapper:i}=this.model;if(i instanceof f.ContinuousColorMapper&&t instanceof v.Range1d){const{min:e,max:o}=i.metrics;t.setv({start:e,end:o})}if(i instanceof w.ScanningColorMapper&&e instanceof b.LinearInterpolationScale){const{binning:t}=i.metrics;e.binning=t}this._set_canvas_image(),this.plot_view.request_layout()}))}_set_canvas_image(){const{orientation:t}=this,e=(()=>{const{palette:e}=this.model.color_mapper;return\"vertical\"==t?(0,z.reversed)(e):e})(),[i,o]=\"vertical\"==t?[1,e.length]:[e.length,1],n=this._image=document.createElement(\"canvas\");n.width=i,n.height=o;const a=n.getContext(\"2d\"),r=a.getImageData(0,0,i,o),s=new w.LinearColorMapper({palette:e}).rgba_mapper.v_compute((0,z.range)(0,e.length));r.data.set(s),a.putImageData(r,0,0)}update_layout(){const{location:t,width:e,height:i,padding:o,margin:n}=this.model,[a,r]=(()=>{if(!(0,A.isString)(t))return[\"end\",\"start\"];switch(t){case\"top_left\":return[\"start\",\"start\"];case\"top\":case\"top_center\":return[\"start\",\"center\"];case\"top_right\":return[\"start\",\"end\"];case\"bottom_left\":return[\"end\",\"start\"];case\"bottom\":case\"bottom_center\":return[\"end\",\"center\"];case\"bottom_right\":return[\"end\",\"end\"];case\"left\":case\"center_left\":return[\"center\",\"start\"];case\"center\":case\"center_center\":return[\"center\",\"center\"];case\"right\":case\"center_right\":return[\"center\",\"end\"]}})(),s=this._orientation=(()=>{const{orientation:t}=this.model;return\"auto\"==t?null!=this.panel?this.panel.is_horizontal?\"horizontal\":\"vertical\":\"start\"==r||\"end\"==r||\"center\"==r&&\"center\"==a?\"vertical\":\"horizontal\":t})(),l=new C.NodeLayout,c=new C.VStack,h=new C.VStack,u=new C.HStack,p=new C.HStack;l.absolute=!0,c.absolute=!0,h.absolute=!0,u.absolute=!0,p.absolute=!0;const[m,g,d,f]=(()=>\"horizontal\"==s?[this._major_scale,this._minor_scale,this._major_range,this._minor_range]:[this._minor_scale,this._major_scale,this._minor_range,this._major_range])();this._frame=new _.CartesianFrame(m,g,d,f),l.on_resize((t=>this._frame.set_geometry(t)));const w=new L.BorderLayout;this._inner_layout=w,w.absolute=!0,w.center_panel=l,w.top_panel=c,w.bottom_panel=h,w.left_panel=u,w.right_panel=p;const b={left:o,right:o,top:o,bottom:o},v=(()=>{if(null==this.panel){if((0,A.isString)(t))return{left:n,right:n,top:n,bottom:n};{const[e,i]=t;return{left:e,right:n,top:n,bottom:i}}}if(!(0,A.isString)(t)){const[e,i]=t;return w.fixup_geometry=(t,o)=>{const n=t,a=this.layout.bbox,{width:r,height:s}=t;if(t=new T.BBox({left:a.left+e,bottom:a.bottom-i,width:r,height:s}),null!=o){const e=t.left-n.left,i=t.top-n.top,{left:a,top:r,width:s,height:l}=o;o=new T.BBox({left:a+e,top:r+i,width:s,height:l})}return[t,o]},{left:e,right:0,top:0,bottom:i}}w.fixup_geometry=(t,e)=>{const i=t;if(\"horizontal\"==s){const{top:e,width:i,height:o}=t;if(\"end\"==r){const{right:n}=this.layout.bbox;t=new T.BBox({right:n,top:e,width:i,height:o})}else if(\"center\"==r){const{hcenter:n}=this.layout.bbox;t=new T.BBox({hcenter:Math.round(n),top:e,width:i,height:o})}}else{const{left:e,width:i,height:o}=t;if(\"end\"==a){const{bottom:n}=this.layout.bbox;t=new T.BBox({left:e,bottom:n,width:i,height:o})}else if(\"center\"==a){const{vcenter:n}=this.layout.bbox;t=new T.BBox({left:e,vcenter:Math.round(n),width:i,height:o})}}if(null!=e){const o=t.left-i.left,n=t.top-i.top,{left:a,top:r,width:s,height:l}=e;e=new T.BBox({left:a+o,top:r+n,width:s,height:l})}return[t,e]}})();let x,y,k,z;if(w.padding=b,null!=this.panel?(x=\"max\",y=void 0,k=void 0,z=void 0):\"auto\"==(\"horizontal\"==s?e:i)?(x=\"fixed\",y=25*this.model.color_mapper.palette.length,k={percent:.3},z={percent:.8}):(x=\"fit\",y=void 0),\"horizontal\"==s){const t=\"auto\"==e?void 0:e,o=\"auto\"==i?25:i;w.set_sizing({width_policy:x,height_policy:\"min\",width:y,min_width:k,max_width:z,halign:r,valign:a,margin:v}),w.center_panel.set_sizing({width_policy:\"auto\"==e?\"fit\":\"fixed\",height_policy:\"fixed\",width:t,height:o})}else{const t=\"auto\"==e?25:e,o=\"auto\"==i?void 0:i;w.set_sizing({width_policy:\"min\",height_policy:x,height:y,min_height:k,max_height:z,halign:r,valign:a,margin:v}),w.center_panel.set_sizing({width_policy:\"fixed\",height_policy:\"auto\"==i?\"fit\":\"fixed\",width:t,height:o})}c.set_sizing({width_policy:\"fit\",height_policy:\"min\"}),h.set_sizing({width_policy:\"fit\",height_policy:\"min\"}),u.set_sizing({width_policy:\"min\",height_policy:\"fit\"}),p.set_sizing({width_policy:\"min\",height_policy:\"fit\"});const{_title_view:S}=this;null!=S&&(\"horizontal\"==s?(S.panel=new B.Panel(\"above\"),S.update_layout(),c.children.push(S.layout)):(S.panel=new B.Panel(\"left\"),S.update_layout(),u.children.push(S.layout)));const{panel:M}=this,O=null!=M&&s==M.orientation?M.side:\"horizontal\"==s?\"below\":\"right\",R=(()=>{switch(O){case\"above\":return c;case\"below\":return h;case\"left\":return u;case\"right\":return p}})(),{_axis_view:F}=this;if(F.panel=new B.Panel(O),F.update_layout(),R.children.push(F.layout),null!=this.panel){const t=new j.Grid([{layout:w,row:0,col:0}]);t.absolute=!0,\"horizontal\"==s?t.set_sizing({width_policy:\"max\",height_policy:\"min\"}):t.set_sizing({width_policy:\"min\",height_policy:\"max\"}),this.layout=t}else this.layout=this._inner_layout;const{visible:I}=this.model;this.layout.sizing.visible=I,this._set_canvas_image()}_render(){var t;const{ctx:e}=this.layer;e.save(),this._paint_bbox(e,this._inner_layout.bbox),this._paint_image(e,this._inner_layout.center_panel.bbox),null===(t=this._title_view)||void 0===t||t.render(),this._axis_view.render(),e.restore()}_paint_bbox(t,e){const{x:i,y:o}=e;let{width:n,height:a}=e;i+n>=this.parent.canvas_view.bbox.width&&(n-=1),o+a>=this.parent.canvas_view.bbox.height&&(a-=1),t.save(),this.visuals.background_fill.doit&&(this.visuals.background_fill.set_value(t),t.fillRect(i,o,n,a)),this.visuals.border_line.doit&&(this.visuals.border_line.set_value(t),t.strokeRect(i,o,n,a)),t.restore()}_paint_image(t,e){const{x:i,y:o,width:n,height:a}=e;t.save(),t.setImageSmoothingEnabled(!1),t.globalAlpha=this.model.scale_alpha,t.drawImage(this._image,i,o,n,a),this.visuals.bar_line.doit&&(this.visuals.bar_line.set_value(t),t.strokeRect(i,o,n,a)),t.restore()}serializable_state(){const t=super.serializable_state(),{children:e=[]}=t,i=(0,a.__rest)(t,[\"children\"]);return null!=this._title_view&&e.push(this._title_view.serializable_state()),e.push(this._axis_view.serializable_state()),Object.assign(Object.assign({},i),{children:e})}}i.ColorBarView=O,O.__name__=\"ColorBarView\";class R extends s.Annotation{constructor(t){super(t)}}i.ColorBar=R,r=R,R.__name__=\"ColorBar\",r.prototype.default_view=O,r.mixins([[\"major_label_\",k.Text],[\"title_\",k.Text],[\"major_tick_\",k.Line],[\"minor_tick_\",k.Line],[\"border_\",k.Line],[\"bar_\",k.Line],[\"background_\",k.Fill]]),r.define((({Alpha:t,Number:e,String:i,Tuple:o,Dict:n,Or:a,Ref:r,Auto:s,Nullable:l})=>({location:[a(y.Anchor,o(e,e)),\"top_right\"],orientation:[a(y.Orientation,s),\"auto\"],title:[l(i),null],title_standoff:[e,2],width:[a(e,s),\"auto\"],height:[a(e,s),\"auto\"],scale_alpha:[t,1],ticker:[a(r(h.Ticker),s),\"auto\"],formatter:[a(r(p.TickFormatter),s),\"auto\"],major_label_overrides:[n(a(i,r(x.BaseText))),{}],major_label_policy:[r(g.LabelingPolicy),()=>new g.NoOverlap],color_mapper:[r(d.ColorMapper)],label_standoff:[e,5],margin:[e,30],padding:[e,10],major_tick_in:[e,5],major_tick_out:[e,0],minor_tick_in:[e,0],minor_tick_out:[e,0]}))),r.override({background_fill_color:\"#ffffff\",background_fill_alpha:.95,bar_line_color:null,border_line_color:null,major_label_text_font_size:\"11px\",major_tick_line_color:\"#ffffff\",minor_tick_line_color:null,title_text_font_size:\"13px\",title_text_font_style:\"italic\"})},\n function _(t,e,i,s,l){s();const o=t(1);var a;const n=t(119),r=t(20),c=t(120),h=(0,o.__importStar)(t(48));class _ extends n.TextAnnotationView{_get_location(){const t=this.model.offset,e=this.model.standoff/2;let i,s;const{bbox:l}=this.layout;switch(this.panel.side){case\"above\":case\"below\":switch(this.model.vertical_align){case\"top\":s=l.top+e;break;case\"middle\":s=l.vcenter;break;case\"bottom\":s=l.bottom-e}switch(this.model.align){case\"left\":i=l.left+t;break;case\"center\":i=l.hcenter;break;case\"right\":i=l.right-t}break;case\"left\":switch(this.model.vertical_align){case\"top\":i=l.left+e;break;case\"middle\":i=l.hcenter;break;case\"bottom\":i=l.right-e}switch(this.model.align){case\"left\":s=l.bottom-t;break;case\"center\":s=l.vcenter;break;case\"right\":s=l.top+t}break;case\"right\":switch(this.model.vertical_align){case\"top\":i=l.right-e;break;case\"middle\":i=l.hcenter;break;case\"bottom\":i=l.left+e}switch(this.model.align){case\"left\":s=l.top+t;break;case\"center\":s=l.vcenter;break;case\"right\":s=l.bottom-t}}return[i,s]}_render(){const{text:t}=this.model;if(null==t||0==t.length)return;this.model.text_baseline=this.model.vertical_align,this.model.text_align=this.model.align;const[e,i]=this._get_location(),s=this.panel.get_label_angle_heuristic(\"parallel\");(\"canvas\"==this.model.render_mode?this._canvas_text.bind(this):this._css_text.bind(this))(this.layer.ctx,t,e,i,s)}_get_size(){const{text:t}=this.model,e=new c.TextBox({text:t});e.visuals=this.visuals.text.values();const{width:i,height:s}=e.size();return{width:i,height:0==s?0:2+s+this.model.standoff}}}i.TitleView=_,_.__name__=\"TitleView\";class d extends n.TextAnnotation{constructor(t){super(t)}}i.Title=d,a=d,d.__name__=\"Title\",a.prototype.default_view=_,a.mixins([h.Text,[\"border_\",h.Line],[\"background_\",h.Fill]]),a.define((({Number:t,String:e})=>({text:[e,\"\"],vertical_align:[r.VerticalAlign,\"bottom\"],align:[r.TextAlign,\"left\"],offset:[t,0],standoff:[t,10]}))),a.prototype._props.text_align.options.internal=!0,a.prototype._props.text_baseline.options.internal=!0,a.override({text_font_size:\"13px\",text_font_style:\"bold\",text_line_height:1,background_fill_color:null,border_line_color:null})},\n function _(e,t,s,i,l){var n;i();const o=e(40),a=e(43),r=e(20),d=e(120),u=e(123),c=e(11);class h extends o.AnnotationView{update_layout(){const{panel:e}=this;this.layout=null!=e?new u.SideLayout(e,(()=>this.get_size()),!0):void 0}initialize(){super.initialize(),\"css\"==this.model.render_mode&&(this.el=(0,a.div)(),this.plot_view.canvas_view.add_overlay(this.el))}remove(){null!=this.el&&(0,a.remove)(this.el),super.remove()}connect_signals(){super.connect_signals(),\"css\"==this.model.render_mode?this.connect(this.model.change,(()=>this.render())):this.connect(this.model.change,(()=>this.request_render()))}render(){this.model.visible||\"css\"!=this.model.render_mode||(0,a.undisplay)(this.el),super.render()}_canvas_text(e,t,s,i,l){const n=new d.TextBox({text:t});n.angle=l,n.position={sx:s,sy:i},n.visuals=this.visuals.text.values();const{background_fill:o,border_line:a}=this.visuals;if(o.doit||a.doit){const{p0:t,p1:s,p2:i,p3:l}=n.rect();e.beginPath(),e.moveTo(t.x,t.y),e.lineTo(s.x,s.y),e.lineTo(i.x,i.y),e.lineTo(l.x,l.y),e.closePath(),this.visuals.background_fill.apply(e),this.visuals.border_line.apply(e)}this.visuals.text.doit&&n.paint(e)}_css_text(e,t,s,i,l){const{el:n}=this;(0,c.assert)(null!=n),(0,a.undisplay)(n),n.textContent=t,this.visuals.text.set_value(e),n.style.position=\"absolute\",n.style.left=`${s}px`,n.style.top=`${i}px`,n.style.color=e.fillStyle,n.style.font=e.font,n.style.lineHeight=\"normal\",n.style.whiteSpace=\"pre\";const[o,r]=(()=>{switch(this.visuals.text.text_align.get_value()){case\"left\":return[\"left\",\"0%\"];case\"center\":return[\"center\",\"-50%\"];case\"right\":return[\"right\",\"-100%\"]}})(),[d,u]=(()=>{switch(this.visuals.text.text_baseline.get_value()){case\"top\":return[\"top\",\"0%\"];case\"middle\":return[\"center\",\"-50%\"];case\"bottom\":return[\"bottom\",\"-100%\"];default:return[\"center\",\"-50%\"]}})();let h=`translate(${r}, ${u})`;l&&(h+=`rotate(${l}rad)`),n.style.transformOrigin=`${o} ${d}`,n.style.transform=h,this.layout,this.visuals.background_fill.doit&&(this.visuals.background_fill.set_value(e),n.style.backgroundColor=e.fillStyle),this.visuals.border_line.doit&&(this.visuals.border_line.set_value(e),n.style.borderStyle=e.lineDash.length<2?\"solid\":\"dashed\",n.style.borderWidth=`${e.lineWidth}px`,n.style.borderColor=e.strokeStyle),(0,a.display)(n)}}s.TextAnnotationView=h,h.__name__=\"TextAnnotationView\";class _ extends o.Annotation{constructor(e){super(e)}}s.TextAnnotation=_,n=_,_.__name__=\"TextAnnotation\",n.define((()=>({render_mode:[r.RenderMode,\"canvas\"]})))},\n function _(t,e,s,i,n){i();const h=t(65),o=t(121),r=t(9),a=t(8),c=t(122),_=t(22);s.text_width=(()=>{const t=document.createElement(\"canvas\").getContext(\"2d\");let e=\"\";return(s,i)=>(i!=e&&(e=i,t.font=i),t.measureText(s).width)})();class l{constructor(){this._position={sx:0,sy:0},this.font_size_scale=1,this.align=\"left\",this._base_font_size=13,this._x_anchor=\"left\",this._y_anchor=\"center\"}set base_font_size(t){null!=t&&(this._base_font_size=t)}get base_font_size(){return this._base_font_size}set position(t){this._position=t}get position(){return this._position}infer_text_height(){return\"ascent_descent\"}bbox(){const{p0:t,p1:e,p2:s,p3:i}=this.rect(),n=Math.min(t.x,e.x,s.x,i.x),o=Math.min(t.y,e.y,s.y,i.y),r=Math.max(t.x,e.x,s.x,i.x),a=Math.max(t.y,e.y,s.y,i.y);return new h.BBox({left:n,right:r,top:o,bottom:a})}size(){const{width:t,height:e}=this._size(),{angle:s}=this;if(s){const i=Math.cos(Math.abs(s)),n=Math.sin(Math.abs(s));return{width:Math.abs(t*i+e*n),height:Math.abs(t*n+e*i)}}return{width:t,height:e}}rect(){const t=this._rect(),{angle:e}=this;if(e){const{sx:s,sy:i}=this.position,n=new c.AffineTransform;return n.translate(s,i),n.rotate(e),n.translate(-s,-i),n.apply_rect(t)}return t}paint_rect(t){const{p0:e,p1:s,p2:i,p3:n}=this.rect();t.save(),t.strokeStyle=\"red\",t.lineWidth=1,t.beginPath();const{round:h}=Math;t.moveTo(h(e.x),h(e.y)),t.lineTo(h(s.x),h(s.y)),t.lineTo(h(i.x),h(i.y)),t.lineTo(h(n.x),h(n.y)),t.closePath(),t.stroke(),t.restore()}paint_bbox(t){const{x:e,y:s,width:i,height:n}=this.bbox();t.save(),t.strokeStyle=\"blue\",t.lineWidth=1,t.beginPath();const{round:h}=Math;t.moveTo(h(e),h(s)),t.lineTo(h(e),h(s+n)),t.lineTo(h(e+i),h(s+n)),t.lineTo(h(e+i),h(s)),t.closePath(),t.stroke(),t.restore()}}s.GraphicsBox=l,l.__name__=\"GraphicsBox\";class x extends l{constructor({text:t}){super(),this.text=t}set visuals(t){const e=t.color,s=t.alpha,i=t.font_style;let n=t.font_size;const h=t.font,{font_size_scale:r,base_font_size:a}=this,c=(0,o.parse_css_font_size)(n);if(null!=c){let{value:t,unit:e}=c;t*=r,\"em\"==e&&a&&(t*=a,e=\"px\"),n=`${t}${e}`}const l=`${i} ${n} ${h}`;this.font=l,this.color=(0,_.color2css)(e,s),this.line_height=t.line_height;const x=t.align;this._x_anchor=x;const u=t.baseline;this._y_anchor=(()=>{switch(u){case\"top\":return\"top\";case\"middle\":return\"center\";case\"bottom\":return\"bottom\";default:return\"baseline\"}})()}infer_text_height(){if(this.text.includes(\"\\n\"))return\"ascent_descent\";{function t(t){for(const e of new Set(t))if(!(\"0\"<=e&&e<=\"9\"))switch(e){case\",\":case\".\":case\"+\":case\"-\":case\"\\u2212\":case\"e\":continue;default:return!1}return!0}return t(this.text)?\"cap\":\"ascent_descent\"}}_text_line(t){var e;const s=null!==(e=this.text_height_metric)&&void 0!==e?e:this.infer_text_height(),i=(()=>{switch(s){case\"x\":case\"x_descent\":return t.x_height;case\"cap\":case\"cap_descent\":return t.cap_height;case\"ascent\":case\"ascent_descent\":return t.ascent}})(),n=(()=>{switch(s){case\"x\":case\"cap\":case\"ascent\":return 0;case\"x_descent\":case\"cap_descent\":case\"ascent_descent\":return t.descent}})();return{height:i+n,ascent:i,descent:n}}get nlines(){return this.text.split(\"\\n\").length}_size(){var t,e;const{font:i}=this,n=(0,o.font_metrics)(i),h=(this.line_height-1)*n.height,a=\"\"==this.text,c=this.text.split(\"\\n\"),_=c.length,l=c.map((t=>(0,s.text_width)(t,i))),x=this._text_line(n).height*_,u=\"%\"==(null===(t=this.width)||void 0===t?void 0:t.unit)?this.width.value:1,p=\"%\"==(null===(e=this.height)||void 0===e?void 0:e.unit)?this.height.value:1;return{width:(0,r.max)(l)*u,height:a?0:(x+h*(_-1))*p,metrics:n}}_computed_position(t,e,s){const{width:i,height:n}=t,{sx:h,sy:o,x_anchor:r=this._x_anchor,y_anchor:c=this._y_anchor}=this.position;return{x:h-(()=>{if((0,a.isNumber)(r))return r*i;switch(r){case\"left\":return 0;case\"center\":return.5*i;case\"right\":return i}})(),y:o-(()=>{var t;if((0,a.isNumber)(c))return c*n;switch(c){case\"top\":return 0;case\"center\":return.5*n;case\"bottom\":return n;case\"baseline\":if(1!=s)return.5*n;switch(null!==(t=this.text_height_metric)&&void 0!==t?t:this.infer_text_height()){case\"x\":case\"x_descent\":return e.x_height;case\"cap\":case\"cap_descent\":return e.cap_height;case\"ascent\":case\"ascent_descent\":return e.ascent}}})()}}_rect(){const{width:t,height:e,metrics:s}=this._size(),i=this.text.split(\"\\n\").length,{x:n,y:o}=this._computed_position({width:t,height:e},s,i);return new h.BBox({x:n,y:o,width:t,height:e}).rect}paint(t){var e,i;const{font:n}=this,h=(0,o.font_metrics)(n),a=(this.line_height-1)*h.height,c=this.text.split(\"\\n\"),_=c.length,l=c.map((t=>(0,s.text_width)(t,n))),x=this._text_line(h),u=x.height*_,p=\"%\"==(null===(e=this.width)||void 0===e?void 0:e.unit)?this.width.value:1,f=\"%\"==(null===(i=this.height)||void 0===i?void 0:i.unit)?this.height.value:1,g=(0,r.max)(l)*p,d=(u+a*(_-1))*f;t.save(),t.fillStyle=this.color,t.font=this.font,t.textAlign=\"left\",t.textBaseline=\"alphabetic\";const{sx:b,sy:m}=this.position,{align:y}=this,{angle:w}=this;w&&(t.translate(b,m),t.rotate(w),t.translate(-b,-m));let{x:v,y:z}=this._computed_position({width:g,height:d},h,_);if(\"justify\"==y)for(let e=0;e<_;e++){let i=v;const h=c[e].split(\" \"),o=h.length,_=h.map((t=>(0,s.text_width)(t,n))),l=(g-(0,r.sum)(_))/(o-1);for(let e=0;e{switch(y){case\"left\":return 0;case\"center\":return.5*(g-l[e]);case\"right\":return g-l[e]}})();t.fillStyle=this.color,t.fillText(c[e],s,z+x.ascent),z+=x.height+a}t.restore()}}s.TextBox=x,x.__name__=\"TextBox\";class u extends l{constructor(t,e){super(),this.base=t,this.expo=e}get children(){return[this.base,this.expo]}set base_font_size(t){super.base_font_size=t,this.base.base_font_size=t,this.expo.base_font_size=t}set position(t){this._position=t;const e=this.base.size(),s=this.expo.size(),i=this._shift_scale()*e.height,n=Math.max(e.height,i+s.height);this.base.position={sx:0,x_anchor:\"left\",sy:n,y_anchor:\"bottom\"},this.expo.position={sx:e.width,x_anchor:\"left\",sy:i,y_anchor:\"bottom\"}}get position(){return this._position}set visuals(t){this.expo.font_size_scale=.7,this.base.visuals=t,this.expo.visuals=t}_shift_scale(){if(this.base instanceof x&&1==this.base.nlines){const{x_height:t,cap_height:e}=(0,o.font_metrics)(this.base.font);return t/e}return 2/3}infer_text_height(){return this.base.infer_text_height()}_rect(){const t=this.base.bbox(),e=this.expo.bbox(),s=t.union(e),{x:i,y:n}=this._computed_position();return s.translate(i,n).rect}_size(){const t=this.base.size(),e=this.expo.size();return{width:t.width+e.width,height:Math.max(t.height,this._shift_scale()*t.height+e.height)}}paint(t){t.save();const{angle:e}=this;if(e){const{sx:s,sy:i}=this.position;t.translate(s,i),t.rotate(e),t.translate(-s,-i)}const{x:s,y:i}=this._computed_position();t.translate(s,i),this.base.paint(t),this.expo.paint(t),t.restore()}paint_bbox(t){super.paint_bbox(t);const{x:e,y:s}=this._computed_position();t.save(),t.translate(e,s);for(const e of this.children)e.paint_bbox(t);t.restore()}_computed_position(){const{width:t,height:e}=this._size(),{sx:s,sy:i,x_anchor:n=this._x_anchor,y_anchor:h=this._y_anchor}=this.position;return{x:s-(()=>{if((0,a.isNumber)(n))return n*t;switch(n){case\"left\":return 0;case\"center\":return.5*t;case\"right\":return t}})(),y:i-(()=>{if((0,a.isNumber)(h))return h*e;switch(h){case\"top\":return 0;case\"center\":return.5*e;case\"bottom\":return e;case\"baseline\":return.5*e}})()}}}s.BaseExpo=u,u.__name__=\"BaseExpo\";class p{constructor(t){this.items=t}set base_font_size(t){for(const e of this.items)e.base_font_size=t}get length(){return this.items.length}set visuals(t){for(const e of this.items)e.visuals=t;const e={x:0,cap:1,ascent:2,x_descent:3,cap_descent:4,ascent_descent:5},s=(0,r.max_by)(this.items.map((t=>t.infer_text_height())),(t=>e[t]));for(const t of this.items)t.text_height_metric=s}set angle(t){for(const e of this.items)e.angle=t}max_size(){let t=0,e=0;for(const s of this.items){const i=s.size();t=Math.max(t,i.width),e=Math.max(e,i.height)}return{width:t,height:e}}}s.GraphicsBoxes=p,p.__name__=\"GraphicsBoxes\"},\n function _(t,e,n,r,l){r();const a=t(11),c=(()=>{try{return\"undefined\"!=typeof OffscreenCanvas&&null!=new OffscreenCanvas(0,0).getContext(\"2d\")}catch(t){return!1}})()?(t,e)=>new OffscreenCanvas(t,e):(t,e)=>{const n=document.createElement(\"canvas\");return n.width=t,n.height=e,n},o=(()=>{const t=c(0,0).getContext(\"2d\");return e=>{t.font=e;const n=t.measureText(\"M\"),r=t.measureText(\"x\"),l=t.measureText(\"\\xc5\\u015ag|\"),c=l.fontBoundingBoxAscent,o=l.fontBoundingBoxDescent;if(null!=c&&null!=o)return{height:c+o,ascent:c,descent:o,cap_height:n.actualBoundingBoxAscent,x_height:r.actualBoundingBoxAscent};const s=l.actualBoundingBoxAscent,u=l.actualBoundingBoxDescent;if(null!=s&&null!=u)return{height:s+u,ascent:s,descent:u,cap_height:n.actualBoundingBoxAscent,x_height:r.actualBoundingBoxAscent};(0,a.unreachable)()}})(),s=(()=>{const t=c(0,0).getContext(\"2d\");return(e,n)=>{t.font=n;const r=t.measureText(e),l=r.actualBoundingBoxAscent,c=r.actualBoundingBoxDescent;if(null!=l&&null!=c)return{width:r.width,height:l+c,ascent:l,descent:c};(0,a.unreachable)()}})(),u=(()=>{const t=document.createElement(\"canvas\"),e=t.getContext(\"2d\");let n=-1,r=-1;return(l,a=1)=>{e.font=l;const{width:c}=e.measureText(\"M\"),o=c*a,s=Math.ceil(o),u=Math.ceil(2*o),i=Math.ceil(1.5*o);n{let e=0;for(let n=0;n<=i;n++)for(let r=0;r{let e=t.length-4;for(let n=u;n>=i;n--)for(let r=0;r{const t=document.createElement(\"canvas\"),e=t.getContext(\"2d\");let n=-1,r=-1;return(l,a,c=1)=>{e.font=a;const{width:o}=e.measureText(\"M\"),s=o*c,u=Math.ceil(s),i=Math.ceil(2*s),f=Math.ceil(1.5*s);(n{let e=0;for(let n=0;n<=f;n++)for(let r=0;r{let e=t.length-4;for(let n=i;n>=f;n--)for(let r=0;r{try{return o(\"normal 10px sans-serif\"),o}catch(t){return u}})(),h=(()=>{try{return s(\"A\",\"normal 10px sans-serif\"),s}catch(t){return i}})(),g=new Map;function d(t){let e=g.get(t);return null==e&&(e={font:f(t),glyphs:new Map},g.set(t,e)),e.font}n.font_metrics=d,n.glyph_metrics=function(t,e){let n=g.get(e);null==n&&(d(e),n=g.get(e));let r=n.glyphs.get(t);return null==r&&(r=h(t,e),n.glyphs.set(t,r)),r},n.parse_css_font_size=function(t){const e=t.match(/^\\s*(\\d+(\\.\\d+)?)(\\w+)\\s*$/);if(null!=e){const[,t,,n]=e,r=Number(t);if(isFinite(r))return{value:r,unit:n}}return null}},\n function _(t,s,r,n,i){n();const{sin:e,cos:a}=Math;class h{constructor(t=1,s=0,r=0,n=1,i=0,e=0){this.a=t,this.b=s,this.c=r,this.d=n,this.e=i,this.f=e}toString(){const{a:t,b:s,c:r,d:n,e:i,f:e}=this;return`matrix(${t}, ${s}, ${r}, ${n}, ${i}, ${e})`}static from_DOMMatrix(t){const{a:s,b:r,c:n,d:i,e,f:a}=t;return new h(s,r,n,i,e,a)}to_DOMMatrix(){const{a:t,b:s,c:r,d:n,e:i,f:e}=this;return new DOMMatrix([t,s,r,n,i,e])}clone(){const{a:t,b:s,c:r,d:n,e:i,f:e}=this;return new h(t,s,r,n,i,e)}get is_identity(){const{a:t,b:s,c:r,d:n,e:i,f:e}=this;return 1==t&&0==s&&0==r&&1==n&&0==i&&0==e}apply_point(t){const[s,r]=this.apply(t.x,t.y);return{x:s,y:r}}apply_rect(t){return{p0:this.apply_point(t.p0),p1:this.apply_point(t.p1),p2:this.apply_point(t.p2),p3:this.apply_point(t.p3)}}apply(t,s){const{a:r,b:n,c:i,d:e,e:a,f:h}=this;return[r*t+i*s+a,n*t+e*s+h]}iv_apply(t,s){const{a:r,b:n,c:i,d:e,e:a,f:h}=this,c=t.length;for(let o=0;o{const h={max:4,fit:3,min:2,fixed:1};return h[i]>h[t]};if(\"fixed\"!=n&&\"fixed\"!=s)if(n==s){const n=t,s=_(t/e),r=_(h*e),g=h;Math.abs(i.width-n)+Math.abs(i.height-s)<=Math.abs(i.width-r)+Math.abs(i.height-g)?(t=n,h=s):(t=r,h=g)}else r(n,s)?h=_(t/e):t=_(h*e);else\"fixed\"==n?h=_(t/e):\"fixed\"==s&&(t=_(h*e))}return{width:t,height:h}}measure(i){if(!this.sizing.visible)return{width:0,height:0};const t=i=>\"fixed\"==this.sizing.width_policy&&null!=this.sizing.width?this.sizing.width:i,h=i=>\"fixed\"==this.sizing.height_policy&&null!=this.sizing.height?this.sizing.height:i,e=new s.Sizeable(i).shrink_by(this.sizing.margin).map(t,h),n=this._measure(e),r=this.clip_size(n,e),g=t(r.width),l=h(r.height),a=this.apply_aspect(e,{width:g,height:l});return Object.assign(Object.assign({},n),a)}compute(i={}){const t=this.measure({width:null!=i.width&&this.is_width_expanding()?i.width:1/0,height:null!=i.height&&this.is_height_expanding()?i.height:1/0}),{width:h,height:e}=t,n=new r.BBox({left:0,top:0,width:h,height:e});let s;if(null!=t.inner){const{left:i,top:n,right:g,bottom:l}=t.inner;s=new r.BBox({left:i,top:n,right:h-g,bottom:e-l})}this.set_geometry(n,s)}get xview(){return this.bbox.xview}get yview(){return this.bbox.yview}clip_size(i,t){function h(i,t,h,e){return null==h?h=0:(0,g.isNumber)(h)||(h=Math.round(h.percent*t)),null==e?e=1/0:(0,g.isNumber)(e)||(e=Math.round(e.percent*t)),a(h,l(i,e))}return{width:h(i.width,t.width,this.sizing.min_width,this.sizing.max_width),height:h(i.height,t.height,this.sizing.min_height,this.sizing.max_height)}}has_size_changed(){const{_dirty:i}=this;return this._dirty=!1,i}}h.Layoutable=o,o.__name__=\"Layoutable\";class d extends o{_measure(i){const{width_policy:t,height_policy:h}=this.sizing;return{width:(()=>{const{width:h}=this.sizing;if(i.width==1/0)return null!=h?h:0;switch(t){case\"fixed\":return null!=h?h:0;case\"min\":return null!=h?l(i.width,h):0;case\"fit\":return null!=h?l(i.width,h):i.width;case\"max\":return null!=h?a(i.width,h):i.width}})(),height:(()=>{const{height:t}=this.sizing;if(i.height==1/0)return null!=t?t:0;switch(h){case\"fixed\":return null!=t?t:0;case\"min\":return null!=t?l(i.height,t):0;case\"fit\":return null!=t?l(i.height,t):i.height;case\"max\":return null!=t?a(i.height,t):i.height}})()}}}h.LayoutItem=d,d.__name__=\"LayoutItem\";class u extends o{_measure(i){const t=this._content_size(),h=i.bounded_to(this.sizing.size).bounded_to(t);return{width:(()=>{switch(this.sizing.width_policy){case\"fixed\":return null!=this.sizing.width?this.sizing.width:t.width;case\"min\":return t.width;case\"fit\":return h.width;case\"max\":return Math.max(t.width,h.width)}})(),height:(()=>{switch(this.sizing.height_policy){case\"fixed\":return null!=this.sizing.height?this.sizing.height:t.height;case\"min\":return t.height;case\"fit\":return h.height;case\"max\":return Math.max(t.height,h.height)}})()}}}h.ContentLayoutable=u,u.__name__=\"ContentLayoutable\"},\n function _(e,t,s,a,_){a();const r=e(62),n=e(61),g=e(58),i=e(63),c=e(67),h=e(65),l=e(13),o=e(11);class x{constructor(e,t,s,a,_={},r={},n={},g={}){this.in_x_scale=e,this.in_y_scale=t,this.x_range=s,this.y_range=a,this.extra_x_ranges=_,this.extra_y_ranges=r,this.extra_x_scales=n,this.extra_y_scales=g,this._bbox=new h.BBox,(0,o.assert)(null==e.source_range&&null==e.target_range),(0,o.assert)(null==t.source_range&&null==t.target_range),this._configure_scales()}get bbox(){return this._bbox}_get_ranges(e,t){return new Map((0,l.entries)(Object.assign(Object.assign({},t),{default:e})))}_get_scales(e,t,s,a){var _;const g=new Map((0,l.entries)(Object.assign(Object.assign({},t),{default:e}))),h=new Map;for(const[t,l]of s){if(l instanceof c.FactorRange!=e instanceof r.CategoricalScale)throw new Error(`Range ${l.type} is incompatible is Scale ${e.type}`);e instanceof n.LogScale&&l instanceof i.DataRange1d&&(l.scale_hint=\"log\");const s=(null!==(_=g.get(t))&&void 0!==_?_:e).clone();s.setv({source_range:l,target_range:a}),h.set(t,s)}return h}_configure_frame_ranges(){const{bbox:e}=this;this._x_target=new g.Range1d({start:e.left,end:e.right}),this._y_target=new g.Range1d({start:e.bottom,end:e.top})}_configure_scales(){this._configure_frame_ranges(),this._x_ranges=this._get_ranges(this.x_range,this.extra_x_ranges),this._y_ranges=this._get_ranges(this.y_range,this.extra_y_ranges),this._x_scales=this._get_scales(this.in_x_scale,this.extra_x_scales,this._x_ranges,this._x_target),this._y_scales=this._get_scales(this.in_y_scale,this.extra_y_scales,this._y_ranges,this._y_target)}_update_scales(){this._configure_frame_ranges();for(const[,e]of this._x_scales)e.target_range=this._x_target;for(const[,e]of this._y_scales)e.target_range=this._y_target}set_geometry(e){this._bbox=e,this._update_scales()}get x_target(){return this._x_target}get y_target(){return this._y_target}get x_ranges(){return this._x_ranges}get y_ranges(){return this._y_ranges}get x_scales(){return this._x_scales}get y_scales(){return this._y_scales}get x_scale(){return this._x_scales.get(\"default\")}get y_scale(){return this._y_scales.get(\"default\")}get xscales(){return(0,l.to_object)(this.x_scales)}get yscales(){return(0,l.to_object)(this.y_scales)}}s.CartesianFrame=x,x.__name__=\"CartesianFrame\"},\n function _(i,s,x,A,o){A(),o(\"Axis\",i(128).Axis),o(\"CategoricalAxis\",i(140).CategoricalAxis),o(\"ContinuousAxis\",i(143).ContinuousAxis),o(\"DatetimeAxis\",i(144).DatetimeAxis),o(\"LinearAxis\",i(145).LinearAxis),o(\"LogAxis\",i(162).LogAxis),o(\"MercatorAxis\",i(165).MercatorAxis)},\n function _(t,e,i,s,a){s();const o=t(1);var l;const n=t(129),_=t(130),r=t(131),h=t(132),c=(0,o.__importStar)(t(48)),b=t(20),u=t(24),m=t(123),d=t(9),x=t(13),f=t(8),g=t(120),p=t(67),v=t(133),w=t(113),j=t(11),k=t(8),y=t(134),{abs:z}=Math;class M extends n.GuideRendererView{constructor(){super(...arguments),this._axis_label_view=null,this._major_label_views=new Map}async lazy_initialize(){await super.lazy_initialize(),await this._init_axis_label(),await this._init_major_labels()}async _init_axis_label(){const{axis_label:t}=this.model;if(null!=t){const e=(0,k.isString)(t)?(0,y.parse_delimited_string)(t):t;this._axis_label_view=await(0,w.build_view)(e,{parent:this})}else this._axis_label_view=null}async _init_major_labels(){const{major_label_overrides:t}=this.model;for(const[e,i]of(0,x.entries)(t)){const t=(0,k.isString)(i)?(0,y.parse_delimited_string)(i):i;this._major_label_views.set(e,await(0,w.build_view)(t,{parent:this}))}}update_layout(){this.layout=new m.SideLayout(this.panel,(()=>this.get_size()),!0),this.layout.on_resize((()=>this._coordinates=void 0))}get_size(){const{visible:t,fixed_location:e}=this.model;if(t&&null==e&&this.is_renderable){const{extents:t}=this;return{width:0,height:Math.round(t.tick+t.tick_label+t.axis_label)}}return{width:0,height:0}}get is_renderable(){const[t,e]=this.ranges;return t.is_valid&&e.is_valid}_render(){var t;if(!this.is_renderable)return;const{tick_coords:e,extents:i}=this,s=this.layer.ctx;s.save(),this._draw_rule(s,i),this._draw_major_ticks(s,i,e),this._draw_minor_ticks(s,i,e),this._draw_major_labels(s,i,e),this._draw_axis_label(s,i,e),null===(t=this._paint)||void 0===t||t.call(this,s,i,e),s.restore()}connect_signals(){super.connect_signals();const{axis_label:t,major_label_overrides:e}=this.model.properties;this.on_change(t,(async()=>{var t;null===(t=this._axis_label_view)||void 0===t||t.remove(),await this._init_axis_label()})),this.on_change(e,(async()=>{for(const t of this._major_label_views.values())t.remove();await this._init_major_labels()})),this.connect(this.model.change,(()=>this.plot_view.request_layout()))}get needs_clip(){return null!=this.model.fixed_location}_draw_rule(t,e){if(!this.visuals.axis_line.doit)return;const[i,s]=this.rule_coords,[a,o]=this.coordinates.map_to_screen(i,s),[l,n]=this.normals,[_,r]=this.offsets;this.visuals.axis_line.set_value(t),t.beginPath();for(let e=0;e0?s+i+3:0}_draw_axis_label(t,e,i){if(null==this._axis_label_view||null!=this.model.fixed_location)return;const[s,a]=(()=>{const{bbox:t}=this.layout;switch(this.panel.side){case\"above\":return[t.hcenter,t.bottom];case\"below\":return[t.hcenter,t.top];case\"left\":return[t.right,t.vcenter];case\"right\":return[t.left,t.vcenter]}})(),[o,l]=this.normals,n=e.tick+e.tick_label+this.model.axis_label_standoff,{vertical_align:_,align:r}=this.panel.get_label_text_heuristics(\"parallel\"),h={sx:s+o*n,sy:a+l*n,x_anchor:r,y_anchor:_},c=this._axis_label_view.graphics();c.visuals=this.visuals.axis_label_text.values(),c.angle=this.panel.get_label_angle_heuristic(\"parallel\"),this.plot_view.base_font_size&&(c.base_font_size=this.plot_view.base_font_size),c.position=h,c.align=r,c.paint(t)}_draw_ticks(t,e,i,s,a){if(!a.doit)return;const[o,l]=e,[n,_]=this.coordinates.map_to_screen(o,l),[r,h]=this.normals,[c,b]=this.offsets,[u,m]=[r*(c-i),h*(b-i)],[d,x]=[r*(c+s),h*(b+s)];a.set_value(t),t.beginPath();for(let e=0;et.bbox())),M=(()=>{const[t]=this.ranges;return t.is_reversed?0==this.dimension?(t,e)=>z[t].left-z[e].right:(t,e)=>z[e].top-z[t].bottom:0==this.dimension?(t,e)=>z[e].left-z[t].right:(t,e)=>z[t].top-z[e].bottom})(),{major_label_policy:O}=this.model,T=O.filter(k,z,M),A=[...T.ones()];if(0!=A.length){const t=this.parent.canvas_view.bbox,e=e=>{const i=z[e];if(i.left<0){const t=-i.left,{position:s}=y[e];y[e].position=Object.assign(Object.assign({},s),{sx:s.sx+t})}else if(i.right>t.width){const s=i.right-t.width,{position:a}=y[e];y[e].position=Object.assign(Object.assign({},a),{sx:a.sx-s})}},i=e=>{const i=z[e];if(i.top<0){const t=-i.top,{position:s}=y[e];y[e].position=Object.assign(Object.assign({},s),{sy:s.sy+t})}else if(i.bottom>t.height){const s=i.bottom-t.height,{position:a}=y[e];y[e].position=Object.assign(Object.assign({},a),{sy:a.sy-s})}},s=A[0],a=A[A.length-1];0==this.dimension?(e(s),e(a)):(i(s),i(a))}for(const e of T){y[e].paint(t)}}_tick_extent(){return this.model.major_tick_out}_tick_label_extents(){const t=this.tick_coords.major,e=this.compute_labels(t[this.dimension]),i=this.model.major_label_orientation,s=this.model.major_label_standoff,a=this.visuals.major_label_text;return[this._oriented_labels_extent(e,i,s,a)]}get extents(){const t=this._tick_label_extents();return{tick:this._tick_extent(),tick_labels:t,tick_label:(0,d.sum)(t),axis_label:this._axis_label_extent()}}_oriented_labels_extent(t,e,i,s){if(0==t.length||!s.doit)return 0;const a=this.panel.get_label_angle_heuristic(e);t.visuals=s.values(),t.angle=a,t.base_font_size=this.plot_view.base_font_size;const o=t.max_size(),l=0==this.dimension?o.height:o.width;return l>0?i+l+3:0}get normals(){return this.panel.normals}get dimension(){return this.panel.dimension}compute_labels(t){const e=this.model.formatter.format_graphics(t,this),{_major_label_views:i}=this,s=new Set;for(let a=0;az(l-n)?(t=r(_(a,o),l),s=_(r(a,o),n)):(t=_(a,o),s=r(a,o)),[t,s]}}get rule_coords(){const t=this.dimension,e=(t+1)%2,[i]=this.ranges,[s,a]=this.computed_bounds,o=[new Array(2),new Array(2)];return o[t][0]=Math.max(s,i.min),o[t][1]=Math.min(a,i.max),o[t][0]>o[t][1]&&(o[t][0]=o[t][1]=NaN),o[e][0]=this.loc,o[e][1]=this.loc,o}get tick_coords(){const t=this.dimension,e=(t+1)%2,[i]=this.ranges,[s,a]=this.computed_bounds,o=this.model.ticker.get_ticks(s,a,i,this.loc),l=o.major,n=o.minor,_=[[],[]],r=[[],[]],[h,c]=[i.min,i.max];for(let i=0;ic||(_[t].push(l[i]),_[e].push(this.loc));for(let i=0;ic||(r[t].push(n[i]),r[e].push(this.loc));return{major:_,minor:r}}get loc(){const{fixed_location:t}=this.model;if(null!=t){if((0,f.isNumber)(t))return t;const[,e]=this.ranges;if(e instanceof p.FactorRange)return e.synthetic(t);(0,j.unreachable)()}const[,e]=this.ranges;switch(this.panel.side){case\"left\":case\"below\":return e.start;case\"right\":case\"above\":return e.end}}serializable_state(){return Object.assign(Object.assign({},super.serializable_state()),{bbox:this.layout.bbox.box})}remove(){var t;null===(t=this._axis_label_view)||void 0===t||t.remove();for(const t of this._major_label_views.values())t.remove();super.remove()}has_finished(){if(!super.has_finished())return!1;if(null!=this._axis_label_view&&!this._axis_label_view.has_finished())return!1;for(const t of this._major_label_views.values())if(!t.has_finished())return!1;return!0}}i.AxisView=M,M.__name__=\"AxisView\";class O extends n.GuideRenderer{constructor(t){super(t)}}i.Axis=O,l=O,O.__name__=\"Axis\",l.prototype.default_view=M,l.mixins([[\"axis_\",c.Line],[\"major_tick_\",c.Line],[\"minor_tick_\",c.Line],[\"major_label_\",c.Text],[\"axis_label_\",c.Text]]),l.define((({Any:t,Int:e,Number:i,String:s,Ref:a,Dict:o,Tuple:l,Or:n,Nullable:c,Auto:u})=>({bounds:[n(l(i,i),u),\"auto\"],ticker:[a(_.Ticker)],formatter:[a(r.TickFormatter)],axis_label:[c(n(s,a(v.BaseText))),null],axis_label_standoff:[e,5],major_label_standoff:[e,5],major_label_orientation:[n(b.TickLabelOrientation,i),\"horizontal\"],major_label_overrides:[o(n(s,a(v.BaseText))),{}],major_label_policy:[a(h.LabelingPolicy),()=>new h.AllLabels],major_tick_in:[i,2],major_tick_out:[i,6],minor_tick_in:[i,0],minor_tick_out:[i,4],fixed_location:[c(n(i,t)),null]}))),l.override({axis_line_color:\"black\",major_tick_line_color:\"black\",minor_tick_line_color:\"black\",major_label_text_font_size:\"11px\",major_label_text_align:\"center\",major_label_text_baseline:\"alphabetic\",axis_label_text_font_size:\"13px\",axis_label_text_font_style:\"italic\"})},\n function _(e,r,d,n,i){var s;n();const _=e(41);class u extends _.RendererView{}d.GuideRendererView=u,u.__name__=\"GuideRendererView\";class c extends _.Renderer{constructor(e){super(e)}}d.GuideRenderer=c,s=c,c.__name__=\"GuideRenderer\",s.override({level:\"guide\"})},\n function _(c,e,n,s,o){s();const r=c(53);class t extends r.Model{constructor(c){super(c)}}n.Ticker=t,t.__name__=\"Ticker\"},\n function _(t,o,r,e,c){e();const n=t(53),a=t(120);class m extends n.Model{constructor(t){super(t)}format_graphics(t,o){return this.doFormat(t,o).map((t=>new a.TextBox({text:t})))}compute(t,o){return this.doFormat([t],null!=o?o:{loc:0})[0]}v_compute(t,o){return this.doFormat(t,null!=o?o:{loc:0})}}r.TickFormatter=m,m.__name__=\"TickFormatter\"},\n function _(e,n,s,t,i){var c,r;t();const l=e(53),o=e(13),a=e(34),u=e(8),d=e(24);class _ extends l.Model{constructor(e){super(e)}}s.LabelingPolicy=_,_.__name__=\"LabelingPolicy\";class f extends _{constructor(e){super(e)}filter(e,n,s){return e}}s.AllLabels=f,f.__name__=\"AllLabels\";class m extends _{constructor(e){super(e)}filter(e,n,s){const{min_distance:t}=this;let i=null;for(const n of e)null!=i&&s(i,n)({min_distance:[e,5]})));class b extends _{constructor(e){super(e)}get names(){return(0,o.keys)(this.args)}get values(){return(0,o.values)(this.args)}get func(){const e=(0,a.use_strict)(this.code);return new d.GeneratorFunction(\"indices\",\"bboxes\",\"distance\",...this.names,e)}filter(e,n,s){const t=Object.create(null),i=this.func.call(t,e,n,s,...this.values);let c=i.next();if(c.done&&void 0!==c.value){const{value:n}=c;return n instanceof d.Indices?n:void 0===n?e:(0,u.isIterable)(n)?d.Indices.from_indices(e.size,n):d.Indices.all_unset(e.size)}{const n=[];do{n.push(c.value),c=i.next()}while(!c.done);return d.Indices.from_indices(e.size,n)}}}s.CustomLabelingPolicy=b,r=b,b.__name__=\"CustomLabelingPolicy\",r.define((({Unknown:e,String:n,Dict:s})=>({args:[s(e),{}],code:[n,\"\"]})))},\n function _(e,s,t,n,a){var _;n();const x=e(53),c=e(42);class i extends c.View{}t.BaseTextView=i,i.__name__=\"BaseTextView\";class o extends x.Model{constructor(e){super(e)}}t.BaseText=o,_=o,o.__name__=\"BaseText\",_.define((({String:e})=>({text:[e]})))},\n function _(n,e,t,i,r){i();const s=n(135),l=n(139),d=[{start:\"$$\",end:\"$$\",inline:!1},{start:\"\\\\[\",end:\"\\\\]\",inline:!1},{start:\"\\\\(\",end:\"\\\\)\",inline:!0}];t.parse_delimited_string=function(n){for(const e of d){const t=n.indexOf(e.start),i=t+e.start.length;if(0==t){const t=n.indexOf(e.end,i),r=t;if(t==n.length-e.end.length)return new s.TeX({text:n.slice(i,r),inline:e.inline});break}}return new l.PlainText({text:n})}},\n function _(t,e,s,i,n){var o,r,a;i();const h=t(8),_=t(136),l=t(22),c=t(120),d=t(121),u=t(122),g=t(65),p=t(133),x=t(137);class m extends p.BaseTextView{constructor(){super(...arguments),this._position={sx:0,sy:0},this.align=\"left\",this._x_anchor=\"left\",this._y_anchor=\"center\",this._base_font_size=13,this.font_size_scale=1,this.svg_image=null}graphics(){return this}infer_text_height(){return\"ascent_descent\"}set base_font_size(t){null!=t&&(this._base_font_size=t)}get base_font_size(){return this._base_font_size}get has_image_loaded(){return null!=this.svg_image}_rect(){const{width:t,height:e}=this._size(),{x:s,y:i}=this._computed_position();return new g.BBox({x:s,y:i,width:t,height:e}).rect}set position(t){this._position=t}get position(){return this._position}get text(){return this.model.text}get provider(){return x.default_provider}async lazy_initialize(){await super.lazy_initialize(),\"not_started\"==this.provider.status&&await this.provider.fetch(),\"not_started\"!=this.provider.status&&\"loading\"!=this.provider.status||this.provider.ready.connect((()=>this.load_image())),\"loaded\"==this.provider.status&&await this.load_image()}connect_signals(){super.connect_signals(),this.on_change(this.model.properties.text,(()=>this.load_image()))}set visuals(t){const e=t.color,s=t.alpha,i=t.font_style;let n=t.font_size;const o=t.font,{font_size_scale:r,_base_font_size:a}=this,h=(0,d.parse_css_font_size)(n);if(null!=h){let{value:t,unit:e}=h;t*=r,\"em\"==e&&a&&(t*=a,e=\"px\"),n=`${t}${e}`}const _=`${i} ${n} ${o}`;this.font=_,this.color=(0,l.color2css)(e,s)}_computed_position(){const{width:t,height:e}=this._size(),{sx:s,sy:i,x_anchor:n=this._x_anchor,y_anchor:o=this._y_anchor}=this.position;return{x:s-(()=>{if((0,h.isNumber)(n))return n*t;switch(n){case\"left\":return 0;case\"center\":return.5*t;case\"right\":return t}})(),y:i-(()=>{if((0,h.isNumber)(o))return o*e;switch(o){case\"top\":return 0;case\"center\":return.5*e;case\"bottom\":return e;case\"baseline\":return.5*e}})()}}size(){const{width:t,height:e}=this._size(),{angle:s}=this;if(s){const i=Math.cos(Math.abs(s)),n=Math.sin(Math.abs(s));return{width:Math.abs(t*i+e*n),height:Math.abs(t*n+e*i)}}return{width:t,height:e}}get_text_dimensions(){return{width:(0,c.text_width)(this.model.text,this.font),height:(0,d.font_metrics)(this.font).height}}get_image_dimensions(){var t,e,s,i;const n=parseFloat(null!==(e=null===(t=this.svg_element.getAttribute(\"height\"))||void 0===t?void 0:t.replace(/([A-z])/g,\"\"))&&void 0!==e?e:\"0\"),o=parseFloat(null!==(i=null===(s=this.svg_element.getAttribute(\"width\"))||void 0===s?void 0:s.replace(/([A-z])/g,\"\"))&&void 0!==i?i:\"0\");return{width:(0,d.font_metrics)(this.font).x_height*o,height:(0,d.font_metrics)(this.font).x_height*n}}_size(){return this.has_image_loaded?this.get_image_dimensions():this.get_text_dimensions()}bbox(){const{p0:t,p1:e,p2:s,p3:i}=this.rect(),n=Math.min(t.x,e.x,s.x,i.x),o=Math.min(t.y,e.y,s.y,i.y),r=Math.max(t.x,e.x,s.x,i.x),a=Math.max(t.y,e.y,s.y,i.y);return new g.BBox({left:n,right:r,top:o,bottom:a})}rect(){const t=this._rect(),{angle:e}=this;if(e){const{sx:s,sy:i}=this.position,n=new u.AffineTransform;return n.translate(s,i),n.rotate(e),n.translate(-s,-i),n.apply_rect(t)}return t}paint_rect(t){const{p0:e,p1:s,p2:i,p3:n}=this.rect();t.save(),t.strokeStyle=\"red\",t.lineWidth=1,t.beginPath();const{round:o}=Math;t.moveTo(o(e.x),o(e.y)),t.lineTo(o(s.x),o(s.y)),t.lineTo(o(i.x),o(i.y)),t.lineTo(o(n.x),o(n.y)),t.closePath(),t.stroke(),t.restore()}paint_bbox(t){const{x:e,y:s,width:i,height:n}=this.bbox();t.save(),t.strokeStyle=\"blue\",t.lineWidth=1,t.beginPath();const{round:o}=Math;t.moveTo(o(e),o(s)),t.lineTo(o(e),o(s+n)),t.lineTo(o(e+i),o(s+n)),t.lineTo(o(e+i),o(s)),t.closePath(),t.stroke(),t.restore()}async load_image(){if(null==this.provider.MathJax)return null;const t=this._process_text(this.model.text);if(null==t)return this._has_finished=!0,null;const e=t.children[0];this.svg_element=e,e.setAttribute(\"font\",this.font),e.setAttribute(\"stroke\",this.color);const s=e.outerHTML,i=new Blob([s],{type:\"image/svg+xml\"}),n=URL.createObjectURL(i);try{this.svg_image=await(0,_.load_image)(n)}finally{URL.revokeObjectURL(n)}return this.parent.request_layout(),this.svg_image}paint(t){t.save();const{sx:e,sy:s}=this.position;this.angle&&(t.translate(e,s),t.rotate(this.angle),t.translate(-e,-s));const{x:i,y:n}=this._computed_position();if(null!=this.svg_image){const{width:e,height:s}=this.get_image_dimensions();t.drawImage(this.svg_image,i,n,e,s)}else t.fillStyle=this.color,t.font=this.font,t.textAlign=\"left\",t.textBaseline=\"alphabetic\",t.fillText(this.model.text,i,n+(0,d.font_metrics)(this.font).ascent);t.restore(),this._has_finished||\"failed\"!=this.provider.status&&!this.has_image_loaded||(this._has_finished=!0,this.parent.notify_finished_after_paint())}}s.MathTextView=m,m.__name__=\"MathTextView\";class f extends p.BaseText{constructor(t){super(t)}}s.MathText=f,f.__name__=\"MathText\";class v extends m{_process_text(t){}}s.AsciiView=v,v.__name__=\"AsciiView\";class y extends f{constructor(t){super(t)}}s.Ascii=y,o=y,y.__name__=\"Ascii\",o.prototype.default_view=v;class w extends m{_process_text(t){var e;return null===(e=this.provider.MathJax)||void 0===e?void 0:e.mathml2svg(t.trim())}}s.MathMLView=w,w.__name__=\"MathMLView\";class b extends f{constructor(t){super(t)}}s.MathML=b,r=b,b.__name__=\"MathML\",r.prototype.default_view=w;class M extends m{_process_text(t){var e;return null===(e=this.provider.MathJax)||void 0===e?void 0:e.tex2svg(t,void 0,this.model.macros)}}s.TeXView=M,M.__name__=\"TeXView\";class T extends f{constructor(t){super(t)}}s.TeX=T,a=T,T.__name__=\"TeX\",a.prototype.default_view=M,a.define((({Boolean:t,Number:e,String:s,Dict:i,Tuple:n,Or:o})=>({macros:[i(o(s,n(s,e))),{}],inline:[t,!1]})))},\n function _(i,e,t,s,o){s();const a=i(19);t.load_image=async function(i,e){return new n(i,e).promise};class n{constructor(i,e={}){this._image=new Image,this._finished=!1;const{attempts:t=1,timeout:s=1}=e;this.promise=new Promise(((o,n)=>{this._image.crossOrigin=\"anonymous\";let r=0;this._image.onerror=()=>{if(++r==t){const s=`unable to load ${i} image after ${t} attempts`;if(a.logger.warn(s),null==this._image.crossOrigin)return void(null!=e.failed&&e.failed());a.logger.warn(`attempting to load ${i} without a cross origin policy`),this._image.crossOrigin=null,r=0}setTimeout((()=>this._image.src=i),s)},this._image.onload=()=>{this._finished=!0,null!=e.loaded&&e.loaded(this._image),o(this._image)},this._image.src=i}))}get finished(){return this._finished}get image(){if(this._finished)return this._image;throw new Error(\"not loaded yet\")}}t.ImageLoader=n,n.__name__=\"ImageLoader\"},\n function _(t,e,a,s,n){var r=this&&this.__createBinding||(Object.create?function(t,e,a,s){void 0===s&&(s=a),Object.defineProperty(t,s,{enumerable:!0,get:function(){return e[a]}})}:function(t,e,a,s){void 0===s&&(s=a),t[s]=e[a]}),i=this&&this.__setModuleDefault||(Object.create?function(t,e){Object.defineProperty(t,\"default\",{enumerable:!0,value:e})}:function(t,e){t.default=e}),d=this&&this.__importStar||function(t){if(t&&t.__esModule)return t;var e={};if(null!=t)for(var a in t)\"default\"!==a&&Object.prototype.hasOwnProperty.call(t,a)&&r(e,t,a);return i(e,t),e};s();const o=t(15),u=t(138);class c{constructor(){this.ready=new o.Signal0(this,\"ready\"),this.status=\"not_started\"}}a.MathJaxProvider=c,c.__name__=\"MathJaxProvider\";class h extends c{get MathJax(){return null}async fetch(){this.status=\"failed\"}}a.NoProvider=h,h.__name__=\"NoProvider\";class l extends c{get MathJax(){return\"undefined\"!=typeof MathJax?MathJax:null}async fetch(){const t=document.createElement(\"script\");t.src=\"https://cdn.jsdelivr.net/npm/mathjax@3/es5/tex-svg.js\",t.onload=()=>{this.status=\"loaded\",this.ready.emit()},t.onerror=()=>{this.status=\"failed\"},this.status=\"loading\",document.head.appendChild(t)}}a.CDNProvider=l,l.__name__=\"CDNProvider\";class _ extends c{get MathJax(){return this._mathjax}async fetch(){this.status=\"loading\";try{const e=await(0,u.load_module)(Promise.resolve().then((()=>d(t(519)))));this._mathjax=e,this.status=\"loaded\",this.ready.emit()}catch(t){this.status=\"failed\"}}}a.BundleProvider=_,_.__name__=\"BundleProvider\",a.default_provider=new _},\n function _(n,r,o,t,c){t(),o.load_module=async function(n){try{return await n}catch(n){if((r=n)instanceof Error&&\"code\"in r&&\"MODULE_NOT_FOUND\"===n.code)return null;throw n}var r}},\n function _(e,t,i,n,s){var a;n();const x=e(133),_=e(120);class l extends x.BaseTextView{initialize(){super.initialize(),this._has_finished=!0}graphics(){return new _.TextBox({text:this.model.text})}}i.PlainTextView=l,l.__name__=\"PlainTextView\";class r extends x.BaseText{constructor(e){super(e)}}i.PlainText=r,a=r,r.__name__=\"PlainText\",a.prototype.default_view=l},\n function _(t,s,o,e,i){e();const r=t(1);var a;const l=t(128),_=t(141),n=t(142),p=(0,r.__importStar)(t(48)),c=t(20),h=t(120),m=t(8);class u extends l.AxisView{_paint(t,s,o){this._draw_group_separators(t,s,o)}_draw_group_separators(t,s,o){const[e]=this.ranges,[i,r]=this.computed_bounds;if(!e.tops||e.tops.length<2||!this.visuals.separator_line.doit)return;const a=this.dimension,l=(a+1)%2,_=[[],[]];let n=0;for(let t=0;ti&&pnew h.GraphicsBoxes(t.map((t=>(0,m.isString)(t)?new h.TextBox({text:t}):t))),_=t=>l(this.model.formatter.doFormat(t,this));if(1==t.levels){const t=_(i.major);a.push([t,r.major,this.model.major_label_orientation,this.visuals.major_label_text])}else if(2==t.levels){const t=_(i.major.map((t=>t[1])));a.push([t,r.major,this.model.major_label_orientation,this.visuals.major_label_text]),a.push([l(i.tops),r.tops,this.model.group_label_orientation,this.visuals.group_text])}else if(3==t.levels){const t=_(i.major.map((t=>t[2]))),s=i.mids.map((t=>t[1]));a.push([t,r.major,this.model.major_label_orientation,this.visuals.major_label_text]),a.push([l(s),r.mids,this.model.subgroup_label_orientation,this.visuals.subgroup_text]),a.push([l(i.tops),r.tops,this.model.group_label_orientation,this.visuals.group_text])}return a}get tick_coords(){const t=this.dimension,s=(t+1)%2,[o]=this.ranges,[e,i]=this.computed_bounds,r=this.model.ticker.get_ticks(e,i,o,this.loc),a={major:[[],[]],mids:[[],[]],tops:[[],[]],minor:[[],[]]};return a.major[t]=r.major,a.major[s]=r.major.map((()=>this.loc)),3==o.levels&&(a.mids[t]=r.mids,a.mids[s]=r.mids.map((()=>this.loc))),o.levels>1&&(a.tops[t]=r.tops,a.tops[s]=r.tops.map((()=>this.loc))),a}}o.CategoricalAxisView=u,u.__name__=\"CategoricalAxisView\";class d extends l.Axis{constructor(t){super(t)}}o.CategoricalAxis=d,a=d,d.__name__=\"CategoricalAxis\",a.prototype.default_view=u,a.mixins([[\"separator_\",p.Line],[\"group_\",p.Text],[\"subgroup_\",p.Text]]),a.define((({Number:t,Or:s})=>({group_label_orientation:[s(c.TickLabelOrientation,t),\"parallel\"],subgroup_label_orientation:[s(c.TickLabelOrientation,t),\"parallel\"]}))),a.override({ticker:()=>new _.CategoricalTicker,formatter:()=>new n.CategoricalTickFormatter,separator_line_color:\"lightgrey\",separator_line_width:2,group_text_font_style:\"bold\",group_text_font_size:\"11px\",group_text_color:\"grey\",subgroup_text_font_style:\"bold\",subgroup_text_font_size:\"11px\"})},\n function _(t,c,o,s,e){s();const r=t(130);class i extends r.Ticker{constructor(t){super(t)}get_ticks(t,c,o,s){var e,r;return{major:this._collect(o.factors,o,t,c),minor:[],tops:this._collect(null!==(e=o.tops)&&void 0!==e?e:[],o,t,c),mids:this._collect(null!==(r=o.mids)&&void 0!==r?r:[],o,t,c)}}_collect(t,c,o,s){const e=[];for(const r of t){const t=c.synthetic(r);t>o&&tnew _.DatetimeTicker,formatter:()=>new m.DatetimeTickFormatter})},\n function _(e,i,s,n,r){var t;n();const a=e(143),o=e(146),c=e(147);class _ extends a.ContinuousAxisView{}s.LinearAxisView=_,_.__name__=\"LinearAxisView\";class u extends a.ContinuousAxis{constructor(e){super(e)}}s.LinearAxis=u,t=u,u.__name__=\"LinearAxis\",t.prototype.default_view=_,t.override({ticker:()=>new c.BasicTicker,formatter:()=>new o.BasicTickFormatter})},\n function _(i,t,e,n,o){var r;n();const s=i(131),c=i(34);function _(i){let t=\"\";for(const e of i)t+=\"-\"==e?\"\\u2212\":e;return t}e.unicode_replace=_;class a extends s.TickFormatter{constructor(i){super(i),this.last_precision=3}get scientific_limit_low(){return 10**this.power_limit_low}get scientific_limit_high(){return 10**this.power_limit_high}_need_sci(i){if(!this.use_scientific)return!1;const{scientific_limit_high:t}=this,{scientific_limit_low:e}=this,n=i.length<2?0:Math.abs(i[1]-i[0])/1e4;for(const o of i){const i=Math.abs(o);if(!(i<=n)&&(i>=t||i<=e))return!0}return!1}_format_with_precision(i,t,e){return t?i.map((i=>_(i.toExponential(e)))):i.map((i=>_((0,c.to_fixed)(i,e))))}_auto_precision(i,t){const e=new Array(i.length),n=this.last_precision<=15;i:for(let o=this.last_precision;n?o<=15:o>=1;n?o++:o--){if(t){e[0]=i[0].toExponential(o);for(let t=1;t({precision:[n(t,e),\"auto\"],use_scientific:[i,!0],power_limit_high:[t,5],power_limit_low:[t,-3]})))},\n function _(c,e,s,i,n){i();const r=c(148);class t extends r.AdaptiveTicker{constructor(c){super(c)}}s.BasicTicker=t,t.__name__=\"BasicTicker\"},\n function _(t,i,a,s,e){var n;s();const r=t(149),_=t(9),l=t(10);class h extends r.ContinuousTicker{constructor(t){super(t)}get_min_interval(){return this.min_interval}get_max_interval(){var t;return null!==(t=this.max_interval)&&void 0!==t?t:1/0}initialize(){super.initialize();const t=(0,_.nth)(this.mantissas,-1)/this.base,i=(0,_.nth)(this.mantissas,0)*this.base;this.extended_mantissas=[t,...this.mantissas,i],this.base_factor=0===this.get_min_interval()?1:this.get_min_interval()}get_interval(t,i,a){const s=i-t,e=this.get_ideal_interval(t,i,a),n=Math.floor((0,l.log)(e/this.base_factor,this.base)),r=this.base**n*this.base_factor,h=this.extended_mantissas,m=h.map((t=>Math.abs(a-s/(t*r)))),v=h[(0,_.argmin)(m)]*r;return(0,l.clamp)(v,this.get_min_interval(),this.get_max_interval())}}a.AdaptiveTicker=h,n=h,h.__name__=\"AdaptiveTicker\",n.define((({Number:t,Array:i,Nullable:a})=>({base:[t,10],mantissas:[i(t),[1,2,5]],min_interval:[t,0],max_interval:[a(t),null]})))},\n function _(t,n,i,s,e){var o;s();const r=t(130),c=t(9);class _ extends r.Ticker{constructor(t){super(t)}get_ticks(t,n,i,s){return this.get_ticks_no_defaults(t,n,s,this.desired_num_ticks)}get_ticks_no_defaults(t,n,i,s){const e=this.get_interval(t,n,s),o=Math.floor(t/e),r=Math.ceil(n/e);let _;_=isFinite(o)&&isFinite(r)?(0,c.range)(o,r+1):[];const u=_.map((t=>t*e)).filter((i=>t<=i&&i<=n)),a=this.num_minor_ticks,f=[];if(a>0&&u.length>0){const i=e/a,s=(0,c.range)(0,a).map((t=>t*i));for(const i of s.slice(1)){const s=u[0]-i;t<=s&&s<=n&&f.push(s)}for(const i of u)for(const e of s){const s=i+e;t<=s&&s<=n&&f.push(s)}}return{major:u,minor:f}}get_ideal_interval(t,n,i){return(n-t)/i}}i.ContinuousTicker=_,o=_,_.__name__=\"ContinuousTicker\",o.define((({Int:t})=>({num_minor_ticks:[t,5],desired_num_ticks:[t,6]})))},\n function _(s,t,e,n,i){n();var r;const o=(0,s(1).__importDefault)(s(151)),a=s(131),c=s(19),u=s(152),m=s(9),h=s(8);function d(s){return(0,o.default)(s,\"%Y %m %d %H %M %S\").split(/\\s+/).map((s=>parseInt(s,10)))}function l(s,t){if((0,h.isFunction)(t))return t(s);{const e=(0,u.sprintf)(\"$1%06d\",function(s){return Math.round(s/1e3%1*1e6)}(s));return-1==(t=t.replace(/((^|[^%])(%%)*)%f/,e)).indexOf(\"%\")?t:(0,o.default)(s,t)}}const f=[\"microseconds\",\"milliseconds\",\"seconds\",\"minsec\",\"minutes\",\"hourmin\",\"hours\",\"days\",\"months\",\"years\"];class _ extends a.TickFormatter{constructor(s){super(s),this.strip_leading_zeros=!0}initialize(){super.initialize(),this._update_width_formats()}_update_width_formats(){const s=+(0,o.default)(new Date),t=function(t){const e=t.map((t=>l(s,t).length)),n=(0,m.sort_by)((0,m.zip)(e,t),(([s])=>s));return(0,m.unzip)(n)};this._width_formats={microseconds:t(this.microseconds),milliseconds:t(this.milliseconds),seconds:t(this.seconds),minsec:t(this.minsec),minutes:t(this.minutes),hourmin:t(this.hourmin),hours:t(this.hours),days:t(this.days),months:t(this.months),years:t(this.years)}}_get_resolution_str(s,t){const e=1.1*s;switch(!1){case!(e<.001):return\"microseconds\";case!(e<1):return\"milliseconds\";case!(e<60):return t>=60?\"minsec\":\"seconds\";case!(e<3600):return t>=3600?\"hourmin\":\"minutes\";case!(e<86400):return\"hours\";case!(e<2678400):return\"days\";case!(e<31536e3):return\"months\";default:return\"years\"}}doFormat(s,t){if(0==s.length)return[];const e=Math.abs(s[s.length-1]-s[0])/1e3,n=e/(s.length-1),i=this._get_resolution_str(n,e),[,[r]]=this._width_formats[i],o=[],a=f.indexOf(i),u={};for(const s of f)u[s]=0;u.seconds=5,u.minsec=4,u.minutes=4,u.hourmin=3,u.hours=3;for(const t of s){let s,e;try{e=d(t),s=l(t,r)}catch(s){c.logger.warn(`unable to format tick for timestamp value ${t}`),c.logger.warn(` - ${s}`),o.push(\"ERR\");continue}let n=!1,m=a;for(;0==e[u[f[m]]];){let r;if(m+=1,m==f.length)break;if((\"minsec\"==i||\"hourmin\"==i)&&!n){if(\"minsec\"==i&&0==e[4]&&0!=e[5]||\"hourmin\"==i&&0==e[3]&&0!=e[4]){r=this._width_formats[f[a-1]][1][0],s=l(t,r);break}n=!0}r=this._width_formats[f[m]][1][0],s=l(t,r)}if(this.strip_leading_zeros){let t=s.replace(/^0+/g,\"\");t!=s&&isNaN(parseInt(t))&&(t=`0${t}`),o.push(t)}else o.push(s)}return o}}e.DatetimeTickFormatter=_,r=_,_.__name__=\"DatetimeTickFormatter\",r.define((({String:s,Array:t})=>({microseconds:[t(s),[\"%fus\"]],milliseconds:[t(s),[\"%3Nms\",\"%S.%3Ns\"]],seconds:[t(s),[\"%Ss\"]],minsec:[t(s),[\":%M:%S\"]],minutes:[t(s),[\":%M\",\"%Mm\"]],hourmin:[t(s),[\"%H:%M\"]],hours:[t(s),[\"%Hh\",\"%H:%M\"]],days:[t(s),[\"%m/%d\",\"%a%d\"]],months:[t(s),[\"%m/%Y\",\"%b %Y\"]],years:[t(s),[\"%Y\"]]})))},\n function _(e,t,n,r,o){!function(e){\"object\"==typeof t&&t.exports?t.exports=e():\"function\"==typeof define?define(e):this.tz=e()}((function(){function e(e,t,n){var r,o=t.day[1];do{r=new Date(Date.UTC(n,t.month,Math.abs(o++)))}while(t.day[0]<7&&r.getUTCDay()!=t.day[0]);return(r={clock:t.clock,sort:r.getTime(),rule:t,save:6e4*t.save,offset:e.offset})[r.clock]=r.sort+6e4*t.time,r.posix?r.wallclock=r[r.clock]+(e.offset+t.saved):r.posix=r[r.clock]-(e.offset+t.saved),r}function t(t,n,r){var o,a,u,i,l,s,c,f=t[t.zone],h=[],T=new Date(r).getUTCFullYear(),g=1;for(o=1,a=f.length;o=T-g;--c)for(o=0,a=s.length;o=h[o][n]&&h[o][h[o].clock]>u[h[o].clock]&&(i=h[o])}return i&&((l=/^(.*)\\/(.*)$/.exec(u.format))?i.abbrev=l[i.save?2:1]:i.abbrev=u.format.replace(/%s/,i.rule.letter)),i||u}function n(e,n){return\"UTC\"==e.zone?n:(e.entry=t(e,\"posix\",n),n+e.entry.offset+e.entry.save)}function r(e,n){return\"UTC\"==e.zone?n:(e.entry=r=t(e,\"wallclock\",n),0<(o=n-r.wallclock)&&o9)t+=s*l[c-10];else{if(a=new Date(n(e,t)),c<7)for(;s;)a.setUTCDate(a.getUTCDate()+i),a.getUTCDay()==c&&(s-=i);else 7==c?a.setUTCFullYear(a.getUTCFullYear()+s):8==c?a.setUTCMonth(a.getUTCMonth()+s):a.setUTCDate(a.getUTCDate()+s);null==(t=r(e,a.getTime()))&&(t=r(e,a.getTime()+864e5*i)-864e5*i)}return t}var a={clock:function(){return+new Date},zone:\"UTC\",entry:{abbrev:\"UTC\",offset:0,save:0},UTC:1,z:function(e,t,n,r){var o,a,u=this.entry.offset+this.entry.save,i=Math.abs(u/1e3),l=[],s=3600;for(o=0;o<3;o++)l.push((\"0\"+Math.floor(i/s)).slice(-2)),i%=s,s/=60;return\"^\"!=n||u?(\"^\"==n&&(r=3),3==r?(a=(a=l.join(\":\")).replace(/:00$/,\"\"),\"^\"!=n&&(a=a.replace(/:00$/,\"\"))):r?(a=l.slice(0,r+1).join(\":\"),\"^\"==n&&(a=a.replace(/:00$/,\"\"))):a=l.slice(0,2).join(\"\"),a=(a=(u<0?\"-\":\"+\")+a).replace(/([-+])(0)/,{_:\" $1\",\"-\":\"$1\"}[n]||\"$1$2\")):\"Z\"},\"%\":function(e){return\"%\"},n:function(e){return\"\\n\"},t:function(e){return\"\\t\"},U:function(e){return s(e,0)},W:function(e){return s(e,1)},V:function(e){return c(e)[0]},G:function(e){return c(e)[1]},g:function(e){return c(e)[1]%100},j:function(e){return Math.floor((e.getTime()-Date.UTC(e.getUTCFullYear(),0))/864e5)+1},s:function(e){return Math.floor(e.getTime()/1e3)},C:function(e){return Math.floor(e.getUTCFullYear()/100)},N:function(e){return e.getTime()%1e3*1e6},m:function(e){return e.getUTCMonth()+1},Y:function(e){return e.getUTCFullYear()},y:function(e){return e.getUTCFullYear()%100},H:function(e){return e.getUTCHours()},M:function(e){return e.getUTCMinutes()},S:function(e){return e.getUTCSeconds()},e:function(e){return e.getUTCDate()},d:function(e){return e.getUTCDate()},u:function(e){return e.getUTCDay()||7},w:function(e){return e.getUTCDay()},l:function(e){return e.getUTCHours()%12||12},I:function(e){return e.getUTCHours()%12||12},k:function(e){return e.getUTCHours()},Z:function(e){return this.entry.abbrev},a:function(e){return this[this.locale].day.abbrev[e.getUTCDay()]},A:function(e){return this[this.locale].day.full[e.getUTCDay()]},h:function(e){return this[this.locale].month.abbrev[e.getUTCMonth()]},b:function(e){return this[this.locale].month.abbrev[e.getUTCMonth()]},B:function(e){return this[this.locale].month.full[e.getUTCMonth()]},P:function(e){return this[this.locale].meridiem[Math.floor(e.getUTCHours()/12)].toLowerCase()},p:function(e){return this[this.locale].meridiem[Math.floor(e.getUTCHours()/12)]},R:function(e,t){return this.convert([t,\"%H:%M\"])},T:function(e,t){return this.convert([t,\"%H:%M:%S\"])},D:function(e,t){return this.convert([t,\"%m/%d/%y\"])},F:function(e,t){return this.convert([t,\"%Y-%m-%d\"])},x:function(e,t){return this.convert([t,this[this.locale].date])},r:function(e,t){return this.convert([t,this[this.locale].time12||\"%I:%M:%S\"])},X:function(e,t){return this.convert([t,this[this.locale].time24])},c:function(e,t){return this.convert([t,this[this.locale].dateTime])},convert:function(e){if(!e.length)return\"1.0.23\";var t,a,u,l,s,c=Object.create(this),f=[];for(t=0;t=o?Math.floor((n-o)/7)+1:0}function c(e){var t,n,r;return n=e.getUTCFullYear(),t=new Date(Date.UTC(n,0)).getUTCDay(),(r=s(e,1)+(t>1&&t<=4?1:0))?53!=r||4==t||3==t&&29==new Date(n,1,29).getDate()?[r,e.getUTCFullYear()]:[1,e.getUTCFullYear()+1]:(n=e.getUTCFullYear()-1,[r=4==(t=new Date(Date.UTC(n,0)).getUTCDay())||3==t&&29==new Date(n,1,29).getDate()?53:52,e.getUTCFullYear()-1])}return u=u.toLowerCase().split(\"|\"),\"delmHMSUWVgCIky\".replace(/./g,(function(e){a[e].pad=2})),a.N.pad=9,a.j.pad=3,a.k.style=\"_\",a.l.style=\"_\",a.e.style=\"_\",function(){return a.convert(arguments)}}))},\n function _(r,t,n,e,i){e();const u=r(1),a=(0,u.__importStar)(r(153)),f=r(154),o=(0,u.__importDefault)(r(151)),l=r(21),s=r(8);function c(r,...t){return(0,f.sprintf)(r,...t)}function m(r,t,n){if((0,s.isNumber)(r)){return c((()=>{switch(!1){case Math.floor(r)!=r:return\"%d\";case!(Math.abs(r)>.1&&Math.abs(r)<1e3):return\"%0.3f\";default:return\"%0.3e\"}})(),r)}return`${r}`}function _(r,t,e){if(null==t)return m;if(null!=e&&r in e){const t=e[r];if((0,s.isString)(t)){if(t in n.DEFAULT_FORMATTERS)return n.DEFAULT_FORMATTERS[t];throw new Error(`Unknown tooltip field formatter type '${t}'`)}return function(r,n,e){return t.format(r,n,e)}}return n.DEFAULT_FORMATTERS.numeral}function p(r,t,n){const e=t.get_column(r);if(null==e)return null;if((0,s.isNumber)(n))return e[n];const i=e[n.index];if((0,s.isTypedArray)(i)||(0,s.isArray)(i)){if((0,s.isArray)(i[0])){return i[n.dim2][n.dim1]}return i[n.flat_index]}return i}function d(r,t,n,e){if(\"$\"==r[0]){return function(r,t){if(r in t)return t[r];throw new Error(`Unknown special variable '$${r}'`)}(r.substring(1),e)}return p(r.substring(1).replace(/[{}]/g,\"\"),t,n)}n.FormatterType=(0,l.Enum)(\"numeral\",\"printf\",\"datetime\"),n.DEFAULT_FORMATTERS={numeral:(r,t,n)=>a.format(r,t),datetime:(r,t,n)=>(0,o.default)(r,t),printf:(r,t,n)=>c(t,r)},n.sprintf=c,n.basic_formatter=m,n.get_formatter=_,n._get_column_value=p,n.get_value=d,n.replace_placeholders=function(r,t,n,e,i={},u){let a,f;if((0,s.isString)(r)?(a=r,f=!1):(a=r.html,f=!0),a=a.replace(/@\\$name/g,(r=>`@{${i.name}}`)),a=a.replace(/((?:\\$\\w+)|(?:@\\w+)|(?:@{(?:[^{}]+)}))(?:{([^{}]+)})?/g,((r,a,o)=>{const l=d(a,t,n,i);if(null==l)return u?u(\"???\"):\"???\";if(\"safe\"==o)return f=!0,`${l}`;const s=`${_(a,o,e)(l,o,i)}`;return u?u(s):s})),f){return[...(new DOMParser).parseFromString(a,\"text/html\").body.childNodes]}return a}},\n function _(e,n,t,r,i){\n /*!\n * numbro.js\n * version : 1.6.2\n * author : Företagsplatsen AB\n * license : MIT\n * http://www.foretagsplatsen.se\n */\n var a,o={},l=o,u=\"en-US\",c=null,s=\"0,0\";void 0!==n&&n.exports;function f(e){this._value=e}function d(e){var n,t=\"\";for(n=0;n-1?function(e,n){var t,r,i,a;return t=(a=e.toString()).split(\"e\")[0],i=a.split(\"e\")[1],a=t.split(\".\")[0]+(r=t.split(\".\")[1]||\"\")+d(i-r.length),n>0&&(a+=\".\"+d(n)),a}(e,n):(t(e*o)/o).toFixed(n),r&&(i=new RegExp(\"0{1,\"+r+\"}$\"),a=a.replace(i,\"\")),a}function p(e,n,t){var r;return r=n.indexOf(\"$\")>-1?function(e,n,t){var r,i,a=n,l=a.indexOf(\"$\"),c=a.indexOf(\"(\"),s=a.indexOf(\"+\"),f=a.indexOf(\"-\"),d=\"\",h=\"\";-1===a.indexOf(\"$\")?\"infix\"===o[u].currency.position?(h=o[u].currency.symbol,o[u].currency.spaceSeparated&&(h=\" \"+h+\" \")):o[u].currency.spaceSeparated&&(d=\" \"):a.indexOf(\" $\")>-1?(d=\" \",a=a.replace(\" $\",\"\")):a.indexOf(\"$ \")>-1?(d=\" \",a=a.replace(\"$ \",\"\")):a=a.replace(\"$\",\"\");if(i=m(e,a,t,h),-1===n.indexOf(\"$\"))switch(o[u].currency.position){case\"postfix\":i.indexOf(\")\")>-1?((i=i.split(\"\")).splice(-1,0,d+o[u].currency.symbol),i=i.join(\"\")):i=i+d+o[u].currency.symbol;break;case\"infix\":break;case\"prefix\":i.indexOf(\"(\")>-1||i.indexOf(\"-\")>-1?(i=i.split(\"\"),r=Math.max(c,f)+1,i.splice(r,0,o[u].currency.symbol+d),i=i.join(\"\")):i=o[u].currency.symbol+d+i;break;default:throw Error('Currency position should be among [\"prefix\", \"infix\", \"postfix\"]')}else l<=1?i.indexOf(\"(\")>-1||i.indexOf(\"+\")>-1||i.indexOf(\"-\")>-1?(r=1,(l-1?((i=i.split(\"\")).splice(-1,0,d+o[u].currency.symbol),i=i.join(\"\")):i=i+d+o[u].currency.symbol;return i}(e,n,t):n.indexOf(\"%\")>-1?function(e,n,t){var r,i=\"\";e*=100,n.indexOf(\" %\")>-1?(i=\" \",n=n.replace(\" %\",\"\")):n=n.replace(\"%\",\"\");(r=m(e,n,t)).indexOf(\")\")>-1?((r=r.split(\"\")).splice(-1,0,i+\"%\"),r=r.join(\"\")):r=r+i+\"%\";return r}(e,n,t):n.indexOf(\":\")>-1?function(e){var n=Math.floor(e/60/60),t=Math.floor((e-60*n*60)/60),r=Math.round(e-60*n*60-60*t);return n+\":\"+(t<10?\"0\"+t:t)+\":\"+(r<10?\"0\"+r:r)}(e):m(e,n,t),r}function m(e,n,t,r){var i,a,l,s,f,d,p,m,x,g,O,b,w,y,M,v,$,B=!1,E=!1,F=!1,k=\"\",U=!1,N=!1,S=!1,j=!1,D=!1,C=\"\",L=\"\",T=Math.abs(e),K=[\"B\",\"KiB\",\"MiB\",\"GiB\",\"TiB\",\"PiB\",\"EiB\",\"ZiB\",\"YiB\"],G=[\"B\",\"KB\",\"MB\",\"GB\",\"TB\",\"PB\",\"EB\",\"ZB\",\"YB\"],I=\"\",P=!1,R=!1;if(0===e&&null!==c)return c;if(!isFinite(e))return\"\"+e;if(0===n.indexOf(\"{\")){var W=n.indexOf(\"}\");if(-1===W)throw Error('Format should also contain a \"}\"');b=n.slice(1,W),n=n.slice(W+1)}else b=\"\";if(n.indexOf(\"}\")===n.length-1){var Y=n.indexOf(\"{\");if(-1===Y)throw Error('Format should also contain a \"{\"');w=n.slice(Y+1,-1),n=n.slice(0,Y+1)}else w=\"\";if(v=null===($=-1===n.indexOf(\".\")?n.match(/([0-9]+).*/):n.match(/([0-9]+)\\..*/))?-1:$[1].length,-1!==n.indexOf(\"-\")&&(P=!0),n.indexOf(\"(\")>-1?(B=!0,n=n.slice(1,-1)):n.indexOf(\"+\")>-1&&(E=!0,n=n.replace(/\\+/g,\"\")),n.indexOf(\"a\")>-1){if(g=n.split(\".\")[0].match(/[0-9]+/g)||[\"0\"],g=parseInt(g[0],10),U=n.indexOf(\"aK\")>=0,N=n.indexOf(\"aM\")>=0,S=n.indexOf(\"aB\")>=0,j=n.indexOf(\"aT\")>=0,D=U||N||S||j,n.indexOf(\" a\")>-1?(k=\" \",n=n.replace(\" a\",\"\")):n=n.replace(\"a\",\"\"),p=0===(p=(f=Math.floor(Math.log(T)/Math.LN10)+1)%3)?3:p,g&&0!==T&&(d=Math.floor(Math.log(T)/Math.LN10)+1-g,m=3*~~((Math.min(g,f)-p)/3),T/=Math.pow(10,m),-1===n.indexOf(\".\")&&g>3))for(n+=\"[.]\",M=(M=0===d?0:3*~~(d/3)-d)<0?M+3:M,i=0;i=Math.pow(10,12)&&!D||j?(k+=o[u].abbreviations.trillion,e/=Math.pow(10,12)):T=Math.pow(10,9)&&!D||S?(k+=o[u].abbreviations.billion,e/=Math.pow(10,9)):T=Math.pow(10,6)&&!D||N?(k+=o[u].abbreviations.million,e/=Math.pow(10,6)):(T=Math.pow(10,3)&&!D||U)&&(k+=o[u].abbreviations.thousand,e/=Math.pow(10,3)))}if(n.indexOf(\"b\")>-1)for(n.indexOf(\" b\")>-1?(C=\" \",n=n.replace(\" b\",\"\")):n=n.replace(\"b\",\"\"),s=0;s<=K.length;s++)if(a=Math.pow(1024,s),l=Math.pow(1024,s+1),e>=a&&e0&&(e/=a);break}if(n.indexOf(\"d\")>-1)for(n.indexOf(\" d\")>-1?(C=\" \",n=n.replace(\" d\",\"\")):n=n.replace(\"d\",\"\"),s=0;s<=G.length;s++)if(a=Math.pow(1e3,s),l=Math.pow(1e3,s+1),e>=a&&e0&&(e/=a);break}if(n.indexOf(\"o\")>-1&&(n.indexOf(\" o\")>-1?(L=\" \",n=n.replace(\" o\",\"\")):n=n.replace(\"o\",\"\"),o[u].ordinal&&(L+=o[u].ordinal(e))),n.indexOf(\"[.]\")>-1&&(F=!0,n=n.replace(\"[.]\",\".\")),x=e.toString().split(\".\")[0],O=n.split(\".\")[1],y=n.indexOf(\",\"),O){if(x=(I=-1!==O.indexOf(\"*\")?h(e,e.toString().split(\".\")[1].length,t):O.indexOf(\"[\")>-1?h(e,(O=(O=O.replace(\"]\",\"\")).split(\"[\"))[0].length+O[1].length,t,O[1].length):h(e,O.length,t)).split(\".\")[0],I.split(\".\")[1].length)I=(r?k+r:o[u].delimiters.decimal)+I.split(\".\")[1];else I=\"\";F&&0===Number(I.slice(1))&&(I=\"\")}else x=h(e,null,t);return x.indexOf(\"-\")>-1&&(x=x.slice(1),R=!0),x.length-1&&(x=x.toString().replace(/(\\d)(?=(\\d{3})+(?!\\d))/g,\"$1\"+o[u].delimiters.thousands)),0===n.indexOf(\".\")&&(x=\"\"),b+(n.indexOf(\"(\")2)&&(o.length<2?!!o[0].match(/^\\d+.*\\d$/)&&!o[0].match(u):1===o[0].length?!!o[0].match(/^\\d+$/)&&!o[0].match(u)&&!!o[1].match(/^\\d+$/):!!o[0].match(/^\\d+.*\\d$/)&&!o[0].match(u)&&!!o[1].match(/^\\d+$/)))))},n.exports={format:function(e,n,t,r){return null!=t&&t!==a.culture()&&a.setCulture(t),p(Number(e),null!=n?n:s,null==r?Math.round:r)}}},\n function _(e,n,t,r,i){!function(){\"use strict\";var e={not_string:/[^s]/,not_bool:/[^t]/,not_type:/[^T]/,not_primitive:/[^v]/,number:/[diefg]/,numeric_arg:/[bcdiefguxX]/,json:/[j]/,not_json:/[^j]/,text:/^[^\\x25]+/,modulo:/^\\x25{2}/,placeholder:/^\\x25(?:([1-9]\\d*)\\$|\\(([^)]+)\\))?(\\+)?(0|'[^$])?(-)?(\\d+)?(?:\\.(\\d+))?([b-gijostTuvxX])/,key:/^([a-z_][a-z_\\d]*)/i,key_access:/^\\.([a-z_][a-z_\\d]*)/i,index_access:/^\\[(\\d+)\\]/,sign:/^[+-]/};function n(e){return i(a(e),arguments)}function r(e,t){return n.apply(null,[e].concat(t||[]))}function i(t,r){var i,s,a,o,p,c,l,u,f,d=1,g=t.length,y=\"\";for(s=0;s=0),o.type){case\"b\":i=parseInt(i,10).toString(2);break;case\"c\":i=String.fromCharCode(parseInt(i,10));break;case\"d\":case\"i\":i=parseInt(i,10);break;case\"j\":i=JSON.stringify(i,null,o.width?parseInt(o.width):0);break;case\"e\":i=o.precision?parseFloat(i).toExponential(o.precision):parseFloat(i).toExponential();break;case\"f\":i=o.precision?parseFloat(i).toFixed(o.precision):parseFloat(i);break;case\"g\":i=o.precision?String(Number(i.toPrecision(o.precision))):parseFloat(i);break;case\"o\":i=(parseInt(i,10)>>>0).toString(8);break;case\"s\":i=String(i),i=o.precision?i.substring(0,o.precision):i;break;case\"t\":i=String(!!i),i=o.precision?i.substring(0,o.precision):i;break;case\"T\":i=Object.prototype.toString.call(i).slice(8,-1).toLowerCase(),i=o.precision?i.substring(0,o.precision):i;break;case\"u\":i=parseInt(i,10)>>>0;break;case\"v\":i=i.valueOf(),i=o.precision?i.substring(0,o.precision):i;break;case\"x\":i=(parseInt(i,10)>>>0).toString(16);break;case\"X\":i=(parseInt(i,10)>>>0).toString(16).toUpperCase()}e.json.test(o.type)?y+=i:(!e.number.test(o.type)||u&&!o.sign?f=\"\":(f=u?\"+\":\"-\",i=i.toString().replace(e.sign,\"\")),c=o.pad_char?\"0\"===o.pad_char?\"0\":o.pad_char.charAt(1):\" \",l=o.width-(f+i).length,p=o.width&&l>0?c.repeat(l):\"\",y+=o.align?f+i+p:\"0\"===c?f+p+i:p+f+i)}return y}var s=Object.create(null);function a(n){if(s[n])return s[n];for(var t,r=n,i=[],a=0;r;){if(null!==(t=e.text.exec(r)))i.push(t[0]);else if(null!==(t=e.modulo.exec(r)))i.push(\"%\");else{if(null===(t=e.placeholder.exec(r)))throw new SyntaxError(\"[sprintf] unexpected placeholder\");if(t[2]){a|=1;var o=[],p=t[2],c=[];if(null===(c=e.key.exec(p)))throw new SyntaxError(\"[sprintf] failed to parse named argument key\");for(o.push(c[1]);\"\"!==(p=p.substring(c[0].length));)if(null!==(c=e.key_access.exec(p)))o.push(c[1]);else{if(null===(c=e.index_access.exec(p)))throw new SyntaxError(\"[sprintf] failed to parse named argument key\");o.push(c[1])}t[2]=o}else a|=2;if(3===a)throw new Error(\"[sprintf] mixing positional and named placeholders is not (yet) supported\");i.push({placeholder:t[0],param_no:t[1],keys:t[2],sign:t[3],pad_char:t[4],align:t[5],width:t[6],precision:t[7],type:t[8]})}r=r.substring(t[0].length)}return s[n]=i}void 0!==t&&(t.sprintf=n,t.vsprintf=r),\"undefined\"!=typeof window&&(window.sprintf=n,window.vsprintf=r,\"function\"==typeof define&&define.amd&&define((function(){return{sprintf:n,vsprintf:r}})))}()},\n function _(e,n,i,a,s){var r;a();const t=e(9),c=e(148),m=e(156),_=e(157),k=e(160),o=e(161),T=e(159);class w extends m.CompositeTicker{constructor(e){super(e)}}i.DatetimeTicker=w,r=w,w.__name__=\"DatetimeTicker\",r.override({num_minor_ticks:0,tickers:()=>[new c.AdaptiveTicker({mantissas:[1,2,5],base:10,min_interval:0,max_interval:500*T.ONE_MILLI,num_minor_ticks:0}),new c.AdaptiveTicker({mantissas:[1,2,5,10,15,20,30],base:60,min_interval:T.ONE_SECOND,max_interval:30*T.ONE_MINUTE,num_minor_ticks:0}),new c.AdaptiveTicker({mantissas:[1,2,4,6,8,12],base:24,min_interval:T.ONE_HOUR,max_interval:12*T.ONE_HOUR,num_minor_ticks:0}),new _.DaysTicker({days:(0,t.range)(1,32)}),new _.DaysTicker({days:(0,t.range)(1,31,3)}),new _.DaysTicker({days:[1,8,15,22]}),new _.DaysTicker({days:[1,15]}),new k.MonthsTicker({months:(0,t.range)(0,12,1)}),new k.MonthsTicker({months:(0,t.range)(0,12,2)}),new k.MonthsTicker({months:(0,t.range)(0,12,4)}),new k.MonthsTicker({months:(0,t.range)(0,12,6)}),new o.YearsTicker({})]})},\n function _(t,e,i,r,s){var n;r();const _=t(149),a=t(9);class l extends _.ContinuousTicker{constructor(t){super(t)}get min_intervals(){return this.tickers.map((t=>t.get_min_interval()))}get max_intervals(){return this.tickers.map((t=>t.get_max_interval()))}get_min_interval(){return this.min_intervals[0]}get_max_interval(){return this.max_intervals[0]}get_best_ticker(t,e,i){const r=e-t,s=this.get_ideal_interval(t,e,i),n=[(0,a.sorted_index)(this.min_intervals,s)-1,(0,a.sorted_index)(this.max_intervals,s)],_=[this.min_intervals[n[0]],this.max_intervals[n[1]]].map((t=>Math.abs(i-r/t)));let l;if((0,a.is_empty)(_.filter((t=>!isNaN(t)))))l=this.tickers[0];else{const t=n[(0,a.argmin)(_)];l=this.tickers[t]}return l}get_interval(t,e,i){return this.get_best_ticker(t,e,i).get_interval(t,e,i)}get_ticks_no_defaults(t,e,i,r){return this.get_best_ticker(t,e,r).get_ticks_no_defaults(t,e,i,r)}}i.CompositeTicker=l,n=l,l.__name__=\"CompositeTicker\",n.define((({Array:t,Ref:e})=>({tickers:[t(e(_.ContinuousTicker)),[]]})))},\n function _(t,e,n,s,o){var a;s();const i=t(158),r=t(159),c=t(9);class _ extends i.SingleIntervalTicker{constructor(t){super(t)}initialize(){super.initialize();const t=this.days;t.length>1?this.interval=(t[1]-t[0])*r.ONE_DAY:this.interval=31*r.ONE_DAY}get_ticks_no_defaults(t,e,n,s){const o=function(t,e){const n=(0,r.last_month_no_later_than)(new Date(t)),s=(0,r.last_month_no_later_than)(new Date(e));s.setUTCMonth(s.getUTCMonth()+1);const o=[],a=n;for(;o.push((0,r.copy_date)(a)),a.setUTCMonth(a.getUTCMonth()+1),!(a>s););return o}(t,e),a=this.days,i=this.interval,_=(0,c.concat)(o.map((t=>((t,e)=>{const n=t.getUTCMonth(),s=[];for(const o of a){const a=(0,r.copy_date)(t);a.setUTCDate(o),new Date(a.getTime()+e/2).getUTCMonth()==n&&s.push(a)}return s})(t,i))));return{major:_.map((t=>t.getTime())).filter((n=>t<=n&&n<=e)),minor:[]}}}n.DaysTicker=_,a=_,_.__name__=\"DaysTicker\",a.define((({Int:t,Array:e})=>({days:[e(t),[]]}))),a.override({num_minor_ticks:0})},\n function _(e,n,t,r,i){var a;r();const l=e(149);class s extends l.ContinuousTicker{constructor(e){super(e)}get_interval(e,n,t){return this.interval}get_min_interval(){return this.interval}get_max_interval(){return this.interval}}t.SingleIntervalTicker=s,a=s,s.__name__=\"SingleIntervalTicker\",a.define((({Number:e})=>({interval:[e]})))},\n function _(t,n,e,_,E){function N(t){return new Date(t.getTime())}function O(t){const n=N(t);return n.setUTCDate(1),n.setUTCHours(0),n.setUTCMinutes(0),n.setUTCSeconds(0),n.setUTCMilliseconds(0),n}_(),e.ONE_MILLI=1,e.ONE_SECOND=1e3,e.ONE_MINUTE=60*e.ONE_SECOND,e.ONE_HOUR=60*e.ONE_MINUTE,e.ONE_DAY=24*e.ONE_HOUR,e.ONE_MONTH=30*e.ONE_DAY,e.ONE_YEAR=365*e.ONE_DAY,e.copy_date=N,e.last_month_no_later_than=O,e.last_year_no_later_than=function(t){const n=O(t);return n.setUTCMonth(0),n}},\n function _(t,e,n,a,r){var s;a();const i=t(158),o=t(159),l=t(9);class _ extends i.SingleIntervalTicker{constructor(t){super(t)}initialize(){super.initialize();const t=this.months;t.length>1?this.interval=(t[1]-t[0])*o.ONE_MONTH:this.interval=12*o.ONE_MONTH}get_ticks_no_defaults(t,e,n,a){const r=function(t,e){const n=(0,o.last_year_no_later_than)(new Date(t)),a=(0,o.last_year_no_later_than)(new Date(e));a.setUTCFullYear(a.getUTCFullYear()+1);const r=[],s=n;for(;r.push((0,o.copy_date)(s)),s.setUTCFullYear(s.getUTCFullYear()+1),!(s>a););return r}(t,e),s=this.months;return{major:(0,l.concat)(r.map((t=>s.map((e=>{const n=(0,o.copy_date)(t);return n.setUTCMonth(e),n}))))).map((t=>t.getTime())).filter((n=>t<=n&&n<=e)),minor:[]}}}n.MonthsTicker=_,s=_,_.__name__=\"MonthsTicker\",s.define((({Int:t,Array:e})=>({months:[e(t),[]]})))},\n function _(e,t,a,i,r){i();const n=e(147),_=e(158),s=e(159);class c extends _.SingleIntervalTicker{constructor(e){super(e)}initialize(){super.initialize(),this.interval=s.ONE_YEAR,this.basic_ticker=new n.BasicTicker({num_minor_ticks:0})}get_ticks_no_defaults(e,t,a,i){const r=(0,s.last_year_no_later_than)(new Date(e)).getUTCFullYear(),n=(0,s.last_year_no_later_than)(new Date(t)).getUTCFullYear();return{major:this.basic_ticker.get_ticks_no_defaults(r,n,a,i).major.map((e=>Date.UTC(e,0,1))).filter((a=>e<=a&&a<=t)),minor:[]}}}a.YearsTicker=c,c.__name__=\"YearsTicker\"},\n function _(e,o,i,s,t){var n;s();const r=e(143),_=e(163),c=e(164);class a extends r.ContinuousAxisView{}i.LogAxisView=a,a.__name__=\"LogAxisView\";class u extends r.ContinuousAxis{constructor(e){super(e)}}i.LogAxis=u,n=u,u.__name__=\"LogAxis\",n.prototype.default_view=a,n.override({ticker:()=>new c.LogTicker,formatter:()=>new _.LogTickFormatter})},\n function _(e,t,n,o,r){var i;o();const a=e(131),s=e(146),c=e(164),l=e(120),{abs:u,log:x,round:_}=Math;class p extends a.TickFormatter{constructor(e){super(e)}initialize(){super.initialize(),this.basic_formatter=new s.BasicTickFormatter}format_graphics(e,t){var n,o;if(0==e.length)return[];const r=null!==(o=null===(n=this.ticker)||void 0===n?void 0:n.base)&&void 0!==o?o:10,i=this._exponents(e,r);return null==i?this.basic_formatter.format_graphics(e,t):i.map((e=>{if(u(e)u(e)({ticker:[n(t(c.LogTicker)),null],min_exponent:[e,0]})))},\n function _(t,o,e,s,n){var r;s();const i=t(148),a=t(9);class c extends i.AdaptiveTicker{constructor(t){super(t)}get_ticks_no_defaults(t,o,e,s){const n=this.num_minor_ticks,r=[],i=this.base,c=Math.log(t)/Math.log(i),f=Math.log(o)/Math.log(i),l=f-c;let h;if(isFinite(l))if(l<2){const e=this.get_interval(t,o,s),i=Math.floor(t/e),c=Math.ceil(o/e);if(h=(0,a.range)(i,c+1).filter((t=>0!=t)).map((t=>t*e)).filter((e=>t<=e&&e<=o)),n>0&&h.length>0){const t=e/n,o=(0,a.range)(0,n).map((o=>o*t));for(const t of o.slice(1))r.push(h[0]-t);for(const t of h)for(const e of o)r.push(t+e)}}else{const t=Math.ceil(.999999*c),o=Math.floor(1.000001*f),e=Math.ceil((o-t)/9);if(h=(0,a.range)(t-1,o+1,e).map((t=>i**t)),n>0&&h.length>0){const t=i**e/n,o=(0,a.range)(1,n+1).map((o=>o*t));for(const t of o)r.push(h[0]/t);r.push(h[0]);for(const t of h)for(const e of o)r.push(t*e)}}else h=[];return{major:h.filter((e=>t<=e&&e<=o)),minor:r.filter((e=>t<=e&&e<=o))}}}e.LogTicker=c,r=c,c.__name__=\"LogTicker\",r.override({mantissas:[1,5]})},\n function _(e,r,t,i,a){var o;i();const s=e(128),c=e(145),n=e(166),_=e(167);class x extends s.AxisView{}t.MercatorAxisView=x,x.__name__=\"MercatorAxisView\";class d extends c.LinearAxis{constructor(e){super(e)}}t.MercatorAxis=d,o=d,d.__name__=\"MercatorAxis\",o.prototype.default_view=x,o.override({ticker:()=>new _.MercatorTicker({dimension:\"lat\"}),formatter:()=>new n.MercatorTickFormatter({dimension:\"lat\"})})},\n function _(r,t,e,o,n){var i;o();const c=r(146),s=r(20),a=r(78);class l extends c.BasicTickFormatter{constructor(r){super(r)}doFormat(r,t){if(null==this.dimension)throw new Error(\"MercatorTickFormatter.dimension not configured\");if(0==r.length)return[];const e=r.length,o=new Array(e);if(\"lon\"==this.dimension)for(let n=0;n({dimension:[r(s.LatLon),null]})))},\n function _(t,o,n,s,r){var e;s();const i=t(147),c=t(20),_=t(78);class a extends i.BasicTicker{constructor(t){super(t)}get_ticks_no_defaults(t,o,n,s){if(null==this.dimension)throw new Error(`${this}.dimension wasn't configured`);return[t,o]=(0,_.clip_mercator)(t,o,this.dimension),\"lon\"==this.dimension?this._get_ticks_lon(t,o,n,s):this._get_ticks_lat(t,o,n,s)}_get_ticks_lon(t,o,n,s){const[r]=_.wgs84_mercator.invert(t,n),[e,i]=_.wgs84_mercator.invert(o,n),c=super.get_ticks_no_defaults(r,e,n,s),a=[];for(const t of c.major)if((0,_.in_bounds)(t,\"lon\")){const[o]=_.wgs84_mercator.compute(t,i);a.push(o)}const m=[];for(const t of c.minor)if((0,_.in_bounds)(t,\"lon\")){const[o]=_.wgs84_mercator.compute(t,i);m.push(o)}return{major:a,minor:m}}_get_ticks_lat(t,o,n,s){const[,r]=_.wgs84_mercator.invert(n,t),[e,i]=_.wgs84_mercator.invert(n,o),c=super.get_ticks_no_defaults(r,i,n,s),a=[];for(const t of c.major)if((0,_.in_bounds)(t,\"lat\")){const[,o]=_.wgs84_mercator.compute(e,t);a.push(o)}const m=[];for(const t of c.minor)if((0,_.in_bounds)(t,\"lat\")){const[,o]=_.wgs84_mercator.compute(e,t);m.push(o)}return{major:a,minor:m}}}n.MercatorTicker=a,e=a,a.__name__=\"MercatorTicker\",e.define((({Nullable:t})=>({dimension:[t(c.LatLon),null]})))},\n function _(e,i,r,c,k){c(),k(\"AdaptiveTicker\",e(148).AdaptiveTicker),k(\"BasicTicker\",e(147).BasicTicker),k(\"CategoricalTicker\",e(141).CategoricalTicker),k(\"CompositeTicker\",e(156).CompositeTicker),k(\"ContinuousTicker\",e(149).ContinuousTicker),k(\"DatetimeTicker\",e(155).DatetimeTicker),k(\"DaysTicker\",e(157).DaysTicker),k(\"FixedTicker\",e(169).FixedTicker),k(\"LogTicker\",e(164).LogTicker),k(\"MercatorTicker\",e(167).MercatorTicker),k(\"MonthsTicker\",e(160).MonthsTicker),k(\"SingleIntervalTicker\",e(158).SingleIntervalTicker),k(\"Ticker\",e(130).Ticker),k(\"YearsTicker\",e(161).YearsTicker),k(\"BinnedTicker\",e(170).BinnedTicker)},\n function _(r,t,e,i,n){var s;i();const _=r(149);class c extends _.ContinuousTicker{constructor(r){super(r)}get_ticks_no_defaults(r,t,e,i){return{major:this.ticks,minor:this.minor_ticks}}get_interval(r,t,e){return 0}get_min_interval(){return 0}get_max_interval(){return 0}}e.FixedTicker=c,s=c,c.__name__=\"FixedTicker\",s.define((({Number:r,Array:t})=>({ticks:[t(r),[]],minor_ticks:[t(r),[]]})))},\n function _(e,n,t,r,i){var o;r();const a=e(130),s=e(171),c=e(12);class m extends a.Ticker{constructor(e){super(e)}get_ticks(e,n,t,r){const{binning:i}=this.mapper.metrics,o=Math.max(0,(0,c.left_edge_index)(e,i)),a=Math.min((0,c.left_edge_index)(n,i)+1,i.length-1),s=[];for(let e=o;e<=a;e++)s.push(i[e]);const{num_major_ticks:m}=this,_=[],h=\"auto\"==m?s.length:m,l=Math.max(1,Math.floor(s.length/h));for(let e=0;e({mapper:[n(s.ScanningColorMapper)],num_major_ticks:[t(e,r),8]})))},\n function _(n,e,i,r,o){r();const t=n(172),a=n(12);class c extends t.ContinuousColorMapper{constructor(n){super(n)}cmap(n,e,i,r,o){if(no.binning[o.binning.length-1])return r;return e[(0,a.left_edge_index)(n,o.binning)]}}i.ScanningColorMapper=c,c.__name__=\"ScanningColorMapper\"},\n function _(t,e,o,n,s){var l;n();const c=t(173),i=t(175),a=t(9),h=t(8);class r extends c.ColorMapper{constructor(t){super(t),this._scan_data=null}connect_signals(){super.connect_signals();const t=()=>{for(const[t]of this.domain)this.connect(t.view.change,(()=>this.update_data())),this.connect(t.data_source.selected.change,(()=>this.update_data()))};this.connect(this.properties.domain.change,(()=>t())),t()}update_data(){const{domain:t,palette:e}=this,o=[...this._collect(t)];this._scan_data=this.scan(o,e.length),this.metrics_change.emit(),this.change.emit()}get metrics(){return null==this._scan_data&&this.update_data(),this._scan_data}*_collect(t){for(const[e,o]of t)for(const t of(0,h.isArray)(o)?o:[o]){let o=e.data_source.get_column(t);o=e.view.indices.select(o);const n=e.view.masked,s=e.data_source.selected.indices;let l;if(null!=n&&s.length>0?l=(0,a.intersection)([...n],s):null!=n?l=[...n]:s.length>0&&(l=s),null!=l&&(o=(0,a.map)(l,(t=>o[t]))),o.length>0&&!(0,h.isNumber)(o[0]))for(const t of o)yield*t;else yield*o}}_v_compute(t,e,o,n){const{nan_color:s}=n;let{low_color:l,high_color:c}=n;null==l&&(l=o[0]),null==c&&(c=o[o.length-1]);const{domain:i}=this,h=(0,a.is_empty)(i)?t:[...this._collect(i)];this._scan_data=this.scan(h,o.length),this.metrics_change.emit();for(let n=0,i=t.length;n({high:[a(t),null],low:[a(t),null],high_color:[a(n),null],low_color:[a(n),null],domain:[c(l(o(i.GlyphRenderer),s(e,c(e)))),[]]})))},\n function _(e,r,t,n,o){var a;n();const c=e(174),i=e(15),_=e(24),l=e(22),s=e(27);function p(e){return(0,l.encode_rgba)((0,l.color2rgba)(e))}function u(e){const r=new Uint32Array(e.length);for(let t=0,n=e.length;te))),r}get rgba_mapper(){const e=this,r=u(this.palette),t=this._colors(p);return{v_compute(n){const o=new _.ColorArray(n.length);return e._v_compute(n,o,r,t),new Uint8ClampedArray((0,s.to_big_endian)(o).buffer)}}}_colors(e){return{nan_color:e(this.nan_color)}}}t.ColorMapper=h,a=h,h.__name__=\"ColorMapper\",a.define((({Color:e,Array:r})=>({palette:[r(e)],nan_color:[e,\"gray\"]})))},\n function _(r,e,n,s,o){s();const p=r(56);class t extends p.Transform{constructor(r){super(r)}compute(r){throw new Error(\"mapping single values is not supported\")}}n.Mapper=t,t.__name__=\"Mapper\"},\n function _(e,t,i,s,l){var h;s();const n=e(176),o=e(177),a=e(186),c=e(187),_=e(189),r=e(179),d=e(70),p=e(190),g=e(24),u=e(12),y=e(13),m=e(113),v=e(67),f={fill:{},line:{}},w={fill:{fill_alpha:.3,fill_color:\"grey\"},line:{line_alpha:.3,line_color:\"grey\"}},b={fill:{fill_alpha:.2},line:{}},V={fill:{fill_alpha:.2},line:{}};class x extends n.DataRendererView{get glyph_view(){return this.glyph}async lazy_initialize(){var e;await super.lazy_initialize();const t=this.model.glyph;this.glyph=await this.build_glyph_view(t);const i=\"fill\"in this.glyph.visuals,s=\"line\"in this.glyph.visuals,l=Object.assign({},t.attributes);function h(e){const h=(0,y.clone)(l);return i&&(0,y.extend)(h,e.fill),s&&(0,y.extend)(h,e.line),new t.constructor(h)}function n(e,t){return t instanceof r.Glyph?t:h(\"auto\"==t?e:{fill:{},line:{}})}delete l.id;let{selection_glyph:o,nonselection_glyph:a,hover_glyph:c,muted_glyph:_}=this.model;o=n(f,o),this.selection_glyph=await this.build_glyph_view(o),a=n(b,a),this.nonselection_glyph=await this.build_glyph_view(a),null!=c&&(this.hover_glyph=await this.build_glyph_view(c)),_=n(V,_),this.muted_glyph=await this.build_glyph_view(_);const d=n(w,\"auto\");this.decimated_glyph=await this.build_glyph_view(d),this.selection_glyph.set_base(this.glyph),this.nonselection_glyph.set_base(this.glyph),null===(e=this.hover_glyph)||void 0===e||e.set_base(this.glyph),this.muted_glyph.set_base(this.glyph),this.decimated_glyph.set_base(this.glyph),this.set_data()}async build_glyph_view(e){return(0,m.build_view)(e,{parent:this})}remove(){var e;this.glyph.remove(),this.selection_glyph.remove(),this.nonselection_glyph.remove(),null===(e=this.hover_glyph)||void 0===e||e.remove(),this.muted_glyph.remove(),this.decimated_glyph.remove(),super.remove()}connect_signals(){super.connect_signals();const e=()=>this.request_render(),t=()=>this.update_data();this.connect(this.model.change,e),this.connect(this.glyph.model.change,t),this.connect(this.selection_glyph.model.change,t),this.connect(this.nonselection_glyph.model.change,t),null!=this.hover_glyph&&this.connect(this.hover_glyph.model.change,t),this.connect(this.muted_glyph.model.change,t),this.connect(this.decimated_glyph.model.change,t),this.connect(this.model.data_source.change,t),this.connect(this.model.data_source.streaming,t),this.connect(this.model.data_source.patching,(e=>this.update_data(e))),this.connect(this.model.data_source.selected.change,e),this.connect(this.model.data_source._select,e),null!=this.hover_glyph&&this.connect(this.model.data_source.inspect,e),this.connect(this.model.properties.view.change,t),this.connect(this.model.view.properties.indices.change,t),this.connect(this.model.view.properties.masked.change,(()=>this.set_visuals())),this.connect(this.model.properties.visible.change,(()=>this.plot_view.invalidate_dataranges=!0));const{x_ranges:i,y_ranges:s}=this.plot_view.frame;for(const[,e]of i)e instanceof v.FactorRange&&this.connect(e.change,t);for(const[,e]of s)e instanceof v.FactorRange&&this.connect(e.change,t);const{transformchange:l,exprchange:h}=this.model.glyph;this.connect(l,t),this.connect(h,t)}_update_masked_indices(){const e=this.glyph.mask_data();return this.model.view.masked=e,e}update_data(e){this.set_data(e),this.request_render()}set_data(e){const t=this.model.data_source;this.all_indices=this.model.view.indices;const{all_indices:i}=this;this.glyph.set_data(t,i,e),this.set_visuals(),this._update_masked_indices();const{lod_factor:s}=this.plot_model,l=this.all_indices.count;this.decimated=new g.Indices(l);for(let e=0;e!n||n.is_empty()?[]:n.selected_glyph?this.model.view.convert_indices_from_subset(i):n.indices.length>0?n.indices:Object.keys(n.multiline_indices).map((e=>parseInt(e))))()),d=(0,u.filter)(i,(e=>r.has(t[e]))),{lod_threshold:p}=this.plot_model;let g,y,m;if(null!=this.model.document&&this.model.document.interactive_duration()>0&&!e&&null!=p&&t.length>p?(i=[...this.decimated],g=this.decimated_glyph,y=this.decimated_glyph,m=this.selection_glyph):(g=this.model.muted?this.muted_glyph:this.glyph,y=this.nonselection_glyph,m=this.selection_glyph),null!=this.hover_glyph&&d.length){const e=new Set(i);for(const t of d)e.delete(t);i=[...e]}if(h.length){const e={};for(const t of h)e[t]=!0;const l=new Array,n=new Array;if(this.glyph instanceof o.LineView)for(const i of t)null!=e[i]?l.push(i):n.push(i);else for(const s of i)null!=e[t[s]]?l.push(s):n.push(s);y.render(s,n),m.render(s,l),null!=this.hover_glyph&&(this.glyph instanceof o.LineView?this.hover_glyph.render(s,this.model.view.convert_indices_from_subset(d)):this.hover_glyph.render(s,d))}else if(this.glyph instanceof o.LineView)this.hover_glyph&&d.length?this.hover_glyph.render(s,this.model.view.convert_indices_from_subset(d)):g.render(s,t);else if(this.glyph instanceof a.PatchView||this.glyph instanceof c.HAreaView||this.glyph instanceof _.VAreaView)if(0==n.selected_glyphs.length||null==this.hover_glyph)g.render(s,t);else for(const e of n.selected_glyphs)e==this.glyph.model&&this.hover_glyph.render(s,t);else g.render(s,i),this.hover_glyph&&d.length&&this.hover_glyph.render(s,d);s.restore()}draw_legend(e,t,i,s,l,h,n,o){0!=this.glyph.data_size&&(null==o&&(o=this.model.get_reference_point(h,n)),this.glyph.draw_legend_for_index(e,{x0:t,x1:i,y0:s,y1:l},o))}hit_test(e){if(!this.model.visible)return null;const t=this.glyph.hit_test(e);return null==t?null:this.model.view.convert_selection_from_subset(t)}}i.GlyphRendererView=x,x.__name__=\"GlyphRendererView\";class G extends n.DataRenderer{constructor(e){super(e)}initialize(){super.initialize(),this.view.source!=this.data_source&&(this.view.source=this.data_source,this.view.compute_indices())}get_reference_point(e,t){if(null!=e){const i=this.data_source.get_column(e);if(null!=i)for(const[e,s]of Object.entries(this.view.indices_map))if(i[parseInt(e)]==t)return s}return 0}get_selection_manager(){return this.data_source.selection_manager}}i.GlyphRenderer=G,h=G,G.__name__=\"GlyphRenderer\",h.prototype.default_view=x,h.define((({Boolean:e,Auto:t,Or:i,Ref:s,Null:l,Nullable:h})=>({data_source:[s(d.ColumnarDataSource)],view:[s(p.CDSView),e=>new p.CDSView({source:e.data_source})],glyph:[s(r.Glyph)],hover_glyph:[h(s(r.Glyph)),null],nonselection_glyph:[i(s(r.Glyph),t,l),\"auto\"],selection_glyph:[i(s(r.Glyph),t,l),\"auto\"],muted_glyph:[i(s(r.Glyph),t,l),\"auto\"],muted:[e,!1]})))},\n function _(e,r,t,a,n){var s;a();const c=e(41);class _ extends c.RendererView{get xscale(){return this.coordinates.x_scale}get yscale(){return this.coordinates.y_scale}}t.DataRendererView=_,_.__name__=\"DataRendererView\";class i extends c.Renderer{constructor(e){super(e)}get selection_manager(){return this.get_selection_manager()}}t.DataRenderer=i,s=i,i.__name__=\"DataRenderer\",s.override({level:\"glyph\"})},\n function _(e,t,i,s,n){s();const l=e(1);var _;const r=e(178),o=e(184),a=(0,l.__importStar)(e(48)),h=(0,l.__importStar)(e(185)),c=e(72);class d extends r.XYGlyphView{async lazy_initialize(){await super.lazy_initialize();const{webgl:t}=this.renderer.plot_view.canvas_view;if(null==t?void 0:t.regl_wrapper.has_webgl){const{LineGL:i}=await Promise.resolve().then((()=>(0,l.__importStar)(e(426))));this.glglyph=new i(t.regl_wrapper,this)}}_render(e,t,i){const{sx:s,sy:n}=null!=i?i:this;let l=null;const _=e=>null!=l&&e-l!=1;let r=!0;e.beginPath();for(const i of t){const t=s[i],o=n[i];isFinite(t+o)?r||_(i)?(e.moveTo(t,o),r=!1):e.lineTo(t,o):r=!0,l=i}this.visuals.line.set_value(e),e.stroke()}_hit_point(e){const t=new c.Selection,i={x:e.sx,y:e.sy};let s=9999;const n=Math.max(2,this.line_width.value/2);for(let e=0,l=this.sx.length-1;e({x:[c.XCoordinateSpec,{field:\"x\"}],y:[c.YCoordinateSpec,{field:\"y\"}]})))},\n function _(e,t,s,i,n){i();const r=e(1),a=(0,r.__importStar)(e(18)),o=(0,r.__importStar)(e(65)),_=(0,r.__importStar)(e(45)),l=e(42),c=e(53),h=e(19),d=e(24),u=e(8),f=e(180),p=e(12),g=e(26),y=e(181),x=e(67),v=e(72),{abs:b,ceil:m}=Math;class w extends l.View{constructor(){super(...arguments),this._index=null,this._data_size=null,this._nohit_warned=new Set}get renderer(){return this.parent}get has_webgl(){return null!=this.glglyph}get index(){const{_index:e}=this;if(null!=e)return e;throw new Error(`${this}.index_data() wasn't called`)}get data_size(){const{_data_size:e}=this;if(null!=e)return e;throw new Error(`${this}.set_data() wasn't called`)}initialize(){super.initialize(),this.visuals=new _.Visuals(this)}request_render(){this.parent.request_render()}get canvas(){return this.renderer.parent.canvas_view}render(e,t,s){var i;null!=this.glglyph&&(this.renderer.needs_webgl_blit=this.glglyph.render(e,t,null!==(i=this.base)&&void 0!==i?i:this),this.renderer.needs_webgl_blit)||this._render(e,t,null!=s?s:this.base)}has_finished(){return!0}notify_finished(){this.renderer.notify_finished()}_bounds(e){return e}bounds(){return this._bounds(this.index.bbox)}log_bounds(){const{x0:e,x1:t}=this.index.bounds(o.positive_x()),{y0:s,y1:i}=this.index.bounds(o.positive_y());return this._bounds({x0:e,y0:s,x1:t,y1:i})}get_anchor_point(e,t,[s,i]){switch(e){case\"center\":case\"center_center\":{const[e,n]=this.scenterxy(t,s,i);return{x:e,y:n}}default:return null}}scenterx(e,t,s){return this.scenterxy(e,t,s)[0]}scentery(e,t,s){return this.scenterxy(e,t,s)[1]}sdist(e,t,s,i=\"edge\",n=!1){const r=t.length,a=new d.ScreenArray(r),o=e.s_compute;if(\"center\"==i)for(let e=0;em(e))),a}draw_legend_for_index(e,t,s){}hit_test(e){switch(e.type){case\"point\":if(null!=this._hit_point)return this._hit_point(e);break;case\"span\":if(null!=this._hit_span)return this._hit_span(e);break;case\"rect\":if(null!=this._hit_rect)return this._hit_rect(e);break;case\"poly\":if(null!=this._hit_poly)return this._hit_poly(e)}return this._nohit_warned.has(e.type)||(h.logger.debug(`'${e.type}' selection not available for ${this.model.type}`),this._nohit_warned.add(e.type)),null}_hit_rect_against_index(e){const{sx0:t,sx1:s,sy0:i,sy1:n}=e,[r,a]=this.renderer.coordinates.x_scale.r_invert(t,s),[o,_]=this.renderer.coordinates.y_scale.r_invert(i,n),l=[...this.index.indices({x0:r,x1:a,y0:o,y1:_})];return new v.Selection({indices:l})}_project_data(){}*_iter_visuals(){for(const e of this.visuals)for(const t of e)(t instanceof a.VectorSpec||t instanceof a.ScalarSpec)&&(yield t)}set_base(e){e!=this&&e instanceof this.constructor&&(this.base=e)}_configure(e,t){Object.defineProperty(this,(0,u.isString)(e)?e:e.attr,Object.assign({configurable:!0,enumerable:!0},t))}set_visuals(e,t){var s;for(const s of this._iter_visuals()){const{base:i}=this;if(null!=i){const e=i.model.properties[s.attr];if(null!=e&&(0,g.is_equal)(s.get_value(),e.get_value())){this._configure(s,{get:()=>i[`${s.attr}`]});continue}}const n=s.uniform(e).select(t);this._configure(s,{value:n})}for(const e of this.visuals)e.update();null===(s=this.glglyph)||void 0===s||s.set_visuals_changed()}set_data(e,t,s){var i;const{x_source:n,y_source:r}=this.renderer.coordinates,o=new Set(this._iter_visuals());this._data_size=t.count;for(const s of this.model)if((s instanceof a.VectorSpec||s instanceof a.ScalarSpec)&&!o.has(s))if(s instanceof a.BaseCoordinateSpec){const i=s.array(e);let o=t.select(i);const _=\"x\"==s.dimension?n:r;if(_ instanceof x.FactorRange)if(s instanceof a.CoordinateSpec)o=_.v_synthetic(o);else if(s instanceof a.CoordinateSeqSpec)for(let e=0;e{const s=new Uint32Array(r);for(let a=0;a>1;t[s]>i?e=s:n=s+1}return t[n]}class r extends d.default{get boxes(){return this._boxes}search_indices(i,t,n,e){if(this._pos!==this._boxes.length)throw new Error(\"Data not yet indexed - call index.finish().\");let s=this._boxes.length-4;const d=[],x=new o.Indices(this.numItems);for(;void 0!==s;){const o=Math.min(s+4*this.nodeSize,h(s,this._levelBounds));for(let h=s;h>2],r=this._boxes[h+0],l=this._boxes[h+1],a=this._boxes[h+2],_=this._boxes[h+3];na||t>_||(s<4*this.numItems?x.set(o):d.push(o)))}s=d.pop()}return x}}r.__name__=\"_FlatBush\";class l{constructor(i){this.index=null,i>0&&(this.index=new r(i))}add_rect(i,t,n,e){var s;isFinite(i+t+n+e)?null===(s=this.index)||void 0===s||s.add(i,t,n,e):this.add_empty()}add_point(i,t){var n;isFinite(i+t)?null===(n=this.index)||void 0===n||n.add(i,t,i,t):this.add_empty()}add_empty(){var i;null===(i=this.index)||void 0===i||i.add(1/0,1/0,-1/0,-1/0)}finish(){var i;null===(i=this.index)||void 0===i||i.finish()}_normalize(i){let{x0:t,y0:n,x1:e,y1:s}=i;return t>e&&([t,e]=[e,t]),n>s&&([n,s]=[s,n]),{x0:t,y0:n,x1:e,y1:s}}get bbox(){if(null==this.index)return(0,x.empty)();{const{minX:i,minY:t,maxX:n,maxY:e}=this.index;return{x0:i,y0:t,x1:n,y1:e}}}indices(i){if(null==this.index)return new o.Indices(0);{const{x0:t,y0:n,x1:e,y1:s}=this._normalize(i);return this.index.search_indices(t,n,e,s)}}bounds(i){const t=(0,x.empty)();if(null==this.index)return t;const{boxes:n}=this.index;for(const e of this.indices(i)){const s=n[4*e+0],d=n[4*e+1],o=n[4*e+2],x=n[4*e+3];s>=i.x0&&st.x1&&(t.x1=o),d>=i.y0&&dt.y1&&(t.y1=x)}return t}}n.SpatialIndex=l,l.__name__=\"SpatialIndex\"},\n function _(t,s,i,e,h){e();const n=(0,t(1).__importDefault)(t(183)),o=[Int8Array,Uint8Array,Uint8ClampedArray,Int16Array,Uint16Array,Int32Array,Uint32Array,Float32Array,Float64Array];class r{static from(t){if(!(t instanceof ArrayBuffer))throw new Error(\"Data must be an instance of ArrayBuffer.\");const[s,i]=new Uint8Array(t,0,2);if(251!==s)throw new Error(\"Data does not appear to be in a Flatbush format.\");if(i>>4!=3)throw new Error(`Got v${i>>4} data when expected v3.`);const[e]=new Uint16Array(t,2,1),[h]=new Uint32Array(t,4,1);return new r(h,e,o[15&i],t)}constructor(t,s=16,i=Float64Array,e){if(void 0===t)throw new Error(\"Missing required argument: numItems.\");if(isNaN(t)||t<=0)throw new Error(`Unpexpected numItems value: ${t}.`);this.numItems=+t,this.nodeSize=Math.min(Math.max(+s,2),65535);let h=t,r=h;this._levelBounds=[4*h];do{h=Math.ceil(h/this.nodeSize),r+=h,this._levelBounds.push(4*r)}while(1!==h);this.ArrayType=i||Float64Array,this.IndexArrayType=r<16384?Uint16Array:Uint32Array;const a=o.indexOf(this.ArrayType),_=4*r*this.ArrayType.BYTES_PER_ELEMENT;if(a<0)throw new Error(`Unexpected typed array class: ${i}.`);e&&e instanceof ArrayBuffer?(this.data=e,this._boxes=new this.ArrayType(this.data,8,4*r),this._indices=new this.IndexArrayType(this.data,8+_,r),this._pos=4*r,this.minX=this._boxes[this._pos-4],this.minY=this._boxes[this._pos-3],this.maxX=this._boxes[this._pos-2],this.maxY=this._boxes[this._pos-1]):(this.data=new ArrayBuffer(8+_+r*this.IndexArrayType.BYTES_PER_ELEMENT),this._boxes=new this.ArrayType(this.data,8,4*r),this._indices=new this.IndexArrayType(this.data,8+_,r),this._pos=0,this.minX=1/0,this.minY=1/0,this.maxX=-1/0,this.maxY=-1/0,new Uint8Array(this.data,0,2).set([251,48+a]),new Uint16Array(this.data,2,1)[0]=s,new Uint32Array(this.data,4,1)[0]=t),this._queue=new n.default}add(t,s,i,e){const h=this._pos>>2;return this._indices[h]=h,this._boxes[this._pos++]=t,this._boxes[this._pos++]=s,this._boxes[this._pos++]=i,this._boxes[this._pos++]=e,tthis.maxX&&(this.maxX=i),e>this.maxY&&(this.maxY=e),h}finish(){if(this._pos>>2!==this.numItems)throw new Error(`Added ${this._pos>>2} items when expected ${this.numItems}.`);if(this.numItems<=this.nodeSize)return this._boxes[this._pos++]=this.minX,this._boxes[this._pos++]=this.minY,this._boxes[this._pos++]=this.maxX,void(this._boxes[this._pos++]=this.maxY);const t=this.maxX-this.minX,s=this.maxY-this.minY,i=new Uint32Array(this.numItems);for(let e=0;e>2]=t,this._boxes[this._pos++]=e,this._boxes[this._pos++]=h,this._boxes[this._pos++]=n,this._boxes[this._pos++]=o}}}search(t,s,i,e,h){if(this._pos!==this._boxes.length)throw new Error(\"Data not yet indexed - call index.finish().\");let n=this._boxes.length-4;const o=[],r=[];for(;void 0!==n;){const a=Math.min(n+4*this.nodeSize,_(n,this._levelBounds));for(let _=n;_>2];ithis._boxes[_+2]||s>this._boxes[_+3]||(n<4*this.numItems?(void 0===h||h(a))&&r.push(a):o.push(a)))}n=o.pop()}return r}neighbors(t,s,i=1/0,e=1/0,h){if(this._pos!==this._boxes.length)throw new Error(\"Data not yet indexed - call index.finish().\");let n=this._boxes.length-4;const o=this._queue,r=[],x=e*e;for(;void 0!==n;){const e=Math.min(n+4*this.nodeSize,_(n,this._levelBounds));for(let i=n;i>2],r=a(t,this._boxes[i],this._boxes[i+2]),_=a(s,this._boxes[i+1],this._boxes[i+3]),x=r*r+_*_;n<4*this.numItems?(void 0===h||h(e))&&o.push(-e-1,x):o.push(e,x)}for(;o.length&&o.peek()<0;){if(o.peekValue()>x)return o.clear(),r;if(r.push(-o.pop()-1),r.length===i)return o.clear(),r}n=o.pop()}return o.clear(),r}}function a(t,s,i){return t>1;s[h]>t?e=h:i=h+1}return s[i]}function x(t,s,i,e,h,n){if(Math.floor(e/n)>=Math.floor(h/n))return;const o=t[e+h>>1];let r=e-1,a=h+1;for(;;){do{r++}while(t[r]o);if(r>=a)break;d(t,s,i,r,a)}x(t,s,i,e,a,n),x(t,s,i,a+1,h,n)}function d(t,s,i,e,h){const n=t[e];t[e]=t[h],t[h]=n;const o=4*e,r=4*h,a=s[o],_=s[o+1],x=s[o+2],d=s[o+3];s[o]=s[r],s[o+1]=s[r+1],s[o+2]=s[r+2],s[o+3]=s[r+3],s[r]=a,s[r+1]=_,s[r+2]=x,s[r+3]=d;const m=i[e];i[e]=i[h],i[h]=m}function m(t,s){let i=t^s,e=65535^i,h=65535^(t|s),n=t&(65535^s),o=i|e>>1,r=i>>1^i,a=h>>1^e&n>>1^h,_=i&h>>1^n>>1^n;i=o,e=r,h=a,n=_,o=i&i>>2^e&e>>2,r=i&e>>2^e&(i^e)>>2,a^=i&h>>2^e&n>>2,_^=e&h>>2^(i^e)&n>>2,i=o,e=r,h=a,n=_,o=i&i>>4^e&e>>4,r=i&e>>4^e&(i^e)>>4,a^=i&h>>4^e&n>>4,_^=e&h>>4^(i^e)&n>>4,i=o,e=r,h=a,n=_,a^=i&h>>8^e&n>>8,_^=e&h>>8^(i^e)&n>>8,i=a^a>>1,e=_^_>>1;let x=t^s,d=e|65535^(x|i);return x=16711935&(x|x<<8),x=252645135&(x|x<<4),x=858993459&(x|x<<2),x=1431655765&(x|x<<1),d=16711935&(d|d<<8),d=252645135&(d|d<<4),d=858993459&(d|d<<2),d=1431655765&(d|d<<1),(d<<1|x)>>>0}i.default=r},\n function _(s,t,i,h,e){h();i.default=class{constructor(){this.ids=[],this.values=[],this.length=0}clear(){this.length=0}push(s,t){let i=this.length++;for(this.ids[i]=s,this.values[i]=t;i>0;){const s=i-1>>1,h=this.values[s];if(t>=h)break;this.ids[i]=this.ids[s],this.values[i]=h,i=s}this.ids[i]=s,this.values[i]=t}pop(){if(0===this.length)return;const s=this.ids[0];if(this.length--,this.length>0){const s=this.ids[0]=this.ids[this.length],t=this.values[0]=this.values[this.length],i=this.length>>1;let h=0;for(;h=t)break;this.ids[h]=e,this.values[h]=l,h=s}this.ids[h]=s,this.values[h]=t}return s}peek(){if(0!==this.length)return this.ids[0]}peekValue(){if(0!==this.length)return this.values[0]}}},\n function _(e,n,a,t,i){t();const l=(0,e(1).__importStar)(e(185));function r(e,n,{x0:a,x1:t,y0:i,y1:l},r){n.save(),n.beginPath(),n.moveTo(a,(i+l)/2),n.lineTo(t,(i+l)/2),e.line.apply(n,r),n.restore()}function c(e,n,{x0:a,x1:t,y0:i,y1:l},r){var c,o;const _=.1*Math.abs(t-a),s=.1*Math.abs(l-i),y=a+_,p=t-_,g=i+s,h=l-s;n.beginPath(),n.rect(y,g,p-y,h-g),e.fill.apply(n,r),null===(c=e.hatch)||void 0===c||c.apply(n,r),null===(o=e.line)||void 0===o||o.apply(n,r)}a.generic_line_scalar_legend=function(e,n,{x0:a,x1:t,y0:i,y1:l}){n.save(),n.beginPath(),n.moveTo(a,(i+l)/2),n.lineTo(t,(i+l)/2),e.line.apply(n),n.restore()},a.generic_line_vector_legend=r,a.generic_line_legend=r,a.generic_area_scalar_legend=function(e,n,{x0:a,x1:t,y0:i,y1:l}){var r,c;const o=.1*Math.abs(t-a),_=.1*Math.abs(l-i),s=a+o,y=t-o,p=i+_,g=l-_;n.beginPath(),n.rect(s,p,y-s,g-p),e.fill.apply(n),null===(r=e.hatch)||void 0===r||r.apply(n),null===(c=e.line)||void 0===c||c.apply(n)},a.generic_area_vector_legend=c,a.generic_area_legend=c,a.line_interpolation=function(e,n,a,t,i,r){const{sx:c,sy:o}=n;let _,s,y,p;\"point\"==n.type?([y,p]=e.yscale.r_invert(o-1,o+1),[_,s]=e.xscale.r_invert(c-1,c+1)):\"v\"==n.direction?([y,p]=e.yscale.r_invert(o,o),[_,s]=[Math.min(a-1,i-1),Math.max(a+1,i+1)]):([_,s]=e.xscale.r_invert(c,c),[y,p]=[Math.min(t-1,r-1),Math.max(t+1,r+1)]);const{x:g,y:h}=l.check_2_segments_intersect(_,y,s,p,a,t,i,r);return[g,h]}},\n function _(t,n,e,i,r){function s(t,n){return(t.x-n.x)**2+(t.y-n.y)**2}function o(t,n,e){const i=s(n,e);if(0==i)return s(t,n);const r=((t.x-n.x)*(e.x-n.x)+(t.y-n.y)*(e.y-n.y))/i;if(r<0)return s(t,n);if(r>1)return s(t,e);return s(t,{x:n.x+r*(e.x-n.x),y:n.y+r*(e.y-n.y)})}i(),e.point_in_poly=function(t,n,e,i){let r=!1,s=e[e.length-1],o=i[i.length-1];for(let u=0;u0&&_<1&&h>0&&h<1,x:t+_*(e-t),y:n+_*(i-n)}}}},\n function _(t,s,e,i,a){i();const l=t(1);var n;const _=t(178),o=t(184),c=(0,l.__importStar)(t(185)),h=(0,l.__importStar)(t(48)),r=t(72);class p extends _.XYGlyphView{_render(t,s,e){const{sx:i,sy:a}=null!=e?e:this;let l=!0;t.beginPath();for(const e of s){const s=i[e],n=a[e];isFinite(s+n)?l?(t.moveTo(s,n),l=!1):t.lineTo(s,n):(t.closePath(),l=!0)}t.closePath(),this.visuals.fill.apply(t),this.visuals.hatch.apply(t),this.visuals.line.apply(t)}draw_legend_for_index(t,s,e){(0,o.generic_area_scalar_legend)(this.visuals,t,s)}_hit_point(t){const s=new r.Selection;return c.point_in_poly(t.sx,t.sy,this.sx,this.sy)&&(s.add_to_selected_glyphs(this.model),s.view=this),s}}e.PatchView=p,p.__name__=\"PatchView\";class d extends _.XYGlyph{constructor(t){super(t)}}e.Patch=d,n=d,d.__name__=\"Patch\",n.prototype.default_view=p,n.mixins([h.LineScalar,h.FillScalar,h.HatchScalar])},\n function _(t,s,e,i,n){i();const h=t(1);var r;const a=t(188),_=(0,h.__importStar)(t(185)),o=(0,h.__importStar)(t(18)),l=t(72);class c extends a.AreaView{_index_data(t){const{min:s,max:e}=Math,{data_size:i}=this;for(let n=0;n=0;s--)t.lineTo(n[s],h[s]);t.closePath(),this.visuals.fill.apply(t),this.visuals.hatch.apply(t)}_hit_point(t){const s=this.sy.length,e=new l.Selection;for(let i=0,n=s-1;i({x1:[o.XCoordinateSpec,{field:\"x1\"}],x2:[o.XCoordinateSpec,{field:\"x2\"}],y:[o.YCoordinateSpec,{field:\"y\"}]})))},\n function _(e,a,r,_,s){_();const n=e(1);var c;const i=e(179),l=e(184),t=(0,n.__importStar)(e(48));class o extends i.GlyphView{draw_legend_for_index(e,a,r){(0,l.generic_area_scalar_legend)(this.visuals,e,a)}}r.AreaView=o,o.__name__=\"AreaView\";class d extends i.Glyph{constructor(e){super(e)}}r.Area=d,c=d,d.__name__=\"Area\",c.mixins([t.FillScalar,t.HatchScalar])},\n function _(t,s,e,i,n){i();const h=t(1);var r;const a=t(188),_=(0,h.__importStar)(t(185)),o=(0,h.__importStar)(t(18)),l=t(72);class c extends a.AreaView{_index_data(t){const{min:s,max:e}=Math,{data_size:i}=this;for(let n=0;n=0;s--)t.lineTo(i[s],h[s]);t.closePath(),this.visuals.fill.apply(t),this.visuals.hatch.apply(t)}scenterxy(t){return[this.sx[t],(this.sy1[t]+this.sy2[t])/2]}_hit_point(t){const s=this.sx.length,e=new l.Selection;for(let i=0,n=s-1;i({x:[o.XCoordinateSpec,{field:\"x\"}],y1:[o.YCoordinateSpec,{field:\"y1\"}],y2:[o.YCoordinateSpec,{field:\"y2\"}]})))},\n function _(e,i,s,t,n){var c;t();const o=e(53),r=e(24),u=e(191),_=e(70);class a extends o.Model{constructor(e){super(e)}initialize(){super.initialize(),this.compute_indices()}connect_signals(){super.connect_signals(),this.connect(this.properties.filters.change,(()=>this.compute_indices()));const e=()=>{const e=()=>this.compute_indices();null!=this.source&&(this.connect(this.source.change,e),this.source instanceof _.ColumnarDataSource&&(this.connect(this.source.streaming,e),this.connect(this.source.patching,e)))};let i=null!=this.source;i?e():this.connect(this.properties.source.change,(()=>{i||(e(),i=!0)}))}compute_indices(){var e;const{source:i}=this;if(null==i)return;const s=null!==(e=i.get_length())&&void 0!==e?e:1,t=r.Indices.all_set(s);for(const e of this.filters)t.intersect(e.compute_indices(i));this.indices=t,this._indices=[...t],this.indices_map_to_subset()}indices_map_to_subset(){this.indices_map={};for(let e=0;ethis._indices[e]))}convert_selection_to_subset(e){return e.map((e=>this.indices_map[e]))}convert_indices_from_subset(e){return e.map((e=>this._indices[e]))}}s.CDSView=a,c=a,a.__name__=\"CDSView\",c.define((({Array:e,Ref:i})=>({filters:[e(i(u.Filter)),[]],source:[i(_.ColumnarDataSource)]}))),c.internal((({Int:e,Dict:i,Ref:s,Nullable:t})=>({indices:[s(r.Indices)],indices_map:[i(e),{}],masked:[t(s(r.Indices)),null]})))},\n function _(e,t,n,s,c){s();const o=e(53);class r extends o.Model{constructor(e){super(e)}}n.Filter=r,r.__name__=\"Filter\"},\n function _(t,r,a,e,c){e(),c(\"BasicTickFormatter\",t(146).BasicTickFormatter),c(\"CategoricalTickFormatter\",t(142).CategoricalTickFormatter),c(\"DatetimeTickFormatter\",t(150).DatetimeTickFormatter),c(\"FuncTickFormatter\",t(193).FuncTickFormatter),c(\"LogTickFormatter\",t(163).LogTickFormatter),c(\"MercatorTickFormatter\",t(166).MercatorTickFormatter),c(\"NumeralTickFormatter\",t(194).NumeralTickFormatter),c(\"PrintfTickFormatter\",t(195).PrintfTickFormatter),c(\"TickFormatter\",t(131).TickFormatter)},\n function _(t,e,n,s,r){var c;s();const i=t(131),a=t(13),u=t(34);class o extends i.TickFormatter{constructor(t){super(t)}get names(){return(0,a.keys)(this.args)}get values(){return(0,a.values)(this.args)}_make_func(){const t=(0,u.use_strict)(this.code);return new Function(\"tick\",\"index\",\"ticks\",...this.names,t)}doFormat(t,e){const n=this._make_func().bind({});return t.map(((t,e,s)=>`${n(t,e,s,...this.values)}`))}}n.FuncTickFormatter=o,c=o,o.__name__=\"FuncTickFormatter\",c.define((({Unknown:t,String:e,Dict:n})=>({args:[n(t),{}],code:[e,\"\"]})))},\n function _(r,n,t,o,e){o();var a;const u=(0,r(1).__importStar)(r(153)),c=r(131),i=r(20);class s extends c.TickFormatter{constructor(r){super(r)}get _rounding_fn(){switch(this.rounding){case\"round\":case\"nearest\":return Math.round;case\"floor\":case\"rounddown\":return Math.floor;case\"ceil\":case\"roundup\":return Math.ceil}}doFormat(r,n){const{format:t,language:o,_rounding_fn:e}=this;return r.map((r=>u.format(r,t,o,e)))}}t.NumeralTickFormatter=s,a=s,s.__name__=\"NumeralTickFormatter\",a.define((({String:r})=>({format:[r,\"0,0\"],language:[r,\"en\"],rounding:[i.RoundingFunction,\"round\"]})))},\n function _(t,r,n,o,a){var e;o();const i=t(131),s=t(152);class c extends i.TickFormatter{constructor(t){super(t)}doFormat(t,r){return t.map((t=>(0,s.sprintf)(this.format,t)))}}n.PrintfTickFormatter=c,e=c,c.__name__=\"PrintfTickFormatter\",e.define((({String:t})=>({format:[t,\"%s\"]})))},\n function _(r,o,a,p,e){p(),e(\"CategoricalColorMapper\",r(197).CategoricalColorMapper),e(\"CategoricalMarkerMapper\",r(199).CategoricalMarkerMapper),e(\"CategoricalPatternMapper\",r(200).CategoricalPatternMapper),e(\"ContinuousColorMapper\",r(172).ContinuousColorMapper),e(\"ColorMapper\",r(173).ColorMapper),e(\"LinearColorMapper\",r(201).LinearColorMapper),e(\"LogColorMapper\",r(202).LogColorMapper),e(\"ScanningColorMapper\",r(171).ScanningColorMapper),e(\"EqHistColorMapper\",r(203).EqHistColorMapper)},\n function _(t,o,r,a,e){var c;a();const s=t(198),l=t(173),n=t(67);class _ extends l.ColorMapper{constructor(t){super(t)}_v_compute(t,o,r,{nan_color:a}){(0,s.cat_v_compute)(t,this.factors,r,o,this.start,this.end,a)}}r.CategoricalColorMapper=_,c=_,_.__name__=\"CategoricalColorMapper\",c.define((({Number:t,Nullable:o})=>({factors:[n.FactorSeq],start:[t,0],end:[o(t),null]})))},\n function _(n,t,e,l,i){l();const c=n(12),u=n(8);function f(n,t){if(n.length!=t.length)return!1;for(let e=0,l=n.length;ef(n,h)))),s=_<0||_>=e.length?r:e[_],l[g]=s}}},\n function _(e,r,a,t,s){var c;t();const l=e(198),n=e(67),u=e(174),o=e(20);class p extends u.Mapper{constructor(e){super(e)}v_compute(e){const r=new Array(e.length);return(0,l.cat_v_compute)(e,this.factors,this.markers,r,this.start,this.end,this.default_value),r}}a.CategoricalMarkerMapper=p,c=p,p.__name__=\"CategoricalMarkerMapper\",c.define((({Number:e,Array:r,Nullable:a})=>({factors:[n.FactorSeq],markers:[r(o.MarkerType)],start:[e,0],end:[a(e),null],default_value:[o.MarkerType,\"circle\"]})))},\n function _(t,e,a,r,n){var s;r();const c=t(198),l=t(67),p=t(174),u=t(20);class o extends p.Mapper{constructor(t){super(t)}v_compute(t){const e=new Array(t.length);return(0,c.cat_v_compute)(t,this.factors,this.patterns,e,this.start,this.end,this.default_value),e}}a.CategoricalPatternMapper=o,s=o,o.__name__=\"CategoricalPatternMapper\",s.define((({Number:t,Array:e,Nullable:a})=>({factors:[l.FactorSeq],patterns:[e(u.HatchPatternType)],start:[t,0],end:[a(t),null],default_value:[u.HatchPatternType,\" \"]})))},\n function _(n,r,o,t,a){t();const e=n(172),i=n(12);class s extends e.ContinuousColorMapper{constructor(n){super(n)}scan(n,r){const o=null!=this.low?this.low:(0,i.min)(n),t=null!=this.high?this.high:(0,i.max)(n);return{max:t,min:o,norm_factor:1/(t-o),normed_interval:1/r}}cmap(n,r,o,t,a){const e=r.length-1;if(n==a.max)return r[e];const i=(n-a.min)*a.norm_factor,s=Math.floor(i/a.normed_interval);return s<0?o:s>e?t:r[s]}}o.LinearColorMapper=s,s.__name__=\"LinearColorMapper\"},\n function _(o,t,n,r,l){r();const a=o(172),s=o(12);class e extends a.ContinuousColorMapper{constructor(o){super(o)}scan(o,t){const n=null!=this.low?this.low:(0,s.min)(o),r=null!=this.high?this.high:(0,s.max)(o);return{max:r,min:n,scale:t/(Math.log(r)-Math.log(n))}}cmap(o,t,n,r,l){const a=t.length-1;if(o>l.max)return r;if(o==l.max)return t[a];if(oa&&(e=a),t[e]}}n.LogColorMapper=e,e.__name__=\"LogColorMapper\"},\n function _(e,n,s,t,l){var i;t();const r=e(171),o=e(12),c=e(9);class a extends r.ScanningColorMapper{constructor(e){super(e)}scan(e,n){let s=null!=this.low?this.low:(0,o.min)(e);const t=null!=this.high?this.high:(0,o.max)(e),l=this.bins,i=(0,c.linspace)(s,t,l+1),r=(0,o.bin_counts)(e,i);let a=0;for(let e=0;e1&&(f=1-n)}const d=(0,c.linspace)(f,1,n+1),g=(0,o.interpolate)(d,p,_);return this.rescale_discrete_levels?s=g[0]:g[0]=s,g[g.length-1]=t,{min:s,max:t,binning:g}}}s.EqHistColorMapper=a,i=a,a.__name__=\"EqHistColorMapper\",i.define((({Boolean:e,Int:n})=>({bins:[n,65536],rescale_discrete_levels:[e,!1]})))},\n function _(a,e,l,c,n){c(),n(\"CategoricalScale\",a(62).CategoricalScale),n(\"ContinuousScale\",a(60).ContinuousScale),n(\"LinearScale\",a(59).LinearScale),n(\"LinearInterpolationScale\",a(205).LinearInterpolationScale),n(\"LogScale\",a(61).LogScale),n(\"Scale\",a(55).Scale)},\n function _(e,r,n,t,a){var i;t();const s=e(55),o=e(59),c=e(12);class _ extends s.Scale{constructor(e){super(e)}connect_signals(){super.connect_signals();const{source_range:e,target_range:r}=this.properties;this.on_change([e,r],(()=>{this.linear_scale=new o.LinearScale({source_range:this.source_range,target_range:this.target_range})}))}get s_compute(){throw new Error(\"not implemented\")}get s_invert(){throw new Error(\"not implemented\")}compute(e){return e}v_compute(e){const{binning:r}=this,{start:n,end:t}=this.source_range,a=n,i=t,s=r.length,o=(t-n)/(s-1),_=new Float64Array(s);for(let e=0;e{if(ei)return i;const n=(0,c.left_edge_index)(e,r);if(-1==n)return a;if(n>=s-1)return i;const t=r[n],o=(e-t)/(r[n+1]-t),l=_[n];return l+o*(_[n+1]-l)}));return this.linear_scale.v_compute(l)}invert(e){return e}v_invert(e){return new Float64Array(e)}}n.LinearInterpolationScale=_,i=_,_.__name__=\"LinearInterpolationScale\",i.internal((({Arrayable:e,Ref:r})=>({binning:[e],linear_scale:[r(o.LinearScale),e=>new o.LinearScale({source_range:e.source_range,target_range:e.target_range})]})))},\n function _(a,n,e,g,R){g(),R(\"DataRange\",a(64).DataRange),R(\"DataRange1d\",a(63).DataRange1d),R(\"FactorRange\",a(67).FactorRange),R(\"Range\",a(57).Range),R(\"Range1d\",a(58).Range1d)},\n function _(a,o,i,t,e){t();var n=a(124);e(\"Sizeable\",n.Sizeable),e(\"SizingPolicy\",n.SizingPolicy);var c=a(125);e(\"Layoutable\",c.Layoutable),e(\"LayoutItem\",c.LayoutItem);var r=a(208);e(\"HStack\",r.HStack),e(\"VStack\",r.VStack);var l=a(209);e(\"Grid\",l.Grid),e(\"Row\",l.Row),e(\"Column\",l.Column);var S=a(210);e(\"ContentBox\",S.ContentBox),e(\"VariadicBox\",S.VariadicBox)},\n function _(t,e,h,i,r){i();const n=t(125),o=t(65);class s extends n.Layoutable{constructor(){super(...arguments),this.children=[]}*[Symbol.iterator](){yield*this.children}}h.Stack=s,s.__name__=\"Stack\";class c extends s{_measure(t){let e=0,h=0;for(const t of this.children){const i=t.measure({width:0,height:0});e+=i.width,h=Math.max(h,i.height)}return{width:e,height:h}}_set_geometry(t,e){super._set_geometry(t,e);const h=this.absolute?t.top:0;let i=this.absolute?t.left:0;const{height:r}=t;for(const t of this.children){const{width:e}=t.measure({width:0,height:0});t.set_geometry(new o.BBox({left:i,width:e,top:h,height:r})),i+=e}}}h.HStack=c,c.__name__=\"HStack\";class a extends s{_measure(t){let e=0,h=0;for(const t of this.children){const i=t.measure({width:0,height:0});e=Math.max(e,i.width),h+=i.height}return{width:e,height:h}}_set_geometry(t,e){super._set_geometry(t,e);const h=this.absolute?t.left:0;let i=this.absolute?t.top:0;const{width:r}=t;for(const t of this.children){const{height:e}=t.measure({width:0,height:0});t.set_geometry(new o.BBox({top:i,height:e,left:h,width:r})),i+=e}}}h.VStack=a,a.__name__=\"VStack\";class l extends n.Layoutable{constructor(){super(...arguments),this.children=[]}*[Symbol.iterator](){yield*this.children}_measure(t){const{width_policy:e,height_policy:h}=this.sizing,{min:i,max:r}=Math;let n=0,o=0;for(const e of this.children){const{width:h,height:i}=e.measure(t);n=r(n,h),o=r(o,i)}return{width:(()=>{const{width:h}=this.sizing;if(t.width==1/0)return\"fixed\"==e&&null!=h?h:n;switch(e){case\"fixed\":return null!=h?h:n;case\"min\":return n;case\"fit\":return null!=h?i(t.width,h):t.width;case\"max\":return null!=h?r(t.width,h):t.width}})(),height:(()=>{const{height:e}=this.sizing;if(t.height==1/0)return\"fixed\"==h&&null!=e?e:o;switch(h){case\"fixed\":return null!=e?e:o;case\"min\":return o;case\"fit\":return null!=e?i(t.height,e):t.height;case\"max\":return null!=e?r(t.height,e):t.height}})()}}_set_geometry(t,e){super._set_geometry(t,e);const h=this.absolute?t:t.relative(),{left:i,right:r,top:n,bottom:s}=h,c=Math.round(h.vcenter),a=Math.round(h.hcenter);for(const e of this.children){const{margin:h,halign:l,valign:d}=e.sizing,{width:u,height:g,inner:_}=e.measure(t),w=(()=>{switch(`${d}_${l}`){case\"start_start\":return new o.BBox({left:i+h.left,top:n+h.top,width:u,height:g});case\"start_center\":return new o.BBox({hcenter:a,top:n+h.top,width:u,height:g});case\"start_end\":return new o.BBox({right:r-h.right,top:n+h.top,width:u,height:g});case\"center_start\":return new o.BBox({left:i+h.left,vcenter:c,width:u,height:g});case\"center_center\":return new o.BBox({hcenter:a,vcenter:c,width:u,height:g});case\"center_end\":return new o.BBox({right:r-h.right,vcenter:c,width:u,height:g});case\"end_start\":return new o.BBox({left:i+h.left,bottom:s-h.bottom,width:u,height:g});case\"end_center\":return new o.BBox({hcenter:a,bottom:s-h.bottom,width:u,height:g});case\"end_end\":return new o.BBox({right:r-h.right,bottom:s-h.bottom,width:u,height:g})}})(),m=null==_?w:new o.BBox({left:w.left+_.left,top:w.top+_.top,right:w.right-_.right,bottom:w.bottom-_.bottom});e.set_geometry(w,m)}}}h.NodeLayout=l,l.__name__=\"NodeLayout\"},\n function _(t,i,s,e,o){e();const n=t(124),l=t(125),r=t(8),h=t(65),c=t(9),{max:a,round:g}=Math;class p{constructor(t){this.def=t,this._map=new Map}get(t){let i=this._map.get(t);return void 0===i&&(i=this.def(),this._map.set(t,i)),i}apply(t,i){const s=this.get(t);this._map.set(t,i(s))}}p.__name__=\"DefaultMap\";class f{constructor(){this._items=[],this._nrows=0,this._ncols=0}get nrows(){return this._nrows}get ncols(){return this._ncols}add(t,i){const{r1:s,c1:e}=t;this._nrows=a(this._nrows,s+1),this._ncols=a(this._ncols,e+1),this._items.push({span:t,data:i})}at(t,i){return this._items.filter((({span:s})=>s.r0<=t&&t<=s.r1&&s.c0<=i&&i<=s.c1)).map((({data:t})=>t))}row(t){return this._items.filter((({span:i})=>i.r0<=t&&t<=i.r1)).map((({data:t})=>t))}col(t){return this._items.filter((({span:i})=>i.c0<=t&&t<=i.c1)).map((({data:t})=>t))}foreach(t){for(const{span:i,data:s}of this._items)t(i,s)}map(t){const i=new f;for(const{span:s,data:e}of this._items)i.add(s,t(s,e));return i}}f.__name__=\"Container\";class _ extends l.Layoutable{constructor(t=[]){super(),this.items=t,this.rows=\"auto\",this.cols=\"auto\",this.spacing=0}*[Symbol.iterator](){for(const{layout:t}of this.items)yield t}is_width_expanding(){if(super.is_width_expanding())return!0;if(\"fixed\"==this.sizing.width_policy)return!1;const{cols:t}=this._state;return(0,c.some)(t,(t=>\"max\"==t.policy))}is_height_expanding(){if(super.is_height_expanding())return!0;if(\"fixed\"==this.sizing.height_policy)return!1;const{rows:t}=this._state;return(0,c.some)(t,(t=>\"max\"==t.policy))}_init(){var t,i,s,e;super._init();const o=new f;for(const{layout:t,row:i,col:s,row_span:e,col_span:n}of this.items)if(t.sizing.visible){const l=i,r=s,h=i+(null!=e?e:1)-1,c=s+(null!=n?n:1)-1;o.add({r0:l,c0:r,r1:h,c1:c},t)}const{nrows:n,ncols:l}=o,h=new Array(n);for(let s=0;s{var t;const i=(0,r.isPlainObject)(this.rows)?null!==(t=this.rows[s])&&void 0!==t?t:this.rows[\"*\"]:this.rows;return null==i?{policy:\"auto\"}:(0,r.isNumber)(i)?{policy:\"fixed\",height:i}:(0,r.isString)(i)?{policy:i}:i})(),n=null!==(t=e.align)&&void 0!==t?t:\"auto\";if(\"fixed\"==e.policy)h[s]={policy:\"fixed\",height:e.height,align:n};else if(\"min\"==e.policy)h[s]={policy:\"min\",align:n};else if(\"fit\"==e.policy||\"max\"==e.policy)h[s]={policy:e.policy,flex:null!==(i=e.flex)&&void 0!==i?i:1,align:n};else{if(\"auto\"!=e.policy)throw new Error(\"unrechable\");(0,c.some)(o.row(s),(t=>t.is_height_expanding()))?h[s]={policy:\"max\",flex:1,align:n}:h[s]={policy:\"min\",align:n}}}const a=new Array(l);for(let t=0;t{var i;const s=(0,r.isPlainObject)(this.cols)?null!==(i=this.cols[t])&&void 0!==i?i:this.cols[\"*\"]:this.cols;return null==s?{policy:\"auto\"}:(0,r.isNumber)(s)?{policy:\"fixed\",width:s}:(0,r.isString)(s)?{policy:s}:s})(),n=null!==(s=i.align)&&void 0!==s?s:\"auto\";if(\"fixed\"==i.policy)a[t]={policy:\"fixed\",width:i.width,align:n};else if(\"min\"==i.policy)a[t]={policy:\"min\",align:n};else if(\"fit\"==i.policy||\"max\"==i.policy)a[t]={policy:i.policy,flex:null!==(e=i.flex)&&void 0!==e?e:1,align:n};else{if(\"auto\"!=i.policy)throw new Error(\"unrechable\");(0,c.some)(o.col(t),(t=>t.is_width_expanding()))?a[t]={policy:\"max\",flex:1,align:n}:a[t]={policy:\"min\",align:n}}}const[g,p]=(0,r.isNumber)(this.spacing)?[this.spacing,this.spacing]:this.spacing;this._state={items:o,nrows:n,ncols:l,rows:h,cols:a,rspacing:g,cspacing:p}}_measure_totals(t,i){const{nrows:s,ncols:e,rspacing:o,cspacing:n}=this._state;return{height:(0,c.sum)(t)+(s-1)*o,width:(0,c.sum)(i)+(e-1)*n}}_measure_cells(t){const{items:i,nrows:s,ncols:e,rows:o,cols:l,rspacing:r,cspacing:h}=this._state,c=new Array(s);for(let t=0;t{const{r0:e,c0:f,r1:d,c1:u}=i,w=(d-e)*r,m=(u-f)*h;let y=0;for(let i=e;i<=d;i++)y+=t(i,f).height;y+=w;let x=0;for(let i=f;i<=u;i++)x+=t(e,i).width;x+=m;const b=s.measure({width:x,height:y});_.add(i,{layout:s,size_hint:b});const z=new n.Sizeable(b).grow_by(s.sizing.margin);z.height-=w,z.width-=m;const v=[];for(let t=e;t<=d;t++){const i=o[t];\"fixed\"==i.policy?z.height-=i.height:v.push(t)}if(z.height>0){const t=g(z.height/v.length);for(const i of v)c[i]=a(c[i],t)}const j=[];for(let t=f;t<=u;t++){const i=l[t];\"fixed\"==i.policy?z.width-=i.width:j.push(t)}if(z.width>0){const t=g(z.width/j.length);for(const i of j)p[i]=a(p[i],t)}}));return{size:this._measure_totals(c,p),row_heights:c,col_widths:p,size_hints:_}}_measure_grid(t){const{nrows:i,ncols:s,rows:e,cols:o,rspacing:n,cspacing:l}=this._state,r=this._measure_cells(((t,i)=>{const s=e[t],n=o[i];return{width:\"fixed\"==n.policy?n.width:1/0,height:\"fixed\"==s.policy?s.height:1/0}}));let h;h=\"fixed\"==this.sizing.height_policy&&null!=this.sizing.height?this.sizing.height:t.height!=1/0&&this.is_height_expanding()?t.height:r.size.height;let c,p=0;for(let t=0;t0)for(let t=0;ti?i:e,t--}}}c=\"fixed\"==this.sizing.width_policy&&null!=this.sizing.width?this.sizing.width:t.width!=1/0&&this.is_width_expanding()?t.width:r.size.width;let f=0;for(let t=0;t0)for(let t=0;ts?s:o,t--}}}const{row_heights:_,col_widths:d,size_hints:u}=this._measure_cells(((t,i)=>({width:r.col_widths[i],height:r.row_heights[t]})));return{size:this._measure_totals(_,d),row_heights:_,col_widths:d,size_hints:u}}_measure(t){const{size:i}=this._measure_grid(t);return i}_set_geometry(t,i){super._set_geometry(t,i);const{nrows:s,ncols:e,rspacing:o,cspacing:n}=this._state,{row_heights:l,col_widths:r,size_hints:c}=this._measure_grid(t),f=this._state.rows.map(((t,i)=>Object.assign(Object.assign({},t),{top:0,height:l[i],get bottom(){return this.top+this.height}}))),_=this._state.cols.map(((t,i)=>Object.assign(Object.assign({},t),{left:0,width:r[i],get right(){return this.left+this.width}}))),d=c.map(((t,i)=>Object.assign(Object.assign({},i),{outer:new h.BBox,inner:new h.BBox})));for(let i=0,e=this.absolute?t.top:0;i{const{layout:r,size_hint:c}=l,{sizing:a}=r,{width:p,height:d}=c,u=function(t,i){let s=(i-t)*n;for(let e=t;e<=i;e++)s+=_[e].width;return s}(i,e),w=function(t,i){let s=(i-t)*o;for(let e=t;e<=i;e++)s+=f[e].height;return s}(t,s),m=i==e&&\"auto\"!=_[i].align?_[i].align:a.halign,y=t==s&&\"auto\"!=f[t].align?f[t].align:a.valign;let x=_[i].left;\"start\"==m?x+=a.margin.left:\"center\"==m?x+=g((u-p)/2):\"end\"==m&&(x+=u-a.margin.right-p);let b=f[t].top;\"start\"==y?b+=a.margin.top:\"center\"==y?b+=g((w-d)/2):\"end\"==y&&(b+=w-a.margin.bottom-d),l.outer=new h.BBox({left:x,top:b,width:p,height:d})}));const u=f.map((()=>({start:new p((()=>0)),end:new p((()=>0))}))),w=_.map((()=>({start:new p((()=>0)),end:new p((()=>0))})));d.foreach((({r0:t,c0:i,r1:s,c1:e},{size_hint:o,outer:n})=>{const{inner:l}=o;null!=l&&(u[t].start.apply(n.top,(t=>a(t,l.top))),u[s].end.apply(f[s].bottom-n.bottom,(t=>a(t,l.bottom))),w[i].start.apply(n.left,(t=>a(t,l.left))),w[e].end.apply(_[e].right-n.right,(t=>a(t,l.right))))})),d.foreach((({r0:t,c0:i,r1:s,c1:e},o)=>{const{size_hint:n,outer:l}=o,r=t=>{const i=this.absolute?l:l.relative(),s=i.left+t.left,e=i.top+t.top,o=i.right-t.right,n=i.bottom-t.bottom;return new h.BBox({left:s,top:e,right:o,bottom:n})};if(null!=n.inner){let h=r(n.inner);if(!1!==n.align){const o=u[t].start.get(l.top),n=u[s].end.get(f[s].bottom-l.bottom),c=w[i].start.get(l.left),a=w[e].end.get(_[e].right-l.right);try{h=r({top:o,bottom:n,left:c,right:a})}catch(t){}}o.inner=h}else o.inner=l})),d.foreach(((t,{layout:i,outer:s,inner:e})=>{i.set_geometry(s,e)}))}}s.Grid=_,_.__name__=\"Grid\";class d extends _{constructor(t){super(),this.items=t.map(((t,i)=>({layout:t,row:0,col:i}))),this.rows=\"fit\"}}s.Row=d,d.__name__=\"Row\";class u extends _{constructor(t){super(),this.items=t.map(((t,i)=>({layout:t,row:i,col:0}))),this.cols=\"fit\"}}s.Column=u,u.__name__=\"Column\"},\n function _(e,t,s,n,i){n();const a=e(125),c=e(124),o=e(43);class r extends a.ContentLayoutable{constructor(e){super(),this.content_size=(0,o.unsized)(e,(()=>new c.Sizeable((0,o.size)(e))))}_content_size(){return this.content_size}}s.ContentBox=r,r.__name__=\"ContentBox\";class _ extends a.Layoutable{constructor(e){super(),this.el=e}_measure(e){const t=new c.Sizeable(e).bounded_to(this.sizing.size);return(0,o.sized)(this.el,t,(()=>{const e=new c.Sizeable((0,o.content_size)(this.el)),{border:t,padding:s}=(0,o.extents)(this.el);return e.grow_by(t).grow_by(s).map(Math.ceil)}))}}s.VariadicBox=_,_.__name__=\"VariadicBox\";class h extends _{constructor(e){super(e),this._cache=new Map}_measure(e){const{width:t,height:s}=e,n=`${t},${s}`;let i=this._cache.get(n);return null==i&&(i=super._measure(e),this._cache.set(n,i)),i}invalidate_cache(){this._cache.clear()}}s.CachedVariadicBox=h,h.__name__=\"CachedVariadicBox\"},\n function _(t,e,i,h,o){h();const s=t(124),r=t(125),n=t(65);class g extends r.Layoutable{constructor(){super(...arguments),this.min_border={left:0,top:0,right:0,bottom:0},this.padding={left:0,top:0,right:0,bottom:0}}*[Symbol.iterator](){yield this.top_panel,yield this.bottom_panel,yield this.left_panel,yield this.right_panel,yield this.center_panel}_measure(t){t=new s.Sizeable({width:\"fixed\"==this.sizing.width_policy||t.width==1/0?this.sizing.width:t.width,height:\"fixed\"==this.sizing.height_policy||t.height==1/0?this.sizing.height:t.height});const e=this.left_panel.measure({width:0,height:t.height}),i=Math.max(e.width,this.min_border.left)+this.padding.left,h=this.right_panel.measure({width:0,height:t.height}),o=Math.max(h.width,this.min_border.right)+this.padding.right,r=this.top_panel.measure({width:t.width,height:0}),n=Math.max(r.height,this.min_border.top)+this.padding.top,g=this.bottom_panel.measure({width:t.width,height:0}),a=Math.max(g.height,this.min_border.bottom)+this.padding.bottom,d=new s.Sizeable(t).shrink_by({left:i,right:o,top:n,bottom:a}),l=this.center_panel.measure(d);return{width:i+l.width+o,height:n+l.height+a,inner:{left:i,right:o,top:n,bottom:a},align:(()=>{const{width_policy:t,height_policy:e}=this.center_panel.sizing;return\"fixed\"!=t&&\"fixed\"!=e})()}}_set_geometry(t,e){super._set_geometry(t,e),this.center_panel.set_geometry(e);const i=this.left_panel.measure({width:0,height:t.height}),h=this.right_panel.measure({width:0,height:t.height}),o=this.top_panel.measure({width:t.width,height:0}),s=this.bottom_panel.measure({width:t.width,height:0}),{left:r,top:g,right:a,bottom:d}=e;this.top_panel.set_geometry(new n.BBox({left:r,right:a,bottom:g,height:o.height})),this.bottom_panel.set_geometry(new n.BBox({left:r,right:a,top:d,height:s.height})),this.left_panel.set_geometry(new n.BBox({top:g,bottom:d,right:r,width:i.width})),this.right_panel.set_geometry(new n.BBox({top:g,bottom:d,left:a,width:h.width}))}}i.BorderLayout=g,g.__name__=\"BorderLayout\"},\n function _(t,e,i,s,l){s();const n=t(1);var o;const a=t(119),_=t(10),d=t(20),h=t(120),r=t(123),u=(0,n.__importStar)(t(48));class c extends a.TextAnnotationView{update_layout(){const{panel:t}=this;this.layout=null!=t?new r.SideLayout(t,(()=>this.get_size()),!1):void 0}_get_size(){const{text:t}=this.model,e=new h.TextBox({text:t}),{angle:i,angle_units:s}=this.model;e.angle=(0,_.resolve_angle)(i,s),e.visuals=this.visuals.text.values();const{width:l,height:n}=e.size();return{width:l,height:n}}_render(){const{angle:t,angle_units:e}=this.model,i=(0,_.resolve_angle)(t,e),s=null!=this.layout?this.layout:this.plot_view.frame,l=this.coordinates.x_scale,n=this.coordinates.y_scale;let o=\"data\"==this.model.x_units?l.compute(this.model.x):s.bbox.xview.compute(this.model.x),a=\"data\"==this.model.y_units?n.compute(this.model.y):s.bbox.yview.compute(this.model.y);o+=this.model.x_offset,a-=this.model.y_offset;(\"canvas\"==this.model.render_mode?this._canvas_text.bind(this):this._css_text.bind(this))(this.layer.ctx,this.model.text,o,a,i)}}i.LabelView=c,c.__name__=\"LabelView\";class x extends a.TextAnnotation{constructor(t){super(t)}}i.Label=x,o=x,x.__name__=\"Label\",o.prototype.default_view=c,o.mixins([u.Text,[\"border_\",u.Line],[\"background_\",u.Fill]]),o.define((({Number:t,String:e,Angle:i})=>({x:[t],x_units:[d.SpatialUnits,\"data\"],y:[t],y_units:[d.SpatialUnits,\"data\"],text:[e,\"\"],angle:[i,0],angle_units:[d.AngleUnits,\"rad\"],x_offset:[t,0],y_offset:[t,0]}))),o.override({background_fill_color:null,border_line_color:null})},\n function _(t,e,s,i,l){i();const o=t(1);var a;const r=t(69),n=(0,o.__importStar)(t(48)),d=t(20),_=t(43),c=t(120),h=(0,o.__importStar)(t(18)),u=t(11);class v extends r.DataAnnotationView{set_data(t){var e;if(super.set_data(t),null===(e=this.els)||void 0===e||e.forEach((t=>(0,_.remove)(t))),\"css\"==this.model.render_mode){const t=this.els=[...this.text].map((()=>(0,_.div)({style:{display:\"none\"}})));for(const e of t)this.plot_view.canvas_view.add_overlay(e)}else delete this.els}remove(){var t;null===(t=this.els)||void 0===t||t.forEach((t=>(0,_.remove)(t))),super.remove()}_rerender(){\"css\"==this.model.render_mode?this.render():this.request_render()}map_data(){const{x_scale:t,y_scale:e}=this.coordinates,s=null!=this.layout?this.layout:this.plot_view.frame;this.sx=\"data\"==this.model.x_units?t.v_compute(this._x):s.bbox.xview.v_compute(this._x),this.sy=\"data\"==this.model.y_units?e.v_compute(this._y):s.bbox.yview.v_compute(this._y)}paint(){const t=\"canvas\"==this.model.render_mode?this._v_canvas_text.bind(this):this._v_css_text.bind(this),{ctx:e}=this.layer;for(let s=0,i=this.text.length;s{switch(this.visuals.text.text_align.get(e)){case\"left\":return[\"left\",\"0%\"];case\"center\":return[\"center\",\"-50%\"];case\"right\":return[\"right\",\"-100%\"]}})(),[d,c]=(()=>{switch(this.visuals.text.text_baseline.get(e)){case\"top\":return[\"top\",\"0%\"];case\"middle\":return[\"center\",\"-50%\"];case\"bottom\":return[\"bottom\",\"-100%\"];default:return[\"center\",\"-50%\"]}})();let h=`translate(${n}, ${c})`;o&&(h+=`rotate(${o}rad)`),a.style.transformOrigin=`${r} ${d}`,a.style.transform=h,this.layout,this.visuals.background_fill.doit&&(this.visuals.background_fill.set_vectorize(t,e),a.style.backgroundColor=t.fillStyle),this.visuals.border_line.doit&&(this.visuals.border_line.set_vectorize(t,e),a.style.borderStyle=t.lineDash.length<2?\"solid\":\"dashed\",a.style.borderWidth=`${t.lineWidth}px`,a.style.borderColor=t.strokeStyle),(0,_.display)(a)}}s.LabelSetView=v,v.__name__=\"LabelSetView\";class x extends r.DataAnnotation{constructor(t){super(t)}}s.LabelSet=x,a=x,x.__name__=\"LabelSet\",a.prototype.default_view=v,a.mixins([n.TextVector,[\"border_\",n.LineVector],[\"background_\",n.FillVector]]),a.define((()=>({x:[h.XCoordinateSpec,{field:\"x\"}],y:[h.YCoordinateSpec,{field:\"y\"}],x_units:[d.SpatialUnits,\"data\"],y_units:[d.SpatialUnits,\"data\"],text:[h.StringSpec,{field:\"text\"}],angle:[h.AngleSpec,0],x_offset:[h.NumberSpec,{value:0}],y_offset:[h.NumberSpec,{value:0}],render_mode:[d.RenderMode,\"canvas\"]}))),a.override({background_fill_color:null,border_line_color:null})},\n function _(t,e,i,l,s){l();const n=t(1);var o;const h=t(40),a=t(215),_=t(20),r=(0,n.__importStar)(t(48)),d=t(15),c=t(123),g=t(121),m=t(65),b=t(9),f=t(8),u=t(11);class x extends h.AnnotationView{update_layout(){const{panel:t}=this;this.layout=null!=t?new c.SideLayout(t,(()=>this.get_size())):void 0}cursor(t,e){return\"none\"==this.model.click_policy?null:\"pointer\"}get legend_padding(){return null!=this.model.border_line_color?this.model.padding:0}connect_signals(){super.connect_signals(),this.connect(this.model.change,(()=>this.request_render())),this.connect(this.model.item_change,(()=>this.request_render()))}compute_legend_bbox(){const t=this.model.get_legend_names(),{glyph_height:e,glyph_width:i}=this.model,{label_height:l,label_width:s}=this.model;this.max_label_height=(0,b.max)([(0,g.font_metrics)(this.visuals.label_text.font_value()).height,l,e]);const{ctx:n}=this.layer;n.save(),this.visuals.label_text.set_value(n),this.text_widths=new Map;for(const e of t)this.text_widths.set(e,(0,b.max)([n.measureText(e).width,s]));this.visuals.title_text.set_value(n),this.title_height=this.model.title?(0,g.font_metrics)(this.visuals.title_text.font_value()).height+this.model.title_standoff:0,this.title_width=this.model.title?n.measureText(this.model.title).width:0,n.restore();const o=Math.max((0,b.max)([...this.text_widths.values()]),0),h=this.model.margin,{legend_padding:a}=this,_=this.model.spacing,{label_standoff:r}=this.model;let d,c;if(\"vertical\"==this.model.orientation)d=t.length*this.max_label_height+Math.max(t.length-1,0)*_+2*a+this.title_height,c=(0,b.max)([o+i+r+2*a,this.title_width+2*a]);else{let e=2*a+Math.max(t.length-1,0)*_;for(const[,t]of this.text_widths)e+=(0,b.max)([t,s])+i+r;c=(0,b.max)([this.title_width+2*a,e]),d=this.max_label_height+this.title_height+2*a}const x=null!=this.layout?this.layout:this.plot_view.frame,[p,w]=x.bbox.ranges,{location:v}=this.model;let y,k;if((0,f.isString)(v))switch(v){case\"top_left\":y=p.start+h,k=w.start+h;break;case\"top\":case\"top_center\":y=(p.end+p.start)/2-c/2,k=w.start+h;break;case\"top_right\":y=p.end-h-c,k=w.start+h;break;case\"bottom_right\":y=p.end-h-c,k=w.end-h-d;break;case\"bottom\":case\"bottom_center\":y=(p.end+p.start)/2-c/2,k=w.end-h-d;break;case\"bottom_left\":y=p.start+h,k=w.end-h-d;break;case\"left\":case\"center_left\":y=p.start+h,k=(w.end+w.start)/2-d/2;break;case\"center\":case\"center_center\":y=(p.end+p.start)/2-c/2,k=(w.end+w.start)/2-d/2;break;case\"right\":case\"center_right\":y=p.end-h-c,k=(w.end+w.start)/2-d/2}else if((0,f.isArray)(v)&&2==v.length){const[t,e]=v;y=x.bbox.xview.compute(t),k=x.bbox.yview.compute(e)-d}else(0,u.unreachable)();return new m.BBox({left:y,top:k,width:c,height:d})}interactive_bbox(){return this.compute_legend_bbox()}interactive_hit(t,e){return this.interactive_bbox().contains(t,e)}on_hit(t,e){let i;const{glyph_width:l}=this.model,{legend_padding:s}=this,n=this.model.spacing,{label_standoff:o}=this.model;let h=i=s;const a=this.compute_legend_bbox(),_=\"vertical\"==this.model.orientation;for(const r of this.model.items){const d=r.get_labels_list_from_label_prop();for(const c of d){const d=a.x+h,g=a.y+i+this.title_height;let b,f;[b,f]=_?[a.width-2*s,this.max_label_height]:[this.text_widths.get(c)+l+o,this.max_label_height];if(new m.BBox({left:d,top:g,width:b,height:f}).contains(t,e)){switch(this.model.click_policy){case\"hide\":for(const t of r.renderers)t.visible=!t.visible;break;case\"mute\":for(const t of r.renderers)t.muted=!t.muted}return!0}_?i+=this.max_label_height+n:h+=this.text_widths.get(c)+l+o+n}}return!1}_render(){if(0==this.model.items.length)return;if(!(0,b.some)(this.model.items,(t=>t.visible)))return;for(const t of this.model.items)t.legend=this.model;const{ctx:t}=this.layer,e=this.compute_legend_bbox();t.save(),this._draw_legend_box(t,e),this._draw_legend_items(t,e),this._draw_title(t,e),t.restore()}_draw_legend_box(t,e){t.beginPath(),t.rect(e.x,e.y,e.width,e.height),this.visuals.background_fill.apply(t),this.visuals.border_line.apply(t)}_draw_legend_items(t,e){const{glyph_width:i,glyph_height:l}=this.model,{legend_padding:s}=this,n=this.model.spacing,{label_standoff:o}=this.model;let h=s,a=s;const _=\"vertical\"==this.model.orientation;for(const r of this.model.items){if(!r.visible)continue;const d=r.get_labels_list_from_label_prop(),c=r.get_field_from_label_prop();if(0==d.length)continue;const g=(()=>{switch(this.model.click_policy){case\"none\":return!0;case\"hide\":return(0,b.every)(r.renderers,(t=>t.visible));case\"mute\":return(0,b.every)(r.renderers,(t=>!t.muted))}})();for(const m of d){const d=e.x+h,b=e.y+a+this.title_height,f=d+i,u=b+l;_?a+=this.max_label_height+n:h+=this.text_widths.get(m)+i+o+n,this.visuals.label_text.set_value(t),t.fillText(m,f+o,b+this.max_label_height/2);for(const e of r.renderers){const i=this.plot_view.renderer_view(e);null==i||i.draw_legend(t,d,f,b,u,c,m,r.index)}if(!g){let l,n;[l,n]=_?[e.width-2*s,this.max_label_height]:[this.text_widths.get(m)+i+o,this.max_label_height],t.beginPath(),t.rect(d,b,l,n),this.visuals.inactive_fill.set_value(t),t.fill()}}}}_draw_title(t,e){const{title:i}=this.model;i&&this.visuals.title_text.doit&&(t.save(),t.translate(e.x0,e.y0+this.title_height),this.visuals.title_text.set_value(t),t.fillText(i,this.legend_padding,this.legend_padding-this.model.title_standoff),t.restore())}_get_size(){const{width:t,height:e}=this.compute_legend_bbox();return{width:t+2*this.model.margin,height:e+2*this.model.margin}}}i.LegendView=x,x.__name__=\"LegendView\";class p extends h.Annotation{constructor(t){super(t)}initialize(){super.initialize(),this.item_change=new d.Signal0(this,\"item_change\")}get_legend_names(){const t=[];for(const e of this.items){const i=e.get_labels_list_from_label_prop();t.push(...i)}return t}}i.Legend=p,o=p,p.__name__=\"Legend\",o.prototype.default_view=x,o.mixins([[\"label_\",r.Text],[\"title_\",r.Text],[\"inactive_\",r.Fill],[\"border_\",r.Line],[\"background_\",r.Fill]]),o.define((({Number:t,String:e,Array:i,Tuple:l,Or:s,Ref:n,Nullable:o})=>({orientation:[_.Orientation,\"vertical\"],location:[s(_.LegendLocation,l(t,t)),\"top_right\"],title:[o(e),null],title_standoff:[t,5],label_standoff:[t,5],glyph_height:[t,20],glyph_width:[t,20],label_height:[t,20],label_width:[t,20],margin:[t,10],padding:[t,10],spacing:[t,3],items:[i(n(a.LegendItem)),[]],click_policy:[_.LegendClickPolicy,\"none\"]}))),o.override({border_line_color:\"#e5e5e5\",border_line_alpha:.5,border_line_width:1,background_fill_color:\"#ffffff\",background_fill_alpha:.95,inactive_fill_color:\"white\",inactive_fill_alpha:.7,label_text_font_size:\"13px\",label_text_baseline:\"middle\",title_text_font_size:\"13px\",title_text_font_style:\"italic\"})},\n function _(e,r,l,n,t){n();const i=e(1);var s;const o=e(53),a=e(175),_=e(70),u=e(216),d=(0,i.__importStar)(e(18)),c=e(19),f=e(9);class h extends o.Model{constructor(e){super(e)}_check_data_sources_on_renderers(){if(null!=this.get_field_from_label_prop()){if(this.renderers.length<1)return!1;const e=this.renderers[0].data_source;if(null!=e)for(const r of this.renderers)if(r.data_source!=e)return!1}return!0}_check_field_label_on_data_source(){const e=this.get_field_from_label_prop();if(null!=e){if(this.renderers.length<1)return!1;const r=this.renderers[0].data_source;if(null!=r&&!(0,f.includes)(r.columns(),e))return!1}return!0}initialize(){super.initialize(),this.legend=null,this.connect(this.change,(()=>{var e;return null===(e=this.legend)||void 0===e?void 0:e.item_change.emit()}));this._check_data_sources_on_renderers()||c.logger.error(\"Non matching data sources on legend item renderers\");this._check_field_label_on_data_source()||c.logger.error(`Bad column name on label: ${this.label}`)}get_field_from_label_prop(){const{label:e}=this;return(0,u.isField)(e)?e.field:null}get_labels_list_from_label_prop(){if(!this.visible)return[];if((0,u.isValue)(this.label)){const{value:e}=this.label;return null!=e?[e]:[]}const e=this.get_field_from_label_prop();if(null!=e){let r;if(!this.renderers[0]||null==this.renderers[0].data_source)return[\"No source found\"];if(r=this.renderers[0].data_source,r instanceof _.ColumnarDataSource){const l=r.get_column(e);return null!=l?(0,f.uniq)(Array.from(l)):[\"Invalid field\"]}}return[]}}l.LegendItem=h,s=h,h.__name__=\"LegendItem\",s.define((({Boolean:e,Int:r,Array:l,Ref:n,Nullable:t})=>({label:[d.NullStringSpec,null],renderers:[l(n(a.GlyphRenderer)),[]],index:[t(r),null],visible:[e,!0]})))},\n function _(i,n,e,t,u){t();const c=i(8);e.isValue=function(i){return(0,c.isPlainObject)(i)&&\"value\"in i},e.isField=function(i){return(0,c.isPlainObject)(i)&&\"field\"in i},e.isExpr=function(i){return(0,c.isPlainObject)(i)&&\"expr\"in i}},\n function _(t,n,e,s,i){s();const o=t(1);var a;const l=t(40),c=(0,o.__importStar)(t(48)),r=t(20);class _ extends l.AnnotationView{connect_signals(){super.connect_signals(),this.connect(this.model.change,(()=>this.request_render()))}_render(){const{xs:t,ys:n}=this.model;if(t.length!=n.length)return;const e=t.length;if(e<3)return;const{frame:s}=this.plot_view,{ctx:i}=this.layer,o=this.coordinates.x_scale,a=this.coordinates.y_scale,{screen:l}=this.model;function c(t,n,e,s){return l?t:\"data\"==n?e.v_compute(t):s.v_compute(t)}const r=c(t,this.model.xs_units,o,s.bbox.xview),_=c(n,this.model.ys_units,a,s.bbox.yview);i.beginPath();for(let t=0;t({xs:[n(t),[]],xs_units:[r.SpatialUnits,\"data\"],ys:[n(t),[]],ys_units:[r.SpatialUnits,\"data\"]}))),a.internal((({Boolean:t})=>({screen:[t,!1]}))),a.override({fill_color:\"#fff9ba\",fill_alpha:.4,line_color:\"#cccccc\",line_alpha:.3})},\n function _(e,t,n,o,i){o();const s=e(1);var l;const r=e(40),c=(0,s.__importStar)(e(48));class a extends r.AnnotationView{connect_signals(){super.connect_signals(),this.connect(this.model.change,(()=>this.request_render()))}_render(){const{gradient:e,y_intercept:t}=this.model;if(null==e||null==t)return;const{frame:n}=this.plot_view,o=this.coordinates.x_scale,i=this.coordinates.y_scale;let s,l,r,c;if(0==e)s=i.compute(t),l=s,r=n.bbox.left,c=r+n.bbox.width;else{s=n.bbox.top,l=s+n.bbox.height;const a=(i.invert(s)-t)/e,_=(i.invert(l)-t)/e;r=o.compute(a),c=o.compute(_)}const{ctx:a}=this.layer;a.save(),a.beginPath(),this.visuals.line.set_value(a),a.moveTo(r,s),a.lineTo(c,l),a.stroke(),a.restore()}}n.SlopeView=a,a.__name__=\"SlopeView\";class _ extends r.Annotation{constructor(e){super(e)}}n.Slope=_,l=_,_.__name__=\"Slope\",l.prototype.default_view=a,l.mixins(c.Line),l.define((({Number:e,Nullable:t})=>({gradient:[t(e),null],y_intercept:[t(e),null]}))),l.override({line_color:\"black\"})},\n function _(e,t,i,o,n){o();const s=e(1);var l;const a=e(40),r=(0,s.__importStar)(e(48)),c=e(20);class d extends a.AnnotationView{connect_signals(){super.connect_signals(),this.connect(this.model.change,(()=>this.plot_view.request_paint(this)))}_render(){const{location:e}=this.model;if(null==e)return;const{frame:t}=this.plot_view,i=this.coordinates.x_scale,o=this.coordinates.y_scale,n=(t,i)=>\"data\"==this.model.location_units?t.compute(e):this.model.for_hover?e:i.compute(e);let s,l,a,r;\"width\"==this.model.dimension?(a=n(o,t.bbox.yview),l=t.bbox.left,r=t.bbox.width,s=this.model.line_width):(a=t.bbox.top,l=n(i,t.bbox.xview),r=this.model.line_width,s=t.bbox.height);const{ctx:c}=this.layer;c.save(),c.beginPath(),this.visuals.line.set_value(c),c.moveTo(l,a),\"width\"==this.model.dimension?c.lineTo(l+r,a):c.lineTo(l,a+s),c.stroke(),c.restore()}}i.SpanView=d,d.__name__=\"SpanView\";class _ extends a.Annotation{constructor(e){super(e)}}i.Span=_,l=_,_.__name__=\"Span\",l.prototype.default_view=d,l.mixins(r.Line),l.define((({Number:e,Nullable:t})=>({render_mode:[c.RenderMode,\"canvas\"],location:[t(e),null],location_units:[c.SpatialUnits,\"data\"],dimension:[c.Dimension,\"width\"]}))),l.internal((({Boolean:e})=>({for_hover:[e,!1]}))),l.override({line_color:\"black\"})},\n function _(i,e,t,o,l){var s;o();const a=i(40),_=i(221),n=i(113),r=i(43),h=i(123),b=i(65);class v extends a.AnnotationView{constructor(){super(...arguments),this._invalidate_toolbar=!0,this._previous_bbox=new b.BBox}update_layout(){this.layout=new h.SideLayout(this.panel,(()=>this.get_size()),!0)}initialize(){super.initialize(),this.el=(0,r.div)(),this.plot_view.canvas_view.add_event(this.el)}async lazy_initialize(){await super.lazy_initialize(),this._toolbar_view=await(0,n.build_view)(this.model.toolbar,{parent:this}),this.plot_view.visibility_callbacks.push((i=>this._toolbar_view.set_visibility(i)))}remove(){this._toolbar_view.remove(),(0,r.remove)(this.el),super.remove()}render(){this.model.visible||(0,r.undisplay)(this.el),super.render()}_render(){const{bbox:i}=this.layout;this._previous_bbox.equals(i)||((0,r.position)(this.el,i),this._previous_bbox=i,this._invalidate_toolbar=!0),this._invalidate_toolbar&&(this.el.style.position=\"absolute\",this.el.style.overflow=\"hidden\",(0,r.empty)(this.el),this.el.appendChild(this._toolbar_view.el),this._toolbar_view.layout.bbox=i,this._toolbar_view.render(),this._invalidate_toolbar=!1),(0,r.display)(this.el)}_get_size(){const{tools:i,logo:e}=this.model.toolbar;return{width:30*i.length+(null!=e?25:0)+15,height:30}}}t.ToolbarPanelView=v,v.__name__=\"ToolbarPanelView\";class d extends a.Annotation{constructor(i){super(i)}}t.ToolbarPanel=d,s=d,d.__name__=\"ToolbarPanel\",s.prototype.default_view=v,s.define((({Ref:i})=>({toolbar:[i(_.Toolbar)]})))},\n function _(t,e,s,i,o){var c;i();const n=t(8),a=t(9),l=t(13),r=t(222),_=t(223),u=t(232),p=t(233);function v(t){switch(t){case\"tap\":return\"active_tap\";case\"pan\":return\"active_drag\";case\"pinch\":case\"scroll\":return\"active_scroll\";case\"multi\":return\"active_multi\"}return null}function h(t){return\"tap\"==t||\"pan\"==t}s.Drag=r.Tool,s.Inspection=r.Tool,s.Scroll=r.Tool,s.Tap=r.Tool;class f extends p.ToolbarBase{constructor(t){super(t)}connect_signals(){super.connect_signals();const{tools:t,active_drag:e,active_inspect:s,active_scroll:i,active_tap:o,active_multi:c}=this.properties;this.on_change([t,e,s,i,o,c],(()=>this._init_tools()))}_init_tools(){if(super._init_tools(),\"auto\"==this.active_inspect);else if(this.active_inspect instanceof u.InspectTool){let t=!1;for(const e of this.inspectors)e!=this.active_inspect?e.active=!1:t=!0;t||(this.active_inspect=null)}else if((0,n.isArray)(this.active_inspect)){const t=(0,a.intersection)(this.active_inspect,this.inspectors);t.length!=this.active_inspect.length&&(this.active_inspect=t);for(const t of this.inspectors)(0,a.includes)(this.active_inspect,t)||(t.active=!1)}else if(null==this.active_inspect)for(const t of this.inspectors)t.active=!1;const t=t=>{t.active?this._active_change(t):t.active=!0};for(const t of(0,l.values)(this.gestures)){t.tools=(0,a.sort_by)(t.tools,(t=>t.default_order));for(const e of t.tools)this.connect(e.properties.active.change,(()=>this._active_change(e)))}for(const[e,s]of(0,l.entries)(this.gestures)){const i=v(e);if(i){const o=this[i];\"auto\"==o?0!=s.tools.length&&h(e)&&t(s.tools[0]):null!=o&&((0,a.includes)(this.tools,o)?t(o):this[i]=null)}}}}s.Toolbar=f,c=f,f.__name__=\"Toolbar\",c.prototype.default_view=p.ToolbarBaseView,c.define((({Or:t,Ref:e,Auto:i,Null:o})=>({active_drag:[t(e(s.Drag),i,o),\"auto\"],active_inspect:[t(e(s.Inspection),i,o),\"auto\"],active_scroll:[t(e(s.Scroll),i,o),\"auto\"],active_tap:[t(e(s.Tap),i,o),\"auto\"],active_multi:[t(e(_.GestureTool),i,o),\"auto\"]})))},\n function _(t,e,n,o,s){var i;o();const a=t(42),r=t(9),l=t(53);class c extends a.View{get plot_view(){return this.parent}get plot_model(){return this.parent.model}connect_signals(){super.connect_signals(),this.connect(this.model.properties.active.change,(()=>{this.model.active?this.activate():this.deactivate()}))}activate(){}deactivate(){}}n.ToolView=c,c.__name__=\"ToolView\";class _ extends l.Model{constructor(t){super(t)}get synthetic_renderers(){return[]}_get_dim_limits([t,e],[n,o],s,i){const a=s.bbox.h_range;let l;\"width\"==i||\"both\"==i?(l=[(0,r.min)([t,n]),(0,r.max)([t,n])],l=[(0,r.max)([l[0],a.start]),(0,r.min)([l[1],a.end])]):l=[a.start,a.end];const c=s.bbox.v_range;let _;return\"height\"==i||\"both\"==i?(_=[(0,r.min)([e,o]),(0,r.max)([e,o])],_=[(0,r.max)([_[0],c.start]),(0,r.min)([_[1],c.end])]):_=[c.start,c.end],[l,_]}static register_alias(t,e){this.prototype._known_aliases.set(t,e)}static from_string(t){const e=this.prototype._known_aliases.get(t);if(null!=e)return e();{const e=[...this.prototype._known_aliases.keys()];throw new Error(`unexpected tool name '${t}', possible tools are ${e.join(\", \")}`)}}}n.Tool=_,i=_,_.__name__=\"Tool\",i.prototype._known_aliases=new Map,i.define((({String:t,Nullable:e})=>({description:[e(t),null]}))),i.internal((({Boolean:t})=>({active:[t,!1]})))},\n function _(e,o,t,s,n){s();const u=e(224),_=e(231);class l extends u.ButtonToolView{}t.GestureToolView=l,l.__name__=\"GestureToolView\";class i extends u.ButtonTool{constructor(e){super(e),this.button_view=_.OnOffButtonView}}t.GestureTool=i,i.__name__=\"GestureTool\"},\n function _(t,e,o,s,i){s();const n=t(1);var l;const r=(0,n.__importDefault)(t(225)),a=t(226),u=t(222),h=t(43),_=t(34),d=t(8),c=t(9),m=(0,n.__importStar)(t(227)),p=m,v=(0,n.__importDefault)(t(228)),f=(0,n.__importDefault)(t(229)),g=t(230);class b extends a.DOMView{initialize(){super.initialize();const t=this.model.menu;if(null!=t){const e=this.parent.model.toolbar_location,o=\"left\"==e||\"above\"==e,s=this.parent.model.horizontal?\"vertical\":\"horizontal\";this._menu=new g.ContextMenu(o?(0,c.reversed)(t):t,{orientation:s,prevent_hide:t=>t.target==this.el})}this._hammer=new r.default(this.el,{touchAction:\"auto\",inputClass:r.default.TouchMouseInput}),this.connect(this.model.change,(()=>this.render())),this._hammer.on(\"tap\",(t=>{var e;(null===(e=this._menu)||void 0===e?void 0:e.is_open)?this._menu.hide():t.target==this.el&&this._clicked()})),this._hammer.on(\"press\",(()=>this._pressed())),this.el.addEventListener(\"keydown\",(t=>{t.keyCode==h.Keys.Enter&&this._clicked()}))}remove(){var t;this._hammer.destroy(),null===(t=this._menu)||void 0===t||t.remove(),super.remove()}styles(){return[...super.styles(),m.default,v.default,f.default]}css_classes(){return super.css_classes().concat(p.toolbar_button)}render(){(0,h.empty)(this.el);const t=this.model.computed_icon;(0,d.isString)(t)&&((0,_.startsWith)(t,\"data:image\")?this.el.style.backgroundImage=`url(\"${t}\")`:this.el.classList.add(t)),this.el.title=this.model.tooltip,this.el.tabIndex=0,null!=this._menu&&this.root.el.appendChild(this._menu.el)}_pressed(){var t;const e=(()=>{switch(this.parent.model.toolbar_location){case\"right\":return{left_of:this.el};case\"left\":return{right_of:this.el};case\"above\":return{below:this.el};case\"below\":return{above:this.el}}})();null===(t=this._menu)||void 0===t||t.toggle(e)}}o.ButtonToolButtonView=b,b.__name__=\"ButtonToolButtonView\";class w extends u.ToolView{}o.ButtonToolView=w,w.__name__=\"ButtonToolView\";class y extends u.Tool{constructor(t){super(t)}_get_dim_tooltip(t){const{description:e,tool_name:o}=this;return null!=e?e:\"both\"==t?o:`${o} (${\"width\"==t?\"x\":\"y\"}-axis)`}get tooltip(){var t;return null!==(t=this.description)&&void 0!==t?t:this.tool_name}get computed_icon(){return this.icon}get menu(){return null}}o.ButtonTool=y,l=y,y.__name__=\"ButtonTool\",l.internal((({Boolean:t})=>({disabled:[t,!1]})))},\n function _(t,e,i,n,r){\n /*! Hammer.JS - v2.0.7 - 2016-04-22\n * http://hammerjs.github.io/\n *\n * Copyright (c) 2016 Jorik Tangelder;\n * Licensed under the MIT license */\n !function(t,i,n,r){\"use strict\";var s,o=[\"\",\"webkit\",\"Moz\",\"MS\",\"ms\",\"o\"],a=i.createElement(\"div\"),h=Math.round,u=Math.abs,c=Date.now;function l(t,e,i){return setTimeout(T(t,i),e)}function p(t,e,i){return!!Array.isArray(t)&&(f(t,i[e],i),!0)}function f(t,e,i){var n;if(t)if(t.forEach)t.forEach(e,i);else if(t.length!==r)for(n=0;n\\s*\\(/gm,\"{anonymous}()@\"):\"Unknown Stack Trace\",s=t.console&&(t.console.warn||t.console.log);return s&&s.call(t.console,r,n),e.apply(this,arguments)}}s=\"function\"!=typeof Object.assign?function(t){if(t===r||null===t)throw new TypeError(\"Cannot convert undefined or null to object\");for(var e=Object(t),i=1;i-1}function S(t){return t.trim().split(/\\s+/g)}function b(t,e,i){if(t.indexOf&&!i)return t.indexOf(e);for(var n=0;ni[e]})):n.sort()),n}function x(t,e){for(var i,n,s=e[0].toUpperCase()+e.slice(1),a=0;a1&&!i.firstMultiple?i.firstMultiple=H(e):1===s&&(i.firstMultiple=!1);var o=i.firstInput,a=i.firstMultiple,h=a?a.center:o.center,l=e.center=L(n);e.timeStamp=c(),e.deltaTime=e.timeStamp-o.timeStamp,e.angle=G(h,l),e.distance=j(h,l),function(t,e){var i=e.center,n=t.offsetDelta||{},r=t.prevDelta||{},s=t.prevInput||{};1!==e.eventType&&4!==s.eventType||(r=t.prevDelta={x:s.deltaX||0,y:s.deltaY||0},n=t.offsetDelta={x:i.x,y:i.y});e.deltaX=r.x+(i.x-n.x),e.deltaY=r.y+(i.y-n.y)}(i,e),e.offsetDirection=V(e.deltaX,e.deltaY);var p=U(e.deltaTime,e.deltaX,e.deltaY);e.overallVelocityX=p.x,e.overallVelocityY=p.y,e.overallVelocity=u(p.x)>u(p.y)?p.x:p.y,e.scale=a?(f=a.pointers,v=n,j(v[0],v[1],W)/j(f[0],f[1],W)):1,e.rotation=a?function(t,e){return G(e[1],e[0],W)+G(t[1],t[0],W)}(a.pointers,n):0,e.maxPointers=i.prevInput?e.pointers.length>i.prevInput.maxPointers?e.pointers.length:i.prevInput.maxPointers:e.pointers.length,function(t,e){var i,n,s,o,a=t.lastInterval||e,h=e.timeStamp-a.timeStamp;if(8!=e.eventType&&(h>25||a.velocity===r)){var c=e.deltaX-a.deltaX,l=e.deltaY-a.deltaY,p=U(h,c,l);n=p.x,s=p.y,i=u(p.x)>u(p.y)?p.x:p.y,o=V(c,l),t.lastInterval=e}else i=a.velocity,n=a.velocityX,s=a.velocityY,o=a.direction;e.velocity=i,e.velocityX=n,e.velocityY=s,e.direction=o}(i,e);var f,v;var d=t.element;_(e.srcEvent.target,d)&&(d=e.srcEvent.target);e.target=d}(t,i),t.emit(\"hammer.input\",i),t.recognize(i),t.session.prevInput=i}function H(t){for(var e=[],i=0;i=u(e)?t<0?2:4:e<0?8:16}function j(t,e,i){i||(i=F);var n=e[i[0]]-t[i[0]],r=e[i[1]]-t[i[1]];return Math.sqrt(n*n+r*r)}function G(t,e,i){i||(i=F);var n=e[i[0]]-t[i[0]],r=e[i[1]]-t[i[1]];return 180*Math.atan2(r,n)/Math.PI}q.prototype={handler:function(){},init:function(){this.evEl&&I(this.element,this.evEl,this.domHandler),this.evTarget&&I(this.target,this.evTarget,this.domHandler),this.evWin&&I(O(this.element),this.evWin,this.domHandler)},destroy:function(){this.evEl&&A(this.element,this.evEl,this.domHandler),this.evTarget&&A(this.target,this.evTarget,this.domHandler),this.evWin&&A(O(this.element),this.evWin,this.domHandler)}};var Z={mousedown:1,mousemove:2,mouseup:4},B=\"mousedown\",$=\"mousemove mouseup\";function J(){this.evEl=B,this.evWin=$,this.pressed=!1,q.apply(this,arguments)}g(J,q,{handler:function(t){var e=Z[t.type];1&e&&0===t.button&&(this.pressed=!0),2&e&&1!==t.which&&(e=4),this.pressed&&(4&e&&(this.pressed=!1),this.callback(this.manager,e,{pointers:[t],changedPointers:[t],pointerType:X,srcEvent:t}))}});var K={pointerdown:1,pointermove:2,pointerup:4,pointercancel:8,pointerout:8},Q={2:N,3:\"pen\",4:X,5:\"kinect\"},tt=\"pointerdown\",et=\"pointermove pointerup pointercancel\";function it(){this.evEl=tt,this.evWin=et,q.apply(this,arguments),this.store=this.manager.session.pointerEvents=[]}t.MSPointerEvent&&!t.PointerEvent&&(tt=\"MSPointerDown\",et=\"MSPointerMove MSPointerUp MSPointerCancel\"),g(it,q,{handler:function(t){var e=this.store,i=!1,n=t.type.toLowerCase().replace(\"ms\",\"\"),r=K[n],s=Q[t.pointerType]||t.pointerType,o=s==N,a=b(e,t.pointerId,\"pointerId\");1&r&&(0===t.button||o)?a<0&&(e.push(t),a=e.length-1):12&r&&(i=!0),a<0||(e[a]=t,this.callback(this.manager,r,{pointers:e,changedPointers:[t],pointerType:s,srcEvent:t}),i&&e.splice(a,1))}});var nt={touchstart:1,touchmove:2,touchend:4,touchcancel:8},rt=\"touchstart\",st=\"touchstart touchmove touchend touchcancel\";function ot(){this.evTarget=rt,this.evWin=st,this.started=!1,q.apply(this,arguments)}function at(t,e){var i=P(t.touches),n=P(t.changedTouches);return 12&e&&(i=D(i.concat(n),\"identifier\",!0)),[i,n]}g(ot,q,{handler:function(t){var e=nt[t.type];if(1===e&&(this.started=!0),this.started){var i=at.call(this,t,e);12&e&&i[0].length-i[1].length==0&&(this.started=!1),this.callback(this.manager,e,{pointers:i[0],changedPointers:i[1],pointerType:N,srcEvent:t})}}});var ht={touchstart:1,touchmove:2,touchend:4,touchcancel:8},ut=\"touchstart touchmove touchend touchcancel\";function ct(){this.evTarget=ut,this.targetIds={},q.apply(this,arguments)}function lt(t,e){var i=P(t.touches),n=this.targetIds;if(3&e&&1===i.length)return n[i[0].identifier]=!0,[i,i];var r,s,o=P(t.changedTouches),a=[],h=this.target;if(s=i.filter((function(t){return _(t.target,h)})),1===e)for(r=0;r-1&&n.splice(t,1)}),2500)}}function dt(t){for(var e=t.srcEvent.clientX,i=t.srcEvent.clientY,n=0;n-1&&this.requireFail.splice(e,1),this},hasRequireFailures:function(){return this.requireFail.length>0},canRecognizeWith:function(t){return!!this.simultaneous[t.id]},emit:function(t){var e=this,i=this.state;function n(i){e.manager.emit(i,t)}i<8&&n(e.options.event+Dt(i)),n(e.options.event),t.additionalEvent&&n(t.additionalEvent),i>=8&&n(e.options.event+Dt(i))},tryEmit:function(t){if(this.canEmit())return this.emit(t);this.state=bt},canEmit:function(){for(var t=0;te.threshold&&r&e.direction},attrTest:function(t){return Ot.prototype.attrTest.call(this,t)&&(2&this.state||!(2&this.state)&&this.directionTest(t))},emit:function(t){this.pX=t.deltaX,this.pY=t.deltaY;var e=xt(t.direction);e&&(t.additionalEvent=this.options.event+e),this._super.emit.call(this,t)}}),g(Mt,Ot,{defaults:{event:\"pinch\",threshold:0,pointers:2},getTouchAction:function(){return[It]},attrTest:function(t){return this._super.attrTest.call(this,t)&&(Math.abs(t.scale-1)>this.options.threshold||2&this.state)},emit:function(t){if(1!==t.scale){var e=t.scale<1?\"in\":\"out\";t.additionalEvent=this.options.event+e}this._super.emit.call(this,t)}}),g(zt,Pt,{defaults:{event:\"press\",pointers:1,time:251,threshold:9},getTouchAction:function(){return[yt]},process:function(t){var e=this.options,i=t.pointers.length===e.pointers,n=t.distancee.time;if(this._input=t,!n||!i||12&t.eventType&&!r)this.reset();else if(1&t.eventType)this.reset(),this._timer=l((function(){this.state=8,this.tryEmit()}),e.time,this);else if(4&t.eventType)return 8;return bt},reset:function(){clearTimeout(this._timer)},emit:function(t){8===this.state&&(t&&4&t.eventType?this.manager.emit(this.options.event+\"up\",t):(this._input.timeStamp=c(),this.manager.emit(this.options.event,this._input)))}}),g(Nt,Ot,{defaults:{event:\"rotate\",threshold:0,pointers:2},getTouchAction:function(){return[It]},attrTest:function(t){return this._super.attrTest.call(this,t)&&(Math.abs(t.rotation)>this.options.threshold||2&this.state)}}),g(Xt,Ot,{defaults:{event:\"swipe\",threshold:10,velocity:.3,direction:30,pointers:1},getTouchAction:function(){return Rt.prototype.getTouchAction.call(this)},attrTest:function(t){var e,i=this.options.direction;return 30&i?e=t.overallVelocity:6&i?e=t.overallVelocityX:i&Y&&(e=t.overallVelocityY),this._super.attrTest.call(this,t)&&i&t.offsetDirection&&t.distance>this.options.threshold&&t.maxPointers==this.options.pointers&&u(e)>this.options.velocity&&4&t.eventType},emit:function(t){var e=xt(t.offsetDirection);e&&this.manager.emit(this.options.event+e,t),this.manager.emit(this.options.event,t)}}),g(Yt,Pt,{defaults:{event:\"tap\",pointers:1,taps:1,interval:300,time:250,threshold:9,posThreshold:10},getTouchAction:function(){return[Et]},process:function(t){var e=this.options,i=t.pointers.length===e.pointers,n=t.distance .bk-divider{cursor:default;overflow:hidden;background-color:#e5e5e5;}.bk-root .bk-context-menu.bk-horizontal > .bk-divider{width:1px;margin:5px 0;}.bk-root .bk-context-menu.bk-vertical > .bk-divider{height:1px;margin:0 5px;}.bk-root .bk-context-menu > :not(.bk-divider){border:1px solid transparent;}.bk-root .bk-context-menu > :not(.bk-divider).bk-active{border-color:#26aae1;}.bk-root .bk-context-menu > :not(.bk-divider):hover{background-color:#f9f9f9;}.bk-root .bk-context-menu > :not(.bk-divider):focus,.bk-root .bk-context-menu > :not(.bk-divider):focus-visible{outline:1px dotted #26aae1;outline-offset:-1px;}.bk-root .bk-context-menu > :not(.bk-divider)::-moz-focus-inner{border:0;}.bk-root .bk-context-menu.bk-horizontal > :not(.bk-divider):first-child{border-top-left-radius:4px;border-bottom-left-radius:4px;}.bk-root .bk-context-menu.bk-horizontal > :not(.bk-divider):last-child{border-top-right-radius:4px;border-bottom-right-radius:4px;}.bk-root .bk-context-menu.bk-vertical > :not(.bk-divider):first-child{border-top-left-radius:4px;border-top-right-radius:4px;}.bk-root .bk-context-menu.bk-vertical > :not(.bk-divider):last-child{border-bottom-left-radius:4px;border-bottom-right-radius:4px;}.bk-root .bk-menu{position:absolute;left:0;width:100%;z-index:100;cursor:pointer;font-size:12px;background-color:#fff;border:1px solid #ccc;border-radius:4px;box-shadow:0 6px 12px rgba(0, 0, 0, 0.175);}.bk-root .bk-menu.bk-above{bottom:100%;}.bk-root .bk-menu.bk-below{top:100%;}.bk-root .bk-menu > .bk-divider{height:1px;margin:7.5px 0;overflow:hidden;background-color:#e5e5e5;}.bk-root .bk-menu > :not(.bk-divider){padding:6px 12px;}.bk-root .bk-menu > :not(.bk-divider):hover,.bk-root .bk-menu > :not(.bk-divider).bk-active{background-color:#e6e6e6;}.bk-root .bk-caret{display:inline-block;vertical-align:middle;width:0;height:0;margin:0 5px;}.bk-root .bk-caret.bk-down{border-top:4px solid;}.bk-root .bk-caret.bk-up{border-bottom:4px solid;}.bk-root .bk-caret.bk-down,.bk-root .bk-caret.bk-up{border-right:4px solid transparent;border-left:4px solid transparent;}.bk-root .bk-caret.bk-left{border-right:4px solid;}.bk-root .bk-caret.bk-right{border-left:4px solid;}.bk-root .bk-caret.bk-left,.bk-root .bk-caret.bk-right{border-top:4px solid transparent;border-bottom:4px solid transparent;}\"},\n function _(t,e,i,n,o){n();const s=t(1),l=t(43),h=t(9),r=(0,s.__importStar)(t(229));class d{constructor(t,e={}){var i,n;this.items=t,this.el=(0,l.div)(),this._open=!1,this._item_click=t=>{var e;null===(e=t.handler)||void 0===e||e.call(t),this.hide()},this._on_mousedown=t=>{var e;const{target:i}=t;i instanceof Node&&this.el.contains(i)||(null===(e=this.prevent_hide)||void 0===e?void 0:e.call(this,t))||this.hide()},this._on_keydown=t=>{t.keyCode==l.Keys.Esc&&this.hide()},this._on_blur=()=>{this.hide()},this.orientation=null!==(i=e.orientation)&&void 0!==i?i:\"vertical\",this.reversed=null!==(n=e.reversed)&&void 0!==n&&n,this.prevent_hide=e.prevent_hide,(0,l.undisplay)(this.el)}get is_open(){return this._open}get can_open(){return 0!=this.items.length}remove(){(0,l.remove)(this.el),this._unlisten()}_listen(){document.addEventListener(\"mousedown\",this._on_mousedown),document.addEventListener(\"keydown\",this._on_keydown),window.addEventListener(\"blur\",this._on_blur)}_unlisten(){document.removeEventListener(\"mousedown\",this._on_mousedown),document.removeEventListener(\"keydown\",this._on_keydown),window.removeEventListener(\"blur\",this._on_blur)}_position(t){const e=this.el.parentElement;if(null!=e){const i=(()=>{if(\"left_of\"in t){const{left:e,top:i}=t.left_of.getBoundingClientRect();return{right:e,top:i}}if(\"right_of\"in t){const{top:e,right:i}=t.right_of.getBoundingClientRect();return{left:i,top:e}}if(\"below\"in t){const{left:e,bottom:i}=t.below.getBoundingClientRect();return{left:e,top:i}}if(\"above\"in t){const{left:e,top:i}=t.above.getBoundingClientRect();return{left:e,bottom:i}}return t})(),n=e.getBoundingClientRect();this.el.style.left=null!=i.left?i.left-n.left+\"px\":\"\",this.el.style.top=null!=i.top?i.top-n.top+\"px\":\"\",this.el.style.right=null!=i.right?n.right-i.right+\"px\":\"\",this.el.style.bottom=null!=i.bottom?n.bottom-i.bottom+\"px\":\"\"}}render(){var t;(0,l.empty)(this.el,!0),(0,l.classes)(this.el).add(\"bk-context-menu\",`bk-${this.orientation}`);const e=this.reversed?(0,h.reversed)(this.items):this.items;for(const i of e){let e;if(null==i)e=(0,l.div)({class:r.divider});else{if(null!=i.if&&!i.if())continue;if(null!=i.content)e=i.content;else{const n=null!=i.icon?(0,l.div)({class:[\"bk-menu-icon\",i.icon]}):null,o=[(null===(t=i.active)||void 0===t?void 0:t.call(i))?\"bk-active\":null,i.class];e=(0,l.div)({class:o,title:i.tooltip,tabIndex:0},n,i.label,i.content),e.addEventListener(\"click\",(()=>{this._item_click(i)})),e.addEventListener(\"keydown\",(t=>{t.keyCode==l.Keys.Enter&&this._item_click(i)}))}}this.el.appendChild(e)}}show(t){if(0!=this.items.length&&!this._open){if(this.render(),0==this.el.children.length)return;this._position(null!=t?t:{left:0,top:0}),(0,l.display)(this.el),this._listen(),this._open=!0}}hide(){this._open&&(this._open=!1,this._unlisten(),(0,l.undisplay)(this.el))}toggle(t){this._open?this.hide():this.show(t)}}i.ContextMenu=d,d.__name__=\"ContextMenu\"},\n function _(t,e,i,n,o){n();const s=t(1),c=t(224),l=(0,s.__importStar)(t(227)),a=t(43);class _ extends c.ButtonToolButtonView{render(){super.render(),(0,a.classes)(this.el).toggle(l.active,this.model.active)}_clicked(){const{active:t}=this.model;this.model.active=!t}}i.OnOffButtonView=_,_.__name__=\"OnOffButtonView\"},\n function _(e,o,t,n,s){var c;n();const l=e(224),_=e(231);class i extends l.ButtonToolView{}t.InspectToolView=i,i.__name__=\"InspectToolView\";class a extends l.ButtonTool{constructor(e){super(e),this.event_type=\"move\"}}t.InspectTool=a,c=a,a.__name__=\"InspectTool\",c.prototype.button_view=_.OnOffButtonView,c.define((({Boolean:e})=>({toggleable:[e,!0]}))),c.override({active:!0})},\n function _(t,o,e,l,i){l();const s=t(1);var n,a;const r=t(19),c=t(43),h=t(113),_=t(226),u=t(20),v=t(9),d=t(234),p=t(13),b=t(8),g=t(235),f=t(65),m=t(53),w=t(222),y=t(223),T=t(238),z=t(239),x=t(232),B=t(230),C=(0,s.__importStar)(t(227)),k=C,L=(0,s.__importStar)(t(240)),M=L;class S extends m.Model{constructor(t){super(t)}get visible(){var t;return!this.autohide||null!==(t=this._visible)&&void 0!==t&&t}}e.ToolbarViewModel=S,n=S,S.__name__=\"ToolbarViewModel\",n.define((({Boolean:t})=>({autohide:[t,!1]}))),n.internal((({Boolean:t,Nullable:o})=>({_visible:[o(t),null]})));class $ extends _.DOMView{constructor(){super(...arguments),this.layout={bbox:new f.BBox}}initialize(){super.initialize(),this._tool_button_views=new Map,this._toolbar_view_model=new S({autohide:this.model.autohide});const{toolbar_location:t}=this.model,o=\"left\"==t||\"above\"==t,e=this.model.horizontal?\"vertical\":\"horizontal\";this._overflow_menu=new B.ContextMenu([],{orientation:e,reversed:o})}async lazy_initialize(){await super.lazy_initialize(),await this._build_tool_button_views()}connect_signals(){super.connect_signals(),this.connect(this.model.properties.tools.change,(async()=>{await this._build_tool_button_views(),this.render()})),this.connect(this.model.properties.autohide.change,(()=>{this._toolbar_view_model.autohide=this.model.autohide,this._on_visible_change()})),this.connect(this._toolbar_view_model.properties._visible.change,(()=>this._on_visible_change()))}styles(){return[...super.styles(),C.default,L.default]}remove(){(0,h.remove_views)(this._tool_button_views),super.remove()}async _build_tool_button_views(){const t=null!=this.model._proxied_tools?this.model._proxied_tools:this.model.tools;await(0,h.build_views)(this._tool_button_views,t,{parent:this},(t=>t.button_view))}set_visibility(t){t!=this._toolbar_view_model._visible&&(this._toolbar_view_model._visible=t)}_on_visible_change(){const{visible:t}=this._toolbar_view_model;(0,c.classes)(this.el).toggle(k.toolbar_hidden,!t)}render(){(0,c.empty)(this.el),this.el.classList.add(k.toolbar),this.el.classList.add(k[this.model.toolbar_location]),this._toolbar_view_model.autohide=this.model.autohide,this._on_visible_change();const{horizontal:t}=this.model;let o=0;if(null!=this.model.logo){const e=\"grey\"===this.model.logo?M.grey:null,l=(0,c.a)({href:\"https://bokeh.org/\",target:\"_blank\",class:[M.logo,M.logo_small,e]});this.el.appendChild(l);const{width:i,height:s}=l.getBoundingClientRect();o+=t?i:s}for(const[,t]of this._tool_button_views)t.render();const e=[],l=t=>this._tool_button_views.get(t).el,{gestures:i}=this.model;for(const t of(0,p.values)(i))e.push(t.tools.map(l));e.push(this.model.actions.map(l)),e.push(this.model.inspectors.filter((t=>t.toggleable)).map(l));const s=e.filter((t=>0!=t.length)),n=()=>(0,c.div)({class:k.divider}),{bbox:a}=this.layout;let r=!1;this.root.el.appendChild(this._overflow_menu.el);const h=(0,c.div)({class:k.tool_overflow,tabIndex:0},t?\"\\u22ee\":\"\\u22ef\"),_=()=>{const t=(()=>{switch(this.model.toolbar_location){case\"right\":return{left_of:h};case\"left\":return{right_of:h};case\"above\":return{below:h};case\"below\":return{above:h}}})();this._overflow_menu.toggle(t)};h.addEventListener(\"click\",(()=>{_()})),h.addEventListener(\"keydown\",(t=>{t.keyCode==c.Keys.Enter&&_()}));for(const e of(0,d.join)(s,n))if(r)this._overflow_menu.items.push({content:e,class:t?k.right:k.above});else{this.el.appendChild(e);const{width:l,height:i}=e.getBoundingClientRect();if(o+=t?l:i,r=t?o>a.width-15:o>a.height-15,r){this.el.removeChild(e),this.el.appendChild(h);const{items:t}=this._overflow_menu;t.splice(0,t.length),t.push({content:e})}}}update_layout(){}update_position(){}after_layout(){this._has_finished=!0}export(t,o=!0){const e=\"png\"==t?\"canvas\":\"svg\",l=new g.CanvasLayer(e,o);return l.resize(0,0),l}}function V(){return{pan:{tools:[],active:null},scroll:{tools:[],active:null},pinch:{tools:[],active:null},tap:{tools:[],active:null},doubletap:{tools:[],active:null},press:{tools:[],active:null},pressup:{tools:[],active:null},rotate:{tools:[],active:null},move:{tools:[],active:null},multi:{tools:[],active:null}}}e.ToolbarBaseView=$,$.__name__=\"ToolbarBaseView\";class A extends m.Model{constructor(t){super(t)}initialize(){super.initialize(),this._init_tools()}_init_tools(){const t=function(t,o){if(t.length!=o.length)return!0;const e=new Set(o.map((t=>t.id)));return(0,v.some)(t,(t=>!e.has(t.id)))},o=this.tools.filter((t=>t instanceof x.InspectTool));t(this.inspectors,o)&&(this.inspectors=o);const e=this.tools.filter((t=>t instanceof z.HelpTool));t(this.help,e)&&(this.help=e);const l=this.tools.filter((t=>t instanceof T.ActionTool));t(this.actions,l)&&(this.actions=l);const i=(t,o)=>{t in this.gestures||r.logger.warn(`Toolbar: unknown event type '${t}' for tool: ${o}`)},s={pan:{tools:[],active:null},scroll:{tools:[],active:null},pinch:{tools:[],active:null},tap:{tools:[],active:null},doubletap:{tools:[],active:null},press:{tools:[],active:null},pressup:{tools:[],active:null},rotate:{tools:[],active:null},move:{tools:[],active:null},multi:{tools:[],active:null}};for(const t of this.tools)if(t instanceof y.GestureTool&&t.event_type)if((0,b.isString)(t.event_type))s[t.event_type].tools.push(t),i(t.event_type,t);else{s.multi.tools.push(t);for(const o of t.event_type)i(o,t)}for(const o of Object.keys(s)){const e=this.gestures[o];t(e.tools,s[o].tools)&&(e.tools=s[o].tools),e.active&&(0,v.every)(e.tools,(t=>t.id!=e.active.id))&&(e.active=null)}}get horizontal(){return\"above\"===this.toolbar_location||\"below\"===this.toolbar_location}get vertical(){return\"left\"===this.toolbar_location||\"right\"===this.toolbar_location}_active_change(t){const{event_type:o}=t;if(null==o)return;const e=(0,b.isString)(o)?[o]:o;for(const o of e)if(t.active){const e=this.gestures[o].active;null!=e&&t!=e&&(r.logger.debug(`Toolbar: deactivating tool: ${e} for event type '${o}'`),e.active=!1),this.gestures[o].active=t,r.logger.debug(`Toolbar: activating tool: ${t} for event type '${o}'`)}else this.gestures[o].active=null}}e.ToolbarBase=A,a=A,A.__name__=\"ToolbarBase\",a.prototype.default_view=$,a.define((({Boolean:t,Array:o,Ref:e,Nullable:l})=>({tools:[o(e(w.Tool)),[]],logo:[l(u.Logo),\"normal\"],autohide:[t,!1]}))),a.internal((({Array:t,Struct:o,Ref:e,Nullable:l})=>{const i=o({tools:t(e(y.GestureTool)),active:l(e(w.Tool))});return{gestures:[o({pan:i,scroll:i,pinch:i,tap:i,doubletap:i,press:i,pressup:i,rotate:i,move:i,multi:i}),V],actions:[t(e(T.ActionTool)),[]],inspectors:[t(e(x.InspectTool)),[]],help:[t(e(z.HelpTool)),[]],toolbar_location:[u.Location,\"right\"]}}))},\n function _(n,o,e,t,f){t();const r=n(9);function*i(n,o){const e=n.length;if(o>e)return;const t=(0,r.range)(o);for(yield t.map((o=>n[o]));;){let f;for(const n of(0,r.reversed)((0,r.range)(o)))if(t[n]!=n+e-o){f=n;break}if(null==f)return;t[f]+=1;for(const n of(0,r.range)(f+1,o))t[n]=t[n-1]+1;yield t.map((o=>n[o]))}}e.enumerate=function*(n){let o=0;for(const e of n)yield[e,o++]},e.join=function*(n,o){let e=!0;for(const t of n)e?e=!1:null!=o&&(yield o()),yield*t},e.combinations=i,e.subsets=function*(n){for(const o of(0,r.range)(n.length+1))yield*i(n,o)}},\n function _(t,e,s,i,n){i();const o=t(236),a=t(65),r=t(43);function h(t){!function(t){void 0===t.lineDash&&Object.defineProperty(t,\"lineDash\",{get:()=>t.getLineDash(),set:e=>t.setLineDash(e)})}(t),function(t){t.setImageSmoothingEnabled=e=>{t.imageSmoothingEnabled=e,t.mozImageSmoothingEnabled=e,t.oImageSmoothingEnabled=e,t.webkitImageSmoothingEnabled=e,t.msImageSmoothingEnabled=e},t.getImageSmoothingEnabled=()=>{const e=t.imageSmoothingEnabled;return null==e||e}}(t),function(t){t.ellipse||(t.ellipse=function(e,s,i,n,o,a,r,h=!1){const l=.551784;t.translate(e,s),t.rotate(o);let c=i,g=n;h&&(c=-i,g=-n),t.moveTo(-c,0),t.bezierCurveTo(-c,g*l,-c*l,g,0,g),t.bezierCurveTo(c*l,g,c,g*l,c,0),t.bezierCurveTo(c,-g*l,c*l,-g,0,-g),t.bezierCurveTo(-c*l,-g,-c,-g*l,-c,0),t.rotate(-o),t.translate(-e,-s)})}(t)}const l={position:\"absolute\",top:\"0\",left:\"0\",width:\"100%\",height:\"100%\"};class c{constructor(t,e){switch(this.backend=t,this.hidpi=e,this.pixel_ratio=1,this.bbox=new a.BBox,t){case\"webgl\":case\"canvas\":{this._el=this._canvas=(0,r.canvas)({style:l});const t=this.canvas.getContext(\"2d\");if(null==t)throw new Error(\"unable to obtain 2D rendering context\");this._ctx=t,e&&(this.pixel_ratio=devicePixelRatio);break}case\"svg\":{const t=new o.SVGRenderingContext2D;this._ctx=t,this._canvas=t.get_svg(),this._el=(0,r.div)({style:l},this._canvas);break}}this._ctx.layer=this,h(this._ctx)}get canvas(){return this._canvas}get ctx(){return this._ctx}get el(){return this._el}resize(t,e){this.bbox=new a.BBox({left:0,top:0,width:t,height:e});const s=this._ctx instanceof o.SVGRenderingContext2D?this._ctx:this.canvas;s.width=t*this.pixel_ratio,s.height=e*this.pixel_ratio}undo_transform(t){const{ctx:e}=this;if(void 0===e.getTransform)t(e);else{const s=e.getTransform();e.setTransform(this._base_transform);try{t(e)}finally{e.setTransform(s)}}}prepare(){const{ctx:t,hidpi:e,pixel_ratio:s}=this;t.save(),e&&(t.scale(s,s),t.translate(.5,.5)),void 0!==t.getTransform&&(this._base_transform=t.getTransform()),this.clear()}clear(){const{x:t,y:e,width:s,height:i}=this.bbox;this.ctx.clearRect(t,e,s,i)}finish(){this.ctx.restore()}to_blob(){const{_canvas:t}=this;if(t instanceof HTMLCanvasElement)return null!=t.msToBlob?Promise.resolve(t.msToBlob()):new Promise(((e,s)=>{t.toBlob((t=>null!=t?e(t):s()),\"image/png\")}));{const t=this._ctx.get_serialized_svg(!0),e=new Blob([t],{type:\"image/svg+xml\"});return Promise.resolve(e)}}}s.CanvasLayer=c,c.__name__=\"CanvasLayer\"},\n function _(t,e,i,s,r){s();const n=t(122),a=t(8),o=t(237),l=t(10),h=t(43);function _(t){var e;const i={left:\"start\",right:\"end\",center:\"middle\",start:\"start\",end:\"end\"};return null!==(e=i[t])&&void 0!==e?e:i.start}function c(t){var e;const i={alphabetic:\"alphabetic\",hanging:\"hanging\",top:\"text-before-edge\",bottom:\"text-after-edge\",middle:\"central\"};return null!==(e=i[t])&&void 0!==e?e:i.alphabetic}const p=function(t,e){const i=new Map,s=t.split(\",\");e=null!=e?e:10;for(let t=0;t=0?Math.acos(e):-Math.acos(e)}const v=b(f),A=b(g);this.lineTo(d+f[0]*r,m+f[1]*r),this.arc(d,m,r,v,A)}stroke(){\"path\"===this.__currentElement.nodeName&&this.__currentElement.setAttribute(\"paint-order\",\"fill\"),this.__applyCurrentDefaultPath(),this.__applyStyleToCurrentElement(\"stroke\"),null!=this._clip_path&&this.__currentElement.setAttribute(\"clip-path\",this._clip_path)}fill(t,e){let i=null;if(t instanceof Path2D)i=t;else{if(\"evenodd\"!=t&&\"nonzero\"!=t&&null!=t||null!=e)throw new Error(\"invalid arguments\");e=t}if(null!=i)throw new Error(\"not implemented\");\"none\"!=this.__currentElement.getAttribute(\"fill\")&&this.__init_element(),\"path\"===this.__currentElement.nodeName&&this.__currentElement.setAttribute(\"paint-order\",\"stroke\"),this.__applyCurrentDefaultPath(),this.__applyStyleToCurrentElement(\"fill\"),null!=e&&this.__currentElement.setAttribute(\"fill-rule\",e),null!=this._clip_path&&this.__currentElement.setAttribute(\"clip-path\",this._clip_path)}rect(t,e,i,s){isFinite(t+e+i+s)&&(this.moveTo(t,e),this.lineTo(t+i,e),this.lineTo(t+i,e+s),this.lineTo(t,e+s),this.lineTo(t,e))}fillRect(t,e,i,s){isFinite(t+e+i+s)&&(this.beginPath(),this.rect(t,e,i,s),this.fill())}strokeRect(t,e,i,s){isFinite(t+e+i+s)&&(this.beginPath(),this.rect(t,e,i,s),this.stroke())}__clearCanvas(){(0,h.empty)(this.__defs),(0,h.empty)(this.__root),this.__root.appendChild(this.__defs),this.__currentElement=this.__root}clearRect(t,e,i,s){if(!isFinite(t+e+i+s))return;if(0===t&&0===e&&i===this.width&&s===this.height)return void this.__clearCanvas();const r=this.__createElement(\"rect\",{x:t,y:e,width:i,height:s,fill:\"#FFFFFF\"},!0);this._apply_transform(r),this.__root.appendChild(r)}createLinearGradient(t,e,i,s){if(!isFinite(t+e+i+s))throw new Error(\"The provided double value is non-finite\");const[r,n]=this._transform.apply(t,e),[a,o]=this._transform.apply(i,s),l=this.__createElement(\"linearGradient\",{id:this._random_string(),x1:`${r}px`,x2:`${a}px`,y1:`${n}px`,y2:`${o}px`,gradientUnits:\"userSpaceOnUse\"},!1);return this.__defs.appendChild(l),new d(l,this)}createRadialGradient(t,e,i,s,r,n){if(!isFinite(t+e+i+s+r+n))throw new Error(\"The provided double value is non-finite\");const[a,o]=this._transform.apply(t,e),[l,h]=this._transform.apply(s,r),_=this.__createElement(\"radialGradient\",{id:this._random_string(),cx:`${l}px`,cy:`${h}px`,r:`${n}px`,r0:`${i}px`,fx:`${a}px`,fy:`${o}px`,gradientUnits:\"userSpaceOnUse\"},!1);return this.__defs.appendChild(_),new d(_,this)}__parseFont(){var t,e,i,s,r;const n=/^\\s*(?=(?:(?:[-a-z]+\\s*){0,2}(italic|oblique))?)(?=(?:(?:[-a-z]+\\s*){0,2}(small-caps))?)(?=(?:(?:[-a-z]+\\s*){0,2}(bold(?:er)?|lighter|[1-9]00))?)(?:(?:normal|\\1|\\2|\\3)\\s*){0,3}((?:xx?-)?(?:small|large)|medium|smaller|larger|[.\\d]+(?:\\%|in|[cem]m|ex|p[ctx]))(?:\\s*\\/\\s*(normal|[.\\d]+(?:\\%|in|[cem]m|ex|p[ctx])))?\\s*([-,\\'\\\"\\sa-z0-9]+?)\\s*$/i.exec(this.font);return{style:null!==(t=n[1])&&void 0!==t?t:\"normal\",size:null!==(e=n[4])&&void 0!==e?e:\"10px\",family:null!==(i=n[6])&&void 0!==i?i:\"sans-serif\",weight:null!==(s=n[3])&&void 0!==s?s:\"normal\",decoration:null!==(r=n[2])&&void 0!==r?r:\"normal\"}}__applyText(t,e,i,s){const r=this.__parseFont(),n=this.__createElement(\"text\",{\"font-family\":r.family,\"font-size\":r.size,\"font-style\":r.style,\"font-weight\":r.weight,\"text-decoration\":r.decoration,x:e,y:i,\"text-anchor\":_(this.textAlign),\"dominant-baseline\":c(this.textBaseline)},!0);n.appendChild(this.__document.createTextNode(t)),this._apply_transform(n),this.__currentElement=n,this.__applyStyleToCurrentElement(s);const a=(()=>{if(null!=this._clip_path){const t=this.__createElement(\"g\");return t.setAttribute(\"clip-path\",this._clip_path),t.appendChild(n),t}return n})();this.__root.appendChild(a)}fillText(t,e,i){null!=t&&isFinite(e+i)&&this.__applyText(t,e,i,\"fill\")}strokeText(t,e,i){null!=t&&isFinite(e+i)&&this.__applyText(t,e,i,\"stroke\")}measureText(t){return this.__ctx.font=this.font,this.__ctx.measureText(t)}arc(t,e,i,s,r,n=!1){this.ellipse(t,e,i,i,0,s,r,n)}ellipse(t,e,i,s,r,n,a,o=!1){if(!isFinite(t+e+i+s+r+n+a))return;if(i<0||s<0)throw new DOMException(\"IndexSizeError, radius can't be negative\");const h=o?a-n:n-a;n%=2*Math.PI,a%=2*Math.PI;const _=t+i*Math.cos(n),c=e+s*Math.sin(n);this.lineTo(_,c);const p=180*r/Math.PI,u=o?0:1;if(Math.abs(n-a)<2*l.float32_epsilon&&!(Math.abs(h)<2*l.float32_epsilon&&h<0)){const r=t+i*Math.cos(n+Math.PI),a=e+s*Math.sin(n+Math.PI),[o,l]=this._transform.apply(_,c),[h,d]=this._transform.apply(r,a);this.__addPathCommand(o,l,`A ${i} ${s} ${p} 0 ${u} ${h} ${d} A ${i} ${s} ${p} 0 ${u} ${o} ${l}`)}else{const r=t+i*Math.cos(a),l=e+s*Math.sin(a);let h=a-n;h<0&&(h+=2*Math.PI);const _=o!==h>Math.PI?1:0,[c,d]=this._transform.apply(r,l);this.__addPathCommand(c,d,`A ${i} ${s} ${p} ${_} ${u} ${c} ${d}`)}}clip(){const t=this.__createElement(\"clipPath\"),e=this._random_string();this.__applyCurrentDefaultPath(),t.setAttribute(\"id\",e),t.appendChild(this.__currentElement),this.__defs.appendChild(t),this._clip_path=`url(#${e})`}drawImage(t,...e){let i,s,r,n,a,o,l,h;if(2==e.length){if([i,s]=e,!isFinite(i+s))return;a=0,o=0,l=t.width,h=t.height,r=l,n=h}else if(4==e.length){if([i,s,r,n]=e,!isFinite(i+s+r+n))return;a=0,o=0,l=t.width,h=t.height}else{if(8!==e.length)throw new Error(`Inavlid number of arguments passed to drawImage: ${arguments.length}`);if([a,o,l,h,i,s,r,n]=e,!isFinite(a+o+l+h+i+s+r+n))return}const _=this.__root,c=this._transform.clone().translate(i,s);if(t instanceof f||t instanceof SVGSVGElement){const e=(t instanceof SVGSVGElement?t:t.get_svg()).cloneNode(!0);let i;c.is_identity&&1==this.globalAlpha&&null==this._clip_path?i=_:(i=this.__createElement(\"g\"),c.is_identity||this._apply_transform(i,c),1!=this.globalAlpha&&i.setAttribute(\"opacity\",`${this.globalAlpha}`),null!=this._clip_path&&i.setAttribute(\"clip-path\",this._clip_path),_.appendChild(i));for(const t of[...e.childNodes])if(t instanceof SVGDefsElement){for(const e of[...t.childNodes])if(e instanceof Element){const t=e.getAttribute(\"id\");this.__ids.add(t),this.__defs.appendChild(e.cloneNode(!0))}}else i.appendChild(t.cloneNode(!0))}else if(t instanceof HTMLImageElement||t instanceof SVGImageElement){const e=this.__createElement(\"image\");if(e.setAttribute(\"width\",`${r}`),e.setAttribute(\"height\",`${n}`),e.setAttribute(\"preserveAspectRatio\",\"none\"),1!=this.globalAlpha&&e.setAttribute(\"opacity\",`${this.globalAlpha}`),a||o||l!==t.width||h!==t.height){const e=this.__document.createElement(\"canvas\");e.width=r,e.height=n;e.getContext(\"2d\").drawImage(t,a,o,l,h,0,0,r,n),t=e}this._apply_transform(e,c);const i=t instanceof HTMLCanvasElement?t.toDataURL():t.getAttribute(\"src\");if(e.setAttribute(\"href\",i),null!=this._clip_path){const t=this.__createElement(\"g\");t.setAttribute(\"clip-path\",this._clip_path),t.appendChild(e),_.appendChild(t)}else _.appendChild(e)}else if(t instanceof HTMLCanvasElement){const e=this.__createElement(\"image\");e.setAttribute(\"width\",`${r}`),e.setAttribute(\"height\",`${n}`),e.setAttribute(\"preserveAspectRatio\",\"none\"),1!=this.globalAlpha&&e.setAttribute(\"opacity\",`${this.globalAlpha}`);const i=this.__document.createElement(\"canvas\");i.width=r,i.height=n;const s=i.getContext(\"2d\");if(s.imageSmoothingEnabled=!1,s.drawImage(t,a,o,l,h,0,0,r,n),t=i,this._apply_transform(e,c),e.setAttribute(\"href\",t.toDataURL()),null!=this._clip_path){const t=this.__createElement(\"g\");t.setAttribute(\"clip-path\",this._clip_path),t.appendChild(e),_.appendChild(t)}else _.appendChild(e)}}createPattern(t,e){const i=this.__document.createElementNS(\"http://www.w3.org/2000/svg\",\"pattern\"),s=this._random_string();if(i.setAttribute(\"id\",s),i.setAttribute(\"width\",`${this._to_number(t.width)}`),i.setAttribute(\"height\",`${this._to_number(t.height)}`),i.setAttribute(\"patternUnits\",\"userSpaceOnUse\"),t instanceof HTMLCanvasElement||t instanceof HTMLImageElement||t instanceof SVGImageElement){const e=this.__document.createElementNS(\"http://www.w3.org/2000/svg\",\"image\"),s=t instanceof HTMLCanvasElement?t.toDataURL():t.getAttribute(\"src\");e.setAttribute(\"href\",s),i.appendChild(e),this.__defs.appendChild(i)}else if(t instanceof f){for(const e of[...t.__root.childNodes])e instanceof SVGDefsElement||i.appendChild(e.cloneNode(!0));this.__defs.appendChild(i)}else{if(!(t instanceof SVGSVGElement))throw new Error(\"unsupported\");for(const e of[...t.childNodes])e instanceof SVGDefsElement||i.appendChild(e.cloneNode(!0));this.__defs.appendChild(i)}return new m(i,this)}getLineDash(){const{lineDash:t}=this;return(0,a.isString)(t)?t.split(\",\").map((t=>parseInt(t))):null==t?[]:t}setLineDash(t){t&&t.length>0?this.lineDash=t.join(\",\"):this.lineDash=null}_to_number(t){return(0,a.isNumber)(t)?t:t.baseVal.value}getTransform(){return this._transform.to_DOMMatrix()}setTransform(...t){let e;e=(0,a.isNumber)(t[0])?new DOMMatrix(t):t[0]instanceof DOMMatrix?t[0]:new DOMMatrix(Object.values(!t[0])),this._transform=n.AffineTransform.from_DOMMatrix(e)}resetTransform(){this._transform=new n.AffineTransform}isPointInPath(...t){throw new Error(\"not implemented\")}isPointInStroke(...t){throw new Error(\"not implemented\")}createImageData(...t){throw new Error(\"not implemented\")}getImageData(t,e,i,s){throw new Error(\"not implemented\")}putImageData(...t){throw new Error(\"not implemented\")}drawFocusIfNeeded(...t){throw new Error(\"not implemented\")}scrollPathIntoView(...t){throw new Error(\"not implemented\")}}i.SVGRenderingContext2D=f,f.__name__=\"SVGRenderingContext2D\",f.__random=o.random},\n function _(e,t,s,n,r){n();const o=2147483647;class i{constructor(e){this.seed=e%o,this.seed<=0&&(this.seed+=2147483646)}integer(){return this.seed=48271*this.seed%o,this.seed}float(){return(this.integer()-1)/2147483646}floats(e,t=0,s=1){const n=new Array(e);for(let r=0;rthis.doit(o)))}}n.ActionToolView=_,_.__name__=\"ActionToolView\";class d extends s.ButtonTool{constructor(o){super(o),this.button_view=l,this.do=new c.Signal(this,\"do\")}}n.ActionTool=d,d.__name__=\"ActionTool\"},\n function _(o,e,t,l,i){var s;l();const n=o(238),r=o(228);class c extends n.ActionToolView{doit(){window.open(this.model.redirect)}}t.HelpToolView=c,c.__name__=\"HelpToolView\";class _ extends n.ActionTool{constructor(o){super(o),this.tool_name=\"Help\",this.icon=r.tool_icon_help}}t.HelpTool=_,s=_,_.__name__=\"HelpTool\",s.prototype.default_view=c,s.define((({String:o})=>({redirect:[o,\"https://docs.bokeh.org/en/latest/docs/user_guide/tools.html\"]}))),s.override({description:\"Click the question mark to learn more about Bokeh plot tools.\"}),s.register_alias(\"help\",(()=>new _))},\n function _(o,l,g,A,r){A(),g.root=\"bk-root\",g.logo=\"bk-logo\",g.grey=\"bk-grey\",g.logo_small=\"bk-logo-small\",g.logo_notebook=\"bk-logo-notebook\",g.default=\".bk-root .bk-logo{margin:5px;position:relative;display:block;background-repeat:no-repeat;}.bk-root .bk-logo.bk-grey{filter:url(\\\"data:image/svg+xml;utf8,#grayscale\\\");filter:gray;-webkit-filter:grayscale(100%);}.bk-root .bk-logo-small{width:20px;height:20px;background-image:url(data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAABQAAAAUCAYAAACNiR0NAAAABHNCSVQICAgIfAhkiAAAAAlwSFlzAAALEgAACxIB0t1+/AAAABx0RVh0U29mdHdhcmUAQWRvYmUgRmlyZXdvcmtzIENTNui8sowAAAOkSURBVDiNjZRtaJVlGMd/1/08zzln5zjP1LWcU9N0NkN8m2CYjpgQYQXqSs0I84OLIC0hkEKoPtiH3gmKoiJDU7QpLgoLjLIQCpEsNJ1vqUOdO7ppbuec5+V+rj4ctwzd8IIbbi6u+8f1539dt3A78eXC7QizUF7gyV1fD1Yqg4JWz84yffhm0qkFqBogB9rM8tZdtwVsPUhWhGcFJngGeWrPzHm5oaMmkfEg1usvLFyc8jLRqDOMru7AyC8saQr7GG7f5fvDeH7Ej8CM66nIF+8yngt6HWaKh7k49Soy9nXurCi1o3qUbS3zWfrYeQDTB/Qj6kX6Ybhw4B+bOYoLKCC9H3Nu/leUTZ1JdRWkkn2ldcCamzrcf47KKXdAJllSlxAOkRgyHsGC/zRday5Qld9DyoM4/q/rUoy/CXh3jzOu3bHUVZeU+DEn8FInkPBFlu3+nW3Nw0mk6vCDiWg8CeJaxEwuHS3+z5RgY+YBR6V1Z1nxSOfoaPa4LASWxxdNp+VWTk7+4vzaou8v8PN+xo+KY2xsw6une2frhw05CTYOmQvsEhjhWjn0bmXPjpE1+kplmmkP3suftwTubK9Vq22qKmrBhpY4jvd5afdRA3wGjFAgcnTK2s4hY0/GPNIb0nErGMCRxWOOX64Z8RAC4oCXdklmEvcL8o0BfkNK4lUg9HTl+oPlQxdNo3Mg4Nv175e/1LDGzZen30MEjRUtmXSfiTVu1kK8W4txyV6BMKlbgk3lMwYCiusNy9fVfvvwMxv8Ynl6vxoByANLTWplvuj/nF9m2+PDtt1eiHPBr1oIfhCChQMBw6Aw0UulqTKZdfVvfG7VcfIqLG9bcldL/+pdWTLxLUy8Qq38heUIjh4XlzZxzQm19lLFlr8vdQ97rjZVOLf8nclzckbcD4wxXMidpX30sFd37Fv/GtwwhzhxGVAprjbg0gCAEeIgwCZyTV2Z1REEW8O4py0wsjeloKoMr6iCY6dP92H6Vw/oTyICIthibxjm/DfN9lVz8IqtqKYLUXfoKVMVQVVJOElGjrnnUt9T9wbgp8AyYKaGlqingHZU/uG2NTZSVqwHQTWkx9hxjkpWDaCg6Ckj5qebgBVbT3V3NNXMSiWSDdGV3hrtzla7J+duwPOToIg42ChPQOQjspnSlp1V+Gjdged7+8UN5CRAV7a5EdFNwCjEaBR27b3W890TE7g24NAP/mMDXRWrGoFPQI9ls/MWO2dWFAar/xcOIImbbpA3zgAAAABJRU5ErkJggg==);}.bk-root .bk-logo-notebook{display:inline-block;vertical-align:middle;margin-right:5px;}\"},\n function _(e,t,s,i,l){i();const o=e(1);var n;const a=e(40),h=e(20),r=e(43),c=(0,o.__importStar)(e(242)),d=c;class p extends a.AnnotationView{initialize(){super.initialize(),this.el=(0,r.div)({class:d.tooltip}),(0,r.undisplay)(this.el),this.plot_view.canvas_view.add_overlay(this.el)}remove(){(0,r.remove)(this.el),super.remove()}connect_signals(){super.connect_signals(),this.connect(this.model.properties.content.change,(()=>this.render())),this.connect(this.model.properties.position.change,(()=>this._reposition()))}styles(){return[...super.styles(),c.default]}render(){this.model.visible||(0,r.undisplay)(this.el),super.render()}_render(){const{content:e}=this.model;null!=e?((0,r.empty)(this.el),(0,r.classes)(this.el).toggle(\"bk-tooltip-custom\",this.model.custom),this.el.appendChild(e),this.model.show_arrow&&this.el.classList.add(d.tooltip_arrow)):(0,r.undisplay)(this.el)}_reposition(){const{position:e}=this.model;if(null==e)return void(0,r.undisplay)(this.el);const[t,s]=e,i=(()=>{const e=this.parent.layout.bbox.relative(),{attachment:i}=this.model;switch(i){case\"horizontal\":return t({attachment:[h.TooltipAttachment,\"horizontal\"],inner_only:[e,!0],show_arrow:[e,!0]}))),n.internal((({Boolean:e,Number:t,Tuple:s,Ref:i,Nullable:l})=>({position:[l(s(t,t)),null],content:[i(HTMLElement),()=>(0,r.div)()],custom:[e]}))),n.override({level:\"overlay\"})},\n function _(o,t,r,e,l){e(),r.root=\"bk-root\",r.tooltip=\"bk-tooltip\",r.left=\"bk-left\",r.tooltip_arrow=\"bk-tooltip-arrow\",r.right=\"bk-right\",r.above=\"bk-above\",r.below=\"bk-below\",r.tooltip_row_label=\"bk-tooltip-row-label\",r.tooltip_row_value=\"bk-tooltip-row-value\",r.tooltip_color_block=\"bk-tooltip-color-block\",r.default='.bk-root{}.bk-root .bk-tooltip{font-weight:300;font-size:12px;position:absolute;padding:5px;border:1px solid #e5e5e5;color:#2f2f2f;background-color:white;pointer-events:none;opacity:0.95;z-index:100;}.bk-root .bk-tooltip > div:not(:first-child){margin-top:5px;border-top:#e5e5e5 1px dashed;}.bk-root .bk-tooltip.bk-left.bk-tooltip-arrow::before{position:absolute;margin:-7px 0 0 0;top:50%;width:0;height:0;border-style:solid;border-width:7px 0 7px 0;border-color:transparent;content:\" \";display:block;left:-10px;border-right-width:10px;border-right-color:#909599;}.bk-root .bk-tooltip.bk-left::before{left:-10px;border-right-width:10px;border-right-color:#909599;}.bk-root .bk-tooltip.bk-right.bk-tooltip-arrow::after{position:absolute;margin:-7px 0 0 0;top:50%;width:0;height:0;border-style:solid;border-width:7px 0 7px 0;border-color:transparent;content:\" \";display:block;right:-10px;border-left-width:10px;border-left-color:#909599;}.bk-root .bk-tooltip.bk-right::after{right:-10px;border-left-width:10px;border-left-color:#909599;}.bk-root .bk-tooltip.bk-above::before{position:absolute;margin:0 0 0 -7px;left:50%;width:0;height:0;border-style:solid;border-width:0 7px 0 7px;border-color:transparent;content:\" \";display:block;top:-10px;border-bottom-width:10px;border-bottom-color:#909599;}.bk-root .bk-tooltip.bk-below::after{position:absolute;margin:0 0 0 -7px;left:50%;width:0;height:0;border-style:solid;border-width:0 7px 0 7px;border-color:transparent;content:\" \";display:block;bottom:-10px;border-top-width:10px;border-top-color:#909599;}.bk-root .bk-tooltip-row-label{text-align:right;color:#26aae1;}.bk-root .bk-tooltip-row-value{color:default;}.bk-root .bk-tooltip-color-block{width:12px;height:12px;margin-left:5px;margin-right:5px;outline:#dddddd solid 1px;display:inline-block;}'},\n function _(e,t,s,i,r){var a;i();const l=e(115),_=e(112),h=e(113),o=e(48);class n extends l.UpperLowerView{async lazy_initialize(){await super.lazy_initialize();const{lower_head:e,upper_head:t}=this.model;null!=e&&(this.lower_head=await(0,h.build_view)(e,{parent:this})),null!=t&&(this.upper_head=await(0,h.build_view)(t,{parent:this}))}set_data(e){var t,s;super.set_data(e),null===(t=this.lower_head)||void 0===t||t.set_data(e),null===(s=this.upper_head)||void 0===s||s.set_data(e)}paint(e){if(this.visuals.line.doit)for(let t=0,s=this._lower_sx.length;t({lower_head:[t(e(_.ArrowHead)),()=>new _.TeeHead({size:10})],upper_head:[t(e(_.ArrowHead)),()=>new _.TeeHead({size:10})]}))),a.override({level:\"underlay\"})},\n function _(n,o,t,u,e){u(),e(\"CustomJS\",n(245).CustomJS),e(\"OpenURL\",n(247).OpenURL)},\n function _(t,e,s,n,c){var a;n();const r=t(246),u=t(13),o=t(34);class i extends r.Callback{constructor(t){super(t)}get names(){return(0,u.keys)(this.args)}get values(){return(0,u.values)(this.args)}get func(){const t=(0,o.use_strict)(this.code);return new Function(...this.names,\"cb_obj\",\"cb_data\",t)}execute(t,e={}){return this.func.apply(t,this.values.concat(t,e))}}s.CustomJS=i,a=i,i.__name__=\"CustomJS\",a.define((({Unknown:t,String:e,Dict:s})=>({args:[s(t),{}],code:[e,\"\"]})))},\n function _(c,a,l,n,s){n();const e=c(53);class o extends e.Model{constructor(c){super(c)}}l.Callback=o,o.__name__=\"Callback\"},\n function _(e,t,n,o,i){var s;o();const c=e(246),r=e(152),a=e(8);class d extends c.Callback{constructor(e){super(e)}navigate(e){this.same_tab?window.location.href=e:window.open(e)}execute(e,{source:t}){const n=e=>{const n=(0,r.replace_placeholders)(this.url,t,e,void 0,void 0,encodeURI);if(!(0,a.isString)(n))throw new Error(\"HTML output is not supported in this context\");this.navigate(n)},{selected:o}=t;for(const e of o.indices)n(e);for(const e of o.line_indices)n(e)}}n.OpenURL=d,s=d,d.__name__=\"OpenURL\",s.define((({Boolean:e,String:t})=>({url:[t,\"http://\"],same_tab:[e,!1]})))},\n function _(a,n,i,e,r){e(),r(\"Canvas\",a(249).Canvas),r(\"CartesianFrame\",a(126).CartesianFrame),r(\"CoordinateMapping\",a(54).CoordinateMapping)},\n function _(e,t,i,s,a){var l,r=this&&this.__createBinding||(Object.create?function(e,t,i,s){void 0===s&&(s=i),Object.defineProperty(e,s,{enumerable:!0,get:function(){return t[i]}})}:function(e,t,i,s){void 0===s&&(s=i),e[s]=t[i]}),n=this&&this.__setModuleDefault||(Object.create?function(e,t){Object.defineProperty(e,\"default\",{enumerable:!0,value:t})}:function(e,t){e.default=t}),o=this&&this.__importStar||function(e){if(e&&e.__esModule)return e;var t={};if(null!=e)for(var i in e)\"default\"!==i&&Object.prototype.hasOwnProperty.call(e,i)&&r(t,e,i);return n(t,e),t};s();const h=e(14),c=e(28),u=e(226),_=e(19),d=e(43),p=e(20),b=e(13),v=e(250),g=e(65),w=e(138),y=e(235);const f=(()=>{let t;return async()=>void 0!==t?t:t=await async function(){const t=document.createElement(\"canvas\"),i=t.getContext(\"webgl\",{premultipliedAlpha:!0});if(null!=i){const s=await(0,w.load_module)(Promise.resolve().then((()=>o(e(410)))));if(null!=s){const e=s.get_regl(i);if(e.has_webgl)return{canvas:t,regl_wrapper:e};_.logger.trace(\"WebGL is supported, but not the required extensions\")}else _.logger.trace(\"WebGL is supported, but bokehjs(.min).js bundle is not available\")}else _.logger.trace(\"WebGL is not supported\");return null}()})(),m={position:\"absolute\",top:\"0\",left:\"0\",width:\"100%\",height:\"100%\"};class x extends u.DOMView{constructor(){super(...arguments),this.bbox=new g.BBox,this.webgl=null}initialize(){super.initialize(),this.underlays_el=(0,d.div)({style:m}),this.primary=this.create_layer(),this.overlays=this.create_layer(),this.overlays_el=(0,d.div)({style:m}),this.events_el=(0,d.div)({class:\"bk-canvas-events\",style:m});const e=[this.underlays_el,this.primary.el,this.overlays.el,this.overlays_el,this.events_el];(0,b.extend)(this.el.style,m),(0,d.append)(this.el,...e),this.ui_event_bus=new v.UIEventBus(this)}async lazy_initialize(){if(await super.lazy_initialize(),\"webgl\"==this.model.output_backend&&(this.webgl=await f(),c.settings.force_webgl&&null==this.webgl))throw new Error(\"webgl is not available\")}remove(){this.ui_event_bus.destroy(),super.remove()}add_underlay(e){this.underlays_el.appendChild(e)}add_overlay(e){this.overlays_el.appendChild(e)}add_event(e){this.events_el.appendChild(e)}get pixel_ratio(){return this.primary.pixel_ratio}resize(e,t){this.bbox=new g.BBox({left:0,top:0,width:e,height:t}),this.primary.resize(e,t),this.overlays.resize(e,t)}prepare_webgl(e){const{webgl:t}=this;if(null!=t){const{width:i,height:s}=this.bbox;t.canvas.width=this.pixel_ratio*i,t.canvas.height=this.pixel_ratio*s;const[a,l,r,n]=e,{xview:o,yview:h}=this.bbox,c=o.compute(a),u=h.compute(l+n),_=this.pixel_ratio;t.regl_wrapper.set_scissor(_*c,_*u,_*r,_*n),this._clear_webgl()}}blit_webgl(e){const{webgl:t}=this;if(null!=t){if(_.logger.debug(\"Blitting WebGL canvas\"),e.restore(),e.drawImage(t.canvas,0,0),e.save(),this.model.hidpi){const t=this.pixel_ratio;e.scale(t,t),e.translate(.5,.5)}this._clear_webgl()}}_clear_webgl(){const{webgl:e}=this;if(null!=e){const{regl_wrapper:t,canvas:i}=e;t.clear(i.width,i.height)}}compose(){const e=this.create_layer(),{width:t,height:i}=this.bbox;return e.resize(t,i),e.ctx.drawImage(this.primary.canvas,0,0),e.ctx.drawImage(this.overlays.canvas,0,0),e}create_layer(){const{output_backend:e,hidpi:t}=this.model;return new y.CanvasLayer(e,t)}to_blob(){return this.compose().to_blob()}}i.CanvasView=x,x.__name__=\"CanvasView\";class z extends h.HasProps{constructor(e){super(e)}}i.Canvas=z,l=z,z.__name__=\"Canvas\",l.prototype.default_view=x,l.internal((({Boolean:e})=>({hidpi:[e,!0],output_backend:[p.OutputBackend,\"canvas\"]})))},\n function _(t,e,s,n,i){n();const r=t(1),a=(0,r.__importDefault)(t(225)),_=t(15),h=t(19),o=t(43),l=(0,r.__importStar)(t(251)),c=t(252),p=t(9),u=t(8),v=t(27),d=t(230);class g{constructor(t){this.canvas_view=t,this.pan_start=new _.Signal(this,\"pan:start\"),this.pan=new _.Signal(this,\"pan\"),this.pan_end=new _.Signal(this,\"pan:end\"),this.pinch_start=new _.Signal(this,\"pinch:start\"),this.pinch=new _.Signal(this,\"pinch\"),this.pinch_end=new _.Signal(this,\"pinch:end\"),this.rotate_start=new _.Signal(this,\"rotate:start\"),this.rotate=new _.Signal(this,\"rotate\"),this.rotate_end=new _.Signal(this,\"rotate:end\"),this.tap=new _.Signal(this,\"tap\"),this.doubletap=new _.Signal(this,\"doubletap\"),this.press=new _.Signal(this,\"press\"),this.pressup=new _.Signal(this,\"pressup\"),this.move_enter=new _.Signal(this,\"move:enter\"),this.move=new _.Signal(this,\"move\"),this.move_exit=new _.Signal(this,\"move:exit\"),this.scroll=new _.Signal(this,\"scroll\"),this.keydown=new _.Signal(this,\"keydown\"),this.keyup=new _.Signal(this,\"keyup\"),this.hammer=new a.default(this.hit_area,{touchAction:\"auto\",inputClass:a.default.TouchMouseInput}),this._prev_move=null,this._curr_pan=null,this._curr_pinch=null,this._curr_rotate=null,this._configure_hammerjs(),this.hit_area.addEventListener(\"mousemove\",(t=>this._mouse_move(t))),this.hit_area.addEventListener(\"mouseenter\",(t=>this._mouse_enter(t))),this.hit_area.addEventListener(\"mouseleave\",(t=>this._mouse_exit(t))),this.hit_area.addEventListener(\"contextmenu\",(t=>this._context_menu(t))),this.hit_area.addEventListener(\"wheel\",(t=>this._mouse_wheel(t))),document.addEventListener(\"keydown\",this),document.addEventListener(\"keyup\",this),this.menu=new d.ContextMenu([],{prevent_hide:t=>2==t.button&&t.target==this.hit_area}),this.hit_area.appendChild(this.menu.el)}get hit_area(){return this.canvas_view.events_el}destroy(){this.menu.remove(),this.hammer.destroy(),document.removeEventListener(\"keydown\",this),document.removeEventListener(\"keyup\",this)}handleEvent(t){\"keydown\"==t.type?this._key_down(t):\"keyup\"==t.type&&this._key_up(t)}_configure_hammerjs(){this.hammer.get(\"doubletap\").recognizeWith(\"tap\"),this.hammer.get(\"tap\").requireFailure(\"doubletap\"),this.hammer.get(\"doubletap\").dropRequireFailure(\"tap\"),this.hammer.on(\"doubletap\",(t=>this._doubletap(t))),this.hammer.on(\"tap\",(t=>this._tap(t))),this.hammer.on(\"press\",(t=>this._press(t))),this.hammer.on(\"pressup\",(t=>this._pressup(t))),this.hammer.get(\"pan\").set({direction:a.default.DIRECTION_ALL}),this.hammer.on(\"panstart\",(t=>this._pan_start(t))),this.hammer.on(\"pan\",(t=>this._pan(t))),this.hammer.on(\"panend\",(t=>this._pan_end(t))),this.hammer.get(\"pinch\").set({enable:!0}),this.hammer.on(\"pinchstart\",(t=>this._pinch_start(t))),this.hammer.on(\"pinch\",(t=>this._pinch(t))),this.hammer.on(\"pinchend\",(t=>this._pinch_end(t))),this.hammer.get(\"rotate\").set({enable:!0}),this.hammer.on(\"rotatestart\",(t=>this._rotate_start(t))),this.hammer.on(\"rotate\",(t=>this._rotate(t))),this.hammer.on(\"rotateend\",(t=>this._rotate_end(t)))}register_tool(t){const e=t.model.event_type;null!=e&&((0,u.isString)(e)?this._register_tool(t,e):e.forEach(((e,s)=>this._register_tool(t,e,s<1))))}_register_tool(t,e,s=!0){const n=t,{id:i}=n.model,r=t=>e=>{e.id==i&&t(e.e)},a=t=>e=>{t(e.e)};switch(e){case\"pan\":null!=n._pan_start&&n.connect(this.pan_start,r(n._pan_start.bind(n))),null!=n._pan&&n.connect(this.pan,r(n._pan.bind(n))),null!=n._pan_end&&n.connect(this.pan_end,r(n._pan_end.bind(n)));break;case\"pinch\":null!=n._pinch_start&&n.connect(this.pinch_start,r(n._pinch_start.bind(n))),null!=n._pinch&&n.connect(this.pinch,r(n._pinch.bind(n))),null!=n._pinch_end&&n.connect(this.pinch_end,r(n._pinch_end.bind(n)));break;case\"rotate\":null!=n._rotate_start&&n.connect(this.rotate_start,r(n._rotate_start.bind(n))),null!=n._rotate&&n.connect(this.rotate,r(n._rotate.bind(n))),null!=n._rotate_end&&n.connect(this.rotate_end,r(n._rotate_end.bind(n)));break;case\"move\":null!=n._move_enter&&n.connect(this.move_enter,r(n._move_enter.bind(n))),null!=n._move&&n.connect(this.move,r(n._move.bind(n))),null!=n._move_exit&&n.connect(this.move_exit,r(n._move_exit.bind(n)));break;case\"tap\":null!=n._tap&&n.connect(this.tap,r(n._tap.bind(n))),null!=n._doubletap&&n.connect(this.doubletap,r(n._doubletap.bind(n)));break;case\"press\":null!=n._press&&n.connect(this.press,r(n._press.bind(n))),null!=n._pressup&&n.connect(this.pressup,r(n._pressup.bind(n)));break;case\"scroll\":null!=n._scroll&&n.connect(this.scroll,r(n._scroll.bind(n)));break;default:throw new Error(`unsupported event_type: ${e}`)}s&&(null!=n._keydown&&n.connect(this.keydown,a(n._keydown.bind(n))),null!=n._keyup&&n.connect(this.keyup,a(n._keyup.bind(n))),v.is_mobile&&null!=n._scroll&&\"pinch\"==e&&(h.logger.debug(\"Registering scroll on touch screen\"),n.connect(this.scroll,r(n._scroll.bind(n)))))}_hit_test_renderers(t,e,s){var n;const i=t.get_renderer_views();for(const t of(0,p.reversed)(i))if(null===(n=t.interactive_hit)||void 0===n?void 0:n.call(t,e,s))return t;return null}set_cursor(t=\"default\"){this.hit_area.style.cursor=t}_hit_test_frame(t,e,s){return t.frame.bbox.contains(e,s)}_hit_test_canvas(t,e,s){return t.layout.bbox.contains(e,s)}_hit_test_plot(t,e){for(const s of this.canvas_view.plot_views)if(s.layout.bbox.relative().contains(t,e))return s;return null}_trigger(t,e,s){var n;const{sx:i,sy:r}=e,a=this._hit_test_plot(i,r),_=t=>{const[s,n]=[i,r];return Object.assign(Object.assign({},e),{sx:s,sy:n})};if(\"panstart\"==e.type||\"pan\"==e.type||\"panend\"==e.type){let n;if(\"panstart\"==e.type&&null!=a?(this._curr_pan={plot_view:a},n=a):\"pan\"==e.type&&null!=this._curr_pan?n=this._curr_pan.plot_view:\"panend\"==e.type&&null!=this._curr_pan?(n=this._curr_pan.plot_view,this._curr_pan=null):n=null,null!=n){const e=_();this.__trigger(n,t,e,s)}}else if(\"pinchstart\"==e.type||\"pinch\"==e.type||\"pinchend\"==e.type){let n;if(\"pinchstart\"==e.type&&null!=a?(this._curr_pinch={plot_view:a},n=a):\"pinch\"==e.type&&null!=this._curr_pinch?n=this._curr_pinch.plot_view:\"pinchend\"==e.type&&null!=this._curr_pinch?(n=this._curr_pinch.plot_view,this._curr_pinch=null):n=null,null!=n){const e=_();this.__trigger(n,t,e,s)}}else if(\"rotatestart\"==e.type||\"rotate\"==e.type||\"rotateend\"==e.type){let n;if(\"rotatestart\"==e.type&&null!=a?(this._curr_rotate={plot_view:a},n=a):\"rotate\"==e.type&&null!=this._curr_rotate?n=this._curr_rotate.plot_view:\"rotateend\"==e.type&&null!=this._curr_rotate?(n=this._curr_rotate.plot_view,this._curr_rotate=null):n=null,null!=n){const e=_();this.__trigger(n,t,e,s)}}else if(\"mouseenter\"==e.type||\"mousemove\"==e.type||\"mouseleave\"==e.type){const h=null===(n=this._prev_move)||void 0===n?void 0:n.plot_view;if(null!=h&&(\"mouseleave\"==e.type||h!=a)){const{sx:t,sy:e}=_();this.__trigger(h,this.move_exit,{type:\"mouseleave\",sx:t,sy:e,shiftKey:!1,ctrlKey:!1},s)}if(null!=a&&(\"mouseenter\"==e.type||h!=a)){const{sx:t,sy:e}=_();this.__trigger(a,this.move_enter,{type:\"mouseenter\",sx:t,sy:e,shiftKey:!1,ctrlKey:!1},s)}if(null!=a&&\"mousemove\"==e.type){const e=_();this.__trigger(a,t,e,s)}this._prev_move={sx:i,sy:r,plot_view:a}}else if(null!=a){const e=_();this.__trigger(a,t,e,s)}}__trigger(t,e,s,n){var i,r,a;const _=t.model.toolbar.gestures,h=e.name.split(\":\")[0],o=this._hit_test_renderers(t,s.sx,s.sy),l=this._hit_test_canvas(t,s.sx,s.sy);switch(h){case\"move\":{const n=_.move.active;null!=n&&this.trigger(e,s,n.id);const r=t.model.toolbar.inspectors.filter((t=>t.active));let a=\"default\";null!=o?(a=null!==(i=o.cursor(s.sx,s.sy))&&void 0!==i?i:a,(0,p.is_empty)(r)||(e=this.move_exit)):this._hit_test_frame(t,s.sx,s.sy)&&((0,p.is_empty)(r)||(a=\"crosshair\")),this.set_cursor(a),t.set_toolbar_visibility(l),r.map((t=>this.trigger(e,s,t.id)));break}case\"tap\":{const{target:i}=n;if(null!=i&&i!=this.hit_area)return;if(null===(r=null==o?void 0:o.on_hit)||void 0===r||r.call(o,s.sx,s.sy),this._hit_test_frame(t,s.sx,s.sy)){const t=_.tap.active;null!=t&&this.trigger(e,s,t.id)}break}case\"doubletap\":if(this._hit_test_frame(t,s.sx,s.sy)){const t=null!==(a=_.doubletap.active)&&void 0!==a?a:_.tap.active;null!=t&&this.trigger(e,s,t.id)}break;case\"scroll\":{const t=_[v.is_mobile?\"pinch\":\"scroll\"].active;null!=t&&(n.preventDefault(),n.stopPropagation(),this.trigger(e,s,t.id));break}case\"pan\":{const t=_.pan.active;null!=t&&(n.preventDefault(),this.trigger(e,s,t.id));break}default:{const t=_[h].active;null!=t&&this.trigger(e,s,t.id)}}this._trigger_bokeh_event(t,s)}trigger(t,e,s=null){t.emit({id:s,e})}_trigger_bokeh_event(t,e){const s=(()=>{const{sx:s,sy:n}=e,i=t.frame.x_scale.invert(s),r=t.frame.y_scale.invert(n);switch(e.type){case\"wheel\":return new l.MouseWheel(s,n,i,r,e.delta);case\"mousemove\":return new l.MouseMove(s,n,i,r);case\"mouseenter\":return new l.MouseEnter(s,n,i,r);case\"mouseleave\":return new l.MouseLeave(s,n,i,r);case\"tap\":return new l.Tap(s,n,i,r);case\"doubletap\":return new l.DoubleTap(s,n,i,r);case\"press\":return new l.Press(s,n,i,r);case\"pressup\":return new l.PressUp(s,n,i,r);case\"pan\":return new l.Pan(s,n,i,r,e.deltaX,e.deltaY);case\"panstart\":return new l.PanStart(s,n,i,r);case\"panend\":return new l.PanEnd(s,n,i,r);case\"pinch\":return new l.Pinch(s,n,i,r,e.scale);case\"pinchstart\":return new l.PinchStart(s,n,i,r);case\"pinchend\":return new l.PinchEnd(s,n,i,r);case\"rotate\":return new l.Rotate(s,n,i,r,e.rotation);case\"rotatestart\":return new l.RotateStart(s,n,i,r);case\"rotateend\":return new l.RotateEnd(s,n,i,r);default:return}})();null!=s&&t.model.trigger_event(s)}_get_sxy(t){const{pageX:e,pageY:s}=function(t){return\"undefined\"!=typeof TouchEvent&&t instanceof TouchEvent}(t)?(0!=t.touches.length?t.touches:t.changedTouches)[0]:t,{left:n,top:i}=(0,o.offset)(this.hit_area);return{sx:e-n,sy:s-i}}_pan_event(t){return Object.assign(Object.assign({type:t.type},this._get_sxy(t.srcEvent)),{deltaX:t.deltaX,deltaY:t.deltaY,shiftKey:t.srcEvent.shiftKey,ctrlKey:t.srcEvent.ctrlKey})}_pinch_event(t){return Object.assign(Object.assign({type:t.type},this._get_sxy(t.srcEvent)),{scale:t.scale,shiftKey:t.srcEvent.shiftKey,ctrlKey:t.srcEvent.ctrlKey})}_rotate_event(t){return Object.assign(Object.assign({type:t.type},this._get_sxy(t.srcEvent)),{rotation:t.rotation,shiftKey:t.srcEvent.shiftKey,ctrlKey:t.srcEvent.ctrlKey})}_tap_event(t){return Object.assign(Object.assign({type:t.type},this._get_sxy(t.srcEvent)),{shiftKey:t.srcEvent.shiftKey,ctrlKey:t.srcEvent.ctrlKey})}_move_event(t){return Object.assign(Object.assign({type:t.type},this._get_sxy(t)),{shiftKey:t.shiftKey,ctrlKey:t.ctrlKey})}_scroll_event(t){return Object.assign(Object.assign({type:t.type},this._get_sxy(t)),{delta:(0,c.getDeltaY)(t),shiftKey:t.shiftKey,ctrlKey:t.ctrlKey})}_key_event(t){return{type:t.type,keyCode:t.keyCode}}_pan_start(t){const e=this._pan_event(t);e.sx-=t.deltaX,e.sy-=t.deltaY,this._trigger(this.pan_start,e,t.srcEvent)}_pan(t){this._trigger(this.pan,this._pan_event(t),t.srcEvent)}_pan_end(t){this._trigger(this.pan_end,this._pan_event(t),t.srcEvent)}_pinch_start(t){this._trigger(this.pinch_start,this._pinch_event(t),t.srcEvent)}_pinch(t){this._trigger(this.pinch,this._pinch_event(t),t.srcEvent)}_pinch_end(t){this._trigger(this.pinch_end,this._pinch_event(t),t.srcEvent)}_rotate_start(t){this._trigger(this.rotate_start,this._rotate_event(t),t.srcEvent)}_rotate(t){this._trigger(this.rotate,this._rotate_event(t),t.srcEvent)}_rotate_end(t){this._trigger(this.rotate_end,this._rotate_event(t),t.srcEvent)}_tap(t){this._trigger(this.tap,this._tap_event(t),t.srcEvent)}_doubletap(t){this._trigger(this.doubletap,this._tap_event(t),t.srcEvent)}_press(t){this._trigger(this.press,this._tap_event(t),t.srcEvent)}_pressup(t){this._trigger(this.pressup,this._tap_event(t),t.srcEvent)}_mouse_enter(t){this._trigger(this.move_enter,this._move_event(t),t)}_mouse_move(t){this._trigger(this.move,this._move_event(t),t)}_mouse_exit(t){this._trigger(this.move_exit,this._move_event(t),t)}_mouse_wheel(t){this._trigger(this.scroll,this._scroll_event(t),t)}_context_menu(t){!this.menu.is_open&&this.menu.can_open&&t.preventDefault();const{sx:e,sy:s}=this._get_sxy(t);this.menu.toggle({left:e,top:s})}_key_down(t){this.trigger(this.keydown,this._key_event(t))}_key_up(t){this.trigger(this.keyup,this._key_event(t))}}s.UIEventBus=g,g.__name__=\"UIEventBus\"},\n function _(e,t,s,n,_){n();var a=this&&this.__decorate||function(e,t,s,n){var _,a=arguments.length,o=a<3?t:null===n?n=Object.getOwnPropertyDescriptor(t,s):n;if(\"object\"==typeof Reflect&&\"function\"==typeof Reflect.decorate)o=Reflect.decorate(e,t,s,n);else for(var r=e.length-1;r>=0;r--)(_=e[r])&&(o=(a<3?_(o):a>3?_(t,s,o):_(t,s))||o);return a>3&&o&&Object.defineProperty(t,s,o),o};function o(e){return function(t){t.prototype.event_name=e}}class r{to_json(){const{event_name:e}=this;return{event_name:e,event_values:this._to_json()}}}s.BokehEvent=r,r.__name__=\"BokehEvent\";class c extends r{constructor(){super(...arguments),this.origin=null}_to_json(){return{model:this.origin}}}s.ModelEvent=c,c.__name__=\"ModelEvent\";let l=class extends r{_to_json(){return{}}};s.DocumentReady=l,l.__name__=\"DocumentReady\",s.DocumentReady=l=a([o(\"document_ready\")],l);let i=class extends c{};s.ButtonClick=i,i.__name__=\"ButtonClick\",s.ButtonClick=i=a([o(\"button_click\")],i);let u=class extends c{constructor(e){super(),this.item=e}_to_json(){const{item:e}=this;return Object.assign(Object.assign({},super._to_json()),{item:e})}};s.MenuItemClick=u,u.__name__=\"MenuItemClick\",s.MenuItemClick=u=a([o(\"menu_item_click\")],u);class d extends c{}s.UIEvent=d,d.__name__=\"UIEvent\";let m=class extends d{};s.LODStart=m,m.__name__=\"LODStart\",s.LODStart=m=a([o(\"lodstart\")],m);let h=class extends d{};s.LODEnd=h,h.__name__=\"LODEnd\",s.LODEnd=h=a([o(\"lodend\")],h);let p=class extends d{constructor(e,t,s,n){super(),this.x0=e,this.x1=t,this.y0=s,this.y1=n}_to_json(){const{x0:e,x1:t,y0:s,y1:n}=this;return Object.assign(Object.assign({},super._to_json()),{x0:e,x1:t,y0:s,y1:n})}};s.RangesUpdate=p,p.__name__=\"RangesUpdate\",s.RangesUpdate=p=a([o(\"rangesupdate\")],p);let x=class extends d{constructor(e,t){super(),this.geometry=e,this.final=t}_to_json(){const{geometry:e,final:t}=this;return Object.assign(Object.assign({},super._to_json()),{geometry:e,final:t})}};s.SelectionGeometry=x,x.__name__=\"SelectionGeometry\",s.SelectionGeometry=x=a([o(\"selectiongeometry\")],x);let j=class extends d{};s.Reset=j,j.__name__=\"Reset\",s.Reset=j=a([o(\"reset\")],j);class y extends d{constructor(e,t,s,n){super(),this.sx=e,this.sy=t,this.x=s,this.y=n}_to_json(){const{sx:e,sy:t,x:s,y:n}=this;return Object.assign(Object.assign({},super._to_json()),{sx:e,sy:t,x:s,y:n})}}s.PointEvent=y,y.__name__=\"PointEvent\";let g=class extends y{constructor(e,t,s,n,_,a){super(e,t,s,n),this.delta_x=_,this.delta_y=a}_to_json(){const{delta_x:e,delta_y:t}=this;return Object.assign(Object.assign({},super._to_json()),{delta_x:e,delta_y:t})}};s.Pan=g,g.__name__=\"Pan\",s.Pan=g=a([o(\"pan\")],g);let P=class extends y{constructor(e,t,s,n,_){super(e,t,s,n),this.scale=_}_to_json(){const{scale:e}=this;return Object.assign(Object.assign({},super._to_json()),{scale:e})}};s.Pinch=P,P.__name__=\"Pinch\",s.Pinch=P=a([o(\"pinch\")],P);let O=class extends y{constructor(e,t,s,n,_){super(e,t,s,n),this.rotation=_}_to_json(){const{rotation:e}=this;return Object.assign(Object.assign({},super._to_json()),{rotation:e})}};s.Rotate=O,O.__name__=\"Rotate\",s.Rotate=O=a([o(\"rotate\")],O);let b=class extends y{constructor(e,t,s,n,_){super(e,t,s,n),this.delta=_}_to_json(){const{delta:e}=this;return Object.assign(Object.assign({},super._to_json()),{delta:e})}};s.MouseWheel=b,b.__name__=\"MouseWheel\",s.MouseWheel=b=a([o(\"wheel\")],b);let v=class extends y{};s.MouseMove=v,v.__name__=\"MouseMove\",s.MouseMove=v=a([o(\"mousemove\")],v);let E=class extends y{};s.MouseEnter=E,E.__name__=\"MouseEnter\",s.MouseEnter=E=a([o(\"mouseenter\")],E);let R=class extends y{};s.MouseLeave=R,R.__name__=\"MouseLeave\",s.MouseLeave=R=a([o(\"mouseleave\")],R);let M=class extends y{};s.Tap=M,M.__name__=\"Tap\",s.Tap=M=a([o(\"tap\")],M);let f=class extends y{};s.DoubleTap=f,f.__name__=\"DoubleTap\",s.DoubleTap=f=a([o(\"doubletap\")],f);let S=class extends y{};s.Press=S,S.__name__=\"Press\",s.Press=S=a([o(\"press\")],S);let D=class extends y{};s.PressUp=D,D.__name__=\"PressUp\",s.PressUp=D=a([o(\"pressup\")],D);let k=class extends y{};s.PanStart=k,k.__name__=\"PanStart\",s.PanStart=k=a([o(\"panstart\")],k);let L=class extends y{};s.PanEnd=L,L.__name__=\"PanEnd\",s.PanEnd=L=a([o(\"panend\")],L);let U=class extends y{};s.PinchStart=U,U.__name__=\"PinchStart\",s.PinchStart=U=a([o(\"pinchstart\")],U);let C=class extends y{};s.PinchEnd=C,C.__name__=\"PinchEnd\",s.PinchEnd=C=a([o(\"pinchend\")],C);let T=class extends y{};s.RotateStart=T,T.__name__=\"RotateStart\",s.RotateStart=T=a([o(\"rotatestart\")],T);let B=class extends y{};s.RotateEnd=B,B.__name__=\"RotateEnd\",s.RotateEnd=B=a([o(\"rotateend\")],B)},\n function _(t,e,n,l,o){\n /*!\n * jQuery Mousewheel 3.1.13\n *\n * Copyright jQuery Foundation and other contributors\n * Released under the MIT license\n * http://jquery.org/license\n */\n function u(t){const e=getComputedStyle(t).fontSize;return null!=e?parseInt(e,10):null}l(),n.getDeltaY=function(t){let e=-t.deltaY;if(t.target instanceof HTMLElement)switch(t.deltaMode){case t.DOM_DELTA_LINE:e*=(n=t.target,null!==(a=null!==(o=u(null!==(l=n.offsetParent)&&void 0!==l?l:document.body))&&void 0!==o?o:u(n))&&void 0!==a?a:16);break;case t.DOM_DELTA_PAGE:e*=function(t){return t.clientHeight}(t.target)}var n,l,o,a;return e}},\n function _(m,o,n,r,a){r(),a(\"Expression\",m(254).Expression),a(\"CustomJSExpr\",m(255).CustomJSExpr),a(\"Stack\",m(256).Stack),a(\"CumSum\",m(257).CumSum),a(\"ScalarExpression\",m(254).ScalarExpression),a(\"Minimum\",m(258).Minimum),a(\"Maximum\",m(259).Maximum);var s=m(260);a(\"XComponent\",s.XComponent),a(\"YComponent\",s.YComponent),a(\"PolarTransform\",m(261).PolarTransform)},\n function _(e,t,s,i,r){i();const n=e(53);class _ extends n.Model{constructor(e){super(e)}initialize(){super.initialize(),this._result=new Map}v_compute(e){let t=this._result.get(e);return(void 0===t||e.changed_for(this))&&(t=this._v_compute(e),this._result.set(e,t)),t}}s.Expression=_,_.__name__=\"Expression\";class o extends n.Model{constructor(e){super(e)}initialize(){super.initialize(),this._result=new Map}compute(e){let t=this._result.get(e);return(void 0===t||e.changed_for(this))&&(t=this._compute(e),this._result.set(e,t)),t}}s.ScalarExpression=o,o.__name__=\"ScalarExpression\"},\n function _(e,s,t,n,r){var a;n();const o=e(14),c=e(254),i=e(24),u=e(9),l=e(13),h=e(34),g=e(8);class p extends c.Expression{constructor(e){super(e)}connect_signals(){super.connect_signals();for(const e of(0,l.values)(this.args))e instanceof o.HasProps&&e.change.connect((()=>{this._result.clear(),this.change.emit()}))}get names(){return(0,l.keys)(this.args)}get values(){return(0,l.values)(this.args)}get func(){const e=(0,h.use_strict)(this.code);return new i.GeneratorFunction(...this.names,e)}_v_compute(e){const s=this.func.apply(e,this.values);let t=s.next();if(t.done&&void 0!==t.value){const{value:s}=t;return(0,g.isArray)(s)||(0,g.isTypedArray)(s)?s:(0,g.isIterable)(s)?[...s]:(0,u.repeat)(s,e.length)}{const e=[];do{e.push(t.value),t=s.next()}while(!t.done);return e}}}t.CustomJSExpr=p,a=p,p.__name__=\"CustomJSExpr\",a.define((({Unknown:e,String:s,Dict:t})=>({args:[t(e),{}],code:[s,\"\"]})))},\n function _(t,n,e,o,r){var s;o();const a=t(254);class c extends a.Expression{constructor(t){super(t)}_v_compute(t){var n;const e=null!==(n=t.get_length())&&void 0!==n?n:0,o=new Float64Array(e);for(const n of this.fields){const r=t.data[n];if(null!=r){const t=Math.min(e,r.length);for(let n=0;n({fields:[n(t),[]]})))},\n function _(e,n,t,o,r){var i;o();const l=e(254);class u extends l.Expression{constructor(e){super(e)}_v_compute(e){var n;const t=new Float64Array(null!==(n=e.get_length())&&void 0!==n?n:0),o=e.data[this.field],r=this.include_zero?1:0;t[0]=this.include_zero?0:o[0];for(let e=1;e({field:[n],include_zero:[e,!1]})))},\n function _(i,n,l,t,e){var a;t();const u=i(254),r=i(9);class s extends u.ScalarExpression{constructor(i){super(i)}_compute(i){var n,l;const t=null!==(n=i.data[this.field])&&void 0!==n?n:[];return Math.min(null!==(l=this.initial)&&void 0!==l?l:1/0,(0,r.min)(t))}}l.Minimum=s,a=s,s.__name__=\"Minimum\",a.define((({Number:i,String:n,Nullable:l})=>({field:[n],initial:[l(i),null]})))},\n function _(i,a,n,l,t){var e;l();const u=i(254),r=i(9);class s extends u.ScalarExpression{constructor(i){super(i)}_compute(i){var a,n;const l=null!==(a=i.data[this.field])&&void 0!==a?a:[];return Math.max(null!==(n=this.initial)&&void 0!==n?n:-1/0,(0,r.max)(l))}}n.Maximum=s,e=s,s.__name__=\"Maximum\",e.define((({Number:i,String:a,Nullable:n})=>({field:[a],initial:[n(i),null]})))},\n function _(n,e,t,o,r){var s;o();const _=n(254);class m extends _.Expression{constructor(n){super(n)}get x(){return new c({transform:this})}get y(){return new u({transform:this})}}t.CoordinateTransform=m,m.__name__=\"CoordinateTransform\";class a extends _.Expression{constructor(n){super(n)}}t.XYComponent=a,s=a,a.__name__=\"XYComponent\",s.define((({Ref:n})=>({transform:[n(m)]})));class c extends a{constructor(n){super(n)}_v_compute(n){return this.transform.v_compute(n).x}}t.XComponent=c,c.__name__=\"XComponent\";class u extends a{constructor(n){super(n)}_v_compute(n){return this.transform.v_compute(n).y}}t.YComponent=u,u.__name__=\"YComponent\"},\n function _(r,t,n,e,o){e();const i=r(1);var a;const s=r(260),c=r(20),l=(0,i.__importStar)(r(18));class d extends s.CoordinateTransform{constructor(r){super(r)}_v_compute(r){const t=this.properties.radius.uniform(r),n=this.properties.angle.uniform(r),e=\"anticlock\"==this.direction?-1:1,o=Math.min(t.length,n.length),i=new Float64Array(o),a=new Float64Array(o);for(let r=0;r({radius:[l.DistanceSpec,{field:\"radius\"}],angle:[l.AngleSpec,{field:\"angle\"}],direction:[c.Direction,\"anticlock\"]})))},\n function _(e,t,l,r,i){r(),i(\"BooleanFilter\",e(263).BooleanFilter),i(\"CustomJSFilter\",e(264).CustomJSFilter),i(\"Filter\",e(191).Filter),i(\"GroupFilter\",e(265).GroupFilter),i(\"IndexFilter\",e(266).IndexFilter)},\n function _(e,n,l,o,s){var t;o();const a=e(191),r=e(24);class c extends a.Filter{constructor(e){super(e)}compute_indices(e){const n=e.length,{booleans:l}=this;return null==l?r.Indices.all_set(n):r.Indices.from_booleans(n,l)}}l.BooleanFilter=c,t=c,c.__name__=\"BooleanFilter\",t.define((({Boolean:e,Array:n,Nullable:l})=>({booleans:[l(n(e)),null]})))},\n function _(e,n,r,s,t){var i;s();const o=e(191),c=e(24),u=e(13),a=e(8),l=e(34);class f extends o.Filter{constructor(e){super(e)}get names(){return(0,u.keys)(this.args)}get values(){return(0,u.values)(this.args)}get func(){const e=(0,l.use_strict)(this.code);return new Function(...this.names,\"source\",e)}compute_indices(e){const n=e.length,r=this.func(...this.values,e);if(null==r)return c.Indices.all_set(n);if((0,a.isArrayOf)(r,a.isInteger))return c.Indices.from_indices(n,r);if((0,a.isArrayOf)(r,a.isBoolean))return c.Indices.from_booleans(n,r);throw new Error(`expect an array of integers or booleans, or null, got ${r}`)}}r.CustomJSFilter=f,i=f,f.__name__=\"CustomJSFilter\",i.define((({Unknown:e,String:n,Dict:r})=>({args:[r(e),{}],code:[n,\"\"]})))},\n function _(n,e,t,o,r){var u;o();const s=n(191),c=n(24),i=n(19);class l extends s.Filter{constructor(n){super(n)}compute_indices(n){const e=n.get_column(this.column_name);if(null==e)return i.logger.warn(`${this}: groupby column '${this.column_name}' not found in the data source`),new c.Indices(n.length,1);{const t=new c.Indices(n.length);for(let n=0;n({column_name:[n],group:[n]})))},\n function _(e,n,i,s,t){var l;s();const c=e(191),r=e(24);class d extends c.Filter{constructor(e){super(e)}compute_indices(e){const n=e.length,{indices:i}=this;return null==i?r.Indices.all_set(n):r.Indices.from_indices(n,i)}}i.IndexFilter=d,l=d,d.__name__=\"IndexFilter\",l.define((({Int:e,Array:n,Nullable:i})=>({indices:[i(n(e)),null]})))},\n function _(e,a,l,i,t){i(),t(\"AnnularWedge\",e(268).AnnularWedge),t(\"Annulus\",e(269).Annulus),t(\"Arc\",e(270).Arc),t(\"Bezier\",e(271).Bezier),t(\"Circle\",e(272).Circle),t(\"Ellipse\",e(273).Ellipse),t(\"EllipseOval\",e(274).EllipseOval),t(\"Glyph\",e(179).Glyph),t(\"HArea\",e(187).HArea),t(\"HBar\",e(276).HBar),t(\"HexTile\",e(278).HexTile),t(\"Image\",e(279).Image),t(\"ImageRGBA\",e(281).ImageRGBA),t(\"ImageURL\",e(282).ImageURL),t(\"Line\",e(177).Line),t(\"MultiLine\",e(283).MultiLine),t(\"MultiPolygons\",e(284).MultiPolygons),t(\"Oval\",e(285).Oval),t(\"Patch\",e(186).Patch),t(\"Patches\",e(286).Patches),t(\"Quad\",e(287).Quad),t(\"Quadratic\",e(288).Quadratic),t(\"Ray\",e(289).Ray),t(\"Rect\",e(290).Rect),t(\"Scatter\",e(291).Scatter),t(\"Segment\",e(294).Segment),t(\"Spline\",e(295).Spline),t(\"Step\",e(297).Step),t(\"Text\",e(298).Text),t(\"VArea\",e(189).VArea),t(\"VBar\",e(299).VBar),t(\"Wedge\",e(300).Wedge)},\n function _(e,s,t,i,r){i();const n=e(1);var a;const _=e(178),o=e(184),d=e(48),u=e(24),h=e(20),c=(0,n.__importStar)(e(18)),l=e(10),g=e(72),p=e(12);class x extends _.XYGlyphView{_map_data(){\"data\"==this.model.properties.inner_radius.units?this.sinner_radius=this.sdist(this.renderer.xscale,this._x,this.inner_radius):this.sinner_radius=(0,u.to_screen)(this.inner_radius),\"data\"==this.model.properties.outer_radius.units?this.souter_radius=this.sdist(this.renderer.xscale,this._x,this.outer_radius):this.souter_radius=(0,u.to_screen)(this.outer_radius),this.max_souter_radius=(0,p.max)(this.souter_radius)}_render(e,s,t){const{sx:i,sy:r,start_angle:n,end_angle:a,sinner_radius:_,souter_radius:o}=null!=t?t:this,d=\"anticlock\"==this.model.direction;for(const t of s){const s=i[t],u=r[t],h=_[t],c=o[t],l=n.get(t),g=a.get(t);if(!isFinite(s+u+h+c+l+g))continue;const p=g-l;e.translate(s,u),e.rotate(l),e.beginPath(),e.moveTo(c,0),e.arc(0,0,c,0,p,d),e.rotate(p),e.lineTo(h,0),e.arc(0,0,h,0,-p,!d),e.closePath(),e.rotate(-p-l),e.translate(-s,-u),this.visuals.fill.apply(e,t),this.visuals.hatch.apply(e,t),this.visuals.line.apply(e,t)}}_hit_point(e){const{sx:s,sy:t}=e,i=this.renderer.xscale.invert(s),r=this.renderer.yscale.invert(t),n=s-this.max_souter_radius,a=s+this.max_souter_radius,[_,o]=this.renderer.xscale.r_invert(n,a),d=t-this.max_souter_radius,u=t+this.max_souter_radius,[h,c]=this.renderer.yscale.r_invert(d,u),p=[];for(const e of this.index.indices({x0:_,x1:o,y0:h,y1:c})){const s=this.souter_radius[e]**2,t=this.sinner_radius[e]**2,[n,a]=this.renderer.xscale.r_compute(i,this._x[e]),[_,o]=this.renderer.yscale.r_compute(r,this._y[e]),d=(n-a)**2+(_-o)**2;d<=s&&d>=t&&p.push(e)}const x=\"anticlock\"==this.model.direction,m=[];for(const e of p){const i=Math.atan2(t-this.sy[e],s-this.sx[e]);(0,l.angle_between)(-i,-this.start_angle.get(e),-this.end_angle.get(e),x)&&m.push(e)}return new g.Selection({indices:m})}draw_legend_for_index(e,s,t){(0,o.generic_area_vector_legend)(this.visuals,e,s,t)}scenterxy(e){const s=(this.sinner_radius[e]+this.souter_radius[e])/2,t=(this.start_angle.get(e)+this.end_angle.get(e))/2;return[this.sx[e]+s*Math.cos(t),this.sy[e]+s*Math.sin(t)]}}t.AnnularWedgeView=x,x.__name__=\"AnnularWedgeView\";class m extends _.XYGlyph{constructor(e){super(e)}}t.AnnularWedge=m,a=m,m.__name__=\"AnnularWedge\",a.prototype.default_view=x,a.mixins([d.LineVector,d.FillVector,d.HatchVector]),a.define((({})=>({direction:[h.Direction,\"anticlock\"],inner_radius:[c.DistanceSpec,{field:\"inner_radius\"}],outer_radius:[c.DistanceSpec,{field:\"outer_radius\"}],start_angle:[c.AngleSpec,{field:\"start_angle\"}],end_angle:[c.AngleSpec,{field:\"end_angle\"}]})))},\n function _(s,e,i,r,t){r();const n=s(1);var a;const u=s(178),o=s(24),_=s(48),d=(0,n.__importStar)(s(18)),h=s(27),c=s(72);class l extends u.XYGlyphView{_map_data(){\"data\"==this.model.properties.inner_radius.units?this.sinner_radius=this.sdist(this.renderer.xscale,this._x,this.inner_radius):this.sinner_radius=(0,o.to_screen)(this.inner_radius),\"data\"==this.model.properties.outer_radius.units?this.souter_radius=this.sdist(this.renderer.xscale,this._x,this.outer_radius):this.souter_radius=(0,o.to_screen)(this.outer_radius)}_render(s,e,i){const{sx:r,sy:t,sinner_radius:n,souter_radius:a}=null!=i?i:this;for(const i of e){const e=r[i],u=t[i],o=n[i],_=a[i];if(isFinite(e+u+o+_)){if(s.beginPath(),h.is_ie)for(const i of[!1,!0])s.moveTo(e,u),s.arc(e,u,o,0,Math.PI,i),s.moveTo(e+_,u),s.arc(e,u,_,Math.PI,0,!i);else s.arc(e,u,o,0,2*Math.PI,!0),s.moveTo(e+_,u),s.arc(e,u,_,2*Math.PI,0,!1);this.visuals.fill.apply(s,i),this.visuals.hatch.apply(s,i),this.visuals.line.apply(s,i)}}}_hit_point(s){const{sx:e,sy:i}=s,r=this.renderer.xscale.invert(e),t=this.renderer.yscale.invert(i);let n,a,u,o;if(\"data\"==this.model.properties.outer_radius.units)n=r-this.max_outer_radius,u=r+this.max_outer_radius,a=t-this.max_outer_radius,o=t+this.max_outer_radius;else{const s=e-this.max_outer_radius,r=e+this.max_outer_radius;[n,u]=this.renderer.xscale.r_invert(s,r);const t=i-this.max_outer_radius,_=i+this.max_outer_radius;[a,o]=this.renderer.yscale.r_invert(t,_)}const _=[];for(const s of this.index.indices({x0:n,x1:u,y0:a,y1:o})){const e=this.souter_radius[s]**2,i=this.sinner_radius[s]**2,[n,a]=this.renderer.xscale.r_compute(r,this._x[s]),[u,o]=this.renderer.yscale.r_compute(t,this._y[s]),d=(n-a)**2+(u-o)**2;d<=e&&d>=i&&_.push(s)}return new c.Selection({indices:_})}draw_legend_for_index(s,{x0:e,y0:i,x1:r,y1:t},n){const a=n+1,u=new Array(a);u[n]=(e+r)/2;const o=new Array(a);o[n]=(i+t)/2;const _=.5*Math.min(Math.abs(r-e),Math.abs(t-i)),d=new Array(a);d[n]=.4*_;const h=new Array(a);h[n]=.8*_,this._render(s,[n],{sx:u,sy:o,sinner_radius:d,souter_radius:h})}}i.AnnulusView=l,l.__name__=\"AnnulusView\";class x extends u.XYGlyph{constructor(s){super(s)}}i.Annulus=x,a=x,x.__name__=\"Annulus\",a.prototype.default_view=l,a.mixins([_.LineVector,_.FillVector,_.HatchVector]),a.define((({})=>({inner_radius:[d.DistanceSpec,{field:\"inner_radius\"}],outer_radius:[d.DistanceSpec,{field:\"outer_radius\"}]})))},\n function _(e,i,s,t,n){t();const r=e(1);var a;const c=e(178),d=e(184),l=e(48),_=e(24),o=e(20),u=(0,r.__importStar)(e(18));class h extends c.XYGlyphView{_map_data(){\"data\"==this.model.properties.radius.units?this.sradius=this.sdist(this.renderer.xscale,this._x,this.radius):this.sradius=(0,_.to_screen)(this.radius)}_render(e,i,s){if(this.visuals.line.doit){const{sx:t,sy:n,sradius:r,start_angle:a,end_angle:c}=null!=s?s:this,d=\"anticlock\"==this.model.direction;for(const s of i){const i=t[s],l=n[s],_=r[s],o=a.get(s),u=c.get(s);isFinite(i+l+_+o+u)&&(e.beginPath(),e.arc(i,l,_,o,u,d),this.visuals.line.set_vectorize(e,s),e.stroke())}}}draw_legend_for_index(e,i,s){(0,d.generic_line_vector_legend)(this.visuals,e,i,s)}}s.ArcView=h,h.__name__=\"ArcView\";class g extends c.XYGlyph{constructor(e){super(e)}}s.Arc=g,a=g,g.__name__=\"Arc\",a.prototype.default_view=h,a.mixins(l.LineVector),a.define((({})=>({direction:[o.Direction,\"anticlock\"],radius:[u.DistanceSpec,{field:\"radius\"}],start_angle:[u.AngleSpec,{field:\"start_angle\"}],end_angle:[u.AngleSpec,{field:\"end_angle\"}]})))},\n function _(e,t,i,n,s){n();const o=e(1);var c;const r=e(48),a=e(179),_=e(184),d=e(78),l=(0,o.__importStar)(e(18));function x(e,t,i,n,s,o,c,r){const a=[],_=[[],[]];for(let _=0;_<=2;_++){let d,l,x;if(0===_?(l=6*e-12*i+6*s,d=-3*e+9*i-9*s+3*c,x=3*i-3*e):(l=6*t-12*n+6*o,d=-3*t+9*n-9*o+3*r,x=3*n-3*t),Math.abs(d)<1e-12){if(Math.abs(l)<1e-12)continue;const e=-x/l;0({x0:[l.XCoordinateSpec,{field:\"x0\"}],y0:[l.YCoordinateSpec,{field:\"y0\"}],x1:[l.XCoordinateSpec,{field:\"x1\"}],y1:[l.YCoordinateSpec,{field:\"y1\"}],cx0:[l.XCoordinateSpec,{field:\"cx0\"}],cy0:[l.YCoordinateSpec,{field:\"cy0\"}],cx1:[l.XCoordinateSpec,{field:\"cx1\"}],cy1:[l.YCoordinateSpec,{field:\"cy1\"}]}))),c.mixins(r.LineVector)},\n function _(s,i,e,t,r){t();const a=s(1);var n;const h=s(178),d=s(48),l=s(24),_=s(20),c=(0,a.__importStar)(s(185)),u=(0,a.__importStar)(s(18)),o=s(9),x=s(12),m=s(72);class p extends h.XYGlyphView{async lazy_initialize(){await super.lazy_initialize();const{webgl:i}=this.renderer.plot_view.canvas_view;if(null!=i&&i.regl_wrapper.has_webgl){const{CircleGL:e}=await Promise.resolve().then((()=>(0,a.__importStar)(s(423))));this.glglyph=new e(i.regl_wrapper,this)}}get use_radius(){return!(this.radius.is_Scalar()&&isNaN(this.radius.value))}_set_data(s){super._set_data(s);const i=(()=>{if(this.use_radius)return 2*this.max_radius;{const{size:s}=this;return s.is_Scalar()?s.value:(0,x.max)(s.array)}})();this._configure(\"max_size\",{value:i})}_map_data(){if(this.use_radius)if(\"data\"==this.model.properties.radius.units)switch(this.model.radius_dimension){case\"x\":this.sradius=this.sdist(this.renderer.xscale,this._x,this.radius);break;case\"y\":this.sradius=this.sdist(this.renderer.yscale,this._y,this.radius);break;case\"max\":{const s=this.sdist(this.renderer.xscale,this._x,this.radius),i=this.sdist(this.renderer.yscale,this._y,this.radius);this.sradius=(0,x.map)(s,((s,e)=>Math.max(s,i[e])));break}case\"min\":{const s=this.sdist(this.renderer.xscale,this._x,this.radius),i=this.sdist(this.renderer.yscale,this._y,this.radius);this.sradius=(0,x.map)(s,((s,e)=>Math.min(s,i[e])));break}}else this.sradius=(0,l.to_screen)(this.radius);else{const s=l.ScreenArray.from(this.size);this.sradius=(0,x.map)(s,(s=>s/2))}}_mask_data(){const{frame:s}=this.renderer.plot_view,i=s.x_target,e=s.y_target;let t,r;return this.use_radius&&\"data\"==this.model.properties.radius.units?(t=i.map((s=>this.renderer.xscale.invert(s))).widen(this.max_radius),r=e.map((s=>this.renderer.yscale.invert(s))).widen(this.max_radius)):(t=i.widen(this.max_size).map((s=>this.renderer.xscale.invert(s))),r=e.widen(this.max_size).map((s=>this.renderer.yscale.invert(s)))),this.index.indices({x0:t.start,x1:t.end,y0:r.start,y1:r.end})}_render(s,i,e){const{sx:t,sy:r,sradius:a}=null!=e?e:this;for(const e of i){const i=t[e],n=r[e],h=a[e];isFinite(i+n+h)&&(s.beginPath(),s.arc(i,n,h,0,2*Math.PI,!1),this.visuals.fill.apply(s,e),this.visuals.hatch.apply(s,e),this.visuals.line.apply(s,e))}}_hit_point(s){const{sx:i,sy:e}=s,t=this.renderer.xscale.invert(i),r=this.renderer.yscale.invert(e),{hit_dilation:a}=this.model;let n,h,d,l;if(this.use_radius&&\"data\"==this.model.properties.radius.units)n=t-this.max_radius*a,h=t+this.max_radius*a,d=r-this.max_radius*a,l=r+this.max_radius*a;else{const s=i-this.max_size*a,t=i+this.max_size*a;[n,h]=this.renderer.xscale.r_invert(s,t);const r=e-this.max_size*a,_=e+this.max_size*a;[d,l]=this.renderer.yscale.r_invert(r,_)}const _=this.index.indices({x0:n,x1:h,y0:d,y1:l}),c=[];if(this.use_radius&&\"data\"==this.model.properties.radius.units)for(const s of _){const i=(this.sradius[s]*a)**2,[e,n]=this.renderer.xscale.r_compute(t,this._x[s]),[h,d]=this.renderer.yscale.r_compute(r,this._y[s]);(e-n)**2+(h-d)**2<=i&&c.push(s)}else for(const s of _){const t=(this.sradius[s]*a)**2;(this.sx[s]-i)**2+(this.sy[s]-e)**2<=t&&c.push(s)}return new m.Selection({indices:c})}_hit_span(s){const{sx:i,sy:e}=s,t=this.bounds();let r,a,n,h;if(\"h\"==s.direction){let s,e;if(n=t.y0,h=t.y1,this.use_radius&&\"data\"==this.model.properties.radius.units)s=i-this.max_radius,e=i+this.max_radius,[r,a]=this.renderer.xscale.r_invert(s,e);else{const t=this.max_size/2;s=i-t,e=i+t,[r,a]=this.renderer.xscale.r_invert(s,e)}}else{let s,i;if(r=t.x0,a=t.x1,this.use_radius&&\"data\"==this.model.properties.radius.units)s=e-this.max_radius,i=e+this.max_radius,[n,h]=this.renderer.yscale.r_invert(s,i);else{const t=this.max_size/2;s=e-t,i=e+t,[n,h]=this.renderer.yscale.r_invert(s,i)}}const d=[...this.index.indices({x0:r,x1:a,y0:n,y1:h})];return new m.Selection({indices:d})}_hit_rect(s){const{sx0:i,sx1:e,sy0:t,sy1:r}=s,[a,n]=this.renderer.xscale.r_invert(i,e),[h,d]=this.renderer.yscale.r_invert(t,r),l=[...this.index.indices({x0:a,x1:n,y0:h,y1:d})];return new m.Selection({indices:l})}_hit_poly(s){const{sx:i,sy:e}=s,t=(0,o.range)(0,this.sx.length),r=[];for(let s=0,a=t.length;s({angle:[u.AngleSpec,0],size:[u.ScreenSizeSpec,{value:4}],radius:[u.NullDistanceSpec,null],radius_dimension:[_.RadiusDimension,\"x\"],hit_dilation:[s,1]})))},\n function _(e,l,s,i,_){var p;i();const t=e(274);class a extends t.EllipseOvalView{}s.EllipseView=a,a.__name__=\"EllipseView\";class n extends t.EllipseOval{constructor(e){super(e)}}s.Ellipse=n,p=n,n.__name__=\"Ellipse\",p.prototype.default_view=a},\n function _(t,s,e,i,h){i();const n=t(1),r=t(275),a=(0,n.__importStar)(t(185)),l=t(24),_=t(72),o=(0,n.__importStar)(t(18));class d extends r.CenterRotatableView{_map_data(){\"data\"==this.model.properties.width.units?this.sw=this.sdist(this.renderer.xscale,this._x,this.width,\"center\"):this.sw=(0,l.to_screen)(this.width),\"data\"==this.model.properties.height.units?this.sh=this.sdist(this.renderer.yscale,this._y,this.height,\"center\"):this.sh=(0,l.to_screen)(this.height)}_render(t,s,e){const{sx:i,sy:h,sw:n,sh:r,angle:a}=null!=e?e:this;for(const e of s){const s=i[e],l=h[e],_=n[e],o=r[e],d=a.get(e);isFinite(s+l+_+o+d)&&(t.beginPath(),t.ellipse(s,l,_/2,o/2,d,0,2*Math.PI),this.visuals.fill.apply(t,e),this.visuals.hatch.apply(t,e),this.visuals.line.apply(t,e))}}_hit_point(t){let s,e,i,h,n,r,l,o,d;const{sx:c,sy:p}=t,w=this.renderer.xscale.invert(c),x=this.renderer.yscale.invert(p);\"data\"==this.model.properties.width.units?(s=w-this.max_width,e=w+this.max_width):(r=c-this.max_width,l=c+this.max_width,[s,e]=this.renderer.xscale.r_invert(r,l)),\"data\"==this.model.properties.height.units?(i=x-this.max_height,h=x+this.max_height):(o=p-this.max_height,d=p+this.max_height,[i,h]=this.renderer.yscale.r_invert(o,d));const m=this.index.indices({x0:s,x1:e,y0:i,y1:h}),y=[];for(const t of m)n=a.point_in_ellipse(c,p,this.angle.get(t),this.sh[t]/2,this.sw[t]/2,this.sx[t],this.sy[t]),n&&y.push(t);return new _.Selection({indices:y})}draw_legend_for_index(t,{x0:s,y0:e,x1:i,y1:h},n){const r=n+1,a=new Array(r);a[n]=(s+i)/2;const l=new Array(r);l[n]=(e+h)/2;const _=this.sw[n]/this.sh[n],d=.8*Math.min(Math.abs(i-s),Math.abs(h-e)),c=new Array(r),p=new Array(r);_>1?(c[n]=d,p[n]=d/_):(c[n]=d*_,p[n]=d);const w=new o.UniformScalar(0,r);this._render(t,[n],{sx:a,sy:l,sw:c,sh:p,angle:w})}}e.EllipseOvalView=d,d.__name__=\"EllipseOvalView\";class c extends r.CenterRotatable{constructor(t){super(t)}}e.EllipseOval=c,c.__name__=\"EllipseOval\"},\n function _(e,t,i,a,n){a();const s=e(1);var r;const h=e(178),o=e(48),_=(0,s.__importStar)(e(18));class c extends h.XYGlyphView{get max_w2(){return\"data\"==this.model.properties.width.units?this.max_width/2:0}get max_h2(){return\"data\"==this.model.properties.height.units?this.max_height/2:0}_bounds({x0:e,x1:t,y0:i,y1:a}){const{max_w2:n,max_h2:s}=this;return{x0:e-n,x1:t+n,y0:i-s,y1:a+s}}}i.CenterRotatableView=c,c.__name__=\"CenterRotatableView\";class l extends h.XYGlyph{constructor(e){super(e)}}i.CenterRotatable=l,r=l,l.__name__=\"CenterRotatable\",r.mixins([o.LineVector,o.FillVector,o.HatchVector]),r.define((({})=>({angle:[_.AngleSpec,0],width:[_.DistanceSpec,{field:\"width\"}],height:[_.DistanceSpec,{field:\"height\"}]})))},\n function _(t,e,s,i,r){i();const h=t(1);var a;const n=t(277),_=t(24),o=(0,h.__importStar)(t(18));class l extends n.BoxView{async lazy_initialize(){await super.lazy_initialize();const{webgl:e}=this.renderer.plot_view.canvas_view;if(null!=e&&e.regl_wrapper.has_webgl){const{LRTBGL:s}=await Promise.resolve().then((()=>(0,h.__importStar)(t(427))));this.glglyph=new s(e.regl_wrapper,this)}}scenterxy(t){return[(this.sleft[t]+this.sright[t])/2,this.sy[t]]}_lrtb(t){const e=this._left[t],s=this._right[t],i=this._y[t],r=this.height.get(t)/2;return[Math.min(e,s),Math.max(e,s),i+r,i-r]}_map_data(){this.sy=this.renderer.yscale.v_compute(this._y),this.sh=this.sdist(this.renderer.yscale,this._y,this.height,\"center\"),this.sleft=this.renderer.xscale.v_compute(this._left),this.sright=this.renderer.xscale.v_compute(this._right);const t=this.sy.length;this.stop=new _.ScreenArray(t),this.sbottom=new _.ScreenArray(t);for(let e=0;e({left:[o.XCoordinateSpec,{value:0}],y:[o.YCoordinateSpec,{field:\"y\"}],height:[o.NumberSpec,{value:1}],right:[o.XCoordinateSpec,{field:\"right\"}]})))},\n function _(t,e,s,r,i){var n;r();const a=t(48),h=t(179),o=t(184),c=t(72);class _ extends h.GlyphView{get_anchor_point(t,e,s){const r=Math.min(this.sleft[e],this.sright[e]),i=Math.max(this.sright[e],this.sleft[e]),n=Math.min(this.stop[e],this.sbottom[e]),a=Math.max(this.sbottom[e],this.stop[e]);switch(t){case\"top_left\":return{x:r,y:n};case\"top\":case\"top_center\":return{x:(r+i)/2,y:n};case\"top_right\":return{x:i,y:n};case\"bottom_left\":return{x:r,y:a};case\"bottom\":case\"bottom_center\":return{x:(r+i)/2,y:a};case\"bottom_right\":return{x:i,y:a};case\"left\":case\"center_left\":return{x:r,y:(n+a)/2};case\"center\":case\"center_center\":return{x:(r+i)/2,y:(n+a)/2};case\"right\":case\"center_right\":return{x:i,y:(n+a)/2}}}_index_data(t){const{min:e,max:s}=Math,{data_size:r}=this;for(let i=0;i(0,n.__importStar)(e(425))));this.glglyph=new s(t.regl_wrapper,this)}}scenterxy(e){return[this.sx[e],this.sy[e]]}_set_data(){const{orientation:e,size:t,aspect_scale:s}=this.model,{q:i,r}=this,n=this.q.length;this._x=new Float64Array(n),this._y=new Float64Array(n);const{_x:a,_y:l}=this,o=Math.sqrt(3);if(\"pointytop\"==e)for(let e=0;e({r:[c.NumberSpec,{field:\"r\"}],q:[c.NumberSpec,{field:\"q\"}],scale:[c.NumberSpec,1],size:[e,1],aspect_scale:[e,1],orientation:[_.HexTileOrientation,\"pointytop\"]}))),a.override({line_color:null})},\n function _(e,a,t,_,r){var n;_();const s=e(280),o=e(173),i=e(201);class p extends s.ImageBaseView{connect_signals(){super.connect_signals(),this.connect(this.model.color_mapper.change,(()=>this._update_image()))}_update_image(){null!=this.image_data&&(this._set_data(null),this.renderer.request_render())}_flat_img_to_buf8(e){return this.model.color_mapper.rgba_mapper.v_compute(e)}}t.ImageView=p,p.__name__=\"ImageView\";class m extends s.ImageBase{constructor(e){super(e)}}t.Image=m,n=m,m.__name__=\"Image\",n.prototype.default_view=p,n.define((({Ref:e})=>({color_mapper:[e(o.ColorMapper),()=>new i.LinearColorMapper({palette:[\"#000000\",\"#252525\",\"#525252\",\"#737373\",\"#969696\",\"#bdbdbd\",\"#d9d9d9\",\"#f0f0f0\",\"#ffffff\"]})]})))},\n function _(e,t,i,s,a){s();const h=e(1);var n;const r=e(178),_=e(24),d=(0,h.__importStar)(e(18)),l=e(72),g=e(9),o=e(29),c=e(11);class m extends r.XYGlyphView{connect_signals(){super.connect_signals(),this.connect(this.model.properties.global_alpha.change,(()=>this.renderer.request_render()))}_render(e,t,i){const{image_data:s,sx:a,sy:h,sw:n,sh:r,global_alpha:_}=null!=i?i:this,d=e.getImageSmoothingEnabled();e.setImageSmoothingEnabled(!1);const l=_.is_Scalar();l&&(e.globalAlpha=_.value);for(const i of t){const t=s[i],_=a[i],d=h[i],g=n[i],o=r[i],c=this.global_alpha.get(i);if(null==t||!isFinite(_+d+g+o+c))continue;l||(e.globalAlpha=c);const m=d;e.translate(0,m),e.scale(1,-1),e.translate(0,-m),e.drawImage(t,0|_,0|d,g,o),e.translate(0,m),e.scale(1,-1),e.translate(0,-m)}e.setImageSmoothingEnabled(d)}_set_data(e){this._set_width_heigh_data();for(let t=0,i=this.image.length;t({image:[d.NDArraySpec,{field:\"image\"}],dw:[d.DistanceSpec,{field:\"dw\"}],dh:[d.DistanceSpec,{field:\"dh\"}],global_alpha:[d.NumberSpec,{value:1}],dilate:[e,!1]})))},\n function _(e,a,t,r,_){var n;r();const s=e(280),m=e(8);class i extends s.ImageBaseView{_flat_img_to_buf8(e){let a;return a=(0,m.isArray)(e)?new Uint32Array(e):e,new Uint8ClampedArray(a.buffer)}}t.ImageRGBAView=i,i.__name__=\"ImageRGBAView\";class g extends s.ImageBase{constructor(e){super(e)}}t.ImageRGBA=g,n=g,g.__name__=\"ImageRGBA\",n.prototype.default_view=i},\n function _(e,t,s,r,a){r();const i=e(1);var n;const o=e(178),c=e(24),_=e(20),h=(0,i.__importStar)(e(18)),l=e(12),d=e(136);class m extends o.XYGlyphView{constructor(){super(...arguments),this._images_rendered=!1,this._set_data_iteration=0}connect_signals(){super.connect_signals(),this.connect(this.model.properties.global_alpha.change,(()=>this.renderer.request_render()))}_index_data(e){const{data_size:t}=this;for(let s=0;s{this._set_data_iteration==r&&(this.image[a]=e,this.renderer.request_render())},attempts:t+1,timeout:s})}const a=\"data\"==this.model.properties.w.units,i=\"data\"==this.model.properties.h.units,n=this._x.length,o=new c.ScreenArray(a?2*n:n),_=new c.ScreenArray(i?2*n:n),{anchor:h}=this.model;function m(e,t){switch(h){case\"top_left\":case\"bottom_left\":case\"left\":case\"center_left\":return[e,e+t];case\"top\":case\"top_center\":case\"bottom\":case\"bottom_center\":case\"center\":case\"center_center\":return[e-t/2,e+t/2];case\"top_right\":case\"bottom_right\":case\"right\":case\"center_right\":return[e-t,e]}}function g(e,t){switch(h){case\"top_left\":case\"top\":case\"top_center\":case\"top_right\":return[e,e-t];case\"bottom_left\":case\"bottom\":case\"bottom_center\":case\"bottom_right\":return[e+t,e];case\"left\":case\"center_left\":case\"center\":case\"center_center\":case\"right\":case\"center_right\":return[e+t/2,e-t/2]}}if(a)for(let e=0;e({url:[h.StringSpec,{field:\"url\"}],anchor:[_.Anchor,\"top_left\"],global_alpha:[h.NumberSpec,{value:1}],angle:[h.AngleSpec,0],w:[h.NullDistanceSpec,null],h:[h.NullDistanceSpec,null],dilate:[e,!1],retry_attempts:[t,0],retry_timeout:[t,0]})))},\n function _(e,t,s,i,n){i();const o=e(1);var r;const l=e(78),_=e(48),c=(0,o.__importStar)(e(185)),h=(0,o.__importStar)(e(18)),a=e(12),d=e(13),x=e(179),y=e(184),g=e(72);class p extends x.GlyphView{_project_data(){l.inplace.project_xy(this._xs.array,this._ys.array)}_index_data(e){const{data_size:t}=this;for(let s=0;s0&&o.set(e,s)}return new g.Selection({indices:[...o.keys()],multiline_indices:(0,d.to_object)(o)})}get_interpolation_hit(e,t,s){const i=this._xs.get(e),n=this._ys.get(e),o=i[t],r=n[t],l=i[t+1],_=n[t+1];return(0,y.line_interpolation)(this.renderer,s,o,r,l,_)}draw_legend_for_index(e,t,s){(0,y.generic_line_vector_legend)(this.visuals,e,t,s)}scenterxy(){throw new Error(`${this}.scenterxy() is not implemented`)}}s.MultiLineView=p,p.__name__=\"MultiLineView\";class u extends x.Glyph{constructor(e){super(e)}}s.MultiLine=u,r=u,u.__name__=\"MultiLine\",r.prototype.default_view=p,r.define((({})=>({xs:[h.XCoordinateSeqSpec,{field:\"xs\"}],ys:[h.YCoordinateSeqSpec,{field:\"ys\"}]}))),r.mixins(_.LineVector)},\n function _(t,e,s,n,i){n();const o=t(1);var r;const l=t(181),h=t(179),a=t(184),_=t(12),c=t(12),d=t(48),x=(0,o.__importStar)(t(185)),y=(0,o.__importStar)(t(18)),f=t(72),g=t(11);class p extends h.GlyphView{_project_data(){}_index_data(t){const{min:e,max:s}=Math,{data_size:n}=this;for(let i=0;i1&&c.length>1)for(let s=1,n=i.length;s1){let r=!1;for(let t=1;t({xs:[y.XCoordinateSeqSeqSeqSpec,{field:\"xs\"}],ys:[y.YCoordinateSeqSeqSeqSpec,{field:\"ys\"}]}))),r.mixins([d.LineVector,d.FillVector,d.HatchVector])},\n function _(a,e,l,s,_){var t;s();const i=a(274),n=a(12);class p extends i.EllipseOvalView{_map_data(){super._map_data(),(0,n.mul)(this.sw,.75)}}l.OvalView=p,p.__name__=\"OvalView\";class v extends i.EllipseOval{constructor(a){super(a)}}l.Oval=v,t=v,v.__name__=\"Oval\",t.prototype.default_view=p},\n function _(e,t,s,i,n){i();const r=e(1);var a;const o=e(179),c=e(184),_=e(12),h=e(48),l=(0,r.__importStar)(e(185)),d=(0,r.__importStar)(e(18)),y=e(72),p=e(11),x=e(78);class f extends o.GlyphView{_project_data(){x.inplace.project_xy(this._xs.array,this._ys.array)}_index_data(e){const{data_size:t}=this;for(let s=0;s({xs:[d.XCoordinateSeqSpec,{field:\"xs\"}],ys:[d.YCoordinateSeqSpec,{field:\"ys\"}]}))),a.mixins([h.LineVector,h.FillVector,h.HatchVector])},\n function _(t,e,i,o,r){o();const s=t(1);var a;const n=t(277),l=(0,s.__importStar)(t(18));class _ extends n.BoxView{async lazy_initialize(){await super.lazy_initialize();const{webgl:e}=this.renderer.plot_view.canvas_view;if(null!=e&&e.regl_wrapper.has_webgl){const{LRTBGL:i}=await Promise.resolve().then((()=>(0,s.__importStar)(t(427))));this.glglyph=new i(e.regl_wrapper,this)}}scenterxy(t){return[this.sleft[t]/2+this.sright[t]/2,this.stop[t]/2+this.sbottom[t]/2]}_lrtb(t){return[this._left[t],this._right[t],this._top[t],this._bottom[t]]}}i.QuadView=_,_.__name__=\"QuadView\";class p extends n.Box{constructor(t){super(t)}}i.Quad=p,a=p,p.__name__=\"Quad\",a.prototype.default_view=_,a.define((({})=>({right:[l.XCoordinateSpec,{field:\"right\"}],bottom:[l.YCoordinateSpec,{field:\"bottom\"}],left:[l.XCoordinateSpec,{field:\"left\"}],top:[l.YCoordinateSpec,{field:\"top\"}]})))},\n function _(e,t,i,n,s){n();const c=e(1);var o;const r=e(48),a=e(78),_=e(179),d=e(184),l=(0,c.__importStar)(e(18));function x(e,t,i){if(t==(e+i)/2)return[e,i];{const n=(e-t)/(e-2*t+i),s=e*(1-n)**2+2*t*(1-n)*n+i*n**2;return[Math.min(e,i,s),Math.max(e,i,s)]}}class y extends _.GlyphView{_project_data(){a.inplace.project_xy(this._x0,this._y0),a.inplace.project_xy(this._x1,this._y1)}_index_data(e){const{_x0:t,_x1:i,_y0:n,_y1:s,_cx:c,_cy:o,data_size:r}=this;for(let a=0;a({x0:[l.XCoordinateSpec,{field:\"x0\"}],y0:[l.YCoordinateSpec,{field:\"y0\"}],x1:[l.XCoordinateSpec,{field:\"x1\"}],y1:[l.YCoordinateSpec,{field:\"y1\"}],cx:[l.XCoordinateSpec,{field:\"cx\"}],cy:[l.YCoordinateSpec,{field:\"cy\"}]}))),o.mixins(r.LineVector)},\n function _(e,t,s,i,n){i();const l=e(1);var a;const r=e(178),o=e(184),h=e(48),_=e(24),c=(0,l.__importStar)(e(18));class g extends r.XYGlyphView{_map_data(){\"data\"==this.model.properties.length.units?this.slength=this.sdist(this.renderer.xscale,this._x,this.length):this.slength=(0,_.to_screen)(this.length);const{width:e,height:t}=this.renderer.plot_view.frame.bbox,s=2*(e+t),{slength:i}=this;for(let e=0,t=i.length;e({length:[c.DistanceSpec,0],angle:[c.AngleSpec,0]})))},\n function _(t,e,s,i,r){var n,h=this&&this.__createBinding||(Object.create?function(t,e,s,i){void 0===i&&(i=s),Object.defineProperty(t,i,{enumerable:!0,get:function(){return e[s]}})}:function(t,e,s,i){void 0===i&&(i=s),t[i]=e[s]}),a=this&&this.__setModuleDefault||(Object.create?function(t,e){Object.defineProperty(t,\"default\",{enumerable:!0,value:e})}:function(t,e){t.default=e}),l=this&&this.__importStar||function(t){if(t&&t.__esModule)return t;var e={};if(null!=t)for(var s in t)\"default\"!==s&&Object.prototype.hasOwnProperty.call(t,s)&&h(e,t,s);return a(e,t),e};i();const o=t(275),c=t(184),_=t(24),d=t(12),f=t(72);class y extends o.CenterRotatableView{async lazy_initialize(){await super.lazy_initialize();const{webgl:e}=this.renderer.plot_view.canvas_view;if(null==e?void 0:e.regl_wrapper.has_webgl){const{RectGL:s}=await Promise.resolve().then((()=>l(t(429))));this.glglyph=new s(e.regl_wrapper,this)}}_map_data(){if(\"data\"==this.model.properties.width.units)[this.sw,this.sx0]=this._map_dist_corner_for_data_side_length(this._x,this.width,this.renderer.xscale);else{this.sw=(0,_.to_screen)(this.width);const t=this.sx.length;this.sx0=new _.ScreenArray(t);for(let e=0;e({dilate:[t,!1]})))},\n function _(e,t,r,a,s){a();const i=e(1);var n;const l=e(292),_=e(293),c=(0,i.__importStar)(e(18));class o extends l.MarkerView{async lazy_initialize(){await super.lazy_initialize();const{webgl:t}=this.renderer.plot_view.canvas_view;if(null!=t&&t.regl_wrapper.has_webgl){const{MultiMarkerGL:r}=await Promise.resolve().then((()=>(0,i.__importStar)(e(428))));this.glglyph=new r(t.regl_wrapper,this)}}_render(e,t,r){const{sx:a,sy:s,size:i,angle:n,marker:l}=null!=r?r:this;for(const r of t){const t=a[r],c=s[r],o=i.get(r),g=n.get(r),w=l.get(r);if(!isFinite(t+c+o+g)||null==w)continue;const p=o/2;e.beginPath(),e.translate(t,c),g&&e.rotate(g),_.marker_funcs[w](e,r,p,this.visuals),g&&e.rotate(-g),e.translate(-t,-c)}}draw_legend_for_index(e,{x0:t,x1:r,y0:a,y1:s},i){const n=i+1,l=this.marker.get(i),_=Object.assign(Object.assign({},this._get_legend_args({x0:t,x1:r,y0:a,y1:s},i)),{marker:new c.UniformScalar(l,n)});this._render(e,[i],_)}}r.ScatterView=o,o.__name__=\"ScatterView\";class g extends l.Marker{constructor(e){super(e)}}r.Scatter=g,n=g,g.__name__=\"Scatter\",n.prototype.default_view=o,n.define((()=>({marker:[c.MarkerSpec,{value:\"circle\"}]})))},\n function _(e,t,s,n,i){n();const r=e(1);var a;const c=e(178),o=e(48),_=(0,r.__importStar)(e(185)),h=(0,r.__importStar)(e(18)),l=e(9),x=e(72);class d extends c.XYGlyphView{_render(e,t,s){const{sx:n,sy:i,size:r,angle:a}=null!=s?s:this;for(const s of t){const t=n[s],c=i[s],o=r.get(s),_=a.get(s);if(!isFinite(t+c+o+_))continue;const h=o/2;e.beginPath(),e.translate(t,c),_&&e.rotate(_),this._render_one(e,s,h,this.visuals),_&&e.rotate(-_),e.translate(-t,-c)}}_mask_data(){const{x_target:e,y_target:t}=this.renderer.plot_view.frame,s=e.widen(this.max_size).map((e=>this.renderer.xscale.invert(e))),n=t.widen(this.max_size).map((e=>this.renderer.yscale.invert(e)));return this.index.indices({x0:s.start,x1:s.end,y0:n.start,y1:n.end})}_hit_point(e){const{sx:t,sy:s}=e,{max_size:n}=this,{hit_dilation:i}=this.model,r=t-n*i,a=t+n*i,[c,o]=this.renderer.xscale.r_invert(r,a),_=s-n*i,h=s+n*i,[l,d]=this.renderer.yscale.r_invert(_,h),y=this.index.indices({x0:c,x1:o,y0:l,y1:d}),g=[];for(const e of y){const n=this.size.get(e)/2*i;Math.abs(this.sx[e]-t)<=n&&Math.abs(this.sy[e]-s)<=n&&g.push(e)}return new x.Selection({indices:g})}_hit_span(e){const{sx:t,sy:s}=e,n=this.bounds(),i=this.max_size/2;let r,a,c,o;if(\"h\"==e.direction){c=n.y0,o=n.y1;const e=t-i,s=t+i;[r,a]=this.renderer.xscale.r_invert(e,s)}else{r=n.x0,a=n.x1;const e=s-i,t=s+i;[c,o]=this.renderer.yscale.r_invert(e,t)}const _=[...this.index.indices({x0:r,x1:a,y0:c,y1:o})];return new x.Selection({indices:_})}_hit_rect(e){const{sx0:t,sx1:s,sy0:n,sy1:i}=e,[r,a]=this.renderer.xscale.r_invert(t,s),[c,o]=this.renderer.yscale.r_invert(n,i),_=[...this.index.indices({x0:r,x1:a,y0:c,y1:o})];return new x.Selection({indices:_})}_hit_poly(e){const{sx:t,sy:s}=e,n=(0,l.range)(0,this.sx.length),i=[];for(let e=0,r=n.length;e({size:[h.ScreenSizeSpec,{value:4}],angle:[h.AngleSpec,0],hit_dilation:[e,1]})))},\n function _(l,o,n,t,i){t();const e=Math.sqrt(3),a=Math.sqrt(5),c=(a+1)/4,p=Math.sqrt((5-a)/8),r=(a-1)/4,h=Math.sqrt((5+a)/8);function u(l,o){l.rotate(Math.PI/4),s(l,o),l.rotate(-Math.PI/4)}function f(l,o){const n=o*e,t=n/3;l.moveTo(-n/2,-t),l.lineTo(0,0),l.lineTo(n/2,-t),l.lineTo(0,0),l.lineTo(0,o)}function s(l,o){l.moveTo(0,o),l.lineTo(0,-o),l.moveTo(-o,0),l.lineTo(o,0)}function T(l,o){l.moveTo(0,o),l.lineTo(o/1.5,0),l.lineTo(0,-o),l.lineTo(-o/1.5,0),l.closePath()}function y(l,o){const n=o*e,t=n/3;l.moveTo(-o,t),l.lineTo(o,t),l.lineTo(0,t-n),l.closePath()}function v(l,o,n,t){l.arc(0,0,n,0,2*Math.PI,!1),t.fill.apply(l,o),t.hatch.apply(l,o),t.line.apply(l,o)}function d(l,o,n,t){T(l,n),t.fill.apply(l,o),t.hatch.apply(l,o),t.line.apply(l,o)}function _(l,o,n,t){!function(l,o){l.beginPath(),l.arc(0,0,o/4,0,2*Math.PI,!1),l.closePath()}(l,n),t.line.set_vectorize(l,o),l.fillStyle=l.strokeStyle,l.fill()}function P(l,o,n,t){!function(l,o){const n=o/2,t=e*n;l.moveTo(o,0),l.lineTo(n,-t),l.lineTo(-n,-t),l.lineTo(-o,0),l.lineTo(-n,t),l.lineTo(n,t),l.closePath()}(l,n),t.fill.apply(l,o),t.hatch.apply(l,o),t.line.apply(l,o)}function m(l,o,n,t){const i=2*n;l.rect(-n,-n,i,i),t.fill.apply(l,o),t.hatch.apply(l,o),t.line.apply(l,o)}function q(l,o,n,t){!function(l,o){const n=Math.sqrt(5-2*a)*o;l.moveTo(0,-o),l.lineTo(n*r,n*h-o),l.lineTo(n*(1+r),n*h-o),l.lineTo(n*(1+r-c),n*(h+p)-o),l.lineTo(n*(1+2*r-c),n*(2*h+p)-o),l.lineTo(0,2*n*h-o),l.lineTo(-n*(1+2*r-c),n*(2*h+p)-o),l.lineTo(-n*(1+r-c),n*(h+p)-o),l.lineTo(-n*(1+r),n*h-o),l.lineTo(-n*r,n*h-o),l.closePath()}(l,n),t.fill.apply(l,o),t.hatch.apply(l,o),t.line.apply(l,o)}function M(l,o,n,t){y(l,n),t.fill.apply(l,o),t.hatch.apply(l,o),t.line.apply(l,o)}n.marker_funcs={asterisk:function(l,o,n,t){s(l,n),u(l,n),t.line.apply(l,o)},circle:v,circle_cross:function(l,o,n,t){l.arc(0,0,n,0,2*Math.PI,!1),t.fill.apply(l,o),t.hatch.apply(l,o),t.line.doit&&(t.line.set_vectorize(l,o),s(l,n),l.stroke())},circle_dot:function(l,o,n,t){v(l,o,n,t),_(l,o,n,t)},circle_y:function(l,o,n,t){l.arc(0,0,n,0,2*Math.PI,!1),t.fill.apply(l,o),t.hatch.apply(l,o),t.line.doit&&(t.line.set_vectorize(l,o),f(l,n),l.stroke())},circle_x:function(l,o,n,t){l.arc(0,0,n,0,2*Math.PI,!1),t.fill.apply(l,o),t.hatch.apply(l,o),t.line.doit&&(t.line.set_vectorize(l,o),u(l,n),l.stroke())},cross:function(l,o,n,t){s(l,n),t.line.apply(l,o)},diamond:d,diamond_dot:function(l,o,n,t){d(l,o,n,t),_(l,o,n,t)},diamond_cross:function(l,o,n,t){T(l,n),t.fill.apply(l,o),t.hatch.apply(l,o),t.line.doit&&(t.line.set_vectorize(l,o),l.moveTo(0,n),l.lineTo(0,-n),l.moveTo(-n/1.5,0),l.lineTo(n/1.5,0),l.stroke())},dot:_,hex:P,hex_dot:function(l,o,n,t){P(l,o,n,t),_(l,o,n,t)},inverted_triangle:function(l,o,n,t){l.rotate(Math.PI),y(l,n),l.rotate(-Math.PI),t.fill.apply(l,o),t.hatch.apply(l,o),t.line.apply(l,o)},plus:function(l,o,n,t){const i=3*n/8,e=[i,i,n,n,i,i,-i,-i,-n,-n,-i,-i],a=[n,i,i,-i,-i,-n,-n,-i,-i,i,i,n];l.beginPath();for(let o=0;o<12;o++)l.lineTo(e[o],a[o]);l.closePath(),t.fill.apply(l,o),t.hatch.apply(l,o),t.line.apply(l,o)},square:m,square_cross:function(l,o,n,t){const i=2*n;l.rect(-n,-n,i,i),t.fill.apply(l,o),t.hatch.apply(l,o),t.line.doit&&(t.line.set_vectorize(l,o),s(l,n),l.stroke())},square_dot:function(l,o,n,t){m(l,o,n,t),_(l,o,n,t)},square_pin:function(l,o,n,t){const i=3*n/8;l.moveTo(-n,-n),l.quadraticCurveTo(0,-i,n,-n),l.quadraticCurveTo(i,0,n,n),l.quadraticCurveTo(0,i,-n,n),l.quadraticCurveTo(-i,0,-n,-n),l.closePath(),t.fill.apply(l,o),t.hatch.apply(l,o),t.line.apply(l,o)},square_x:function(l,o,n,t){const i=2*n;l.rect(-n,-n,i,i),t.fill.apply(l,o),t.hatch.apply(l,o),t.line.doit&&(t.line.set_vectorize(l,o),l.moveTo(-n,n),l.lineTo(n,-n),l.moveTo(-n,-n),l.lineTo(n,n),l.stroke())},star:q,star_dot:function(l,o,n,t){q(l,o,n,t),_(l,o,n,t)},triangle:M,triangle_dot:function(l,o,n,t){M(l,o,n,t),_(l,o,n,t)},triangle_pin:function(l,o,n,t){const i=n*e,a=i/3,c=3*a/8;l.moveTo(-n,a),l.quadraticCurveTo(0,c,n,a),l.quadraticCurveTo(e*c/2,c/2,0,a-i),l.quadraticCurveTo(-e*c/2,c/2,-n,a),l.closePath(),t.fill.apply(l,o),t.hatch.apply(l,o),t.line.apply(l,o)},dash:function(l,o,n,t){!function(l,o){l.moveTo(-o,0),l.lineTo(o,0)}(l,n),t.line.apply(l,o)},x:function(l,o,n,t){u(l,n),t.line.apply(l,o)},y:function(l,o,n,t){f(l,n),t.line.apply(l,o)}}},\n function _(e,t,s,i,n){i();const r=e(1);var o;const _=(0,r.__importStar)(e(185)),h=(0,r.__importStar)(e(18)),c=e(48),a=e(78),d=e(179),x=e(184),l=e(72);class y extends d.GlyphView{_project_data(){a.inplace.project_xy(this._x0,this._y0),a.inplace.project_xy(this._x1,this._y1)}_index_data(e){const{min:t,max:s}=Math,{_x0:i,_x1:n,_y0:r,_y1:o,data_size:_}=this;for(let h=0;h<_;h++){const _=i[h],c=n[h],a=r[h],d=o[h];e.add_rect(t(_,c),t(a,d),s(_,c),s(a,d))}}_render(e,t,s){if(this.visuals.line.doit){const{sx0:i,sy0:n,sx1:r,sy1:o}=null!=s?s:this;for(const s of t){const t=i[s],_=n[s],h=r[s],c=o[s];isFinite(t+_+h+c)&&(e.beginPath(),e.moveTo(t,_),e.lineTo(h,c),this.visuals.line.set_vectorize(e,s),e.stroke())}}}_hit_point(e){const{sx:t,sy:s}=e,i={x:t,y:s},[n,r]=this.renderer.xscale.r_invert(t-2,t+2),[o,h]=this.renderer.yscale.r_invert(s-2,s+2),c=this.index.indices({x0:n,y0:o,x1:r,y1:h}),a=[];for(const e of c){const t=Math.max(2,this.line_width.get(e)/2)**2,s={x:this.sx0[e],y:this.sy0[e]},n={x:this.sx1[e],y:this.sy1[e]};_.dist_to_segment_squared(i,s,n)({x0:[h.XCoordinateSpec,{field:\"x0\"}],y0:[h.YCoordinateSpec,{field:\"y0\"}],x1:[h.XCoordinateSpec,{field:\"x1\"}],y1:[h.YCoordinateSpec,{field:\"y1\"}]}))),o.mixins(c.LineVector)},\n function _(t,e,s,i,n){i();const o=t(1);var _;const l=t(178),a=(0,o.__importStar)(t(48)),c=t(296);class r extends l.XYGlyphView{_set_data(){const{tension:t,closed:e}=this.model;[this._xt,this._yt]=(0,c.catmullrom_spline)(this._x,this._y,20,t,e)}_map_data(){const{x_scale:t,y_scale:e}=this.renderer.coordinates;this.sxt=t.v_compute(this._xt),this.syt=e.v_compute(this._yt)}_render(t,e,s){const{sxt:i,syt:n}=null!=s?s:this;let o=!0;t.beginPath();const _=i.length;for(let e=0;e<_;e++){const s=i[e],_=n[e];isFinite(s+_)?o?(t.moveTo(s,_),o=!1):t.lineTo(s,_):o=!0}this.visuals.line.set_value(t),t.stroke()}}s.SplineView=r,r.__name__=\"SplineView\";class h extends l.XYGlyph{constructor(t){super(t)}}s.Spline=h,_=h,h.__name__=\"Spline\",_.prototype.default_view=r,_.mixins(a.LineScalar),_.define((({Boolean:t,Number:e})=>({tension:[e,.5],closed:[t,!1]})))},\n function _(n,t,e,o,s){o();const c=n(24),l=n(11);e.catmullrom_spline=function(n,t,e=10,o=.5,s=!1){(0,l.assert)(n.length==t.length);const r=n.length,f=s?r+1:r,w=(0,c.infer_type)(n,t),i=new w(f+2),u=new w(f+2);i.set(n,1),u.set(t,1),s?(i[0]=n[r-1],u[0]=t[r-1],i[f]=n[0],u[f]=t[0],i[f+1]=n[1],u[f+1]=t[1]):(i[0]=n[0],u[0]=t[0],i[f+1]=n[r-1],u[f+1]=t[r-1]);const g=new w(4*(e+1));for(let n=0,t=0;n<=e;n++){const o=n/e,s=o**2,c=o*s;g[t++]=2*c-3*s+1,g[t++]=-2*c+3*s,g[t++]=c-2*s+o,g[t++]=c-s}const h=new w((f-1)*(e+1)),_=new w((f-1)*(e+1));for(let n=1,t=0;n1&&(e.stroke(),o=!1)}o?(e.lineTo(t,r),e.lineTo(a,c)):(e.beginPath(),e.moveTo(s[n],i[n]),o=!0),l=n}e.lineTo(s[a-1],i[a-1]),e.stroke()}}draw_legend_for_index(e,t,n){(0,r.generic_line_scalar_legend)(this.visuals,e,t)}}n.StepView=f,f.__name__=\"StepView\";class u extends a.XYGlyph{constructor(e){super(e)}}n.Step=u,l=u,u.__name__=\"Step\",l.prototype.default_view=f,l.mixins(c.LineScalar),l.define((()=>({mode:[_.StepMode,\"before\"]})))},\n function _(t,e,s,i,n){i();const o=t(1);var _;const h=t(178),l=t(48),r=(0,o.__importStar)(t(185)),a=(0,o.__importStar)(t(18)),c=t(121),x=t(11),u=t(72);class f extends h.XYGlyphView{_rotate_point(t,e,s,i,n){return[(t-s)*Math.cos(n)-(e-i)*Math.sin(n)+s,(t-s)*Math.sin(n)+(e-i)*Math.cos(n)+i]}_text_bounds(t,e,s,i){return[[t,t+s,t+s,t,t],[e,e,e-i,e-i,e]]}_render(t,e,s){const{sx:i,sy:n,x_offset:o,y_offset:_,angle:h,text:l}=null!=s?s:this;this._sys=[],this._sxs=[];for(const s of e){const e=this._sxs[s]=[],r=this._sys[s]=[],a=i[s],x=n[s],u=o.get(s),f=_.get(s),p=h.get(s),g=l.get(s);if(isFinite(a+x+u+f+p)&&null!=g&&this.visuals.text.doit){const i=`${g}`;t.save(),t.translate(a+u,x+f),t.rotate(p),this.visuals.text.set_vectorize(t,s);const n=this.visuals.text.font_value(s),{height:o}=(0,c.font_metrics)(n),_=this.text_line_height.get(s)*o;if(-1==i.indexOf(\"\\n\")){t.fillText(i,0,0);const s=a+u,n=x+f,o=t.measureText(i).width,[h,l]=this._text_bounds(s,n,o,_);e.push(h),r.push(l)}else{const n=i.split(\"\\n\"),o=_*n.length,h=this.text_baseline.get(s);let l;switch(h){case\"top\":l=0;break;case\"middle\":l=-o/2+_/2;break;case\"bottom\":l=-o+_;break;default:l=0,console.warn(`'${h}' baseline not supported with multi line text`)}for(const s of n){t.fillText(s,0,l);const i=a+u,n=l+x+f,o=t.measureText(s).width,[h,c]=this._text_bounds(i,n,o,_);e.push(h),r.push(c),l+=_}}t.restore()}}}_hit_point(t){const{sx:e,sy:s}=t,i=[];for(let t=0;t({text:[a.NullStringSpec,{field:\"text\"}],angle:[a.AngleSpec,0],x_offset:[a.NumberSpec,0],y_offset:[a.NumberSpec,0]})))},\n function _(t,e,s,i,r){i();const h=t(1);var o;const a=t(277),n=t(24),_=(0,h.__importStar)(t(18));class l extends a.BoxView{async lazy_initialize(){await super.lazy_initialize();const{webgl:e}=this.renderer.plot_view.canvas_view;if(null!=e&&e.regl_wrapper.has_webgl){const{LRTBGL:s}=await Promise.resolve().then((()=>(0,h.__importStar)(t(427))));this.glglyph=new s(e.regl_wrapper,this)}}scenterxy(t){return[this.sx[t],(this.stop[t]+this.sbottom[t])/2]}_lrtb(t){const e=this.width.get(t)/2,s=this._x[t],i=this._top[t],r=this._bottom[t];return[s-e,s+e,Math.max(i,r),Math.min(i,r)]}_map_data(){this.sx=this.renderer.xscale.v_compute(this._x),this.sw=this.sdist(this.renderer.xscale,this._x,this.width,\"center\"),this.stop=this.renderer.yscale.v_compute(this._top),this.sbottom=this.renderer.yscale.v_compute(this._bottom);const t=this.sx.length;this.sleft=new n.ScreenArray(t),this.sright=new n.ScreenArray(t);for(let e=0;e({x:[_.XCoordinateSpec,{field:\"x\"}],bottom:[_.YCoordinateSpec,{value:0}],width:[_.NumberSpec,{value:1}],top:[_.YCoordinateSpec,{field:\"top\"}]})))},\n function _(e,s,t,i,n){i();const r=e(1);var a;const c=e(178),d=e(184),l=e(48),h=e(24),o=e(20),_=(0,r.__importStar)(e(18)),u=e(10),g=e(72),x=e(12);class p extends c.XYGlyphView{_map_data(){\"data\"==this.model.properties.radius.units?this.sradius=this.sdist(this.renderer.xscale,this._x,this.radius):this.sradius=(0,h.to_screen)(this.radius),this.max_sradius=(0,x.max)(this.sradius)}_render(e,s,t){const{sx:i,sy:n,sradius:r,start_angle:a,end_angle:c}=null!=t?t:this,d=\"anticlock\"==this.model.direction;for(const t of s){const s=i[t],l=n[t],h=r[t],o=a.get(t),_=c.get(t);isFinite(s+l+h+o+_)&&(e.beginPath(),e.arc(s,l,h,o,_,d),e.lineTo(s,l),e.closePath(),this.visuals.fill.apply(e,t),this.visuals.hatch.apply(e,t),this.visuals.line.apply(e,t))}}_hit_point(e){let s,t,i,n,r;const{sx:a,sy:c}=e,d=this.renderer.xscale.invert(a),l=this.renderer.yscale.invert(c);t=a-this.max_sradius,i=a+this.max_sradius;const[h,o]=this.renderer.xscale.r_invert(t,i);n=c-this.max_sradius,r=c+this.max_sradius;const[_,x]=this.renderer.yscale.r_invert(n,r),p=[];for(const e of this.index.indices({x0:h,x1:o,y0:_,y1:x})){const a=this.sradius[e]**2;[t,i]=this.renderer.xscale.r_compute(d,this._x[e]),[n,r]=this.renderer.yscale.r_compute(l,this._y[e]),s=(t-i)**2+(n-r)**2,s<=a&&p.push(e)}const y=\"anticlock\"==this.model.direction,m=[];for(const e of p){const s=Math.atan2(c-this.sy[e],a-this.sx[e]);(0,u.angle_between)(-s,-this.start_angle.get(e),-this.end_angle.get(e),y)&&m.push(e)}return new g.Selection({indices:m})}draw_legend_for_index(e,s,t){(0,d.generic_area_vector_legend)(this.visuals,e,s,t)}scenterxy(e){const s=this.sradius[e]/2,t=(this.start_angle.get(e)+this.end_angle.get(e))/2;return[this.sx[e]+s*Math.cos(t),this.sy[e]+s*Math.sin(t)]}}t.WedgeView=p,p.__name__=\"WedgeView\";class y extends c.XYGlyph{constructor(e){super(e)}}t.Wedge=y,a=y,y.__name__=\"Wedge\",a.prototype.default_view=p,a.mixins([l.LineVector,l.FillVector,l.HatchVector]),a.define((({})=>({direction:[o.Direction,\"anticlock\"],radius:[_.DistanceSpec,{field:\"radius\"}],start_angle:[_.AngleSpec,{field:\"start_angle\"}],end_angle:[_.AngleSpec,{field:\"end_angle\"}]})))},\n function _(t,_,r,o,a){o();const e=t(1);(0,e.__exportStar)(t(302),r),(0,e.__exportStar)(t(303),r),(0,e.__exportStar)(t(304),r)},\n function _(e,t,d,n,s){n();const o=e(53),r=e(12),_=e(9),i=e(72);class c extends o.Model{constructor(e){super(e)}_hit_test(e,t,d){if(!t.model.visible)return null;const n=d.glyph.hit_test(e);return null==n?null:d.model.view.convert_selection_from_subset(n)}}d.GraphHitTestPolicy=c,c.__name__=\"GraphHitTestPolicy\";class a extends c{constructor(e){super(e)}hit_test(e,t){return this._hit_test(e,t,t.edge_view)}do_selection(e,t,d,n){if(null==e)return!1;const s=t.edge_renderer.data_source.selected;return s.update(e,d,n),t.edge_renderer.data_source._select.emit(),!s.is_empty()}do_inspection(e,t,d,n,s){if(null==e)return!1;const{edge_renderer:o}=d.model,r=o.get_selection_manager().get_or_create_inspector(d.edge_view.model);return r.update(e,n,s),d.edge_view.model.data_source.setv({inspected:r},{silent:!0}),d.edge_view.model.data_source.inspect.emit([d.edge_view.model,{geometry:t}]),!r.is_empty()}}d.EdgesOnly=a,a.__name__=\"EdgesOnly\";class l extends c{constructor(e){super(e)}hit_test(e,t){return this._hit_test(e,t,t.node_view)}do_selection(e,t,d,n){if(null==e)return!1;const s=t.node_renderer.data_source.selected;return s.update(e,d,n),t.node_renderer.data_source._select.emit(),!s.is_empty()}do_inspection(e,t,d,n,s){if(null==e)return!1;const{node_renderer:o}=d.model,r=o.get_selection_manager().get_or_create_inspector(d.node_view.model);return r.update(e,n,s),d.node_view.model.data_source.setv({inspected:r},{silent:!0}),d.node_view.model.data_source.inspect.emit([d.node_view.model,{geometry:t}]),!r.is_empty()}}d.NodesOnly=l,l.__name__=\"NodesOnly\";class u extends c{constructor(e){super(e)}hit_test(e,t){return this._hit_test(e,t,t.node_view)}get_linked_edges(e,t,d){let n=[];\"selection\"==d?n=e.selected.indices.map((t=>e.data.index[t])):\"inspection\"==d&&(n=e.inspected.indices.map((t=>e.data.index[t])));const s=[];for(let e=0;e(0,r.indexOf)(e.data.index,t)));return new i.Selection({indices:o})}do_selection(e,t,d,n){if(null==e)return!1;const s=t.edge_renderer.data_source.selected;s.update(e,d,n);const o=t.node_renderer.data_source.selected,r=this.get_linked_nodes(t.node_renderer.data_source,t.edge_renderer.data_source,\"selection\");return o.update(r,d,n),t.edge_renderer.data_source._select.emit(),!s.is_empty()}do_inspection(e,t,d,n,s){if(null==e)return!1;const o=d.edge_view.model.data_source.selection_manager.get_or_create_inspector(d.edge_view.model);o.update(e,n,s),d.edge_view.model.data_source.setv({inspected:o},{silent:!0});const r=d.node_view.model.data_source.selection_manager.get_or_create_inspector(d.node_view.model),_=this.get_linked_nodes(d.node_view.model.data_source,d.edge_view.model.data_source,\"inspection\");return r.update(_,n,s),d.node_view.model.data_source.setv({inspected:r},{silent:!0}),d.edge_view.model.data_source.inspect.emit([d.edge_view.model,{geometry:t}]),!o.is_empty()}}d.EdgesAndLinkedNodes=m,m.__name__=\"EdgesAndLinkedNodes\"},\n function _(e,o,t,r,n){var s;r();const a=e(53),d=e(260);class _ extends a.Model{constructor(e){super(e)}get node_coordinates(){return new u({layout:this})}get edge_coordinates(){return new i({layout:this})}}t.LayoutProvider=_,_.__name__=\"LayoutProvider\";class c extends d.CoordinateTransform{constructor(e){super(e)}}t.GraphCoordinates=c,s=c,c.__name__=\"GraphCoordinates\",s.define((({Ref:e})=>({layout:[e(_)]})));class u extends c{constructor(e){super(e)}_v_compute(e){const[o,t]=this.layout.get_node_coordinates(e);return{x:o,y:t}}}t.NodeCoordinates=u,u.__name__=\"NodeCoordinates\";class i extends c{constructor(e){super(e)}_v_compute(e){const[o,t]=this.layout.get_edge_coordinates(e);return{x:o,y:t}}}t.EdgeCoordinates=i,i.__name__=\"EdgeCoordinates\"},\n function _(t,a,l,e,n){var o;e();const r=t(303);class u extends r.LayoutProvider{constructor(t){super(t)}get_node_coordinates(t){var a;const l=null!==(a=t.data.index)&&void 0!==a?a:[],e=l.length,n=new Float64Array(e),o=new Float64Array(e);for(let t=0;t({graph_layout:[l(a(t,t)),{}]})))},\n function _(i,d,n,r,G){r(),G(\"Grid\",i(306).Grid)},\n function _(i,e,n,s,t){s();const r=i(1);var o;const d=i(127),_=i(129),a=i(130),l=(0,r.__importStar)(i(48)),h=i(8);class c extends _.GuideRendererView{_render(){const i=this.layer.ctx;i.save(),this._draw_regions(i),this._draw_minor_grids(i),this._draw_grids(i),i.restore()}connect_signals(){super.connect_signals(),this.connect(this.model.change,(()=>this.request_render()))}_draw_regions(i){if(!this.visuals.band_fill.doit&&!this.visuals.band_hatch.doit)return;const[e,n]=this.grid_coords(\"major\",!1);for(let s=0;sn[1]&&(t=n[1]);else{[s,t]=n;for(const i of this.plot_view.axis_views)i.dimension==this.model.dimension&&i.model.x_range_name==this.model.x_range_name&&i.model.y_range_name==this.model.y_range_name&&([s,t]=i.computed_bounds)}return[s,t]}grid_coords(i,e=!0){const n=this.model.dimension,s=(n+1)%2,[t,r]=this.ranges();let[o,d]=this.computed_bounds();[o,d]=[Math.min(o,d),Math.max(o,d)];const _=[[],[]],a=this.model.get_ticker();if(null==a)return _;const l=a.get_ticks(o,d,t,r.min)[i],h=t.min,c=t.max,u=r.min,m=r.max;e||(l[0]!=h&&l.splice(0,0,h),l[l.length-1]!=c&&l.push(c));for(let i=0;i({bounds:[r(t(i,i),e),\"auto\"],dimension:[n(0,1),0],axis:[o(s(d.Axis)),null],ticker:[o(s(a.Ticker)),null]}))),o.override({level:\"underlay\",band_fill_color:null,band_fill_alpha:0,grid_line_color:\"#e5e5e5\",minor_grid_line_color:null})},\n function _(o,a,x,B,e){B(),e(\"Box\",o(308).Box),e(\"Column\",o(310).Column),e(\"GridBox\",o(311).GridBox),e(\"HTMLBox\",o(312).HTMLBox),e(\"LayoutDOM\",o(309).LayoutDOM),e(\"Panel\",o(313).Panel),e(\"Row\",o(314).Row),e(\"Spacer\",o(315).Spacer),e(\"Tabs\",o(316).Tabs),e(\"WidgetBox\",o(319).WidgetBox)},\n function _(e,n,s,t,c){var i;t();const o=e(309);class r extends o.LayoutDOMView{connect_signals(){super.connect_signals(),this.connect(this.model.properties.children.change,(()=>this.rebuild()))}get child_models(){return this.model.children}}s.BoxView=r,r.__name__=\"BoxView\";class a extends o.LayoutDOM{constructor(e){super(e)}}s.Box=a,i=a,a.__name__=\"Box\",i.define((({Number:e,Array:n,Ref:s})=>({children:[n(s(o.LayoutDOM)),[]],spacing:[e,0]})))},\n function _(t,i,e,s,o){var l;s();const n=t(53),h=t(20),a=t(43),r=t(19),_=t(8),c=t(22),u=t(121),d=t(113),p=t(226),m=t(207),g=t(44),w=t(235);class f extends p.DOMView{constructor(){super(...arguments),this._offset_parent=null,this._viewport={}}get is_layout_root(){return this.is_root||!(this.parent instanceof f)}get base_font_size(){const t=getComputedStyle(this.el).fontSize,i=(0,u.parse_css_font_size)(t);if(null!=i){const{value:t,unit:e}=i;if(\"px\"==e)return t}return null}initialize(){super.initialize(),this.el.style.position=this.is_layout_root?\"relative\":\"absolute\",this._child_views=new Map}async lazy_initialize(){await super.lazy_initialize(),await this.build_child_views()}remove(){for(const t of this.child_views)t.remove();this._child_views.clear(),super.remove()}connect_signals(){super.connect_signals(),this.is_layout_root&&(this._on_resize=()=>this.resize_layout(),window.addEventListener(\"resize\",this._on_resize),this._parent_observer=setInterval((()=>{const t=this.el.offsetParent;this._offset_parent!=t&&(this._offset_parent=t,null!=t&&(this.compute_viewport(),this.invalidate_layout()))}),250));const t=this.model.properties;this.on_change([t.width,t.height,t.min_width,t.min_height,t.max_width,t.max_height,t.margin,t.width_policy,t.height_policy,t.sizing_mode,t.aspect_ratio,t.visible],(()=>this.invalidate_layout())),this.on_change([t.background,t.css_classes],(()=>this.invalidate_render()))}disconnect_signals(){null!=this._parent_observer&&clearTimeout(this._parent_observer),null!=this._on_resize&&window.removeEventListener(\"resize\",this._on_resize),super.disconnect_signals()}css_classes(){return super.css_classes().concat(this.model.css_classes)}get child_views(){return this.child_models.map((t=>this._child_views.get(t)))}async build_child_views(){await(0,d.build_views)(this._child_views,this.child_models,{parent:this})}render(){super.render(),(0,a.empty)(this.el);const{background:t}=this.model;this.el.style.backgroundColor=null!=t?(0,c.color2css)(t):\"\",(0,a.classes)(this.el).clear().add(...this.css_classes());for(const t of this.child_views)this.el.appendChild(t.el),t.render()}update_layout(){for(const t of this.child_views)t.update_layout();this._update_layout()}update_position(){this.el.style.display=this.model.visible?\"block\":\"none\";const t=this.is_layout_root?this.layout.sizing.margin:void 0;(0,a.position)(this.el,this.layout.bbox,t);for(const t of this.child_views)t.update_position()}after_layout(){for(const t of this.child_views)t.after_layout();this._has_finished=!0}compute_viewport(){this._viewport=this._viewport_size()}renderTo(t){t.appendChild(this.el),this._offset_parent=this.el.offsetParent,this.compute_viewport(),this.build(),this.notify_finished()}build(){if(!this.is_layout_root)throw new Error(`${this.toString()} is not a root layout`);return this.render(),this.update_layout(),this.compute_layout(),this}async rebuild(){await this.build_child_views(),this.invalidate_render()}compute_layout(){const t=Date.now();this.layout.compute(this._viewport),this.update_position(),this.after_layout(),r.logger.debug(`layout computed in ${Date.now()-t} ms`)}resize_layout(){this.root.compute_viewport(),this.root.compute_layout()}invalidate_layout(){this.root.update_layout(),this.root.compute_layout()}invalidate_render(){this.render(),this.invalidate_layout()}has_finished(){if(!super.has_finished())return!1;for(const t of this.child_views)if(!t.has_finished())return!1;return!0}_width_policy(){return null!=this.model.width?\"fixed\":\"fit\"}_height_policy(){return null!=this.model.height?\"fixed\":\"fit\"}box_sizing(){let{width_policy:t,height_policy:i,aspect_ratio:e}=this.model;\"auto\"==t&&(t=this._width_policy()),\"auto\"==i&&(i=this._height_policy());const{sizing_mode:s}=this.model;if(null!=s)if(\"fixed\"==s)t=i=\"fixed\";else if(\"stretch_both\"==s)t=i=\"max\";else if(\"stretch_width\"==s)t=\"max\";else if(\"stretch_height\"==s)i=\"max\";else switch(null==e&&(e=\"auto\"),s){case\"scale_width\":t=\"max\",i=\"min\";break;case\"scale_height\":t=\"min\",i=\"max\";break;case\"scale_both\":t=\"max\",i=\"max\"}const o={width_policy:t,height_policy:i},{min_width:l,min_height:n}=this.model;null!=l&&(o.min_width=l),null!=n&&(o.min_height=n);const{width:h,height:a}=this.model;null!=h&&(o.width=h),null!=a&&(o.height=a);const{max_width:r,max_height:c}=this.model;null!=r&&(o.max_width=r),null!=c&&(o.max_height=c),\"auto\"==e&&null!=h&&null!=a?o.aspect=h/a:(0,_.isNumber)(e)&&(o.aspect=e);const{margin:u}=this.model;if(null!=u)if((0,_.isNumber)(u))o.margin={top:u,right:u,bottom:u,left:u};else if(2==u.length){const[t,i]=u;o.margin={top:t,right:i,bottom:t,left:i}}else{const[t,i,e,s]=u;o.margin={top:t,right:i,bottom:e,left:s}}o.visible=this.model.visible;const{align:d}=this.model;return(0,_.isArray)(d)?[o.halign,o.valign]=d:o.halign=o.valign=d,o}_viewport_size(){return(0,a.undisplayed)(this.el,(()=>{let t=this.el;for(;t=t.parentElement;){if(t.classList.contains(g.root))continue;if(t==document.body){const{margin:{left:t,right:i,top:e,bottom:s}}=(0,a.extents)(document.body);return{width:Math.ceil(document.documentElement.clientWidth-t-i),height:Math.ceil(document.documentElement.clientHeight-e-s)}}const{padding:{left:i,right:e,top:s,bottom:o}}=(0,a.extents)(t),{width:l,height:n}=t.getBoundingClientRect(),h=Math.ceil(l-i-e),r=Math.ceil(n-s-o);if(h>0||r>0)return{width:h>0?h:void 0,height:r>0?r:void 0}}return{}}))}export(t,i=!0){const e=\"png\"==t?\"canvas\":\"svg\",s=new w.CanvasLayer(e,i),{width:o,height:l}=this.layout.bbox;s.resize(o,l);for(const e of this.child_views){const o=e.export(t,i),{x:l,y:n}=e.layout.bbox;s.ctx.drawImage(o.canvas,l,n)}return s}serializable_state(){return Object.assign(Object.assign({},super.serializable_state()),{bbox:this.layout.bbox.box,children:this.child_views.map((t=>t.serializable_state()))})}}e.LayoutDOMView=f,f.__name__=\"LayoutDOMView\";class y extends n.Model{constructor(t){super(t)}}e.LayoutDOM=y,l=y,y.__name__=\"LayoutDOM\",l.define((t=>{const{Boolean:i,Number:e,String:s,Auto:o,Color:l,Array:n,Tuple:a,Or:r,Null:_,Nullable:c}=t,u=a(e,e),d=a(e,e,e,e);return{width:[c(e),null],height:[c(e),null],min_width:[c(e),null],min_height:[c(e),null],max_width:[c(e),null],max_height:[c(e),null],margin:[c(r(e,u,d)),[0,0,0,0]],width_policy:[r(m.SizingPolicy,o),\"auto\"],height_policy:[r(m.SizingPolicy,o),\"auto\"],aspect_ratio:[r(e,o,_),null],sizing_mode:[c(h.SizingMode),null],visible:[i,!0],disabled:[i,!1],align:[r(h.Align,a(h.Align,h.Align)),\"start\"],background:[c(l),null],css_classes:[n(s),[]]}}))},\n function _(o,s,t,i,e){var n;i();const a=o(308),l=o(209);class u extends a.BoxView{_update_layout(){const o=this.child_views.map((o=>o.layout));this.layout=new l.Column(o),this.layout.rows=this.model.rows,this.layout.spacing=[this.model.spacing,0],this.layout.set_sizing(this.box_sizing())}}t.ColumnView=u,u.__name__=\"ColumnView\";class _ extends a.Box{constructor(o){super(o)}}t.Column=_,n=_,_.__name__=\"Column\",n.prototype.default_view=u,n.define((({Any:o})=>({rows:[o,\"auto\"]})))},\n function _(s,o,t,i,e){var n;i();const l=s(309),a=s(209);class r extends l.LayoutDOMView{connect_signals(){super.connect_signals();const{children:s,rows:o,cols:t,spacing:i}=this.model.properties;this.on_change([s,o,t,i],(()=>this.rebuild()))}get child_models(){return this.model.children.map((([s])=>s))}_update_layout(){this.layout=new a.Grid,this.layout.rows=this.model.rows,this.layout.cols=this.model.cols,this.layout.spacing=this.model.spacing;for(const[s,o,t,i,e]of this.model.children){const n=this._child_views.get(s);this.layout.items.push({layout:n.layout,row:o,col:t,row_span:i,col_span:e})}this.layout.set_sizing(this.box_sizing())}}t.GridBoxView=r,r.__name__=\"GridBoxView\";class c extends l.LayoutDOM{constructor(s){super(s)}}t.GridBox=c,n=c,c.__name__=\"GridBox\",n.prototype.default_view=r,n.define((({Any:s,Int:o,Number:t,Tuple:i,Array:e,Ref:n,Or:a,Opt:r})=>({children:[e(i(n(l.LayoutDOM),o,o,r(o),r(o))),[]],rows:[s,\"auto\"],cols:[s,\"auto\"],spacing:[a(t,i(t,t)),0]})))},\n function _(t,e,o,s,n){s();const _=t(309),i=t(207);class a extends _.LayoutDOMView{get child_models(){return[]}_update_layout(){this.layout=new i.ContentBox(this.el),this.layout.set_sizing(this.box_sizing())}}o.HTMLBoxView=a,a.__name__=\"HTMLBoxView\";class u extends _.LayoutDOM{constructor(t){super(t)}}o.HTMLBox=u,u.__name__=\"HTMLBox\"},\n function _(e,n,l,a,o){var t;a();const s=e(53),c=e(309);class d extends s.Model{constructor(e){super(e)}}l.Panel=d,t=d,d.__name__=\"Panel\",t.define((({Boolean:e,String:n,Ref:l})=>({title:[n,\"\"],child:[l(c.LayoutDOM)],closable:[e,!1],disabled:[e,!1]})))},\n function _(o,s,t,i,e){var a;i();const n=o(308),l=o(209);class _ extends n.BoxView{_update_layout(){const o=this.child_views.map((o=>o.layout));this.layout=new l.Row(o),this.layout.cols=this.model.cols,this.layout.spacing=[0,this.model.spacing],this.layout.set_sizing(this.box_sizing())}}t.RowView=_,_.__name__=\"RowView\";class c extends n.Box{constructor(o){super(o)}}t.Row=c,a=c,c.__name__=\"Row\",a.prototype.default_view=_,a.define((({Any:o})=>({cols:[o,\"auto\"]})))},\n function _(e,t,a,s,_){var o;s();const i=e(309),n=e(207);class u extends i.LayoutDOMView{get child_models(){return[]}_update_layout(){this.layout=new n.LayoutItem,this.layout.set_sizing(this.box_sizing())}}a.SpacerView=u,u.__name__=\"SpacerView\";class c extends i.LayoutDOM{constructor(e){super(e)}}a.Spacer=c,o=c,c.__name__=\"Spacer\",o.prototype.default_view=u},\n function _(e,t,s,i,l){i();const h=e(1);var a;const o=e(207),d=e(43),r=e(9),c=e(10),n=e(20),_=e(309),p=e(313),b=(0,h.__importStar)(e(317)),m=b,u=(0,h.__importStar)(e(318)),g=u,v=(0,h.__importStar)(e(229)),w=v;class f extends _.LayoutDOMView{constructor(){super(...arguments),this._scroll_index=0}connect_signals(){super.connect_signals(),this.connect(this.model.properties.tabs.change,(()=>this.rebuild())),this.connect(this.model.properties.active.change,(()=>this.on_active_change()))}styles(){return[...super.styles(),u.default,v.default,b.default]}get child_models(){return this.model.tabs.map((e=>e.child))}_update_layout(){const e=this.model.tabs_location,t=\"above\"==e||\"below\"==e,{scroll_el:s,headers_el:i}=this;this.header=new class extends o.ContentBox{_measure(e){const l=(0,d.size)(s),h=(0,d.children)(i).slice(0,3).map((e=>(0,d.size)(e))),{width:a,height:o}=super._measure(e);if(t){const t=l.width+(0,r.sum)(h.map((e=>e.width)));return{width:e.width!=1/0?e.width:t,height:o}}{const t=l.height+(0,r.sum)(h.map((e=>e.height)));return{width:a,height:e.height!=1/0?e.height:t}}}}(this.header_el),t?this.header.set_sizing({width_policy:\"fit\",height_policy:\"fixed\"}):this.header.set_sizing({width_policy:\"fixed\",height_policy:\"fit\"});let l=1,h=1;switch(e){case\"above\":l-=1;break;case\"below\":l+=1;break;case\"left\":h-=1;break;case\"right\":h+=1}const a={layout:this.header,row:l,col:h},c=this.child_views.map((e=>({layout:e.layout,row:1,col:1})));this.layout=new o.Grid([a,...c]),this.layout.set_sizing(this.box_sizing())}update_position(){super.update_position(),this.header_el.style.position=\"absolute\",(0,d.position)(this.header_el,this.header.bbox);const e=this.model.tabs_location,t=\"above\"==e||\"below\"==e,s=(0,d.size)(this.scroll_el),i=(0,d.scroll_size)(this.headers_el);if(t){const{width:e}=this.header.bbox;i.width>e?(this.wrapper_el.style.maxWidth=e-s.width+\"px\",(0,d.display)(this.scroll_el),this.do_scroll(this.model.active)):(this.wrapper_el.style.maxWidth=\"\",(0,d.undisplay)(this.scroll_el))}else{const{height:e}=this.header.bbox;i.height>e?(this.wrapper_el.style.maxHeight=e-s.height+\"px\",(0,d.display)(this.scroll_el),this.do_scroll(this.model.active)):(this.wrapper_el.style.maxHeight=\"\",(0,d.undisplay)(this.scroll_el))}const{child_views:l}=this;for(const e of l)(0,d.hide)(e.el);const h=l[this.model.active];null!=h&&(0,d.show)(h.el)}render(){super.render();const{active:e}=this.model,t=this.model.tabs.map(((t,s)=>{const i=(0,d.div)({class:[m.tab,s==e?m.active:null]},t.title);if(i.addEventListener(\"click\",(e=>{this.model.disabled||e.target==e.currentTarget&&this.change_active(s)})),t.closable){const e=(0,d.div)({class:m.close});e.addEventListener(\"click\",(e=>{if(e.target==e.currentTarget){this.model.tabs=(0,r.remove_at)(this.model.tabs,s);const e=this.model.tabs.length;this.model.active>e-1&&(this.model.active=e-1)}})),i.appendChild(e)}return(this.model.disabled||t.disabled)&&i.classList.add(m.disabled),i}));this.headers_el=(0,d.div)({class:[m.headers]},t),this.wrapper_el=(0,d.div)({class:m.headers_wrapper},this.headers_el),this.left_el=(0,d.div)({class:[g.btn,g.btn_default],disabled:\"\"},(0,d.div)({class:[w.caret,m.left]})),this.right_el=(0,d.div)({class:[g.btn,g.btn_default]},(0,d.div)({class:[w.caret,m.right]})),this.left_el.addEventListener(\"click\",(()=>this.do_scroll(\"left\"))),this.right_el.addEventListener(\"click\",(()=>this.do_scroll(\"right\"))),this.scroll_el=(0,d.div)({class:g.btn_group},this.left_el,this.right_el);const s=this.model.tabs_location;this.header_el=(0,d.div)({class:[m.tabs_header,m[s]]},this.scroll_el,this.wrapper_el),this.el.appendChild(this.header_el)}do_scroll(e){const t=this.model.tabs.length;\"left\"==e?this._scroll_index-=1:\"right\"==e?this._scroll_index+=1:this._scroll_index=e,this._scroll_index=(0,c.clamp)(this._scroll_index,0,t-1),0==this._scroll_index?this.left_el.setAttribute(\"disabled\",\"\"):this.left_el.removeAttribute(\"disabled\"),this._scroll_index==t-1?this.right_el.setAttribute(\"disabled\",\"\"):this.right_el.removeAttribute(\"disabled\");const s=(0,d.children)(this.headers_el).slice(0,this._scroll_index).map((e=>e.getBoundingClientRect())),i=this.model.tabs_location;if(\"above\"==i||\"below\"==i){const e=-(0,r.sum)(s.map((e=>e.width)));this.headers_el.style.left=`${e}px`}else{const e=-(0,r.sum)(s.map((e=>e.height)));this.headers_el.style.top=`${e}px`}}change_active(e){e!=this.model.active&&(this.model.active=e)}on_active_change(){const e=this.model.active,t=(0,d.children)(this.headers_el);for(const e of t)e.classList.remove(m.active);t[e].classList.add(m.active);const{child_views:s}=this;for(const e of s)(0,d.hide)(e.el);(0,d.show)(s[e].el)}}s.TabsView=f,f.__name__=\"TabsView\";class x extends _.LayoutDOM{constructor(e){super(e)}}s.Tabs=x,a=x,x.__name__=\"Tabs\",a.prototype.default_view=f,a.define((({Int:e,Array:t,Ref:s})=>({tabs:[t(s(p.Panel)),[]],tabs_location:[n.Location,\"above\"],active:[e,0]})))},\n function _(e,r,b,o,t){o(),b.root=\"bk-root\",b.tabs_header=\"bk-tabs-header\",b.btn_group=\"bk-btn-group\",b.btn=\"bk-btn\",b.headers_wrapper=\"bk-headers-wrapper\",b.above=\"bk-above\",b.right=\"bk-right\",b.below=\"bk-below\",b.left=\"bk-left\",b.headers=\"bk-headers\",b.tab=\"bk-tab\",b.active=\"bk-active\",b.close=\"bk-close\",b.disabled=\"bk-disabled\",b.default='.bk-root .bk-tabs-header{display:flex;flex-wrap:nowrap;align-items:center;overflow:hidden;user-select:none;-ms-user-select:none;-moz-user-select:none;-webkit-user-select:none;}.bk-root .bk-tabs-header .bk-btn-group{height:auto;margin-right:5px;}.bk-root .bk-tabs-header .bk-btn-group > .bk-btn{flex-grow:0;height:auto;padding:4px 4px;}.bk-root .bk-tabs-header .bk-headers-wrapper{flex-grow:1;overflow:hidden;color:#666666;}.bk-root .bk-tabs-header.bk-above .bk-headers-wrapper{border-bottom:1px solid #e6e6e6;}.bk-root .bk-tabs-header.bk-right .bk-headers-wrapper{border-left:1px solid #e6e6e6;}.bk-root .bk-tabs-header.bk-below .bk-headers-wrapper{border-top:1px solid #e6e6e6;}.bk-root .bk-tabs-header.bk-left .bk-headers-wrapper{border-right:1px solid #e6e6e6;}.bk-root .bk-tabs-header.bk-above,.bk-root .bk-tabs-header.bk-below{flex-direction:row;}.bk-root .bk-tabs-header.bk-above .bk-headers,.bk-root .bk-tabs-header.bk-below .bk-headers{flex-direction:row;}.bk-root .bk-tabs-header.bk-left,.bk-root .bk-tabs-header.bk-right{flex-direction:column;}.bk-root .bk-tabs-header.bk-left .bk-headers,.bk-root .bk-tabs-header.bk-right .bk-headers{flex-direction:column;}.bk-root .bk-tabs-header .bk-headers{position:relative;display:flex;flex-wrap:nowrap;align-items:center;}.bk-root .bk-tabs-header .bk-tab{padding:4px 8px;border:solid transparent;white-space:nowrap;cursor:pointer;}.bk-root .bk-tabs-header .bk-tab:hover{background-color:#f2f2f2;}.bk-root .bk-tabs-header .bk-tab.bk-active{color:#4d4d4d;background-color:white;border-color:#e6e6e6;}.bk-root .bk-tabs-header .bk-tab .bk-close{margin-left:10px;}.bk-root .bk-tabs-header .bk-tab.bk-disabled{cursor:not-allowed;pointer-events:none;opacity:0.65;}.bk-root .bk-tabs-header.bk-above .bk-tab{border-width:3px 1px 0px 1px;border-radius:4px 4px 0 0;}.bk-root .bk-tabs-header.bk-right .bk-tab{border-width:1px 3px 1px 0px;border-radius:0 4px 4px 0;}.bk-root .bk-tabs-header.bk-below .bk-tab{border-width:0px 1px 3px 1px;border-radius:0 0 4px 4px;}.bk-root .bk-tabs-header.bk-left .bk-tab{border-width:1px 0px 1px 3px;border-radius:4px 0 0 4px;}.bk-root .bk-close{display:inline-block;width:10px;height:10px;vertical-align:middle;background-image:url(\\'data:image/svg+xml;utf8, \\');}.bk-root .bk-close:hover{background-image:url(\\'data:image/svg+xml;utf8, \\');}'},\n function _(o,b,r,t,e){t(),r.root=\"bk-root\",r.btn=\"bk-btn\",r.active=\"bk-active\",r.btn_default=\"bk-btn-default\",r.btn_primary=\"bk-btn-primary\",r.btn_success=\"bk-btn-success\",r.btn_warning=\"bk-btn-warning\",r.btn_danger=\"bk-btn-danger\",r.btn_light=\"bk-btn-light\",r.btn_group=\"bk-btn-group\",r.vertical=\"bk-vertical\",r.horizontal=\"bk-horizontal\",r.dropdown_toggle=\"bk-dropdown-toggle\",r.default=\".bk-root .bk-btn{height:100%;display:inline-block;text-align:center;vertical-align:middle;white-space:nowrap;cursor:pointer;padding:6px 12px;font-size:12px;border:1px solid transparent;border-radius:4px;outline:0;user-select:none;-ms-user-select:none;-moz-user-select:none;-webkit-user-select:none;}.bk-root .bk-btn:hover,.bk-root .bk-btn:focus{text-decoration:none;}.bk-root .bk-btn:active,.bk-root .bk-btn.bk-active{background-image:none;box-shadow:inset 0 3px 5px rgba(0, 0, 0, 0.125);}.bk-root .bk-btn[disabled]{cursor:not-allowed;pointer-events:none;opacity:0.65;box-shadow:none;}.bk-root .bk-btn-default{color:#333;background-color:#fff;border-color:#ccc;}.bk-root .bk-btn-default:hover{background-color:#f5f5f5;border-color:#b8b8b8;}.bk-root .bk-btn-default.bk-active{background-color:#ebebeb;border-color:#adadad;}.bk-root .bk-btn-default[disabled],.bk-root .bk-btn-default[disabled]:hover,.bk-root .bk-btn-default[disabled]:focus,.bk-root .bk-btn-default[disabled]:active,.bk-root .bk-btn-default[disabled].bk-active{background-color:#e6e6e6;border-color:#ccc;}.bk-root .bk-btn-primary{color:#fff;background-color:#428bca;border-color:#357ebd;}.bk-root .bk-btn-primary:hover{background-color:#3681c1;border-color:#2c699e;}.bk-root .bk-btn-primary.bk-active{background-color:#3276b1;border-color:#285e8e;}.bk-root .bk-btn-primary[disabled],.bk-root .bk-btn-primary[disabled]:hover,.bk-root .bk-btn-primary[disabled]:focus,.bk-root .bk-btn-primary[disabled]:active,.bk-root .bk-btn-primary[disabled].bk-active{background-color:#506f89;border-color:#357ebd;}.bk-root .bk-btn-success{color:#fff;background-color:#5cb85c;border-color:#4cae4c;}.bk-root .bk-btn-success:hover{background-color:#4eb24e;border-color:#409240;}.bk-root .bk-btn-success.bk-active{background-color:#47a447;border-color:#398439;}.bk-root .bk-btn-success[disabled],.bk-root .bk-btn-success[disabled]:hover,.bk-root .bk-btn-success[disabled]:focus,.bk-root .bk-btn-success[disabled]:active,.bk-root .bk-btn-success[disabled].bk-active{background-color:#667b66;border-color:#4cae4c;}.bk-root .bk-btn-warning{color:#fff;background-color:#f0ad4e;border-color:#eea236;}.bk-root .bk-btn-warning:hover{background-color:#eea43b;border-color:#e89014;}.bk-root .bk-btn-warning.bk-active{background-color:#ed9c28;border-color:#d58512;}.bk-root .bk-btn-warning[disabled],.bk-root .bk-btn-warning[disabled]:hover,.bk-root .bk-btn-warning[disabled]:focus,.bk-root .bk-btn-warning[disabled]:active,.bk-root .bk-btn-warning[disabled].bk-active{background-color:#c89143;border-color:#eea236;}.bk-root .bk-btn-danger{color:#fff;background-color:#d9534f;border-color:#d43f3a;}.bk-root .bk-btn-danger:hover{background-color:#d5433e;border-color:#bd2d29;}.bk-root .bk-btn-danger.bk-active{background-color:#d2322d;border-color:#ac2925;}.bk-root .bk-btn-danger[disabled],.bk-root .bk-btn-danger[disabled]:hover,.bk-root .bk-btn-danger[disabled]:focus,.bk-root .bk-btn-danger[disabled]:active,.bk-root .bk-btn-danger[disabled].bk-active{background-color:#a55350;border-color:#d43f3a;}.bk-root .bk-btn-light{color:#333;background-color:#fff;border-color:#ccc;border-color:transparent;}.bk-root .bk-btn-light:hover{background-color:#f5f5f5;border-color:#b8b8b8;}.bk-root .bk-btn-light.bk-active{background-color:#ebebeb;border-color:#adadad;}.bk-root .bk-btn-light[disabled],.bk-root .bk-btn-light[disabled]:hover,.bk-root .bk-btn-light[disabled]:focus,.bk-root .bk-btn-light[disabled]:active,.bk-root .bk-btn-light[disabled].bk-active{background-color:#e6e6e6;border-color:#ccc;}.bk-root .bk-btn-group{height:100%;display:flex;flex-wrap:nowrap;align-items:center;}.bk-root .bk-btn-group:not(.bk-vertical),.bk-root .bk-btn-group.bk-horizontal{flex-direction:row;}.bk-root .bk-btn-group.bk-vertical{flex-direction:column;}.bk-root .bk-btn-group > .bk-btn{flex-grow:1;}.bk-root .bk-btn-group:not(.bk-vertical) > .bk-btn + .bk-btn{margin-left:-1px;}.bk-root .bk-btn-group.bk-vertical > .bk-btn + .bk-btn{margin-top:-1px;}.bk-root .bk-btn-group:not(.bk-vertical) > .bk-btn:first-child:not(:last-child){border-bottom-right-radius:0;border-top-right-radius:0;}.bk-root .bk-btn-group.bk-vertical > .bk-btn:first-child:not(:last-child){border-bottom-left-radius:0;border-bottom-right-radius:0;}.bk-root .bk-btn-group:not(.bk-vertical) > .bk-btn:not(:first-child):last-child{border-bottom-left-radius:0;border-top-left-radius:0;}.bk-root .bk-btn-group.bk-vertical > .bk-btn:not(:first-child):last-child{border-top-left-radius:0;border-top-right-radius:0;}.bk-root .bk-btn-group > .bk-btn:not(:first-child):not(:last-child){border-radius:0;}.bk-root .bk-btn-group.bk-vertical > .bk-btn{width:100%;}.bk-root .bk-btn-group .bk-dropdown-toggle{flex:0 0 0;padding:6px 6px;}\"},\n function _(e,t,o,n,_){var i;n();const s=e(310);class d extends s.ColumnView{}o.WidgetBoxView=d,d.__name__=\"WidgetBoxView\";class a extends s.Column{constructor(e){super(e)}}o.WidgetBox=a,i=a,a.__name__=\"WidgetBox\",i.prototype.default_view=d},\n function _(t,a,i,e,M){e();var T=t(135);M(\"MathText\",T.MathText),M(\"Ascii\",T.Ascii),M(\"MathML\",T.MathML),M(\"TeX\",T.TeX),M(\"PlainText\",t(139).PlainText)},\n function _(r,o,t,e,n){e(),n(\"CustomJSTransform\",r(322).CustomJSTransform),n(\"Dodge\",r(323).Dodge),n(\"Interpolator\",r(325).Interpolator),n(\"Jitter\",r(326).Jitter),n(\"LinearInterpolator\",r(327).LinearInterpolator),n(\"StepInterpolator\",r(328).StepInterpolator),n(\"Transform\",r(56).Transform)},\n function _(r,t,s,n,e){var a;n();const u=r(56),o=r(13),m=r(34);class _ extends u.Transform{constructor(r){super(r)}get names(){return(0,o.keys)(this.args)}get values(){return(0,o.values)(this.args)}_make_transform(r,t){return new Function(...this.names,r,(0,m.use_strict)(t))}get scalar_transform(){return this._make_transform(\"x\",this.func)}get vector_transform(){return this._make_transform(\"xs\",this.v_func)}compute(r){return this.scalar_transform(...this.values,r)}v_compute(r){return this.vector_transform(...this.values,r)}}s.CustomJSTransform=_,a=_,_.__name__=\"CustomJSTransform\",a.define((({Unknown:r,String:t,Dict:s})=>({args:[s(r),{}],func:[t,\"\"],v_func:[t,\"\"]})))},\n function _(e,n,r,o,s){var t;o();const u=e(324);class a extends u.RangeTransform{constructor(e){super(e)}_compute(e){return e+this.value}}r.Dodge=a,t=a,a.__name__=\"Dodge\",t.define((({Number:e})=>({value:[e,0]})))},\n function _(e,n,t,r,a){var s;r();const c=e(56),o=e(57),i=e(67),u=e(24),h=e(8),l=e(11);class g extends c.Transform{constructor(e){super(e)}v_compute(e){let n;this.range instanceof i.FactorRange?n=this.range.v_synthetic(e):(0,h.isArrayableOf)(e,h.isNumber)?n=e:(0,l.unreachable)();const t=new((0,u.infer_type)(n))(n.length);for(let e=0;e({range:[n(e(o.Range)),null]})))},\n function _(t,e,r,n,s){var o;n();const i=t(56),a=t(70),h=t(24),l=t(9),d=t(8);class c extends i.Transform{constructor(t){super(t),this._sorted_dirty=!0}connect_signals(){super.connect_signals(),this.connect(this.change,(()=>this._sorted_dirty=!0))}v_compute(t){const e=new((0,h.infer_type)(t))(t.length);for(let r=0;ro*(e[t]-e[r]))),this._x_sorted=new((0,h.infer_type)(e))(n),this._y_sorted=new((0,h.infer_type)(r))(n);for(let t=0;t({x:[o(r,s(e))],y:[o(r,s(e))],data:[i(n(a.ColumnarDataSource)),null],clip:[t,!0]})))},\n function _(t,s,e,i,r){i();const n=t(1);var o;const a=t(324),u=t(67),h=t(20),c=t(8),m=t(12),f=(0,n.__importStar)(t(10)),_=t(11);class p extends a.RangeTransform{constructor(t){super(t)}v_compute(t){var s;let e;this.range instanceof u.FactorRange?e=this.range.v_synthetic(t):(0,c.isArrayableOf)(t,c.isNumber)?e=t:(0,_.unreachable)();const i=e.length;(null===(s=this.previous_offsets)||void 0===s?void 0:s.length)!=i&&(this.previous_offsets=new Array(i),this.previous_offsets=(0,m.map)(this.previous_offsets,(()=>this._compute())));const r=this.previous_offsets;return(0,m.map)(e,((t,s)=>r[s]+t))}_compute(){switch(this.distribution){case\"uniform\":return this.mean+(f.random()-.5)*this.width;case\"normal\":return f.rnorm(this.mean,this.width)}}}e.Jitter=p,o=p,p.__name__=\"Jitter\",o.define((({Number:t})=>({mean:[t,0],width:[t,1],distribution:[h.Distribution,\"uniform\"]})))},\n function _(t,s,_,r,e){r();const i=t(9),o=t(325);class n extends o.Interpolator{constructor(t){super(t)}compute(t){if(this.sort(!1),this.clip){if(tthis._x_sorted[this._x_sorted.length-1])return NaN}else{if(tthis._x_sorted[this._x_sorted.length-1])return this._y_sorted[this._y_sorted.length-1]}if(t==this._x_sorted[0])return this._y_sorted[0];const s=(0,i.find_last_index)(this._x_sorted,(s=>sthis._x_sorted[this._x_sorted.length-1])return NaN}else{if(tthis._x_sorted[this._x_sorted.length-1])return this._y_sorted[this._y_sorted.length-1]}let e;switch(this.mode){case\"after\":e=(0,d.find_last_index)(this._x_sorted,(e=>t>=e));break;case\"before\":e=(0,d.find_index)(this._x_sorted,(e=>t<=e));break;case\"center\":{const s=(0,d.map)(this._x_sorted,(e=>Math.abs(e-t))),r=(0,d.min)(s);e=(0,d.find_index)(s,(t=>r===t));break}default:throw new Error(`unknown mode: ${this.mode}`)}return-1!=e?this._y_sorted[e]:NaN}}s.StepInterpolator=h,_=h,h.__name__=\"StepInterpolator\",_.define((()=>({mode:[n.StepMode,\"after\"]})))},\n function _(p,o,t,a,n){a(),n(\"MapOptions\",p(330).MapOptions),n(\"GMapOptions\",p(330).GMapOptions),n(\"GMapPlot\",p(330).GMapPlot),n(\"Plot\",p(331).Plot)},\n function _(e,t,n,o,a){var s,p,_;o();const i=e(331),r=e(53),l=e(58),c=e(336);a(\"GMapPlotView\",c.GMapPlotView);class d extends r.Model{constructor(e){super(e)}}n.MapOptions=d,s=d,d.__name__=\"MapOptions\",s.define((({Int:e,Number:t})=>({lat:[t],lng:[t],zoom:[e,12]})));class u extends d{constructor(e){super(e)}}n.GMapOptions=u,p=u,u.__name__=\"GMapOptions\",p.define((({Boolean:e,Int:t,String:n})=>({map_type:[n,\"roadmap\"],scale_control:[e,!1],styles:[n],tilt:[t,45]})));class M extends i.Plot{constructor(e){super(e),this.use_map=!0}}n.GMapPlot=M,_=M,M.__name__=\"GMapPlot\",_.prototype.default_view=c.GMapPlotView,_.define((({String:e,Ref:t})=>({map_options:[t(u)],api_key:[e],api_version:[e,\"weekly\"]}))),_.override({x_range:()=>new l.Range1d,y_range:()=>new l.Range1d})},\n function _(e,t,r,n,i){n();const o=e(1);var a;const s=(0,o.__importStar)(e(48)),l=(0,o.__importStar)(e(18)),_=e(15),c=e(20),h=e(9),d=e(13),u=e(8),g=e(309),p=e(128),f=e(306),b=e(40),w=e(118),y=e(59),m=e(221),x=e(57),v=e(55),A=e(75),S=e(41),R=e(176),D=e(175),L=e(63),P=e(332);i(\"PlotView\",P.PlotView);class k extends g.LayoutDOM{constructor(e){super(e),this.use_map=!1}_doc_attached(){super._doc_attached(),this._push_changes([[this.properties.inner_height,null,this.inner_height],[this.properties.inner_width,null,this.inner_width]])}initialize(){super.initialize(),this.reset=new _.Signal0(this,\"reset\");for(const e of(0,d.values)(this.extra_x_ranges).concat(this.x_range)){let t=e.plots;(0,u.isArray)(t)&&(t=t.concat(this),e.setv({plots:t},{silent:!0}))}for(const e of(0,d.values)(this.extra_y_ranges).concat(this.y_range)){let t=e.plots;(0,u.isArray)(t)&&(t=t.concat(this),e.setv({plots:t},{silent:!0}))}}add_layout(e,t=\"center\"){const r=this.properties[t].get_value();this.setv({[t]:[...r,e]})}remove_layout(e){const t=t=>{(0,h.remove_by)(t,(t=>t==e))};t(this.left),t(this.right),t(this.above),t(this.below),t(this.center)}get data_renderers(){return this.renderers.filter((e=>e instanceof R.DataRenderer))}add_renderers(...e){this.renderers=this.renderers.concat(e)}add_glyph(e,t=new A.ColumnDataSource,r={}){const n=new D.GlyphRenderer(Object.assign(Object.assign({},r),{data_source:t,glyph:e}));return this.add_renderers(n),n}add_tools(...e){this.toolbar.tools=this.toolbar.tools.concat(e)}get panels(){return[...this.side_panels,...this.center]}get side_panels(){const{above:e,below:t,left:r,right:n}=this;return(0,h.concat)([e,t,r,n])}}r.Plot=k,a=k,k.__name__=\"Plot\",a.prototype.default_view=P.PlotView,a.mixins([[\"outline_\",s.Line],[\"background_\",s.Fill],[\"border_\",s.Fill]]),a.define((({Boolean:e,Number:t,String:r,Array:n,Dict:i,Or:o,Ref:a,Null:s,Nullable:_})=>({toolbar:[a(m.Toolbar),()=>new m.Toolbar],toolbar_location:[_(c.Location),\"right\"],toolbar_sticky:[e,!0],plot_width:[l.Alias(\"width\")],plot_height:[l.Alias(\"height\")],frame_width:[_(t),null],frame_height:[_(t),null],title:[o(a(w.Title),r,s),\"\",{convert:e=>(0,u.isString)(e)?new w.Title({text:e}):e}],title_location:[_(c.Location),\"above\"],above:[n(o(a(b.Annotation),a(p.Axis))),[]],below:[n(o(a(b.Annotation),a(p.Axis))),[]],left:[n(o(a(b.Annotation),a(p.Axis))),[]],right:[n(o(a(b.Annotation),a(p.Axis))),[]],center:[n(o(a(b.Annotation),a(f.Grid))),[]],renderers:[n(a(S.Renderer)),[]],x_range:[a(x.Range),()=>new L.DataRange1d],y_range:[a(x.Range),()=>new L.DataRange1d],x_scale:[a(v.Scale),()=>new y.LinearScale],y_scale:[a(v.Scale),()=>new y.LinearScale],extra_x_ranges:[i(a(x.Range)),{}],extra_y_ranges:[i(a(x.Range)),{}],extra_x_scales:[i(a(v.Scale)),{}],extra_y_scales:[i(a(v.Scale)),{}],lod_factor:[t,10],lod_interval:[t,300],lod_threshold:[_(t),2e3],lod_timeout:[t,500],hidpi:[e,!0],output_backend:[c.OutputBackend,\"canvas\"],min_border:[_(t),5],min_border_top:[_(t),null],min_border_left:[_(t),null],min_border_bottom:[_(t),null],min_border_right:[_(t),null],inner_width:[t,0],inner_height:[t,0],outer_width:[t,0],outer_height:[t,0],match_aspect:[e,!1],aspect_scale:[t,1],reset_policy:[c.ResetPolicy,\"standard\"]}))),a.override({width:600,height:600,outline_line_color:\"#e5e5e5\",border_fill_color:\"#ffffff\",background_fill_color:\"#ffffff\"})},\n function _(e,t,i,s,a){s();const n=e(1),o=e(126),l=e(249),r=e(309),_=e(40),h=e(118),d=e(128),u=e(220),c=e(251),p=e(113),v=e(45),g=e(19),b=e(251),m=e(333),y=e(8),w=e(9),f=e(235),x=e(208),z=e(211),k=e(209),q=e(123),M=e(65),R=e(334),V=e(335),S=e(28);class O extends r.LayoutDOMView{constructor(){super(...arguments),this._outer_bbox=new M.BBox,this._inner_bbox=new M.BBox,this._needs_paint=!0,this._needs_layout=!1,this._invalidated_painters=new Set,this._invalidate_all=!0,this._needs_notify=!1}get canvas(){return this.canvas_view}get state(){return this._state_manager}set invalidate_dataranges(e){this._range_manager.invalidate_dataranges=e}renderer_view(e){const t=this.renderer_views.get(e);if(null==t)for(const[,t]of this.renderer_views){const i=t.renderer_view(e);if(null!=i)return i}return t}get is_paused(){return null!=this._is_paused&&0!==this._is_paused}get child_models(){return[]}pause(){null==this._is_paused?this._is_paused=1:this._is_paused+=1}unpause(e=!1){if(null==this._is_paused)throw new Error(\"wasn't paused\");this._is_paused-=1,0!=this._is_paused||e||this.request_paint(\"everything\")}notify_finished_after_paint(){this._needs_notify=!0}request_render(){this.request_paint(\"everything\")}request_paint(e){this.invalidate_painters(e),this.schedule_paint()}invalidate_painters(e){if(\"everything\"==e)this._invalidate_all=!0;else if((0,y.isArray)(e))for(const t of e)this._invalidated_painters.add(t);else this._invalidated_painters.add(e)}schedule_paint(){if(!this.is_paused){const e=this.throttled_paint();this._ready=this._ready.then((()=>e))}}request_layout(){this._needs_layout=!0,this.request_paint(\"everything\")}reset(){\"standard\"==this.model.reset_policy&&(this.state.clear(),this.reset_range(),this.reset_selection()),this.model.trigger_event(new c.Reset)}remove(){(0,p.remove_views)(this.renderer_views),(0,p.remove_views)(this.tool_views),this.canvas_view.remove(),super.remove()}render(){super.render(),this.el.appendChild(this.canvas_view.el),this.canvas_view.render()}initialize(){this.pause(),super.initialize(),this.lod_started=!1,this.visuals=new v.Visuals(this),this._initial_state={selection:new Map,dimensions:{width:0,height:0}},this.visibility_callbacks=[],this.renderer_views=new Map,this.tool_views=new Map,this.frame=new o.CartesianFrame(this.model.x_scale,this.model.y_scale,this.model.x_range,this.model.y_range,this.model.extra_x_ranges,this.model.extra_y_ranges,this.model.extra_x_scales,this.model.extra_y_scales),this._range_manager=new R.RangeManager(this),this._state_manager=new V.StateManager(this,this._initial_state),this.throttled_paint=(0,m.throttle)((()=>this.repaint()),1e3/60);const{title_location:e,title:t}=this.model;null!=e&&null!=t&&(this._title=t instanceof h.Title?t:new h.Title({text:t}));const{toolbar_location:i,toolbar:s}=this.model;null!=i&&null!=s&&(this._toolbar=new u.ToolbarPanel({toolbar:s}),s.toolbar_location=i)}async lazy_initialize(){await super.lazy_initialize();const{hidpi:e,output_backend:t}=this.model,i=new l.Canvas({hidpi:e,output_backend:t});this.canvas_view=await(0,p.build_view)(i,{parent:this}),this.canvas_view.plot_views=[this],await this.build_renderer_views(),await this.build_tool_views(),this._range_manager.update_dataranges(),this.unpause(!0),g.logger.debug(\"PlotView initialized\")}_width_policy(){return null==this.model.frame_width?super._width_policy():\"min\"}_height_policy(){return null==this.model.frame_height?super._height_policy():\"min\"}_update_layout(){var e,t,i,s,a;this.layout=new z.BorderLayout,this.layout.set_sizing(this.box_sizing());const n=(0,w.copy)(this.model.above),o=(0,w.copy)(this.model.below),l=(0,w.copy)(this.model.left),r=(0,w.copy)(this.model.right),d=e=>{switch(e){case\"above\":return n;case\"below\":return o;case\"left\":return l;case\"right\":return r}},{title_location:c,title:p}=this.model;null!=c&&null!=p&&d(c).push(this._title);const{toolbar_location:v,toolbar:g}=this.model;if(null!=v&&null!=g){const e=d(v);let t=!0;if(this.model.toolbar_sticky)for(let i=0;i{var i;const s=this.renderer_view(t);return s.panel=new q.Panel(e),null===(i=s.update_layout)||void 0===i||i.call(s),s.layout},m=(e,t)=>{const i=\"above\"==e||\"below\"==e,s=[];for(const a of t)if((0,y.isArray)(a)){const t=a.map((t=>{const s=b(e,t);if(t instanceof u.ToolbarPanel){const e=i?\"width_policy\":\"height_policy\";s.set_sizing(Object.assign(Object.assign({},s.sizing),{[e]:\"min\"}))}return s}));let n;i?(n=new k.Row(t),n.set_sizing({width_policy:\"max\",height_policy:\"min\"})):(n=new k.Column(t),n.set_sizing({width_policy:\"min\",height_policy:\"max\"})),n.absolute=!0,s.push(n)}else s.push(b(e,a));return s},f=null!==(e=this.model.min_border)&&void 0!==e?e:0;this.layout.min_border={left:null!==(t=this.model.min_border_left)&&void 0!==t?t:f,top:null!==(i=this.model.min_border_top)&&void 0!==i?i:f,right:null!==(s=this.model.min_border_right)&&void 0!==s?s:f,bottom:null!==(a=this.model.min_border_bottom)&&void 0!==a?a:f};const M=new x.NodeLayout,R=new x.VStack,V=new x.VStack,S=new x.HStack,O=new x.HStack;M.absolute=!0,R.absolute=!0,V.absolute=!0,S.absolute=!0,O.absolute=!0,M.children=this.model.center.filter((e=>e instanceof _.Annotation)).map((e=>{var t;const i=this.renderer_view(e);return null===(t=i.update_layout)||void 0===t||t.call(i),i.layout})).filter((e=>null!=e));const{frame_width:P,frame_height:j}=this.model;M.set_sizing(Object.assign(Object.assign({},null!=P?{width_policy:\"fixed\",width:P}:{width_policy:\"fit\"}),null!=j?{height_policy:\"fixed\",height:j}:{height_policy:\"fit\"})),M.on_resize((e=>this.frame.set_geometry(e))),R.children=(0,w.reversed)(m(\"above\",n)),V.children=m(\"below\",o),S.children=(0,w.reversed)(m(\"left\",l)),O.children=m(\"right\",r),R.set_sizing({width_policy:\"fit\",height_policy:\"min\"}),V.set_sizing({width_policy:\"fit\",height_policy:\"min\"}),S.set_sizing({width_policy:\"min\",height_policy:\"fit\"}),O.set_sizing({width_policy:\"min\",height_policy:\"fit\"}),this.layout.center_panel=M,this.layout.top_panel=R,this.layout.bottom_panel=V,this.layout.left_panel=S,this.layout.right_panel=O}get axis_views(){const e=[];for(const[,t]of this.renderer_views)t instanceof d.AxisView&&e.push(t);return e}set_toolbar_visibility(e){for(const t of this.visibility_callbacks)t(e)}update_range(e,t){this.pause(),this._range_manager.update(e,t),this.unpause()}reset_range(){this.update_range(null),this.trigger_ranges_update_event()}trigger_ranges_update_event(){const{x_range:e,y_range:t}=this.model;this.model.trigger_event(new b.RangesUpdate(e.start,e.end,t.start,t.end))}get_selection(){const e=new Map;for(const t of this.model.data_renderers){const{selected:i}=t.selection_manager.source;e.set(t,i)}return e}update_selection(e){for(const t of this.model.data_renderers){const i=t.selection_manager.source;if(null!=e){const s=e.get(t);null!=s&&i.selected.update(s,!0)}else i.selection_manager.clear()}}reset_selection(){this.update_selection(null)}_invalidate_layout(){(()=>{var e;for(const t of this.model.side_panels){const i=this.renderer_views.get(t);if(null===(e=i.layout)||void 0===e?void 0:e.has_size_changed())return this.invalidate_painters(i),!0}return!1})()&&this.root.compute_layout()}get_renderer_views(){return this.computed_renderers.map((e=>this.renderer_views.get(e)))}*_compute_renderers(){const{above:e,below:t,left:i,right:s,center:a,renderers:n}=this.model;yield*n,yield*e,yield*t,yield*i,yield*s,yield*a,null!=this._title&&(yield this._title),null!=this._toolbar&&(yield this._toolbar);for(const e of this.model.toolbar.tools)null!=e.overlay&&(yield e.overlay),yield*e.synthetic_renderers}async build_renderer_views(){this.computed_renderers=[...this._compute_renderers()],await(0,p.build_views)(this.renderer_views,this.computed_renderers,{parent:this})}async build_tool_views(){const e=this.model.toolbar.tools;(await(0,p.build_views)(this.tool_views,e,{parent:this})).map((e=>this.canvas_view.ui_event_bus.register_tool(e)))}connect_signals(){super.connect_signals();const{x_ranges:e,y_ranges:t}=this.frame;for(const[,t]of e)this.connect(t.change,(()=>{this._needs_layout=!0,this.request_paint(\"everything\")}));for(const[,e]of t)this.connect(e.change,(()=>{this._needs_layout=!0,this.request_paint(\"everything\")}));const{above:i,below:s,left:a,right:n,center:o,renderers:l}=this.model.properties;this.on_change([i,s,a,n,o,l],(async()=>await this.build_renderer_views())),this.connect(this.model.toolbar.properties.tools.change,(async()=>{await this.build_renderer_views(),await this.build_tool_views()})),this.connect(this.model.change,(()=>this.request_paint(\"everything\"))),this.connect(this.model.reset,(()=>this.reset()))}has_finished(){if(!super.has_finished())return!1;if(this.model.visible)for(const[,e]of this.renderer_views)if(!e.has_finished())return!1;return!0}after_layout(){var e;super.after_layout();for(const[,t]of this.renderer_views)t instanceof _.AnnotationView&&(null===(e=t.after_layout)||void 0===e||e.call(t));if(this._needs_layout=!1,this.model.setv({inner_width:Math.round(this.frame.bbox.width),inner_height:Math.round(this.frame.bbox.height),outer_width:Math.round(this.layout.bbox.width),outer_height:Math.round(this.layout.bbox.height)},{no_change:!0}),!1!==this.model.match_aspect&&(this.pause(),this._range_manager.update_dataranges(),this.unpause(!0)),!this._outer_bbox.equals(this.layout.bbox)){const{width:e,height:t}=this.layout.bbox;this.canvas_view.resize(e,t),this._outer_bbox=this.layout.bbox,this._invalidate_all=!0,this._needs_paint=!0}const{inner_bbox:t}=this.layout;this._inner_bbox.equals(t)||(this._inner_bbox=t,this._needs_paint=!0),this._needs_paint&&this.paint()}repaint(){this._needs_layout&&this._invalidate_layout(),this.paint()}paint(){this.is_paused||(this.model.visible&&(g.logger.trace(`${this.toString()}.paint()`),this._actual_paint()),this._needs_notify&&(this._needs_notify=!1,this.notify_finished()))}_actual_paint(){var e;const{document:t}=this.model;if(null!=t){const e=t.interactive_duration();e>=0&&e{t.interactive_duration()>this.model.lod_timeout&&t.interactive_stop(),this.request_paint(\"everything\")}),this.model.lod_timeout):t.interactive_stop()}this._range_manager.invalidate_dataranges&&(this._range_manager.update_dataranges(),this._invalidate_layout());let i=!1,s=!1;if(this._invalidate_all)i=!0,s=!0;else for(const e of this._invalidated_painters){const{level:t}=e.model;if(\"overlay\"!=t?i=!0:s=!0,i&&s)break}this._invalidated_painters.clear(),this._invalidate_all=!1;const a=[this.frame.bbox.left,this.frame.bbox.top,this.frame.bbox.width,this.frame.bbox.height],{primary:n,overlays:o}=this.canvas_view;i&&(n.prepare(),this.canvas_view.prepare_webgl(a),this._map_hook(n.ctx,a),this._paint_empty(n.ctx,a),this._paint_outline(n.ctx,a),this._paint_levels(n.ctx,\"image\",a,!0),this._paint_levels(n.ctx,\"underlay\",a,!0),this._paint_levels(n.ctx,\"glyph\",a,!0),this._paint_levels(n.ctx,\"guide\",a,!1),this._paint_levels(n.ctx,\"annotation\",a,!1),n.finish()),(s||S.settings.wireframe)&&(o.prepare(),this._paint_levels(o.ctx,\"overlay\",a,!1),S.settings.wireframe&&this._paint_layout(o.ctx,this.layout),o.finish()),null==this._initial_state.range&&(this._initial_state.range=null!==(e=this._range_manager.compute_initial())&&void 0!==e?e:void 0),this._needs_paint=!1}_paint_levels(e,t,i,s){for(const a of this.computed_renderers){if(a.level!=t)continue;const n=this.renderer_views.get(a);e.save(),(s||n.needs_clip)&&(e.beginPath(),e.rect(...i),e.clip()),n.render(),e.restore(),n.has_webgl&&n.needs_webgl_blit&&this.canvas_view.blit_webgl(e)}}_paint_layout(e,t){const{x:i,y:s,width:a,height:n}=t.bbox;e.strokeStyle=\"blue\",e.strokeRect(i,s,a,n);for(const a of t)e.save(),t.absolute||e.translate(i,s),this._paint_layout(e,a),e.restore()}_map_hook(e,t){}_paint_empty(e,t){const[i,s,a,n]=[0,0,this.layout.bbox.width,this.layout.bbox.height],[o,l,r,_]=t;this.visuals.border_fill.doit&&(this.visuals.border_fill.set_value(e),e.fillRect(i,s,a,n),e.clearRect(o,l,r,_)),this.visuals.background_fill.doit&&(this.visuals.background_fill.set_value(e),e.fillRect(o,l,r,_))}_paint_outline(e,t){if(this.visuals.outline_line.doit){e.save(),this.visuals.outline_line.set_value(e);let[i,s,a,n]=t;i+a==this.layout.bbox.width&&(a-=1),s+n==this.layout.bbox.height&&(n-=1),e.strokeRect(i,s,a,n),e.restore()}}to_blob(){return this.canvas_view.to_blob()}export(e,t=!0){const i=\"png\"==e?\"canvas\":\"svg\",s=new f.CanvasLayer(i,t),{width:a,height:n}=this.layout.bbox;s.resize(a,n);const{canvas:o}=this.canvas_view.compose();return s.ctx.drawImage(o,0,0),s}serializable_state(){const e=super.serializable_state(),{children:t}=e,i=(0,n.__rest)(e,[\"children\"]),s=this.get_renderer_views().map((e=>e.serializable_state())).filter((e=>null!=e.bbox));return Object.assign(Object.assign({},i),{children:[...null!=t?t:[],...s]})}}i.PlotView=O,O.__name__=\"PlotView\"},\n function _(t,n,e,o,u){o(),e.throttle=function(t,n){let e=null,o=0,u=!1;return function(){return new Promise(((r,i)=>{const l=function(){o=Date.now(),e=null,u=!1;try{t(),r()}catch(t){i(t)}},a=Date.now(),c=n-(a-o);c<=0&&!u?(null!=e&&clearTimeout(e),u=!0,requestAnimationFrame(l)):e||u?r():e=setTimeout((()=>requestAnimationFrame(l)),c)}))}}},\n function _(t,n,e,a,s){a();const o=t(63),r=t(19);class l{constructor(t){this.parent=t,this.invalidate_dataranges=!0}get frame(){return this.parent.frame}update(t,n){const{x_ranges:e,y_ranges:a}=this.frame;if(null==t){for(const[,t]of e)t.reset();for(const[,t]of a)t.reset();this.update_dataranges()}else{const s=[];for(const[n,a]of e)s.push([a,t.xrs.get(n)]);for(const[n,e]of a)s.push([e,t.yrs.get(n)]);(null==n?void 0:n.scrolling)&&this._update_ranges_together(s),this._update_ranges_individually(s,n)}}reset(){this.update(null)}_update_dataranges(t){const n=new Map,e=new Map;let a=!1;for(const[,n]of t.x_ranges)n instanceof o.DataRange1d&&\"log\"==n.scale_hint&&(a=!0);for(const[,n]of t.y_ranges)n instanceof o.DataRange1d&&\"log\"==n.scale_hint&&(a=!0);for(const t of this.parent.model.data_renderers){const s=this.parent.renderer_view(t);if(null==s)continue;const o=s.glyph_view.bounds();if(null!=o&&n.set(t,o),a){const n=s.glyph_view.log_bounds();null!=n&&e.set(t,n)}}let s=!1,l=!1;const i=t.x_target.span,d=t.y_target.span;let u;!1!==this.parent.model.match_aspect&&0!=i&&0!=d&&(u=1/this.parent.model.aspect_scale*(i/d));for(const[,a]of t.x_ranges){if(a instanceof o.DataRange1d){const t=\"log\"==a.scale_hint?e:n;a.update(t,0,this.parent.model,u),a.follow&&(s=!0)}null!=a.bounds&&(l=!0)}for(const[,a]of t.y_ranges){if(a instanceof o.DataRange1d){const t=\"log\"==a.scale_hint?e:n;a.update(t,1,this.parent.model,u),a.follow&&(s=!0)}null!=a.bounds&&(l=!0)}if(s&&l){r.logger.warn(\"Follow enabled so bounds are unset.\");for(const[,n]of t.x_ranges)n.bounds=null;for(const[,n]of t.y_ranges)n.bounds=null}}update_dataranges(){this._update_dataranges(this.frame);for(const t of this.parent.model.renderers){const{coordinates:n}=t;null!=n&&this._update_dataranges(n)}null!=this.compute_initial()&&(this.invalidate_dataranges=!1)}compute_initial(){let t=!0;const{x_ranges:n,y_ranges:e}=this.frame,a=new Map,s=new Map;for(const[e,s]of n){const{start:n,end:o}=s;if(null==n||null==o||isNaN(n+o)){t=!1;break}a.set(e,{start:n,end:o})}if(t)for(const[n,a]of e){const{start:e,end:o}=a;if(null==e||null==o||isNaN(e+o)){t=!1;break}s.set(n,{start:e,end:o})}return t?{xrs:a,yrs:s}:(r.logger.warn(\"could not set initial ranges\"),null)}_update_ranges_together(t){let n=1;for(const[e,a]of t)n=Math.min(n,this._get_weight_to_constrain_interval(e,a));if(n<1)for(const[e,a]of t)a.start=n*a.start+(1-n)*e.start,a.end=n*a.end+(1-n)*e.end}_update_ranges_individually(t,n){const e=!!(null==n?void 0:n.panning),a=!!(null==n?void 0:n.scrolling);let s=!1;for(const[n,o]of t){if(!a){const t=this._get_weight_to_constrain_interval(n,o);t<1&&(o.start=t*o.start+(1-t)*n.start,o.end=t*o.end+(1-t)*n.end)}if(null!=n.bounds&&\"auto\"!=n.bounds){const[t,r]=n.bounds,l=Math.abs(o.end-o.start);n.is_reversed?(null!=t&&t>o.end&&(s=!0,o.end=t,(e||a)&&(o.start=t+l)),null!=r&&ro.start&&(s=!0,o.start=t,(e||a)&&(o.end=t+l)),null!=r&&r0&&r0&&r>a&&(s=(a-o)/(r-o)),s=Math.max(0,Math.min(1,s))}return s}}e.RangeManager=l,l.__name__=\"RangeManager\"},\n function _(t,i,s,e,n){e();const h=t(15);class a{constructor(t,i){this.parent=t,this.initial_state=i,this.changed=new h.Signal0(this.parent,\"state_changed\"),this.history=[],this.index=-1}_do_state_change(t){const i=null!=this.history[t]?this.history[t].state:this.initial_state;return null!=i.range&&this.parent.update_range(i.range),null!=i.selection&&this.parent.update_selection(i.selection),i}push(t,i){const{history:s,index:e}=this,n=null!=s[e]?s[e].state:{},h=Object.assign(Object.assign(Object.assign({},this.initial_state),n),i);this.history=this.history.slice(0,this.index+1),this.history.push({type:t,state:h}),this.index=this.history.length-1,this.changed.emit()}clear(){this.history=[],this.index=-1,this.changed.emit()}undo(){if(this.can_undo){this.index-=1;const t=this._do_state_change(this.index);return this.changed.emit(),t}return null}redo(){if(this.can_redo){this.index+=1;const t=this._do_state_change(this.index);return this.changed.emit(),t}return null}get can_undo(){return this.index>=0}get can_redo(){return this.indexm.emit();const s=encodeURIComponent,o=document.createElement(\"script\");o.type=\"text/javascript\",o.src=`https://maps.googleapis.com/maps/api/js?v=${s(e)}&key=${s(t)}&callback=_bokeh_gmaps_callback`,document.body.appendChild(o)}(t,e)}m.connect((()=>this.request_paint(\"everything\")))}this.unpause()}remove(){(0,p.remove)(this.map_el),super.remove()}update_range(t,e){var s,o;if(null==t)this.map.setCenter({lat:this.initial_lat,lng:this.initial_lng}),this.map.setOptions({zoom:this.initial_zoom}),super.update_range(null,e);else if(null!=t.sdx||null!=t.sdy)this.map.panBy(null!==(s=t.sdx)&&void 0!==s?s:0,null!==(o=t.sdy)&&void 0!==o?o:0),super.update_range(t,e);else if(null!=t.factor){if(10!==this.zoom_count)return void(this.zoom_count+=1);this.zoom_count=0,this.pause(),super.update_range(t,e);const s=t.factor<0?-1:1,o=this.map.getZoom();if(null!=o){const t=o+s;if(t>=2){this.map.setZoom(t);const[e,s]=this._get_projected_bounds();s-e<0&&this.map.setZoom(o)}}this.unpause()}this._set_bokeh_ranges()}_build_map(){const{maps:t}=google;this.map_types={satellite:t.MapTypeId.SATELLITE,terrain:t.MapTypeId.TERRAIN,roadmap:t.MapTypeId.ROADMAP,hybrid:t.MapTypeId.HYBRID};const e=this.model.map_options,s={center:new t.LatLng(e.lat,e.lng),zoom:e.zoom,disableDefaultUI:!0,mapTypeId:this.map_types[e.map_type],scaleControl:e.scale_control,tilt:e.tilt};null!=e.styles&&(s.styles=JSON.parse(e.styles)),this.map_el=(0,p.div)({style:{position:\"absolute\"}}),this.canvas_view.add_underlay(this.map_el),this.map=new t.Map(this.map_el,s),t.event.addListener(this.map,\"idle\",(()=>this._set_bokeh_ranges())),t.event.addListener(this.map,\"bounds_changed\",(()=>this._set_bokeh_ranges())),t.event.addListenerOnce(this.map,\"tilesloaded\",(()=>this._render_finished())),this.connect(this.model.properties.map_options.change,(()=>this._update_options())),this.connect(this.model.map_options.properties.styles.change,(()=>this._update_styles())),this.connect(this.model.map_options.properties.lat.change,(()=>this._update_center(\"lat\"))),this.connect(this.model.map_options.properties.lng.change,(()=>this._update_center(\"lng\"))),this.connect(this.model.map_options.properties.zoom.change,(()=>this._update_zoom())),this.connect(this.model.map_options.properties.map_type.change,(()=>this._update_map_type())),this.connect(this.model.map_options.properties.scale_control.change,(()=>this._update_scale_control())),this.connect(this.model.map_options.properties.tilt.change,(()=>this._update_tilt()))}_render_finished(){this._tiles_loaded=!0,this.notify_finished()}has_finished(){return super.has_finished()&&!0===this._tiles_loaded}_get_latlon_bounds(){const t=this.map.getBounds(),e=t.getNorthEast(),s=t.getSouthWest();return[s.lng(),e.lng(),s.lat(),e.lat()]}_get_projected_bounds(){const[t,e,s,o]=this._get_latlon_bounds(),[i,a]=l.wgs84_mercator.compute(t,s),[n,p]=l.wgs84_mercator.compute(e,o);return[i,n,a,p]}_set_bokeh_ranges(){const[t,e,s,o]=this._get_projected_bounds();this.frame.x_range.setv({start:t,end:e}),this.frame.y_range.setv({start:s,end:o})}_update_center(t){var e;const s=null===(e=this.map.getCenter())||void 0===e?void 0:e.toJSON();null!=s&&(s[t]=this.model.map_options[t],this.map.setCenter(s),this._set_bokeh_ranges())}_update_map_type(){this.map.setOptions({mapTypeId:this.map_types[this.model.map_options.map_type]})}_update_scale_control(){this.map.setOptions({scaleControl:this.model.map_options.scale_control})}_update_tilt(){this.map.setOptions({tilt:this.model.map_options.tilt})}_update_options(){this._update_styles(),this._update_center(\"lat\"),this._update_center(\"lng\"),this._update_zoom(),this._update_map_type()}_update_styles(){this.map.setOptions({styles:JSON.parse(this.model.map_options.styles)})}_update_zoom(){this.map.setOptions({zoom:this.model.map_options.zoom}),this._set_bokeh_ranges()}_map_hook(t,e){if(null==this.map&&\"undefined\"!=typeof google&&null!=google.maps&&this._build_map(),null!=this.map_el){const[t,s,o,i]=e;this.map_el.style.top=`${s}px`,this.map_el.style.left=`${t}px`,this.map_el.style.width=`${o}px`,this.map_el.style.height=`${i}px`}}_paint_empty(t,e){const s=this.layout.bbox.width,o=this.layout.bbox.height,[i,a,n,p]=e;t.clearRect(0,0,s,o),t.beginPath(),t.moveTo(0,0),t.lineTo(0,o),t.lineTo(s,o),t.lineTo(s,0),t.lineTo(0,0),t.moveTo(i,a),t.lineTo(i+n,a),t.lineTo(i+n,a+p),t.lineTo(i,a+p),t.lineTo(i,a),t.closePath(),null!=this.model.border_fill_color&&(t.fillStyle=(0,_.color2css)(this.model.border_fill_color),t.fill())}}s.GMapPlotView=d,d.__name__=\"GMapPlotView\"},\n function _(t,_,n,o,r){o();(0,t(1).__exportStar)(t(132),n)},\n function _(e,r,d,n,R){n(),R(\"GlyphRenderer\",e(175).GlyphRenderer),R(\"GraphRenderer\",e(339).GraphRenderer),R(\"GuideRenderer\",e(129).GuideRenderer);var G=e(41);R(\"Renderer\",G.Renderer),R(\"RendererGroup\",G.RendererGroup)},\n function _(e,r,i,n,t){var o;n();const s=e(176),d=e(175),a=e(303),p=e(302),l=e(113),_=e(178),h=e(283),y=e(286);class c extends s.DataRendererView{get glyph_view(){return this.node_view.glyph}async lazy_initialize(){await super.lazy_initialize(),this.apply_coordinates();const{parent:e}=this,{edge_renderer:r,node_renderer:i}=this.model;this.edge_view=await(0,l.build_view)(r,{parent:e}),this.node_view=await(0,l.build_view)(i,{parent:e})}connect_signals(){super.connect_signals(),this.connect(this.model.layout_provider.change,(()=>{this.apply_coordinates(),this.edge_view.set_data(),this.node_view.set_data(),this.request_render()}))}apply_coordinates(){const{edge_renderer:e,node_renderer:r}=this.model;if(!(e.glyph instanceof h.MultiLine||e.glyph instanceof y.Patches))throw new Error(`${this}.edge_renderer.glyph must be a MultiLine glyph`);if(!(r.glyph instanceof _.XYGlyph))throw new Error(`${this}.node_renderer.glyph must be a XYGlyph glyph`);const i=this.model.layout_provider.edge_coordinates,n=this.model.layout_provider.node_coordinates;e.glyph.properties.xs.internal=!0,e.glyph.properties.ys.internal=!0,r.glyph.properties.x.internal=!0,r.glyph.properties.y.internal=!0,e.glyph.xs={expr:i.x},e.glyph.ys={expr:i.y},r.glyph.x={expr:n.x},r.glyph.y={expr:n.y}}remove(){this.edge_view.remove(),this.node_view.remove(),super.remove()}_render(){this.edge_view.render(),this.node_view.render()}renderer_view(e){if(e instanceof d.GlyphRenderer){if(e==this.edge_view.model)return this.edge_view;if(e==this.node_view.model)return this.node_view}return super.renderer_view(e)}}i.GraphRendererView=c,c.__name__=\"GraphRendererView\";class g extends s.DataRenderer{constructor(e){super(e)}get_selection_manager(){return this.node_renderer.data_source.selection_manager}}i.GraphRenderer=g,o=g,g.__name__=\"GraphRenderer\",o.prototype.default_view=c,o.define((({Ref:e})=>({layout_provider:[e(a.LayoutProvider)],node_renderer:[e(d.GlyphRenderer)],edge_renderer:[e(d.GlyphRenderer)],selection_policy:[e(p.GraphHitTestPolicy),()=>new p.NodesOnly],inspection_policy:[e(p.GraphHitTestPolicy),()=>new p.NodesOnly]})))},\n function _(e,t,n,o,c){o();(0,e(1).__exportStar)(e(74),n),c(\"Selection\",e(72).Selection)},\n function _(a,e,S,o,r){o(),r(\"ServerSentDataSource\",a(342).ServerSentDataSource),r(\"AjaxDataSource\",a(344).AjaxDataSource),r(\"ColumnDataSource\",a(75).ColumnDataSource),r(\"ColumnarDataSource\",a(70).ColumnarDataSource),r(\"CDSView\",a(190).CDSView),r(\"DataSource\",a(71).DataSource),r(\"GeoJSONDataSource\",a(345).GeoJSONDataSource),r(\"WebDataSource\",a(343).WebDataSource)},\n function _(e,t,i,a,s){a();const n=e(343);class r extends n.WebDataSource{constructor(e){super(e),this.initialized=!1}setup(){if(!this.initialized){this.initialized=!0;new EventSource(this.data_url).onmessage=e=>{var t;this.load_data(JSON.parse(e.data),this.mode,null!==(t=this.max_size)&&void 0!==t?t:void 0)}}}}i.ServerSentDataSource=r,r.__name__=\"ServerSentDataSource\"},\n function _(e,t,a,n,r){var s;n();const l=e(75),o=e(20);class c extends l.ColumnDataSource{constructor(e){super(e)}get_column(e){const t=this.data[e];return null!=t?t:[]}get_length(){var e;return null!==(e=super.get_length())&&void 0!==e?e:0}initialize(){super.initialize(),this.setup()}load_data(e,t,a){const{adapter:n}=this;let r;switch(r=null!=n?n.execute(this,{response:e}):e,t){case\"replace\":this.data=r;break;case\"append\":{const e=this.data;for(const t of this.columns()){const n=Array.from(e[t]),s=Array.from(r[t]),l=n.concat(s);r[t]=null!=a?l.slice(-a):l}this.data=r;break}}}}a.WebDataSource=c,s=c,c.__name__=\"WebDataSource\",s.define((({Any:e,Int:t,String:a,Nullable:n})=>({max_size:[n(t),null],mode:[o.UpdateMode,\"replace\"],adapter:[n(e),null],data_url:[a]})))},\n function _(t,e,i,s,a){var n;s();const r=t(343),o=t(20),l=t(19),d=t(13);class h extends r.WebDataSource{constructor(t){super(t),this.interval=null,this.initialized=!1}destroy(){null!=this.interval&&clearInterval(this.interval),super.destroy()}setup(){if(!this.initialized&&(this.initialized=!0,this.get_data(this.mode),null!=this.polling_interval)){const t=()=>this.get_data(this.mode,this.max_size,this.if_modified);this.interval=setInterval(t,this.polling_interval)}}get_data(t,e=null,i=!1){const s=this.prepare_request();s.addEventListener(\"load\",(()=>this.do_load(s,t,null!=e?e:void 0))),s.addEventListener(\"error\",(()=>this.do_error(s))),s.send()}prepare_request(){const t=new XMLHttpRequest;t.open(this.method,this.data_url,!0),t.withCredentials=!1,t.setRequestHeader(\"Content-Type\",this.content_type);const e=this.http_headers;for(const[i,s]of(0,d.entries)(e))t.setRequestHeader(i,s);return t}do_load(t,e,i){if(200===t.status){const s=JSON.parse(t.responseText);this.load_data(s,e,i)}}do_error(t){l.logger.error(`Failed to fetch JSON from ${this.data_url} with code ${t.status}`)}}i.AjaxDataSource=h,n=h,h.__name__=\"AjaxDataSource\",n.define((({Boolean:t,Int:e,String:i,Dict:s,Nullable:a})=>({polling_interval:[a(e),null],content_type:[i,\"application/json\"],http_headers:[s(i),{}],method:[o.HTTPMethod,\"POST\"],if_modified:[t,!1]})))},\n function _(e,t,o,r,n){var s;r();const a=e(70),i=e(19),l=e(9),c=e(13);function _(e){return null!=e?e:NaN}const{hasOwnProperty:g}=Object.prototype;class u extends a.ColumnarDataSource{constructor(e){super(e)}initialize(){super.initialize(),this._update_data()}connect_signals(){super.connect_signals(),this.connect(this.properties.geojson.change,(()=>this._update_data()))}_update_data(){this.data=this.geojson_to_column_data()}_get_new_list_array(e){return(0,l.range)(0,e).map((e=>[]))}_get_new_nan_array(e){return(0,l.range)(0,e).map((e=>NaN))}_add_properties(e,t,o,r){var n;const s=null!==(n=e.properties)&&void 0!==n?n:{};for(const[e,n]of(0,c.entries)(s))g.call(t,e)||(t[e]=this._get_new_nan_array(r)),t[e][o]=_(n)}_add_geometry(e,t,o){function r(e,t){return e.concat([[NaN,NaN,NaN]]).concat(t)}switch(e.type){case\"Point\":{const[r,n,s]=e.coordinates;t.x[o]=r,t.y[o]=n,t.z[o]=_(s);break}case\"LineString\":{const{coordinates:r}=e;for(let e=0;e1&&i.logger.warn(\"Bokeh does not support Polygons with holes in, only exterior ring used.\");const r=e.coordinates[0];for(let e=0;e1&&i.logger.warn(\"Bokeh does not support Polygons with holes in, only exterior ring used.\"),n.push(t[0]);const s=n.reduce(r);for(let e=0;e({geojson:[e]}))),s.internal((({Dict:e,Arrayable:t})=>({data:[e(t),{}]})))},\n function _(e,r,T,o,S){o(),S(\"BBoxTileSource\",e(347).BBoxTileSource),S(\"MercatorTileSource\",e(348).MercatorTileSource),S(\"QUADKEYTileSource\",e(351).QUADKEYTileSource),S(\"TileRenderer\",e(352).TileRenderer),S(\"TileSource\",e(349).TileSource),S(\"TMSTileSource\",e(355).TMSTileSource),S(\"WMTSTileSource\",e(353).WMTSTileSource)},\n function _(e,t,r,o,l){var i;o();const n=e(348);class s extends n.MercatorTileSource{constructor(e){super(e)}get_image_url(e,t,r){const o=this.string_lookup_replace(this.url,this.extra_url_vars);let l,i,n,s;return this.use_latlon?[i,s,l,n]=this.get_tile_geographic_bounds(e,t,r):[i,s,l,n]=this.get_tile_meter_bounds(e,t,r),o.replace(\"{XMIN}\",i.toString()).replace(\"{YMIN}\",s.toString()).replace(\"{XMAX}\",l.toString()).replace(\"{YMAX}\",n.toString())}}r.BBoxTileSource=s,i=s,s.__name__=\"BBoxTileSource\",i.define((({Boolean:e})=>({use_latlon:[e,!1]})))},\n function _(t,e,i,_,s){var r;_();const o=t(349),n=t(9),l=t(350);class u extends o.TileSource{constructor(t){super(t)}initialize(){super.initialize(),this._resolutions=(0,n.range)(this.min_zoom,this.max_zoom+1).map((t=>this.get_resolution(t)))}_computed_initial_resolution(){return null!=this.initial_resolution?this.initial_resolution:2*Math.PI*6378137/this.tile_size}is_valid_tile(t,e,i){return!(!this.wrap_around&&(t<0||t>=2**i))&&!(e<0||e>=2**i)}parent_by_tile_xyz(t,e,i){const _=this.tile_xyz_to_quadkey(t,e,i),s=_.substring(0,_.length-1);return this.quadkey_to_tile_xyz(s)}get_resolution(t){return this._computed_initial_resolution()/2**t}get_resolution_by_extent(t,e,i){return[(t[2]-t[0])/i,(t[3]-t[1])/e]}get_level_by_extent(t,e,i){const _=(t[2]-t[0])/i,s=(t[3]-t[1])/e,r=Math.max(_,s);let o=0;for(const t of this._resolutions){if(r>t){if(0==o)return 0;if(o>0)return o-1}o+=1}return o-1}get_closest_level_by_extent(t,e,i){const _=(t[2]-t[0])/i,s=(t[3]-t[1])/e,r=Math.max(_,s),o=this._resolutions.reduce((function(t,e){return Math.abs(e-r)e?(u=o-s,a*=t):(u*=e,a=n-r)}const h=(u-(o-s))/2,c=(a-(n-r))/2;return[s-h,r-c,o+h,n+c]}tms_to_wmts(t,e,i){return[t,2**i-1-e,i]}wmts_to_tms(t,e,i){return[t,2**i-1-e,i]}pixels_to_meters(t,e,i){const _=this.get_resolution(i);return[t*_-this.x_origin_offset,e*_-this.y_origin_offset]}meters_to_pixels(t,e,i){const _=this.get_resolution(i);return[(t+this.x_origin_offset)/_,(e+this.y_origin_offset)/_]}pixels_to_tile(t,e){let i=Math.ceil(t/this.tile_size);i=0===i?i:i-1;return[i,Math.max(Math.ceil(e/this.tile_size)-1,0)]}pixels_to_raster(t,e,i){return[t,(this.tile_size<=l;t--)for(let i=n;i<=u;i++)this.is_valid_tile(i,t,e)&&h.push([i,t,e,this.get_tile_meter_bounds(i,t,e)]);return this.sort_tiles_from_center(h,[n,l,u,a]),h}quadkey_to_tile_xyz(t){let e=0,i=0;const _=t.length;for(let s=_;s>0;s--){const r=1<0;s--){const i=1<0;)if(s=s.substring(0,s.length-1),[t,e,i]=this.quadkey_to_tile_xyz(s),[t,e,i]=this.denormalize_xyz(t,e,i,_),this.tiles.has(this.tile_xyz_to_key(t,e,i)))return[t,e,i];return[0,0,0]}normalize_xyz(t,e,i){if(this.wrap_around){const _=2**i;return[(t%_+_)%_,e,i]}return[t,e,i]}denormalize_xyz(t,e,i,_){return[t+_*2**i,e,i]}denormalize_meters(t,e,i,_){return[t+2*_*Math.PI*6378137,e]}calculate_world_x_by_tile_xyz(t,e,i){return Math.floor(t/2**i)}}i.MercatorTileSource=u,r=u,u.__name__=\"MercatorTileSource\",r.define((({Boolean:t})=>({snap_to_zoom:[t,!1],wrap_around:[t,!0]}))),r.override({x_origin_offset:20037508.34,y_origin_offset:20037508.34,initial_resolution:156543.03392804097})},\n function _(e,t,r,i,n){var l;i();const a=e(53),s=e(13);class c extends a.Model{constructor(e){super(e)}initialize(){super.initialize(),this.tiles=new Map,this._normalize_case()}connect_signals(){super.connect_signals(),this.connect(this.change,(()=>this._clear_cache()))}string_lookup_replace(e,t){let r=e;for(const[e,i]of(0,s.entries)(t))r=r.replace(`{${e}}`,i);return r}_normalize_case(){const e=this.url.replace(\"{x}\",\"{X}\").replace(\"{y}\",\"{Y}\").replace(\"{z}\",\"{Z}\").replace(\"{q}\",\"{Q}\").replace(\"{xmin}\",\"{XMIN}\").replace(\"{ymin}\",\"{YMIN}\").replace(\"{xmax}\",\"{XMAX}\").replace(\"{ymax}\",\"{YMAX}\");this.url=e}_clear_cache(){this.tiles=new Map}tile_xyz_to_key(e,t,r){return`${e}:${t}:${r}`}key_to_tile_xyz(e){const[t,r,i]=e.split(\":\").map((e=>parseInt(e)));return[t,r,i]}sort_tiles_from_center(e,t){const[r,i,n,l]=t,a=(n-r)/2+r,s=(l-i)/2+i;e.sort((function(e,t){return Math.sqrt((a-e[0])**2+(s-e[1])**2)-Math.sqrt((a-t[0])**2+(s-t[1])**2)}))}get_image_url(e,t,r){return this.string_lookup_replace(this.url,this.extra_url_vars).replace(\"{X}\",e.toString()).replace(\"{Y}\",t.toString()).replace(\"{Z}\",r.toString())}}r.TileSource=c,l=c,c.__name__=\"TileSource\",l.define((({Number:e,String:t,Dict:r,Nullable:i})=>({url:[t,\"\"],tile_size:[e,256],max_zoom:[e,30],min_zoom:[e,0],extra_url_vars:[r(t),{}],attribution:[t,\"\"],x_origin_offset:[e],y_origin_offset:[e],initial_resolution:[i(e),null]})))},\n function _(t,e,r,n,o){n();const c=t(78);function _(t,e){return c.wgs84_mercator.compute(t,e)}function g(t,e){return c.wgs84_mercator.invert(t,e)}r.geographic_to_meters=_,r.meters_to_geographic=g,r.geographic_extent_to_meters=function(t){const[e,r,n,o]=t,[c,g]=_(e,r),[i,u]=_(n,o);return[c,g,i,u]},r.meters_extent_to_geographic=function(t){const[e,r,n,o]=t,[c,_]=g(e,r),[i,u]=g(n,o);return[c,_,i,u]}},\n function _(e,t,r,s,_){s();const o=e(348);class c extends o.MercatorTileSource{constructor(e){super(e)}get_image_url(e,t,r){const s=this.string_lookup_replace(this.url,this.extra_url_vars),[_,o,c]=this.tms_to_wmts(e,t,r),i=this.tile_xyz_to_quadkey(_,o,c);return s.replace(\"{Q}\",i)}}r.QUADKEYTileSource=c,c.__name__=\"QUADKEYTileSource\"},\n function _(t,e,i,s,_){s();const n=t(1);var a;const o=t(349),r=t(353),h=t(41),l=t(58),d=t(43),m=t(136),c=t(9),u=t(8),p=(0,n.__importStar)(t(354));class g extends h.RendererView{initialize(){this._tiles=[],super.initialize()}connect_signals(){super.connect_signals(),this.connect(this.model.change,(()=>this.request_render())),this.connect(this.model.tile_source.change,(()=>this.request_render()))}remove(){null!=this.attribution_el&&(0,d.removeElement)(this.attribution_el),super.remove()}styles(){return[...super.styles(),p.default]}get_extent(){return[this.x_range.start,this.y_range.start,this.x_range.end,this.y_range.end]}get map_plot(){return this.plot_model}get map_canvas(){return this.layer.ctx}get map_frame(){return this.plot_view.frame}get x_range(){return this.map_plot.x_range}get y_range(){return this.map_plot.y_range}_set_data(){this.extent=this.get_extent(),this._last_height=void 0,this._last_width=void 0}_update_attribution(){null!=this.attribution_el&&(0,d.removeElement)(this.attribution_el);const{attribution:t}=this.model.tile_source;if((0,u.isString)(t)&&t.length>0){const{layout:e,frame:i}=this.plot_view,s=e.bbox.width-i.bbox.right,_=e.bbox.height-i.bbox.bottom,n=i.bbox.width;this.attribution_el=(0,d.div)({class:p.tile_attribution,style:{position:\"absolute\",right:`${s}px`,bottom:`${_}px`,\"max-width\":n-4+\"px\",padding:\"2px\",\"background-color\":\"rgba(255,255,255,0.5)\",\"font-size\":\"9px\",\"line-height\":\"1.05\",\"white-space\":\"nowrap\",overflow:\"hidden\",\"text-overflow\":\"ellipsis\"}}),this.plot_view.canvas_view.add_event(this.attribution_el),this.attribution_el.innerHTML=t,this.attribution_el.title=this.attribution_el.textContent.replace(/\\s*\\n\\s*/g,\" \")}}_map_data(){this.initial_extent=this.get_extent();const t=this.model.tile_source.get_level_by_extent(this.initial_extent,this.map_frame.bbox.height,this.map_frame.bbox.width),e=this.model.tile_source.snap_to_zoom_level(this.initial_extent,this.map_frame.bbox.height,this.map_frame.bbox.width,t);this.x_range.start=e[0],this.y_range.start=e[1],this.x_range.end=e[2],this.y_range.end=e[3],this.x_range instanceof l.Range1d&&(this.x_range.reset_start=e[0],this.x_range.reset_end=e[2]),this.y_range instanceof l.Range1d&&(this.y_range.reset_start=e[1],this.y_range.reset_end=e[3]),this._update_attribution()}_create_tile(t,e,i,s,_=!1){const n=this.model.tile_source.tile_xyz_to_quadkey(t,e,i),a=this.model.tile_source.tile_xyz_to_key(t,e,i);if(this.model.tile_source.tiles.has(a))return;const[o,r,h]=this.model.tile_source.normalize_xyz(t,e,i),l=this.model.tile_source.get_image_url(o,r,h),d={img:void 0,tile_coords:[t,e,i],normalized_coords:[o,r,h],quadkey:n,cache_key:a,bounds:s,loaded:!1,finished:!1,x_coord:s[0],y_coord:s[3]};this.model.tile_source.tiles.set(a,d),this._tiles.push(d),new m.ImageLoader(l,{loaded:t=>{Object.assign(d,{img:t,loaded:!0}),_?(d.finished=!0,this.notify_finished()):this.request_render()},failed(){d.finished=!0}})}_enforce_aspect_ratio(){if(this._last_height!==this.map_frame.bbox.height||this._last_width!==this.map_frame.bbox.width){const t=this.get_extent(),e=this.model.tile_source.get_level_by_extent(t,this.map_frame.bbox.height,this.map_frame.bbox.width),i=this.model.tile_source.snap_to_zoom_level(t,this.map_frame.bbox.height,this.map_frame.bbox.width,e);this.x_range.setv({start:i[0],end:i[2]}),this.y_range.setv({start:i[1],end:i[3]}),this.extent=i,this._last_height=this.map_frame.bbox.height,this._last_width=this.map_frame.bbox.width}}has_finished(){if(!super.has_finished())return!1;if(0==this._tiles.length)return!1;for(const t of this._tiles)if(!t.finished)return!1;return!0}_render(){null==this.map_initialized&&(this._set_data(),this._map_data(),this.map_initialized=!0),this._enforce_aspect_ratio(),this._update(),null!=this.prefetch_timer&&clearTimeout(this.prefetch_timer),this.prefetch_timer=setTimeout(this._prefetch_tiles.bind(this),500),this.has_finished()&&this.notify_finished()}_draw_tile(t){const e=this.model.tile_source.tiles.get(t);if(null!=e&&e.loaded){const[[t],[i]]=this.coordinates.map_to_screen([e.bounds[0]],[e.bounds[3]]),[[s],[_]]=this.coordinates.map_to_screen([e.bounds[2]],[e.bounds[1]]),n=s-t,a=_-i,o=t,r=i,h=this.map_canvas.getImageSmoothingEnabled();this.map_canvas.setImageSmoothingEnabled(this.model.smoothing),this.map_canvas.drawImage(e.img,o,r,n,a),this.map_canvas.setImageSmoothingEnabled(h),e.finished=!0}}_set_rect(){const t=this.plot_model.outline_line_width,e=this.map_frame.bbox.left+t/2,i=this.map_frame.bbox.top+t/2,s=this.map_frame.bbox.width-t,_=this.map_frame.bbox.height-t;this.map_canvas.rect(e,i,s,_),this.map_canvas.clip()}_render_tiles(t){this.map_canvas.save(),this._set_rect(),this.map_canvas.globalAlpha=this.model.alpha;for(const e of t)this._draw_tile(e);this.map_canvas.restore()}_prefetch_tiles(){const{tile_source:t}=this.model,e=this.get_extent(),i=this.map_frame.bbox.height,s=this.map_frame.bbox.width,_=this.model.tile_source.get_level_by_extent(e,i,s),n=this.model.tile_source.get_tiles_by_extent(e,_);for(let e=0,i=Math.min(10,n.length);ei&&(s=this.extent,o=i,r=!0),r&&(this.x_range.setv({start:s[0],end:s[2]}),this.y_range.setv({start:s[1],end:s[3]})),this.extent=s;const h=t.get_tiles_by_extent(s,o),l=[],d=[],m=[],u=[];for(const e of h){const[i,s,n]=e,a=t.tile_xyz_to_key(i,s,n),o=t.tiles.get(a);if(null!=o&&o.loaded)d.push(a);else if(this.model.render_parents){const[e,a,o]=t.get_closest_parent_by_tile_xyz(i,s,n),r=t.tile_xyz_to_key(e,a,o),h=t.tiles.get(r);if(null!=h&&h.loaded&&!(0,c.includes)(m,r)&&m.push(r),_){const e=t.children_by_tile_xyz(i,s,n);for(const[i,s,_]of e){const e=t.tile_xyz_to_key(i,s,_);t.tiles.has(e)&&u.push(e)}}}null==o&&l.push(e)}this._render_tiles(m),this._render_tiles(u),this._render_tiles(d),null!=this.render_timer&&clearTimeout(this.render_timer),this.render_timer=setTimeout((()=>this._fetch_tiles(l)),65)}}i.TileRendererView=g,g.__name__=\"TileRendererView\";class b extends h.Renderer{constructor(t){super(t)}}i.TileRenderer=b,a=b,b.__name__=\"TileRenderer\",a.prototype.default_view=g,a.define((({Boolean:t,Number:e,Ref:i})=>({alpha:[e,1],smoothing:[t,!0],tile_source:[i(o.TileSource),()=>new r.WMTSTileSource],render_parents:[t,!0]}))),a.override({level:\"image\"})},\n function _(t,e,r,o,s){o();const c=t(348);class i extends c.MercatorTileSource{constructor(t){super(t)}get_image_url(t,e,r){const o=this.string_lookup_replace(this.url,this.extra_url_vars),[s,c,i]=this.tms_to_wmts(t,e,r);return o.replace(\"{X}\",s.toString()).replace(\"{Y}\",c.toString()).replace(\"{Z}\",i.toString())}}r.WMTSTileSource=i,i.__name__=\"WMTSTileSource\"},\n function _(t,o,i,b,r){b(),i.root=\"bk-root\",i.tile_attribution=\"bk-tile-attribution\",i.default=\".bk-root .bk-tile-attribution a{color:black;}\"},\n function _(e,r,t,c,o){c();const i=e(348);class l extends i.MercatorTileSource{constructor(e){super(e)}get_image_url(e,r,t){return this.string_lookup_replace(this.url,this.extra_url_vars).replace(\"{X}\",e.toString()).replace(\"{Y}\",r.toString()).replace(\"{Z}\",t.toString())}}t.TMSTileSource=l,l.__name__=\"TMSTileSource\"},\n function _(e,t,u,a,r){a(),r(\"CanvasTexture\",e(357).CanvasTexture),r(\"ImageURLTexture\",e(359).ImageURLTexture),r(\"Texture\",e(358).Texture)},\n function _(t,e,n,c,s){var r;c();const o=t(358),a=t(34);class u extends o.Texture{constructor(t){super(t)}get func(){const t=(0,a.use_strict)(this.code);return new Function(\"ctx\",\"color\",\"scale\",\"weight\",t)}get_pattern(t,e,n){const c=document.createElement(\"canvas\");c.width=e,c.height=e;const s=c.getContext(\"2d\");return this.func.call(this,s,t,e,n),c}}n.CanvasTexture=u,r=u,u.__name__=\"CanvasTexture\",r.define((({String:t})=>({code:[t]})))},\n function _(e,t,n,r,o){var i;r();const s=e(53),u=e(20);class c extends s.Model{constructor(e){super(e)}}n.Texture=c,i=c,c.__name__=\"Texture\",i.define((()=>({repetition:[u.TextureRepetition,\"repeat\"]})))},\n function _(e,t,i,r,n){var a;r();const s=e(358),o=e(136);class u extends s.Texture{constructor(e){super(e)}initialize(){super.initialize(),this._loader=new o.ImageLoader(this.url)}get_pattern(e,t,i){const{_loader:r}=this;return this._loader.finished?r.image:r.promise}}i.ImageURLTexture=u,a=u,u.__name__=\"ImageURLTexture\",a.define((({String:e})=>({url:[e]})))},\n function _(o,l,T,e,t){e(),t(\"ActionTool\",o(238).ActionTool),t(\"CustomAction\",o(361).CustomAction),t(\"HelpTool\",o(239).HelpTool),t(\"RedoTool\",o(362).RedoTool),t(\"ResetTool\",o(363).ResetTool),t(\"SaveTool\",o(364).SaveTool),t(\"UndoTool\",o(365).UndoTool),t(\"ZoomInTool\",o(366).ZoomInTool),t(\"ZoomOutTool\",o(369).ZoomOutTool),t(\"ButtonTool\",o(224).ButtonTool),t(\"EditTool\",o(370).EditTool),t(\"BoxEditTool\",o(371).BoxEditTool),t(\"FreehandDrawTool\",o(372).FreehandDrawTool),t(\"PointDrawTool\",o(373).PointDrawTool),t(\"PolyDrawTool\",o(374).PolyDrawTool),t(\"PolyTool\",o(375).PolyTool),t(\"PolyEditTool\",o(376).PolyEditTool),t(\"BoxSelectTool\",o(377).BoxSelectTool),t(\"BoxZoomTool\",o(379).BoxZoomTool),t(\"GestureTool\",o(223).GestureTool),t(\"LassoSelectTool\",o(380).LassoSelectTool),t(\"LineEditTool\",o(382).LineEditTool),t(\"PanTool\",o(384).PanTool),t(\"PolySelectTool\",o(381).PolySelectTool),t(\"RangeTool\",o(385).RangeTool),t(\"SelectTool\",o(378).SelectTool),t(\"TapTool\",o(386).TapTool),t(\"WheelPanTool\",o(387).WheelPanTool),t(\"WheelZoomTool\",o(388).WheelZoomTool),t(\"CrosshairTool\",o(389).CrosshairTool),t(\"CustomJSHover\",o(390).CustomJSHover),t(\"HoverTool\",o(391).HoverTool),t(\"InspectTool\",o(232).InspectTool),t(\"Tool\",o(222).Tool),t(\"ToolProxy\",o(394).ToolProxy),t(\"Toolbar\",o(221).Toolbar),t(\"ToolbarBase\",o(233).ToolbarBase),t(\"ProxyToolbar\",o(395).ProxyToolbar),t(\"ToolbarBox\",o(395).ToolbarBox)},\n function _(t,o,e,s,n){var c;s();const i=t(238);class u extends i.ActionToolButtonView{css_classes(){return super.css_classes().concat(\"bk-toolbar-button-custom-action\")}}e.CustomActionButtonView=u,u.__name__=\"CustomActionButtonView\";class l extends i.ActionToolView{doit(){var t;null===(t=this.model.callback)||void 0===t||t.execute(this.model)}}e.CustomActionView=l,l.__name__=\"CustomActionView\";class a extends i.ActionTool{constructor(t){super(t),this.tool_name=\"Custom Action\",this.button_view=u}}e.CustomAction=a,c=a,a.__name__=\"CustomAction\",c.prototype.default_view=l,c.define((({Any:t,String:o,Nullable:e})=>({callback:[e(t)],icon:[o]}))),c.override({description:\"Perform a Custom Action\"})},\n function _(e,o,t,i,s){var n;i();const l=e(238),_=e(228);class d extends l.ActionToolView{connect_signals(){super.connect_signals(),this.connect(this.plot_view.state.changed,(()=>this.model.disabled=!this.plot_view.state.can_redo))}doit(){const e=this.plot_view.state.redo();null!=(null==e?void 0:e.range)&&this.plot_view.trigger_ranges_update_event()}}t.RedoToolView=d,d.__name__=\"RedoToolView\";class a extends l.ActionTool{constructor(e){super(e),this.tool_name=\"Redo\",this.icon=_.tool_icon_redo}}t.RedoTool=a,n=a,a.__name__=\"RedoTool\",n.prototype.default_view=d,n.override({disabled:!0}),n.register_alias(\"redo\",(()=>new a))},\n function _(e,o,t,s,i){var _;s();const n=e(238),l=e(228);class c extends n.ActionToolView{doit(){this.plot_view.reset()}}t.ResetToolView=c,c.__name__=\"ResetToolView\";class r extends n.ActionTool{constructor(e){super(e),this.tool_name=\"Reset\",this.icon=l.tool_icon_reset}}t.ResetTool=r,_=r,r.__name__=\"ResetTool\",_.prototype.default_view=c,_.register_alias(\"reset\",(()=>new r))},\n function _(e,o,t,a,i){var s;a();const c=e(238),n=e(228);class l extends c.ActionToolView{async copy(){const e=await this.plot_view.to_blob(),o=new ClipboardItem({[e.type]:Promise.resolve(e)});await navigator.clipboard.write([o])}async save(e){const o=await this.plot_view.to_blob(),t=document.createElement(\"a\");t.href=URL.createObjectURL(o),t.download=e,t.target=\"_blank\",t.dispatchEvent(new MouseEvent(\"click\"))}doit(e=\"save\"){switch(e){case\"save\":this.save(\"bokeh_plot\");break;case\"copy\":this.copy()}}}t.SaveToolView=l,l.__name__=\"SaveToolView\";class r extends c.ActionTool{constructor(e){super(e),this.tool_name=\"Save\",this.icon=n.tool_icon_save}get menu(){return[{icon:\"bk-tool-icon-copy-to-clipboard\",tooltip:\"Copy image to clipboard\",if:()=>\"undefined\"!=typeof ClipboardItem,handler:()=>{this.do.emit(\"copy\")}}]}}t.SaveTool=r,s=r,r.__name__=\"SaveTool\",s.prototype.default_view=l,s.register_alias(\"save\",(()=>new r))},\n function _(o,e,t,n,i){var s;n();const l=o(238),_=o(228);class d extends l.ActionToolView{connect_signals(){super.connect_signals(),this.connect(this.plot_view.state.changed,(()=>this.model.disabled=!this.plot_view.state.can_undo))}doit(){const o=this.plot_view.state.undo();null!=(null==o?void 0:o.range)&&this.plot_view.trigger_ranges_update_event()}}t.UndoToolView=d,d.__name__=\"UndoToolView\";class a extends l.ActionTool{constructor(o){super(o),this.tool_name=\"Undo\",this.icon=_.tool_icon_undo}}t.UndoTool=a,s=a,a.__name__=\"UndoTool\",s.prototype.default_view=d,s.override({disabled:!0}),s.register_alias(\"undo\",(()=>new a))},\n function _(o,n,e,i,s){var t;i();const _=o(367),m=o(228);class a extends _.ZoomBaseToolView{}e.ZoomInToolView=a,a.__name__=\"ZoomInToolView\";class l extends _.ZoomBaseTool{constructor(o){super(o),this.sign=1,this.tool_name=\"Zoom In\",this.icon=m.tool_icon_zoom_in}}e.ZoomInTool=l,t=l,l.__name__=\"ZoomInTool\",t.prototype.default_view=a,t.register_alias(\"zoom_in\",(()=>new l({dimensions:\"both\"}))),t.register_alias(\"xzoom_in\",(()=>new l({dimensions:\"width\"}))),t.register_alias(\"yzoom_in\",(()=>new l({dimensions:\"height\"})))},\n function _(o,t,e,i,s){var n;i();const a=o(238),_=o(20),l=o(368);class m extends a.ActionToolView{doit(){var o;const t=this.plot_view.frame,e=this.model.dimensions,i=\"width\"==e||\"both\"==e,s=\"height\"==e||\"both\"==e,n=(0,l.scale_range)(t,this.model.sign*this.model.factor,i,s);this.plot_view.state.push(\"zoom_out\",{range:n}),this.plot_view.update_range(n,{scrolling:!0,maintain_focus:this.model.maintain_focus}),null===(o=this.model.document)||void 0===o||o.interactive_start(this.plot_model),this.plot_view.trigger_ranges_update_event()}}e.ZoomBaseToolView=m,m.__name__=\"ZoomBaseToolView\";class h extends a.ActionTool{constructor(o){super(o),this.maintain_focus=!0}get tooltip(){return this._get_dim_tooltip(this.dimensions)}}e.ZoomBaseTool=h,n=h,h.__name__=\"ZoomBaseTool\",n.define((({Percent:o})=>({factor:[o,.1],dimensions:[_.Dimensions,\"both\"]})))},\n function _(n,t,o,r,s){r();const c=n(10);function e(n,t,o){const[r,s]=[n.start,n.end],c=null!=o?o:(s+r)/2;return[r-(r-c)*t,s-(s-c)*t]}function a(n,[t,o]){const r=new Map;for(const[s,c]of n){const[n,e]=c.r_invert(t,o);r.set(s,{start:n,end:e})}return r}o.scale_highlow=e,o.get_info=a,o.scale_range=function(n,t,o=!0,r=!0,s){t=(0,c.clamp)(t,-.9,.9);const l=o?t:0,[u,i]=e(n.bbox.h_range,l,null!=s?s.x:void 0),_=a(n.x_scales,[u,i]),f=r?t:0,[g,x]=e(n.bbox.v_range,f,null!=s?s.y:void 0);return{xrs:_,yrs:a(n.y_scales,[g,x]),factor:t}}},\n function _(o,e,t,i,s){var n;i();const _=o(367),a=o(228);class m extends _.ZoomBaseToolView{}t.ZoomOutToolView=m,m.__name__=\"ZoomOutToolView\";class l extends _.ZoomBaseTool{constructor(o){super(o),this.sign=-1,this.tool_name=\"Zoom Out\",this.icon=a.tool_icon_zoom_out}}t.ZoomOutTool=l,n=l,l.__name__=\"ZoomOutTool\",n.prototype.default_view=m,n.define((({Boolean:o})=>({maintain_focus:[o,!0]}))),n.register_alias(\"zoom_out\",(()=>new l({dimensions:\"both\"}))),n.register_alias(\"xzoom_out\",(()=>new l({dimensions:\"width\"}))),n.register_alias(\"yzoom_out\",(()=>new l({dimensions:\"height\"})))},\n function _(e,t,s,o,n){var r;o();const i=e(9),c=e(8),a=e(11),_=e(175),l=e(223);class d extends l.GestureToolView{constructor(){super(...arguments),this._mouse_in_frame=!0}_select_mode(e){const{shiftKey:t,ctrlKey:s}=e;return t||s?t&&!s?\"append\":!t&&s?\"intersect\":t&&s?\"subtract\":void(0,a.unreachable)():\"replace\"}_move_enter(e){this._mouse_in_frame=!0}_move_exit(e){this._mouse_in_frame=!1}_map_drag(e,t,s){if(!this.plot_view.frame.bbox.contains(e,t))return null;const o=this.plot_view.renderer_view(s);if(null==o)return null;return[o.coordinates.x_scale.invert(e),o.coordinates.y_scale.invert(t)]}_delete_selected(e){const t=e.data_source,s=t.selected.indices;s.sort();for(const e of t.columns()){const o=t.get_array(e);for(let e=0;e({custom_icon:[n(t),null],empty_value:[e],renderers:[s(o(_.GlyphRenderer)),[]]})))},\n function _(e,t,s,i,_){var o;i();const n=e(43),a=e(20),d=e(370),l=e(228);class r extends d.EditToolView{_tap(e){null==this._draw_basepoint&&null==this._basepoint&&this._select_event(e,this._select_mode(e),this.model.renderers)}_keyup(e){if(this.model.active&&this._mouse_in_frame)for(const t of this.model.renderers)if(e.keyCode===n.Keys.Backspace)this._delete_selected(t);else if(e.keyCode==n.Keys.Esc){t.data_source.selection_manager.clear()}}_set_extent([e,t],[s,i],_,o=!1){const n=this.model.renderers[0],a=this.plot_view.renderer_view(n);if(null==a)return;const d=n.glyph,l=n.data_source,[r,h]=a.coordinates.x_scale.r_invert(e,t),[p,u]=a.coordinates.y_scale.r_invert(s,i),[c,m]=[(r+h)/2,(p+u)/2],[f,b]=[h-r,u-p],[y,x]=[d.x.field,d.y.field],[w,v]=[d.width.field,d.height.field];if(_)this._pop_glyphs(l,this.model.num_objects),y&&l.get_array(y).push(c),x&&l.get_array(x).push(m),w&&l.get_array(w).push(f),v&&l.get_array(v).push(b),this._pad_empty_columns(l,[y,x,w,v]);else{const e=l.data[y].length-1;y&&(l.data[y][e]=c),x&&(l.data[x][e]=m),w&&(l.data[w][e]=f),v&&(l.data[v][e]=b)}this._emit_cds_changes(l,!0,!1,o)}_update_box(e,t=!1,s=!1){if(null==this._draw_basepoint)return;const i=[e.sx,e.sy],_=this.plot_view.frame,o=this.model.dimensions,n=this.model._get_dim_limits(this._draw_basepoint,i,_,o);if(null!=n){const[e,i]=n;this._set_extent(e,i,t,s)}}_doubletap(e){this.model.active&&(null!=this._draw_basepoint?(this._update_box(e,!1,!0),this._draw_basepoint=null):(this._draw_basepoint=[e.sx,e.sy],this._select_event(e,\"append\",this.model.renderers),this._update_box(e,!0,!1)))}_move(e){this._update_box(e,!1,!1)}_pan_start(e){if(e.shiftKey){if(null!=this._draw_basepoint)return;this._draw_basepoint=[e.sx,e.sy],this._update_box(e,!0,!1)}else{if(null!=this._basepoint)return;this._select_event(e,\"append\",this.model.renderers),this._basepoint=[e.sx,e.sy]}}_pan(e,t=!1,s=!1){if(e.shiftKey){if(null==this._draw_basepoint)return;this._update_box(e,t,s)}else{if(null==this._basepoint)return;this._drag_points(e,this.model.renderers)}}_pan_end(e){if(this._pan(e,!1,!0),e.shiftKey)this._draw_basepoint=null;else{this._basepoint=null;for(const e of this.model.renderers)this._emit_cds_changes(e.data_source,!1,!0,!0)}}}s.BoxEditToolView=r,r.__name__=\"BoxEditToolView\";class h extends d.EditTool{constructor(e){super(e),this.tool_name=\"Box Edit Tool\",this.icon=l.tool_icon_box_edit,this.event_type=[\"tap\",\"pan\",\"move\"],this.default_order=1}}s.BoxEditTool=h,o=h,h.__name__=\"BoxEditTool\",o.prototype.default_view=r,o.define((({Int:e})=>({dimensions:[a.Dimensions,\"both\"],num_objects:[e,0]})))},\n function _(e,t,a,s,r){var _;s();const d=e(43),o=e(8),n=e(370),i=e(228);class l extends n.EditToolView{_draw(e,t,a=!1){if(!this.model.active)return;const s=this.model.renderers[0],r=this._map_drag(e.sx,e.sy,s);if(null==r)return;const[_,d]=r,n=s.data_source,i=s.glyph,[l,h]=[i.xs.field,i.ys.field];if(\"new\"==t)this._pop_glyphs(n,this.model.num_objects),l&&n.get_array(l).push([_]),h&&n.get_array(h).push([d]),this._pad_empty_columns(n,[l,h]);else if(\"add\"==t){if(l){const e=n.data[l].length-1;let t=n.get_array(l)[e];(0,o.isArray)(t)||(t=Array.from(t),n.data[l][e]=t),t.push(_)}if(h){const e=n.data[h].length-1;let t=n.get_array(h)[e];(0,o.isArray)(t)||(t=Array.from(t),n.data[h][e]=t),t.push(d)}}this._emit_cds_changes(n,!0,!0,a)}_pan_start(e){this._draw(e,\"new\")}_pan(e){this._draw(e,\"add\")}_pan_end(e){this._draw(e,\"add\",!0)}_tap(e){this._select_event(e,this._select_mode(e),this.model.renderers)}_keyup(e){if(this.model.active&&this._mouse_in_frame)for(const t of this.model.renderers)e.keyCode===d.Keys.Esc?t.data_source.selection_manager.clear():e.keyCode===d.Keys.Backspace&&this._delete_selected(t)}}a.FreehandDrawToolView=l,l.__name__=\"FreehandDrawToolView\";class h extends n.EditTool{constructor(e){super(e),this.tool_name=\"Freehand Draw Tool\",this.icon=i.tool_icon_freehand_draw,this.event_type=[\"pan\",\"tap\"],this.default_order=3}}a.FreehandDrawTool=h,_=h,h.__name__=\"FreehandDrawTool\",_.prototype.default_view=l,_.define((({Int:e})=>({num_objects:[e,0]}))),_.register_alias(\"freehand_draw\",(()=>new h))},\n function _(e,t,s,o,a){var i;o();const n=e(43),_=e(370),r=e(228);class d extends _.EditToolView{_tap(e){if(this._select_event(e,this._select_mode(e),this.model.renderers).length||!this.model.add)return;const t=this.model.renderers[0],s=this._map_drag(e.sx,e.sy,t);if(null==s)return;const o=t.glyph,a=t.data_source,[i,n]=[o.x.field,o.y.field],[_,r]=s;this._pop_glyphs(a,this.model.num_objects),i&&a.get_array(i).push(_),n&&a.get_array(n).push(r),this._pad_empty_columns(a,[i,n]),a.change.emit(),a.data=a.data,a.properties.data.change.emit()}_keyup(e){if(this.model.active&&this._mouse_in_frame)for(const t of this.model.renderers)e.keyCode===n.Keys.Backspace?this._delete_selected(t):e.keyCode==n.Keys.Esc&&t.data_source.selection_manager.clear()}_pan_start(e){this.model.drag&&(this._select_event(e,\"append\",this.model.renderers),this._basepoint=[e.sx,e.sy])}_pan(e){this.model.drag&&null!=this._basepoint&&this._drag_points(e,this.model.renderers)}_pan_end(e){if(this.model.drag){this._pan(e);for(const e of this.model.renderers)this._emit_cds_changes(e.data_source,!1,!0,!0);this._basepoint=null}}}s.PointDrawToolView=d,d.__name__=\"PointDrawToolView\";class l extends _.EditTool{constructor(e){super(e),this.tool_name=\"Point Draw Tool\",this.icon=r.tool_icon_point_draw,this.event_type=[\"tap\",\"pan\",\"move\"],this.default_order=2}}s.PointDrawTool=l,i=l,l.__name__=\"PointDrawTool\",i.prototype.default_view=d,i.define((({Boolean:e,Int:t})=>({add:[e,!0],drag:[e,!0],num_objects:[t,0]})))},\n function _(e,t,s,i,a){var r;i();const o=e(43),n=e(8),d=e(375),_=e(228);class h extends d.PolyToolView{constructor(){super(...arguments),this._drawing=!1,this._initialized=!1}_tap(e){this._drawing?this._draw(e,\"add\",!0):this._select_event(e,this._select_mode(e),this.model.renderers)}_draw(e,t,s=!1){const i=this.model.renderers[0],a=this._map_drag(e.sx,e.sy,i);if(this._initialized||this.activate(),null==a)return;const[r,o]=this._snap_to_vertex(e,...a),d=i.data_source,_=i.glyph,[h,l]=[_.xs.field,_.ys.field];if(\"new\"==t)this._pop_glyphs(d,this.model.num_objects),h&&d.get_array(h).push([r,r]),l&&d.get_array(l).push([o,o]),this._pad_empty_columns(d,[h,l]);else if(\"edit\"==t){if(h){const e=d.data[h][d.data[h].length-1];e[e.length-1]=r}if(l){const e=d.data[l][d.data[l].length-1];e[e.length-1]=o}}else if(\"add\"==t){if(h){const e=d.data[h].length-1;let t=d.get_array(h)[e];const s=t[t.length-1];t[t.length-1]=r,(0,n.isArray)(t)||(t=Array.from(t),d.data[h][e]=t),t.push(s)}if(l){const e=d.data[l].length-1;let t=d.get_array(l)[e];const s=t[t.length-1];t[t.length-1]=o,(0,n.isArray)(t)||(t=Array.from(t),d.data[l][e]=t),t.push(s)}}this._emit_cds_changes(d,!0,!1,s)}_show_vertices(){if(!this.model.active)return;const e=[],t=[];for(let s=0;sthis._show_vertices()))}this._initialized=!0}}deactivate(){this._drawing&&(this._remove(),this._drawing=!1),this.model.vertex_renderer&&this._hide_vertices()}}s.PolyDrawToolView=h,h.__name__=\"PolyDrawToolView\";class l extends d.PolyTool{constructor(e){super(e),this.tool_name=\"Polygon Draw Tool\",this.icon=_.tool_icon_poly_draw,this.event_type=[\"pan\",\"tap\",\"move\"],this.default_order=3}}s.PolyDrawTool=l,r=l,l.__name__=\"PolyDrawTool\",r.prototype.default_view=h,r.define((({Boolean:e,Int:t})=>({drag:[e,!0],num_objects:[t,0]})))},\n function _(e,r,t,s,o){var _;s();const d=e(8),i=e(370);class l extends i.EditToolView{_set_vertices(e,r){const t=this.model.vertex_renderer.glyph,s=this.model.vertex_renderer.data_source,[o,_]=[t.x.field,t.y.field];o&&((0,d.isArray)(e)?s.data[o]=e:t.x={value:e}),_&&((0,d.isArray)(r)?s.data[_]=r:t.y={value:r}),this._emit_cds_changes(s,!0,!0,!1)}_hide_vertices(){this._set_vertices([],[])}_snap_to_vertex(e,r,t){if(this.model.vertex_renderer){const s=this._select_event(e,\"replace\",[this.model.vertex_renderer]),o=this.model.vertex_renderer.data_source,_=this.model.vertex_renderer.glyph,[d,i]=[_.x.field,_.y.field];if(s.length){const e=o.selected.indices[0];d&&(r=o.data[d][e]),i&&(t=o.data[i][e]),o.selection_manager.clear()}}return[r,t]}}t.PolyToolView=l,l.__name__=\"PolyToolView\";class n extends i.EditTool{constructor(e){super(e)}}t.PolyTool=n,_=n,n.__name__=\"PolyTool\",_.define((({AnyRef:e})=>({vertex_renderer:[e()]})))},\n function _(e,t,s,r,i){var _;r();const d=e(43),n=e(8),l=e(375),a=e(228);class c extends l.PolyToolView{constructor(){super(...arguments),this._drawing=!1,this._cur_index=null}_doubletap(e){if(!this.model.active)return;const t=this._map_drag(e.sx,e.sy,this.model.vertex_renderer);if(null==t)return;const[s,r]=t,i=this._select_event(e,\"replace\",[this.model.vertex_renderer]),_=this.model.vertex_renderer.data_source,d=this.model.vertex_renderer.glyph,[n,l]=[d.x.field,d.y.field];if(i.length&&null!=this._selected_renderer){const e=_.selected.indices[0];this._drawing?(this._drawing=!1,_.selection_manager.clear()):(_.selected.indices=[e+1],n&&_.get_array(n).splice(e+1,0,s),l&&_.get_array(l).splice(e+1,0,r),this._drawing=!0),_.change.emit(),this._emit_cds_changes(this._selected_renderer.data_source)}else this._show_vertices(e)}_show_vertices(e){if(!this.model.active)return;const t=this.model.renderers[0],s=()=>this._update_vertices(t),r=null==t?void 0:t.data_source,i=this._select_event(e,\"replace\",this.model.renderers);if(!i.length)return this._set_vertices([],[]),this._selected_renderer=null,this._drawing=!1,this._cur_index=null,void(null!=r&&r.disconnect(r.properties.data.change,s));null!=r&&r.connect(r.properties.data.change,s),this._cur_index=i[0].data_source.selected.indices[0],this._update_vertices(i[0])}_update_vertices(e){const t=e.glyph,s=e.data_source,r=this._cur_index,[i,_]=[t.xs.field,t.ys.field];if(this._drawing)return;if(null==r&&(i||_))return;let d,l;i&&null!=r?(d=s.data[i][r],(0,n.isArray)(d)||(s.data[i][r]=d=Array.from(d))):d=t.xs.value,_&&null!=r?(l=s.data[_][r],(0,n.isArray)(l)||(s.data[_][r]=l=Array.from(l))):l=t.ys.value,this._selected_renderer=e,this._set_vertices(d,l)}_move(e){if(this._drawing&&null!=this._selected_renderer){const t=this.model.vertex_renderer,s=t.data_source,r=t.glyph,i=this._map_drag(e.sx,e.sy,t);if(null==i)return;let[_,d]=i;const n=s.selected.indices;[_,d]=this._snap_to_vertex(e,_,d),s.selected.indices=n;const[l,a]=[r.x.field,r.y.field],c=n[0];l&&(s.data[l][c]=_),a&&(s.data[a][c]=d),s.change.emit(),this._selected_renderer.data_source.change.emit()}}_tap(e){const t=this.model.vertex_renderer,s=this._map_drag(e.sx,e.sy,t);if(null==s)return;if(this._drawing&&this._selected_renderer){let[r,i]=s;const _=t.data_source,d=t.glyph,[n,l]=[d.x.field,d.y.field],a=_.selected.indices;[r,i]=this._snap_to_vertex(e,r,i);const c=a[0];if(_.selected.indices=[c+1],n){const e=_.get_array(n),t=e[c];e[c]=r,e.splice(c+1,0,t)}if(l){const e=_.get_array(l),t=e[c];e[c]=i,e.splice(c+1,0,t)}return _.change.emit(),void this._emit_cds_changes(this._selected_renderer.data_source,!0,!1,!0)}const r=this._select_mode(e);this._select_event(e,r,[t]),this._select_event(e,r,this.model.renderers)}_remove_vertex(){if(!this._drawing||!this._selected_renderer)return;const e=this.model.vertex_renderer,t=e.data_source,s=e.glyph,r=t.selected.indices[0],[i,_]=[s.x.field,s.y.field];i&&t.get_array(i).splice(r,1),_&&t.get_array(_).splice(r,1),t.change.emit(),this._emit_cds_changes(this._selected_renderer.data_source)}_pan_start(e){this._select_event(e,\"append\",[this.model.vertex_renderer]),this._basepoint=[e.sx,e.sy]}_pan(e){null!=this._basepoint&&(this._drag_points(e,[this.model.vertex_renderer]),this._selected_renderer&&this._selected_renderer.data_source.change.emit())}_pan_end(e){null!=this._basepoint&&(this._drag_points(e,[this.model.vertex_renderer]),this._emit_cds_changes(this.model.vertex_renderer.data_source,!1,!0,!0),this._selected_renderer&&this._emit_cds_changes(this._selected_renderer.data_source),this._basepoint=null)}_keyup(e){if(!this.model.active||!this._mouse_in_frame)return;let t;t=this._selected_renderer?[this.model.vertex_renderer]:this.model.renderers;for(const s of t)e.keyCode===d.Keys.Backspace?(this._delete_selected(s),this._selected_renderer&&this._emit_cds_changes(this._selected_renderer.data_source)):e.keyCode==d.Keys.Esc&&(this._drawing?(this._remove_vertex(),this._drawing=!1):this._selected_renderer&&this._hide_vertices(),s.data_source.selection_manager.clear())}deactivate(){this._selected_renderer&&(this._drawing&&(this._remove_vertex(),this._drawing=!1),this._hide_vertices())}}s.PolyEditToolView=c,c.__name__=\"PolyEditToolView\";class o extends l.PolyTool{constructor(e){super(e),this.tool_name=\"Poly Edit Tool\",this.icon=a.tool_icon_poly_edit,this.event_type=[\"tap\",\"pan\",\"move\"],this.default_order=4}}s.PolyEditTool=o,_=o,o.__name__=\"PolyEditTool\",_.prototype.default_view=c},\n function _(e,t,o,s,i){var l;s();const n=e(378),_=e(116),c=e(20),r=e(228);class a extends n.SelectToolView{_compute_limits(e){const t=this.plot_view.frame,o=this.model.dimensions;let s=this._base_point;if(\"center\"==this.model.origin){const[t,o]=s,[i,l]=e;s=[t-(i-t),o-(l-o)]}return this.model._get_dim_limits(s,e,t,o)}_pan_start(e){const{sx:t,sy:o}=e;this._base_point=[t,o]}_pan(e){const{sx:t,sy:o}=e,s=[t,o],[i,l]=this._compute_limits(s);this.model.overlay.update({left:i[0],right:i[1],top:l[0],bottom:l[1]}),this.model.select_every_mousemove&&this._do_select(i,l,!1,this._select_mode(e))}_pan_end(e){const{sx:t,sy:o}=e,s=[t,o],[i,l]=this._compute_limits(s);this._do_select(i,l,!0,this._select_mode(e)),this.model.overlay.update({left:null,right:null,top:null,bottom:null}),this._base_point=null,this.plot_view.state.push(\"box_select\",{selection:this.plot_view.get_selection()})}_do_select([e,t],[o,s],i,l=\"replace\"){const n={type:\"rect\",sx0:e,sx1:t,sy0:o,sy1:s};this._select(n,i,l)}}o.BoxSelectToolView=a,a.__name__=\"BoxSelectToolView\";const h=()=>new _.BoxAnnotation({level:\"overlay\",top_units:\"screen\",left_units:\"screen\",bottom_units:\"screen\",right_units:\"screen\",fill_color:\"lightgrey\",fill_alpha:.5,line_color:\"black\",line_alpha:1,line_width:2,line_dash:[4,4]});class m extends n.SelectTool{constructor(e){super(e),this.tool_name=\"Box Select\",this.icon=r.tool_icon_box_select,this.event_type=\"pan\",this.default_order=30}get tooltip(){return this._get_dim_tooltip(this.dimensions)}}o.BoxSelectTool=m,l=m,m.__name__=\"BoxSelectTool\",l.prototype.default_view=a,l.define((({Boolean:e,Ref:t})=>({dimensions:[c.Dimensions,\"both\"],select_every_mousemove:[e,!1],overlay:[t(_.BoxAnnotation),h],origin:[c.BoxOrigin,\"corner\"]}))),l.register_alias(\"box_select\",(()=>new m)),l.register_alias(\"xbox_select\",(()=>new m({dimensions:\"width\"}))),l.register_alias(\"ybox_select\",(()=>new m({dimensions:\"height\"})))},\n function _(e,t,s,n,r){var o;n();const c=e(223),i=e(175),a=e(339),l=e(176),d=e(66),_=e(20),h=e(43),p=e(251),u=e(15),m=e(11);class v extends c.GestureToolView{connect_signals(){super.connect_signals(),this.model.clear.connect((()=>this._clear()))}get computed_renderers(){const{renderers:e,names:t}=this.model,s=this.plot_model.data_renderers;return(0,d.compute_renderers)(e,s,t)}_computed_renderers_by_data_source(){var e;const t=new Map;for(const s of this.computed_renderers){let n;if(s instanceof i.GlyphRenderer)n=s.data_source;else{if(!(s instanceof a.GraphRenderer))continue;n=s.node_renderer.data_source}const r=null!==(e=t.get(n))&&void 0!==e?e:[];t.set(n,[...r,s])}return t}_select_mode(e){const{shiftKey:t,ctrlKey:s}=e;return t||s?t&&!s?\"append\":!t&&s?\"intersect\":t&&s?\"subtract\":void(0,m.unreachable)():this.model.mode}_keyup(e){e.keyCode==h.Keys.Esc&&this._clear()}_clear(){for(const e of this.computed_renderers)e.get_selection_manager().clear();const e=this.computed_renderers.map((e=>this.plot_view.renderer_view(e)));this.plot_view.request_paint(e)}_select(e,t,s){const n=this._computed_renderers_by_data_source();for(const[,r]of n){const n=r[0].get_selection_manager(),o=[];for(const e of r){const t=this.plot_view.renderer_view(e);null!=t&&o.push(t)}n.select(o,e,t,s)}null!=this.model.callback&&this._emit_callback(e),this._emit_selection_event(e,t)}_emit_selection_event(e,t=!0){const{x_scale:s,y_scale:n}=this.plot_view.frame;let r;switch(e.type){case\"point\":{const{sx:t,sy:o}=e,c=s.invert(t),i=n.invert(o);r=Object.assign(Object.assign({},e),{x:c,y:i});break}case\"span\":{const{sx:t,sy:o}=e,c=s.invert(t),i=n.invert(o);r=Object.assign(Object.assign({},e),{x:c,y:i});break}case\"rect\":{const{sx0:t,sx1:o,sy0:c,sy1:i}=e,[a,l]=s.r_invert(t,o),[d,_]=n.r_invert(c,i);r=Object.assign(Object.assign({},e),{x0:a,y0:d,x1:l,y1:_});break}case\"poly\":{const{sx:t,sy:o}=e,c=s.v_invert(t),i=n.v_invert(o);r=Object.assign(Object.assign({},e),{x:c,y:i});break}}this.plot_model.trigger_event(new p.SelectionGeometry(r,t))}}s.SelectToolView=v,v.__name__=\"SelectToolView\";class b extends c.GestureTool{constructor(e){super(e)}initialize(){super.initialize(),this.clear=new u.Signal0(this,\"clear\")}get menu(){return[{icon:\"bk-tool-icon-replace-mode\",tooltip:\"Replace the current selection\",active:()=>\"replace\"==this.mode,handler:()=>{this.mode=\"replace\",this.active=!0}},{icon:\"bk-tool-icon-append-mode\",tooltip:\"Append to the current selection (Shift)\",active:()=>\"append\"==this.mode,handler:()=>{this.mode=\"append\",this.active=!0}},{icon:\"bk-tool-icon-intersect-mode\",tooltip:\"Intersect with the current selection (Ctrl)\",active:()=>\"intersect\"==this.mode,handler:()=>{this.mode=\"intersect\",this.active=!0}},{icon:\"bk-tool-icon-subtract-mode\",tooltip:\"Subtract from the current selection (Shift+Ctrl)\",active:()=>\"subtract\"==this.mode,handler:()=>{this.mode=\"subtract\",this.active=!0}},null,{icon:\"bk-tool-icon-clear-selection\",tooltip:\"Clear the current selection (Esc)\",handler:()=>{this.clear.emit()}}]}}s.SelectTool=b,o=b,b.__name__=\"SelectTool\",o.define((({String:e,Array:t,Ref:s,Or:n,Auto:r})=>({renderers:[n(t(s(l.DataRenderer)),r),\"auto\"],names:[t(e),[]],mode:[_.SelectionMode,\"replace\"]})))},\n function _(t,o,e,s,i){var n;s();const _=t(223),a=t(116),l=t(20),r=t(228);class h extends _.GestureToolView{_match_aspect(t,o,e){const s=e.bbox.aspect,i=e.bbox.h_range.end,n=e.bbox.h_range.start,_=e.bbox.v_range.end,a=e.bbox.v_range.start;let l=Math.abs(t[0]-o[0]),r=Math.abs(t[1]-o[1]);const h=0==r?0:l/r,[c]=h>=s?[1,h/s]:[s/h,1];let m,p,d,b;return t[0]<=o[0]?(m=t[0],p=t[0]+l*c,p>i&&(p=i)):(p=t[0],m=t[0]-l*c,m_&&(d=_)):(d=t[1],b=t[1]-l/s,bnew a.BoxAnnotation({level:\"overlay\",top_units:\"screen\",left_units:\"screen\",bottom_units:\"screen\",right_units:\"screen\",fill_color:\"lightgrey\",fill_alpha:.5,line_color:\"black\",line_alpha:1,line_width:2,line_dash:[4,4]});class m extends _.GestureTool{constructor(t){super(t),this.tool_name=\"Box Zoom\",this.icon=r.tool_icon_box_zoom,this.event_type=\"pan\",this.default_order=20}get tooltip(){return this._get_dim_tooltip(this.dimensions)}}e.BoxZoomTool=m,n=m,m.__name__=\"BoxZoomTool\",n.prototype.default_view=h,n.define((({Boolean:t,Ref:o})=>({dimensions:[l.Dimensions,\"both\"],overlay:[o(a.BoxAnnotation),c],match_aspect:[t,!1],origin:[l.BoxOrigin,\"corner\"]}))),n.register_alias(\"box_zoom\",(()=>new m({dimensions:\"both\"}))),n.register_alias(\"xbox_zoom\",(()=>new m({dimensions:\"width\"}))),n.register_alias(\"ybox_zoom\",(()=>new m({dimensions:\"height\"})))},\n function _(s,e,t,o,_){var l;o();const i=s(378),a=s(217),c=s(381),n=s(43),h=s(228);class r extends i.SelectToolView{constructor(){super(...arguments),this.sxs=[],this.sys=[]}connect_signals(){super.connect_signals(),this.connect(this.model.properties.active.change,(()=>this._active_change()))}_active_change(){this.model.active||this._clear_overlay()}_keyup(s){s.keyCode==n.Keys.Enter&&this._clear_overlay()}_pan_start(s){this.sxs=[],this.sys=[];const{sx:e,sy:t}=s;this._append_overlay(e,t)}_pan(s){const[e,t]=this.plot_view.frame.bbox.clip(s.sx,s.sy);this._append_overlay(e,t),this.model.select_every_mousemove&&this._do_select(this.sxs,this.sys,!1,this._select_mode(s))}_pan_end(s){const{sxs:e,sys:t}=this;this._clear_overlay(),this._do_select(e,t,!0,this._select_mode(s)),this.plot_view.state.push(\"lasso_select\",{selection:this.plot_view.get_selection()})}_append_overlay(s,e){const{sxs:t,sys:o}=this;t.push(s),o.push(e),this.model.overlay.update({xs:t,ys:o})}_clear_overlay(){this.sxs=[],this.sys=[],this.model.overlay.update({xs:this.sxs,ys:this.sys})}_do_select(s,e,t,o){const _={type:\"poly\",sx:s,sy:e};this._select(_,t,o)}}t.LassoSelectToolView=r,r.__name__=\"LassoSelectToolView\";class y extends i.SelectTool{constructor(s){super(s),this.tool_name=\"Lasso Select\",this.icon=h.tool_icon_lasso_select,this.event_type=\"pan\",this.default_order=12}}t.LassoSelectTool=y,l=y,y.__name__=\"LassoSelectTool\",l.prototype.default_view=r,l.define((({Boolean:s,Ref:e})=>({select_every_mousemove:[s,!0],overlay:[e(a.PolyAnnotation),c.DEFAULT_POLY_OVERLAY]}))),l.register_alias(\"lasso_select\",(()=>new y))},\n function _(e,t,s,l,o){var i;l();const a=e(378),_=e(217),c=e(43),n=e(9),h=e(228);class y extends a.SelectToolView{initialize(){super.initialize(),this.data={sx:[],sy:[]}}connect_signals(){super.connect_signals(),this.connect(this.model.properties.active.change,(()=>this._active_change()))}_active_change(){this.model.active||this._clear_data()}_keyup(e){e.keyCode==c.Keys.Enter&&this._clear_data()}_doubletap(e){this._do_select(this.data.sx,this.data.sy,!0,this._select_mode(e)),this.plot_view.state.push(\"poly_select\",{selection:this.plot_view.get_selection()}),this._clear_data()}_clear_data(){this.data={sx:[],sy:[]},this.model.overlay.update({xs:[],ys:[]})}_tap(e){const{sx:t,sy:s}=e;this.plot_view.frame.bbox.contains(t,s)&&(this.data.sx.push(t),this.data.sy.push(s),this.model.overlay.update({xs:(0,n.copy)(this.data.sx),ys:(0,n.copy)(this.data.sy)}))}_do_select(e,t,s,l){const o={type:\"poly\",sx:e,sy:t};this._select(o,s,l)}}s.PolySelectToolView=y,y.__name__=\"PolySelectToolView\";s.DEFAULT_POLY_OVERLAY=()=>new _.PolyAnnotation({level:\"overlay\",xs_units:\"screen\",ys_units:\"screen\",fill_color:\"lightgrey\",fill_alpha:.5,line_color:\"black\",line_alpha:1,line_width:2,line_dash:[4,4]});class d extends a.SelectTool{constructor(e){super(e),this.tool_name=\"Poly Select\",this.icon=h.tool_icon_polygon_select,this.event_type=\"tap\",this.default_order=11}}s.PolySelectTool=d,i=d,d.__name__=\"PolySelectTool\",i.prototype.default_view=y,i.define((({Ref:e})=>({overlay:[e(_.PolyAnnotation),s.DEFAULT_POLY_OVERLAY]}))),i.register_alias(\"poly_select\",(()=>new d))},\n function _(e,t,s,i,r){var n;i();const _=e(20),d=e(383),o=e(228);class l extends d.LineToolView{constructor(){super(...arguments),this._drawing=!1}_doubletap(e){if(!this.model.active)return;const t=this.model.renderers;for(const s of t){1==this._select_event(e,\"replace\",[s]).length&&(this._selected_renderer=s)}this._show_intersections(),this._update_line_cds()}_show_intersections(){if(!this.model.active)return;if(null==this._selected_renderer)return;if(!this.model.renderers.length)return this._set_intersection([],[]),this._selected_renderer=null,void(this._drawing=!1);const e=this._selected_renderer.data_source,t=this._selected_renderer.glyph,[s,i]=[t.x.field,t.y.field],r=e.get_array(s),n=e.get_array(i);this._set_intersection(r,n)}_tap(e){const t=this.model.intersection_renderer;if(null==this._map_drag(e.sx,e.sy,t))return;if(this._drawing&&this._selected_renderer){const s=this._select_mode(e);if(0==this._select_event(e,s,[t]).length)return}const s=this._select_mode(e);this._select_event(e,s,[t]),this._select_event(e,s,this.model.renderers)}_update_line_cds(){if(null==this._selected_renderer)return;const e=this.model.intersection_renderer.glyph,t=this.model.intersection_renderer.data_source,[s,i]=[e.x.field,e.y.field];if(s&&i){const e=t.data[s],r=t.data[i];this._selected_renderer.data_source.data[s]=e,this._selected_renderer.data_source.data[i]=r}this._emit_cds_changes(this._selected_renderer.data_source,!0,!0,!1)}_pan_start(e){this._select_event(e,\"append\",[this.model.intersection_renderer]),this._basepoint=[e.sx,e.sy]}_pan(e){null!=this._basepoint&&(this._drag_points(e,[this.model.intersection_renderer],this.model.dimensions),this._selected_renderer&&this._selected_renderer.data_source.change.emit())}_pan_end(e){null!=this._basepoint&&(this._drag_points(e,[this.model.intersection_renderer]),this._emit_cds_changes(this.model.intersection_renderer.data_source,!1,!0,!0),this._selected_renderer&&this._emit_cds_changes(this._selected_renderer.data_source),this._basepoint=null)}activate(){this._drawing=!0}deactivate(){this._selected_renderer&&(this._drawing&&(this._drawing=!1),this._hide_intersections())}}s.LineEditToolView=l,l.__name__=\"LineEditToolView\";class h extends d.LineTool{constructor(e){super(e),this.tool_name=\"Line Edit Tool\",this.icon=o.tool_icon_line_edit,this.event_type=[\"tap\",\"pan\",\"move\"],this.default_order=4}get tooltip(){return this._get_dim_tooltip(this.dimensions)}}s.LineEditTool=h,n=h,h.__name__=\"LineEditTool\",n.prototype.default_view=l,n.define((()=>({dimensions:[_.Dimensions,\"both\"]})))},\n function _(e,i,n,t,s){var o;t();const r=e(8),_=e(370);class d extends _.EditToolView{_set_intersection(e,i){const n=this.model.intersection_renderer.glyph,t=this.model.intersection_renderer.data_source,[s,o]=[n.x.field,n.y.field];s&&((0,r.isArray)(e)?t.data[s]=e:n.x={value:e}),o&&((0,r.isArray)(i)?t.data[o]=i:n.y={value:i}),this._emit_cds_changes(t,!0,!0,!1)}_hide_intersections(){this._set_intersection([],[])}}n.LineToolView=d,d.__name__=\"LineToolView\";class a extends _.EditTool{constructor(e){super(e)}}n.LineTool=a,o=a,a.__name__=\"LineTool\",o.define((({AnyRef:e})=>({intersection_renderer:[e()]})))},\n function _(t,s,n,e,i){e();const o=t(1);var a;const _=t(223),l=t(20),r=(0,o.__importStar)(t(228));function h(t,s,n){const e=new Map;for(const[i,o]of t){const[t,a]=o.r_invert(s,n);e.set(i,{start:t,end:a})}return e}n.update_ranges=h;class d extends _.GestureToolView{_pan_start(t){var s;this.last_dx=0,this.last_dy=0;const{sx:n,sy:e}=t,i=this.plot_view.frame.bbox;if(!i.contains(n,e)){const t=i.h_range,s=i.v_range;(nt.end)&&(this.v_axis_only=!0),(es.end)&&(this.h_axis_only=!0)}null===(s=this.model.document)||void 0===s||s.interactive_start(this.plot_model)}_pan(t){var s;this._update(t.deltaX,t.deltaY),null===(s=this.model.document)||void 0===s||s.interactive_start(this.plot_model)}_pan_end(t){this.h_axis_only=!1,this.v_axis_only=!1,null!=this.pan_info&&this.plot_view.state.push(\"pan\",{range:this.pan_info}),this.plot_view.trigger_ranges_update_event()}_update(t,s){const n=this.plot_view.frame,e=t-this.last_dx,i=s-this.last_dy,o=n.bbox.h_range,a=o.start-e,_=o.end-e,l=n.bbox.v_range,r=l.start-i,d=l.end-i,p=this.model.dimensions;let c,u,m,v,x,g;\"width\"!=p&&\"both\"!=p||this.v_axis_only?(c=o.start,u=o.end,m=0):(c=a,u=_,m=-e),\"height\"!=p&&\"both\"!=p||this.h_axis_only?(v=l.start,x=l.end,g=0):(v=r,x=d,g=-i),this.last_dx=t,this.last_dy=s;const{x_scales:w,y_scales:y}=n,f=h(w,c,u),b=h(y,v,x);this.pan_info={xrs:f,yrs:b,sdx:m,sdy:g},this.plot_view.update_range(this.pan_info,{panning:!0})}}n.PanToolView=d,d.__name__=\"PanToolView\";class p extends _.GestureTool{constructor(t){super(t),this.tool_name=\"Pan\",this.event_type=\"pan\",this.default_order=10}get tooltip(){return this._get_dim_tooltip(this.dimensions)}}n.PanTool=p,a=p,p.__name__=\"PanTool\",a.prototype.default_view=d,a.define((()=>({dimensions:[l.Dimensions,\"both\",{on_update(t,s){switch(t){case\"both\":s.icon=r.tool_icon_pan;break;case\"width\":s.icon=r.tool_icon_xpan;break;case\"height\":s.icon=r.tool_icon_ypan}}}]}))),a.register_alias(\"pan\",(()=>new p({dimensions:\"both\"}))),a.register_alias(\"xpan\",(()=>new p({dimensions:\"width\"}))),a.register_alias(\"ypan\",(()=>new p({dimensions:\"height\"})))},\n function _(e,t,i,s,n){var l;s();const a=e(116),r=e(58),o=e(19),_=e(223),h=e(228);function d(e){switch(e){case 1:return 2;case 2:return 1;case 4:return 5;case 5:return 4;default:return e}}function u(e,t,i,s){if(null==t)return!1;const n=i.compute(t);return Math.abs(e-n)n.right)&&(l=!1)}if(null!=n.bottom&&null!=n.top){const e=s.invert(t);(en.top)&&(l=!1)}return l}function g(e,t,i){let s=0;return e>=i.start&&e<=i.end&&(s+=1),t>=i.start&&t<=i.end&&(s+=1),s}function y(e,t,i,s){const n=t.compute(e),l=t.invert(n+i);return l>=s.start&&l<=s.end?l:e}function f(e,t,i){return e>t.start?(t.end=e,i):(t.end=t.start,t.start=e,d(i))}function v(e,t,i){return e=o&&(e.start=a,e.end=r)}i.flip_side=d,i.is_near=u,i.is_inside=c,i.sides_inside=g,i.compute_value=y,i.update_range_end_side=f,i.update_range_start_side=v,i.update_range=m;class p extends _.GestureToolView{initialize(){super.initialize(),this.side=0,this.model.update_overlay_from_ranges()}connect_signals(){super.connect_signals(),null!=this.model.x_range&&this.connect(this.model.x_range.change,(()=>this.model.update_overlay_from_ranges())),null!=this.model.y_range&&this.connect(this.model.y_range.change,(()=>this.model.update_overlay_from_ranges()))}_pan_start(e){this.last_dx=0,this.last_dy=0;const t=this.model.x_range,i=this.model.y_range,{frame:s}=this.plot_view,n=s.x_scale,l=s.y_scale,r=this.model.overlay,{left:o,right:_,top:h,bottom:d}=r,g=this.model.overlay.line_width+a.EDGE_TOLERANCE;null!=t&&this.model.x_interaction&&(u(e.sx,o,n,g)?this.side=1:u(e.sx,_,n,g)?this.side=2:c(e.sx,e.sy,n,l,r)&&(this.side=3)),null!=i&&this.model.y_interaction&&(0==this.side&&u(e.sy,d,l,g)&&(this.side=4),0==this.side&&u(e.sy,h,l,g)?this.side=5:c(e.sx,e.sy,n,l,this.model.overlay)&&(3==this.side?this.side=7:this.side=6))}_pan(e){const t=this.plot_view.frame,i=e.deltaX-this.last_dx,s=e.deltaY-this.last_dy,n=this.model.x_range,l=this.model.y_range,a=t.x_scale,r=t.y_scale;if(null!=n)if(3==this.side||7==this.side)m(n,a,i,t.x_range);else if(1==this.side){const e=y(n.start,a,i,t.x_range);this.side=v(e,n,this.side)}else if(2==this.side){const e=y(n.end,a,i,t.x_range);this.side=f(e,n,this.side)}if(null!=l)if(6==this.side||7==this.side)m(l,r,s,t.y_range);else if(4==this.side){const e=y(l.start,r,s,t.y_range);this.side=v(e,l,this.side)}else if(5==this.side){const e=y(l.end,r,s,t.y_range);this.side=f(e,l,this.side)}this.last_dx=e.deltaX,this.last_dy=e.deltaY}_pan_end(e){this.side=0,this.plot_view.trigger_ranges_update_event()}}i.RangeToolView=p,p.__name__=\"RangeToolView\";const x=()=>new a.BoxAnnotation({level:\"overlay\",fill_color:\"lightgrey\",fill_alpha:.5,line_color:\"black\",line_alpha:1,line_width:.5,line_dash:[2,2]});class w extends _.GestureTool{constructor(e){super(e),this.tool_name=\"Range Tool\",this.icon=h.tool_icon_range,this.event_type=\"pan\",this.default_order=1}initialize(){super.initialize(),this.overlay.in_cursor=\"grab\",this.overlay.ew_cursor=null!=this.x_range&&this.x_interaction?\"ew-resize\":null,this.overlay.ns_cursor=null!=this.y_range&&this.y_interaction?\"ns-resize\":null}update_overlay_from_ranges(){null==this.x_range&&null==this.y_range&&(this.overlay.left=null,this.overlay.right=null,this.overlay.bottom=null,this.overlay.top=null,o.logger.warn(\"RangeTool not configured with any Ranges.\")),null==this.x_range?(this.overlay.left=null,this.overlay.right=null):(this.overlay.left=this.x_range.start,this.overlay.right=this.x_range.end),null==this.y_range?(this.overlay.bottom=null,this.overlay.top=null):(this.overlay.bottom=this.y_range.start,this.overlay.top=this.y_range.end)}}i.RangeTool=w,l=w,w.__name__=\"RangeTool\",l.prototype.default_view=p,l.define((({Boolean:e,Ref:t,Nullable:i})=>({x_range:[i(t(r.Range1d)),null],x_interaction:[e,!0],y_range:[i(t(r.Range1d)),null],y_interaction:[e,!0],overlay:[t(a.BoxAnnotation),x]})))},\n function _(e,t,s,o,i){var l;o();const a=e(378),n=e(20),c=e(228);class _ extends a.SelectToolView{_tap(e){\"tap\"==this.model.gesture&&this._handle_tap(e)}_doubletap(e){\"doubletap\"==this.model.gesture&&this._handle_tap(e)}_handle_tap(e){const{sx:t,sy:s}=e,o={type:\"point\",sx:t,sy:s};this._select(o,!0,this._select_mode(e))}_select(e,t,s){const{callback:o}=this.model;if(\"select\"==this.model.behavior){const i=this._computed_renderers_by_data_source();for(const[,l]of i){const i=l[0].get_selection_manager(),a=l.map((e=>this.plot_view.renderer_view(e))).filter((e=>null!=e));if(i.select(a,e,t,s)&&null!=o){const t=a[0].coordinates.x_scale.invert(e.sx),s=a[0].coordinates.y_scale.invert(e.sy),l={geometries:Object.assign(Object.assign({},e),{x:t,y:s}),source:i.source};o.execute(this.model,l)}}this._emit_selection_event(e),this.plot_view.state.push(\"tap\",{selection:this.plot_view.get_selection()})}else for(const t of this.computed_renderers){const s=this.plot_view.renderer_view(t);if(null==s)continue;const i=t.get_selection_manager();if(i.inspect(s,e)&&null!=o){const t=s.coordinates.x_scale.invert(e.sx),l=s.coordinates.y_scale.invert(e.sy),a={geometries:Object.assign(Object.assign({},e),{x:t,y:l}),source:i.source};o.execute(this.model,a)}}}}s.TapToolView=_,_.__name__=\"TapToolView\";class r extends a.SelectTool{constructor(e){super(e),this.tool_name=\"Tap\",this.icon=c.tool_icon_tap_select,this.event_type=\"tap\",this.default_order=10}}s.TapTool=r,l=r,r.__name__=\"TapTool\",l.prototype.default_view=_,l.define((({Any:e,Enum:t,Nullable:s})=>({behavior:[n.TapBehavior,\"select\"],gesture:[t(\"tap\",\"doubletap\"),\"tap\"],callback:[s(e)]}))),l.register_alias(\"click\",(()=>new r({behavior:\"inspect\"}))),l.register_alias(\"tap\",(()=>new r)),l.register_alias(\"doubletap\",(()=>new r({gesture:\"doubletap\"})))},\n function _(e,t,s,n,i){var a;n();const o=e(223),l=e(20),_=e(228),r=e(384);class h extends o.GestureToolView{_scroll(e){let t=this.model.speed*e.delta;t>.9?t=.9:t<-.9&&(t=-.9),this._update_ranges(t)}_update_ranges(e){var t;const{frame:s}=this.plot_view,n=s.bbox.h_range,i=s.bbox.v_range,[a,o]=[n.start,n.end],[l,_]=[i.start,i.end];let h,d,p,c;switch(this.model.dimension){case\"height\":{const t=Math.abs(_-l);h=a,d=o,p=l-t*e,c=_-t*e;break}case\"width\":{const t=Math.abs(o-a);h=a-t*e,d=o-t*e,p=l,c=_;break}}const{x_scales:g,y_scales:u}=s,w={xrs:(0,r.update_ranges)(g,h,d),yrs:(0,r.update_ranges)(u,p,c),factor:e};this.plot_view.state.push(\"wheel_pan\",{range:w}),this.plot_view.update_range(w,{scrolling:!0}),null===(t=this.model.document)||void 0===t||t.interactive_start(this.plot_model,(()=>this.plot_view.trigger_ranges_update_event()))}}s.WheelPanToolView=h,h.__name__=\"WheelPanToolView\";class d extends o.GestureTool{constructor(e){super(e),this.tool_name=\"Wheel Pan\",this.icon=_.tool_icon_wheel_pan,this.event_type=\"scroll\",this.default_order=12}get tooltip(){return this._get_dim_tooltip(this.dimension)}}s.WheelPanTool=d,a=d,d.__name__=\"WheelPanTool\",a.prototype.default_view=h,a.define((()=>({dimension:[l.Dimension,\"width\"]}))),a.internal((({Number:e})=>({speed:[e,.001]}))),a.register_alias(\"xwheel_pan\",(()=>new d({dimension:\"width\"}))),a.register_alias(\"ywheel_pan\",(()=>new d({dimension:\"height\"})))},\n function _(e,o,t,s,i){var n;s();const l=e(223),_=e(368),h=e(20),a=e(27),r=e(228);class m extends l.GestureToolView{_pinch(e){const{sx:o,sy:t,scale:s,ctrlKey:i,shiftKey:n}=e;let l;l=s>=1?20*(s-1):-20/s,this._scroll({type:\"wheel\",sx:o,sy:t,delta:l,ctrlKey:i,shiftKey:n})}_scroll(e){var o;const{frame:t}=this.plot_view,s=t.bbox.h_range,i=t.bbox.v_range,{sx:n,sy:l}=e,h=this.model.dimensions,a=(\"width\"==h||\"both\"==h)&&s.startthis.plot_view.trigger_ranges_update_event()))}}t.WheelZoomToolView=m,m.__name__=\"WheelZoomToolView\";class d extends l.GestureTool{constructor(e){super(e),this.tool_name=\"Wheel Zoom\",this.icon=r.tool_icon_wheel_zoom,this.event_type=a.is_mobile?\"pinch\":\"scroll\",this.default_order=10}get tooltip(){return this._get_dim_tooltip(this.dimensions)}}t.WheelZoomTool=d,n=d,d.__name__=\"WheelZoomTool\",n.prototype.default_view=m,n.define((({Boolean:e,Number:o})=>({dimensions:[h.Dimensions,\"both\"],maintain_focus:[e,!0],zoom_on_axis:[e,!0],speed:[o,1/600]}))),n.register_alias(\"wheel_zoom\",(()=>new d({dimensions:\"both\"}))),n.register_alias(\"xwheel_zoom\",(()=>new d({dimensions:\"width\"}))),n.register_alias(\"ywheel_zoom\",(()=>new d({dimensions:\"height\"})))},\n function _(i,e,s,t,o){var n;t();const l=i(232),a=i(219),h=i(20),r=i(13),_=i(228);class c extends l.InspectToolView{_move(i){if(!this.model.active)return;const{sx:e,sy:s}=i;this.plot_view.frame.bbox.contains(e,s)?this._update_spans(e,s):this._update_spans(null,null)}_move_exit(i){this._update_spans(null,null)}_update_spans(i,e){const s=this.model.dimensions;\"width\"!=s&&\"both\"!=s||(this.model.spans.width.location=e),\"height\"!=s&&\"both\"!=s||(this.model.spans.height.location=i)}}s.CrosshairToolView=c,c.__name__=\"CrosshairToolView\";class p extends l.InspectTool{constructor(i){super(i),this.tool_name=\"Crosshair\",this.icon=_.tool_icon_crosshair}get tooltip(){return this._get_dim_tooltip(this.dimensions)}get synthetic_renderers(){return(0,r.values)(this.spans)}}s.CrosshairTool=p,n=p,p.__name__=\"CrosshairTool\",(()=>{function i(i,e){return new a.Span({for_hover:!0,dimension:e,location_units:\"screen\",level:\"overlay\",line_color:i.line_color,line_width:i.line_width,line_alpha:i.line_alpha})}n.prototype.default_view=c,n.define((({Alpha:i,Number:e,Color:s})=>({dimensions:[h.Dimensions,\"both\"],line_color:[s,\"black\"],line_width:[e,1],line_alpha:[i,1]}))),n.internal((({Struct:e,Ref:s})=>({spans:[e({width:s(a.Span),height:s(a.Span)}),e=>({width:i(e,\"width\"),height:i(e,\"height\")})]}))),n.register_alias(\"crosshair\",(()=>new p))})()},\n function _(e,s,t,r,n){var o;r();const a=e(53),u=e(13),c=e(34);class i extends a.Model{constructor(e){super(e)}get values(){return(0,u.values)(this.args)}_make_code(e,s,t,r){return new Function(...(0,u.keys)(this.args),e,s,t,(0,c.use_strict)(r))}format(e,s,t){return this._make_code(\"value\",\"format\",\"special_vars\",this.code)(...this.values,e,s,t)}}t.CustomJSHover=i,o=i,i.__name__=\"CustomJSHover\",o.define((({Unknown:e,String:s,Dict:t})=>({args:[t(e),{}],code:[s,\"\"]})))},\n function _(e,t,n,s,i){s();const o=e(1);var r;const l=e(232),a=e(390),c=e(241),_=e(175),d=e(339),p=e(176),h=e(177),u=e(283),m=e(186),y=e(187),f=e(189),x=(0,o.__importStar)(e(185)),v=e(152),w=e(43),g=e(22),b=e(13),k=e(234),C=e(8),S=e(113),T=e(20),$=e(228),R=e(15),A=e(66),M=(0,o.__importStar)(e(242)),V=e(392);function G(e,t,n,s,i,o){const r={x:i[e],y:o[e]},l={x:i[e+1],y:o[e+1]};let a,c;if(\"span\"==t.type)\"h\"==t.direction?(a=Math.abs(r.x-n),c=Math.abs(l.x-n)):(a=Math.abs(r.y-s),c=Math.abs(l.y-s));else{const e={x:n,y:s};a=x.dist_2_pts(r,e),c=x.dist_2_pts(l,e)}return adelete this._template_el)),this.on_change([e,t,n],(async()=>await this._update_ttmodels()))}async _update_ttmodels(){const{_ttmodels:e,computed_renderers:t}=this;e.clear();const{tooltips:n}=this.model;if(null!=n)for(const t of this.computed_renderers){const s=new c.Tooltip({custom:(0,C.isString)(n)||(0,C.isFunction)(n),attachment:this.model.attachment,show_arrow:this.model.show_arrow});t instanceof _.GlyphRenderer?e.set(t,s):t instanceof d.GraphRenderer&&(e.set(t.node_renderer,s),e.set(t.edge_renderer,s))}const s=await(0,S.build_views)(this._ttviews,[...e.values()],{parent:this.plot_view});for(const e of s)e.render();const i=[...function*(){for(const e of t)e instanceof _.GlyphRenderer?yield e:e instanceof d.GraphRenderer&&(yield e.node_renderer,yield e.edge_renderer)}()],o=this._slots.get(this._update);if(null!=o){const e=new Set(i.map((e=>e.data_source)));R.Signal.disconnect_receiver(this,o,e)}for(const e of i)this.connect(e.data_source.inspect,this._update)}get computed_renderers(){const{renderers:e,names:t}=this.model,n=this.plot_model.data_renderers;return(0,A.compute_renderers)(e,n,t)}get ttmodels(){return this._ttmodels}_clear(){this._inspect(1/0,1/0);for(const[,e]of this.ttmodels)e.clear()}_move(e){if(!this.model.active)return;const{sx:t,sy:n}=e;this.plot_view.frame.bbox.contains(t,n)?this._inspect(t,n):this._clear()}_move_exit(){this._clear()}_inspect(e,t){let n;if(\"mouse\"==this.model.mode)n={type:\"point\",sx:e,sy:t};else{n={type:\"span\",direction:\"vline\"==this.model.mode?\"h\":\"v\",sx:e,sy:t}}for(const e of this.computed_renderers){const t=e.get_selection_manager(),s=this.plot_view.renderer_view(e);null!=s&&t.inspect(s,n)}this._emit_callback(n)}_update([e,{geometry:t}]){var n,s;if(!this.model.active)return;if(\"point\"!=t.type&&\"span\"!=t.type)return;if(!(e instanceof _.GlyphRenderer))return;if(\"ignore\"==this.model.muted_policy&&e.muted)return;const i=this.ttmodels.get(e);if(null==i)return;const o=e.get_selection_manager(),r=o.inspectors.get(e),l=e.view.convert_selection_to_subset(r);if(r.is_empty()&&null==r.view)return void i.clear();const a=o.source,c=this.plot_view.renderer_view(e);if(null==c)return;const{sx:d,sy:p}=t,x=c.coordinates.x_scale,v=c.coordinates.y_scale,g=x.invert(d),k=v.invert(p),{glyph:C}=c,S=[];if(C instanceof m.PatchView){const[t,n]=[d,p],s={x:g,y:k,sx:d,sy:p,rx:t,ry:n,name:e.name};S.push([t,n,this._render_tooltips(a,-1,s)])}if(C instanceof y.HAreaView)for(const t of l.line_indices){const n=C._x1,s=C._x2,i=C._y,[o,r]=[d,p],c={index:t,x:g,y:k,sx:d,sy:p,data_x1:n,data_x2:s,data_y:i,rx:o,ry:r,indices:l.line_indices,name:e.name};S.push([o,r,this._render_tooltips(a,t,c)])}if(C instanceof f.VAreaView)for(const t of l.line_indices){const n=C._x,s=C._y1,i=C._y2,[o,r]=[d,p],c={index:t,x:g,y:k,sx:d,sy:p,data_x:n,data_y1:s,data_y2:i,rx:o,ry:r,indices:l.line_indices,name:e.name};S.push([o,r,this._render_tooltips(a,t,c)])}if(C instanceof h.LineView)for(const n of l.line_indices){let s,i,o=C._x[n+1],r=C._y[n+1],c=n;switch(this.model.line_policy){case\"interp\":[o,r]=C.get_interpolation_hit(n,t),s=x.compute(o),i=v.compute(r);break;case\"prev\":[[s,i],c]=H(C.sx,C.sy,n);break;case\"next\":[[s,i],c]=H(C.sx,C.sy,n+1);break;case\"nearest\":[[s,i],c]=G(n,t,d,p,C.sx,C.sy),o=C._x[c],r=C._y[c];break;default:[s,i]=[d,p]}const _={index:c,x:g,y:k,sx:d,sy:p,data_x:o,data_y:r,rx:s,ry:i,indices:l.line_indices,name:e.name};S.push([s,i,this._render_tooltips(a,c,_)])}for(const t of r.image_indices){const n={index:t.index,x:g,y:k,sx:d,sy:p,name:e.name},s=this._render_tooltips(a,t,n);S.push([d,p,s])}for(const i of l.indices)if(C instanceof u.MultiLineView&&!(0,b.isEmpty)(l.multiline_indices))for(const n of l.multiline_indices[i.toString()]){let s,o,r,c=C._xs.get(i)[n],h=C._ys.get(i)[n],u=n;switch(this.model.line_policy){case\"interp\":[c,h]=C.get_interpolation_hit(i,n,t),s=x.compute(c),o=v.compute(h);break;case\"prev\":[[s,o],u]=H(C.sxs.get(i),C.sys.get(i),n);break;case\"next\":[[s,o],u]=H(C.sxs.get(i),C.sys.get(i),n+1);break;case\"nearest\":[[s,o],u]=G(n,t,d,p,C.sxs.get(i),C.sys.get(i)),c=C._xs.get(i)[u],h=C._ys.get(i)[u];break;default:throw new Error(\"shouldn't have happened\")}r=e instanceof _.GlyphRenderer?e.view.convert_indices_from_subset([i])[0]:i;const m={index:r,x:g,y:k,sx:d,sy:p,data_x:c,data_y:h,segment_index:u,indices:l.multiline_indices,name:e.name};S.push([s,o,this._render_tooltips(a,r,m)])}else{const t=null===(n=C._x)||void 0===n?void 0:n[i],o=null===(s=C._y)||void 0===s?void 0:s[i];let r,c,h;if(\"snap_to_data\"==this.model.point_policy){let e=C.get_anchor_point(this.model.anchor,i,[d,p]);if(null==e&&(e=C.get_anchor_point(\"center\",i,[d,p]),null==e))continue;r=e.x,c=e.y}else[r,c]=[d,p];h=e instanceof _.GlyphRenderer?e.view.convert_indices_from_subset([i])[0]:i;const u={index:h,x:g,y:k,sx:d,sy:p,data_x:t,data_y:o,indices:l.indices,name:e.name};S.push([r,c,this._render_tooltips(a,h,u)])}if(0==S.length)i.clear();else{const{content:e}=i;(0,w.empty)(i.content);for(const[,,t]of S)null!=t&&e.appendChild(t);const[t,n]=S[S.length-1];i.setv({position:[t,n]},{check_eq:!1})}}_emit_callback(e){const{callback:t}=this.model;if(null!=t)for(const n of this.computed_renderers){if(!(n instanceof _.GlyphRenderer))continue;const s=this.plot_view.renderer_view(n);if(null==s)continue;const{x_scale:i,y_scale:o}=s.coordinates,r=i.invert(e.sx),l=o.invert(e.sy),a=n.data_source.inspected;t.execute(this.model,{geometry:Object.assign({x:r,y:l},e),renderer:n,index:a})}}_create_template(e){const t=(0,w.div)({style:{display:\"table\",borderSpacing:\"2px\"}});for(const[n]of e){const e=(0,w.div)({style:{display:\"table-row\"}});t.appendChild(e);const s=(0,w.div)({style:{display:\"table-cell\"},class:M.tooltip_row_label},0!=n.length?`${n}: `:\"\");e.appendChild(s);const i=(0,w.span)();i.dataset.value=\"\";const o=(0,w.span)({class:M.tooltip_color_block},\" \");o.dataset.swatch=\"\",(0,w.undisplay)(o);const r=(0,w.div)({style:{display:\"table-cell\"},class:M.tooltip_row_value},i,o);e.appendChild(r)}return t}_render_template(e,t,n,s,i){const o=e.cloneNode(!0),r=o.querySelectorAll(\"[data-value]\"),l=o.querySelectorAll(\"[data-swatch]\"),a=/\\$color(\\[.*\\])?:(\\w*)/,c=/\\$swatch:(\\w*)/;for(const[[,e],o]of(0,k.enumerate)(t)){const t=e.match(c),_=e.match(a);if(null!=t||null!=_){if(null!=t){const[,e]=t,i=n.get_column(e);if(null==i)r[o].textContent=`${e} unknown`;else{const e=(0,C.isNumber)(s)?i[s]:null;null!=e&&(l[o].style.backgroundColor=(0,g.color2css)(e),(0,w.display)(l[o]))}}if(null!=_){const[,e=\"\",t]=_,i=n.get_column(t);if(null==i){r[o].textContent=`${t} unknown`;continue}const a=e.indexOf(\"hex\")>=0,c=e.indexOf(\"swatch\")>=0,d=(0,C.isNumber)(s)?i[s]:null;if(null==d){r[o].textContent=\"(null)\";continue}r[o].textContent=a?(0,g.color2hex)(d):(0,g.color2css)(d),c&&(l[o].style.backgroundColor=(0,g.color2css)(d),(0,w.display)(l[o]))}}else{const t=(0,v.replace_placeholders)(e.replace(\"$~\",\"$data_\"),n,s,this.model.formatters,i);if((0,C.isString)(t))r[o].textContent=t;else for(const e of t)r[o].appendChild(e)}}return o}_render_tooltips(e,t,n){var s;const{tooltips:i}=this.model;if((0,C.isString)(i)){const s=(0,v.replace_placeholders)({html:i},e,t,this.model.formatters,n);return(0,w.div)(s)}if((0,C.isFunction)(i))return i(e,n);if(i instanceof V.Template)return this._template_view.update(e,t,n),this._template_view.el;if(null!=i){const o=null!==(s=this._template_el)&&void 0!==s?s:this._template_el=this._create_template(i);return this._render_template(o,i,e,t,n)}return null}}n.HoverToolView=z,z.__name__=\"HoverToolView\";class P extends l.InspectTool{constructor(e){super(e),this.tool_name=\"Hover\",this.icon=$.tool_icon_hover}}n.HoverTool=P,r=P,P.__name__=\"HoverTool\",r.prototype.default_view=z,r.define((({Any:e,Boolean:t,String:n,Array:s,Tuple:i,Dict:o,Or:r,Ref:l,Function:c,Auto:_,Nullable:d})=>({tooltips:[d(r(l(V.Template),n,s(i(n,n)),c())),[[\"index\",\"$index\"],[\"data (x, y)\",\"($x, $y)\"],[\"screen (x, y)\",\"($sx, $sy)\"]]],formatters:[o(r(l(a.CustomJSHover),v.FormatterType)),{}],renderers:[r(s(l(p.DataRenderer)),_),\"auto\"],names:[s(n),[]],mode:[T.HoverMode,\"mouse\"],muted_policy:[T.MutedPolicy,\"show\"],point_policy:[T.PointPolicy,\"snap_to_data\"],line_policy:[T.LinePolicy,\"nearest\"],show_arrow:[t,!0],anchor:[T.Anchor,\"center\"],attachment:[T.TooltipAttachment,\"horizontal\"],callback:[d(e)]}))),r.register_alias(\"hover\",(()=>new P))},\n function _(e,t,s,n,a){n();const l=e(1);var i,_,o,r,c,d,p,u,m,w,f,h,x;const v=e(53),y=e(309),V=e(393);a(\"Styles\",V.Styles);const g=e(43),T=e(42),b=e(226),R=e(113),D=e(8),M=e(13),S=(0,l.__importStar)(e(242)),O=e(152);class C extends b.DOMView{}s.DOMNodeView=C,C.__name__=\"DOMNodeView\";class z extends v.Model{constructor(e){super(e)}}s.DOMNode=z,z.__name__=\"DOMNode\",z.__module__=\"bokeh.models.dom\";class P extends C{render(){super.render(),this.el.textContent=this.model.content}_createElement(){return document.createTextNode(\"\")}}s.TextView=P,P.__name__=\"TextView\";class A extends z{constructor(e){super(e)}}s.Text=A,i=A,A.__name__=\"Text\",i.prototype.default_view=P,i.define((({String:e})=>({content:[e,\"\"]})));class N extends C{}s.PlaceholderView=N,N.__name__=\"PlaceholderView\",N.tag_name=\"span\";class E extends z{constructor(e){super(e)}}s.Placeholder=E,_=E,E.__name__=\"Placeholder\",_.define((({})=>({})));class G extends N{update(e,t,s){this.el.textContent=t.toString()}}s.IndexView=G,G.__name__=\"IndexView\";class I extends E{constructor(e){super(e)}}s.Index=I,o=I,I.__name__=\"Index\",o.prototype.default_view=G,o.define((({})=>({})));class k extends N{update(e,t,s){const n=(0,O._get_column_value)(this.model.field,e,t),a=null==n?\"???\":`${n}`;this.el.textContent=a}}s.ValueRefView=k,k.__name__=\"ValueRefView\";class $ extends E{constructor(e){super(e)}}s.ValueRef=$,r=$,$.__name__=\"ValueRef\",r.prototype.default_view=k,r.define((({String:e})=>({field:[e]})));class B extends k{render(){super.render(),this.value_el=(0,g.span)(),this.swatch_el=(0,g.span)({class:S.tooltip_color_block},\" \"),this.el.appendChild(this.value_el),this.el.appendChild(this.swatch_el)}update(e,t,s){const n=(0,O._get_column_value)(this.model.field,e,t),a=null==n?\"???\":`${n}`;this.el.textContent=a}}s.ColorRefView=B,B.__name__=\"ColorRefView\";class L extends ${constructor(e){super(e)}}s.ColorRef=L,c=L,L.__name__=\"ColorRef\",c.prototype.default_view=B,c.define((({Boolean:e})=>({hex:[e,!0],swatch:[e,!0]})));class j extends C{constructor(){super(...arguments),this.child_views=new Map}async lazy_initialize(){await super.lazy_initialize();const e=this.model.children.filter((e=>e instanceof v.Model));await(0,R.build_views)(this.child_views,e,{parent:this})}render(){super.render();const{style:e}=this.model;if(null!=e)if(e instanceof V.Styles)for(const t of e){const e=t.get_value();if((0,D.isString)(e)){const s=t.attr.replace(/_/g,\"-\");this.el.style.hasOwnProperty(s)&&this.el.style.setProperty(s,e)}}else for(const[t,s]of(0,M.entries)(e)){const e=t.replace(/_/g,\"-\");this.el.style.hasOwnProperty(e)&&this.el.style.setProperty(e,s)}for(const e of this.model.children)if((0,D.isString)(e)){const t=document.createTextNode(e);this.el.appendChild(t)}else{this.child_views.get(e).renderTo(this.el)}}}s.DOMElementView=j,j.__name__=\"DOMElementView\";class q extends z{constructor(e){super(e)}}s.DOMElement=q,d=q,q.__name__=\"DOMElement\",d.define((({String:e,Array:t,Dict:s,Or:n,Nullable:a,Ref:l})=>({style:[a(n(l(V.Styles),s(e))),null],children:[t(n(e,l(z),l(y.LayoutDOM))),[]]})));class F extends T.View{}s.ActionView=F,F.__name__=\"ActionView\";class H extends v.Model{constructor(e){super(e)}}s.Action=H,p=H,H.__name__=\"Action\",H.__module__=\"bokeh.models.dom\",p.define((({})=>({})));class J extends j{constructor(){super(...arguments),this.action_views=new Map}async lazy_initialize(){await super.lazy_initialize(),await(0,R.build_views)(this.action_views,this.model.actions,{parent:this})}remove(){(0,R.remove_views)(this.action_views),super.remove()}update(e,t,s={}){!function n(a){for(const l of a.child_views.values())l instanceof N?l.update(e,t,s):l instanceof j&&n(l)}(this);for(const n of this.action_views.values())n.update(e,t,s)}}s.TemplateView=J,J.__name__=\"TemplateView\",J.tag_name=\"div\";class K extends q{}s.Template=K,u=K,K.__name__=\"Template\",u.prototype.default_view=J,u.define((({Array:e,Ref:t})=>({actions:[e(t(H)),[]]})));class Q extends j{}s.SpanView=Q,Q.__name__=\"SpanView\",Q.tag_name=\"span\";class U extends q{}s.Span=U,m=U,U.__name__=\"Span\",m.prototype.default_view=Q;class W extends j{}s.DivView=W,W.__name__=\"DivView\",W.tag_name=\"div\";class X extends q{}s.Div=X,w=X,X.__name__=\"Div\",w.prototype.default_view=W;class Y extends j{}s.TableView=Y,Y.__name__=\"TableView\",Y.tag_name=\"table\";class Z extends q{}s.Table=Z,f=Z,Z.__name__=\"Table\",f.prototype.default_view=Y;class ee extends j{}s.TableRowView=ee,ee.__name__=\"TableRowView\",ee.tag_name=\"tr\";class te extends q{}s.TableRow=te,h=te,te.__name__=\"TableRow\",h.prototype.default_view=ee;const se=e(41),ne=e(234);class ae extends F{update(e,t,s){for(const[e,s]of(0,ne.enumerate)(this.model.groups))e.visible=t==s}}s.ToggleGroupView=ae,ae.__name__=\"ToggleGroupView\";class le extends H{constructor(e){super(e)}}s.ToggleGroup=le,x=le,le.__name__=\"ToggleGroup\",x.prototype.default_view=ae,x.define((({Array:e,Ref:t})=>({groups:[e(t(se.RendererGroup)),[]]})))},\n function _(l,n,u,_,e){var t;_();const o=l(53);class r extends o.Model{constructor(l){super(l)}}u.Styles=r,t=r,r.__name__=\"Styles\",r.__module__=\"bokeh.models.css\",t.define((({String:l,Nullable:n})=>({align_content:[n(l),null],align_items:[n(l),null],align_self:[n(l),null],alignment_baseline:[n(l),null],all:[n(l),null],animation:[n(l),null],animation_delay:[n(l),null],animation_direction:[n(l),null],animation_duration:[n(l),null],animation_fill_mode:[n(l),null],animation_iteration_count:[n(l),null],animation_name:[n(l),null],animation_play_state:[n(l),null],animation_timing_function:[n(l),null],backface_visibility:[n(l),null],background:[n(l),null],background_attachment:[n(l),null],background_clip:[n(l),null],background_color:[n(l),null],background_image:[n(l),null],background_origin:[n(l),null],background_position:[n(l),null],background_position_x:[n(l),null],background_position_y:[n(l),null],background_repeat:[n(l),null],background_size:[n(l),null],baseline_shift:[n(l),null],block_size:[n(l),null],border:[n(l),null],border_block_end:[n(l),null],border_block_end_color:[n(l),null],border_block_end_style:[n(l),null],border_block_end_width:[n(l),null],border_block_start:[n(l),null],border_block_start_color:[n(l),null],border_block_start_style:[n(l),null],border_block_start_width:[n(l),null],border_bottom:[n(l),null],border_bottom_color:[n(l),null],border_bottom_left_radius:[n(l),null],border_bottom_right_radius:[n(l),null],border_bottom_style:[n(l),null],border_bottom_width:[n(l),null],border_collapse:[n(l),null],border_color:[n(l),null],border_image:[n(l),null],border_image_outset:[n(l),null],border_image_repeat:[n(l),null],border_image_slice:[n(l),null],border_image_source:[n(l),null],border_image_width:[n(l),null],border_inline_end:[n(l),null],border_inline_end_color:[n(l),null],border_inline_end_style:[n(l),null],border_inline_end_width:[n(l),null],border_inline_start:[n(l),null],border_inline_start_color:[n(l),null],border_inline_start_style:[n(l),null],border_inline_start_width:[n(l),null],border_left:[n(l),null],border_left_color:[n(l),null],border_left_style:[n(l),null],border_left_width:[n(l),null],border_radius:[n(l),null],border_right:[n(l),null],border_right_color:[n(l),null],border_right_style:[n(l),null],border_right_width:[n(l),null],border_spacing:[n(l),null],border_style:[n(l),null],border_top:[n(l),null],border_top_color:[n(l),null],border_top_left_radius:[n(l),null],border_top_right_radius:[n(l),null],border_top_style:[n(l),null],border_top_width:[n(l),null],border_width:[n(l),null],bottom:[n(l),null],box_shadow:[n(l),null],box_sizing:[n(l),null],break_after:[n(l),null],break_before:[n(l),null],break_inside:[n(l),null],caption_side:[n(l),null],caret_color:[n(l),null],clear:[n(l),null],clip:[n(l),null],clip_path:[n(l),null],clip_rule:[n(l),null],color:[n(l),null],color_interpolation:[n(l),null],color_interpolation_filters:[n(l),null],column_count:[n(l),null],column_fill:[n(l),null],column_gap:[n(l),null],column_rule:[n(l),null],column_rule_color:[n(l),null],column_rule_style:[n(l),null],column_rule_width:[n(l),null],column_span:[n(l),null],column_width:[n(l),null],columns:[n(l),null],content:[n(l),null],counter_increment:[n(l),null],counter_reset:[n(l),null],css_float:[n(l),null],css_text:[n(l),null],cursor:[n(l),null],direction:[n(l),null],display:[n(l),null],dominant_baseline:[n(l),null],empty_cells:[n(l),null],fill:[n(l),null],fill_opacity:[n(l),null],fill_rule:[n(l),null],filter:[n(l),null],flex:[n(l),null],flex_basis:[n(l),null],flex_direction:[n(l),null],flex_flow:[n(l),null],flex_grow:[n(l),null],flex_shrink:[n(l),null],flex_wrap:[n(l),null],float:[n(l),null],flood_color:[n(l),null],flood_opacity:[n(l),null],font:[n(l),null],font_family:[n(l),null],font_feature_settings:[n(l),null],font_kerning:[n(l),null],font_size:[n(l),null],font_size_adjust:[n(l),null],font_stretch:[n(l),null],font_style:[n(l),null],font_synthesis:[n(l),null],font_variant:[n(l),null],font_variant_caps:[n(l),null],font_variant_east_asian:[n(l),null],font_variant_ligatures:[n(l),null],font_variant_numeric:[n(l),null],font_variant_position:[n(l),null],font_weight:[n(l),null],gap:[n(l),null],glyph_orientation_vertical:[n(l),null],grid:[n(l),null],grid_area:[n(l),null],grid_auto_columns:[n(l),null],grid_auto_flow:[n(l),null],grid_auto_rows:[n(l),null],grid_column:[n(l),null],grid_column_end:[n(l),null],grid_column_gap:[n(l),null],grid_column_start:[n(l),null],grid_gap:[n(l),null],grid_row:[n(l),null],grid_row_end:[n(l),null],grid_row_gap:[n(l),null],grid_row_start:[n(l),null],grid_template:[n(l),null],grid_template_areas:[n(l),null],grid_template_columns:[n(l),null],grid_template_rows:[n(l),null],height:[n(l),null],hyphens:[n(l),null],image_orientation:[n(l),null],image_rendering:[n(l),null],inline_size:[n(l),null],justify_content:[n(l),null],justify_items:[n(l),null],justify_self:[n(l),null],left:[n(l),null],letter_spacing:[n(l),null],lighting_color:[n(l),null],line_break:[n(l),null],line_height:[n(l),null],list_style:[n(l),null],list_style_image:[n(l),null],list_style_position:[n(l),null],list_style_type:[n(l),null],margin:[n(l),null],margin_block_end:[n(l),null],margin_block_start:[n(l),null],margin_bottom:[n(l),null],margin_inline_end:[n(l),null],margin_inline_start:[n(l),null],margin_left:[n(l),null],margin_right:[n(l),null],margin_top:[n(l),null],marker:[n(l),null],marker_end:[n(l),null],marker_mid:[n(l),null],marker_start:[n(l),null],mask:[n(l),null],mask_composite:[n(l),null],mask_image:[n(l),null],mask_position:[n(l),null],mask_repeat:[n(l),null],mask_size:[n(l),null],mask_type:[n(l),null],max_block_size:[n(l),null],max_height:[n(l),null],max_inline_size:[n(l),null],max_width:[n(l),null],min_block_size:[n(l),null],min_height:[n(l),null],min_inline_size:[n(l),null],min_width:[n(l),null],object_fit:[n(l),null],object_position:[n(l),null],opacity:[n(l),null],order:[n(l),null],orphans:[n(l),null],outline:[n(l),null],outline_color:[n(l),null],outline_offset:[n(l),null],outline_style:[n(l),null],outline_width:[n(l),null],overflow:[n(l),null],overflow_anchor:[n(l),null],overflow_wrap:[n(l),null],overflow_x:[n(l),null],overflow_y:[n(l),null],overscroll_behavior:[n(l),null],overscroll_behavior_block:[n(l),null],overscroll_behavior_inline:[n(l),null],overscroll_behavior_x:[n(l),null],overscroll_behavior_y:[n(l),null],padding:[n(l),null],padding_block_end:[n(l),null],padding_block_start:[n(l),null],padding_bottom:[n(l),null],padding_inline_end:[n(l),null],padding_inline_start:[n(l),null],padding_left:[n(l),null],padding_right:[n(l),null],padding_top:[n(l),null],page_break_after:[n(l),null],page_break_before:[n(l),null],page_break_inside:[n(l),null],paint_order:[n(l),null],perspective:[n(l),null],perspective_origin:[n(l),null],place_content:[n(l),null],place_items:[n(l),null],place_self:[n(l),null],pointer_events:[n(l),null],position:[n(l),null],quotes:[n(l),null],resize:[n(l),null],right:[n(l),null],rotate:[n(l),null],row_gap:[n(l),null],ruby_align:[n(l),null],ruby_position:[n(l),null],scale:[n(l),null],scroll_behavior:[n(l),null],shape_rendering:[n(l),null],stop_color:[n(l),null],stop_opacity:[n(l),null],stroke:[n(l),null],stroke_dasharray:[n(l),null],stroke_dashoffset:[n(l),null],stroke_linecap:[n(l),null],stroke_linejoin:[n(l),null],stroke_miterlimit:[n(l),null],stroke_opacity:[n(l),null],stroke_width:[n(l),null],tab_size:[n(l),null],table_layout:[n(l),null],text_align:[n(l),null],text_align_last:[n(l),null],text_anchor:[n(l),null],text_combine_upright:[n(l),null],text_decoration:[n(l),null],text_decoration_color:[n(l),null],text_decoration_line:[n(l),null],text_decoration_style:[n(l),null],text_emphasis:[n(l),null],text_emphasis_color:[n(l),null],text_emphasis_position:[n(l),null],text_emphasis_style:[n(l),null],text_indent:[n(l),null],text_justify:[n(l),null],text_orientation:[n(l),null],text_overflow:[n(l),null],text_rendering:[n(l),null],text_shadow:[n(l),null],text_transform:[n(l),null],text_underline_position:[n(l),null],top:[n(l),null],touch_action:[n(l),null],transform:[n(l),null],transform_box:[n(l),null],transform_origin:[n(l),null],transform_style:[n(l),null],transition:[n(l),null],transition_delay:[n(l),null],transition_duration:[n(l),null],transition_property:[n(l),null],transition_timing_function:[n(l),null],translate:[n(l),null],unicode_bidi:[n(l),null],user_select:[n(l),null],vertical_align:[n(l),null],visibility:[n(l),null],white_space:[n(l),null],widows:[n(l),null],width:[n(l),null],will_change:[n(l),null],word_break:[n(l),null],word_spacing:[n(l),null],word_wrap:[n(l),null],writing_mode:[n(l),null],z_index:[n(l),null]})))},\n function _(t,o,e,n,s){var i;n();const l=t(15),c=t(53),r=t(224),a=t(232),u=t(234);class h extends c.Model{constructor(t){super(t)}get button_view(){return this.tools[0].button_view}get event_type(){return this.tools[0].event_type}get tooltip(){return this.tools[0].tooltip}get tool_name(){return this.tools[0].tool_name}get icon(){return this.tools[0].computed_icon}get computed_icon(){return this.icon}get toggleable(){const t=this.tools[0];return t instanceof a.InspectTool&&t.toggleable}initialize(){super.initialize(),this.do=new l.Signal0(this,\"do\")}connect_signals(){super.connect_signals(),this.connect(this.do,(()=>this.doit())),this.connect(this.properties.active.change,(()=>this.set_active()));for(const t of this.tools)this.connect(t.properties.active.change,(()=>{this.active=t.active}))}doit(){for(const t of this.tools)t.do.emit()}set_active(){for(const t of this.tools)t.active=this.active}get menu(){const{menu:t}=this.tools[0];if(null==t)return null;const o=[];for(const[e,n]of(0,u.enumerate)(t))if(null==e)o.push(null);else{const t=()=>{var t,o,e;for(const s of this.tools)null===(e=null===(o=null===(t=s.menu)||void 0===t?void 0:t[n])||void 0===o?void 0:o.handler)||void 0===e||e.call(o)};o.push(Object.assign(Object.assign({},e),{handler:t}))}return o}}e.ToolProxy=h,i=h,h.__name__=\"ToolProxy\",i.define((({Boolean:t,Array:o,Ref:e})=>({tools:[o(e(r.ButtonTool)),[]],active:[t,!1],disabled:[t,!1]})))},\n function _(o,t,s,e,i){var n,r;e();const l=o(20),c=o(9),h=o(13),a=o(233),_=o(221),p=o(394),u=o(309),f=o(207);class y extends a.ToolbarBase{constructor(o){super(o)}initialize(){super.initialize(),this._merge_tools()}_merge_tools(){this._proxied_tools=[];const o={},t={},s={},e=[],i=[];for(const o of this.help)(0,c.includes)(i,o.redirect)||(e.push(o),i.push(o.redirect));this._proxied_tools.push(...e),this.help=e;for(const[o,t]of(0,h.entries)(this.gestures)){o in s||(s[o]={});for(const e of t.tools)e.type in s[o]||(s[o][e.type]=[]),s[o][e.type].push(e)}for(const t of this.inspectors)t.type in o||(o[t.type]=[]),o[t.type].push(t);for(const o of this.actions)o.type in t||(t[o.type]=[]),t[o.type].push(o);const n=(o,t=!1)=>{const s=new p.ToolProxy({tools:o,active:t});return this._proxied_tools.push(s),s};for(const o of(0,h.keys)(s)){const t=this.gestures[o];t.tools=[];for(const e of(0,h.keys)(s[o])){const i=s[o][e];if(i.length>0)if(\"multi\"==o)for(const o of i){const s=n([o]);t.tools.push(s),this.connect(s.properties.active.change,(()=>this._active_change(s)))}else{const o=n(i);t.tools.push(o),this.connect(o.properties.active.change,(()=>this._active_change(o)))}}}this.actions=[];for(const[o,s]of(0,h.entries)(t))if(\"CustomAction\"==o)for(const o of s)this.actions.push(n([o]));else s.length>0&&this.actions.push(n(s));this.inspectors=[];for(const t of(0,h.values)(o))t.length>0&&this.inspectors.push(n(t,!0));for(const[o,t]of(0,h.entries)(this.gestures))0!=t.tools.length&&(t.tools=(0,c.sort_by)(t.tools,(o=>o.default_order)),\"pinch\"!=o&&\"scroll\"!=o&&\"multi\"!=o&&(t.tools[0].active=!0))}}s.ProxyToolbar=y,n=y,y.__name__=\"ProxyToolbar\",n.define((({Array:o,Ref:t})=>({toolbars:[o(t(_.Toolbar)),[]]})));class d extends u.LayoutDOMView{initialize(){this.model.toolbar.toolbar_location=this.model.toolbar_location,super.initialize()}get child_models(){return[this.model.toolbar]}_update_layout(){this.layout=new f.ContentBox(this.child_views[0].el);const{toolbar:o}=this.model;o.horizontal?this.layout.set_sizing({width_policy:\"fit\",min_width:100,height_policy:\"fixed\"}):this.layout.set_sizing({width_policy:\"fixed\",height_policy:\"fit\",min_height:100})}after_layout(){super.after_layout();const o=this.child_views[0];o.layout.bbox=this.layout.bbox,o.render()}}s.ToolbarBoxView=d,d.__name__=\"ToolbarBoxView\";class b extends u.LayoutDOM{constructor(o){super(o)}}s.ToolbarBox=b,r=b,b.__name__=\"ToolbarBox\",r.prototype.default_view=d,r.define((({Ref:o})=>({toolbar:[o(a.ToolbarBase)],toolbar_location:[l.Location,\"right\"]})))},\n function _(e,n,r,t,o){t();const s=e(1),u=e(53),c=(0,s.__importStar)(e(21)),a=e(8),l=e(13);r.resolve_defs=function(e,n){var r,t,o,s;function i(e){return null!=e.module?`${e.module}.${e.name}`:e.name}function f(e){if((0,a.isString)(e))switch(e){case\"Any\":return c.Any;case\"Unknown\":return c.Unknown;case\"Boolean\":return c.Boolean;case\"Number\":return c.Number;case\"Int\":return c.Int;case\"String\":return c.String;case\"Null\":return c.Null}else switch(e[0]){case\"Nullable\":{const[,n]=e;return c.Nullable(f(n))}case\"Or\":{const[,...n]=e;return c.Or(...n.map(f))}case\"Tuple\":{const[,n,...r]=e;return c.Tuple(f(n),...r.map(f))}case\"Array\":{const[,n]=e;return c.Array(f(n))}case\"Struct\":{const[,...n]=e,r=n.map((([e,n])=>[e,f(n)]));return c.Struct((0,l.to_object)(r))}case\"Dict\":{const[,n]=e;return c.Dict(f(n))}case\"Map\":{const[,n,r]=e;return c.Map(f(n),f(r))}case\"Enum\":{const[,...n]=e;return c.Enum(...n)}case\"Ref\":{const[,r]=e,t=n.get(i(r));if(null!=t)return c.Ref(t);throw new Error(`${i(r)} wasn't defined before referencing it`)}case\"AnyRef\":return c.AnyRef()}}for(const c of e){const e=(()=>{if(null==c.extends)return u.Model;{const e=n.get(i(c.extends));if(null!=e)return e;throw new Error(`base model ${i(c.extends)} of ${i(c)} is not defined`)}})(),a=((s=class extends e{}).__name__=c.name,s.__module__=c.module,s);for(const e of null!==(r=c.properties)&&void 0!==r?r:[]){const n=f(null!==(t=e.kind)&&void 0!==t?t:\"Unknown\");a.define({[e.name]:[n,e.default]})}for(const e of null!==(o=c.overrides)&&void 0!==o?o:[])a.override({[e.name]:e.default});n.register(a)}}},\n function _(n,e,t,o,i){o();const d=n(5),c=n(226),s=n(113),a=n(43),l=n(398);t.index={},t.add_document_standalone=async function(n,e,o=[],i=!1){const u=new Map;async function f(i){let d;const f=n.roots().indexOf(i),r=o[f];null!=r?d=r:e.classList.contains(l.BOKEH_ROOT)?d=e:(d=(0,a.div)({class:l.BOKEH_ROOT}),e.appendChild(d));const w=await(0,s.build_view)(i,{parent:null});return w instanceof c.DOMView&&w.renderTo(d),u.set(i,w),t.index[i.id]=w,w}for(const e of n.roots())await f(e);return i&&(window.document.title=n.title()),n.on_change((n=>{n instanceof d.RootAddedEvent?f(n.model):n instanceof d.RootRemovedEvent?function(n){const e=u.get(n);null!=e&&(e.remove(),u.delete(n),delete t.index[n.id])}(n.model):i&&n instanceof d.TitleChangedEvent&&(window.document.title=n.title)})),[...u.values()]}},\n function _(o,e,n,t,r){t();const l=o(43),d=o(44);function u(o){let e=document.getElementById(o);if(null==e)throw new Error(`Error rendering Bokeh model: could not find #${o} HTML tag`);if(!document.body.contains(e))throw new Error(`Error rendering Bokeh model: element #${o} must be under `);if(\"SCRIPT\"==e.tagName){const o=(0,l.div)({class:n.BOKEH_ROOT});(0,l.replaceWith)(e,o),e=o}return e}n.BOKEH_ROOT=d.root,n._resolve_element=function(o){const{elementid:e}=o;return null!=e?u(e):document.body},n._resolve_root_elements=function(o){const e=[];if(null!=o.root_ids&&null!=o.roots)for(const n of o.root_ids)e.push(u(o.roots[n]));return e}},\n function _(n,o,t,s,e){s();const c=n(400),r=n(19),a=n(397);t._get_ws_url=function(n,o){let t,s=\"ws:\";return\"https:\"==window.location.protocol&&(s=\"wss:\"),null!=o?(t=document.createElement(\"a\"),t.href=o):t=window.location,null!=n?\"/\"==n&&(n=\"\"):n=t.pathname.replace(/\\/+$/,\"\"),`${s}//${t.host}${n}/ws`};const i={};t.add_document_from_session=async function(n,o,t,s=[],e=!1){const l=window.location.search.substr(1);let d;try{d=await function(n,o,t){const s=(0,c.parse_token)(o).session_id;n in i||(i[n]={});const e=i[n];return s in e||(e[s]=(0,c.pull_session)(n,o,t)),e[s]}(n,o,l)}catch(n){const t=(0,c.parse_token)(o).session_id;throw r.logger.error(`Failed to load Bokeh session ${t}: ${n}`),n}return(0,a.add_document_standalone)(d.document,t,s,e)}},\n function _(e,s,n,t,o){t();const r=e(19),i=e(5),c=e(401),l=e(402),_=e(403);n.DEFAULT_SERVER_WEBSOCKET_URL=\"ws://localhost:5006/ws\",n.DEFAULT_TOKEN=\"eyJzZXNzaW9uX2lkIjogImRlZmF1bHQifQ\";let h=0;function a(e){let s=e.split(\".\")[0];const n=s.length%4;return 0!=n&&(s+=\"=\".repeat(4-n)),JSON.parse(atob(s.replace(/_/g,\"/\").replace(/-/g,\"+\")))}n.parse_token=a;class d{constructor(e=n.DEFAULT_SERVER_WEBSOCKET_URL,s=n.DEFAULT_TOKEN,t=null){this.url=e,this.token=s,this.args_string=t,this._number=h++,this.socket=null,this.session=null,this.closed_permanently=!1,this._current_handler=null,this._pending_replies=new Map,this._pending_messages=[],this._receiver=new l.Receiver,this.id=a(s).session_id.split(\".\")[0],r.logger.debug(`Creating websocket ${this._number} to '${this.url}' session '${this.id}'`)}async connect(){if(this.closed_permanently)throw new Error(\"Cannot connect() a closed ClientConnection\");if(null!=this.socket)throw new Error(\"Already connected\");this._current_handler=null,this._pending_replies.clear(),this._pending_messages=[];try{let e=`${this.url}`;return null!=this.args_string&&this.args_string.length>0&&(e+=`?${this.args_string}`),this.socket=new WebSocket(e,[\"bokeh\",this.token]),new Promise(((e,s)=>{this.socket.binaryType=\"arraybuffer\",this.socket.onopen=()=>this._on_open(e,s),this.socket.onmessage=e=>this._on_message(e),this.socket.onclose=e=>this._on_close(e,s),this.socket.onerror=()=>this._on_error(s)}))}catch(e){throw r.logger.error(`websocket creation failed to url: ${this.url}`),r.logger.error(` - ${e}`),e}}close(){this.closed_permanently||(r.logger.debug(`Permanently closing websocket connection ${this._number}`),this.closed_permanently=!0,null!=this.socket&&this.socket.close(1e3,`close method called on ClientConnection ${this._number}`),this.session._connection_closed())}_schedule_reconnect(e){setTimeout((()=>{this.closed_permanently||r.logger.info(`Websocket connection ${this._number} disconnected, will not attempt to reconnect`)}),e)}send(e){if(null==this.socket)throw new Error(`not connected so cannot send ${e}`);e.send(this.socket)}async send_with_reply(e){const s=await new Promise(((s,n)=>{this._pending_replies.set(e.msgid(),{resolve:s,reject:n}),this.send(e)}));if(\"ERROR\"===s.msgtype())throw new Error(`Error reply ${s.content.text}`);return s}async _pull_doc_json(){const e=c.Message.create(\"PULL-DOC-REQ\",{}),s=await this.send_with_reply(e);if(!(\"doc\"in s.content))throw new Error(\"No 'doc' field in PULL-DOC-REPLY\");return s.content.doc}async _repull_session_doc(e,s){var n;r.logger.debug(this.session?\"Repulling session\":\"Pulling session for first time\");try{const n=await this._pull_doc_json();if(null==this.session)if(this.closed_permanently)r.logger.debug(\"Got new document after connection was already closed\"),s(new Error(\"The connection has been closed\"));else{const s=i.Document.from_json(n),t=i.Document._compute_patch_since_json(n,s);if(t.events.length>0){r.logger.debug(`Sending ${t.events.length} changes from model construction back to server`);const e=c.Message.create(\"PATCH-DOC\",{},t);this.send(e)}this.session=new _.ClientSession(this,s,this.id);for(const e of this._pending_messages)this.session.handle(e);this._pending_messages=[],r.logger.debug(\"Created a new session from new pulled doc\"),e(this.session)}else this.session.document.replace_with_json(n),r.logger.debug(\"Updated existing session with new pulled doc\")}catch(e){null===(n=console.trace)||void 0===n||n.call(console,e),r.logger.error(`Failed to repull session ${e}`),s(e instanceof Error?e:`${e}`)}}_on_open(e,s){r.logger.info(`Websocket connection ${this._number} is now open`),this._current_handler=n=>{this._awaiting_ack_handler(n,e,s)}}_on_message(e){null==this._current_handler&&r.logger.error(\"Got a message with no current handler set\");try{this._receiver.consume(e.data)}catch(e){this._close_bad_protocol(`${e}`)}const s=this._receiver.message;if(null!=s){const e=s.problem();null!=e&&this._close_bad_protocol(e),this._current_handler(s)}}_on_close(e,s){r.logger.info(`Lost websocket ${this._number} connection, ${e.code} (${e.reason})`),this.socket=null,this._pending_replies.forEach((e=>e.reject(\"Disconnected\"))),this._pending_replies.clear(),this.closed_permanently||this._schedule_reconnect(2e3),s(new Error(`Lost websocket connection, ${e.code} (${e.reason})`))}_on_error(e){r.logger.debug(`Websocket error on socket ${this._number}`);const s=\"Could not open websocket\";r.logger.error(`Failed to connect to Bokeh server: ${s}`),e(new Error(s))}_close_bad_protocol(e){r.logger.error(`Closing connection: ${e}`),null!=this.socket&&this.socket.close(1002,e)}_awaiting_ack_handler(e,s,n){\"ACK\"===e.msgtype()?(this._current_handler=e=>this._steady_state_handler(e),this._repull_session_doc(s,n)):this._close_bad_protocol(\"First message was not an ACK\")}_steady_state_handler(e){const s=e.reqid(),n=this._pending_replies.get(s);n?(this._pending_replies.delete(s),n.resolve(e)):this.session?this.session.handle(e):\"PATCH-DOC\"!=e.msgtype()&&this._pending_messages.push(e)}}n.ClientConnection=d,d.__name__=\"ClientConnection\",n.pull_session=function(e,s,n){return new d(e,s,n).connect()}},\n function _(e,s,t,r,n){r();const i=e(34);class a{constructor(e,s,t){this.header=e,this.metadata=s,this.content=t,this.buffers=new Map}static assemble(e,s,t){const r=JSON.parse(e),n=JSON.parse(s),i=JSON.parse(t);return new a(r,n,i)}assemble_buffer(e,s){const t=null!=this.header.num_buffers?this.header.num_buffers:0;if(t<=this.buffers.size)throw new Error(`too many buffers received, expecting ${t}`);const{id:r}=JSON.parse(e);this.buffers.set(r,s)}static create(e,s,t={}){const r=a.create_header(e);return new a(r,s,t)}static create_header(e){return{msgid:(0,i.uniqueId)(),msgtype:e}}complete(){return null!=this.header&&null!=this.metadata&&null!=this.content&&(null==this.header.num_buffers||this.buffers.size==this.header.num_buffers)}send(e){if((null!=this.header.num_buffers?this.header.num_buffers:0)>0)throw new Error(\"BokehJS only supports receiving buffers, not sending\");const s=JSON.stringify(this.header),t=JSON.stringify(this.metadata),r=JSON.stringify(this.content);e.send(s),e.send(t),e.send(r)}msgid(){return this.header.msgid}msgtype(){return this.header.msgtype}reqid(){return this.header.reqid}problem(){return\"msgid\"in this.header?\"msgtype\"in this.header?null:\"No msgtype in header\":\"No msgid in header\"}}t.Message=a,a.__name__=\"Message\"},\n function _(e,t,s,_,r){_();const i=e(401),h=e(8);class a{constructor(){this.message=null,this._partial=null,this._fragments=[],this._buf_header=null,this._current_consumer=this._HEADER}consume(e){this._current_consumer(e)}_HEADER(e){this._assume_text(e),this.message=null,this._partial=null,this._fragments=[e],this._buf_header=null,this._current_consumer=this._METADATA}_METADATA(e){this._assume_text(e),this._fragments.push(e),this._current_consumer=this._CONTENT}_CONTENT(e){this._assume_text(e),this._fragments.push(e);const[t,s,_]=this._fragments.slice(0,3);this._partial=i.Message.assemble(t,s,_),this._check_complete()}_BUFFER_HEADER(e){this._assume_text(e),this._buf_header=e,this._current_consumer=this._BUFFER_PAYLOAD}_BUFFER_PAYLOAD(e){this._assume_binary(e),this._partial.assemble_buffer(this._buf_header,e),this._check_complete()}_assume_text(e){if(!(0,h.isString)(e))throw new Error(\"Expected text fragment but received binary fragment\")}_assume_binary(e){if(!(e instanceof ArrayBuffer))throw new Error(\"Expected binary fragment but received text fragment\")}_check_complete(){this._partial.complete()?(this.message=this._partial,this._current_consumer=this._HEADER):this._current_consumer=this._BUFFER_HEADER}}s.Receiver=a,a.__name__=\"Receiver\"},\n function _(e,t,n,s,o){s();const c=e(5),i=e(401),_=e(19);class r{constructor(e,t,n){this._connection=e,this.document=t,this.id=n,this._document_listener=e=>{this._document_changed(e)},this.document.on_change(this._document_listener,!0)}handle(e){const t=e.msgtype();\"PATCH-DOC\"===t?this._handle_patch(e):\"OK\"===t?this._handle_ok(e):\"ERROR\"===t?this._handle_error(e):_.logger.debug(`Doing nothing with message ${e.msgtype()}`)}close(){this._connection.close()}_connection_closed(){this.document.remove_on_change(this._document_listener)}async request_server_info(){const e=i.Message.create(\"SERVER-INFO-REQ\",{});return(await this._connection.send_with_reply(e)).content}async force_roundtrip(){await this.request_server_info()}_document_changed(e){if(e.setter_id===this.id)return;const t=e instanceof c.DocumentEventBatch?e.events:[e],n=this.document.create_json_patch(t),s=i.Message.create(\"PATCH-DOC\",{},n);this._connection.send(s)}_handle_patch(e){this.document.apply_json_patch(e.content,e.buffers,this.id)}_handle_ok(e){_.logger.trace(`Unhandled OK reply to ${e.reqid()}`)}_handle_error(e){_.logger.error(`Unhandled ERROR reply to ${e.reqid()}: ${e.content.text}`)}}n.ClientSession=r,r.__name__=\"ClientSession\"},\n function _(e,o,t,n,r){n();const s=e(1),l=e(5),i=e(402),a=e(19),c=e(43),g=e(13),f=e(397),u=e(398),m=(0,s.__importDefault)(e(44)),p=(0,s.__importDefault)(e(240)),d=(0,s.__importDefault)(e(405));function _(e,o){o.buffers.length>0?e.consume(o.buffers[0].buffer):e.consume(o.content.data);const t=e.message;null!=t&&this.apply_json_patch(t.content,t.buffers)}function b(e,o){if(\"undefined\"!=typeof Jupyter&&null!=Jupyter.notebook.kernel){a.logger.info(`Registering Jupyter comms for target ${e}`);const t=Jupyter.notebook.kernel.comm_manager;try{t.register_target(e,(t=>{a.logger.info(`Registering Jupyter comms for target ${e}`);const n=new i.Receiver;t.on_msg(_.bind(o,n))}))}catch(e){a.logger.warn(`Jupyter comms failed to register. push_notebook() will not function. (exception reported: ${e})`)}}else if(o.roots()[0].id in t.kernels){a.logger.info(`Registering JupyterLab comms for target ${e}`);const n=t.kernels[o.roots()[0].id];try{n.registerCommTarget(e,(t=>{a.logger.info(`Registering JupyterLab comms for target ${e}`);const n=new i.Receiver;t.onMsg=_.bind(o,n)}))}catch(e){a.logger.warn(`Jupyter comms failed to register. push_notebook() will not function. (exception reported: ${e})`)}}else if(\"undefined\"!=typeof google&&null!=google.colab.kernel){a.logger.info(`Registering Google Colab comms for target ${e}`);const t=google.colab.kernel.comms;try{t.registerTarget(e,(async t=>{var n,r,l;a.logger.info(`Registering Google Colab comms for target ${e}`);const c=new i.Receiver;try{for(var g,f=(0,s.__asyncValues)(t.messages);!(g=await f.next()).done;){const e=g.value,t={data:e.data},n=[];for(const o of null!==(l=e.buffers)&&void 0!==l?l:[])n.push(new DataView(o));const r={content:t,buffers:n};_.bind(o)(c,r)}}catch(e){n={error:e}}finally{try{g&&!g.done&&(r=f.return)&&await r.call(f)}finally{if(n)throw n.error}}}))}catch(e){a.logger.warn(`Google Colab comms failed to register. push_notebook() will not function. (exception reported: ${e})`)}}else console.warn(\"Jupyter notebooks comms not available. push_notebook() will not function. If running JupyterLab ensure the latest @bokeh/jupyter_bokeh extension is installed. In an exported notebook this warning is expected.\")}c.stylesheet.append(m.default),c.stylesheet.append(p.default),c.stylesheet.append(d.default),t.kernels={},t.embed_items_notebook=function(e,o){if(1!=(0,g.size)(e))throw new Error(\"embed_items_notebook expects exactly one document in docs_json\");const t=l.Document.from_json((0,g.values)(e)[0]);for(const e of o){null!=e.notebook_comms_target&&b(e.notebook_comms_target,t);const o=(0,u._resolve_element)(e),n=(0,u._resolve_root_elements)(e);(0,f.add_document_standalone)(t,o,n)}}},\n function _(t,o,r,e,d){e(),r.root=\"bk-root\",r.tooltip=\"bk-tooltip\",r.default=\".rendered_html .bk-root .bk-tooltip table,.rendered_html .bk-root .bk-tooltip tr,.rendered_html .bk-root .bk-tooltip th,.rendered_html .bk-root .bk-tooltip td{border:none;padding:1px;}\"},\n function _(t,_,o,r,n){r();const a=t(1);(0,a.__exportStar)(t(401),o),(0,a.__exportStar)(t(402),o)},\n function _(e,t,n,s,o){function l(){const e=document.getElementsByTagName(\"body\")[0],t=document.getElementsByClassName(\"bokeh-test-div\");1==t.length&&(e.removeChild(t[0]),delete t[0]);const n=document.createElement(\"div\");n.classList.add(\"bokeh-test-div\"),n.style.display=\"none\",e.insertBefore(n,e.firstChild)}s(),n.results={},n.init=function(){l()},n.record0=function(e,t){n.results[e]=t},n.record=function(e,t){n.results[e]=t,l()},n.count=function(e){null==n.results[e]&&(n.results[e]=0),n.results[e]+=1,l()}},\n function _(e,t,o,n,l){n(),o.safely=function(e,t=!1){try{return e()}catch(e){if(function(e){const t=document.createElement(\"div\");t.style.backgroundColor=\"#f2dede\",t.style.border=\"1px solid #a94442\",t.style.borderRadius=\"4px\",t.style.display=\"inline-block\",t.style.fontFamily=\"sans-serif\",t.style.marginTop=\"5px\",t.style.minWidth=\"200px\",t.style.padding=\"5px 5px 5px 10px\",t.classList.add(\"bokeh-error-box-into-flames\");const o=document.createElement(\"span\");o.style.backgroundColor=\"#a94442\",o.style.borderRadius=\"0px 4px 0px 0px\",o.style.color=\"white\",o.style.cursor=\"pointer\",o.style.cssFloat=\"right\",o.style.fontSize=\"0.8em\",o.style.margin=\"-6px -6px 0px 0px\",o.style.padding=\"2px 5px 4px 5px\",o.title=\"close\",o.setAttribute(\"aria-label\",\"close\"),o.appendChild(document.createTextNode(\"x\")),o.addEventListener(\"click\",(()=>s.removeChild(t)));const n=document.createElement(\"h3\");n.style.color=\"#a94442\",n.style.margin=\"8px 0px 0px 0px\",n.style.padding=\"0px\",n.appendChild(document.createTextNode(\"Bokeh Error\"));const l=document.createElement(\"pre\");l.style.whiteSpace=\"unset\",l.style.overflowX=\"auto\",l.appendChild(document.createTextNode(e)),t.appendChild(o),t.appendChild(n),t.appendChild(l);const s=document.getElementsByTagName(\"body\")[0];s.insertBefore(t,s.firstChild)}(e instanceof Error&&e.stack?e.stack:`${e}`),t)return;throw e}}},\n ], 0, {\"main\":0,\"tslib\":1,\"index\":2,\"version\":3,\"embed/index\":4,\"document/index\":5,\"document/document\":6,\"base\":7,\"core/util/types\":8,\"core/util/array\":9,\"core/util/math\":10,\"core/util/assert\":11,\"core/util/arrayable\":12,\"core/util/object\":13,\"core/has_props\":14,\"core/signaling\":15,\"core/util/defer\":16,\"core/util/refs\":17,\"core/properties\":18,\"core/logging\":19,\"core/enums\":20,\"core/kinds\":21,\"core/util/color\":22,\"core/util/svg_colors\":23,\"core/types\":24,\"core/util/bitset\":25,\"core/util/eq\":26,\"core/util/platform\":27,\"core/settings\":28,\"core/util/ndarray\":29,\"core/serializer\":30,\"core/util/serialization\":31,\"core/util/buffer\":32,\"core/uniforms\":33,\"core/util/string\":34,\"document/events\":35,\"core/util/pretty\":36,\"core/util/cloneable\":37,\"models/index\":38,\"models/annotations/index\":39,\"models/annotations/annotation\":40,\"models/renderers/renderer\":41,\"core/view\":42,\"core/dom\":43,\"styles/root.css\":44,\"core/visuals/index\":45,\"core/visuals/line\":46,\"core/visuals/visual\":47,\"core/property_mixins\":48,\"core/visuals/fill\":49,\"core/visuals/text\":50,\"core/visuals/hatch\":51,\"core/visuals/patterns\":52,\"model\":53,\"models/canvas/coordinates\":54,\"models/scales/scale\":55,\"models/transforms/transform\":56,\"models/ranges/range\":57,\"models/ranges/range1d\":58,\"models/scales/linear_scale\":59,\"models/scales/continuous_scale\":60,\"models/scales/log_scale\":61,\"models/scales/categorical_scale\":62,\"models/ranges/data_range1d\":63,\"models/ranges/data_range\":64,\"core/util/bbox\":65,\"models/util\":66,\"models/ranges/factor_range\":67,\"models/annotations/arrow\":68,\"models/annotations/data_annotation\":69,\"models/sources/columnar_data_source\":70,\"models/sources/data_source\":71,\"models/selections/selection\":72,\"core/selection_manager\":73,\"models/selections/interaction_policy\":74,\"models/sources/column_data_source\":75,\"core/util/typed_array\":76,\"core/util/set\":77,\"core/util/projections\":78,\"models/annotations/arrow_head\":112,\"core/build_views\":113,\"models/annotations/band\":114,\"models/annotations/upper_lower\":115,\"models/annotations/box_annotation\":116,\"models/annotations/color_bar\":117,\"models/annotations/title\":118,\"models/annotations/text_annotation\":119,\"core/graphics\":120,\"core/util/text\":121,\"core/util/affine\":122,\"core/layout/side_panel\":123,\"core/layout/types\":124,\"core/layout/layoutable\":125,\"models/canvas/cartesian_frame\":126,\"models/axes/index\":127,\"models/axes/axis\":128,\"models/renderers/guide_renderer\":129,\"models/tickers/ticker\":130,\"models/formatters/tick_formatter\":131,\"models/policies/labeling\":132,\"models/text/base_text\":133,\"models/text/utils\":134,\"models/text/math_text\":135,\"core/util/image\":136,\"models/text/providers\":137,\"core/util/modules\":138,\"models/text/plain_text\":139,\"models/axes/categorical_axis\":140,\"models/tickers/categorical_ticker\":141,\"models/formatters/categorical_tick_formatter\":142,\"models/axes/continuous_axis\":143,\"models/axes/datetime_axis\":144,\"models/axes/linear_axis\":145,\"models/formatters/basic_tick_formatter\":146,\"models/tickers/basic_ticker\":147,\"models/tickers/adaptive_ticker\":148,\"models/tickers/continuous_ticker\":149,\"models/formatters/datetime_tick_formatter\":150,\"core/util/templating\":152,\"models/tickers/datetime_ticker\":155,\"models/tickers/composite_ticker\":156,\"models/tickers/days_ticker\":157,\"models/tickers/single_interval_ticker\":158,\"models/tickers/util\":159,\"models/tickers/months_ticker\":160,\"models/tickers/years_ticker\":161,\"models/axes/log_axis\":162,\"models/formatters/log_tick_formatter\":163,\"models/tickers/log_ticker\":164,\"models/axes/mercator_axis\":165,\"models/formatters/mercator_tick_formatter\":166,\"models/tickers/mercator_ticker\":167,\"models/tickers/index\":168,\"models/tickers/fixed_ticker\":169,\"models/tickers/binned_ticker\":170,\"models/mappers/scanning_color_mapper\":171,\"models/mappers/continuous_color_mapper\":172,\"models/mappers/color_mapper\":173,\"models/mappers/mapper\":174,\"models/renderers/glyph_renderer\":175,\"models/renderers/data_renderer\":176,\"models/glyphs/line\":177,\"models/glyphs/xy_glyph\":178,\"models/glyphs/glyph\":179,\"core/util/ragged_array\":180,\"core/util/spatial\":181,\"models/glyphs/utils\":184,\"core/hittest\":185,\"models/glyphs/patch\":186,\"models/glyphs/harea\":187,\"models/glyphs/area\":188,\"models/glyphs/varea\":189,\"models/sources/cds_view\":190,\"models/filters/filter\":191,\"models/formatters/index\":192,\"models/formatters/func_tick_formatter\":193,\"models/formatters/numeral_tick_formatter\":194,\"models/formatters/printf_tick_formatter\":195,\"models/mappers/index\":196,\"models/mappers/categorical_color_mapper\":197,\"models/mappers/categorical_mapper\":198,\"models/mappers/categorical_marker_mapper\":199,\"models/mappers/categorical_pattern_mapper\":200,\"models/mappers/linear_color_mapper\":201,\"models/mappers/log_color_mapper\":202,\"models/mappers/eqhist_color_mapper\":203,\"models/scales/index\":204,\"models/scales/linear_interpolation_scale\":205,\"models/ranges/index\":206,\"core/layout/index\":207,\"core/layout/alignments\":208,\"core/layout/grid\":209,\"core/layout/html\":210,\"core/layout/border\":211,\"models/annotations/label\":212,\"models/annotations/label_set\":213,\"models/annotations/legend\":214,\"models/annotations/legend_item\":215,\"core/vectorization\":216,\"models/annotations/poly_annotation\":217,\"models/annotations/slope\":218,\"models/annotations/span\":219,\"models/annotations/toolbar_panel\":220,\"models/tools/toolbar\":221,\"models/tools/tool\":222,\"models/tools/gestures/gesture_tool\":223,\"models/tools/button_tool\":224,\"core/dom_view\":226,\"styles/toolbar.css\":227,\"styles/icons.css\":228,\"styles/menus.css\":229,\"core/util/menus\":230,\"models/tools/on_off_button\":231,\"models/tools/inspectors/inspect_tool\":232,\"models/tools/toolbar_base\":233,\"core/util/iterator\":234,\"core/util/canvas\":235,\"core/util/svg\":236,\"core/util/random\":237,\"models/tools/actions/action_tool\":238,\"models/tools/actions/help_tool\":239,\"styles/logo.css\":240,\"models/annotations/tooltip\":241,\"styles/tooltips.css\":242,\"models/annotations/whisker\":243,\"models/callbacks/index\":244,\"models/callbacks/customjs\":245,\"models/callbacks/callback\":246,\"models/callbacks/open_url\":247,\"models/canvas/index\":248,\"models/canvas/canvas\":249,\"core/ui_events\":250,\"core/bokeh_events\":251,\"core/util/wheel\":252,\"models/expressions/index\":253,\"models/expressions/expression\":254,\"models/expressions/customjs_expr\":255,\"models/expressions/stack\":256,\"models/expressions/cumsum\":257,\"models/expressions/minimum\":258,\"models/expressions/maximum\":259,\"models/expressions/coordinate_transform\":260,\"models/expressions/polar\":261,\"models/filters/index\":262,\"models/filters/boolean_filter\":263,\"models/filters/customjs_filter\":264,\"models/filters/group_filter\":265,\"models/filters/index_filter\":266,\"models/glyphs/index\":267,\"models/glyphs/annular_wedge\":268,\"models/glyphs/annulus\":269,\"models/glyphs/arc\":270,\"models/glyphs/bezier\":271,\"models/glyphs/circle\":272,\"models/glyphs/ellipse\":273,\"models/glyphs/ellipse_oval\":274,\"models/glyphs/center_rotatable\":275,\"models/glyphs/hbar\":276,\"models/glyphs/box\":277,\"models/glyphs/hex_tile\":278,\"models/glyphs/image\":279,\"models/glyphs/image_base\":280,\"models/glyphs/image_rgba\":281,\"models/glyphs/image_url\":282,\"models/glyphs/multi_line\":283,\"models/glyphs/multi_polygons\":284,\"models/glyphs/oval\":285,\"models/glyphs/patches\":286,\"models/glyphs/quad\":287,\"models/glyphs/quadratic\":288,\"models/glyphs/ray\":289,\"models/glyphs/rect\":290,\"models/glyphs/scatter\":291,\"models/glyphs/marker\":292,\"models/glyphs/defs\":293,\"models/glyphs/segment\":294,\"models/glyphs/spline\":295,\"core/util/interpolation\":296,\"models/glyphs/step\":297,\"models/glyphs/text\":298,\"models/glyphs/vbar\":299,\"models/glyphs/wedge\":300,\"models/graphs/index\":301,\"models/graphs/graph_hit_test_policy\":302,\"models/graphs/layout_provider\":303,\"models/graphs/static_layout_provider\":304,\"models/grids/index\":305,\"models/grids/grid\":306,\"models/layouts/index\":307,\"models/layouts/box\":308,\"models/layouts/layout_dom\":309,\"models/layouts/column\":310,\"models/layouts/grid_box\":311,\"models/layouts/html_box\":312,\"models/layouts/panel\":313,\"models/layouts/row\":314,\"models/layouts/spacer\":315,\"models/layouts/tabs\":316,\"styles/tabs.css\":317,\"styles/buttons.css\":318,\"models/layouts/widget_box\":319,\"models/text/index\":320,\"models/transforms/index\":321,\"models/transforms/customjs_transform\":322,\"models/transforms/dodge\":323,\"models/transforms/range_transform\":324,\"models/transforms/interpolator\":325,\"models/transforms/jitter\":326,\"models/transforms/linear_interpolator\":327,\"models/transforms/step_interpolator\":328,\"models/plots/index\":329,\"models/plots/gmap_plot\":330,\"models/plots/plot\":331,\"models/plots/plot_canvas\":332,\"core/util/throttle\":333,\"models/plots/range_manager\":334,\"models/plots/state_manager\":335,\"models/plots/gmap_plot_canvas\":336,\"models/policies/index\":337,\"models/renderers/index\":338,\"models/renderers/graph_renderer\":339,\"models/selections/index\":340,\"models/sources/index\":341,\"models/sources/server_sent_data_source\":342,\"models/sources/web_data_source\":343,\"models/sources/ajax_data_source\":344,\"models/sources/geojson_data_source\":345,\"models/tiles/index\":346,\"models/tiles/bbox_tile_source\":347,\"models/tiles/mercator_tile_source\":348,\"models/tiles/tile_source\":349,\"models/tiles/tile_utils\":350,\"models/tiles/quadkey_tile_source\":351,\"models/tiles/tile_renderer\":352,\"models/tiles/wmts_tile_source\":353,\"styles/tiles.css\":354,\"models/tiles/tms_tile_source\":355,\"models/textures/index\":356,\"models/textures/canvas_texture\":357,\"models/textures/texture\":358,\"models/textures/image_url_texture\":359,\"models/tools/index\":360,\"models/tools/actions/custom_action\":361,\"models/tools/actions/redo_tool\":362,\"models/tools/actions/reset_tool\":363,\"models/tools/actions/save_tool\":364,\"models/tools/actions/undo_tool\":365,\"models/tools/actions/zoom_in_tool\":366,\"models/tools/actions/zoom_base_tool\":367,\"core/util/zoom\":368,\"models/tools/actions/zoom_out_tool\":369,\"models/tools/edit/edit_tool\":370,\"models/tools/edit/box_edit_tool\":371,\"models/tools/edit/freehand_draw_tool\":372,\"models/tools/edit/point_draw_tool\":373,\"models/tools/edit/poly_draw_tool\":374,\"models/tools/edit/poly_tool\":375,\"models/tools/edit/poly_edit_tool\":376,\"models/tools/gestures/box_select_tool\":377,\"models/tools/gestures/select_tool\":378,\"models/tools/gestures/box_zoom_tool\":379,\"models/tools/gestures/lasso_select_tool\":380,\"models/tools/gestures/poly_select_tool\":381,\"models/tools/edit/line_edit_tool\":382,\"models/tools/edit/line_tool\":383,\"models/tools/gestures/pan_tool\":384,\"models/tools/gestures/range_tool\":385,\"models/tools/gestures/tap_tool\":386,\"models/tools/gestures/wheel_pan_tool\":387,\"models/tools/gestures/wheel_zoom_tool\":388,\"models/tools/inspectors/crosshair_tool\":389,\"models/tools/inspectors/customjs_hover\":390,\"models/tools/inspectors/hover_tool\":391,\"models/dom/index\":392,\"models/dom/styles\":393,\"models/tools/tool_proxy\":394,\"models/tools/toolbar_box\":395,\"document/defs\":396,\"embed/standalone\":397,\"embed/dom\":398,\"embed/server\":399,\"client/connection\":400,\"protocol/message\":401,\"protocol/receiver\":402,\"client/session\":403,\"embed/notebook\":404,\"styles/notebook.css\":405,\"protocol/index\":406,\"testing\":407,\"safely\":408}, {});});\n\n /* END bokeh.min.js */\n },\n function(Bokeh) {\n /* BEGIN bokeh-gl.min.js */\n /*!\n * Copyright (c) 2012 - 2022, Anaconda, Inc., and Bokeh Contributors\n * All rights reserved.\n * \n * Redistribution and use in source and binary forms, with or without modification,\n * are permitted provided that the following conditions are met:\n * \n * Redistributions of source code must retain the above copyright notice,\n * this list of conditions and the following disclaimer.\n * \n * Redistributions in binary form must reproduce the above copyright notice,\n * this list of conditions and the following disclaimer in the documentation\n * and/or other materials provided with the distribution.\n * \n * Neither the name of Anaconda nor the names of any contributors\n * may be used to endorse or promote products derived from this software\n * without specific prior written permission.\n * \n * THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS \"AS IS\"\n * AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE\n * IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE\n * ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR CONTRIBUTORS BE\n * LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR\n * CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF\n * SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS\n * INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN\n * CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)\n * ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF\n * THE POSSIBILITY OF SUCH DAMAGE.\n */\n (function(root, factory) {\n factory(root[\"Bokeh\"], \"2.4.3\");\n })(this, function(Bokeh, version) {\n let define;\n return (function(modules, entry, aliases, externals) {\n const bokeh = typeof Bokeh !== \"undefined\" && (version != null ? Bokeh[version] : Bokeh);\n if (bokeh != null) {\n return bokeh.register_plugin(modules, entry, aliases);\n } else {\n throw new Error(\"Cannot find Bokeh \" + version + \". You have to load it prior to loading plugins.\");\n }\n })\n ({\n 409: function _(n,c,f,i,o){i(),n(410)},\n 410: function _(t,_,r,e,o){e();const a=t(1);o(\"get_regl\",t(411).get_regl),(0,a.__exportStar)(t(419),r),(0,a.__exportStar)(t(423),r),(0,a.__exportStar)(t(425),r),(0,a.__exportStar)(t(426),r),(0,a.__exportStar)(t(427),r),(0,a.__exportStar)(t(428),r),(0,a.__exportStar)(t(429),r),(0,a.__exportStar)(t(424),r)},\n 411: function _(t,i,e,_,a){_();const r=t(1),o=(0,r.__importDefault)(t(412)),n=t(413),s=(0,r.__importDefault)(t(415)),l=(0,r.__importDefault)(t(416)),p=(0,r.__importDefault)(t(417)),h=(0,r.__importDefault)(t(418));let c;e.get_regl=function(t){return null==c&&(c=new u(t)),c};class u{constructor(t){try{this._regl=(0,o.default)({gl:t,extensions:[\"ANGLE_instanced_arrays\",\"EXT_blend_minmax\"]}),this._regl_available=!0,this._line_geometry=this._regl.buffer({usage:\"static\",type:\"float\",data:[[-2,0],[-1,-1],[1,-1],[2,0],[1,1],[-1,1]]}),this._line_triangles=this._regl.elements({usage:\"static\",primitive:\"triangles\",data:[[0,1,5],[1,2,5],[5,2,4],[2,3,4]]})}catch(t){this._regl_available=!1}}buffer(t){return this._regl.buffer(t)}clear(t,i){this._viewport={x:0,y:0,width:t,height:i},this._regl.clear({color:[0,0,0,0]})}get has_webgl(){return this._regl_available}get scissor(){return this._scissor}set_scissor(t,i,e,_){this._scissor={x:t,y:i,width:e,height:_}}get viewport(){return this._viewport}dashed_line(){return null==this._dashed_line&&(this._dashed_line=function(t,i,e){const _={vert:`#define DASHED\\n\\n${s.default}`,frag:`#define DASHED\\n\\n${l.default}`,attributes:{a_position:{buffer:i,divisor:0},a_point_prev:(t,i)=>i.points.to_attribute_config(),a_point_start:(t,i)=>i.points.to_attribute_config(2*Float32Array.BYTES_PER_ELEMENT),a_point_end:(t,i)=>i.points.to_attribute_config(4*Float32Array.BYTES_PER_ELEMENT),a_point_next:(t,i)=>i.points.to_attribute_config(6*Float32Array.BYTES_PER_ELEMENT),a_show_prev:(t,i)=>i.show.to_attribute_config(),a_show_curr:(t,i)=>i.show.to_attribute_config(Uint8Array.BYTES_PER_ELEMENT),a_show_next:(t,i)=>i.show.to_attribute_config(2*Uint8Array.BYTES_PER_ELEMENT),a_length_so_far:(t,i)=>i.length_so_far.to_attribute_config()},uniforms:{u_canvas_size:t.prop(\"canvas_size\"),u_pixel_ratio:t.prop(\"pixel_ratio\"),u_antialias:t.prop(\"antialias\"),u_line_color:t.prop(\"line_color\"),u_linewidth:t.prop(\"linewidth\"),u_miter_limit:t.prop(\"miter_limit\"),u_line_join:t.prop(\"line_join\"),u_line_cap:t.prop(\"line_cap\"),u_dash_tex:t.prop(\"dash_tex\"),u_dash_tex_info:t.prop(\"dash_tex_info\"),u_dash_scale:t.prop(\"dash_scale\"),u_dash_offset:t.prop(\"dash_offset\")},elements:e,instances:t.prop(\"nsegments\"),blend:{enable:!0,equation:\"max\",func:{srcRGB:1,srcAlpha:1,dstRGB:1,dstAlpha:1}},depth:{enable:!1},scissor:{enable:!0,box:t.prop(\"scissor\")},viewport:t.prop(\"viewport\")};return t(_)}(this._regl,this._line_geometry,this._line_triangles)),this._dashed_line}get_dash(t){return null==this._dash_cache&&(this._dash_cache=new n.DashCache(this._regl)),this._dash_cache.get(t)}marker_no_hatch(t){null==this._marker_no_hatch_map&&(this._marker_no_hatch_map=new Map);let i=this._marker_no_hatch_map.get(t);return null==i&&(i=function(t,i){const e={vert:p.default,frag:`#define USE_${i.toUpperCase()}\\n${h.default}`,attributes:{a_position:{buffer:t.buffer([[-.5,-.5],[-.5,.5],[.5,.5],[.5,-.5]]),divisor:0},a_center:(t,i)=>i.center.to_attribute_config(),a_width:(t,i)=>i.width.to_attribute_config(),a_height:(t,i)=>i.height.to_attribute_config(),a_angle:(t,i)=>i.angle.to_attribute_config(),a_linewidth:(t,i)=>i.linewidth.to_attribute_config(),a_line_color:(t,i)=>i.line_color.to_attribute_config(),a_fill_color:(t,i)=>i.fill_color.to_attribute_config(),a_line_cap:(t,i)=>i.line_cap.to_attribute_config(),a_line_join:(t,i)=>i.line_join.to_attribute_config(),a_show:(t,i)=>i.show.to_attribute_config()},uniforms:{u_canvas_size:t.prop(\"canvas_size\"),u_pixel_ratio:t.prop(\"pixel_ratio\"),u_antialias:t.prop(\"antialias\"),u_size_hint:t.prop(\"size_hint\")},count:4,primitive:\"triangle fan\",instances:t.prop(\"nmarkers\"),blend:{enable:!0,func:{srcRGB:\"one\",srcAlpha:\"one\",dstRGB:\"one minus src alpha\",dstAlpha:\"one minus src alpha\"}},depth:{enable:!1},scissor:{enable:!0,box:t.prop(\"scissor\")},viewport:t.prop(\"viewport\")};return t(e)}(this._regl,t),this._marker_no_hatch_map.set(t,i)),i}marker_hatch(t){null==this._marker_hatch_map&&(this._marker_hatch_map=new Map);let i=this._marker_hatch_map.get(t);return null==i&&(i=function(t,i){const e={vert:`#define HATCH\\n${p.default}`,frag:`#define USE_${i.toUpperCase()}\\n#define HATCH\\n${h.default}`,attributes:{a_position:{buffer:t.buffer([[-.5,-.5],[-.5,.5],[.5,.5],[.5,-.5]]),divisor:0},a_center:(t,i)=>i.center.to_attribute_config(),a_width:(t,i)=>i.width.to_attribute_config(),a_height:(t,i)=>i.height.to_attribute_config(),a_angle:(t,i)=>i.angle.to_attribute_config(),a_linewidth:(t,i)=>i.linewidth.to_attribute_config(),a_line_color:(t,i)=>i.line_color.to_attribute_config(),a_fill_color:(t,i)=>i.fill_color.to_attribute_config(),a_line_cap:(t,i)=>i.line_cap.to_attribute_config(),a_line_join:(t,i)=>i.line_join.to_attribute_config(),a_show:(t,i)=>i.show.to_attribute_config(),a_hatch_pattern:(t,i)=>i.hatch_pattern.to_attribute_config(),a_hatch_scale:(t,i)=>i.hatch_scale.to_attribute_config(),a_hatch_weight:(t,i)=>i.hatch_weight.to_attribute_config(),a_hatch_color:(t,i)=>i.hatch_color.to_attribute_config()},uniforms:{u_canvas_size:t.prop(\"canvas_size\"),u_pixel_ratio:t.prop(\"pixel_ratio\"),u_antialias:t.prop(\"antialias\"),u_size_hint:t.prop(\"size_hint\")},count:4,primitive:\"triangle fan\",instances:t.prop(\"nmarkers\"),blend:{enable:!0,func:{srcRGB:\"one\",srcAlpha:\"one\",dstRGB:\"one minus src alpha\",dstAlpha:\"one minus src alpha\"}},depth:{enable:!1},scissor:{enable:!0,box:t.prop(\"scissor\")},viewport:t.prop(\"viewport\")};return t(e)}(this._regl,t),this._marker_hatch_map.set(t,i)),i}solid_line(){return null==this._solid_line&&(this._solid_line=function(t,i,e){const _={vert:s.default,frag:l.default,attributes:{a_position:{buffer:i,divisor:0},a_point_prev:(t,i)=>i.points.to_attribute_config(),a_point_start:(t,i)=>i.points.to_attribute_config(2*Float32Array.BYTES_PER_ELEMENT),a_point_end:(t,i)=>i.points.to_attribute_config(4*Float32Array.BYTES_PER_ELEMENT),a_point_next:(t,i)=>i.points.to_attribute_config(6*Float32Array.BYTES_PER_ELEMENT),a_show_prev:(t,i)=>i.show.to_attribute_config(),a_show_curr:(t,i)=>i.show.to_attribute_config(Uint8Array.BYTES_PER_ELEMENT),a_show_next:(t,i)=>i.show.to_attribute_config(2*Uint8Array.BYTES_PER_ELEMENT)},uniforms:{u_canvas_size:t.prop(\"canvas_size\"),u_pixel_ratio:t.prop(\"pixel_ratio\"),u_antialias:t.prop(\"antialias\"),u_line_color:t.prop(\"line_color\"),u_linewidth:t.prop(\"linewidth\"),u_miter_limit:t.prop(\"miter_limit\"),u_line_join:t.prop(\"line_join\"),u_line_cap:t.prop(\"line_cap\")},elements:e,instances:t.prop(\"nsegments\"),blend:{enable:!0,equation:\"max\",func:{srcRGB:1,srcAlpha:1,dstRGB:1,dstAlpha:1}},depth:{enable:!1},scissor:{enable:!0,box:t.prop(\"scissor\")},viewport:t.prop(\"viewport\")};return t(_)}(this._regl,this._line_geometry,this._line_triangles)),this._solid_line}}e.ReglWrapper=u,u.__name__=\"ReglWrapper\"},\n 412: function _(e,t,r,n,a){var i,o;i=this,o=function(){\"use strict\";var e=function(e){return e instanceof Uint8Array||e instanceof Uint16Array||e instanceof Uint32Array||e instanceof Int8Array||e instanceof Int16Array||e instanceof Int32Array||e instanceof Float32Array||e instanceof Float64Array||e instanceof Uint8ClampedArray},t=function(e,t){for(var r=Object.keys(t),n=0;n=0&&(0|e)===e||n(\"invalid parameter type, (\"+e+\")\"+i(t)+\". must be a nonnegative integer\")},oneOf:f,shaderError:function(e,t,n,i,o){if(!e.getShaderParameter(t,e.COMPILE_STATUS)){var f=e.getShaderInfoLog(t),u=i===e.FRAGMENT_SHADER?\"fragment\":\"vertex\";g(n,\"string\",u+\" shader source must be a string\",o);var c=h(n,o),l=function(e){var t=[];return e.split(\"\\n\").forEach((function(e){if(!(e.length<5)){var r=/^ERROR:\\s+(\\d+):(\\d+):\\s*(.*)$/.exec(e);r?t.push(new d(0|r[1],0|r[2],r[3].trim())):e.length>0&&t.push(new d(\"unknown\",0,e))}})),t}(f);!function(e,t){t.forEach((function(t){var r=e[t.file];if(r){var n=r.index[t.line];if(n)return n.errors.push(t),void(r.hasErrors=!0)}e.unknown.hasErrors=!0,e.unknown.lines[0].errors.push(t)}))}(c,l),Object.keys(c).forEach((function(e){var t=c[e];if(t.hasErrors){var n=[\"\"],a=[\"\"];i(\"file number \"+e+\": \"+t.name+\"\\n\",\"color:red;text-decoration:underline;font-weight:bold\"),t.lines.forEach((function(e){if(e.errors.length>0){i(s(e.number,4)+\"| \",\"background-color:yellow; font-weight:bold\"),i(e.line+r,\"color:red; background-color:yellow; font-weight:bold\");var t=0;e.errors.forEach((function(n){var a=n.message,o=/^\\s*'(.*)'\\s*:\\s*(.*)$/.exec(a);if(o){var f=o[1];a=o[2],\"assign\"===f&&(f=\"=\"),t=Math.max(e.line.indexOf(f,t),0)}else t=0;i(s(\"| \",6)),i(s(\"^^^\",t+3)+r,\"font-weight:bold\"),i(s(\"| \",6)),i(a+r,\"font-weight:bold\")})),i(s(\"| \",6)+r)}else i(s(e.number,4)+\"| \"),i(e.line+r,\"color:red\")})),\"undefined\"==typeof document||window.chrome?console.log(n.join(\"\")):(a[0]=n.join(\"%c\"),console.log.apply(console,a))}function i(e,t){n.push(e),a.push(t||\"\")}})),a.raise(\"Error compiling \"+u+\" shader, \"+c[0].name)}},linkError:function(e,t,n,i,o){if(!e.getProgramParameter(t,e.LINK_STATUS)){var f=e.getProgramInfoLog(t),u=h(n,o),s='Error linking program with vertex shader, \"'+h(i,o)[0].name+'\", and fragment shader \"'+u[0].name+'\"';\"undefined\"!=typeof document?console.log(\"%c\"+s+\"\\n%c\"+f,\"color:red;text-decoration:underline;font-weight:bold\",\"color:red\"):console.log(s+r+f),a.raise(s)}},callSite:p,saveCommandRef:b,saveDrawInfo:function(e,t,r,n){function a(e){return e?n.id(e):0}function i(e,t){Object.keys(t).forEach((function(t){e[n.id(t)]=!0}))}b(e),e._fragId=a(e.static.frag),e._vertId=a(e.static.vert);var o=e._uniformSet={};i(o,t.static),i(o,t.dynamic);var f=e._attributeSet={};i(f,r.static),i(f,r.dynamic),e._hasCount=\"count\"in e.static||\"count\"in e.dynamic||\"elements\"in e.static||\"elements\"in e.dynamic},framebufferFormat:function(e,t,r){e.texture?f(e.texture._texture.internalformat,t,\"unsupported texture format for attachment\"):f(e.renderbuffer._renderbuffer.format,r,\"unsupported renderbuffer format for attachment\")},guessCommand:m,texture2D:function(e,t,r){var n,i=t.width,o=t.height,f=t.channels;a(i>0&&i<=r.maxTextureSize&&o>0&&o<=r.maxTextureSize,\"invalid texture shape\"),e.wrapS===y&&e.wrapT===y||a(A(i)&&A(o),\"incompatible wrap mode for texture, both width and height must be power of 2\"),1===t.mipmask?1!==i&&1!==o&&a(9984!==e.minFilter&&9986!==e.minFilter&&9985!==e.minFilter&&9987!==e.minFilter,\"min filter requires mipmap\"):(a(A(i)&&A(o),\"texture must be a square power of 2 to support mipmapping\"),a(t.mipmask===(i<<1)-1,\"missing or incomplete mipmap data\")),5126===t.type&&(r.extensions.indexOf(\"oes_texture_float_linear\")<0&&a(9728===e.minFilter&&9728===e.magFilter,\"filter not supported, must enable oes_texture_float_linear\"),a(!e.genMipmaps,\"mipmap generation not supported with float textures\"));var u=t.images;for(n=0;n<16;++n)if(u[n]){var s=i>>n,c=o>>n;a(t.mipmask&1<0&&i<=n.maxTextureSize&&o>0&&o<=n.maxTextureSize,\"invalid texture shape\"),a(i===o,\"cube map must be square\"),a(t.wrapS===y&&t.wrapT===y,\"wrap mode not supported by cube map\");for(var u=0;u>l,p=o>>l;a(s.mipmask&1<1&&t===r&&('\"'===t||\"'\"===t))return['\"'+O(e.substr(1,e.length-2))+'\"'];var n=/\\[(false|true|null|\\d+|'[^']*'|\"[^\"]*\")\\]/.exec(e);if(n)return E(e.substr(0,n.index)).concat(E(n[1])).concat(E(e.substr(n.index+n[0].length)));var a=e.split(\".\");if(1===a.length)return['\"'+O(e)+'\"'];for(var i=[],o=0;o0,\"invalid pixel ratio\"))):_.raise(\"invalid arguments to regl\"),r&&(\"canvas\"===r.nodeName.toLowerCase()?a=r:n=r),!i){if(!a){_(\"undefined\"!=typeof document,\"must manually specify webgl context outside of DOM environments\");var h=function(e,r,n){var a,i=document.createElement(\"canvas\");function o(){var t=window.innerWidth,r=window.innerHeight;if(e!==document.body){var a=i.getBoundingClientRect();t=a.right-a.left,r=a.bottom-a.top}i.width=n*t,i.height=n*r}return t(i.style,{border:0,margin:0,padding:0,top:0,left:0,width:\"100%\",height:\"100%\"}),e.appendChild(i),e===document.body&&(i.style.position=\"absolute\",t(e.style,{margin:0,padding:0})),e!==document.body&&\"function\"==typeof ResizeObserver?(a=new ResizeObserver((function(){setTimeout(o)}))).observe(e):window.addEventListener(\"resize\",o,!1),o(),{canvas:i,onDestroy:function(){a?a.disconnect():window.removeEventListener(\"resize\",o),e.removeChild(i)}}}(n||document.body,0,l);if(!h)return null;a=h.canvas,p=h.onDestroy}void 0===u.premultipliedAlpha&&(u.premultipliedAlpha=!0),i=function(e,t){function r(r){try{return e.getContext(r,t)}catch(e){return null}}return r(\"webgl\")||r(\"experimental-webgl\")||r(\"webgl-experimental\")}(a,u)}return i?{gl:i,canvas:a,container:n,extensions:s,optionalExtensions:c,pixelRatio:l,profile:d,onDone:m,onDestroy:p}:(p(),m(\"webgl not supported, try upgrading your browser or graphics drivers http://get.webgl.org\"),null)}function V(e,t){for(var r=Array(e),n=0;n65535)<<4,t|=r=((e>>>=t)>255)<<3,t|=r=((e>>>=r)>15)<<2,(t|=r=((e>>>=r)>3)<<1)|(e>>>=r)>>1}function P(){var e=V(8,(function(){return[]}));function t(t){var r=function(e){for(var t=16;t<=1<<28;t*=16)if(e<=t)return t;return 0}(t),n=e[I(r)>>2];return n.length>0?n.pop():new ArrayBuffer(r)}function r(t){e[I(t.byteLength)>>2].push(t)}return{alloc:t,free:r,allocType:function(e,r){var n=null;switch(e){case 5120:n=new Int8Array(t(r),0,r);break;case 5121:n=new Uint8Array(t(r),0,r);break;case 5122:n=new Int16Array(t(2*r),0,r);break;case 5123:n=new Uint16Array(t(2*r),0,r);break;case 5124:n=new Int32Array(t(4*r),0,r);break;case 5125:n=new Uint32Array(t(4*r),0,r);break;case 5126:n=new Float32Array(t(4*r),0,r);break;default:return null}return n.length!==r?n.subarray(0,r):n},freeType:function(e){r(e.buffer)}}}var L=P();L.zero=P();var R=3553,M=6408,W=5126,U=36160;function G(t){return!!t&&\"object\"==typeof t&&Array.isArray(t.shape)&&Array.isArray(t.stride)&&\"number\"==typeof t.offset&&t.shape.length===t.stride.length&&(Array.isArray(t.data)||e(t.data))}var H=function(e){return Object.keys(e).map((function(t){return e[t]}))},N={shape:function(e){for(var t=[],r=e;r.length;r=r[0])t.push(r.length);return t},flatten:function(e,t,r,n){var a=1;if(t.length)for(var i=0;i>>31<<15,i=(n<<1>>>24)-127,o=n>>13&1023;if(i<-24)t[r]=a;else if(i<-14){var f=-14-i;t[r]=a+(o+1024>>f)}else t[r]=i>15?a+31744:a+(i+15<<10)+o}return t}function me(t){return Array.isArray(t)||e(t)}var pe=function(e){return!(e&e-1||!e)},he=3553,be=34067,ve=34069,ge=6408,ye=6406,xe=6407,we=6409,Ae=6410,_e=32855,ke=6402,Se=34041,Oe=35904,Ee=35906,Te=36193,De=33776,je=33777,Ce=33778,ze=33779,Fe=5121,Be=5123,Ve=5125,Ie=5126,Pe=33071,Le=9728,Re=9984,Me=9987,We=4352,Ue=33984,Ge=[Re,9986,9985,Me],He=[0,we,Ae,xe,ge],Ne={};function qe(e){return\"[object \"+e+\"]\"}Ne[6409]=Ne[6406]=Ne[6402]=1,Ne[34041]=Ne[6410]=2,Ne[6407]=Ne[35904]=3,Ne[6408]=Ne[35906]=4;var Qe=qe(\"HTMLCanvasElement\"),Ye=qe(\"OffscreenCanvas\"),Xe=qe(\"CanvasRenderingContext2D\"),$e=qe(\"ImageBitmap\"),Ke=qe(\"HTMLImageElement\"),Je=qe(\"HTMLVideoElement\"),Ze=Object.keys(Y).concat([Qe,Ye,Xe,$e,Ke,Je]),et=[];et[5121]=1,et[5126]=4,et[36193]=2,et[5123]=2,et[5125]=4;var tt=[];function rt(e){return Array.isArray(e)&&(0===e.length||\"number\"==typeof e[0])}function nt(e){return!!Array.isArray(e)&&!(0===e.length||!me(e[0]))}function at(e){return Object.prototype.toString.call(e)}function it(e){return at(e)===Qe}function ot(e){return at(e)===Ye}function ft(e){if(!e)return!1;var t=at(e);return Ze.indexOf(t)>=0||rt(e)||nt(e)||G(e)}function ut(e){return 0|Y[Object.prototype.toString.call(e)]}function st(e,t){return L.allocType(e.type===Te?Ie:e.type,t)}function ct(e,t){e.type===Te?(e.data=de(t),L.freeType(t)):e.data=t}function lt(e,t,r,n,a,i){var o;if(o=void 0!==tt[e]?tt[e]:Ne[e]*et[t],i&&(o*=6),a){for(var f=0,u=r;u>=1;)f+=o*u*u,u/=2;return f}return o*r*n}function dt(r,n,a,i,o,f,u){var s={\"don't care\":We,\"dont care\":We,nice:4354,fast:4353},c={repeat:10497,clamp:Pe,mirror:33648},l={nearest:Le,linear:9729},d=t({mipmap:Me,\"nearest mipmap nearest\":Re,\"linear mipmap nearest\":9985,\"nearest mipmap linear\":9986,\"linear mipmap linear\":Me},l),m={none:0,browser:37444},p={uint8:Fe,rgba4:32819,rgb565:33635,\"rgb5 a1\":32820},h={alpha:ye,luminance:we,\"luminance alpha\":Ae,rgb:xe,rgba:ge,rgba4:32854,\"rgb5 a1\":_e,rgb565:36194},b={};n.ext_srgb&&(h.srgb=Oe,h.srgba=Ee),n.oes_texture_float&&(p.float32=p.float=Ie),n.oes_texture_half_float&&(p.float16=p[\"half float\"]=Te),n.webgl_depth_texture&&(t(h,{depth:ke,\"depth stencil\":Se}),t(p,{uint16:Be,uint32:Ve,\"depth stencil\":34042})),n.webgl_compressed_texture_s3tc&&t(b,{\"rgb s3tc dxt1\":De,\"rgba s3tc dxt1\":je,\"rgba s3tc dxt3\":Ce,\"rgba s3tc dxt5\":ze}),n.webgl_compressed_texture_atc&&t(b,{\"rgb atc\":35986,\"rgba atc explicit alpha\":35987,\"rgba atc interpolated alpha\":34798}),n.webgl_compressed_texture_pvrtc&&t(b,{\"rgb pvrtc 4bppv1\":35840,\"rgb pvrtc 2bppv1\":35841,\"rgba pvrtc 4bppv1\":35842,\"rgba pvrtc 2bppv1\":35843}),n.webgl_compressed_texture_etc1&&(b[\"rgb etc1\"]=36196);var v=Array.prototype.slice.call(r.getParameter(34467));Object.keys(b).forEach((function(e){var t=b[e];v.indexOf(t)>=0&&(h[e]=t)}));var g=Object.keys(h);a.textureFormats=g;var y=[];Object.keys(h).forEach((function(e){var t=h[e];y[t]=e}));var x=[];Object.keys(p).forEach((function(e){var t=p[e];x[t]=e}));var w=[];Object.keys(l).forEach((function(e){w[l[e]]=e}));var A=[];Object.keys(d).forEach((function(e){var t=d[e];A[t]=e}));var k=[];Object.keys(c).forEach((function(e){k[c[e]]=e}));var S=g.reduce((function(e,t){var r=h[t];return r===we||r===ye||r===we||r===Ae||r===ke||r===Se||n.ext_srgb&&(r===Oe||r===Ee)?e[r]=r:r===_e||t.indexOf(\"rgba\")>=0?e[r]=ge:e[r]=xe,e}),{});function O(){this.internalformat=ge,this.format=ge,this.type=Fe,this.compressed=!1,this.premultiplyAlpha=!1,this.flipY=!1,this.unpackAlignment=1,this.colorSpace=37444,this.width=0,this.height=0,this.channels=0}function E(e,t){e.internalformat=t.internalformat,e.format=t.format,e.type=t.type,e.compressed=t.compressed,e.premultiplyAlpha=t.premultiplyAlpha,e.flipY=t.flipY,e.unpackAlignment=t.unpackAlignment,e.colorSpace=t.colorSpace,e.width=t.width,e.height=t.height,e.channels=t.channels}function T(e,t){if(\"object\"==typeof t&&t){if(\"premultiplyAlpha\"in t&&(_.type(t.premultiplyAlpha,\"boolean\",\"invalid premultiplyAlpha\"),e.premultiplyAlpha=t.premultiplyAlpha),\"flipY\"in t&&(_.type(t.flipY,\"boolean\",\"invalid texture flip\"),e.flipY=t.flipY),\"alignment\"in t&&(_.oneOf(t.alignment,[1,2,4,8],\"invalid texture unpack alignment\"),e.unpackAlignment=t.alignment),\"colorSpace\"in t&&(_.parameter(t.colorSpace,m,\"invalid colorSpace\"),e.colorSpace=m[t.colorSpace]),\"type\"in t){var r=t.type;_(n.oes_texture_float||!(\"float\"===r||\"float32\"===r),\"you must enable the OES_texture_float extension in order to use floating point textures.\"),_(n.oes_texture_half_float||!(\"half float\"===r||\"float16\"===r),\"you must enable the OES_texture_half_float extension in order to use 16-bit floating point textures.\"),_(n.webgl_depth_texture||!(\"uint16\"===r||\"uint32\"===r||\"depth stencil\"===r),\"you must enable the WEBGL_depth_texture extension in order to use depth/stencil textures.\"),_.parameter(r,p,\"invalid texture type\"),e.type=p[r]}var i=e.width,o=e.height,f=e.channels,u=!1;\"shape\"in t?(_(Array.isArray(t.shape)&&t.shape.length>=2,\"shape must be an array\"),i=t.shape[0],o=t.shape[1],3===t.shape.length&&(f=t.shape[2],_(f>0&&f<=4,\"invalid number of channels\"),u=!0),_(i>=0&&i<=a.maxTextureSize,\"invalid width\"),_(o>=0&&o<=a.maxTextureSize,\"invalid height\")):(\"radius\"in t&&(i=o=t.radius,_(i>=0&&i<=a.maxTextureSize,\"invalid radius\")),\"width\"in t&&(i=t.width,_(i>=0&&i<=a.maxTextureSize,\"invalid width\")),\"height\"in t&&(o=t.height,_(o>=0&&o<=a.maxTextureSize,\"invalid height\")),\"channels\"in t&&(f=t.channels,_(f>0&&f<=4,\"invalid number of channels\"),u=!0)),e.width=0|i,e.height=0|o,e.channels=0|f;var s=!1;if(\"format\"in t){var c=t.format;_(n.webgl_depth_texture||!(\"depth\"===c||\"depth stencil\"===c),\"you must enable the WEBGL_depth_texture extension in order to use depth/stencil textures.\"),_.parameter(c,h,\"invalid texture format\");var l=e.internalformat=h[c];e.format=S[l],c in p&&(\"type\"in t||(e.type=p[c])),c in b&&(e.compressed=!0),s=!0}!u&&s?e.channels=Ne[e.format]:u&&!s?e.channels!==He[e.format]&&(e.format=e.internalformat=He[e.channels]):s&&u&&_(e.channels===Ne[e.format],\"number of channels inconsistent with specified format\")}}function D(e){r.pixelStorei(37440,e.flipY),r.pixelStorei(37441,e.premultiplyAlpha),r.pixelStorei(37443,e.colorSpace),r.pixelStorei(3317,e.unpackAlignment)}function j(){O.call(this),this.xOffset=0,this.yOffset=0,this.data=null,this.needsFree=!1,this.element=null,this.needsCopy=!1}function C(t,r){var n=null;if(ft(r)?n=r:r&&(_.type(r,\"object\",\"invalid pixel data type\"),T(t,r),\"x\"in r&&(t.xOffset=0|r.x),\"y\"in r&&(t.yOffset=0|r.y),ft(r.data)&&(n=r.data)),_(!t.compressed||n instanceof Uint8Array,\"compressed texture data must be stored in a uint8array\"),r.copy){_(!n,\"can not specify copy and data field for the same texture\");var i=o.viewportWidth,f=o.viewportHeight;t.width=t.width||i-t.xOffset,t.height=t.height||f-t.yOffset,t.needsCopy=!0,_(t.xOffset>=0&&t.xOffset=0&&t.yOffset0&&t.width<=i&&t.height>0&&t.height<=f,\"copy texture read out of bounds\")}else if(n){if(e(n))t.channels=t.channels||4,t.data=n,\"type\"in r||t.type!==Fe||(t.type=ut(n));else if(rt(n))t.channels=t.channels||4,function(e,t){var r=t.length;switch(e.type){case Fe:case Be:case Ve:case Ie:var n=L.allocType(e.type,r);n.set(t),e.data=n;break;case Te:e.data=de(t);break;default:_.raise(\"unsupported texture type, must specify a typed array\")}}(t,n),t.alignment=1,t.needsFree=!0;else if(G(n)){var u=n.data;Array.isArray(u)||t.type!==Fe||(t.type=ut(u));var s,c,l,d,m,p,h=n.shape,b=n.stride;3===h.length?(l=h[2],p=b[2]):(_(2===h.length,\"invalid ndarray pixel data, must be 2 or 3D\"),l=1,p=1),s=h[0],c=h[1],d=b[0],m=b[1],t.alignment=1,t.width=s,t.height=c,t.channels=l,t.format=t.internalformat=He[l],t.needsFree=!0,function(e,t,r,n,a,i){for(var o=e.width,f=e.height,u=e.channels,s=st(e,o*f*u),c=0,l=0;l=0,\"oes_texture_float extension not enabled\"):t.type===Te&&_(a.extensions.indexOf(\"oes_texture_half_float\")>=0,\"oes_texture_half_float extension not enabled\")}function z(e,t,n){var a=e.element,o=e.data,f=e.internalformat,u=e.format,s=e.type,c=e.width,l=e.height;D(e),a?r.texImage2D(t,n,u,u,s,a):e.compressed?r.compressedTexImage2D(t,n,f,c,l,0,o):e.needsCopy?(i(),r.copyTexImage2D(t,n,u,e.xOffset,e.yOffset,c,l,0)):r.texImage2D(t,n,u,c,l,0,u,s,o||null)}function F(e,t,n,a,o){var f=e.element,u=e.data,s=e.internalformat,c=e.format,l=e.type,d=e.width,m=e.height;D(e),f?r.texSubImage2D(t,o,n,a,c,l,f):e.compressed?r.compressedTexSubImage2D(t,o,n,a,s,d,m,u):e.needsCopy?(i(),r.copyTexSubImage2D(t,o,n,a,e.xOffset,e.yOffset,d,m)):r.texSubImage2D(t,o,n,a,d,m,c,l,u)}var B=[];function V(){return B.pop()||new j}function I(e){e.needsFree&&L.freeType(e.data),j.call(e),B.push(e)}function P(){O.call(this),this.genMipmaps=!1,this.mipmapHint=We,this.mipmask=0,this.images=Array(16)}function R(e,t,r){var n=e.images[0]=V();e.mipmask=1,n.width=e.width=t,n.height=e.height=r,n.channels=e.channels=4}function M(e,t){var r=null;if(ft(t))E(r=e.images[0]=V(),e),C(r,t),e.mipmask=1;else if(T(e,t),Array.isArray(t.mipmap))for(var n=t.mipmap,a=0;a>=a,r.height>>=a,C(r,n[a]),e.mipmask|=1<=0&&!(\"faces\"in t)&&(e.genMipmaps=!0)}if(\"mag\"in t){var n=t.mag;_.parameter(n,l),e.magFilter=l[n]}var i=e.wrapS,o=e.wrapT;if(\"wrap\"in t){var f=t.wrap;\"string\"==typeof f?(_.parameter(f,c),i=o=c[f]):Array.isArray(f)&&(_.parameter(f[0],c),_.parameter(f[1],c),i=c[f[0]],o=c[f[1]])}else{if(\"wrapS\"in t){var u=t.wrapS;_.parameter(u,c),i=c[u]}if(\"wrapT\"in t){var m=t.wrapT;_.parameter(m,c),o=c[m]}}if(e.wrapS=i,e.wrapT=o,\"anisotropic\"in t){var p=t.anisotropic;_(\"number\"==typeof p&&p>=1&&p<=a.maxAnisotropic,\"aniso samples must be between 1 and \"),e.anisotropic=t.anisotropic}if(\"mipmap\"in t){var h=!1;switch(typeof t.mipmap){case\"string\":_.parameter(t.mipmap,s,\"invalid mipmap hint\"),e.mipmapHint=s[t.mipmap],e.genMipmaps=!0,h=!0;break;case\"boolean\":h=e.genMipmaps=t.mipmap;break;case\"object\":_(Array.isArray(t.mipmap),\"invalid mipmap type\"),e.genMipmaps=!1,h=!0;break;default:_.raise(\"invalid mipmap type\")}h&&!(\"min\"in t)&&(e.minFilter=Re)}}function $(e,t){r.texParameteri(t,10241,e.minFilter),r.texParameteri(t,10240,e.magFilter),r.texParameteri(t,10242,e.wrapS),r.texParameteri(t,10243,e.wrapT),n.ext_texture_filter_anisotropic&&r.texParameteri(t,34046,e.anisotropic),e.genMipmaps&&(r.hint(33170,e.mipmapHint),r.generateMipmap(t))}var K=0,J={},Z=a.maxTextureUnits,ee=Array(Z).map((function(){return null}));function te(e){O.call(this),this.mipmask=0,this.internalformat=ge,this.id=K++,this.refCount=1,this.target=e,this.texture=r.createTexture(),this.unit=-1,this.bindCount=0,this.texInfo=new Y,u.profile&&(this.stats={size:0})}function re(e){r.activeTexture(Ue),r.bindTexture(e.target,e.texture)}function ne(){var e=ee[0];e?r.bindTexture(e.target,e.texture):r.bindTexture(he,null)}function ae(e){var t=e.texture;_(t,\"must not double destroy texture\");var n=e.unit,a=e.target;n>=0&&(r.activeTexture(Ue+n),r.bindTexture(a,null),ee[n]=null),r.deleteTexture(t),e.texture=null,e.params=null,e.pixels=null,e.refCount=0,delete J[e.id],f.textureCount--}return t(te.prototype,{bind:function(){var e=this;e.bindCount+=1;var t=e.unit;if(t<0){for(var n=0;n0)continue;a.unit=-1}ee[n]=e,t=n;break}t>=Z&&_.raise(\"insufficient number of texture units\"),u.profile&&f.maxTextureUnits>u)-o,s.height=s.height||(n.height>>u)-f,_(n.type===s.type&&n.format===s.format&&n.internalformat===s.internalformat,\"incompatible format for texture.subimage\"),_(o>=0&&f>=0&&o+s.width<=n.width&&f+s.height<=n.height,\"texture.subimage write out of bounds\"),_(n.mipmask&1<>f;++f){var s=a>>f,c=o>>f;if(!s||!c)break;r.texImage2D(he,f,n.format,s,c,0,n.format,n.type,null)}return ne(),u.profile&&(n.stats.size=lt(n.internalformat,n.type,a,o,!1,!1)),i},i._reglType=\"texture2d\",i._texture=n,u.profile&&(i.stats=n.stats),i.destroy=function(){n.decRef()},i},createCube:function(e,t,n,i,o,s){var c=new te(be);J[c.id]=c,f.cubeCount++;var l=new Array(6);function d(e,t,r,n,i,o){var f,s=c.texInfo;for(Y.call(s),f=0;f<6;++f)l[f]=q();if(\"number\"!=typeof e&&e)if(\"object\"==typeof e)if(t)M(l[0],e),M(l[1],t),M(l[2],r),M(l[3],n),M(l[4],i),M(l[5],o);else if(X(s,e),T(c,e),\"faces\"in e){var m=e.faces;for(_(Array.isArray(m)&&6===m.length,\"cube faces must be a length 6 array\"),f=0;f<6;++f)_(\"object\"==typeof m[f]&&!!m[f],\"invalid input for cube map face\"),E(l[f],c),M(l[f],m[f])}else for(f=0;f<6;++f)M(l[f],e);else _.raise(\"invalid arguments to cube map\");else{var p=0|e||1;for(f=0;f<6;++f)R(l[f],p,p)}for(E(c,l[0]),_.optional((function(){a.npotTextureCube||_(pe(c.width)&&pe(c.height),\"your browser does not support non power or two texture dimensions\")})),s.genMipmaps?c.mipmask=(l[0].width<<1)-1:c.mipmask=l[0].mipmask,_.textureCube(c,s,l,a),c.internalformat=l[0].internalformat,d.width=l[0].width,d.height=l[0].height,re(c),f=0;f<6;++f)W(l[f],ve+f);for($(s,be),ne(),u.profile&&(c.stats.size=lt(c.internalformat,c.type,d.width,d.height,s.genMipmaps,!0)),d.format=y[c.internalformat],d.type=x[c.type],d.mag=w[s.magFilter],d.min=A[s.minFilter],d.wrapS=k[s.wrapS],d.wrapT=k[s.wrapT],f=0;f<6;++f)Q(l[f]);return d}return d(e,t,n,i,o,s),d.subimage=function(e,t,r,n,a){_(!!t,\"must specify image data\"),_(\"number\"==typeof e&&e===(0|e)&&e>=0&&e<6,\"invalid face\");var i=0|r,o=0|n,f=0|a,u=V();return E(u,c),u.width=0,u.height=0,C(u,t),u.width=u.width||(c.width>>f)-i,u.height=u.height||(c.height>>f)-o,_(c.type===u.type&&c.format===u.format&&c.internalformat===u.internalformat,\"incompatible format for texture.subimage\"),_(i>=0&&o>=0&&i+u.width<=c.width&&o+u.height<=c.height,\"texture.subimage write out of bounds\"),_(c.mipmask&1<>a;++a)r.texImage2D(ve+n,a,c.format,t>>a,t>>a,0,c.format,c.type,null);return ne(),u.profile&&(c.stats.size=lt(c.internalformat,c.type,d.width,d.height,!1,!0)),d}},d._reglType=\"textureCube\",d._texture=c,u.profile&&(d.stats=c.stats),d.destroy=function(){c.decRef()},d},clear:function(){for(var e=0;e>t,e.height>>t,0,e.internalformat,e.type,null);else for(var n=0;n<6;++n)r.texImage2D(ve+n,t,e.internalformat,e.width>>t,e.height>>t,0,e.internalformat,e.type,null);$(e.texInfo,e.target)}))},refresh:function(){for(var e=0;e=0&&c=0&&l0&&d+c<=a.framebufferWidth,\"invalid width for read pixels\"),_(m>0&&m+l<=a.framebufferHeight,\"invalid height for read pixels\"),n();var h=d*m*4;return p||(s===Dt?p=new Uint8Array(h):s===jt&&(p=p||new Float32Array(h))),_.isTypedArray(p,\"data buffer for regl.read() must be a typedarray\"),_(p.byteLength>=h,\"data buffer for regl.read() too small\"),t.pixelStorei(3333,4),t.readPixels(c,l,d,m,6408,s,p),p}return function(e){return e&&\"framebuffer\"in e?function(e){var t;return r.setFBO({framebuffer:e.framebuffer},(function(){t=u(e)})),t}(e):u(e)}}function zt(e){return Array.prototype.slice.call(e)}function Ft(e){return zt(e).join(\"\")}var Bt=\"xyzw\".split(\"\"),Vt=\"dither\",It=\"blend.enable\",Pt=\"blend.color\",Lt=\"blend.equation\",Rt=\"blend.func\",Mt=\"depth.enable\",Wt=\"depth.func\",Ut=\"depth.range\",Gt=\"depth.mask\",Ht=\"colorMask\",Nt=\"cull.enable\",qt=\"cull.face\",Qt=\"frontFace\",Yt=\"lineWidth\",Xt=\"polygonOffset.enable\",$t=\"polygonOffset.offset\",Kt=\"sample.alpha\",Jt=\"sample.enable\",Zt=\"sample.coverage\",er=\"stencil.enable\",tr=\"stencil.mask\",rr=\"stencil.func\",nr=\"stencil.opFront\",ar=\"stencil.opBack\",ir=\"scissor.enable\",or=\"scissor.box\",fr=\"viewport\",ur=\"profile\",sr=\"framebuffer\",cr=\"vert\",lr=\"frag\",dr=\"elements\",mr=\"primitive\",pr=\"count\",hr=\"offset\",br=\"instances\",vr=\"vao\",gr=\"Width\",yr=\"Height\",xr=sr+gr,wr=sr+yr,Ar=\"drawingBufferWidth\",_r=\"drawingBufferHeight\",kr=[Rt,Lt,rr,nr,ar,Zt,fr,or,$t],Sr=34962,Or=34963,Er=5126,Tr=35664,Dr=35665,jr=35666,Cr=5124,zr=35667,Fr=35668,Br=35669,Vr=35670,Ir=35671,Pr=35672,Lr=35673,Rr=35674,Mr=35675,Wr=35676,Ur=35678,Gr=35680,Hr=1028,Nr=1029,qr=2305,Qr=7680,Yr={0:0,1:1,zero:0,one:1,\"src color\":768,\"one minus src color\":769,\"src alpha\":770,\"one minus src alpha\":771,\"dst color\":774,\"one minus dst color\":775,\"dst alpha\":772,\"one minus dst alpha\":773,\"constant color\":32769,\"one minus constant color\":32770,\"constant alpha\":32771,\"one minus constant alpha\":32772,\"src alpha saturate\":776},Xr=[\"constant color, constant alpha\",\"one minus constant color, constant alpha\",\"constant color, one minus constant alpha\",\"one minus constant color, one minus constant alpha\",\"constant alpha, constant color\",\"constant alpha, one minus constant color\",\"one minus constant alpha, constant color\",\"one minus constant alpha, one minus constant color\"],$r={never:512,less:513,\"<\":513,equal:514,\"=\":514,\"==\":514,\"===\":514,lequal:515,\"<=\":515,greater:516,\">\":516,notequal:517,\"!=\":517,\"!==\":517,gequal:518,\">=\":518,always:519},Kr={0:0,zero:0,keep:7680,replace:7681,increment:7682,decrement:7683,\"increment wrap\":34055,\"decrement wrap\":34056,invert:5386},Jr={frag:35632,vert:35633},Zr={cw:2304,ccw:qr};function en(t){return Array.isArray(t)||e(t)||G(t)}function tn(e){return e.sort((function(e,t){return e===fr?-1:t===fr?1:e=1,n>=2,t)}if(4===r){var a=e.data;return new rn(a.thisDep,a.contextDep,a.propDep,t)}if(5===r)return new rn(!1,!1,!1,t);if(6===r){for(var i=!1,o=!1,f=!1,u=0;u=1&&(o=!0),c>=2&&(f=!0)}else 4===s.type&&(i=i||s.data.thisDep,o=o||s.data.contextDep,f=f||s.data.propDep)}return new rn(i,o,f,t)}return new rn(3===r,2===r,1===r,t)}var fn=new rn(!1,!1,!1,(function(){}));function un(e,r,n,a,i,o,f,u,s,c,l,d,m,p,h){var b=c.Record,v={add:32774,subtract:32778,\"reverse subtract\":32779};n.ext_blend_minmax&&(v.min=32775,v.max=32776);var g=n.angle_instanced_arrays,y=n.webgl_draw_buffers,x=n.oes_vertex_array_object,w={dirty:!0,profile:h.profile},A={},k=[],S={},O={};function E(e){return e.replace(\".\",\"_\")}function T(e,t,r){var n=E(e);k.push(e),A[n]=w[n]=!!r,S[n]=t}function j(e,t,r){var n=E(e);k.push(e),Array.isArray(r)?(w[n]=r.slice(),A[n]=r.slice()):w[n]=A[n]=r,O[n]=t}T(Vt,3024),T(It,3042),j(Pt,\"blendColor\",[0,0,0,0]),j(Lt,\"blendEquationSeparate\",[32774,32774]),j(Rt,\"blendFuncSeparate\",[1,0,1,0]),T(Mt,2929,!0),j(Wt,\"depthFunc\",513),j(Ut,\"depthRange\",[0,1]),j(Gt,\"depthMask\",!0),j(Ht,Ht,[!0,!0,!0,!0]),T(Nt,2884),j(qt,\"cullFace\",Nr),j(Qt,Qt,qr),j(Yt,Yt,1),T(Xt,32823),j($t,\"polygonOffset\",[0,0]),T(Kt,32926),T(Jt,32928),j(Zt,\"sampleCoverage\",[1,!1]),T(er,2960),j(tr,\"stencilMask\",-1),j(rr,\"stencilFunc\",[519,0,-1]),j(nr,\"stencilOpSeparate\",[Hr,Qr,Qr,Qr]),j(ar,\"stencilOpSeparate\",[Nr,Qr,Qr,Qr]),T(ir,3089),j(or,\"scissor\",[0,0,e.drawingBufferWidth,e.drawingBufferHeight]),j(fr,fr,[0,0,e.drawingBufferWidth,e.drawingBufferHeight]);var C={gl:e,context:m,strings:r,next:A,current:w,draw:d,elements:o,buffer:i,shader:l,attributes:c.state,vao:c,uniforms:s,framebuffer:u,extensions:n,timer:p,isBufferArgs:en},z={primTypes:ie,compareFuncs:$r,blendFuncs:Yr,blendEquations:v,stencilOps:Kr,glTypes:X,orientationType:Zr};_.optional((function(){C.isArrayLike=me})),y&&(z.backBuffer=[Nr],z.drawBuffer=V(a.maxDrawbuffers,(function(e){return 0===e?[0]:V(e,(function(e){return 36064+e}))})));var F=0;function B(){var e=function(){var e=0,r=[],n=[];function a(){var r=[],n=[];return t((function(){r.push.apply(r,zt(arguments))}),{def:function(){var t=\"v\"+e++;return n.push(t),arguments.length>0&&(r.push(t,\"=\"),r.push.apply(r,zt(arguments)),r.push(\";\")),t},toString:function(){return Ft([n.length>0?\"var \"+n.join(\",\")+\";\":\"\",Ft(r)])}})}function i(){var e=a(),r=a(),n=e.toString,i=r.toString;function o(t,n){r(t,n,\"=\",e.def(t,n),\";\")}return t((function(){e.apply(e,zt(arguments))}),{def:e.def,entry:e,exit:r,save:o,set:function(t,r,n){o(t,r),e(t,r,\"=\",n,\";\")},toString:function(){return n()+i()}})}var o=a(),f={};return{global:o,link:function(t){for(var a=0;a=0,'unknown parameter \"'+t+'\"',d.commandStr)}))}t(m),t(p)}));var h=function(e,t){var r=e.static;if(\"string\"==typeof r[lr]&&\"string\"==typeof r[cr]){if(Object.keys(t.dynamic).length>0)return null;var n=t.static,a=Object.keys(n);if(a.length>0&&\"number\"==typeof n[a[0]]){for(var i=[],o=0;o=0,\"invalid \"+e,r.commandStr)):u=!1,\"height\"in i?(f=0|i.height,_.command(f>=0,\"invalid \"+e,r.commandStr)):u=!1,new rn(!u&&t&&t.thisDep,!u&&t&&t.contextDep,!u&&t&&t.propDep,(function(e,t){var r=e.shared.context,n=o;\"width\"in i||(n=t.def(r,\".\",xr,\"-\",s));var a=f;return\"height\"in i||(a=t.def(r,\".\",wr,\"-\",c)),[s,c,n,a]}))}if(e in a){var l=a[e],d=on(l,(function(t,r){var n=t.invoke(r,l);_.optional((function(){t.assert(r,n+\"&&typeof \"+n+'===\"object\"',\"invalid \"+e)}));var a=t.shared.context,i=r.def(n,\".x|0\"),o=r.def(n,\".y|0\"),f=r.def('\"width\" in ',n,\"?\",n,\".width|0:\",\"(\",a,\".\",xr,\"-\",i,\")\"),u=r.def('\"height\" in ',n,\"?\",n,\".height|0:\",\"(\",a,\".\",wr,\"-\",o,\")\");return _.optional((function(){t.assert(r,f+\">=0&&\"+u+\">=0\",\"invalid \"+e)})),[i,o,f,u]}));return t&&(d.thisDep=d.thisDep||t.thisDep,d.contextDep=d.contextDep||t.contextDep,d.propDep=d.propDep||t.propDep),d}return t?new rn(t.thisDep,t.contextDep,t.propDep,(function(e,t){var r=e.shared.context;return[0,0,t.def(r,\".\",xr),t.def(r,\".\",wr)]})):null}var o=i(fr);if(o){var f=o;o=new rn(o.thisDep,o.contextDep,o.propDep,(function(e,t){var r=f.append(e,t),n=e.shared.context;return t.set(n,\".viewportWidth\",r[2]),t.set(n,\".viewportHeight\",r[3]),r}))}return{viewport:o,scissor_box:i(or)}}(e,y,d),w=function(e,t){var r=e.static,n=e.dynamic,a={},i=!1,f=function(){if(vr in r){var e=r[vr];return null!==e&&null===c.getVAO(e)&&(e=c.createVAO(e)),i=!0,a.vao=e,an((function(t){var r=c.getVAO(e);return r?t.link(r):\"null\"}))}if(vr in n){i=!0;var t=n[vr];return on(t,(function(e,r){var n=e.invoke(r,t);return r.def(e.shared.vao+\".getVAO(\"+n+\")\")}))}return null}(),u=!1,s=function(){if(dr in r){var e=r[dr];if(a.elements=e,en(e)){var s=a.elements=o.create(e,!0);e=o.getElements(s),u=!0}else e&&(e=o.getElements(e),u=!0,_.command(e,\"invalid elements\",t.commandStr));var c=an((function(t,r){if(e){var n=t.link(e);return t.ELEMENTS=n,n}return t.ELEMENTS=null,null}));return c.value=e,c}if(dr in n){u=!0;var l=n[dr];return on(l,(function(e,t){var r=e.shared,n=r.isBufferArgs,a=r.elements,i=e.invoke(t,l),o=t.def(\"null\"),f=t.def(n,\"(\",i,\")\"),u=e.cond(f).then(o,\"=\",a,\".createStream(\",i,\");\").else(o,\"=\",a,\".getElements(\",i,\");\");return _.optional((function(){e.assert(u.else,\"!\"+i+\"||\"+o,\"invalid elements\")})),t.entry(u),t.exit(e.cond(f).then(a,\".destroyStream(\",o,\");\")),e.ELEMENTS=o,o}))}return i?new rn(f.thisDep,f.contextDep,f.propDep,(function(e,t){return t.def(e.shared.vao+\".currentVAO?\"+e.shared.elements+\".getElements(\"+e.shared.vao+\".currentVAO.elements):null\")})):null}();function l(e,o){if(e in r){var s=0|r[e];return o?a.offset=s:a.instances=s,_.command(!o||s>=0,\"invalid \"+e,t.commandStr),an((function(e,t){return o&&(e.OFFSET=s),s}))}if(e in n){var c=n[e];return on(c,(function(t,r){var n=t.invoke(r,c);return o&&(t.OFFSET=n,_.optional((function(){t.assert(r,n+\">=0\",\"invalid \"+e)}))),n}))}if(o){if(u)return an((function(e,t){return e.OFFSET=0,0}));if(i)return new rn(f.thisDep,f.contextDep,f.propDep,(function(e,t){return t.def(e.shared.vao+\".currentVAO?\"+e.shared.vao+\".currentVAO.offset:0\")}))}else if(i)return new rn(f.thisDep,f.contextDep,f.propDep,(function(e,t){return t.def(e.shared.vao+\".currentVAO?\"+e.shared.vao+\".currentVAO.instances:-1\")}));return null}var d=l(hr,!0),m=function(){if(mr in r){var e=r[mr];return a.primitive=e,_.commandParameter(e,ie,\"invalid primitve\",t.commandStr),an((function(t,r){return ie[e]}))}if(mr in n){var o=n[mr];return on(o,(function(e,t){var r=e.constants.primTypes,n=e.invoke(t,o);return _.optional((function(){e.assert(t,n+\" in \"+r,\"invalid primitive, must be one of \"+Object.keys(ie))})),t.def(r,\"[\",n,\"]\")}))}return u?nn(s)?s.value?an((function(e,t){return t.def(e.ELEMENTS,\".primType\")})):an((function(){return 4})):new rn(s.thisDep,s.contextDep,s.propDep,(function(e,t){var r=e.ELEMENTS;return t.def(r,\"?\",r,\".primType:\",4)})):i?new rn(f.thisDep,f.contextDep,f.propDep,(function(e,t){return t.def(e.shared.vao+\".currentVAO?\"+e.shared.vao+\".currentVAO.primitive:4\")})):null}(),p=function(){if(pr in r){var e=0|r[pr];return a.count=e,_.command(\"number\"==typeof e&&e>=0,\"invalid vertex count\",t.commandStr),an((function(){return e}))}if(pr in n){var o=n[pr];return on(o,(function(e,t){var r=e.invoke(t,o);return _.optional((function(){e.assert(t,\"typeof \"+r+'===\"number\"&&'+r+\">=0&&\"+r+\"===(\"+r+\"|0)\",\"invalid vertex count\")})),r}))}if(u){if(nn(s)){if(s)return d?new rn(d.thisDep,d.contextDep,d.propDep,(function(e,t){var r=t.def(e.ELEMENTS,\".vertCount-\",e.OFFSET);return _.optional((function(){e.assert(t,r+\">=0\",\"invalid vertex offset/element buffer too small\")})),r})):an((function(e,t){return t.def(e.ELEMENTS,\".vertCount\")}));var c=an((function(){return-1}));return _.optional((function(){c.MISSING=!0})),c}var l=new rn(s.thisDep||d.thisDep,s.contextDep||d.contextDep,s.propDep||d.propDep,(function(e,t){var r=e.ELEMENTS;return e.OFFSET?t.def(r,\"?\",r,\".vertCount-\",e.OFFSET,\":-1\"):t.def(r,\"?\",r,\".vertCount:-1\")}));return _.optional((function(){l.DYNAMIC=!0})),l}if(i){var m=new rn(f.thisDep,f.contextDep,f.propDep,(function(e,t){return t.def(e.shared.vao,\".currentVAO?\",e.shared.vao,\".currentVAO.count:-1\")}));return m}return null}(),h=l(br,!1);return{elements:s,primitive:m,count:p,instances:h,offset:d,vao:f,vaoActive:i,elementsActive:u,static:a}}(e,d),A=function(e,t){var r=e.static,n=e.dynamic,i={};return k.forEach((function(e){var o=E(e);function f(t,a){if(e in r){var f=t(r[e]);i[o]=an((function(){return f}))}else if(e in n){var u=n[e];i[o]=on(u,(function(e,t){return a(e,t,e.invoke(t,u))}))}}switch(e){case Nt:case It:case Vt:case er:case Mt:case ir:case Xt:case Kt:case Jt:case Gt:return f((function(r){return _.commandType(r,\"boolean\",e,t.commandStr),r}),(function(t,r,n){return _.optional((function(){t.assert(r,\"typeof \"+n+'===\"boolean\"',\"invalid flag \"+e,t.commandStr)})),n}));case Wt:return f((function(r){return _.commandParameter(r,$r,\"invalid \"+e,t.commandStr),$r[r]}),(function(t,r,n){var a=t.constants.compareFuncs;return _.optional((function(){t.assert(r,n+\" in \"+a,\"invalid \"+e+\", must be one of \"+Object.keys($r))})),r.def(a,\"[\",n,\"]\")}));case Ut:return f((function(e){return _.command(me(e)&&2===e.length&&\"number\"==typeof e[0]&&\"number\"==typeof e[1]&&e[0]<=e[1],\"depth range is 2d array\",t.commandStr),e}),(function(e,t,r){return _.optional((function(){e.assert(t,e.shared.isArrayLike+\"(\"+r+\")&&\"+r+\".length===2&&typeof \"+r+'[0]===\"number\"&&typeof '+r+'[1]===\"number\"&&'+r+\"[0]<=\"+r+\"[1]\",\"depth range must be a 2d array\")})),[t.def(\"+\",r,\"[0]\"),t.def(\"+\",r,\"[1]\")]}));case Rt:return f((function(e){_.commandType(e,\"object\",\"blend.func\",t.commandStr);var r=\"srcRGB\"in e?e.srcRGB:e.src,n=\"srcAlpha\"in e?e.srcAlpha:e.src,a=\"dstRGB\"in e?e.dstRGB:e.dst,i=\"dstAlpha\"in e?e.dstAlpha:e.dst;return _.commandParameter(r,Yr,o+\".srcRGB\",t.commandStr),_.commandParameter(n,Yr,o+\".srcAlpha\",t.commandStr),_.commandParameter(a,Yr,o+\".dstRGB\",t.commandStr),_.commandParameter(i,Yr,o+\".dstAlpha\",t.commandStr),_.command(-1===Xr.indexOf(r+\", \"+a),\"unallowed blending combination (srcRGB, dstRGB) = (\"+r+\", \"+a+\")\",t.commandStr),[Yr[r],Yr[a],Yr[n],Yr[i]]}),(function(t,r,n){var a=t.constants.blendFuncs;function i(i,o){var f=r.def('\"',i,o,'\" in ',n,\"?\",n,\".\",i,o,\":\",n,\".\",i);return _.optional((function(){t.assert(r,f+\" in \"+a,\"invalid \"+e+\".\"+i+o+\", must be one of \"+Object.keys(Yr))})),f}_.optional((function(){t.assert(r,n+\"&&typeof \"+n+'===\"object\"',\"invalid blend func, must be an object\")}));var o=i(\"src\",\"RGB\"),f=i(\"dst\",\"RGB\");_.optional((function(){var e=t.constants.invalidBlendCombinations;t.assert(r,e+\".indexOf(\"+o+'+\", \"+'+f+\") === -1 \",\"unallowed blending combination for (srcRGB, dstRGB)\")}));var u=r.def(a,\"[\",o,\"]\"),s=r.def(a,\"[\",i(\"src\",\"Alpha\"),\"]\");return[u,r.def(a,\"[\",f,\"]\"),s,r.def(a,\"[\",i(\"dst\",\"Alpha\"),\"]\")]}));case Lt:return f((function(r){return\"string\"==typeof r?(_.commandParameter(r,v,\"invalid \"+e,t.commandStr),[v[r],v[r]]):\"object\"==typeof r?(_.commandParameter(r.rgb,v,e+\".rgb\",t.commandStr),_.commandParameter(r.alpha,v,e+\".alpha\",t.commandStr),[v[r.rgb],v[r.alpha]]):void _.commandRaise(\"invalid blend.equation\",t.commandStr)}),(function(t,r,n){var a=t.constants.blendEquations,i=r.def(),o=r.def(),f=t.cond(\"typeof \",n,'===\"string\"');return _.optional((function(){function r(e,r,n){t.assert(e,n+\" in \"+a,\"invalid \"+r+\", must be one of \"+Object.keys(v))}r(f.then,e,n),t.assert(f.else,n+\"&&typeof \"+n+'===\"object\"',\"invalid \"+e),r(f.else,e+\".rgb\",n+\".rgb\"),r(f.else,e+\".alpha\",n+\".alpha\")})),f.then(i,\"=\",o,\"=\",a,\"[\",n,\"];\"),f.else(i,\"=\",a,\"[\",n,\".rgb];\",o,\"=\",a,\"[\",n,\".alpha];\"),r(f),[i,o]}));case Pt:return f((function(e){return _.command(me(e)&&4===e.length,\"blend.color must be a 4d array\",t.commandStr),V(4,(function(t){return+e[t]}))}),(function(e,t,r){return _.optional((function(){e.assert(t,e.shared.isArrayLike+\"(\"+r+\")&&\"+r+\".length===4\",\"blend.color must be a 4d array\")})),V(4,(function(e){return t.def(\"+\",r,\"[\",e,\"]\")}))}));case tr:return f((function(e){return _.commandType(e,\"number\",o,t.commandStr),0|e}),(function(e,t,r){return _.optional((function(){e.assert(t,\"typeof \"+r+'===\"number\"',\"invalid stencil.mask\")})),t.def(r,\"|0\")}));case rr:return f((function(r){_.commandType(r,\"object\",o,t.commandStr);var n=r.cmp||\"keep\",a=r.ref||0,i=\"mask\"in r?r.mask:-1;return _.commandParameter(n,$r,e+\".cmp\",t.commandStr),_.commandType(a,\"number\",e+\".ref\",t.commandStr),_.commandType(i,\"number\",e+\".mask\",t.commandStr),[$r[n],a,i]}),(function(e,t,r){var n=e.constants.compareFuncs;return _.optional((function(){function a(){e.assert(t,Array.prototype.join.call(arguments,\"\"),\"invalid stencil.func\")}a(r+\"&&typeof \",r,'===\"object\"'),a('!(\"cmp\" in ',r,\")||(\",r,\".cmp in \",n,\")\")})),[t.def('\"cmp\" in ',r,\"?\",n,\"[\",r,\".cmp]\",\":\",Qr),t.def(r,\".ref|0\"),t.def('\"mask\" in ',r,\"?\",r,\".mask|0:-1\")]}));case nr:case ar:return f((function(r){_.commandType(r,\"object\",o,t.commandStr);var n=r.fail||\"keep\",a=r.zfail||\"keep\",i=r.zpass||\"keep\";return _.commandParameter(n,Kr,e+\".fail\",t.commandStr),_.commandParameter(a,Kr,e+\".zfail\",t.commandStr),_.commandParameter(i,Kr,e+\".zpass\",t.commandStr),[e===ar?Nr:Hr,Kr[n],Kr[a],Kr[i]]}),(function(t,r,n){var a=t.constants.stencilOps;function i(i){return _.optional((function(){t.assert(r,'!(\"'+i+'\" in '+n+\")||(\"+n+\".\"+i+\" in \"+a+\")\",\"invalid \"+e+\".\"+i+\", must be one of \"+Object.keys(Kr))})),r.def('\"',i,'\" in ',n,\"?\",a,\"[\",n,\".\",i,\"]:\",Qr)}return _.optional((function(){t.assert(r,n+\"&&typeof \"+n+'===\"object\"',\"invalid \"+e)})),[e===ar?Nr:Hr,i(\"fail\"),i(\"zfail\"),i(\"zpass\")]}));case $t:return f((function(e){_.commandType(e,\"object\",o,t.commandStr);var r=0|e.factor,n=0|e.units;return _.commandType(r,\"number\",o+\".factor\",t.commandStr),_.commandType(n,\"number\",o+\".units\",t.commandStr),[r,n]}),(function(t,r,n){return _.optional((function(){t.assert(r,n+\"&&typeof \"+n+'===\"object\"',\"invalid \"+e)})),[r.def(n,\".factor|0\"),r.def(n,\".units|0\")]}));case qt:return f((function(e){var r=0;return\"front\"===e?r=Hr:\"back\"===e&&(r=Nr),_.command(!!r,o,t.commandStr),r}),(function(e,t,r){return _.optional((function(){e.assert(t,r+'===\"front\"||'+r+'===\"back\"',\"invalid cull.face\")})),t.def(r,'===\"front\"?',Hr,\":\",Nr)}));case Yt:return f((function(e){return _.command(\"number\"==typeof e&&e>=a.lineWidthDims[0]&&e<=a.lineWidthDims[1],\"invalid line width, must be a positive number between \"+a.lineWidthDims[0]+\" and \"+a.lineWidthDims[1],t.commandStr),e}),(function(e,t,r){return _.optional((function(){e.assert(t,\"typeof \"+r+'===\"number\"&&'+r+\">=\"+a.lineWidthDims[0]+\"&&\"+r+\"<=\"+a.lineWidthDims[1],\"invalid line width\")})),r}));case Qt:return f((function(e){return _.commandParameter(e,Zr,o,t.commandStr),Zr[e]}),(function(e,t,r){return _.optional((function(){e.assert(t,r+'===\"cw\"||'+r+'===\"ccw\"',\"invalid frontFace, must be one of cw,ccw\")})),t.def(r+'===\"cw\"?2304:'+qr)}));case Ht:return f((function(e){return _.command(me(e)&&4===e.length,\"color.mask must be length 4 array\",t.commandStr),e.map((function(e){return!!e}))}),(function(e,t,r){return _.optional((function(){e.assert(t,e.shared.isArrayLike+\"(\"+r+\")&&\"+r+\".length===4\",\"invalid color.mask\")})),V(4,(function(e){return\"!!\"+r+\"[\"+e+\"]\"}))}));case Zt:return f((function(e){_.command(\"object\"==typeof e&&e,o,t.commandStr);var r=\"value\"in e?e.value:1,n=!!e.invert;return _.command(\"number\"==typeof r&&r>=0&&r<=1,\"sample.coverage.value must be a number between 0 and 1\",t.commandStr),[r,n]}),(function(e,t,r){return _.optional((function(){e.assert(t,r+\"&&typeof \"+r+'===\"object\"',\"invalid sample.coverage\")})),[t.def('\"value\" in ',r,\"?+\",r,\".value:1\"),t.def(\"!!\",r,\".invert\")]}))}})),i}(e,d),S=function(e,t,n){var a=e.static,i=e.dynamic;function o(e){if(e in a){var t=r.id(a[e]);_.optional((function(){l.shader(Jr[e],t,_.guessCommand())}));var n=an((function(){return t}));return n.id=t,n}if(e in i){var o=i[e];return on(o,(function(t,r){var n=t.invoke(r,o),a=r.def(t.shared.strings,\".id(\",n,\")\");return _.optional((function(){r(t.shared.shader,\".shader(\",Jr[e],\",\",a,\",\",t.command,\");\")})),a}))}return null}var f,u=o(lr),s=o(cr),c=null;return nn(u)&&nn(s)?(c=l.program(s.id,u.id,null,n),f=an((function(e,t){return e.link(c)}))):f=new rn(u&&u.thisDep||s&&s.thisDep,u&&u.contextDep||s&&s.contextDep,u&&u.propDep||s&&s.propDep,(function(e,t){var r,n=e.shared.shader;r=u?u.append(e,t):t.def(n,\".\",lr);var a=n+\".program(\"+(s?s.append(e,t):t.def(n,\".\",cr))+\",\"+r;return _.optional((function(){a+=\",\"+e.command})),t.def(a+\")\")})),{frag:u,vert:s,progVar:f,program:c}}(e,0,h);function O(e){var t=x[e];t&&(A[e]=t)}O(fr),O(E(or));var T=Object.keys(A).length>0,D={framebuffer:y,draw:w,shader:S,state:A,dirty:T,scopeVAO:null,drawVAO:null,useVAO:!1,attributes:{}};if(D.profile=function(e){var t,r=e.static,n=e.dynamic;if(ur in r){var a=!!r[ur];(t=an((function(e,t){return a}))).enable=a}else if(ur in n){var i=n[ur];t=on(i,(function(e,t){return e.invoke(t,i)}))}return t}(e),D.uniforms=function(e,t){var r=e.static,n=e.dynamic,a={};return Object.keys(r).forEach((function(e){var n,i=r[e];if(\"number\"==typeof i||\"boolean\"==typeof i)n=an((function(){return i}));else if(\"function\"==typeof i){var o=i._reglType;\"texture2d\"===o||\"textureCube\"===o?n=an((function(e){return e.link(i)})):\"framebuffer\"===o||\"framebufferCube\"===o?(_.command(i.color.length>0,'missing color attachment for framebuffer sent to uniform \"'+e+'\"',t.commandStr),n=an((function(e){return e.link(i.color[0])}))):_.commandRaise('invalid data for uniform \"'+e+'\"',t.commandStr)}else me(i)?n=an((function(t){return t.global.def(\"[\",V(i.length,(function(r){return _.command(\"number\"==typeof i[r]||\"boolean\"==typeof i[r],\"invalid uniform \"+e,t.commandStr),i[r]})),\"]\")})):_.commandRaise('invalid or missing data for uniform \"'+e+'\"',t.commandStr);n.value=i,a[e]=n})),Object.keys(n).forEach((function(e){var t=n[e];a[e]=on(t,(function(e,r){return e.invoke(r,t)}))})),a}(f,d),D.drawVAO=D.scopeVAO=w.vao,!D.drawVAO&&S.program&&!h&&n.angle_instanced_arrays&&w.static.elements){var j=!0,C=S.program.attributes.map((function(e){var r=t.static[e];return j=j&&!!r,r}));if(j&&C.length>0){var z=c.getVAO(c.createVAO({attributes:C,elements:w.static.elements}));D.drawVAO=new rn(null,null,null,(function(e,t){return e.link(z)})),D.useVAO=!0}}return h?D.useVAO=!0:D.attributes=function(e,t){var n=e.static,a=e.dynamic,o={};return Object.keys(n).forEach((function(e){var a=n[e],f=r.id(e),u=new b;if(en(a))u.state=1,u.buffer=i.getBuffer(i.create(a,Sr,!1,!0)),u.type=0;else{var s=i.getBuffer(a);if(s)u.state=1,u.buffer=s,u.type=0;else if(_.command(\"object\"==typeof a&&a,\"invalid data for attribute \"+e,t.commandStr),\"constant\"in a){var c=a.constant;u.buffer=\"null\",u.state=2,\"number\"==typeof c?u.x=c:(_.command(me(c)&&c.length>0&&c.length<=4,\"invalid constant for attribute \"+e,t.commandStr),Bt.forEach((function(e,t){t=0,'invalid offset for attribute \"'+e+'\"',t.commandStr);var d=0|a.stride;_.command(d>=0&&d<256,'invalid stride for attribute \"'+e+'\", must be integer betweeen [0, 255]',t.commandStr);var m=0|a.size;_.command(!(\"size\"in a)||m>0&&m<=4,'invalid size for attribute \"'+e+'\", must be 1,2,3,4',t.commandStr);var p=!!a.normalized,h=0;\"type\"in a&&(_.commandParameter(a.type,X,\"invalid type for attribute \"+e,t.commandStr),h=X[a.type]);var v=0|a.divisor;_.optional((function(){\"divisor\"in a&&(_.command(0===v||g,'cannot specify divisor for attribute \"'+e+'\", instancing not supported',t.commandStr),_.command(v>=0,'invalid divisor for attribute \"'+e+'\"',t.commandStr));var r=t.commandStr,n=[\"buffer\",\"offset\",\"divisor\",\"normalized\",\"type\",\"size\",\"stride\"];Object.keys(a).forEach((function(t){_.command(n.indexOf(t)>=0,'unknown parameter \"'+t+'\" for attribute pointer \"'+e+'\" (valid parameters are '+n+\")\",r)}))})),u.buffer=s,u.state=1,u.size=m,u.normalized=p,u.type=h||s.dtype,u.offset=l,u.stride=d,u.divisor=v}}o[e]=an((function(e,t){var r=e.attribCache;if(f in r)return r[f];var n={isStream:!1};return Object.keys(u).forEach((function(e){n[e]=u[e]})),u.buffer&&(n.buffer=e.link(u.buffer),n.type=n.type||n.buffer+\".dtype\"),r[f]=n,n}))})),Object.keys(a).forEach((function(e){var t=a[e];o[e]=on(t,(function(r,n){var a=r.invoke(n,t),i=r.shared,o=r.constants,f=i.isBufferArgs,u=i.buffer;_.optional((function(){r.assert(n,a+\"&&(typeof \"+a+'===\"object\"||typeof '+a+'===\"function\")&&('+f+\"(\"+a+\")||\"+u+\".getBuffer(\"+a+\")||\"+u+\".getBuffer(\"+a+\".buffer)||\"+f+\"(\"+a+'.buffer)||(\"constant\" in '+a+\"&&(typeof \"+a+'.constant===\"number\"||'+i.isArrayLike+\"(\"+a+\".constant))))\",'invalid dynamic attribute \"'+e+'\"')}));var s={isStream:n.def(!1)},c=new b;c.state=1,Object.keys(c).forEach((function(e){s[e]=n.def(\"\"+c[e])}));var l=s.buffer,d=s.type;function m(e){n(s[e],\"=\",a,\".\",e,\"|0;\")}return n(\"if(\",f,\"(\",a,\")){\",s.isStream,\"=true;\",l,\"=\",u,\".createStream(\",Sr,\",\",a,\");\",d,\"=\",l,\".dtype;\",\"}else{\",l,\"=\",u,\".getBuffer(\",a,\");\",\"if(\",l,\"){\",d,\"=\",l,\".dtype;\",'}else if(\"constant\" in ',a,\"){\",s.state,\"=\",2,\";\",\"if(typeof \"+a+'.constant === \"number\"){',s[Bt[0]],\"=\",a,\".constant;\",Bt.slice(1).map((function(e){return s[e]})).join(\"=\"),\"=0;\",\"}else{\",Bt.map((function(e,t){return s[e]+\"=\"+a+\".constant.length>\"+t+\"?\"+a+\".constant[\"+t+\"]:0;\"})).join(\"\"),\"}}else{\",\"if(\",f,\"(\",a,\".buffer)){\",l,\"=\",u,\".createStream(\",Sr,\",\",a,\".buffer);\",\"}else{\",l,\"=\",u,\".getBuffer(\",a,\".buffer);\",\"}\",d,'=\"type\" in ',a,\"?\",o.glTypes,\"[\",a,\".type]:\",l,\".dtype;\",s.normalized,\"=!!\",a,\".normalized;\"),m(\"size\"),m(\"offset\"),m(\"stride\"),m(\"divisor\"),n(\"}}\"),n.exit(\"if(\",s.isStream,\"){\",u,\".destroyStream(\",l,\");\",\"}\"),s}))})),o}(t,d),D.context=function(e){var t=e.static,r=e.dynamic,n={};return Object.keys(t).forEach((function(e){var r=t[e];n[e]=an((function(e,t){return\"number\"==typeof r||\"boolean\"==typeof r?\"\"+r:e.link(r)}))})),Object.keys(r).forEach((function(e){var t=r[e];n[e]=on(t,(function(e,r){return e.invoke(r,t)}))})),n}(s),D}function P(e,t,r){var n=e.shared.context,a=e.scope();Object.keys(r).forEach((function(i){t.save(n,\".\"+i);var o=r[i].append(e,t);Array.isArray(o)?a(n,\".\",i,\"=[\",o.join(),\"];\"):a(n,\".\",i,\"=\",o,\";\")})),t(a)}function L(e,t,r,n){var a,i=e.shared,o=i.gl,f=i.framebuffer;y&&(a=t.def(i.extensions,\".webgl_draw_buffers\"));var u,s=e.constants,c=s.drawBuffer,l=s.backBuffer;u=r?r.append(e,t):t.def(f,\".next\"),n||t(\"if(\",u,\"!==\",f,\".cur){\"),t(\"if(\",u,\"){\",o,\".bindFramebuffer(\",36160,\",\",u,\".framebuffer);\"),y&&t(a,\".drawBuffersWEBGL(\",c,\"[\",u,\".colorAttachments.length]);\"),t(\"}else{\",o,\".bindFramebuffer(\",36160,\",null);\"),y&&t(a,\".drawBuffersWEBGL(\",l,\");\"),t(\"}\",f,\".cur=\",u,\";\"),n||t(\"}\")}function R(e,t,r){var n=e.shared,a=n.gl,i=e.current,o=e.next,f=n.current,u=n.next,s=e.cond(f,\".dirty\");k.forEach((function(t){var n,c,l=E(t);if(!(l in r.state))if(l in o){n=o[l],c=i[l];var d=V(w[l].length,(function(e){return s.def(n,\"[\",e,\"]\")}));s(e.cond(d.map((function(e,t){return e+\"!==\"+c+\"[\"+t+\"]\"})).join(\"||\")).then(a,\".\",O[l],\"(\",d,\");\",d.map((function(e,t){return c+\"[\"+t+\"]=\"+e})).join(\";\"),\";\"))}else{n=s.def(u,\".\",l);var m=e.cond(n,\"!==\",f,\".\",l);s(m),l in S?m(e.cond(n).then(a,\".enable(\",S[l],\");\").else(a,\".disable(\",S[l],\");\"),f,\".\",l,\"=\",n,\";\"):m(a,\".\",O[l],\"(\",n,\");\",f,\".\",l,\"=\",n,\";\")}})),0===Object.keys(r.state).length&&s(f,\".dirty=false;\"),t(s)}function M(e,t,r,n){var a=e.shared,i=e.current,o=a.current,f=a.gl;tn(Object.keys(r)).forEach((function(a){var u=r[a];if(!n||n(u)){var s=u.append(e,t);if(S[a]){var c=S[a];nn(u)?t(f,s?\".enable(\":\".disable(\",c,\");\"):t(e.cond(s).then(f,\".enable(\",c,\");\").else(f,\".disable(\",c,\");\")),t(o,\".\",a,\"=\",s,\";\")}else if(me(s)){var l=i[a];t(f,\".\",O[a],\"(\",s,\");\",s.map((function(e,t){return l+\"[\"+t+\"]=\"+e})).join(\";\"),\";\")}else t(f,\".\",O[a],\"(\",s,\");\",o,\".\",a,\"=\",s,\";\")}}))}function W(e,t){g&&(e.instancing=t.def(e.shared.extensions,\".angle_instanced_arrays\"))}function U(e,t,r,n,a){var i,o,f,u=e.shared,s=e.stats,c=u.current,l=u.timer,d=r.profile;function m(){return\"undefined\"==typeof performance?\"Date.now()\":\"performance.now()\"}function h(e){e(i=t.def(),\"=\",m(),\";\"),\"string\"==typeof a?e(s,\".count+=\",a,\";\"):e(s,\".count++;\"),p&&(n?e(o=t.def(),\"=\",l,\".getNumPendingQueries();\"):e(l,\".beginQuery(\",s,\");\"))}function b(e){e(s,\".cpuTime+=\",m(),\"-\",i,\";\"),p&&(n?e(l,\".pushScopeStats(\",o,\",\",l,\".getNumPendingQueries(),\",s,\");\"):e(l,\".endQuery();\"))}function v(e){var r=t.def(c,\".profile\");t(c,\".profile=\",e,\";\"),t.exit(c,\".profile=\",r,\";\")}if(d){if(nn(d))return void(d.enable?(h(t),b(t.exit),v(\"true\")):v(\"false\"));v(f=d.append(e,t))}else f=t.def(c,\".profile\");var g=e.block();h(g),t(\"if(\",f,\"){\",g,\"}\");var y=e.block();b(y),t.exit(\"if(\",f,\"){\",y,\"}\")}function G(e,t,r,n,a){var i=e.shared;n.forEach((function(n){var o,f=n.name,u=r.attributes[f];if(u){if(!a(u))return;o=u.append(e,t)}else{if(!a(fn))return;var s=e.scopeAttrib(f);_.optional((function(){e.assert(t,s+\".state\",\"missing attribute \"+f)})),o={},Object.keys(new b).forEach((function(e){o[e]=t.def(s,\".\",e)}))}!function(r,n,a){var o=i.gl,f=t.def(r,\".location\"),u=t.def(i.attributes,\"[\",f,\"]\"),s=a.state,c=a.buffer,l=[a.x,a.y,a.z,a.w],d=[\"buffer\",\"normalized\",\"offset\",\"stride\"];function m(){t(\"if(!\",u,\".buffer){\",o,\".enableVertexAttribArray(\",f,\");}\");var r,i=a.type;if(r=a.size?t.def(a.size,\"||\",n):n,t(\"if(\",u,\".type!==\",i,\"||\",u,\".size!==\",r,\"||\",d.map((function(e){return u+\".\"+e+\"!==\"+a[e]})).join(\"||\"),\"){\",o,\".bindBuffer(\",Sr,\",\",c,\".buffer);\",o,\".vertexAttribPointer(\",[f,r,i,a.normalized,a.stride,a.offset],\");\",u,\".type=\",i,\";\",u,\".size=\",r,\";\",d.map((function(e){return u+\".\"+e+\"=\"+a[e]+\";\"})).join(\"\"),\"}\"),g){var s=a.divisor;t(\"if(\",u,\".divisor!==\",s,\"){\",e.instancing,\".vertexAttribDivisorANGLE(\",[f,s],\");\",u,\".divisor=\",s,\";}\")}}function p(){t(\"if(\",u,\".buffer){\",o,\".disableVertexAttribArray(\",f,\");\",u,\".buffer=null;\",\"}if(\",Bt.map((function(e,t){return u+\".\"+e+\"!==\"+l[t]})).join(\"||\"),\"){\",o,\".vertexAttrib4f(\",f,\",\",l,\");\",Bt.map((function(e,t){return u+\".\"+e+\"=\"+l[t]+\";\"})).join(\"\"),\"}\")}1===s?m():2===s?p():(t(\"if(\",s,\"===\",1,\"){\"),m(),t(\"}else{\"),p(),t(\"}\"))}(e.link(n),function(e){switch(e){case Tr:case zr:case Ir:return 2;case Dr:case Fr:case Pr:return 3;case jr:case Br:case Lr:return 4;default:return 1}}(n.info.type),o)}))}function H(e,t,n,a,i,o){for(var f,u=e.shared,s=u.gl,c={},l=0;l1){if(!b)continue;var v=m.replace(\"[0]\",\"\");if(c[v])continue;c[v]=1}var g,y=e.link(d)+\".location\";if(b){if(!i(b))continue;if(nn(b)){var x=b.value;if(_.command(null!=x,'missing uniform \"'+m+'\"',e.commandStr),p===Ur||p===Gr){_.command(\"function\"==typeof x&&(p===Ur&&(\"texture2d\"===x._reglType||\"framebuffer\"===x._reglType)||p===Gr&&(\"textureCube\"===x._reglType||\"framebufferCube\"===x._reglType)),\"invalid texture for uniform \"+m,e.commandStr);var w=e.link(x._texture||x.color[0]._texture);t(s,\".uniform1i(\",y,\",\",w+\".bind());\"),t.exit(w,\".unbind();\")}else if(p===Rr||p===Mr||p===Wr){_.optional((function(){_.command(me(x),\"invalid matrix for uniform \"+m,e.commandStr),_.command(p===Rr&&4===x.length||p===Mr&&9===x.length||p===Wr&&16===x.length,\"invalid length for matrix uniform \"+m,e.commandStr)}));var A=e.global.def(\"new Float32Array([\"+Array.prototype.slice.call(x)+\"])\"),k=2;p===Mr?k=3:p===Wr&&(k=4),t(s,\".uniformMatrix\",k,\"fv(\",y,\",false,\",A,\");\")}else{switch(p){case Er:1===h?_.commandType(x,\"number\",\"uniform \"+m,e.commandStr):_.command(me(x)&&x.length===h,\"uniform \"+m,e.commandStr),f=\"1f\";break;case Tr:_.command(me(x)&&x.length&&x.length%2==0&&x.length<=2*h,\"uniform \"+m,e.commandStr),f=\"2f\";break;case Dr:_.command(me(x)&&x.length&&x.length%3==0&&x.length<=3*h,\"uniform \"+m,e.commandStr),f=\"3f\";break;case jr:_.command(me(x)&&x.length&&x.length%4==0&&x.length<=4*h,\"uniform \"+m,e.commandStr),f=\"4f\";break;case Vr:1===h?_.commandType(x,\"boolean\",\"uniform \"+m,e.commandStr):_.command(me(x)&&x.length===h,\"uniform \"+m,e.commandStr),f=\"1i\";break;case Cr:1===h?_.commandType(x,\"number\",\"uniform \"+m,e.commandStr):_.command(me(x)&&x.length===h,\"uniform \"+m,e.commandStr),f=\"1i\";break;case Ir:case zr:_.command(me(x)&&x.length&&x.length%2==0&&x.length<=2*h,\"uniform \"+m,e.commandStr),f=\"2i\";break;case Pr:case Fr:_.command(me(x)&&x.length&&x.length%3==0&&x.length<=3*h,\"uniform \"+m,e.commandStr),f=\"3i\";break;case Lr:case Br:_.command(me(x)&&x.length&&x.length%4==0&&x.length<=4*h,\"uniform \"+m,e.commandStr),f=\"4i\"}h>1?(f+=\"v\",x=e.global.def(\"[\"+Array.prototype.slice.call(x)+\"]\")):x=me(x)?Array.prototype.slice.call(x):x,t(s,\".uniform\",f,\"(\",y,\",\",x,\");\")}continue}g=b.append(e,t)}else{if(!i(fn))continue;g=t.def(u.uniforms,\"[\",r.id(m),\"]\")}p===Ur?(_(!Array.isArray(g),\"must specify a scalar prop for textures\"),t(\"if(\",g,\"&&\",g,'._reglType===\"framebuffer\"){',g,\"=\",g,\".color[0];\",\"}\")):p===Gr&&(_(!Array.isArray(g),\"must specify a scalar prop for cube maps\"),t(\"if(\",g,\"&&\",g,'._reglType===\"framebufferCube\"){',g,\"=\",g,\".color[0];\",\"}\")),_.optional((function(){function r(r,n){e.assert(t,r,'bad data or missing for uniform \"'+m+'\". '+n)}function n(e,t){1===t&&_(!Array.isArray(g),\"must not specify an array type for uniform\"),r(\"Array.isArray(\"+g+\") && typeof \"+g+'[0]===\" '+e+'\" || typeof '+g+'===\"'+e+'\"',\"invalid type, expected \"+e)}function a(t,n,a){Array.isArray(g)?_(g.length&&g.length%t==0&&g.length<=t*a,\"must have length of \"+(1===a?\"\":\"n * \")+t):r(u.isArrayLike+\"(\"+g+\")&&\"+g+\".length && \"+g+\".length % \"+t+\" === 0 && \"+g+\".length<=\"+t*a,\"invalid vector, should have length of \"+(1===a?\"\":\"n * \")+t,e.commandStr)}function i(t){_(!Array.isArray(g),\"must not specify a value type\"),r(\"typeof \"+g+'===\"function\"&&'+g+'._reglType===\"texture'+(3553===t?\"2d\":\"Cube\")+'\"',\"invalid texture type\",e.commandStr)}switch(p){case Cr:n(\"number\",h);break;case zr:a(2,0,h);break;case Fr:a(3,0,h);break;case Br:a(4,0,h);break;case Er:n(\"number\",h);break;case Tr:a(2,0,h);break;case Dr:a(3,0,h);break;case jr:a(4,0,h);break;case Vr:n(\"boolean\",h);break;case Ir:a(2,0,h);break;case Pr:a(3,0,h);break;case Lr:case Rr:a(4,0,h);break;case Mr:a(9,0,h);break;case Wr:a(16,0,h);break;case Ur:i(3553);break;case Gr:i(34067)}}));var S=1;switch(p){case Ur:case Gr:var O=t.def(g,\"._texture\");t(s,\".uniform1i(\",y,\",\",O,\".bind());\"),t.exit(O,\".unbind();\");continue;case Cr:case Vr:f=\"1i\";break;case zr:case Ir:f=\"2i\",S=2;break;case Fr:case Pr:f=\"3i\",S=3;break;case Br:case Lr:f=\"4i\",S=4;break;case Er:f=\"1f\";break;case Tr:f=\"2f\",S=2;break;case Dr:f=\"3f\",S=3;break;case jr:f=\"4f\",S=4;break;case Rr:f=\"Matrix2fv\";break;case Mr:f=\"Matrix3fv\";break;case Wr:f=\"Matrix4fv\"}if(-1===f.indexOf(\"Matrix\")&&h>1&&(f+=\"v\",S=1),\"M\"===f.charAt(0)){t(s,\".uniform\",f,\"(\",y,\",\");var E=Math.pow(p-Rr+2,2),T=e.global.def(\"new Float32Array(\",E,\")\");Array.isArray(g)?t(\"false,(\",V(E,(function(e){return T+\"[\"+e+\"]=\"+g[e]})),\",\",T,\")\"):t(\"false,(Array.isArray(\",g,\")||\",g,\" instanceof Float32Array)?\",g,\":(\",V(E,(function(e){return T+\"[\"+e+\"]=\"+g+\"[\"+e+\"]\"})),\",\",T,\")\"),t(\");\")}else if(S>1){for(var D=[],j=[],C=0;C=0\",\"missing vertex count\")}))):(a=u.def(o,\".\",pr),_.optional((function(){e.assert(u,a+\">=0\",\"missing vertex count\")}))),a}();if(\"number\"==typeof p){if(0===p)return}else r(\"if(\",p,\"){\"),r.exit(\"}\");g&&(c=s(br),l=e.instancing);var h=u+\".type\",b=f.elements&&nn(f.elements)&&!f.vaoActive;function v(){function e(){r(l,\".drawElementsInstancedANGLE(\",[d,p,h,m+\"<<((\"+h+\"-5121)>>1)\",c],\");\")}function t(){r(l,\".drawArraysInstancedANGLE(\",[d,m,p,c],\");\")}u&&\"null\"!==u?b?e():(r(\"if(\",u,\"){\"),e(),r(\"}else{\"),t(),r(\"}\")):t()}function y(){function e(){r(i+\".drawElements(\"+[d,p,h,m+\"<<((\"+h+\"-5121)>>1)\"]+\");\")}function t(){r(i+\".drawArrays(\"+[d,m,p]+\");\")}u&&\"null\"!==u?b?e():(r(\"if(\",u,\"){\"),e(),r(\"}else{\"),t(),r(\"}\")):t()}g&&(\"number\"!=typeof c||c>=0)?\"string\"==typeof c?(r(\"if(\",c,\">0){\"),v(),r(\"}else if(\",c,\"<0){\"),y(),r(\"}\")):v():y()}function q(e,t,r,n,a){var i=B(),o=i.proc(\"body\",a);return _.optional((function(){i.commandStr=t.commandStr,i.command=i.link(t.commandStr)})),g&&(i.instancing=o.def(i.shared.extensions,\".angle_instanced_arrays\")),e(i,o,r,n),i.compile().body}function Q(e,t,r,n){W(e,t),r.useVAO?r.drawVAO?t(e.shared.vao,\".setVAO(\",r.drawVAO.append(e,t),\");\"):t(e.shared.vao,\".setVAO(\",e.shared.vao,\".targetVAO);\"):(t(e.shared.vao,\".setVAO(null);\"),G(e,t,r,n.attributes,(function(){return!0}))),H(e,t,r,n.uniforms,(function(){return!0}),!1),N(e,t,t,r)}function Y(e,t,r,n){function a(){return!0}e.batchId=\"a1\",W(e,t),G(e,t,r,n.attributes,a),H(e,t,r,n.uniforms,a,!1),N(e,t,t,r)}function $(e,t,r,n){W(e,t);var a=r.contextDep,i=t.def(),o=t.def();e.shared.props=o,e.batchId=i;var f=e.scope(),u=e.scope();function s(e){return e.contextDep&&a||e.propDep}function c(e){return!s(e)}if(t(f.entry,\"for(\",i,\"=0;\",i,\"<\",\"a1\",\";++\",i,\"){\",o,\"=\",\"a0\",\"[\",i,\"];\",u,\"}\",f.exit),r.needsContext&&P(e,u,r.context),r.needsFramebuffer&&L(e,u,r.framebuffer),M(e,u,r.state,s),r.profile&&s(r.profile)&&U(e,u,r,!1,!0),n)r.useVAO?r.drawVAO?s(r.drawVAO)?u(e.shared.vao,\".setVAO(\",r.drawVAO.append(e,u),\");\"):f(e.shared.vao,\".setVAO(\",r.drawVAO.append(e,f),\");\"):f(e.shared.vao,\".setVAO(\",e.shared.vao,\".targetVAO);\"):(f(e.shared.vao,\".setVAO(null);\"),G(e,f,r,n.attributes,c),G(e,u,r,n.attributes,s)),H(e,f,r,n.uniforms,c,!1),H(e,u,r,n.uniforms,s,!0),N(e,f,u,r);else{var l=e.global.def(\"{}\"),d=r.shader.progVar.append(e,u),m=u.def(d,\".id\"),p=u.def(l,\"[\",m,\"]\");u(e.shared.gl,\".useProgram(\",d,\".program);\",\"if(!\",p,\"){\",p,\"=\",l,\"[\",m,\"]=\",e.link((function(t){return q(Y,e,r,t,2)})),\"(\",d,\");}\",p,\".call(this,a0[\",i,\"],\",i,\");\")}}function K(e,t,r){var n=t.static[r];if(n&&function(e){if(\"object\"==typeof e&&!me(e)){for(var t=Object.keys(e),r=0;r0&&r(e.shared.current,\".dirty=true;\"),e.shared.vao&&r(e.shared.vao,\".setVAO(null);\")}(f,u),function(e,t){var n=e.proc(\"scope\",3);e.batchId=\"a2\";var a=e.shared,i=a.current;function o(r){var i=t.shader[r];i&&n.set(a.shader,\".\"+r,i.append(e,n))}P(e,n,t.context),t.framebuffer&&t.framebuffer.append(e,n),tn(Object.keys(t.state)).forEach((function(r){var i=t.state[r].append(e,n);me(i)?i.forEach((function(t,a){n.set(e.next[r],\"[\"+a+\"]\",t)})):n.set(a.next,\".\"+r,i)})),U(e,n,t,!0,!0),[dr,hr,pr,br,mr].forEach((function(r){var i=t.draw[r];i&&n.set(a.draw,\".\"+r,\"\"+i.append(e,n))})),Object.keys(t.uniforms).forEach((function(i){var o=t.uniforms[i].append(e,n);Array.isArray(o)&&(o=\"[\"+o.join()+\"]\"),n.set(a.uniforms,\"[\"+r.id(i)+\"]\",o)})),Object.keys(t.attributes).forEach((function(r){var a=t.attributes[r].append(e,n),i=e.scopeAttrib(r);Object.keys(new b).forEach((function(e){n.set(i,\".\"+e,a[e])}))})),t.scopeVAO&&n.set(a.vao,\".targetVAO\",t.scopeVAO.append(e,n)),o(cr),o(lr),Object.keys(t.state).length>0&&(n(i,\".dirty=true;\"),n.exit(i,\".dirty=true;\")),n(\"a1(\",e.shared.context,\",a0,\",e.batchId,\");\")}(f,u),function(e,t){var r=e.proc(\"batch\",2);e.batchId=\"0\",W(e,r);var n=!1,a=!0;Object.keys(t.context).forEach((function(e){n=n||t.context[e].propDep})),n||(P(e,r,t.context),a=!1);var i=t.framebuffer,o=!1;function f(e){return e.contextDep&&n||e.propDep}i?(i.propDep?n=o=!0:i.contextDep&&n&&(o=!0),o||L(e,r,i)):L(e,r,null),t.state.viewport&&t.state.viewport.propDep&&(n=!0),R(e,r,t),M(e,r,t.state,(function(e){return!f(e)})),t.profile&&f(t.profile)||U(e,r,t,!1,\"a1\"),t.contextDep=n,t.needsContext=a,t.needsFramebuffer=o;var u=t.shader.progVar;if(u.contextDep&&n||u.propDep)$(e,r,t,null);else{var s=u.append(e,r);if(r(e.shared.gl,\".useProgram(\",s,\".program);\"),t.shader.program)$(e,r,t,t.shader.program);else{r(e.shared.vao,\".setVAO(null);\");var c=e.global.def(\"{}\"),l=r.def(s,\".id\"),d=r.def(c,\"[\",l,\"]\");r(e.cond(d).then(d,\".call(this,a0,a1);\").else(d,\"=\",c,\"[\",l,\"]=\",e.link((function(r){return q($,e,t,r,2)})),\"(\",s,\");\",d,\".call(this,a0,a1);\"))}}Object.keys(t.state).length>0&&r(e.shared.current,\".dirty=true;\"),e.shared.vao&&r(e.shared.vao,\".setVAO(null);\")}(f,u),t(f.compile(),{destroy:function(){u.shader.program.destroy()}})}}}var sn=function(e,t){if(!t.ext_disjoint_timer_query)return null;var r=[];function n(e){r.push(e)}var a=[];function i(){this.startQueryIndex=-1,this.endQueryIndex=-1,this.sum=0,this.stats=null}var o=[];function f(e){o.push(e)}var u=[];function s(e,t,r){var n=o.pop()||new i;n.startQueryIndex=e,n.endQueryIndex=t,n.sum=0,n.stats=r,u.push(n)}var c=[],l=[];return{beginQuery:function(e){var n=r.pop()||t.ext_disjoint_timer_query.createQueryEXT();t.ext_disjoint_timer_query.beginQueryEXT(35007,n),a.push(n),s(a.length-1,a.length,e)},endQuery:function(){t.ext_disjoint_timer_query.endQueryEXT(35007)},pushScopeStats:s,update:function(){var e,r,i=a.length;if(0!==i){l.length=Math.max(l.length,i+1),c.length=Math.max(c.length,i+1),c[0]=0,l[0]=0;var o=0;for(e=0,r=0;r0)if(Array.isArray(r[0])){f=J(r);for(var c=1,l=1;l0)if(\"number\"==typeof t[0]){var i=L.allocType(d.dtype,t.length);ne(i,t),p(i,a),L.freeType(i)}else if(Array.isArray(t[0])||e(t[0])){n=J(t);var o=K(t,n,d.dtype);p(o,a),L.freeType(o)}else _.raise(\"invalid buffer data\")}else if(G(t)){n=t.shape;var f=t.stride,u=0,s=0,c=0,l=0;1===n.length?(u=n[0],s=1,c=f[0],l=0):2===n.length?(u=n[0],s=n[1],c=f[0],l=f[1]):_.raise(\"invalid shape\");var h=Array.isArray(t.data)?d.dtype:re(t.data),b=L.allocType(h,u*s);ae(b,t.data,u,s,c,l,t.offset),p(b,a),L.freeType(b)}else _.raise(\"invalid data for buffer subdata\");return m},n.profile&&(m.stats=d.stats),m.destroy=function(){l(d)},m},createStream:function(e,t){var r=u.pop();return r||(r=new f(e)),r.bind(),c(r,t,35040,0,1,!1),r},destroyStream:function(e){u.push(e)},clear:function(){H(o).forEach(l),u.forEach(l)},getBuffer:function(e){return e&&e._buffer instanceof f?e._buffer:null},restore:function(){H(o).forEach((function(e){e.buffer=t.createBuffer(),t.bindBuffer(e.type,e.buffer),t.bufferData(e.type,e.persistentData||e.byteLength,e.usage)}))},_initBuffer:c}}(a,l,n,(function(e){return A.destroyBuffer(e)})),w=function(t,r,n,a){var i={},o=0,f={uint8:oe,uint16:fe};function u(e){this.id=o++,i[this.id]=this,this.buffer=e,this.primType=4,this.vertCount=0,this.type=0}r.oes_element_index_uint&&(f.uint32=ue),u.prototype.bind=function(){this.buffer.bind()};var s=[];function c(a,i,o,f,u,s,c){var l;if(a.buffer.bind(),i){var d=c;c||e(i)&&(!G(i)||e(i.data))||(d=r.oes_element_index_uint?ue:fe),n._initBuffer(a.buffer,i,o,d,3)}else t.bufferData(se,s,o),a.buffer.dtype=l||oe,a.buffer.usage=o,a.buffer.dimension=3,a.buffer.byteLength=s;if(l=c,!c){switch(a.buffer.dtype){case oe:case 5120:l=oe;break;case fe:case 5122:l=fe;break;case ue:case 5124:l=ue;break;default:_.raise(\"unsupported type for element array\")}a.buffer.dtype=l}a.type=l,_(l!==ue||!!r.oes_element_index_uint,\"32 bit element buffers not supported, enable oes_element_index_uint first\");var m=u;m<0&&(m=a.buffer.byteLength,l===fe?m>>=1:l===ue&&(m>>=2)),a.vertCount=m;var p=f;if(f<0){p=4;var h=a.buffer.dimension;1===h&&(p=0),2===h&&(p=1),3===h&&(p=4)}a.primType=p}function l(e){a.elementsCount--,_(null!==e.buffer,\"must not double destroy elements\"),delete i[e.id],e.buffer.destroy(),e.buffer=null}return{create:function(t,r){var i=n.create(null,se,!0),o=new u(i._buffer);function s(t){if(t)if(\"number\"==typeof t)i(t),o.primType=4,o.vertCount=0|t,o.type=oe;else{var r=null,n=35044,a=-1,u=-1,l=0,d=0;Array.isArray(t)||e(t)||G(t)?r=t:(_.type(t,\"object\",\"invalid arguments for elements\"),\"data\"in t&&(r=t.data,_(Array.isArray(r)||e(r)||G(r),\"invalid data for element buffer\")),\"usage\"in t&&(_.parameter(t.usage,$,\"invalid element buffer usage\"),n=$[t.usage]),\"primitive\"in t&&(_.parameter(t.primitive,ie,\"invalid element buffer primitive\"),a=ie[t.primitive]),\"count\"in t&&(_(\"number\"==typeof t.count&&t.count>=0,\"invalid vertex count for elements\"),u=0|t.count),\"type\"in t&&(_.parameter(t.type,f,\"invalid buffer type\"),d=f[t.type]),\"length\"in t?l=0|t.length:(l=u,d===fe||5122===d?l*=2:d!==ue&&5124!==d||(l*=4))),c(o,r,n,a,u,l,d)}else i(),o.primType=4,o.vertCount=0,o.type=oe;return s}return a.elementsCount++,s(t),s._reglType=\"elements\",s._elements=o,s.subdata=function(e,t){return i.subdata(e,t),s},s.destroy=function(){l(o)},s},createStream:function(e){var t=s.pop();return t||(t=new u(n.create(null,se,!0,!1)._buffer)),c(t,e,35040,-1,-1,0,0),t},destroyStream:function(e){s.push(e)},getElements:function(e){return\"function\"==typeof e&&e._elements instanceof u?e._elements:null},clear:function(){H(i).forEach(l)}}}(a,d,x,l),A=function(t,r,n,a,i,o,f){for(var u=n.maxAttributes,s=new Array(u),c=0;c{for(var e=Object.keys(t),r=0;r=0,'invalid option for vao: \"'+e[r]+'\" valid options are '+Et)})),_(Array.isArray(a),\"attributes must be an array\")}_(a.length0,\"must specify at least one attribute\");var c={},l=n.attributes;l.length=a.length;for(var d=0;d=b.byteLength?m.subdata(b):(m.destroy(),n.buffers[d]=null)),n.buffers[d]||(m=n.buffers[d]=i.create(p,34962,!1,!0)),h.buffer=i.getBuffer(m),h.size=0|h.buffer.dimension,h.normalized=!1,h.type=h.buffer.dtype,h.offset=0,h.stride=0,h.divisor=0,h.state=1,c[d]=1):i.getBuffer(p)?(h.buffer=i.getBuffer(p),h.size=0|h.buffer.dimension,h.normalized=!1,h.type=h.buffer.dtype,h.offset=0,h.stride=0,h.divisor=0,h.state=1):i.getBuffer(p.buffer)?(h.buffer=i.getBuffer(p.buffer),h.size=0|(+p.size||h.buffer.dimension),h.normalized=!!p.normalized||!1,\"type\"in p?(_.parameter(p.type,X,\"invalid buffer type\"),h.type=X[p.type]):h.type=h.buffer.dtype,h.offset=0|(p.offset||0),h.stride=0|(p.stride||0),h.divisor=0|(p.divisor||0),h.state=1,_(h.size>=1&&h.size<=4,\"size must be between 1 and 4\"),_(h.offset>=0,\"invalid offset\"),_(h.stride>=0&&h.stride<=255,\"stride must be between 0 and 255\"),_(h.divisor>=0,\"divisor must be positive\"),_(!h.divisor||!!r.angle_instanced_arrays,\"ANGLE_instanced_arrays must be enabled to use divisor\")):\"x\"in p?(_(d>0,\"first attribute must not be a constant\"),h.x=+p.x||0,h.y=+p.y||0,h.z=+p.z||0,h.w=+p.w||0,h.state=2):_(!1,\"invalid attribute spec for location \"+d)}for(var v=0;v1)for(var v=0;v1&&(y=y.replace(\"[0]\",\"\")),u(b,new f(y,r.id(y),e.getUniformLocation(m,y),c))}var x=e.getProgramParameter(m,35721);a.profile&&(t.stats.attributesCount=x);var w=t.attributes;for(o=0;oe&&(e=t.stats.uniformsCount)})),e},n.getMaxAttributesCount=function(){var e=0;return l.forEach((function(t){t.stats.attributesCount>e&&(e=t.stats.attributesCount)})),e}),{clear:function(){var t=e.deleteShader.bind(e);H(i).forEach(t),i={},H(o).forEach(t),o={},l.forEach((function(t){e.deleteProgram(t.program)})),l.length=0,c={},n.shaderCount=0},program:function(r,a,f,u){_.command(r>=0,\"missing vertex shader\",f),_.command(a>=0,\"missing fragment shader\",f);var s=c[a];s||(s=c[a]={});var d=s[r];if(d&&(d.refCount++,!u))return d;var h=new m(a,r);return n.shaderCount++,p(h,f,u),d||(s[r]=h),l.push(h),t(h,{destroy:function(){if(h.refCount--,h.refCount<=0){e.deleteProgram(h.program);var t=l.indexOf(h);l.splice(t,1),n.shaderCount--}s[h.vertId].refCount<=0&&(e.deleteShader(o[h.vertId]),delete o[h.vertId],delete c[h.fragId][h.vertId]),Object.keys(c[h.fragId]).length||(e.deleteShader(i[h.fragId]),delete i[h.fragId],delete c[h.fragId])}})},restore:function(){i={},o={};for(var e=0;e=2,\"invalid renderbuffer shape\"),f=0|m[0],u=0|m[1]}else\"radius\"in d&&(f=u=0|d.radius),\"width\"in d&&(f=0|d.width),\"height\"in d&&(u=0|d.height);\"format\"in d&&(_.parameter(d.format,i,\"invalid renderbuffer format\"),s=i[d.format])}else\"number\"==typeof t?(f=0|t,u=\"number\"==typeof n?0|n:f):t?_.raise(\"invalid arguments to renderbuffer constructor\"):f=u=1;if(_(f>0&&u>0&&f<=r.maxRenderbufferSize&&u<=r.maxRenderbufferSize,\"invalid renderbuffer size\"),f!==c.width||u!==c.height||s!==c.format)return l.width=c.width=f,l.height=c.height=u,c.format=s,e.bindRenderbuffer(mt,c.renderbuffer),e.renderbufferStorage(mt,s,f,u),_(0===e.getError(),\"invalid render buffer format\"),a.profile&&(c.stats.size=bt(c.format,c.width,c.height)),l.format=o[c.format],l}return u[c.id]=c,n.renderbufferCount++,l(t,f),l.resize=function(t,n){var i=0|t,o=0|n||i;return i===c.width&&o===c.height||(_(i>0&&o>0&&i<=r.maxRenderbufferSize&&o<=r.maxRenderbufferSize,\"invalid renderbuffer size\"),l.width=c.width=i,l.height=c.height=o,e.bindRenderbuffer(mt,c.renderbuffer),e.renderbufferStorage(mt,c.format,i,o),_(0===e.getError(),\"invalid render buffer format\"),a.profile&&(c.stats.size=bt(c.format,c.width,c.height))),l},l._reglType=\"renderbuffer\",l._renderbuffer=c,a.profile&&(l.stats=c.stats),l.destroy=function(){c.decRef()},l},clear:function(){H(u).forEach(c)},restore:function(){H(u).forEach((function(t){t.renderbuffer=e.createRenderbuffer(),e.bindRenderbuffer(mt,t.renderbuffer),e.renderbufferStorage(mt,t.format,t.width,t.height)})),e.bindRenderbuffer(mt,null)}}}(a,d,y,l,n),E=function(e,r,n,a,i,o){var f={cur:null,next:null,dirty:!1,setFBO:null},u=[\"rgba\"],s=[\"rgba4\",\"rgb565\",\"rgb5 a1\"];r.ext_srgb&&s.push(\"srgba\"),r.ext_color_buffer_half_float&&s.push(\"rgba16f\",\"rgb16f\"),r.webgl_color_buffer_float&&s.push(\"rgba32f\");var c=[\"uint8\"];function l(e,t,r){this.target=e,this.texture=t,this.renderbuffer=r;var n=0,a=0;t?(n=t.width,a=t.height):r&&(n=r.width,a=r.height),this.width=n,this.height=a}function d(e){e&&(e.texture&&e.texture._texture.decRef(),e.renderbuffer&&e.renderbuffer._renderbuffer.decRef())}function m(e,t,r){if(e)if(e.texture){var n=e.texture._texture,a=Math.max(1,n.width),i=Math.max(1,n.height);_(a===t&&i===r,\"inconsistent width/height for supplied texture\"),n.refCount+=1}else{var o=e.renderbuffer._renderbuffer;_(o.width===t&&o.height===r,\"inconsistent width/height for renderbuffer\"),o.refCount+=1}}function p(t,r){r&&(r.texture?e.framebufferTexture2D(vt,t,r.target,r.texture._texture.texture,0):e.framebufferRenderbuffer(vt,t,gt,r.renderbuffer._renderbuffer.renderbuffer))}function h(e){var t=yt,r=null,n=null,a=e;\"object\"==typeof e&&(a=e.data,\"target\"in e&&(t=0|e.target)),_.type(a,\"function\",\"invalid attachment data\");var i=a._reglType;return\"texture2d\"===i?(r=a,_(t===yt)):\"textureCube\"===i?(r=a,_(t>=xt&&t<34075,\"invalid cube map target\")):\"renderbuffer\"===i?(n=a,t=gt):_.raise(\"invalid regl object for attachment\"),new l(t,r,n)}function b(e,t,r,n,o){if(r){var f=a.create2D({width:e,height:t,format:n,type:o});return f._texture.refCount=0,new l(yt,f,null)}var u=i.create({width:e,height:t,format:n});return u._renderbuffer.refCount=0,new l(gt,null,u)}function v(e){return e&&(e.texture||e.renderbuffer)}function g(e,t,r){e&&(e.texture?e.texture.resize(t,r):e.renderbuffer&&e.renderbuffer.resize(t,r),e.width=t,e.height=r)}r.oes_texture_half_float&&c.push(\"half float\",\"float16\"),r.oes_texture_float&&c.push(\"float\",\"float32\");var y=0,x={};function w(){this.id=y++,x[this.id]=this,this.framebuffer=e.createFramebuffer(),this.width=0,this.height=0,this.colorAttachments=[],this.depthAttachment=null,this.stencilAttachment=null,this.depthStencilAttachment=null}function A(e){e.colorAttachments.forEach(d),d(e.depthAttachment),d(e.stencilAttachment),d(e.depthStencilAttachment)}function k(t){var r=t.framebuffer;_(r,\"must not double destroy framebuffer\"),e.deleteFramebuffer(r),t.framebuffer=null,o.framebufferCount--,delete x[t.id]}function S(t){var r;e.bindFramebuffer(vt,t.framebuffer);var a=t.colorAttachments;for(r=0;r=2,\"invalid shape for framebuffer\"),o=z[0],d=z[1]}else\"radius\"in C&&(o=d=C.radius),\"width\"in C&&(o=C.width),\"height\"in C&&(d=C.height);(\"color\"in C||\"colors\"in C)&&(y=C.color||C.colors,Array.isArray(y)&&_(1===y.length||r.webgl_draw_buffers,\"multiple render targets not supported\")),y||(\"colorCount\"in C&&(O=0|C.colorCount,_(O>0,\"invalid color buffer count\")),\"colorTexture\"in C&&(x=!!C.colorTexture,w=\"rgba4\"),\"colorType\"in C&&(k=C.colorType,x?(_(r.oes_texture_float||!(\"float\"===k||\"float32\"===k),\"you must enable OES_texture_float in order to use floating point framebuffer objects\"),_(r.oes_texture_half_float||!(\"half float\"===k||\"float16\"===k),\"you must enable OES_texture_half_float in order to use 16-bit floating point framebuffer objects\")):\"half float\"===k||\"float16\"===k?(_(r.ext_color_buffer_half_float,\"you must enable EXT_color_buffer_half_float to use 16-bit render buffers\"),w=\"rgba16f\"):\"float\"!==k&&\"float32\"!==k||(_(r.webgl_color_buffer_float,\"you must enable WEBGL_color_buffer_float in order to use 32-bit floating point renderbuffers\"),w=\"rgba32f\"),_.oneOf(k,c,\"invalid color type\")),\"colorFormat\"in C&&(w=C.colorFormat,u.indexOf(w)>=0?x=!0:s.indexOf(w)>=0?x=!1:_.optional((function(){x?_.oneOf(C.colorFormat,u,\"invalid color format for texture\"):_.oneOf(C.colorFormat,s,\"invalid color format for renderbuffer\")})))),(\"depthTexture\"in C||\"depthStencilTexture\"in C)&&(j=!(!C.depthTexture&&!C.depthStencilTexture),_(!j||r.webgl_depth_texture,\"webgl_depth_texture extension not supported\")),\"depth\"in C&&(\"boolean\"==typeof C.depth?p=C.depth:(E=C.depth,g=!1)),\"stencil\"in C&&(\"boolean\"==typeof C.stencil?g=C.stencil:(T=C.stencil,p=!1)),\"depthStencil\"in C&&(\"boolean\"==typeof C.depthStencil?p=g=C.depthStencil:(D=C.depthStencil,p=!1,g=!1))}else o=d=1;var F=null,B=null,V=null,I=null;if(Array.isArray(y))F=y.map(h);else if(y)F=[h(y)];else for(F=new Array(O),a=0;a=0||F[a].renderbuffer&&kt.indexOf(F[a].renderbuffer._renderbuffer.format)>=0,\"framebuffer color attachment \"+a+\" is invalid\"),F[a]&&F[a].texture){var L=At[F[a].texture._texture.format]*_t[F[a].texture._texture.type];null===P?P=L:_(P===L,\"all color attachments much have the same number of bits per pixel.\")}return m(B,o,d),_(!B||B.texture&&6402===B.texture._texture.format||B.renderbuffer&&33189===B.renderbuffer._renderbuffer.format,\"invalid depth attachment for framebuffer object\"),m(V,o,d),_(!V||V.renderbuffer&&36168===V.renderbuffer._renderbuffer.format,\"invalid stencil attachment for framebuffer object\"),m(I,o,d),_(!I||I.texture&&34041===I.texture._texture.format||I.renderbuffer&&34041===I.renderbuffer._renderbuffer.format,\"invalid depth-stencil attachment for framebuffer object\"),A(i),i.width=o,i.height=d,i.colorAttachments=F,i.depthAttachment=B,i.stencilAttachment=V,i.depthStencilAttachment=I,l.color=F.map(v),l.depth=v(B),l.stencil=v(V),l.depthStencil=v(I),l.width=i.width,l.height=i.height,S(i),l}return o.framebufferCount++,l(e,a),t(l,{resize:function(e,t){_(f.next!==i,\"can not resize a framebuffer which is currently in use\");var r=Math.max(0|e,1),n=Math.max(0|t||r,1);if(r===i.width&&n===i.height)return l;for(var a=i.colorAttachments,o=0;o=2,\"invalid shape for framebuffer\"),_(g[0]===g[1],\"cube framebuffer must be square\"),d=g[0]}else\"radius\"in v&&(d=0|v.radius),\"width\"in v?(d=0|v.width,\"height\"in v&&_(v.height===d,\"must be square\")):\"height\"in v&&(d=0|v.height);(\"color\"in v||\"colors\"in v)&&(m=v.color||v.colors,Array.isArray(m)&&_(1===m.length||r.webgl_draw_buffers,\"multiple render targets not supported\")),m||(\"colorCount\"in v&&(b=0|v.colorCount,_(b>0,\"invalid color buffer count\")),\"colorType\"in v&&(_.oneOf(v.colorType,c,\"invalid color type\"),h=v.colorType),\"colorFormat\"in v&&(p=v.colorFormat,_.oneOf(v.colorFormat,u,\"invalid color format for texture\"))),\"depth\"in v&&(l.depth=v.depth),\"stencil\"in v&&(l.stencil=v.stencil),\"depthStencil\"in v&&(l.depthStencil=v.depthStencil)}else d=1;if(m)if(Array.isArray(m))for(s=[],n=0;n0&&(l.depth=i[0].depth,l.stencil=i[0].stencil,l.depthStencil=i[0].depthStencil),i[n]?i[n](l):i[n]=O(l)}return t(o,{width:d,height:d,color:s})}return o(e),t(o,{faces:i,resize:function(e){var t,r=0|e;if(_(r>0&&r<=n.maxCubeMapSize,\"invalid radius for cube fbo\"),r===o.width)return o;var a=o.color;for(t=0;t=0;--e){var t=I[e];t&&t(v,null,0)}a.flush(),m&&m.update()}function ce(){!Q&&I.length>0&&(Q=j.next(Y))}function le(){Q&&(j.cancel(Y),Q=null)}function de(e){e.preventDefault(),o=!0,le(),P.forEach((function(e){e()}))}function me(e){a.getError(),o=!1,f.restore(),k.restore(),x.restore(),S.restore(),O.restore(),E.restore(),A.restore(),m&&m.restore(),T.procs.refresh(),ce(),N.forEach((function(e){e()}))}function pe(e){function r(e,t){var r={},n={};return Object.keys(e).forEach((function(a){var i=e[a];if(D.isDynamic(i))n[a]=D.unbox(i,a);else{if(t&&Array.isArray(i))for(var o=0;o0)return l.call(this,function(e){for(;m.length=0,\"cannot cancel a frame twice\"),I[t]=function e(){var t=dn(I,e);I[t]=I[I.length-1],I.length-=1,I.length<=0&&le()}}}}function ge(){var e=F.viewport,t=F.scissor_box;e[0]=e[1]=t[0]=t[1]=0,v.viewportWidth=v.framebufferWidth=v.drawingBufferWidth=e[2]=t[2]=a.drawingBufferWidth,v.viewportHeight=v.framebufferHeight=v.drawingBufferHeight=e[3]=t[3]=a.drawingBufferHeight}function ye(){v.tick+=1,v.time=we(),ge(),T.procs.poll()}function xe(){S.refresh(),ge(),T.procs.refresh(),m&&m.update()}function we(){return(C()-p)/1e3}xe();var Ae=t(pe,{clear:function(e){if(_(\"object\"==typeof e&&e,\"regl.clear() takes an object as input\"),\"framebuffer\"in e)if(e.framebuffer&&\"framebufferCube\"===e.framebuffer_reglType)for(var r=0;r<6;++r)he(t({framebuffer:e.framebuffer.faces[r]},e),be);else he(e,be);else be(0,e)},prop:D.define.bind(null,1),context:D.define.bind(null,2),this:D.define.bind(null,3),draw:pe({}),buffer:function(e){return x.create(e,34962,!1,!1)},elements:function(e){return w.create(e,!1)},texture:S.create2D,cube:S.createCube,renderbuffer:O.create,framebuffer:E.create,framebufferCube:E.createCube,vao:A.createVAO,attributes:i,frame:ve,on:function(e,t){var r;switch(_.type(t,\"function\",\"listener callback must be a function\"),e){case\"frame\":return ve(t);case\"lost\":r=P;break;case\"restore\":r=N;break;case\"destroy\":r=q;break;default:_.raise(\"invalid event, must be one of frame,lost,restore,destroy\")}return r.push(t),{cancel:function(){for(var e=0;e=0},read:z,destroy:function(){I.length=0,le(),V&&(V.removeEventListener(cn,de),V.removeEventListener(ln,me)),k.clear(),E.clear(),O.clear(),A.clear(),S.clear(),w.clear(),x.clear(),m&&m.clear(),q.forEach((function(e){e()}))},_gl:a,_refresh:xe,poll:function(){ye(),m&&m.update()},now:we,stats:l});return n.onDone(null,Ae),Ae}},\"object\"==typeof r&&void 0!==t?t.exports=o():\"function\"==typeof define&&define.amd?define(o):i.createREGL=o()},\n 413: function _(t,e,a,s,r){s();const n=t(414),_=t(9),o=t(12);class c{constructor(t){this._regl=t,this._map=new Map}_create_texture(t){const e=t.length;let a=0;const s=[];let r=0,_=0;for(let n=0;nc[f+1]&&f++;const s=t[f],n=c[f]+.5*s;let o=.5*s-Math.abs(a-n);f%2==1&&(o=-o),m[e]=Math.round(255*(o-r)/(_-r))}return[[a,u,r,_],this._regl.texture({shape:[l,1,1],data:m,wrapS:\"repeat\",format:\"alpha\",type:\"uint8\",mag:\"linear\",min:\"linear\"})]}_get_key(t){return t.join(\",\")}_get_or_create(t){const e=this._get_key(t);let a=this._map.get(e);if(null==a){const s=(0,n.gcd)(t);if(s>1){t=(0,o.map)(t,(t=>t/s)),a=this._get_or_create(t);const[r,n,_]=a;a=[r,n,s],this._map.set(e,a)}else{const[r,n]=this._create_texture(t);a=[r,n,s],this._map.set(e,a)}}return a}get(t){return t.length%2==1&&(t=(0,_.concat)([t,t])),this._get_or_create(t)}}a.DashCache=c,c.__name__=\"DashCache\"},\n 414: function _(n,t,e,r,o){function u(n,t){let e,r;n>t?(e=n,r=t):(e=t,r=n);let o=e%r;for(;0!=o;)e=r,r=o,o=e%r;return r}r(),e.gcd=function(n){let t=n[0];for(let e=1;e= 0.0 ? 1.0 : -1.0;\\n}\\n\\nvoid main()\\n{\\n if (a_show_curr < 0.5) {\\n // Line segment has non-finite value at one or both ends, do not render.\\n gl_Position = vec4(-2.0, -2.0, 0.0, 1.0);\\n return;\\n }\\n\\n const float min_miter_factor_round_join_mesh = sqrt(2.0);\\n\\n int join_type = int(u_line_join + 0.5);\\n int cap_type = int(u_line_cap + 0.5);\\n float halfwidth = 0.5*(u_linewidth + u_antialias);\\n vec2 segment_along = normalize(a_point_end - a_point_start); // unit vector.\\n v_segment_length = length(a_point_end - a_point_start);\\n vec2 segment_right = right_vector(segment_along); // unit vector.\\n vec2 xy;\\n\\n bool miter_too_large_start = false;\\n bool miter_too_large_end = false;\\n\\n v_coords.y = a_position.y*halfwidth; // Overwritten later for end points.\\n\\n bool has_start_cap = a_show_prev < 0.5;\\n bool has_end_cap = a_show_next < 0.5;\\n\\n vec2 point_normal_start;\\n float cos_theta_start;\\n float turn_right_start;\\n if (has_start_cap)\\n point_normal_start = segment_right;\\n else {\\n vec2 prev_right = right_vector(normalize(a_point_start - a_point_prev));\\n point_normal_start = normalize(segment_right + prev_right);\\n cos_theta_start = dot(segment_right, point_normal_start); // Always +ve\\n turn_right_start = sign_no_zero(dot(segment_right, a_point_prev - a_point_start));\\n }\\n\\n vec2 point_normal_end;\\n float cos_theta_end;\\n float turn_right_end;\\n if (has_end_cap)\\n point_normal_end = segment_right;\\n else {\\n vec2 next_right = right_vector(normalize(a_point_next - a_point_end));\\n point_normal_end = normalize(segment_right + next_right);\\n cos_theta_end = dot(segment_right, point_normal_end); // Always +ve\\n turn_right_end = sign_no_zero(dot(segment_right, a_point_next - a_point_end));\\n }\\n\\n float miter_factor_start = 1.0 / dot(segment_right, point_normal_start);\\n float miter_factor_end = 1.0 / dot(segment_right, point_normal_end);\\n if (join_type == miter_join) {\\n // If miter too large, use bevel join instead.\\n miter_too_large_start = (miter_factor_start > u_miter_limit);\\n miter_too_large_end = (miter_factor_end > u_miter_limit);\\n }\\n\\n float sign_at_start = -sign(a_position.x); // +ve at segment start, -ve end.\\n vec2 point = sign_at_start > 0.0 ? a_point_start : a_point_end;\\n vec2 adjacent_point =\\n sign_at_start > 0.0 ? (has_start_cap ? a_point_start : a_point_prev)\\n : (has_end_cap ? a_point_end : a_point_next);\\n\\n if ( (has_start_cap && sign_at_start > 0.0) ||\\n (has_end_cap && sign_at_start < 0.0) ) {\\n // Cap.\\n xy = point - segment_right*(halfwidth*a_position.y);\\n if (cap_type == butt_cap)\\n xy -= sign_at_start*0.5*u_antialias*segment_along;\\n else\\n xy -= sign_at_start*halfwidth*segment_along;\\n }\\n else { // Join.\\n // +ve if turning to right, -ve if to left.\\n float turn_sign = sign_at_start > 0.0 ? turn_right_start : turn_right_end;\\n\\n vec2 adjacent_right = sign_at_start*normalize(right_vector(point - adjacent_point));\\n vec2 point_right = normalize(segment_right + adjacent_right);\\n float miter_factor = sign_at_start > 0.0 ? miter_factor_start : miter_factor_end;\\n bool miter_too_large = sign_at_start > 0.0 ? miter_too_large_start : miter_too_large_end;\\n\\n if (abs(a_position.x) > 1.5) {\\n // Outer point, meets prev/next segment.\\n float factor; // multiplied by halfwidth...\\n\\n if (join_type == bevel_join || (join_type == miter_join && miter_too_large))\\n factor = 1.0 / miter_factor; // cos_theta.\\n else if (join_type == round_join &&\\n miter_factor > min_miter_factor_round_join_mesh)\\n factor = 1.0;\\n else // miter, or round (small angle only).\\n factor = miter_factor;\\n\\n xy = point - point_right*(halfwidth*turn_sign*factor);\\n v_coords.y = turn_sign*halfwidth*factor / miter_factor;\\n }\\n else if (turn_sign*a_position.y < 0.0) {\\n // Inner point, meets prev/next segment.\\n float len = halfwidth*miter_factor;\\n float segment_len = v_segment_length;\\n float adjacent_len = distance(point, adjacent_point);\\n\\n if (len <= min(segment_len, adjacent_len))\\n // Normal behaviour.\\n xy = point - point_right*(len*a_position.y);\\n else\\n // For short wide line segments the inner point using the above\\n // calculation can be outside of the line. Here clipping it.\\n xy = point + segment_right*(halfwidth*turn_sign);\\n }\\n else {\\n // Point along outside edge.\\n xy = point - segment_right*(halfwidth*a_position.y);\\n if (join_type == round_join &&\\n miter_factor > min_miter_factor_round_join_mesh) {\\n xy = line_intersection(xy, segment_along,\\n point - turn_sign*point_right*halfwidth,\\n right_vector(point_right));\\n }\\n }\\n }\\n\\n vec2 pos = xy + 0.5; // Bokeh's offset.\\n pos /= u_canvas_size / u_pixel_ratio; // in 0..1\\n gl_Position = vec4(2.0*pos.x - 1.0, 1.0 - 2.0*pos.y, 0.0, 1.0);\\n\\n v_coords.x = dot(xy - a_point_start, segment_along);\\n v_flags = float(int(has_start_cap) +\\n 2*int(has_end_cap) +\\n 4*int(miter_too_large_start) +\\n 8*int(miter_too_large_end));\\n v_cos_theta_turn_right_start = cos_theta_start*turn_right_start;\\n v_cos_theta_turn_right_end = cos_theta_end*turn_right_end;\\n\\n#ifdef DASHED\\n v_length_so_far = a_length_so_far;\\n#endif\\n}\\n\"},\n 416: function _(n,t,a,i,e){i();a.default=\"\\nprecision mediump float;\\n\\nconst int butt_cap = 0;\\nconst int round_cap = 1;\\nconst int square_cap = 2;\\n\\nconst int miter_join = 0;\\nconst int round_join = 1;\\nconst int bevel_join = 2;\\n\\nuniform float u_linewidth;\\nuniform float u_antialias;\\nuniform float u_line_join;\\nuniform float u_line_cap;\\nuniform vec4 u_line_color;\\n#ifdef DASHED\\nuniform sampler2D u_dash_tex;\\nuniform vec4 u_dash_tex_info;\\nuniform float u_dash_scale;\\nuniform float u_dash_offset;\\n#endif\\n\\nvarying float v_segment_length;\\nvarying vec2 v_coords;\\nvarying float v_flags;\\nvarying float v_cos_theta_turn_right_start;\\nvarying float v_cos_theta_turn_right_end;\\n#ifdef DASHED\\nvarying float v_length_so_far;\\n#endif\\n\\nfloat cross_z(in vec2 v0, in vec2 v1)\\n{\\n return v0.x*v1.y - v0.y*v1.x;\\n}\\n\\nfloat point_line_side(in vec2 point, in vec2 start, in vec2 end)\\n{\\n // +ve if point to right of line.\\n // Alternatively could do dot product with right_vector.\\n return cross_z(point - start, end - start);\\n}\\n\\nfloat point_line_distance(in vec2 point, in vec2 start, in vec2 end)\\n{\\n return point_line_side(point, start, end) / distance(start, end);\\n}\\n\\nvec2 right_vector(in vec2 v)\\n{\\n return vec2(v.y, -v.x);\\n}\\n\\nfloat bevel_join_distance(in float sign_start, in float halfwidth)\\n{\\n float cos_theta_turn_right = sign_start > 0.0 ? v_cos_theta_turn_right_start\\n : v_cos_theta_turn_right_end;\\n float cos_theta = abs(cos_theta_turn_right);\\n float turn_right = sign(cos_theta_turn_right);\\n float distance_along = sign_start > 0.0 ? 0.0 : v_segment_length;\\n\\n // In v_coords reference frame (x is along segment, y across).\\n vec2 line_start = vec2(distance_along, halfwidth*turn_right);\\n float sin_alpha = cos_theta;\\n float cos_alpha = sqrt(1.0 - sin_alpha*sin_alpha);\\n vec2 line_along = vec2(-sign_start*turn_right*sin_alpha, -cos_alpha);\\n\\n return halfwidth + sign_start*point_line_distance(\\n v_coords, line_start, line_start+line_along);\\n}\\n\\nfloat cap(in int cap_type, in float x, in float y)\\n{\\n // x is distance along segment in direction away from end of segment,\\n // y is distance across segment.\\n if (cap_type == butt_cap)\\n return max(0.5*u_linewidth - x, abs(y));\\n else if (cap_type == square_cap)\\n return max(-x, abs(y));\\n else // cap_type == round_cap\\n return distance(vec2(min(x, 0.0), y), vec2(0.0, 0.0));\\n}\\n\\nfloat distance_to_alpha(in float dist)\\n{\\n return 1.0 - smoothstep(0.5*(u_linewidth - u_antialias),\\n 0.5*(u_linewidth + u_antialias), dist);\\n}\\n\\n#ifdef DASHED\\nfloat dash_distance(in float x)\\n{\\n // x is in direction of v_coords.x, i.e. along segment.\\n float tex_length = u_dash_tex_info.x;\\n float tex_offset = u_dash_tex_info.y;\\n float tex_dist_min = u_dash_tex_info.z;\\n float tex_dist_max = u_dash_tex_info.w;\\n\\n // Apply offset.\\n x += v_length_so_far - u_dash_scale*tex_offset + u_dash_offset;\\n\\n // Interpolate within texture to obtain distance to dash.\\n float dist = texture2D(u_dash_tex,\\n vec2(x / (tex_length*u_dash_scale), 0.0)).a;\\n\\n // Scale distance within min and max limits.\\n dist = tex_dist_min + dist*(tex_dist_max - tex_dist_min);\\n\\n return u_dash_scale*dist;\\n}\\n\\nfloat clip_dash_distance(in float x, in float offset, in float sign_along)\\n{\\n // Return clipped dash distance, sign_along is +1.0 if looking forward\\n // into next segment and -1.0 if looking backward into previous segment.\\n float half_antialias = 0.5*u_antialias;\\n\\n if (sign_along*x > half_antialias) {\\n // Outside antialias region, use usual dash distance.\\n return dash_distance(offset + x);\\n }\\n else {\\n // Inside antialias region.\\n // Dash distance at edge of antialias region clipped to half_antialias.\\n float edge_dist = min(dash_distance(offset + sign_along*half_antialias), half_antialias);\\n\\n // Physical distance from dash distance at edge of antialias region.\\n return edge_dist + sign_along*x - half_antialias;\\n }\\n}\\n\\nmat2 rotation_matrix(in float sign_start)\\n{\\n // Rotation matrix for v_coords from this segment to prev or next segment.\\n float cos_theta_turn_right = sign_start > 0.0 ? v_cos_theta_turn_right_start\\n : v_cos_theta_turn_right_end;\\n float cos_theta = abs(cos_theta_turn_right);\\n float turn_right = sign(cos_theta_turn_right);\\n\\n float sin_theta = sqrt(1.0 - cos_theta*cos_theta)*sign_start*turn_right;\\n float cos_2theta = 2.0*cos_theta*cos_theta - 1.0;\\n float sin_2theta = 2.0*sin_theta*cos_theta;\\n return mat2(cos_2theta, -sin_2theta, sin_2theta, cos_2theta);\\n}\\n#endif\\n\\nvoid main()\\n{\\n int join_type = int(u_line_join + 0.5);\\n int cap_type = int(u_line_cap + 0.5);\\n float halfwidth = 0.5*(u_linewidth + u_antialias);\\n float half_antialias = 0.5*u_antialias;\\n\\n // Extract flags.\\n int flags = int(v_flags + 0.5);\\n bool miter_too_large_end = (flags / 8 > 0);\\n flags -= 8*int(miter_too_large_end);\\n bool miter_too_large_start = (flags / 4 > 0);\\n flags -= 4*int(miter_too_large_start);\\n bool has_end_cap = (flags / 2 > 0);\\n flags -= 2*int(has_end_cap);\\n bool has_start_cap = flags > 0;\\n\\n float dist = v_coords.y; // For straight segment, and miter join.\\n\\n // Along-segment coords with respect to end of segment, +ve inside segment\\n // so equivalent to v_coords.x at start of segment.\\n float end_coords_x = v_segment_length - v_coords.x;\\n\\n if (v_coords.x <= half_antialias) {\\n // At start of segment, either cap or join.\\n if (has_start_cap)\\n dist = cap(cap_type, v_coords.x, v_coords.y);\\n else if (join_type == round_join)\\n dist = distance(v_coords, vec2(0.0, 0.0));\\n else if (join_type == bevel_join ||\\n (join_type == miter_join && miter_too_large_start))\\n dist = max(abs(dist), bevel_join_distance(1.0, halfwidth));\\n // else a miter join which uses the default dist calculation.\\n }\\n else if (end_coords_x <= half_antialias) {\\n // At end of segment, either cap or join.\\n if (has_end_cap)\\n dist = cap(cap_type, end_coords_x, v_coords.y);\\n else if (join_type == round_join)\\n dist = distance(v_coords, vec2(v_segment_length, 0));\\n else if ((join_type == bevel_join ||\\n (join_type == miter_join && miter_too_large_end)))\\n dist = max(abs(dist), bevel_join_distance(-1.0, halfwidth));\\n // else a miter join which uses the default dist calculation.\\n }\\n\\n float alpha = distance_to_alpha(abs(dist));\\n\\n#ifdef DASHED\\n if (u_dash_tex_info.x >= 0.0) {\\n // Dashes in straight segments (outside of joins) are easily calculated.\\n dist = dash_distance(v_coords.x);\\n\\n if (!has_start_cap && cap_type == butt_cap) {\\n if (v_coords.x < half_antialias) {\\n // Outer of start join rendered solid color or not at all\\n // depending on whether corner point is in dash or gap, with\\n // antialiased ends.\\n if (dash_distance(0.0) > 0.0) {\\n // Corner is solid color.\\n dist = max(dist, min(half_antialias, -v_coords.x));\\n // Avoid visible antialiasing band between corner and dash.\\n dist = max(dist, dash_distance(half_antialias));\\n }\\n else {\\n // Use large negative value so corner not colored.\\n dist = -halfwidth;\\n\\n if (v_coords.x > -half_antialias) {\\n // Consider antialias region of dash after start region.\\n float edge_dist = min(dash_distance(half_antialias), half_antialias);\\n dist = max(dist, edge_dist + v_coords.x - half_antialias);\\n }\\n }\\n }\\n\\n vec2 prev_coords = rotation_matrix(1.0)*v_coords;\\n\\n if (abs(prev_coords.y) < halfwidth && prev_coords.x < half_antialias) {\\n // Extend dashes across from end of previous segment, with antialiased end.\\n float new_dist = clip_dash_distance(prev_coords.x, 0.0, -1.0);\\n new_dist = min(new_dist, 0.5*u_linewidth - abs(prev_coords.y));\\n dist = max(dist, new_dist);\\n }\\n }\\n\\n if (!has_end_cap && cap_type == butt_cap) {\\n if (end_coords_x < half_antialias) {\\n // Similar for end join.\\n if (dash_distance(v_segment_length) > 0.0) {\\n // Corner is solid color.\\n dist = max(dist, min(half_antialias, -end_coords_x));\\n // Avoid visible antialiasing band between corner and dash.\\n dist = max(dist, dash_distance(v_segment_length - half_antialias));\\n }\\n else {\\n // Use large negative value so corner not colored.\\n dist = -halfwidth;\\n\\n if (end_coords_x > -half_antialias) {\\n // Consider antialias region of dash before end region.\\n float edge_dist = min(dash_distance(v_segment_length - half_antialias),\\n half_antialias);\\n dist = max(dist, edge_dist + end_coords_x - half_antialias);\\n }\\n }\\n }\\n\\n vec2 next_coords = rotation_matrix(-1.0)*(v_coords - vec2(v_segment_length, 0.0));\\n\\n if (abs(next_coords.y) < halfwidth && next_coords.x > -half_antialias) {\\n // Extend dashes across from next segment, with antialiased end.\\n float new_dist = clip_dash_distance(next_coords.x, v_segment_length, 1.0);\\n new_dist = min(new_dist, 0.5*u_linewidth - abs(next_coords.y));\\n dist = max(dist, new_dist);\\n }\\n }\\n\\n dist = cap(cap_type, dist, v_coords.y);\\n\\n float dash_alpha = distance_to_alpha(dist);\\n alpha = min(alpha, dash_alpha);\\n }\\n#endif\\n\\n alpha = u_line_color.a*alpha;\\n gl_FragColor = vec4(u_line_color.rgb*alpha, alpha); // Premultiplied alpha.\\n}\\n\"},\n 417: function _(n,i,e,t,a){t();e.default=\"\\nprecision mediump float;\\n\\nattribute vec2 a_position;\\nattribute vec2 a_center;\\nattribute float a_width;\\nattribute float a_height;\\nattribute float a_angle; // In radians\\nattribute float a_linewidth;\\nattribute vec4 a_line_color;\\nattribute vec4 a_fill_color;\\nattribute float a_line_cap;\\nattribute float a_line_join;\\nattribute float a_show;\\n#ifdef HATCH\\nattribute float a_hatch_pattern;\\nattribute float a_hatch_scale;\\nattribute float a_hatch_weight;\\nattribute vec4 a_hatch_color;\\n#endif\\n\\nuniform float u_pixel_ratio;\\nuniform vec2 u_canvas_size;\\nuniform float u_antialias;\\nuniform float u_size_hint;\\n\\nvarying float v_linewidth;\\nvarying vec2 v_size; // 2D size for rects compared to 1D for markers.\\nvarying vec4 v_line_color;\\nvarying vec4 v_fill_color;\\nvarying float v_line_cap;\\nvarying float v_line_join;\\nvarying vec2 v_coords;\\n#ifdef HATCH\\nvarying float v_hatch_pattern;\\nvarying float v_hatch_scale;\\nvarying float v_hatch_weight;\\nvarying vec4 v_hatch_color;\\nvarying vec2 v_hatch_coords;\\n#endif\\n\\nvoid main()\\n{\\n if (a_show < 0.5) {\\n // Do not show this rect.\\n gl_Position = vec4(-2.0, -2.0, 0.0, 1.0);\\n return;\\n }\\n\\n v_size = vec2(a_width, a_height);\\n v_linewidth = a_linewidth;\\n v_line_color = a_line_color;\\n v_fill_color = a_fill_color;\\n v_line_cap = a_line_cap;\\n v_line_join = a_line_join;\\n\\n if (v_linewidth < 1.0) {\\n // Linewidth less than 1 is implemented as 1 but with reduced alpha.\\n v_line_color.a *= v_linewidth;\\n v_linewidth = 1.0;\\n }\\n\\n#ifdef HATCH\\n v_hatch_pattern = a_hatch_pattern;\\n v_hatch_scale = a_hatch_scale;\\n v_hatch_weight = a_hatch_weight;\\n v_hatch_color = a_hatch_color;\\n#endif\\n\\n vec2 enclosing_size;\\n // Need extra size of (v_linewidth+u_antialias) if edge of marker parallel to\\n // edge of bounding box. If symmetric spike towards edge then multiply by\\n // 1/cos(theta) where theta is angle between spike and bbox edges.\\n int size_hint = int(u_size_hint + 0.5);\\n if (size_hint == 1) // Dash\\n enclosing_size = vec2(v_size.x + v_linewidth + u_antialias,\\n v_linewidth + u_antialias);\\n else if (size_hint == 2) // Dot\\n enclosing_size = 0.25*v_size + u_antialias;\\n else if (size_hint == 3) // Diamond\\n enclosing_size = vec2(v_size.x*(2.0/3.0) + (v_linewidth + u_antialias)*1.20185,\\n v_size.y + (v_linewidth + u_antialias)*1.80278);\\n else if (size_hint == 4) // Hex\\n enclosing_size = v_size + (v_linewidth + u_antialias)*vec2(2.0/sqrt(3.0), 1.0);\\n else if (size_hint == 5) // Square pin\\n enclosing_size = v_size + (v_linewidth + u_antialias)*3.1;\\n else if (size_hint == 6) // Triangle\\n enclosing_size = vec2(v_size.x + (v_linewidth + u_antialias)*sqrt(3.0),\\n v_size.y*(2.0/sqrt(3.0)) + (v_linewidth + u_antialias)*2.0);\\n else if (size_hint == 7) // Triangle pin\\n enclosing_size = v_size + (v_linewidth + u_antialias)*vec2(4.8, 6.0);\\n else if (size_hint == 8) // Star\\n enclosing_size = vec2(v_size.x*0.95106 + (v_linewidth + u_antialias)*3.0,\\n v_size.y + (v_linewidth + u_antialias)*3.2);\\n else\\n enclosing_size = v_size + v_linewidth + u_antialias;\\n\\n // Coordinates in rotated frame with respect to center of marker, used for\\n // distance functions in fragment shader.\\n v_coords = a_position*enclosing_size;\\n\\n float c = cos(-a_angle);\\n float s = sin(-a_angle);\\n mat2 rotation = mat2(c, -s, s, c);\\n\\n vec2 pos = a_center + rotation*v_coords;\\n#ifdef HATCH\\n // Coordinates for hatching in unrotated frame of reference.\\n v_hatch_coords = pos - 0.5;\\n#endif\\n pos += 0.5; // Make up for Bokeh's offset.\\n pos /= u_canvas_size / u_pixel_ratio; // 0 to 1.\\n gl_Position = vec4(2.0*pos.x - 1.0, 1.0 - 2.0*pos.y, 0.0, 1.0);\\n}\\n\"},\n 418: function _(n,i,e,t,a){t();e.default=\"\\nprecision mediump float;\\n\\nconst float SQRT2 = sqrt(2.0);\\nconst float SQRT3 = sqrt(3.0);\\nconst float PI = 3.14159265358979323846;\\n\\nconst int butt_cap = 0;\\nconst int round_cap = 1;\\nconst int square_cap = 2;\\n\\nconst int miter_join = 0;\\nconst int round_join = 1;\\nconst int bevel_join = 2;\\n\\n#ifdef HATCH\\nconst int hatch_dot = 1;\\nconst int hatch_ring = 2;\\nconst int hatch_horizontal_line = 3;\\nconst int hatch_vertical_line = 4;\\nconst int hatch_cross = 5;\\nconst int hatch_horizontal_dash = 6;\\nconst int hatch_vertical_dash = 7;\\nconst int hatch_spiral = 8;\\nconst int hatch_right_diagonal_line = 9;\\nconst int hatch_left_diagonal_line = 10;\\nconst int hatch_diagonal_cross = 11;\\nconst int hatch_right_diagonal_dash = 12;\\nconst int hatch_left_diagonal_dash = 13;\\nconst int hatch_horizontal_wave = 14;\\nconst int hatch_vertical_wave = 15;\\nconst int hatch_criss_cross = 16;\\n#endif\\n\\nuniform float u_antialias;\\n\\nvarying float v_linewidth;\\nvarying vec2 v_size;\\nvarying vec4 v_line_color;\\nvarying vec4 v_fill_color;\\nvarying float v_line_cap;\\nvarying float v_line_join;\\nvarying vec2 v_coords;\\n#ifdef HATCH\\nvarying float v_hatch_pattern;\\nvarying float v_hatch_scale;\\nvarying float v_hatch_weight;\\nvarying vec4 v_hatch_color;\\nvarying vec2 v_hatch_coords;\\n#endif\\n\\n// Lines within the marker (dot, cross, x and y) are added at the end as they are\\n// on top of the fill rather than astride it.\\n#if defined(USE_CIRCLE_DOT) || defined(USE_DIAMOND_DOT) || defined(USE_DOT) || defined(USE_HEX_DOT) || defined(USE_SQUARE_DOT) || defined(USE_STAR_DOT) || defined(USE_TRIANGLE_DOT)\\n #define APPEND_DOT\\n#endif\\n\\n#if defined(USE_CIRCLE_CROSS) || defined(USE_SQUARE_CROSS)\\n #define APPEND_CROSS\\n#endif\\n\\n#ifdef USE_DIAMOND_CROSS\\n #define APPEND_CROSS_2\\n#endif\\n\\n#ifdef USE_CIRCLE_X\\n #define APPEND_X\\n #define APPEND_X_LEN (0.5*v_size.x)\\n#endif\\n\\n#ifdef USE_SQUARE_X\\n #define APPEND_X\\n #define APPEND_X_LEN (v_size.x/SQRT2)\\n#endif\\n\\n#ifdef USE_CIRCLE_Y\\n #define APPEND_Y\\n#endif\\n\\n#if defined(USE_ASTERISK) || defined(USE_CROSS) || defined(USE_DASH) || defined(USE_DOT) || defined(USE_X) || defined(USE_Y)\\n // No fill.\\n #define LINE_ONLY\\n#endif\\n\\n#if defined(LINE_ONLY) || defined(APPEND_CROSS) || defined(APPEND_CROSS_2) || defined(APPEND_X) || defined(APPEND_Y)\\nfloat end_cap_distance(in vec2 p, in vec2 end_point, in vec2 unit_direction, in int line_cap)\\n{\\n vec2 offset = p - end_point;\\n if (line_cap == butt_cap)\\n return dot(offset, unit_direction) + 0.5*v_linewidth;\\n else if (line_cap == square_cap)\\n return dot(offset, unit_direction);\\n else if (line_cap == round_cap && dot(offset, unit_direction) > 0.0)\\n return length(offset);\\n else\\n // Default is outside of line and should be -0.5*(v_linewidth+u_antialias) or less,\\n // so here avoid the multiplication.\\n return -v_linewidth-u_antialias;\\n}\\n#endif\\n\\n#if !(defined(LINE_ONLY) || defined(USE_SQUARE_PIN) || defined(USE_TRIANGLE_PIN))\\n// For line join at a vec2 corner where 2 line segments meet, consider bevel points which are the 2\\n// points obtained by moving half a linewidth away from the corner point in the directions normal to\\n// the line segments. The line through these points is the bevel line, characterised by a vec2\\n// unit_normal and offset distance from the corner point. Edge of bevel join straddles this line,\\n// round join occurs outside of this line centred on the corner point. In general\\n// offset = (linewidth/2)*sin(alpha/2)\\n// where alpha is the angle between the 2 line segments at the corner.\\nfloat line_join_distance_no_miter(\\n in vec2 p, in vec2 corner, in vec2 unit_normal, in float offset, in int line_join)\\n{\\n // Simplified version of line_join_distance ignoring miter which most markers do implicitly\\n // as they are composed of straight line segments.\\n float dist_outside = dot((p - corner), unit_normal) - offset;\\n\\n if (line_join == bevel_join && dist_outside > -0.5*u_antialias)\\n return dist_outside + 0.5*v_linewidth;\\n else if (dist_outside > 0.0) // round_join\\n return distance(p, corner);\\n else\\n // Default is outside of line and should be -0.5*(v_linewidth+u_antialias) or less,\\n // so here avoid the multiplication.\\n return -v_linewidth-u_antialias;\\n}\\n#endif\\n\\n#if defined(USE_SQUARE_PIN) || defined(USE_TRIANGLE_PIN)\\n// Line join distance including miter but only one-sided check as assuming use of symmetry in\\n// calling function.\\nfloat line_join_distance_incl_miter(\\n in vec2 p, in vec2 corner, in vec2 unit_normal, in float offset, in int line_join,\\n vec2 miter_unit_normal)\\n{\\n float dist_outside = dot((p - corner), unit_normal) - offset;\\n\\n if (line_join == miter_join && dist_outside > 0.0)\\n return dot((p - corner), miter_unit_normal);\\n else if (line_join == bevel_join && dist_outside > -0.5*u_antialias)\\n return dist_outside + 0.5*v_linewidth;\\n else if (dist_outside > 0.0) // round_join\\n return distance(p, corner);\\n else\\n return -v_linewidth-u_antialias;\\n}\\n#endif\\n\\n#if defined(APPEND_CROSS) || defined(APPEND_X) || defined(USE_ASTERISK) || defined(USE_CROSS) || defined(USE_X)\\nfloat one_cross(in vec2 p, in int line_cap, in float len)\\n{\\n p = abs(p);\\n p = (p.y > p.x) ? p.yx : p.xy;\\n float dist = p.y;\\n float end_dist = end_cap_distance(p, vec2(len, 0.0), vec2(1.0, 0.0), line_cap);\\n return max(dist, end_dist);\\n}\\n#endif\\n\\n#ifdef APPEND_CROSS_2\\nfloat one_cross_2(in vec2 p, in int line_cap, in vec2 lengths)\\n{\\n // Cross with different length in x and y directions.\\n p = abs(p);\\n bool switch_xy = (p.y > p.x);\\n p = switch_xy ? p.yx : p.xy;\\n float len = switch_xy ? lengths.y : lengths.x;\\n float dist = p.y;\\n float end_dist = end_cap_distance(p, vec2(len, 0.0), vec2(1.0, 0.0), line_cap);\\n return max(dist, end_dist);\\n}\\n#endif\\n\\n#if defined(APPEND_Y) || defined(USE_Y)\\nfloat one_y(in vec2 p, in int line_cap, in float len)\\n{\\n p = vec2(abs(p.x), -p.y);\\n\\n // End point of line to right is (1/2, 1/3)*len*SQRT3.\\n // Unit vector along line is (1/2, 1/3)*k where k = 6/SQRT13.\\n const float k = 6.0/sqrt(13.0);\\n vec2 unit_along = vec2(0.5*k, k/3.0);\\n vec2 end_point = vec2(0.5*len*SQRT3, len*SQRT3/3.0);\\n float dist = max(abs(dot(p, vec2(-unit_along.y, unit_along.x))),\\n end_cap_distance(p, end_point, unit_along, line_cap));\\n\\n if (p.y < 0.0) {\\n // Vertical line.\\n float vert_dist = max(p.x,\\n end_cap_distance(p, vec2(0.0, -len), vec2(0.0, -1.0), line_cap));\\n dist = min(dist, vert_dist);\\n }\\n return dist;\\n}\\n#endif\\n\\n// One marker_distance function per marker type.\\n// Distance is zero on edge of marker, +ve outside and -ve inside.\\n\\n#ifdef USE_ASTERISK\\nfloat marker_distance(in vec2 p, in int line_cap, in int line_join)\\n{\\n // Assuming v_size.x == v.size_y\\n vec2 p_diag = vec2((p.x + p.y)/SQRT2, (p.x - p.y)/SQRT2);\\n float len = 0.5*v_size.x;\\n return min(one_cross(p, line_cap, len), // cross\\n one_cross(p_diag, line_cap, len)); // x\\n}\\n#endif\\n\\n#if defined(USE_CIRCLE) || defined(USE_CIRCLE_CROSS) || defined(USE_CIRCLE_DOT) || defined(USE_CIRCLE_X) || defined(USE_CIRCLE_Y)\\nfloat marker_distance(in vec2 p, in int line_cap, in int line_join)\\n{\\n // Assuming v_size.x == v.size_y\\n return length(p) - 0.5*v_size.x;\\n}\\n#endif\\n\\n#ifdef USE_CROSS\\nfloat marker_distance(in vec2 p, in int line_cap, in int line_join)\\n{\\n // Assuming v_size.x == v.size_y\\n return one_cross(p, line_cap, 0.5*v_size.x);\\n}\\n#endif\\n\\n#ifdef USE_DASH\\nfloat marker_distance(in vec2 p, in int line_cap, in int line_join)\\n{\\n p = abs(p);\\n float dist = p.y;\\n float end_dist = end_cap_distance(p, vec2(0.5*v_size.x, 0.0), vec2(1.0, 0.0), line_cap);\\n return max(dist, end_dist);\\n}\\n#endif\\n\\n#if defined(USE_DIAMOND) || defined(USE_DIAMOND_CROSS) || defined(USE_DIAMOND_DOT)\\nfloat marker_distance(in vec2 p, in int line_cap, in int line_join)\\n{\\n // Assuming v_size.x == v.size_y\\n // Only need to consider +ve quadrant, the 2 end points are (2r/3, 0) and (0, r)\\n // where r = radius = v_size.x/2.\\n // Line has outward-facing unit normal vec2(1, 2/3)/k where k = SQRT13/3\\n // hence vec2(3, 2)/SQRT13, and distance from origin of 2r/(3k) = 2r/SQRT13.\\n p = abs(p);\\n float r = 0.5*v_size.x;\\n const float SQRT13 = sqrt(13.0);\\n float dist = dot(p, vec2(3.0, 2.0))/SQRT13 - 2.0*r/SQRT13;\\n\\n if (line_join != miter_join) {\\n dist = max(dist, line_join_distance_no_miter(\\n p, vec2(0.0, r), vec2(0.0, 1.0), v_linewidth/SQRT13, line_join));\\n\\n dist = max(dist, line_join_distance_no_miter(\\n p, vec2(r*2.0/3.0, 0.0), vec2(1.0, 0.0), v_linewidth*(1.5/SQRT13), line_join));\\n }\\n\\n return dist;\\n}\\n#endif\\n\\n#ifdef USE_DOT\\nfloat marker_distance(in vec2 p, in int line_cap, in int line_join)\\n{\\n // Dot is always appended.\\n return v_linewidth+u_antialias;\\n}\\n#endif\\n\\n#if defined(USE_HEX) || defined(USE_HEX_DOT)\\nfloat marker_distance(in vec2 p, in int line_cap, in int line_join)\\n{\\n // A regular hexagon has v_size.x == v.size_y = r where r is the length of\\n // each of the 3 sides of the 6 equilateral triangles that comprise the hex.\\n // Only consider +ve quadrant, the 3 corners are at (0, h), (rx/2, h), (rx, 0)\\n // where rx = 0.5*v_size.x, ry = 0.5*v_size.y and h = ry*SQRT3/2.\\n // Sloping line has outward normal vec2(h, rx/2). Length of this is\\n // len = sqrt(h**2 + rx**2/4) to give unit normal (h, rx/2)/len and distance\\n // from origin of this line is rx*h/len.\\n p = abs(p);\\n float rx = v_size.x/2.0;\\n float h = v_size.y*(SQRT3/4.0);\\n float len_normal = sqrt(h*h + 0.25*rx*rx);\\n vec2 unit_normal = vec2(h, 0.5*rx) / len_normal;\\n float dist = max(dot(p, unit_normal) - rx*h/len_normal, // Distance from sloping line.\\n p.y - h); // Distance from horizontal line.\\n\\n if (line_join != miter_join) {\\n dist = max(dist, line_join_distance_no_miter(\\n p, vec2(rx, 0.0), vec2(1.0, 0.0), 0.5*v_linewidth*unit_normal.x, line_join));\\n\\n unit_normal = normalize(unit_normal + vec2(0.0, 1.0)); // At (rx/2, h) corner.\\n dist = max(dist, line_join_distance_no_miter(\\n p, vec2(0.5*rx, h), unit_normal, 0.5*v_linewidth*unit_normal.y, line_join));\\n }\\n return dist;\\n}\\n#endif\\n\\n#ifdef USE_PLUS\\nfloat marker_distance(in vec2 p, in int line_cap, in int line_join)\\n{\\n // Assuming v_size.x == v.size_y\\n // Only need to consider one octant, the +ve quadrant with x >= y.\\n p = abs(p);\\n p = (p.y > p.x) ? p.yx : p.xy;\\n\\n // 3 corners are (r, 0), (r, 3r/8) and (3r/8, 3r/8).\\n float r = 0.5*v_size.x;\\n p = p - vec2(r, 0.375*r); // Distance with respect to outside corner\\n float dist = max(p.x, p.y);\\n\\n if (line_join != miter_join) {\\n // Outside corner\\n dist = max(dist, line_join_distance_no_miter(\\n p, vec2(0.0, 0.0), vec2(1.0/SQRT2, 1.0/SQRT2), v_linewidth/(2.0*SQRT2), line_join));\\n\\n // Inside corner\\n dist = min(dist, -line_join_distance_no_miter(\\n p, vec2(-5.0*r/8.0, 0.0), vec2(-1.0/SQRT2, -1.0/SQRT2), v_linewidth/(2.0*SQRT2), line_join));\\n }\\n\\n return dist;\\n}\\n#endif\\n\\n#if defined(USE_SQUARE) || defined(USE_SQUARE_CROSS) || defined(USE_SQUARE_DOT) || defined(USE_SQUARE_X)\\nfloat marker_distance(in vec2 p, in int line_cap, in int line_join)\\n{\\n vec2 p2 = abs(p) - v_size/2.0; // Offset from corner\\n float dist = max(p2.x, p2.y);\\n\\n if (line_join != miter_join)\\n dist = max(dist, line_join_distance_no_miter(\\n p2, vec2(0.0, 0.0), vec2(1.0/SQRT2, 1.0/SQRT2), v_linewidth/(2.0*SQRT2), line_join));\\n\\n return dist;\\n}\\n#endif\\n\\n#ifdef USE_SQUARE_PIN\\nfloat marker_distance(in vec2 p, in int line_cap, in int line_join)\\n{\\n // Assuming v_size.x == v.size_y\\n p = abs(p);\\n p = (p.y > p.x) ? p.yx : p.xy;\\n // p is in octant between y=0 and y=x.\\n // Quadratic bezier curve passes through (r, r), (11r/16, 0) and (r, -r).\\n // Circular arc that passes through the same points has center at\\n // x = r + 231r/160 = 2.44275r and y = 0 and hence radius is\\n // x - 11r/16 = 1.75626 precisely.\\n float r = 0.5*v_size.x;\\n float center_x = r*2.44375;\\n float radius = r*1.75626;\\n float dist = radius - distance(p, vec2(center_x, 0.0));\\n\\n // Magic number is 0.5*sin(atan(8/5) - pi/4)\\n dist = max(dist, line_join_distance_incl_miter(\\n p, vec2(r, r), vec2(1.0/SQRT2, 1.0/SQRT2), v_linewidth*0.1124297533493792, line_join,\\n vec2(8.0/sqrt(89.0), -5.0/sqrt(89.0))));\\n\\n return dist;\\n}\\n#endif\\n\\n#if defined(USE_STAR) || defined(USE_STAR_DOT)\\nfloat marker_distance(in vec2 p, in int line_cap, in int line_join)\\n{\\n // Assuming v_size.x == v.size_y\\n const float SQRT5 = sqrt(5.0);\\n const float COS72 = 0.25*(SQRT5 - 1.0);\\n const float SIN72 = sqrt((5.0+SQRT5) / 8.0);\\n\\n float angle = atan(p.x, p.y); // In range -pi to +pi clockwise from +y direction.\\n angle = mod(angle, 0.4*PI) - 0.2*PI; // In range -pi/5 to +pi/5 clockwise from +y direction.\\n p = length(p)*vec2(cos(angle), abs(sin(angle))); // (x,y) in pi/10 (36 degree) sector.\\n\\n // 2 corners are at (r, 0) and (r-a*SIN72, a*COS72) where a = r sqrt(5-2*sqrt(5)).\\n // Line has outward-facing unit normal vec2(COS72, SIN72) and distance from\\n // origin of dot(vec2(r, 0), vec2(COS72, SIN72)) = r*COS72\\n float r = 0.5*v_size.x;\\n float a = r*sqrt(5.0 - 2.0*SQRT5);\\n float dist = dot(p, vec2(COS72, SIN72)) - r*COS72;\\n\\n if (line_join != miter_join) {\\n // Outside corner\\n dist = max(dist, line_join_distance_no_miter(\\n p, vec2(r, 0.0), vec2(1.0, 0.0), v_linewidth*(0.5*COS72), line_join));\\n\\n // Inside corner\\n const float COS36 = sqrt(0.5 + COS72/2.0);\\n const float SIN36 = sqrt(0.5 - COS72/2.0);\\n dist = min(dist, -line_join_distance_no_miter(\\n p, vec2(r-a*SIN72, a*COS72), vec2(-COS36, -SIN36), v_linewidth*(0.5*COS36), line_join));\\n }\\n\\n return dist;\\n}\\n#endif\\n\\n#if defined(USE_TRIANGLE) || defined(USE_TRIANGLE_DOT) || defined(USE_INVERTED_TRIANGLE)\\nfloat marker_distance(in vec2 p, in int line_cap, in int line_join)\\n{\\n // Assuming v_size.x == v.size_y\\n // For normal triangle 3 corners are at (-r, a), (r, a), (0, a-h)=(0, -2h/3)\\n // given r = radius = v_size.x/2, h = SQRT3*r, a = h/3.\\n // Sloping line has outward-facing unit normal vec2(h, -r)/2r = vec2(SQRT3, -1)/2\\n // and distance from origin of a. Horizontal line has outward-facing unit normal\\n // vec2(0, 1) and distance from origin of a.\\n float r = 0.5*v_size.x;\\n float a = r*SQRT3/3.0;\\n\\n // Only need to consider +ve x.\\n#ifdef USE_INVERTED_TRIANGLE\\n p = vec2(abs(p.x), -p.y);\\n#else\\n p = vec2(abs(p.x), p.y);\\n#endif\\n\\n float dist = max(0.5*dot(p, vec2(SQRT3, -1.0)) - a, // Distance from sloping line.\\n p.y - a); // Distance from horizontal line.\\n\\n if (line_join != miter_join) {\\n dist = max(dist, line_join_distance_no_miter(\\n p, vec2(0.0, -(2.0/SQRT3)*r), vec2(0.0, -1.0), v_linewidth*0.25, line_join));\\n\\n dist = max(dist, line_join_distance_no_miter(\\n p, vec2(r, a), vec2(SQRT3/2.0, 0.5), v_linewidth*0.25, line_join));\\n }\\n\\n return dist;\\n}\\n#endif\\n\\n#ifdef USE_TRIANGLE_PIN\\nfloat marker_distance(in vec2 p, in int line_cap, in int line_join)\\n{\\n // Assuming v_size.x == v.size_y\\n float angle = atan(p.x, -p.y); // In range -pi to +pi.\\n angle = mod(angle, PI*2.0/3.0) - PI/3.0; // In range -pi/3 to pi/3.\\n p = length(p)*vec2(cos(angle), abs(sin(angle))); // (x,y) in range 0 to pi/3.\\n // Quadratic bezier curve passes through (a, r), ((a+b)/2, 0) and (a, -r) where\\n // a = r/SQRT3, b = 3a/8 = r SQRT3/8. Circular arc that passes through the same points has\\n // center at (a+x, 0) and radius x+c where c = (a-b)/2 and x = (r**2 - c**2) / (2c).\\n // Ignore r factor until the end so can use const.\\n const float a = 1.0/SQRT3;\\n const float b = SQRT3/8.0;\\n const float c = (a-b)/2.0;\\n const float x = (1.0 - c*c) / (2.0*c);\\n const float center_x = x + a;\\n const float radius = x + c;\\n float r = 0.5*v_size.x;\\n float dist = r*radius - distance(p, vec2(r*center_x, 0.0));\\n\\n // Magic number is 0.5*sin(atan(8*sqrt(3)/5) - pi/3)\\n dist = max(dist, line_join_distance_incl_miter(\\n p, vec2(a*r, r), vec2(0.5, 0.5*SQRT3), v_linewidth*0.0881844526878324, line_join,\\n vec2(8.0*SQRT3, -5.0)/sqrt(217.0)));\\n\\n return dist;\\n}\\n#endif\\n\\n#ifdef USE_X\\nfloat marker_distance(in vec2 p, in int line_cap, in int line_join)\\n{\\n // Assuming v_size.x == v.size_y\\n p = vec2((p.x + p.y)/SQRT2, (p.x - p.y)/SQRT2);\\n return one_cross(p, line_cap, 0.5*v_size.x);\\n}\\n#endif\\n\\n#ifdef USE_Y\\nfloat marker_distance(in vec2 p, in int line_cap, in int line_join)\\n{\\n // Assuming v_size.x == v.size_y\\n return one_y(p, line_cap, 0.5*v_size.x);\\n}\\n#endif\\n\\n// Convert distance from edge of marker to fraction in range 0 to 1, depending\\n// on antialiasing width.\\nfloat distance_to_fraction(in float dist)\\n{\\n return 1.0 - smoothstep(-0.5*u_antialias, 0.5*u_antialias, dist);\\n}\\n\\n// Return fraction from 0 (no fill color) to 1 (full fill color).\\nfloat fill_fraction(in float dist)\\n{\\n return distance_to_fraction(dist);\\n}\\n\\n// Return fraction in range 0 (no line color) to 1 (full line color).\\nfloat line_fraction(in float dist)\\n{\\n return distance_to_fraction(abs(dist) - 0.5*v_linewidth);\\n}\\n\\n// Return fraction (in range 0 to 1) of a color, with premultiplied alpha.\\nvec4 fractional_color(in vec4 color, in float fraction)\\n{\\n color.a *= fraction;\\n color.rgb *= color.a;\\n return color;\\n}\\n\\n// Blend colors that have premultiplied alpha.\\nvec4 blend_colors(in vec4 src, in vec4 dest)\\n{\\n return (1.0 - src.a)*dest + src;\\n}\\n\\n#ifdef APPEND_DOT\\nfloat dot_fraction(in vec2 p)\\n{\\n // Assuming v_size.x == v_size.y\\n float radius = 0.125*v_size.x;\\n float dot_distance = max(length(p) - radius, -0.5*u_antialias);\\n return fill_fraction(dot_distance);\\n}\\n#endif\\n\\n#ifdef HATCH\\n// Wrap coordinate(s) by removing integer part to give distance from center of\\n// repeat, in the range -0.5 to +0.5.\\nfloat wrap(in float x)\\n{\\n return fract(x) - 0.5;\\n}\\n\\nvec2 wrap(in vec2 xy)\\n{\\n return fract(xy) - 0.5;\\n}\\n\\n// Return fraction from 0 (no hatch color) to 1 (full hatch color).\\nfloat hatch_fraction(in vec2 coords, in int hatch_pattern)\\n{\\n float scale = v_hatch_scale; // Hatch repeat distance.\\n\\n // Coordinates and linewidth/halfwidth are scaled to hatch repeat distance.\\n coords = coords / scale;\\n float halfwidth = 0.5*v_hatch_weight / scale; // Half the hatch linewidth.\\n\\n // Default is to return fraction of zero, i.e. no pattern.\\n float dist = u_antialias;\\n\\n if (hatch_pattern == hatch_dot) {\\n const float dot_radius = 0.25;\\n dist = length(wrap(coords)) - dot_radius;\\n }\\n else if (hatch_pattern == hatch_ring) {\\n const float ring_radius = 0.25;\\n dist = abs(length(wrap(coords)) - ring_radius) - halfwidth;\\n }\\n else if (hatch_pattern == hatch_horizontal_line) {\\n dist = abs(wrap(coords.y)) - halfwidth;\\n }\\n else if (hatch_pattern == hatch_vertical_line) {\\n dist = abs(wrap(coords.x)) - halfwidth;\\n }\\n else if (hatch_pattern == hatch_cross) {\\n dist = min(abs(wrap(coords.x)), abs(wrap(coords.y))) - halfwidth;\\n }\\n else if (hatch_pattern == hatch_horizontal_dash) {\\n // Dashes have square caps.\\n const float halflength = 0.25;\\n dist = max(abs(wrap(coords.y)),\\n abs(wrap(coords.x) + 0.25) - halflength) - halfwidth;\\n }\\n else if (hatch_pattern == hatch_vertical_dash) {\\n const float halflength = 0.25;\\n dist = max(abs(wrap(coords.x)),\\n abs(wrap(coords.y) + 0.25) - halflength) - halfwidth;\\n }\\n else if (hatch_pattern == hatch_spiral) {\\n vec2 wrap2 = wrap(coords);\\n float angle = wrap(atan(wrap2.y, wrap2.x) / (2.0*PI));\\n // Canvas spiral radius increases by scale*pi/15 each rotation.\\n const float dr = PI/15.0;\\n float radius = length(wrap2);\\n // At any angle, spiral lines are equally spaced dr apart.\\n // Find distance to nearest of these lines.\\n float frac = fract((radius - dr*angle) / dr); // 0 to 1.\\n dist = dr*(abs(frac - 0.5));\\n dist = min(dist, radius) - halfwidth; // Consider center point also.\\n }\\n else if (hatch_pattern == hatch_right_diagonal_line) {\\n dist = abs(wrap(2.0*coords.x + coords.y))/sqrt(5.0) - halfwidth;\\n }\\n else if (hatch_pattern == hatch_left_diagonal_line) {\\n dist = abs(wrap(2.0*coords.x - coords.y))/sqrt(5.0) - halfwidth;\\n }\\n else if (hatch_pattern == hatch_diagonal_cross) {\\n coords = vec2(coords.x + coords.y + 0.5, coords.x - coords.y + 0.5);\\n dist = min(abs(wrap(coords.x)), abs(wrap(coords.y))) / SQRT2 - halfwidth;\\n }\\n else if (hatch_pattern == hatch_right_diagonal_dash) {\\n float across = coords.x + coords.y + 0.5;\\n dist = abs(wrap(across)) / SQRT2; // Distance to nearest solid line.\\n\\n across = floor(across); // Offset for dash.\\n float along = wrap(0.5*(coords.x - coords.y + across));\\n const float halflength = 0.25;\\n along = abs(along) - halflength; // Distance along line.\\n\\n dist = max(dist, along) - halfwidth;\\n }\\n else if (hatch_pattern == hatch_left_diagonal_dash) {\\n float across = coords.x - coords.y + 0.5;\\n dist = abs(wrap(across)) / SQRT2; // Distance to nearest solid line.\\n\\n across = floor(across); // Offset for dash.\\n float along = wrap(0.5*(coords.x + coords.y + across));\\n const float halflength = 0.25;\\n along = abs(along) - halflength; // Distance along line.\\n\\n dist = max(dist, along) - halfwidth;\\n }\\n else if (hatch_pattern == hatch_horizontal_wave) {\\n float wrapx = wrap(coords.x);\\n float wrapy = wrap(coords.y - 0.25 + abs(wrapx));\\n dist = abs(wrapy) / SQRT2 - halfwidth;\\n }\\n else if (hatch_pattern == hatch_vertical_wave) {\\n float wrapy = wrap(coords.y);\\n float wrapx = wrap(coords.x - 0.25 + abs(wrapy));\\n dist = abs(wrapx) / SQRT2 - halfwidth;\\n }\\n else if (hatch_pattern == hatch_criss_cross) {\\n float plus = min(abs(wrap(coords.x)), abs(wrap(coords.y)));\\n\\n coords = vec2(coords.x + coords.y + 0.5, coords.x - coords.y + 0.5);\\n float X = min(abs(wrap(coords.x)), abs(wrap(coords.y))) / SQRT2;\\n\\n dist = min(plus, X) - halfwidth;\\n }\\n\\n return distance_to_fraction(dist*scale);\\n}\\n#endif\\n\\nvoid main()\\n{\\n int line_cap = int(v_line_cap + 0.5);\\n int line_join = int(v_line_join + 0.5);\\n#ifdef HATCH\\n int hatch_pattern = int(v_hatch_pattern + 0.5);\\n#endif\\n\\n float dist = marker_distance(v_coords, line_cap, line_join);\\n\\n#ifdef LINE_ONLY\\n vec4 color = vec4(0.0, 0.0, 0.0, 0.0);\\n#else\\n float fill_frac = fill_fraction(dist);\\n vec4 color = fractional_color(v_fill_color, fill_frac);\\n#endif\\n\\n#if defined(HATCH) && !defined(LINE_ONLY)\\n if (hatch_pattern > 0 && fill_frac > 0.0) {\\n float hatch_frac = hatch_fraction(v_hatch_coords, hatch_pattern);\\n vec4 hatch_color = fractional_color(v_hatch_color, hatch_frac*fill_frac);\\n color = blend_colors(hatch_color, color);\\n }\\n#endif\\n\\n float line_frac = line_fraction(dist);\\n\\n#ifdef APPEND_DOT\\n line_frac = max(line_frac, dot_fraction(v_coords));\\n#endif\\n#ifdef APPEND_CROSS\\n line_frac = max(line_frac, line_fraction(one_cross(v_coords, line_cap, 0.5*v_size.x)));\\n#endif\\n#ifdef APPEND_CROSS_2\\n vec2 lengths = vec2(v_size.x/3.0, v_size.x/2.0);\\n line_frac = max(line_frac, line_fraction(one_cross_2(v_coords, line_cap, lengths)));\\n#endif\\n#ifdef APPEND_X\\n vec2 p = vec2((v_coords.x + v_coords.y)/SQRT2, (v_coords.x - v_coords.y)/SQRT2);\\n line_frac = max(line_frac, line_fraction(one_cross(p, line_cap, APPEND_X_LEN)));\\n#endif\\n#ifdef APPEND_Y\\n line_frac = max(line_frac, line_fraction(one_y(v_coords, line_cap, 0.5*v_size.x)));\\n#endif\\n\\n if (line_frac > 0.0) {\\n vec4 line_color = fractional_color(v_line_color, line_frac);\\n color = blend_colors(line_color, color);\\n }\\n\\n gl_FragColor = color;\\n}\\n\"},\n 419: function _(t,_,i,h,e){h();const s=t(420),a=t(421),r=t(422);class l extends s.BaseGLGlyph{constructor(t,_){super(t,_),this.glyph=_,this._antialias=1.5,this._show_all=!1}_draw_one_marker_type(t,_,i){const h={scissor:this.regl_wrapper.scissor,viewport:this.regl_wrapper.viewport,canvas_size:[_.width,_.height],pixel_ratio:_.pixel_ratio,center:i._centers,width:i._widths,height:i._heights,angle:i._angles,size_hint:(0,r.marker_type_to_size_hint)(t),nmarkers:i.nvertices,antialias:this._antialias,linewidth:this._linewidths,line_color:this._line_rgba,fill_color:this._fill_rgba,line_cap:this._line_caps,line_join:this._line_joins,show:this._show};if(this._have_hatch){const _=Object.assign(Object.assign({},h),{hatch_pattern:this._hatch_patterns,hatch_scale:this._hatch_scales,hatch_weight:this._hatch_weights,hatch_color:this._hatch_rgba});this.regl_wrapper.marker_hatch(t)(_)}else this.regl_wrapper.marker_no_hatch(t)(h)}_set_visuals(){const t=this._get_visuals(),_=t.fill,i=t.line;if(null==this._linewidths&&(this._linewidths=new a.Float32Buffer(this.regl_wrapper),this._line_caps=new a.Uint8Buffer(this.regl_wrapper),this._line_joins=new a.Uint8Buffer(this.regl_wrapper),this._line_rgba=new a.NormalizedUint8Buffer(this.regl_wrapper),this._fill_rgba=new a.NormalizedUint8Buffer(this.regl_wrapper)),this._linewidths.set_from_prop(i.line_width),this._line_caps.set_from_line_cap(i.line_cap),this._line_joins.set_from_line_join(i.line_join),this._line_rgba.set_from_color(i.line_color,i.line_alpha),this._fill_rgba.set_from_color(_.fill_color,_.fill_alpha),this._have_hatch=t.hatch.doit,this._have_hatch){const _=t.hatch;null==this._hatch_patterns&&(this._hatch_patterns=new a.Uint8Buffer(this.regl_wrapper),this._hatch_scales=new a.Float32Buffer(this.regl_wrapper),this._hatch_weights=new a.Float32Buffer(this.regl_wrapper),this._hatch_rgba=new a.NormalizedUint8Buffer(this.regl_wrapper)),this._hatch_patterns.set_from_hatch_pattern(_.hatch_pattern),this._hatch_scales.set_from_prop(_.hatch_scale),this._hatch_weights.set_from_prop(_.hatch_weight),this._hatch_rgba.set_from_color(_.hatch_color,_.hatch_alpha)}}}i.BaseMarkerGL=l,l.__name__=\"BaseMarkerGL\",l.missing_point=-1e4},\n 420: function _(e,t,s,i,h){i();class a{constructor(e,t){this.glyph=t,this.nvertices=0,this.size_changed=!1,this.data_changed=!1,this.visuals_changed=!1,this.regl_wrapper=e}set_data_changed(){const{data_size:e}=this.glyph;e!=this.nvertices&&(this.nvertices=e,this.size_changed=!0),this.data_changed=!0}set_visuals_changed(){this.visuals_changed=!0}render(e,t,s){if(0==t.length)return!0;const{width:i,height:h}=this.glyph.renderer.plot_view.canvas_view.webgl.canvas,a={pixel_ratio:this.glyph.renderer.plot_view.canvas_view.pixel_ratio,width:i,height:h};return this.draw(t,s,a),!0}}s.BaseGLGlyph=a,a.__name__=\"BaseGLGlyph\"},\n 421: function _(r,t,a,e,s){e();const i=r(422),_=r(22);class n{constructor(r){this.regl_wrapper=r,this.is_scalar=!0}get_sized_array(r){return null!=this.array&&this.array.length==r||(this.array=this.new_array(r)),this.array}is_normalized(){return!1}get length(){return null!=this.array?this.array.length:0}set_from_array(r){const t=r.length,a=this.get_sized_array(t);for(let e=0;e0}_set_data(){const s=this.glyph.sx.length,i=s-1;this._is_closed=s>2&&this.glyph.sx[0]==this.glyph.sx[s-1]&&this.glyph.sy[0]==this.glyph.sy[s-1]&&isFinite(this.glyph.sx[0])&&isFinite(this.glyph.sy[0]),null==this._points&&(this._points=new o.Float32Buffer(this.regl_wrapper));const t=this._points.get_sized_array(2*(s+2));for(let i=1;is/255)),this._linewidth=s.line_width.value,this._linewidth<1&&(this._color[3]*=this._linewidth,this._linewidth=1),this._line_dash=(0,a.resolve_line_dash)(s.line_dash.value),this._is_dashed()&&([this._dash_tex_info,this._dash_tex,this._dash_scale]=this.regl_wrapper.get_dash(this._line_dash),this._dash_offset=s.line_dash_offset.value)}}t.LineGL=r,r.__name__=\"LineGL\"},\n 427: function _(s,t,i,e,r){e();const h=s(421),a=s(424);class n extends a.SingleMarkerGL{constructor(s,t){super(s,t),this.glyph=t}draw(s,t,i){this._draw_impl(s,i,t.glglyph,\"square\")}_get_visuals(){return this.glyph.visuals}_set_data(){const s=this.nvertices;null==this._centers&&(this._centers=new h.Float32Buffer(this.regl_wrapper),this._widths=new h.Float32Buffer(this.regl_wrapper),this._heights=new h.Float32Buffer(this.regl_wrapper),this._angles=new h.Float32Buffer(this.regl_wrapper),this._angles.set_from_scalar(0));const t=this._centers.get_sized_array(2*s),i=this._heights.get_sized_array(s),e=this._widths.get_sized_array(s);for(let r=0;r1||s.length<_){this._show_all=!1,n.fill(0),r=0;for(const e of s)1!=h&&i._marker_types.get(e)!=t||(n[e]=255,r++)}else this._show_all&&a==_||(this._show_all=!0,n.fill(255));this._show.update(),0!=r&&this._draw_one_marker_type(t,e,i)}}_get_visuals(){return this.glyph.visuals}_set_data(){const s=this.nvertices;null==this._centers&&(this._centers=new r.Float32Buffer(this.regl_wrapper),this._widths=new r.Float32Buffer(this.regl_wrapper),this._heights=this._widths,this._angles=new r.Float32Buffer(this.regl_wrapper));const t=this._centers.get_sized_array(2*s);for(let e=0;ethis.render()))}remove(){null!=this.icon_view&&this.icon_view.remove(),super.remove()}styles(){return[...super.styles(),d.default]}_render_button(...t){return(0,c.button)({type:\"button\",disabled:this.model.disabled,class:[h.btn,h[`btn_${this.model.button_type}`]]},...t)}render(){super.render(),this.button_el=this._render_button(this.model.label),this.button_el.addEventListener(\"click\",(()=>this.click())),null!=this.icon_view&&(\"\"!=this.model.label?(0,c.prepend)(this.button_el,this.icon_view.el,(0,c.nbsp)()):(0,c.prepend)(this.button_el,this.icon_view.el),this.icon_view.render()),this.group_el=(0,c.div)({class:h.btn_group},this.button_el),this.el.appendChild(this.group_el)}click(){}}n.AbstractButtonView=b,b.__name__=\"AbstractButtonView\";class p extends _.Control{constructor(t){super(t)}}n.AbstractButton=p,o=p,p.__name__=\"AbstractButton\",o.define((({String:t,Ref:e,Nullable:n})=>({label:[t,\"Button\"],icon:[n(e(a.AbstractIcon)),null],button_type:[r.ButtonType,\"default\"]})))},\n 442: function _(t,e,o,s,n){s();const i=t(512),l=t(43);class c extends i.WidgetView{connect_signals(){super.connect_signals();const t=this.model.properties;this.on_change(t.disabled,(()=>{for(const t of this.controls())(0,l.toggle_attribute)(t,\"disabled\",this.model.disabled)}))}}o.ControlView=c,c.__name__=\"ControlView\";class r extends i.Widget{constructor(t){super(t)}}o.Control=r,r.__name__=\"Control\"},\n 512: function _(i,e,t,n,o){var r;n();const s=i(312);class _ extends s.HTMLBoxView{get orientation(){return\"horizontal\"}get default_size(){return this.model.default_size}_width_policy(){return\"horizontal\"==this.orientation?super._width_policy():\"fixed\"}_height_policy(){return\"horizontal\"==this.orientation?\"fixed\":super._height_policy()}box_sizing(){const i=super.box_sizing();return\"horizontal\"==this.orientation?null==i.width&&(i.width=this.default_size):null==i.height&&(i.height=this.default_size),i}}t.WidgetView=_,_.__name__=\"WidgetView\";class h extends s.HTMLBox{constructor(i){super(i)}}t.Widget=h,r=h,h.__name__=\"Widget\",r.define((({Number:i})=>({default_size:[i,300]}))),r.override({margin:[5,5,5,5]})},\n 444: function _(c,t,s,n,e){n();const o=c(53),_=c(226);class a extends _.DOMView{}s.AbstractIconView=a,a.__name__=\"AbstractIconView\";class r extends o.Model{constructor(c){super(c)}}s.AbstractIcon=r,r.__name__=\"AbstractIcon\"},\n 445: function _(e,t,n,s,i){s();const h=e(1);var o;const _=e(446),u=e(43),r=e(10),c=(0,h.__importStar)(e(229)),a=c;class l extends _.TextInputView{constructor(){super(...arguments),this._open=!1,this._last_value=\"\",this._hover_index=0}styles(){return[...super.styles(),c.default]}render(){super.render(),this.input_el.addEventListener(\"keydown\",(e=>this._keydown(e))),this.input_el.addEventListener(\"keyup\",(e=>this._keyup(e))),this.menu=(0,u.div)({class:[a.menu,a.below]}),this.menu.addEventListener(\"click\",(e=>this._menu_click(e))),this.menu.addEventListener(\"mouseover\",(e=>this._menu_hover(e))),this.el.appendChild(this.menu),(0,u.undisplay)(this.menu)}change_input(){this._open&&this.menu.children.length>0?(this.model.value=this.menu.children[this._hover_index].textContent,this.input_el.focus(),this._hide_menu()):this.model.restrict||super.change_input()}_update_completions(e){(0,u.empty)(this.menu);for(const t of e){const e=(0,u.div)(t);this.menu.appendChild(e)}e.length>0&&this.menu.children[0].classList.add(a.active)}_show_menu(){if(!this._open){this._open=!0,this._hover_index=0,this._last_value=this.model.value,(0,u.display)(this.menu);const e=t=>{const{target:n}=t;n instanceof HTMLElement&&!this.el.contains(n)&&(document.removeEventListener(\"click\",e),this._hide_menu())};document.addEventListener(\"click\",e)}}_hide_menu(){this._open&&(this._open=!1,(0,u.undisplay)(this.menu))}_menu_click(e){e.target!=e.currentTarget&&e.target instanceof Element&&(this.model.value=e.target.textContent,this.input_el.focus(),this._hide_menu())}_menu_hover(e){if(e.target!=e.currentTarget&&e.target instanceof Element){let t=0;for(t=0;t0&&(this.menu.children[this._hover_index].classList.remove(a.active),this._hover_index=(0,r.clamp)(e,0,t-1),this.menu.children[this._hover_index].classList.add(a.active))}_keydown(e){}_keyup(e){switch(e.keyCode){case u.Keys.Enter:this.change_input();break;case u.Keys.Esc:this._hide_menu();break;case u.Keys.Up:this._bump_hover(this._hover_index-1);break;case u.Keys.Down:this._bump_hover(this._hover_index+1);break;default:{const e=this.input_el.value;if(e.lengthe:e=>e.toLowerCase();for(const n of this.model.completions)s(n).startsWith(s(e))&&t.push(n);this._update_completions(t),0==t.length?this._hide_menu():this._show_menu()}}}}n.AutocompleteInputView=l,l.__name__=\"AutocompleteInputView\";class d extends _.TextInput{constructor(e){super(e)}}n.AutocompleteInput=d,o=d,d.__name__=\"AutocompleteInput\",o.prototype.default_view=l,o.define((({Boolean:e,Int:t,String:n,Array:s})=>({completions:[s(n),[]],min_characters:[t,2],case_sensitive:[e,!0],restrict:[e,!0]})))},\n 446: function _(t,e,n,p,_){p();const u=t(1);var i;const s=t(447),r=t(43),x=(0,u.__importStar)(t(449));class a extends s.TextLikeInputView{_render_input(){this.input_el=(0,r.input)({type:\"text\",class:x.input})}}n.TextInputView=a,a.__name__=\"TextInputView\";class c extends s.TextLikeInput{constructor(t){super(t)}}n.TextInput=c,i=c,c.__name__=\"TextInput\",i.prototype.default_view=a},\n 447: function _(e,t,n,i,l){var s;i();const h=e(448);class a extends h.InputWidgetView{connect_signals(){super.connect_signals(),this.connect(this.model.properties.name.change,(()=>{var e;return this.input_el.name=null!==(e=this.model.name)&&void 0!==e?e:\"\"})),this.connect(this.model.properties.value.change,(()=>this.input_el.value=this.model.value)),this.connect(this.model.properties.value_input.change,(()=>this.input_el.value=this.model.value_input)),this.connect(this.model.properties.disabled.change,(()=>this.input_el.disabled=this.model.disabled)),this.connect(this.model.properties.placeholder.change,(()=>this.input_el.placeholder=this.model.placeholder)),this.connect(this.model.properties.max_length.change,(()=>{const{max_length:e}=this.model;null!=e?this.input_el.maxLength=e:this.input_el.removeAttribute(\"maxLength\")}))}render(){var e;super.render(),this._render_input();const{input_el:t}=this;t.name=null!==(e=this.model.name)&&void 0!==e?e:\"\",t.value=this.model.value,t.disabled=this.model.disabled,t.placeholder=this.model.placeholder,null!=this.model.max_length&&(t.maxLength=this.model.max_length),t.addEventListener(\"change\",(()=>this.change_input())),t.addEventListener(\"input\",(()=>this.change_input_value())),this.group_el.appendChild(t)}change_input(){this.model.value=this.input_el.value,super.change_input()}change_input_value(){this.model.value_input=this.input_el.value,super.change_input()}}n.TextLikeInputView=a,a.__name__=\"TextLikeInputView\";class u extends h.InputWidget{constructor(e){super(e)}}n.TextLikeInput=u,s=u,u.__name__=\"TextLikeInput\",s.define((({Int:e,String:t,Nullable:n})=>({value:[t,\"\"],value_input:[t,\"\"],placeholder:[t,\"\"],max_length:[n(e),null]})))},\n 448: function _(e,t,n,s,l){s();const i=e(1);var o;const r=e(442),_=e(43),p=(0,i.__importStar)(e(449)),a=p;class c extends r.ControlView{*controls(){yield this.input_el}connect_signals(){super.connect_signals(),this.connect(this.model.properties.title.change,(()=>{this.label_el.textContent=this.model.title}))}styles(){return[...super.styles(),p.default]}render(){super.render();const{title:e}=this.model;this.label_el=(0,_.label)({style:{display:0==e.length?\"none\":\"\"}},e),this.group_el=(0,_.div)({class:a.input_group},this.label_el),this.el.appendChild(this.group_el)}change_input(){}}n.InputWidgetView=c,c.__name__=\"InputWidgetView\";class d extends r.Control{constructor(e){super(e)}}n.InputWidget=d,o=d,d.__name__=\"InputWidget\",o.define((({String:e})=>({title:[e,\"\"]})))},\n 449: function _(o,p,t,n,i){n(),t.root=\"bk-root\",t.input=\"bk-input\",t.input_group=\"bk-input-group\",t.inline=\"bk-inline\",t.spin_wrapper=\"bk-spin-wrapper\",t.spin_btn=\"bk-spin-btn\",t.spin_btn_up=\"bk-spin-btn-up\",t.spin_btn_down=\"bk-spin-btn-down\",t.default='.bk-root .bk-input{display:inline-block;width:100%;flex-grow:1;min-height:31px;padding:0 12px;background-color:#fff;border:1px solid #ccc;border-radius:4px;}.bk-root .bk-input:focus{border-color:#66afe9;outline:0;box-shadow:inset 0 1px 1px rgba(0, 0, 0, 0.075), 0 0 8px rgba(102, 175, 233, 0.6);}.bk-root .bk-input::placeholder,.bk-root .bk-input:-ms-input-placeholder,.bk-root .bk-input::-moz-placeholder,.bk-root .bk-input::-webkit-input-placeholder{color:#999;opacity:1;}.bk-root .bk-input[disabled]{cursor:not-allowed;background-color:#eee;opacity:1;}.bk-root select:not([multiple]).bk-input,.bk-root select:not([size]).bk-input{height:auto;appearance:none;-webkit-appearance:none;background-image:url(\\'data:image/svg+xml;utf8,\\');background-position:right 0.5em center;background-size:8px 6px;background-repeat:no-repeat;}.bk-root select[multiple].bk-input,.bk-root select[size].bk-input,.bk-root textarea.bk-input{height:auto;}.bk-root .bk-input-group{width:100%;height:100%;display:inline-flex;flex-wrap:nowrap;align-items:start;flex-direction:column;white-space:nowrap;}.bk-root .bk-input-group.bk-inline{flex-direction:row;}.bk-root .bk-input-group.bk-inline > *:not(:first-child){margin-left:5px;}.bk-root .bk-input-group input[type=\"checkbox\"] + span,.bk-root .bk-input-group input[type=\"radio\"] + span{position:relative;top:-2px;margin-left:3px;}.bk-root .bk-input-group > .bk-spin-wrapper{display:inherit;width:inherit;height:inherit;position:relative;overflow:hidden;padding:0;vertical-align:middle;}.bk-root .bk-input-group > .bk-spin-wrapper input{padding-right:20px;}.bk-root .bk-input-group > .bk-spin-wrapper > .bk-spin-btn{position:absolute;display:block;height:50%;min-height:0;min-width:0;width:30px;padding:0;margin:0;right:0;border:none;background:none;cursor:pointer;}.bk-root .bk-input-group > .bk-spin-wrapper > .bk-spin-btn:before{content:\"\";display:inline-block;transform:translateY(-50%);border-left:5px solid transparent;border-right:5px solid transparent;}.bk-root .bk-input-group > .bk-spin-wrapper > .bk-spin-btn.bk-spin-btn-up{top:0;}.bk-root .bk-input-group > .bk-spin-wrapper > .bk-spin-btn.bk-spin-btn-up:before{border-bottom:5px solid black;}.bk-root .bk-input-group > .bk-spin-wrapper > .bk-spin-btn.bk-spin-btn-up:disabled:before{border-bottom-color:grey;}.bk-root .bk-input-group > .bk-spin-wrapper > .bk-spin-btn.bk-spin-btn-down{bottom:0;}.bk-root .bk-input-group > .bk-spin-wrapper > .bk-spin-btn.bk-spin-btn-down:before{border-top:5px solid black;}.bk-root .bk-input-group > .bk-spin-wrapper > .bk-spin-btn.bk-spin-btn-down:disabled:before{border-top-color:grey;}'},\n 450: function _(t,e,n,o,c){var s;o();const u=t(441),r=t(251);class i extends u.AbstractButtonView{click(){this.model.trigger_event(new r.ButtonClick),super.click()}}n.ButtonView=i,i.__name__=\"ButtonView\";class _ extends u.AbstractButton{constructor(t){super(t)}}n.Button=_,s=_,_.__name__=\"Button\",s.prototype.default_view=i,s.override({label:\"Button\"})},\n 451: function _(t,e,o,c,a){c();const s=t(1);var n;const i=t(452),r=t(43),u=(0,s.__importStar)(t(318));class _ extends i.ButtonGroupView{get active(){return new Set(this.model.active)}change_active(t){const{active:e}=this;e.has(t)?e.delete(t):e.add(t),this.model.active=[...e].sort()}_update_active(){const{active:t}=this;this._buttons.forEach(((e,o)=>{(0,r.classes)(e).toggle(u.active,t.has(o))}))}}o.CheckboxButtonGroupView=_,_.__name__=\"CheckboxButtonGroupView\";class h extends i.ButtonGroup{constructor(t){super(t)}}o.CheckboxButtonGroup=h,n=h,h.__name__=\"CheckboxButtonGroup\",n.prototype.default_view=_,n.define((({Int:t,Array:e})=>({active:[e(t),[]]})))},\n 452: function _(t,e,n,s,i){s();const o=t(1);var r;const a=t(453),l=t(20),d=t(43),u=(0,o.__importStar)(t(318)),_=u;class c extends a.OrientedControlView{get default_size(){return\"horizontal\"==this.orientation?this.model.default_size:void 0}*controls(){yield*this._buttons}connect_signals(){super.connect_signals();const t=this.model.properties;this.on_change(t.button_type,(()=>this.render())),this.on_change(t.labels,(()=>this.render())),this.on_change(t.active,(()=>this._update_active()))}styles(){return[...super.styles(),u.default]}render(){super.render(),this._buttons=this.model.labels.map(((t,e)=>{const n=(0,d.div)({class:[_.btn,_[`btn_${this.model.button_type}`]],disabled:this.model.disabled},t);return n.addEventListener(\"click\",(()=>this.change_active(e))),n})),this._update_active();const t=\"horizontal\"==this.model.orientation?_.horizontal:_.vertical,e=(0,d.div)({class:[_.btn_group,t]},this._buttons);this.el.appendChild(e)}}n.ButtonGroupView=c,c.__name__=\"ButtonGroupView\";class h extends a.OrientedControl{constructor(t){super(t)}}n.ButtonGroup=h,r=h,h.__name__=\"ButtonGroup\",r.define((({String:t,Array:e})=>({labels:[e(t),[]],button_type:[l.ButtonType,\"default\"]})))},\n 453: function _(n,t,e,o,r){var i;o();const a=n(442),l=n(20);class s extends a.ControlView{get orientation(){return this.model.orientation}}e.OrientedControlView=s,s.__name__=\"OrientedControlView\";class _ extends a.Control{constructor(n){super(n)}}e.OrientedControl=_,i=_,_.__name__=\"OrientedControl\",i.define((()=>({orientation:[l.Orientation,\"horizontal\"]})))},\n 454: function _(e,t,n,i,s){i();const o=e(1);var a;const c=e(455),l=e(43),d=e(9),p=(0,o.__importStar)(e(449));class r extends c.InputGroupView{render(){super.render();const e=(0,l.div)({class:[p.input_group,this.model.inline?p.inline:null]});this.el.appendChild(e);const{active:t,labels:n}=this.model;this._inputs=[];for(let i=0;ithis.change_active(i))),this._inputs.push(s),this.model.disabled&&(s.disabled=!0),(0,d.includes)(t,i)&&(s.checked=!0);const o=(0,l.label)(s,(0,l.span)(n[i]));e.appendChild(o)}}change_active(e){const t=new Set(this.model.active);t.has(e)?t.delete(e):t.add(e),this.model.active=[...t].sort()}}n.CheckboxGroupView=r,r.__name__=\"CheckboxGroupView\";class h extends c.InputGroup{constructor(e){super(e)}}n.CheckboxGroup=h,a=h,h.__name__=\"CheckboxGroup\",a.prototype.default_view=r,a.define((({Boolean:e,Int:t,String:n,Array:i})=>({active:[i(t),[]],labels:[i(n),[]],inline:[e,!1]})))},\n 455: function _(n,t,e,s,o){s();const r=n(1),u=n(442),c=(0,r.__importDefault)(n(449));class _ extends u.ControlView{*controls(){yield*this._inputs}connect_signals(){super.connect_signals(),this.connect(this.model.change,(()=>this.render()))}styles(){return[...super.styles(),c.default]}}e.InputGroupView=_,_.__name__=\"InputGroupView\";class i extends u.Control{constructor(n){super(n)}}e.InputGroup=i,i.__name__=\"InputGroup\"},\n 456: function _(e,t,i,n,o){n();const s=e(1);var l;const r=e(448),c=e(43),a=e(22),d=(0,s.__importStar)(e(449));class h extends r.InputWidgetView{connect_signals(){super.connect_signals(),this.connect(this.model.properties.name.change,(()=>{var e;return this.input_el.name=null!==(e=this.model.name)&&void 0!==e?e:\"\"})),this.connect(this.model.properties.color.change,(()=>this.input_el.value=(0,a.color2hexrgb)(this.model.color))),this.connect(this.model.properties.disabled.change,(()=>this.input_el.disabled=this.model.disabled))}render(){super.render(),this.input_el=(0,c.input)({type:\"color\",class:d.input,name:this.model.name,value:this.model.color,disabled:this.model.disabled}),this.input_el.addEventListener(\"change\",(()=>this.change_input())),this.group_el.appendChild(this.input_el)}change_input(){this.model.color=this.input_el.value,super.change_input()}}i.ColorPickerView=h,h.__name__=\"ColorPickerView\";class p extends r.InputWidget{constructor(e){super(e)}}i.ColorPicker=p,l=p,p.__name__=\"ColorPicker\",l.prototype.default_view=h,l.define((({Color:e})=>({color:[e,\"#000000\"]})))},\n 457: function _(e,t,i,n,s){n();const a=e(1);var l;const o=(0,a.__importDefault)(e(458)),d=e(448),r=e(43),c=e(20),u=e(8),h=(0,a.__importStar)(e(449)),_=(0,a.__importDefault)(e(459));function p(e){const t=[];for(const i of e)if((0,u.isString)(i))t.push(i);else{const[e,n]=i;t.push({from:e,to:n})}return t}class m extends d.InputWidgetView{connect_signals(){super.connect_signals();const{value:e,min_date:t,max_date:i,disabled_dates:n,enabled_dates:s,position:a,inline:l}=this.model.properties;this.connect(e.change,(()=>{var e;return null===(e=this._picker)||void 0===e?void 0:e.setDate(this.model.value)})),this.connect(t.change,(()=>{var e;return null===(e=this._picker)||void 0===e?void 0:e.set(\"minDate\",this.model.min_date)})),this.connect(i.change,(()=>{var e;return null===(e=this._picker)||void 0===e?void 0:e.set(\"maxDate\",this.model.max_date)})),this.connect(n.change,(()=>{var e;return null===(e=this._picker)||void 0===e?void 0:e.set(\"disable\",this.model.disabled_dates)})),this.connect(s.change,(()=>{var e;return null===(e=this._picker)||void 0===e?void 0:e.set(\"enable\",this.model.enabled_dates)})),this.connect(a.change,(()=>{var e;return null===(e=this._picker)||void 0===e?void 0:e.set(\"position\",this.model.position)})),this.connect(l.change,(()=>{var e;return null===(e=this._picker)||void 0===e?void 0:e.set(\"inline\",this.model.inline)}))}remove(){var e;null===(e=this._picker)||void 0===e||e.destroy(),super.remove()}styles(){return[...super.styles(),_.default]}render(){var e,t;null==this._picker&&(super.render(),this.input_el=(0,r.input)({type:\"text\",class:h.input,disabled:this.model.disabled}),this.group_el.appendChild(this.input_el),this._picker=(0,o.default)(this.input_el,{defaultDate:this.model.value,minDate:null!==(e=this.model.min_date)&&void 0!==e?e:void 0,maxDate:null!==(t=this.model.max_date)&&void 0!==t?t:void 0,inline:this.model.inline,position:this.model.position,disable:p(this.model.disabled_dates),enable:p(this.model.enabled_dates),onChange:(e,t,i)=>this._on_change(e,t,i)}))}_on_change(e,t,i){this.model.value=t,this.change_input()}}i.DatePickerView=m,m.__name__=\"DatePickerView\";class v extends d.InputWidget{constructor(e){super(e)}}i.DatePicker=v,l=v,v.__name__=\"DatePicker\",l.prototype.default_view=m,l.define((({Boolean:e,String:t,Array:i,Tuple:n,Or:s,Nullable:a})=>{const l=i(s(t,n(t,t)));return{value:[t],min_date:[a(t),null],max_date:[a(t),null],disabled_dates:[l,[]],enabled_dates:[l,[]],position:[c.CalendarPosition,\"auto\"],inline:[e,!1]}}))},\n 458: function _(e,n,t,a,i){\n /* flatpickr v4.6.6, @license MIT */var o,r;o=this,r=function(){\"use strict\";\n /*! *****************************************************************************\n Copyright (c) Microsoft Corporation.\n \n Permission to use, copy, modify, and/or distribute this software for any\n purpose with or without fee is hereby granted.\n \n THE SOFTWARE IS PROVIDED \"AS IS\" AND THE AUTHOR DISCLAIMS ALL WARRANTIES WITH\n REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF MERCHANTABILITY\n AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR ANY SPECIAL, DIRECT,\n INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES WHATSOEVER RESULTING FROM\n LOSS OF USE, DATA OR PROFITS, WHETHER IN AN ACTION OF CONTRACT, NEGLIGENCE OR\n OTHER TORTIOUS ACTION, ARISING OUT OF OR IN CONNECTION WITH THE USE OR\n PERFORMANCE OF THIS SOFTWARE.\n ***************************************************************************** */var e=function(){return e=Object.assign||function(e){for(var n,t=1,a=arguments.length;t\",noCalendar:!1,now:new Date,onChange:[],onClose:[],onDayCreate:[],onDestroy:[],onKeyDown:[],onMonthChange:[],onOpen:[],onParseConfig:[],onReady:[],onValueUpdate:[],onYearChange:[],onPreCalendarPosition:[],plugins:[],position:\"auto\",positionElement:void 0,prevArrow:\"\",shorthandCurrentMonth:!1,showMonths:1,static:!1,time_24hr:!1,weekNumbers:!1,wrap:!1},i={weekdays:{shorthand:[\"Sun\",\"Mon\",\"Tue\",\"Wed\",\"Thu\",\"Fri\",\"Sat\"],longhand:[\"Sunday\",\"Monday\",\"Tuesday\",\"Wednesday\",\"Thursday\",\"Friday\",\"Saturday\"]},months:{shorthand:[\"Jan\",\"Feb\",\"Mar\",\"Apr\",\"May\",\"Jun\",\"Jul\",\"Aug\",\"Sep\",\"Oct\",\"Nov\",\"Dec\"],longhand:[\"January\",\"February\",\"March\",\"April\",\"May\",\"June\",\"July\",\"August\",\"September\",\"October\",\"November\",\"December\"]},daysInMonth:[31,28,31,30,31,30,31,31,30,31,30,31],firstDayOfWeek:0,ordinal:function(e){var n=e%100;if(n>3&&n<21)return\"th\";switch(n%10){case 1:return\"st\";case 2:return\"nd\";case 3:return\"rd\";default:return\"th\"}},rangeSeparator:\" to \",weekAbbreviation:\"Wk\",scrollTitle:\"Scroll to increment\",toggleTitle:\"Click to toggle\",amPM:[\"AM\",\"PM\"],yearAriaLabel:\"Year\",monthAriaLabel:\"Month\",hourAriaLabel:\"Hour\",minuteAriaLabel:\"Minute\",time_24hr:!1},o=function(e,n){return void 0===n&&(n=2),(\"000\"+e).slice(-1*n)},r=function(e){return!0===e?1:0};function l(e,n,t){var a;return void 0===t&&(t=!1),function(){var i=this,o=arguments;null!==a&&clearTimeout(a),a=window.setTimeout((function(){a=null,t||e.apply(i,o)}),n),t&&!a&&e.apply(i,o)}}var c=function(e){return e instanceof Array?e:[e]};function d(e,n,t){if(!0===t)return e.classList.add(n);e.classList.remove(n)}function s(e,n,t){var a=window.document.createElement(e);return n=n||\"\",t=t||\"\",a.className=n,void 0!==t&&(a.textContent=t),a}function u(e){for(;e.firstChild;)e.removeChild(e.firstChild)}function f(e,n){return n(e)?e:e.parentNode?f(e.parentNode,n):void 0}function m(e,n){var t=s(\"div\",\"numInputWrapper\"),a=s(\"input\",\"numInput \"+e),i=s(\"span\",\"arrowUp\"),o=s(\"span\",\"arrowDown\");if(-1===navigator.userAgent.indexOf(\"MSIE 9.0\")?a.type=\"number\":(a.type=\"text\",a.pattern=\"\\\\d*\"),void 0!==n)for(var r in n)a.setAttribute(r,n[r]);return t.appendChild(a),t.appendChild(i),t.appendChild(o),t}function g(e){try{return\"function\"==typeof e.composedPath?e.composedPath()[0]:e.target}catch(n){return e.target}}var p=function(){},h=function(e,n,t){return t.months[n?\"shorthand\":\"longhand\"][e]},v={D:p,F:function(e,n,t){e.setMonth(t.months.longhand.indexOf(n))},G:function(e,n){e.setHours(parseFloat(n))},H:function(e,n){e.setHours(parseFloat(n))},J:function(e,n){e.setDate(parseFloat(n))},K:function(e,n,t){e.setHours(e.getHours()%12+12*r(new RegExp(t.amPM[1],\"i\").test(n)))},M:function(e,n,t){e.setMonth(t.months.shorthand.indexOf(n))},S:function(e,n){e.setSeconds(parseFloat(n))},U:function(e,n){return new Date(1e3*parseFloat(n))},W:function(e,n,t){var a=parseInt(n),i=new Date(e.getFullYear(),0,2+7*(a-1),0,0,0,0);return i.setDate(i.getDate()-i.getDay()+t.firstDayOfWeek),i},Y:function(e,n){e.setFullYear(parseFloat(n))},Z:function(e,n){return new Date(n)},d:function(e,n){e.setDate(parseFloat(n))},h:function(e,n){e.setHours(parseFloat(n))},i:function(e,n){e.setMinutes(parseFloat(n))},j:function(e,n){e.setDate(parseFloat(n))},l:p,m:function(e,n){e.setMonth(parseFloat(n)-1)},n:function(e,n){e.setMonth(parseFloat(n)-1)},s:function(e,n){e.setSeconds(parseFloat(n))},u:function(e,n){return new Date(parseFloat(n))},w:p,y:function(e,n){e.setFullYear(2e3+parseFloat(n))}},D={D:\"(\\\\w+)\",F:\"(\\\\w+)\",G:\"(\\\\d\\\\d|\\\\d)\",H:\"(\\\\d\\\\d|\\\\d)\",J:\"(\\\\d\\\\d|\\\\d)\\\\w+\",K:\"\",M:\"(\\\\w+)\",S:\"(\\\\d\\\\d|\\\\d)\",U:\"(.+)\",W:\"(\\\\d\\\\d|\\\\d)\",Y:\"(\\\\d{4})\",Z:\"(.+)\",d:\"(\\\\d\\\\d|\\\\d)\",h:\"(\\\\d\\\\d|\\\\d)\",i:\"(\\\\d\\\\d|\\\\d)\",j:\"(\\\\d\\\\d|\\\\d)\",l:\"(\\\\w+)\",m:\"(\\\\d\\\\d|\\\\d)\",n:\"(\\\\d\\\\d|\\\\d)\",s:\"(\\\\d\\\\d|\\\\d)\",u:\"(.+)\",w:\"(\\\\d\\\\d|\\\\d)\",y:\"(\\\\d{2})\"},w={Z:function(e){return e.toISOString()},D:function(e,n,t){return n.weekdays.shorthand[w.w(e,n,t)]},F:function(e,n,t){return h(w.n(e,n,t)-1,!1,n)},G:function(e,n,t){return o(w.h(e,n,t))},H:function(e){return o(e.getHours())},J:function(e,n){return void 0!==n.ordinal?e.getDate()+n.ordinal(e.getDate()):e.getDate()},K:function(e,n){return n.amPM[r(e.getHours()>11)]},M:function(e,n){return h(e.getMonth(),!0,n)},S:function(e){return o(e.getSeconds())},U:function(e){return e.getTime()/1e3},W:function(e,n,t){return t.getWeek(e)},Y:function(e){return o(e.getFullYear(),4)},d:function(e){return o(e.getDate())},h:function(e){return e.getHours()%12?e.getHours()%12:12},i:function(e){return o(e.getMinutes())},j:function(e){return e.getDate()},l:function(e,n){return n.weekdays.longhand[e.getDay()]},m:function(e){return o(e.getMonth()+1)},n:function(e){return e.getMonth()+1},s:function(e){return e.getSeconds()},u:function(e){return e.getTime()},w:function(e){return e.getDay()},y:function(e){return String(e.getFullYear()).substring(2)}},b=function(e){var n=e.config,t=void 0===n?a:n,o=e.l10n,r=void 0===o?i:o,l=e.isMobile,c=void 0!==l&&l;return function(e,n,a){var i=a||r;return void 0===t.formatDate||c?n.split(\"\").map((function(n,a,o){return w[n]&&\"\\\\\"!==o[a-1]?w[n](e,i,t):\"\\\\\"!==n?n:\"\"})).join(\"\"):t.formatDate(e,n,i)}},C=function(e){var n=e.config,t=void 0===n?a:n,o=e.l10n,r=void 0===o?i:o;return function(e,n,i,o){if(0===e||e){var l,c=o||r,d=e;if(e instanceof Date)l=new Date(e.getTime());else if(\"string\"!=typeof e&&void 0!==e.toFixed)l=new Date(e);else if(\"string\"==typeof e){var s=n||(t||a).dateFormat,u=String(e).trim();if(\"today\"===u)l=new Date,i=!0;else if(/Z$/.test(u)||/GMT$/.test(u))l=new Date(e);else if(t&&t.parseDate)l=t.parseDate(e,s);else{l=t&&t.noCalendar?new Date((new Date).setHours(0,0,0,0)):new Date((new Date).getFullYear(),0,1,0,0,0,0);for(var f=void 0,m=[],g=0,p=0,h=\"\";gl&&(u=a===w.hourElement?u-l-r(!w.amPM):i,m&&H(void 0,1,w.hourElement)),w.amPM&&f&&(1===c?u+d===23:Math.abs(u-d)>c)&&(w.amPM.textContent=w.l10n.amPM[r(w.amPM.textContent===w.l10n.amPM[0])]),a.value=o(u)}}(e);var c=w._input.value;I(),be(),w._input.value!==c&&w._debouncedChange()}function I(){if(void 0!==w.hourElement&&void 0!==w.minuteElement){var e,n,t=(parseInt(w.hourElement.value.slice(-2),10)||0)%24,a=(parseInt(w.minuteElement.value,10)||0)%60,i=void 0!==w.secondElement?(parseInt(w.secondElement.value,10)||0)%60:0;void 0!==w.amPM&&(e=t,n=w.amPM.textContent,t=e%12+12*r(n===w.l10n.amPM[1]));var o=void 0!==w.config.minTime||w.config.minDate&&w.minDateHasTime&&w.latestSelectedDateObj&&0===M(w.latestSelectedDateObj,w.config.minDate,!0);if(void 0!==w.config.maxTime||w.config.maxDate&&w.maxDateHasTime&&w.latestSelectedDateObj&&0===M(w.latestSelectedDateObj,w.config.maxDate,!0)){var l=void 0!==w.config.maxTime?w.config.maxTime:w.config.maxDate;(t=Math.min(t,l.getHours()))===l.getHours()&&(a=Math.min(a,l.getMinutes())),a===l.getMinutes()&&(i=Math.min(i,l.getSeconds()))}if(o){var c=void 0!==w.config.minTime?w.config.minTime:w.config.minDate;(t=Math.max(t,c.getHours()))===c.getHours()&&(a=Math.max(a,c.getMinutes())),a===c.getMinutes()&&(i=Math.max(i,c.getSeconds()))}O(t,a,i)}}function S(e){var n=e||w.latestSelectedDateObj;n&&O(n.getHours(),n.getMinutes(),n.getSeconds())}function _(){var e=w.config.defaultHour,n=w.config.defaultMinute,t=w.config.defaultSeconds;if(void 0!==w.config.minDate){var a=w.config.minDate.getHours(),i=w.config.minDate.getMinutes();(e=Math.max(e,a))===a&&(n=Math.max(i,n)),e===a&&n===i&&(t=w.config.minDate.getSeconds())}if(void 0!==w.config.maxDate){var o=w.config.maxDate.getHours(),r=w.config.maxDate.getMinutes();(e=Math.min(e,o))===o&&(n=Math.min(r,n)),e===o&&n===r&&(t=w.config.maxDate.getSeconds())}return{hours:e,minutes:n,seconds:t}}function O(e,n,t){void 0!==w.latestSelectedDateObj&&w.latestSelectedDateObj.setHours(e%24,n,t||0,0),w.hourElement&&w.minuteElement&&!w.isMobile&&(w.hourElement.value=o(w.config.time_24hr?e:(12+e)%12+12*r(e%12==0)),w.minuteElement.value=o(n),void 0!==w.amPM&&(w.amPM.textContent=w.l10n.amPM[r(e>=12)]),void 0!==w.secondElement&&(w.secondElement.value=o(t)))}function F(e){var n=g(e),t=parseInt(n.value)+(e.delta||0);(t/1e3>1||\"Enter\"===e.key&&!/[^\\d]/.test(t.toString()))&&Q(t)}function N(e,n,t,a){return n instanceof Array?n.forEach((function(n){return N(e,n,t,a)})):e instanceof Array?e.forEach((function(e){return N(e,n,t,a)})):(e.addEventListener(n,t,a),void w._handlers.push({element:e,event:n,handler:t,options:a}))}function A(){pe(\"onChange\")}function P(e,n){var t=void 0!==e?w.parseDate(e):w.latestSelectedDateObj||(w.config.minDate&&w.config.minDate>w.now?w.config.minDate:w.config.maxDate&&w.config.maxDate=0&&M(e,w.selectedDates[1])<=0}(n)&&!ve(n)&&o.classList.add(\"inRange\"),w.weekNumbers&&1===w.config.showMonths&&\"prevMonthDay\"!==e&&t%7==1&&w.weekNumbers.insertAdjacentHTML(\"beforeend\",\"\"+w.config.getWeek(n)+\"\"),pe(\"onDayCreate\",o),o}function L(e){e.focus(),\"range\"===w.config.mode&&ae(e)}function W(e){for(var n=e>0?0:w.config.showMonths-1,t=e>0?w.config.showMonths:-1,a=n;a!=t;a+=e)for(var i=w.daysContainer.children[a],o=e>0?0:i.children.length-1,r=e>0?i.children.length:-1,l=o;l!=r;l+=e){var c=i.children[l];if(-1===c.className.indexOf(\"hidden\")&&X(c.dateObj))return c}}function R(e,n){var t=ee(document.activeElement||document.body),a=void 0!==e?e:t?document.activeElement:void 0!==w.selectedDateElem&&ee(w.selectedDateElem)?w.selectedDateElem:void 0!==w.todayDateElem&&ee(w.todayDateElem)?w.todayDateElem:W(n>0?1:-1);void 0===a?w._input.focus():t?function(e,n){for(var t=-1===e.className.indexOf(\"Month\")?e.dateObj.getMonth():w.currentMonth,a=n>0?w.config.showMonths:-1,i=n>0?1:-1,o=t-w.currentMonth;o!=a;o+=i)for(var r=w.daysContainer.children[o],l=t-w.currentMonth===o?e.$i+n:n<0?r.children.length-1:0,c=r.children.length,d=l;d>=0&&d0?c:-1);d+=i){var s=r.children[d];if(-1===s.className.indexOf(\"hidden\")&&X(s.dateObj)&&Math.abs(e.$i-d)>=Math.abs(n))return L(s)}w.changeMonth(i),R(W(i),0)}(a,n):L(a)}function B(e,n){for(var t=(new Date(e,n,1).getDay()-w.l10n.firstDayOfWeek+7)%7,a=w.utils.getDaysInMonth((n-1+12)%12,e),i=w.utils.getDaysInMonth(n,e),o=window.document.createDocumentFragment(),r=w.config.showMonths>1,l=r?\"prevMonthDay hidden\":\"prevMonthDay\",c=r?\"nextMonthDay hidden\":\"nextMonthDay\",d=a+1-t,u=0;d<=a;d++,u++)o.appendChild(j(l,new Date(e,n-1,d),d,u));for(d=1;d<=i;d++,u++)o.appendChild(j(\"\",new Date(e,n,d),d,u));for(var f=i+1;f<=42-t&&(1===w.config.showMonths||u%7!=0);f++,u++)o.appendChild(j(c,new Date(e,n+1,f%i),f,u));var m=s(\"div\",\"dayContainer\");return m.appendChild(o),m}function J(){if(void 0!==w.daysContainer){u(w.daysContainer),w.weekNumbers&&u(w.weekNumbers);for(var e=document.createDocumentFragment(),n=0;n1||\"dropdown\"!==w.config.monthSelectorType)){var e=function(e){return!(void 0!==w.config.minDate&&w.currentYear===w.config.minDate.getFullYear()&&ew.config.maxDate.getMonth())};w.monthsDropdownContainer.tabIndex=-1,w.monthsDropdownContainer.innerHTML=\"\";for(var n=0;n<12;n++)if(e(n)){var t=s(\"option\",\"flatpickr-monthDropdown-month\");t.value=new Date(w.currentYear,n).getMonth().toString(),t.textContent=h(n,w.config.shorthandCurrentMonth,w.l10n),t.tabIndex=-1,w.currentMonth===n&&(t.selected=!0),w.monthsDropdownContainer.appendChild(t)}}}function U(){var e,n=s(\"div\",\"flatpickr-month\"),t=window.document.createDocumentFragment();w.config.showMonths>1||\"static\"===w.config.monthSelectorType?e=s(\"span\",\"cur-month\"):(w.monthsDropdownContainer=s(\"select\",\"flatpickr-monthDropdown-months\"),w.monthsDropdownContainer.setAttribute(\"aria-label\",w.l10n.monthAriaLabel),N(w.monthsDropdownContainer,\"change\",(function(e){var n=g(e),t=parseInt(n.value,10);w.changeMonth(t-w.currentMonth),pe(\"onMonthChange\")})),K(),e=w.monthsDropdownContainer);var a=m(\"cur-year\",{tabindex:\"-1\"}),i=a.getElementsByTagName(\"input\")[0];i.setAttribute(\"aria-label\",w.l10n.yearAriaLabel),w.config.minDate&&i.setAttribute(\"min\",w.config.minDate.getFullYear().toString()),w.config.maxDate&&(i.setAttribute(\"max\",w.config.maxDate.getFullYear().toString()),i.disabled=!!w.config.minDate&&w.config.minDate.getFullYear()===w.config.maxDate.getFullYear());var o=s(\"div\",\"flatpickr-current-month\");return o.appendChild(e),o.appendChild(a),t.appendChild(o),n.appendChild(t),{container:n,yearElement:i,monthElement:e}}function q(){u(w.monthNav),w.monthNav.appendChild(w.prevMonthNav),w.config.showMonths&&(w.yearElements=[],w.monthElements=[]);for(var e=w.config.showMonths;e--;){var n=U();w.yearElements.push(n.yearElement),w.monthElements.push(n.monthElement),w.monthNav.appendChild(n.container)}w.monthNav.appendChild(w.nextMonthNav)}function $(){w.weekdayContainer?u(w.weekdayContainer):w.weekdayContainer=s(\"div\",\"flatpickr-weekdays\");for(var e=w.config.showMonths;e--;){var n=s(\"div\",\"flatpickr-weekdaycontainer\");w.weekdayContainer.appendChild(n)}return z(),w.weekdayContainer}function z(){if(w.weekdayContainer){var e=w.l10n.firstDayOfWeek,t=n(w.l10n.weekdays.shorthand);e>0&&e\\n \"+t.join(\"\")+\"\\n \\n \"}}function G(e,n){void 0===n&&(n=!0);var t=n?e:e-w.currentMonth;t<0&&!0===w._hidePrevMonthArrow||t>0&&!0===w._hideNextMonthArrow||(w.currentMonth+=t,(w.currentMonth<0||w.currentMonth>11)&&(w.currentYear+=w.currentMonth>11?1:-1,w.currentMonth=(w.currentMonth+12)%12,pe(\"onYearChange\"),K()),J(),pe(\"onMonthChange\"),De())}function V(e){return!(!w.config.appendTo||!w.config.appendTo.contains(e))||w.calendarContainer.contains(e)}function Z(e){if(w.isOpen&&!w.config.inline){var n=g(e),t=V(n),a=n===w.input||n===w.altInput||w.element.contains(n)||e.path&&e.path.indexOf&&(~e.path.indexOf(w.input)||~e.path.indexOf(w.altInput)),i=\"blur\"===e.type?a&&e.relatedTarget&&!V(e.relatedTarget):!a&&!t&&!V(e.relatedTarget),o=!w.config.ignoredFocusElements.some((function(e){return e.contains(n)}));i&&o&&(void 0!==w.timeContainer&&void 0!==w.minuteElement&&void 0!==w.hourElement&&\"\"!==w.input.value&&void 0!==w.input.value&&T(),w.close(),w.config&&\"range\"===w.config.mode&&1===w.selectedDates.length&&(w.clear(!1),w.redraw()))}}function Q(e){if(!(!e||w.config.minDate&&ew.config.maxDate.getFullYear())){var n=e,t=w.currentYear!==n;w.currentYear=n||w.currentYear,w.config.maxDate&&w.currentYear===w.config.maxDate.getFullYear()?w.currentMonth=Math.min(w.config.maxDate.getMonth(),w.currentMonth):w.config.minDate&&w.currentYear===w.config.minDate.getFullYear()&&(w.currentMonth=Math.max(w.config.minDate.getMonth(),w.currentMonth)),t&&(w.redraw(),pe(\"onYearChange\"),K())}}function X(e,n){void 0===n&&(n=!0);var t=w.parseDate(e,void 0,n);if(w.config.minDate&&t&&M(t,w.config.minDate,void 0!==n?n:!w.minDateHasTime)<0||w.config.maxDate&&t&&M(t,w.config.maxDate,void 0!==n?n:!w.maxDateHasTime)>0)return!1;if(0===w.config.enable.length&&0===w.config.disable.length)return!0;if(void 0===t)return!1;for(var a=w.config.enable.length>0,i=a?w.config.enable:w.config.disable,o=0,r=void 0;o=r.from.getTime()&&t.getTime()<=r.to.getTime())return a}return!a}function ee(e){return void 0!==w.daysContainer&&-1===e.className.indexOf(\"hidden\")&&-1===e.className.indexOf(\"flatpickr-disabled\")&&w.daysContainer.contains(e)}function ne(e){e.target!==w._input||e.relatedTarget&&V(e.relatedTarget)||w.setDate(w._input.value,!0,e.target===w.altInput?w.config.altFormat:w.config.dateFormat)}function te(e){var n=g(e),t=w.config.wrap?p.contains(n):n===w._input,a=w.config.allowInput,i=w.isOpen&&(!a||!t),o=w.config.inline&&t&&!a;if(13===e.keyCode&&t){if(a)return w.setDate(w._input.value,!0,n===w.altInput?w.config.altFormat:w.config.dateFormat),n.blur();w.open()}else if(V(n)||i||o){var r=!!w.timeContainer&&w.timeContainer.contains(n);switch(e.keyCode){case 13:r?(e.preventDefault(),T(),se()):ue(e);break;case 27:e.preventDefault(),se();break;case 8:case 46:t&&!w.config.allowInput&&(e.preventDefault(),w.clear());break;case 37:case 39:if(r||t)w.hourElement&&w.hourElement.focus();else if(e.preventDefault(),void 0!==w.daysContainer&&(!1===a||document.activeElement&&ee(document.activeElement))){var l=39===e.keyCode?1:-1;e.ctrlKey?(e.stopPropagation(),G(l),R(W(1),0)):R(void 0,l)}break;case 38:case 40:e.preventDefault();var c=40===e.keyCode?1:-1;w.daysContainer&&void 0!==n.$i||n===w.input||n===w.altInput?e.ctrlKey?(e.stopPropagation(),Q(w.currentYear-c),R(W(1),0)):r||R(void 0,7*c):n===w.currentYearElement?Q(w.currentYear-c):w.config.enableTime&&(!r&&w.hourElement&&w.hourElement.focus(),T(e),w._debouncedChange());break;case 9:if(r){var d=[w.hourElement,w.minuteElement,w.secondElement,w.amPM].concat(w.pluginElements).filter((function(e){return e})),s=d.indexOf(n);if(-1!==s){var u=d[s+(e.shiftKey?-1:1)];e.preventDefault(),(u||w._input).focus()}}else!w.config.noCalendar&&w.daysContainer&&w.daysContainer.contains(n)&&e.shiftKey&&(e.preventDefault(),w._input.focus())}}if(void 0!==w.amPM&&n===w.amPM)switch(e.key){case w.l10n.amPM[0].charAt(0):case w.l10n.amPM[0].charAt(0).toLowerCase():w.amPM.textContent=w.l10n.amPM[0],I(),be();break;case w.l10n.amPM[1].charAt(0):case w.l10n.amPM[1].charAt(0).toLowerCase():w.amPM.textContent=w.l10n.amPM[1],I(),be()}(t||V(n))&&pe(\"onKeyDown\",e)}function ae(e){if(1===w.selectedDates.length&&(!e||e.classList.contains(\"flatpickr-day\")&&!e.classList.contains(\"flatpickr-disabled\"))){for(var n=e?e.dateObj.getTime():w.days.firstElementChild.dateObj.getTime(),t=w.parseDate(w.selectedDates[0],void 0,!0).getTime(),a=Math.min(n,w.selectedDates[0].getTime()),i=Math.max(n,w.selectedDates[0].getTime()),o=!1,r=0,l=0,c=a;ca&&cr)?r=c:c>t&&(!l||c0&&m0&&m>l;return g?(f.classList.add(\"notAllowed\"),[\"inRange\",\"startRange\",\"endRange\"].forEach((function(e){f.classList.remove(e)})),\"continue\"):o&&!g?\"continue\":([\"startRange\",\"inRange\",\"endRange\",\"notAllowed\"].forEach((function(e){f.classList.remove(e)})),void(void 0!==e&&(e.classList.add(n<=w.selectedDates[0].getTime()?\"startRange\":\"endRange\"),tn&&m===t&&f.classList.add(\"endRange\"),m>=r&&(0===l||m<=l)&&(d=t,u=n,(c=m)>Math.min(d,u)&&c0||t.getMinutes()>0||t.getSeconds()>0),w.selectedDates&&(w.selectedDates=w.selectedDates.filter((function(e){return X(e)})),w.selectedDates.length||\"min\"!==e||S(t),be()),w.daysContainer&&(de(),void 0!==t?w.currentYearElement[e]=t.getFullYear().toString():w.currentYearElement.removeAttribute(e),w.currentYearElement.disabled=!!a&&void 0!==t&&a.getFullYear()===t.getFullYear())}}function re(){return w.config.wrap?p.querySelector(\"[data-input]\"):p}function le(){\"object\"!=typeof w.config.locale&&void 0===k.l10ns[w.config.locale]&&w.config.errorHandler(new Error(\"flatpickr: invalid locale \"+w.config.locale)),w.l10n=e(e({},k.l10ns.default),\"object\"==typeof w.config.locale?w.config.locale:\"default\"!==w.config.locale?k.l10ns[w.config.locale]:void 0),D.K=\"(\"+w.l10n.amPM[0]+\"|\"+w.l10n.amPM[1]+\"|\"+w.l10n.amPM[0].toLowerCase()+\"|\"+w.l10n.amPM[1].toLowerCase()+\")\",void 0===e(e({},v),JSON.parse(JSON.stringify(p.dataset||{}))).time_24hr&&void 0===k.defaultConfig.time_24hr&&(w.config.time_24hr=w.l10n.time_24hr),w.formatDate=b(w),w.parseDate=C({config:w.config,l10n:w.l10n})}function ce(e){if(void 0!==w.calendarContainer){pe(\"onPreCalendarPosition\");var n=e||w._positionElement,t=Array.prototype.reduce.call(w.calendarContainer.children,(function(e,n){return e+n.offsetHeight}),0),a=w.calendarContainer.offsetWidth,i=w.config.position.split(\" \"),o=i[0],r=i.length>1?i[1]:null,l=n.getBoundingClientRect(),c=window.innerHeight-l.bottom,s=\"above\"===o||\"below\"!==o&&ct,u=window.pageYOffset+l.top+(s?-t-2:n.offsetHeight+2);if(d(w.calendarContainer,\"arrowTop\",!s),d(w.calendarContainer,\"arrowBottom\",s),!w.config.inline){var f=window.pageXOffset+l.left,m=!1,g=!1;\"center\"===r?(f-=(a-l.width)/2,m=!0):\"right\"===r&&(f-=a-l.width,g=!0),d(w.calendarContainer,\"arrowLeft\",!m&&!g),d(w.calendarContainer,\"arrowCenter\",m),d(w.calendarContainer,\"arrowRight\",g);var p=window.document.body.offsetWidth-(window.pageXOffset+l.right),h=f+a>window.document.body.offsetWidth,v=p+a>window.document.body.offsetWidth;if(d(w.calendarContainer,\"rightMost\",h),!w.config.static)if(w.calendarContainer.style.top=u+\"px\",h)if(v){var D=function(){for(var e=null,n=0;nw.currentMonth+w.config.showMonths-1)&&\"range\"!==w.config.mode;if(w.selectedDateElem=t,\"single\"===w.config.mode)w.selectedDates=[a];else if(\"multiple\"===w.config.mode){var o=ve(a);o?w.selectedDates.splice(parseInt(o),1):w.selectedDates.push(a)}else\"range\"===w.config.mode&&(2===w.selectedDates.length&&w.clear(!1,!1),w.latestSelectedDateObj=a,w.selectedDates.push(a),0!==M(a,w.selectedDates[0],!0)&&w.selectedDates.sort((function(e,n){return e.getTime()-n.getTime()})));if(I(),i){var r=w.currentYear!==a.getFullYear();w.currentYear=a.getFullYear(),w.currentMonth=a.getMonth(),r&&(pe(\"onYearChange\"),K()),pe(\"onMonthChange\")}if(De(),J(),be(),i||\"range\"===w.config.mode||1!==w.config.showMonths?void 0!==w.selectedDateElem&&void 0===w.hourElement&&w.selectedDateElem&&w.selectedDateElem.focus():L(t),void 0!==w.hourElement&&void 0!==w.hourElement&&w.hourElement.focus(),w.config.closeOnSelect){var l=\"single\"===w.config.mode&&!w.config.enableTime,c=\"range\"===w.config.mode&&2===w.selectedDates.length&&!w.config.enableTime;(l||c)&&se()}A()}}w.parseDate=C({config:w.config,l10n:w.l10n}),w._handlers=[],w.pluginElements=[],w.loadedPlugins=[],w._bind=N,w._setHoursFromDate=S,w._positionCalendar=ce,w.changeMonth=G,w.changeYear=Q,w.clear=function(e,n){if(void 0===e&&(e=!0),void 0===n&&(n=!0),w.input.value=\"\",void 0!==w.altInput&&(w.altInput.value=\"\"),void 0!==w.mobileInput&&(w.mobileInput.value=\"\"),w.selectedDates=[],w.latestSelectedDateObj=void 0,!0===n&&(w.currentYear=w._initialDate.getFullYear(),w.currentMonth=w._initialDate.getMonth()),!0===w.config.enableTime){var t=_(),a=t.hours,i=t.minutes,o=t.seconds;O(a,i,o)}w.redraw(),e&&pe(\"onChange\")},w.close=function(){w.isOpen=!1,w.isMobile||(void 0!==w.calendarContainer&&w.calendarContainer.classList.remove(\"open\"),void 0!==w._input&&w._input.classList.remove(\"active\")),pe(\"onClose\")},w._createElement=s,w.destroy=function(){void 0!==w.config&&pe(\"onDestroy\");for(var e=w._handlers.length;e--;){var n=w._handlers[e];n.element.removeEventListener(n.event,n.handler,n.options)}if(w._handlers=[],w.mobileInput)w.mobileInput.parentNode&&w.mobileInput.parentNode.removeChild(w.mobileInput),w.mobileInput=void 0;else if(w.calendarContainer&&w.calendarContainer.parentNode)if(w.config.static&&w.calendarContainer.parentNode){var t=w.calendarContainer.parentNode;if(t.lastChild&&t.removeChild(t.lastChild),t.parentNode){for(;t.firstChild;)t.parentNode.insertBefore(t.firstChild,t);t.parentNode.removeChild(t)}}else w.calendarContainer.parentNode.removeChild(w.calendarContainer);w.altInput&&(w.input.type=\"text\",w.altInput.parentNode&&w.altInput.parentNode.removeChild(w.altInput),delete w.altInput),w.input&&(w.input.type=w.input._type,w.input.classList.remove(\"flatpickr-input\"),w.input.removeAttribute(\"readonly\")),[\"_showTimeInput\",\"latestSelectedDateObj\",\"_hideNextMonthArrow\",\"_hidePrevMonthArrow\",\"__hideNextMonthArrow\",\"__hidePrevMonthArrow\",\"isMobile\",\"isOpen\",\"selectedDateElem\",\"minDateHasTime\",\"maxDateHasTime\",\"days\",\"daysContainer\",\"_input\",\"_positionElement\",\"innerContainer\",\"rContainer\",\"monthNav\",\"todayDateElem\",\"calendarContainer\",\"weekdayContainer\",\"prevMonthNav\",\"nextMonthNav\",\"monthsDropdownContainer\",\"currentMonthElement\",\"currentYearElement\",\"navigationCurrentMonth\",\"selectedDateElem\",\"config\"].forEach((function(e){try{delete w[e]}catch(e){}}))},w.isEnabled=X,w.jumpToDate=P,w.open=function(e,n){if(void 0===n&&(n=w._positionElement),!0===w.isMobile){if(e){e.preventDefault();var t=g(e);t&&t.blur()}return void 0!==w.mobileInput&&(w.mobileInput.focus(),w.mobileInput.click()),void pe(\"onOpen\")}if(!w._input.disabled&&!w.config.inline){var a=w.isOpen;w.isOpen=!0,a||(w.calendarContainer.classList.add(\"open\"),w._input.classList.add(\"active\"),pe(\"onOpen\"),ce(n)),!0===w.config.enableTime&&!0===w.config.noCalendar&&(!1!==w.config.allowInput||void 0!==e&&w.timeContainer.contains(e.relatedTarget)||setTimeout((function(){return w.hourElement.select()}),50))}},w.redraw=de,w.set=function(e,n){if(null!==e&&\"object\"==typeof e)for(var a in Object.assign(w.config,e),e)void 0!==fe[a]&&fe[a].forEach((function(e){return e()}));else w.config[e]=n,void 0!==fe[e]?fe[e].forEach((function(e){return e()})):t.indexOf(e)>-1&&(w.config[e]=c(n));w.redraw(),be(!0)},w.setDate=function(e,n,t){if(void 0===n&&(n=!1),void 0===t&&(t=w.config.dateFormat),0!==e&&!e||e instanceof Array&&0===e.length)return w.clear(n);me(e,t),w.latestSelectedDateObj=w.selectedDates[w.selectedDates.length-1],w.redraw(),P(void 0,n),S(),0===w.selectedDates.length&&w.clear(!1),be(n),n&&pe(\"onChange\")},w.toggle=function(e){if(!0===w.isOpen)return w.close();w.open(e)};var fe={locale:[le,z],showMonths:[q,E,$],minDate:[P],maxDate:[P]};function me(e,n){var t=[];if(e instanceof Array)t=e.map((function(e){return w.parseDate(e,n)}));else if(e instanceof Date||\"number\"==typeof e)t=[w.parseDate(e,n)];else if(\"string\"==typeof e)switch(w.config.mode){case\"single\":case\"time\":t=[w.parseDate(e,n)];break;case\"multiple\":t=e.split(w.config.conjunction).map((function(e){return w.parseDate(e,n)}));break;case\"range\":t=e.split(w.l10n.rangeSeparator).map((function(e){return w.parseDate(e,n)}))}else w.config.errorHandler(new Error(\"Invalid date supplied: \"+JSON.stringify(e)));w.selectedDates=w.config.allowInvalidPreload?t:t.filter((function(e){return e instanceof Date&&X(e,!1)})),\"range\"===w.config.mode&&w.selectedDates.sort((function(e,n){return e.getTime()-n.getTime()}))}function ge(e){return e.slice().map((function(e){return\"string\"==typeof e||\"number\"==typeof e||e instanceof Date?w.parseDate(e,void 0,!0):e&&\"object\"==typeof e&&e.from&&e.to?{from:w.parseDate(e.from,void 0),to:w.parseDate(e.to,void 0)}:e})).filter((function(e){return e}))}function pe(e,n){if(void 0!==w.config){var t=w.config[e];if(void 0!==t&&t.length>0)for(var a=0;t[a]&&a1||\"static\"===w.config.monthSelectorType?w.monthElements[n].textContent=h(t.getMonth(),w.config.shorthandCurrentMonth,w.l10n)+\" \":w.monthsDropdownContainer.value=t.getMonth().toString(),e.value=t.getFullYear().toString()})),w._hidePrevMonthArrow=void 0!==w.config.minDate&&(w.currentYear===w.config.minDate.getFullYear()?w.currentMonth<=w.config.minDate.getMonth():w.currentYearw.config.maxDate.getMonth():w.currentYear>w.config.maxDate.getFullYear()))}function we(e){return w.selectedDates.map((function(n){return w.formatDate(n,e)})).filter((function(e,n,t){return\"range\"!==w.config.mode||w.config.enableTime||t.indexOf(e)===n})).join(\"range\"!==w.config.mode?w.config.conjunction:w.l10n.rangeSeparator)}function be(e){void 0===e&&(e=!0),void 0!==w.mobileInput&&w.mobileFormatStr&&(w.mobileInput.value=void 0!==w.latestSelectedDateObj?w.formatDate(w.latestSelectedDateObj,w.mobileFormatStr):\"\"),w.input.value=we(w.config.dateFormat),void 0!==w.altInput&&(w.altInput.value=we(w.config.altFormat)),!1!==e&&pe(\"onValueUpdate\")}function Ce(e){var n=g(e),t=w.prevMonthNav.contains(n),a=w.nextMonthNav.contains(n);t||a?G(t?-1:1):w.yearElements.indexOf(n)>=0?n.select():n.classList.contains(\"arrowUp\")?w.changeYear(w.currentYear+1):n.classList.contains(\"arrowDown\")&&w.changeYear(w.currentYear-1)}return function(){w.element=w.input=p,w.isOpen=!1,function(){var n=[\"wrap\",\"weekNumbers\",\"allowInput\",\"allowInvalidPreload\",\"clickOpens\",\"time_24hr\",\"enableTime\",\"noCalendar\",\"altInput\",\"shorthandCurrentMonth\",\"inline\",\"static\",\"enableSeconds\",\"disableMobile\"],i=e(e({},JSON.parse(JSON.stringify(p.dataset||{}))),v),o={};w.config.parseDate=i.parseDate,w.config.formatDate=i.formatDate,Object.defineProperty(w.config,\"enable\",{get:function(){return w.config._enable},set:function(e){w.config._enable=ge(e)}}),Object.defineProperty(w.config,\"disable\",{get:function(){return w.config._disable},set:function(e){w.config._disable=ge(e)}});var r=\"time\"===i.mode;if(!i.dateFormat&&(i.enableTime||r)){var l=k.defaultConfig.dateFormat||a.dateFormat;o.dateFormat=i.noCalendar||r?\"H:i\"+(i.enableSeconds?\":S\":\"\"):l+\" H:i\"+(i.enableSeconds?\":S\":\"\")}if(i.altInput&&(i.enableTime||r)&&!i.altFormat){var d=k.defaultConfig.altFormat||a.altFormat;o.altFormat=i.noCalendar||r?\"h:i\"+(i.enableSeconds?\":S K\":\" K\"):d+\" h:i\"+(i.enableSeconds?\":S\":\"\")+\" K\"}Object.defineProperty(w.config,\"minDate\",{get:function(){return w.config._minDate},set:oe(\"min\")}),Object.defineProperty(w.config,\"maxDate\",{get:function(){return w.config._maxDate},set:oe(\"max\")});var s=function(e){return function(n){w.config[\"min\"===e?\"_minTime\":\"_maxTime\"]=w.parseDate(n,\"H:i:S\")}};Object.defineProperty(w.config,\"minTime\",{get:function(){return w.config._minTime},set:s(\"min\")}),Object.defineProperty(w.config,\"maxTime\",{get:function(){return w.config._maxTime},set:s(\"max\")}),\"time\"===i.mode&&(w.config.noCalendar=!0,w.config.enableTime=!0),Object.assign(w.config,o,i);for(var u=0;u-1?w.config[m]=c(f[m]).map(x).concat(w.config[m]):void 0===i[m]&&(w.config[m]=f[m])}i.altInputClass||(w.config.altInputClass=re().className+\" \"+w.config.altInputClass),pe(\"onParseConfig\")}(),le(),w.input=re(),w.input?(w.input._type=w.input.type,w.input.type=\"text\",w.input.classList.add(\"flatpickr-input\"),w._input=w.input,w.config.altInput&&(w.altInput=s(w.input.nodeName,w.config.altInputClass),w._input=w.altInput,w.altInput.placeholder=w.input.placeholder,w.altInput.disabled=w.input.disabled,w.altInput.required=w.input.required,w.altInput.tabIndex=w.input.tabIndex,w.altInput.type=\"text\",w.input.setAttribute(\"type\",\"hidden\"),!w.config.static&&w.input.parentNode&&w.input.parentNode.insertBefore(w.altInput,w.input.nextSibling)),w.config.allowInput||w._input.setAttribute(\"readonly\",\"readonly\"),w._positionElement=w.config.positionElement||w._input):w.config.errorHandler(new Error(\"Invalid input element specified\")),function(){w.selectedDates=[],w.now=w.parseDate(w.config.now)||new Date;var e=w.config.defaultDate||(\"INPUT\"!==w.input.nodeName&&\"TEXTAREA\"!==w.input.nodeName||!w.input.placeholder||w.input.value!==w.input.placeholder?w.input.value:null);e&&me(e,w.config.dateFormat),w._initialDate=w.selectedDates.length>0?w.selectedDates[0]:w.config.minDate&&w.config.minDate.getTime()>w.now.getTime()?w.config.minDate:w.config.maxDate&&w.config.maxDate.getTime()0&&(w.latestSelectedDateObj=w.selectedDates[0]),void 0!==w.config.minTime&&(w.config.minTime=w.parseDate(w.config.minTime,\"H:i\")),void 0!==w.config.maxTime&&(w.config.maxTime=w.parseDate(w.config.maxTime,\"H:i\")),w.minDateHasTime=!!w.config.minDate&&(w.config.minDate.getHours()>0||w.config.minDate.getMinutes()>0||w.config.minDate.getSeconds()>0),w.maxDateHasTime=!!w.config.maxDate&&(w.config.maxDate.getHours()>0||w.config.maxDate.getMinutes()>0||w.config.maxDate.getSeconds()>0)}(),w.utils={getDaysInMonth:function(e,n){return void 0===e&&(e=w.currentMonth),void 0===n&&(n=w.currentYear),1===e&&(n%4==0&&n%100!=0||n%400==0)?29:w.l10n.daysInMonth[e]}},w.isMobile||function(){var e=window.document.createDocumentFragment();if(w.calendarContainer=s(\"div\",\"flatpickr-calendar\"),w.calendarContainer.tabIndex=-1,!w.config.noCalendar){if(e.appendChild((w.monthNav=s(\"div\",\"flatpickr-months\"),w.yearElements=[],w.monthElements=[],w.prevMonthNav=s(\"span\",\"flatpickr-prev-month\"),w.prevMonthNav.innerHTML=w.config.prevArrow,w.nextMonthNav=s(\"span\",\"flatpickr-next-month\"),w.nextMonthNav.innerHTML=w.config.nextArrow,q(),Object.defineProperty(w,\"_hidePrevMonthArrow\",{get:function(){return w.__hidePrevMonthArrow},set:function(e){w.__hidePrevMonthArrow!==e&&(d(w.prevMonthNav,\"flatpickr-disabled\",e),w.__hidePrevMonthArrow=e)}}),Object.defineProperty(w,\"_hideNextMonthArrow\",{get:function(){return w.__hideNextMonthArrow},set:function(e){w.__hideNextMonthArrow!==e&&(d(w.nextMonthNav,\"flatpickr-disabled\",e),w.__hideNextMonthArrow=e)}}),w.currentYearElement=w.yearElements[0],De(),w.monthNav)),w.innerContainer=s(\"div\",\"flatpickr-innerContainer\"),w.config.weekNumbers){var n=function(){w.calendarContainer.classList.add(\"hasWeeks\");var e=s(\"div\",\"flatpickr-weekwrapper\");e.appendChild(s(\"span\",\"flatpickr-weekday\",w.l10n.weekAbbreviation));var n=s(\"div\",\"flatpickr-weeks\");return e.appendChild(n),{weekWrapper:e,weekNumbers:n}}(),t=n.weekWrapper,a=n.weekNumbers;w.innerContainer.appendChild(t),w.weekNumbers=a,w.weekWrapper=t}w.rContainer=s(\"div\",\"flatpickr-rContainer\"),w.rContainer.appendChild($()),w.daysContainer||(w.daysContainer=s(\"div\",\"flatpickr-days\"),w.daysContainer.tabIndex=-1),J(),w.rContainer.appendChild(w.daysContainer),w.innerContainer.appendChild(w.rContainer),e.appendChild(w.innerContainer)}w.config.enableTime&&e.appendChild(function(){w.calendarContainer.classList.add(\"hasTime\"),w.config.noCalendar&&w.calendarContainer.classList.add(\"noCalendar\"),w.timeContainer=s(\"div\",\"flatpickr-time\"),w.timeContainer.tabIndex=-1;var e=s(\"span\",\"flatpickr-time-separator\",\":\"),n=m(\"flatpickr-hour\",{\"aria-label\":w.l10n.hourAriaLabel});w.hourElement=n.getElementsByTagName(\"input\")[0];var t=m(\"flatpickr-minute\",{\"aria-label\":w.l10n.minuteAriaLabel});if(w.minuteElement=t.getElementsByTagName(\"input\")[0],w.hourElement.tabIndex=w.minuteElement.tabIndex=-1,w.hourElement.value=o(w.latestSelectedDateObj?w.latestSelectedDateObj.getHours():w.config.time_24hr?w.config.defaultHour:function(e){switch(e%24){case 0:case 12:return 12;default:return e%12}}(w.config.defaultHour)),w.minuteElement.value=o(w.latestSelectedDateObj?w.latestSelectedDateObj.getMinutes():w.config.defaultMinute),w.hourElement.setAttribute(\"step\",w.config.hourIncrement.toString()),w.minuteElement.setAttribute(\"step\",w.config.minuteIncrement.toString()),w.hourElement.setAttribute(\"min\",w.config.time_24hr?\"0\":\"1\"),w.hourElement.setAttribute(\"max\",w.config.time_24hr?\"23\":\"12\"),w.minuteElement.setAttribute(\"min\",\"0\"),w.minuteElement.setAttribute(\"max\",\"59\"),w.timeContainer.appendChild(n),w.timeContainer.appendChild(e),w.timeContainer.appendChild(t),w.config.time_24hr&&w.timeContainer.classList.add(\"time24hr\"),w.config.enableSeconds){w.timeContainer.classList.add(\"hasSeconds\");var a=m(\"flatpickr-second\");w.secondElement=a.getElementsByTagName(\"input\")[0],w.secondElement.value=o(w.latestSelectedDateObj?w.latestSelectedDateObj.getSeconds():w.config.defaultSeconds),w.secondElement.setAttribute(\"step\",w.minuteElement.getAttribute(\"step\")),w.secondElement.setAttribute(\"min\",\"0\"),w.secondElement.setAttribute(\"max\",\"59\"),w.timeContainer.appendChild(s(\"span\",\"flatpickr-time-separator\",\":\")),w.timeContainer.appendChild(a)}return w.config.time_24hr||(w.amPM=s(\"span\",\"flatpickr-am-pm\",w.l10n.amPM[r((w.latestSelectedDateObj?w.hourElement.value:w.config.defaultHour)>11)]),w.amPM.title=w.l10n.toggleTitle,w.amPM.tabIndex=-1,w.timeContainer.appendChild(w.amPM)),w.timeContainer}()),d(w.calendarContainer,\"rangeMode\",\"range\"===w.config.mode),d(w.calendarContainer,\"animate\",!0===w.config.animate),d(w.calendarContainer,\"multiMonth\",w.config.showMonths>1),w.calendarContainer.appendChild(e);var i=void 0!==w.config.appendTo&&void 0!==w.config.appendTo.nodeType;if((w.config.inline||w.config.static)&&(w.calendarContainer.classList.add(w.config.inline?\"inline\":\"static\"),w.config.inline&&(!i&&w.element.parentNode?w.element.parentNode.insertBefore(w.calendarContainer,w._input.nextSibling):void 0!==w.config.appendTo&&w.config.appendTo.appendChild(w.calendarContainer)),w.config.static)){var l=s(\"div\",\"flatpickr-wrapper\");w.element.parentNode&&w.element.parentNode.insertBefore(l,w.element),l.appendChild(w.element),w.altInput&&l.appendChild(w.altInput),l.appendChild(w.calendarContainer)}w.config.static||w.config.inline||(void 0!==w.config.appendTo?w.config.appendTo:window.document.body).appendChild(w.calendarContainer)}(),function(){if(w.config.wrap&&[\"open\",\"close\",\"toggle\",\"clear\"].forEach((function(e){Array.prototype.forEach.call(w.element.querySelectorAll(\"[data-\"+e+\"]\"),(function(n){return N(n,\"click\",w[e])}))})),w.isMobile)!function(){var e=w.config.enableTime?w.config.noCalendar?\"time\":\"datetime-local\":\"date\";w.mobileInput=s(\"input\",w.input.className+\" flatpickr-mobile\"),w.mobileInput.tabIndex=1,w.mobileInput.type=e,w.mobileInput.disabled=w.input.disabled,w.mobileInput.required=w.input.required,w.mobileInput.placeholder=w.input.placeholder,w.mobileFormatStr=\"datetime-local\"===e?\"Y-m-d\\\\TH:i:S\":\"date\"===e?\"Y-m-d\":\"H:i:S\",w.selectedDates.length>0&&(w.mobileInput.defaultValue=w.mobileInput.value=w.formatDate(w.selectedDates[0],w.mobileFormatStr)),w.config.minDate&&(w.mobileInput.min=w.formatDate(w.config.minDate,\"Y-m-d\")),w.config.maxDate&&(w.mobileInput.max=w.formatDate(w.config.maxDate,\"Y-m-d\")),w.input.getAttribute(\"step\")&&(w.mobileInput.step=String(w.input.getAttribute(\"step\"))),w.input.type=\"hidden\",void 0!==w.altInput&&(w.altInput.type=\"hidden\");try{w.input.parentNode&&w.input.parentNode.insertBefore(w.mobileInput,w.input.nextSibling)}catch(e){}N(w.mobileInput,\"change\",(function(e){w.setDate(g(e).value,!1,w.mobileFormatStr),pe(\"onChange\"),pe(\"onClose\")}))}();else{var e=l(ie,50);if(w._debouncedChange=l(A,300),w.daysContainer&&!/iPhone|iPad|iPod/i.test(navigator.userAgent)&&N(w.daysContainer,\"mouseover\",(function(e){\"range\"===w.config.mode&&ae(g(e))})),N(window.document.body,\"keydown\",te),w.config.inline||w.config.static||N(window,\"resize\",e),void 0!==window.ontouchstart?N(window.document,\"touchstart\",Z):N(window.document,\"click\",Z),N(window.document,\"focus\",Z,{capture:!0}),!0===w.config.clickOpens&&(N(w._input,\"focus\",w.open),N(w._input,\"click\",w.open)),void 0!==w.daysContainer&&(N(w.monthNav,\"click\",Ce),N(w.monthNav,[\"keyup\",\"increment\"],F),N(w.daysContainer,\"click\",ue)),void 0!==w.timeContainer&&void 0!==w.minuteElement&&void 0!==w.hourElement){var n=function(e){return g(e).select()};N(w.timeContainer,[\"increment\"],T),N(w.timeContainer,\"blur\",T,{capture:!0}),N(w.timeContainer,\"click\",Y),N([w.hourElement,w.minuteElement],[\"focus\",\"click\"],n),void 0!==w.secondElement&&N(w.secondElement,\"focus\",(function(){return w.secondElement&&w.secondElement.select()})),void 0!==w.amPM&&N(w.amPM,\"click\",(function(e){T(e),A()}))}w.config.allowInput&&N(w._input,\"blur\",ne)}}(),(w.selectedDates.length||w.config.noCalendar)&&(w.config.enableTime&&S(w.config.noCalendar?w.latestSelectedDateObj||w.config.minDate:void 0),be(!1)),E();var n=/^((?!chrome|android).)*safari/i.test(navigator.userAgent);!w.isMobile&&n&&ce(),pe(\"onReady\")}(),w}function E(e,n){for(var t=Array.prototype.slice.call(e).filter((function(e){return e instanceof HTMLElement})),a=[],i=0;ithis.render()));const{start:s,end:l,value:o,step:r,title:n}=this.model.properties;this.on_change([s,l,o,r],(()=>{const{start:t,end:e,value:i,step:s}=this._calc_to();this._noUiSlider.updateOptions({range:{min:t,max:e},start:i,step:s},!0)}));const{bar_color:a}=this.model.properties;this.on_change(a,(()=>{this._set_bar_color()}));const{show_value:d}=this.model.properties;this.on_change([o,n,d],(()=>this._update_title()))}styles(){return[...super.styles(),p.default,u.default]}_update_title(){var t;(0,a.empty)(this.title_el);const e=null==this.model.title||0==this.model.title.length&&!this.model.show_value;if(this.title_el.style.display=e?\"none\":\"\",!e&&(0!=(null===(t=this.model.title)||void 0===t?void 0:t.length)&&(this.title_el.textContent=`${this.model.title}: `),this.model.show_value)){const{value:t}=this._calc_to(),e=t.map((t=>this.model.pretty(t))).join(\" .. \");this.title_el.appendChild((0,a.span)({class:m.slider_value},e))}}_set_bar_color(){if(!this.model.disabled){this.slider_el.querySelector(\".noUi-connect\").style.backgroundColor=(0,_.color2css)(this.model.bar_color)}}render(){super.render();const{start:t,end:e,value:i,step:s}=this._calc_to();let l;if(this.model.tooltips){const t={to:t=>this.model.pretty(t)};l=(0,d.repeat)(t,i.length)}else l=!1;if(null==this.slider_el){this.slider_el=(0,a.div)(),this._noUiSlider=n.default.create(this.slider_el,{range:{min:t,max:e},start:i,step:s,behaviour:this.model.behaviour,connect:this.model.connected,tooltips:l,orientation:this.model.orientation,direction:this.model.direction}),this._noUiSlider.on(\"slide\",((t,e,i)=>this._slide(i))),this._noUiSlider.on(\"change\",((t,e,i)=>this._change(i)));const o=(t,e)=>{if(!l)return;this.slider_el.querySelectorAll(\".noUi-handle\")[t].querySelector(\".noUi-tooltip\").style.display=e?\"block\":\"\"};this._noUiSlider.on(\"start\",((t,e)=>o(e,!0))),this._noUiSlider.on(\"end\",((t,e)=>o(e,!1)))}else this._noUiSlider.updateOptions({range:{min:t,max:e},start:i,step:s},!0);this._set_bar_color(),this.model.disabled?this.slider_el.setAttribute(\"disabled\",\"true\"):this.slider_el.removeAttribute(\"disabled\"),this.title_el=(0,a.div)({class:m.slider_title}),this._update_title(),this.group_el=(0,a.div)({class:v.input_group},this.title_el,this.slider_el),this.el.appendChild(this.group_el)}_slide(t){this.model.value=this._calc_from(t)}_change(t){const e=this._calc_from(t);this.model.setv({value:e,value_throttled:e})}}b.__name__=\"AbstractBaseSliderView\";class g extends b{_calc_to(){return{start:this.model.start,end:this.model.end,value:[this.model.value],step:this.model.step}}_calc_from([t]){return Number.isInteger(this.model.start)&&Number.isInteger(this.model.end)&&Number.isInteger(this.model.step)?Math.round(t):t}}i.AbstractSliderView=g,g.__name__=\"AbstractSliderView\";class f extends b{_calc_to(){return{start:this.model.start,end:this.model.end,value:this.model.value,step:this.model.step}}_calc_from(t){return t}}i.AbstractRangeSliderView=f,f.__name__=\"AbstractRangeSliderView\";class S extends h.OrientedControl{constructor(t){super(t),this.connected=!1}pretty(t){return this._formatter(t,this.format)}}i.AbstractSlider=S,r=S,S.__name__=\"AbstractSlider\",r.define((({Any:t,Boolean:e,Number:i,String:s,Color:l,Or:o,Enum:r,Ref:n,Nullable:a})=>({title:[a(s),\"\"],show_value:[e,!0],start:[t],end:[t],value:[t],value_throttled:[t],step:[i,1],format:[o(s,n(c.TickFormatter))],direction:[r(\"ltr\",\"rtl\"),\"ltr\"],tooltips:[e,!0],bar_color:[l,\"#e6e6e6\"]})))},\n 462: function _(t,e,r,n,i){var o,s;o=this,s=function(t){\"use strict\";var e,r;function n(t){return\"object\"==typeof t&&\"function\"==typeof t.to}function i(t){t.parentElement.removeChild(t)}function o(t){return null!=t}function s(t){t.preventDefault()}function a(t){return\"number\"==typeof t&&!isNaN(t)&&isFinite(t)}function l(t,e,r){r>0&&(f(t,e),setTimeout((function(){d(t,e)}),r))}function u(t){return Math.max(Math.min(t,100),0)}function c(t){return Array.isArray(t)?t:[t]}function p(t){var e=(t=String(t)).split(\".\");return e.length>1?e[1].length:0}function f(t,e){t.classList&&!/\\s/.test(e)?t.classList.add(e):t.className+=\" \"+e}function d(t,e){t.classList&&!/\\s/.test(e)?t.classList.remove(e):t.className=t.className.replace(new RegExp(\"(^|\\\\b)\"+e.split(\" \").join(\"|\")+\"(\\\\b|$)\",\"gi\"),\" \")}function h(t){var e=void 0!==window.pageXOffset,r=\"CSS1Compat\"===(t.compatMode||\"\");return{x:e?window.pageXOffset:r?t.documentElement.scrollLeft:t.body.scrollLeft,y:e?window.pageYOffset:r?t.documentElement.scrollTop:t.body.scrollTop}}function m(t,e){return 100/(e-t)}function g(t,e,r){return 100*e/(t[r+1]-t[r])}function v(t,e){for(var r=1;t>=e[r];)r+=1;return r}function b(t,e,r){if(r>=t.slice(-1)[0])return 100;var n=v(r,t),i=t[n-1],o=t[n],s=e[n-1],a=e[n];return s+function(t,e){return g(t,t[0]<0?e+Math.abs(t[0]):e-t[0],0)}([i,o],r)/m(s,a)}function S(t,e,r,n){if(100===n)return n;var i=v(n,t),o=t[i-1],s=t[i];return r?n-o>(s-o)/2?s:o:e[i-1]?t[i-1]+function(t,e){return Math.round(t/e)*e}(n-t[i-1],e[i-1]):n}t.PipsMode=void 0,(e=t.PipsMode||(t.PipsMode={})).Range=\"range\",e.Steps=\"steps\",e.Positions=\"positions\",e.Count=\"count\",e.Values=\"values\",t.PipsType=void 0,(r=t.PipsType||(t.PipsType={}))[r.None=-1]=\"None\",r[r.NoValue=0]=\"NoValue\",r[r.LargeValue=1]=\"LargeValue\",r[r.SmallValue=2]=\"SmallValue\";var x=function(){function t(t,e,r){var n;this.xPct=[],this.xVal=[],this.xSteps=[],this.xNumSteps=[],this.xHighestCompleteStep=[],this.xSteps=[r||!1],this.xNumSteps=[!1],this.snap=e;var i=[];for(Object.keys(t).forEach((function(e){i.push([c(t[e]),e])})),i.sort((function(t,e){return t[0][0]-e[0][0]})),n=0;nthis.xPct[i+1];)i++;else t===this.xPct[this.xPct.length-1]&&(i=this.xPct.length-2);r||t!==this.xPct[i+1]||i++,null===e&&(e=[]);var o=1,s=e[i],a=0,l=0,u=0,c=0;for(n=r?(t-this.xPct[i])/(this.xPct[i+1]-this.xPct[i]):(this.xPct[i+1]-t)/(this.xPct[i+1]-this.xPct[i]);s>0;)a=this.xPct[i+1+c]-this.xPct[i+c],e[i+c]*o+100-100*n>100?(l=a*n,o=(s-100*n)/e[i+c],n=1):(l=e[i+c]*a/100*o,o=0),r?(u-=l,this.xPct.length+c>=1&&c--):(u+=l,this.xPct.length-c>=1&&c++),s=e[i+c]*o;return t+u},t.prototype.toStepping=function(t){return t=b(this.xVal,this.xPct,t)},t.prototype.fromStepping=function(t){return function(t,e,r){if(r>=100)return t.slice(-1)[0];var n=v(r,e),i=t[n-1],o=t[n],s=e[n-1];return function(t,e){return e*(t[1]-t[0])/100+t[0]}([i,o],(r-s)*m(s,e[n]))}(this.xVal,this.xPct,t)},t.prototype.getStep=function(t){return t=S(this.xPct,this.xSteps,this.snap,t)},t.prototype.getDefaultStep=function(t,e,r){var n=v(t,this.xPct);return(100===t||e&&t===this.xPct[n-1])&&(n=Math.max(n-1,1)),(this.xVal[n]-this.xVal[n-1])/r},t.prototype.getNearbySteps=function(t){var e=v(t,this.xPct);return{stepBefore:{startValue:this.xVal[e-2],step:this.xNumSteps[e-2],highestStep:this.xHighestCompleteStep[e-2]},thisStep:{startValue:this.xVal[e-1],step:this.xNumSteps[e-1],highestStep:this.xHighestCompleteStep[e-1]},stepAfter:{startValue:this.xVal[e],step:this.xNumSteps[e],highestStep:this.xHighestCompleteStep[e]}}},t.prototype.countStepDecimals=function(){var t=this.xNumSteps.map(p);return Math.max.apply(null,t)},t.prototype.hasNoSize=function(){return this.xVal[0]===this.xVal[this.xVal.length-1]},t.prototype.convert=function(t){return this.getStep(this.toStepping(t))},t.prototype.handleEntryPoint=function(t,e){var r;if(!a(r=\"min\"===t?0:\"max\"===t?100:parseFloat(t))||!a(e[0]))throw new Error(\"noUiSlider: 'range' value isn't numeric.\");this.xPct.push(r),this.xVal.push(e[0]);var n=Number(e[1]);r?this.xSteps.push(!isNaN(n)&&n):isNaN(n)||(this.xSteps[0]=n),this.xHighestCompleteStep.push(0)},t.prototype.handleStepPoint=function(t,e){if(e)if(this.xVal[t]!==this.xVal[t+1]){this.xSteps[t]=g([this.xVal[t],this.xVal[t+1]],e,0)/m(this.xPct[t],this.xPct[t+1]);var r=(this.xVal[t+1]-this.xVal[t])/this.xNumSteps[t],n=Math.ceil(Number(r.toFixed(3))-1),i=this.xVal[t]+this.xNumSteps[t]*n;this.xHighestCompleteStep[t]=i}else this.xSteps[t]=this.xHighestCompleteStep[t]=this.xVal[t]},t}(),y={to:function(t){return void 0===t?\"\":t.toFixed(2)},from:Number},w={target:\"target\",base:\"base\",origin:\"origin\",handle:\"handle\",handleLower:\"handle-lower\",handleUpper:\"handle-upper\",touchArea:\"touch-area\",horizontal:\"horizontal\",vertical:\"vertical\",background:\"background\",connect:\"connect\",connects:\"connects\",ltr:\"ltr\",rtl:\"rtl\",textDirectionLtr:\"txt-dir-ltr\",textDirectionRtl:\"txt-dir-rtl\",draggable:\"draggable\",drag:\"state-drag\",tap:\"state-tap\",active:\"active\",tooltip:\"tooltip\",pips:\"pips\",pipsHorizontal:\"pips-horizontal\",pipsVertical:\"pips-vertical\",marker:\"marker\",markerHorizontal:\"marker-horizontal\",markerVertical:\"marker-vertical\",markerNormal:\"marker-normal\",markerLarge:\"marker-large\",markerSub:\"marker-sub\",value:\"value\",valueHorizontal:\"value-horizontal\",valueVertical:\"value-vertical\",valueNormal:\"value-normal\",valueLarge:\"value-large\",valueSub:\"value-sub\"},E=\".__tooltips\",P=\".__aria\";function C(t,e){if(!a(e))throw new Error(\"noUiSlider: 'step' is not numeric.\");t.singleStep=e}function N(t,e){if(!a(e))throw new Error(\"noUiSlider: 'keyboardPageMultiplier' is not numeric.\");t.keyboardPageMultiplier=e}function V(t,e){if(!a(e))throw new Error(\"noUiSlider: 'keyboardMultiplier' is not numeric.\");t.keyboardMultiplier=e}function k(t,e){if(!a(e))throw new Error(\"noUiSlider: 'keyboardDefaultStep' is not numeric.\");t.keyboardDefaultStep=e}function M(t,e){if(\"object\"!=typeof e||Array.isArray(e))throw new Error(\"noUiSlider: 'range' is not an object.\");if(void 0===e.min||void 0===e.max)throw new Error(\"noUiSlider: Missing 'min' or 'max' in 'range'.\");t.spectrum=new x(e,t.snap||!1,t.singleStep)}function A(t,e){if(e=c(e),!Array.isArray(e)||!e.length)throw new Error(\"noUiSlider: 'start' option is incorrect.\");t.handles=e.length,t.start=e}function U(t,e){if(\"boolean\"!=typeof e)throw new Error(\"noUiSlider: 'snap' option must be a boolean.\");t.snap=e}function D(t,e){if(\"boolean\"!=typeof e)throw new Error(\"noUiSlider: 'animate' option must be a boolean.\");t.animate=e}function O(t,e){if(\"number\"!=typeof e)throw new Error(\"noUiSlider: 'animationDuration' option must be a number.\");t.animationDuration=e}function L(t,e){var r,n=[!1];if(\"lower\"===e?e=[!0,!1]:\"upper\"===e&&(e=[!1,!0]),!0===e||!1===e){for(r=1;r1)throw new Error(\"noUiSlider: 'padding' option must not exceed 100% of the range.\")}}function F(t,e){switch(e){case\"ltr\":t.dir=0;break;case\"rtl\":t.dir=1;break;default:throw new Error(\"noUiSlider: 'direction' option was not recognized.\")}}function R(t,e){if(\"string\"!=typeof e)throw new Error(\"noUiSlider: 'behaviour' must be a string containing options.\");var r=e.indexOf(\"tap\")>=0,n=e.indexOf(\"drag\")>=0,i=e.indexOf(\"fixed\")>=0,o=e.indexOf(\"snap\")>=0,s=e.indexOf(\"hover\")>=0,a=e.indexOf(\"unconstrained\")>=0,l=e.indexOf(\"drag-all\")>=0;if(i){if(2!==t.handles)throw new Error(\"noUiSlider: 'fixed' behaviour must be used with 2 handles\");j(t,t.start[1]-t.start[0])}if(a&&(t.margin||t.limit))throw new Error(\"noUiSlider: 'unconstrained' behaviour cannot be used with margin or limit\");t.events={tap:r||o,drag:n,dragAll:l,fixed:i,snap:o,hover:s,unconstrained:a}}function _(t,e){if(!1!==e)if(!0===e||n(e)){t.tooltips=[];for(var r=0;r= 2) required for mode 'count'.\");for(var r=e.values-1,n=100/r,i=[];r--;)i[r]=r*n;return i.push(100),q(i,e.stepped)}return e.mode===t.PipsMode.Positions?q(e.values,e.stepped):e.mode===t.PipsMode.Values?e.stepped?e.values.map((function(t){return C.fromStepping(C.getStep(C.toStepping(t)))})):e.values:[]}(e),i={},o=C.xVal[0],s=C.xVal[C.xVal.length-1],a=!1,l=!1,u=0;return r=n.slice().sort((function(t,e){return t-e})),(n=r.filter((function(t){return!this[t]&&(this[t]=!0)}),{}))[0]!==o&&(n.unshift(o),a=!0),n[n.length-1]!==s&&(n.push(s),l=!0),n.forEach((function(r,o){var s,c,p,f,d,h,m,g,v,b,S=r,x=n[o+1],y=e.mode===t.PipsMode.Steps;for(y&&(s=C.xNumSteps[o]),s||(s=x-S),void 0===x&&(x=S),s=Math.max(s,1e-7),c=S;c<=x;c=Number((c+s).toFixed(7))){for(g=(d=(f=C.toStepping(c))-u)/(e.density||1),b=d/(v=Math.round(g)),p=1;p<=v;p+=1)i[(h=u+p*b).toFixed(5)]=[C.fromStepping(h),0];m=n.indexOf(c)>-1?t.PipsType.LargeValue:y?t.PipsType.SmallValue:t.PipsType.NoValue,!o&&a&&c!==x&&(m=0),c===x&&l||(i[f.toFixed(5)]=[c,m]),u=f}})),i}function Y(e,n,i){var o,s,a=U.createElement(\"div\"),l=((o={})[t.PipsType.None]=\"\",o[t.PipsType.NoValue]=r.cssClasses.valueNormal,o[t.PipsType.LargeValue]=r.cssClasses.valueLarge,o[t.PipsType.SmallValue]=r.cssClasses.valueSub,o),u=((s={})[t.PipsType.None]=\"\",s[t.PipsType.NoValue]=r.cssClasses.markerNormal,s[t.PipsType.LargeValue]=r.cssClasses.markerLarge,s[t.PipsType.SmallValue]=r.cssClasses.markerSub,s),c=[r.cssClasses.valueHorizontal,r.cssClasses.valueVertical],p=[r.cssClasses.markerHorizontal,r.cssClasses.markerVertical];function d(t,e){var n=e===r.cssClasses.value,i=n?l:u;return e+\" \"+(n?c:p)[r.ort]+\" \"+i[t]}return f(a,r.cssClasses.pips),f(a,0===r.ort?r.cssClasses.pipsHorizontal:r.cssClasses.pipsVertical),Object.keys(e).forEach((function(o){!function(e,o,s){if((s=n?n(o,s):s)!==t.PipsType.None){var l=T(a,!1);l.className=d(s,r.cssClasses.marker),l.style[r.style]=e+\"%\",s>t.PipsType.NoValue&&((l=T(a,!1)).className=d(s,r.cssClasses.value),l.setAttribute(\"data-value\",String(o)),l.style[r.style]=e+\"%\",l.innerHTML=String(i.to(o)))}}(o,e[o][0],e[o][1])})),a}function I(){g&&(i(g),g=null)}function W(t){I();var e=X(t),r=t.filter,n=t.format||{to:function(t){return String(Math.round(t))}};return g=w.appendChild(Y(e,r,n))}function $(){var t=a.getBoundingClientRect(),e=\"offset\"+[\"Width\",\"Height\"][r.ort];return 0===r.ort?t.width||a[e]:t.height||a[e]}function J(t,e,n,i){var o=function(o){var s,a,l=function(t,e,r){var n=0===t.type.indexOf(\"touch\"),i=0===t.type.indexOf(\"mouse\"),o=0===t.type.indexOf(\"pointer\"),s=0,a=0;if(0===t.type.indexOf(\"MSPointer\")&&(o=!0),\"mousedown\"===t.type&&!t.buttons&&!t.touches)return!1;if(n){var l=function(e){var n=e.target;return n===r||r.contains(n)||t.composed&&t.composedPath().shift()===r};if(\"touchstart\"===t.type){var u=Array.prototype.filter.call(t.touches,l);if(u.length>1)return!1;s=u[0].pageX,a=u[0].pageY}else{var c=Array.prototype.find.call(t.changedTouches,l);if(!c)return!1;s=c.pageX,a=c.pageY}}return e=e||h(U),(i||o)&&(s=t.clientX+e.x,a=t.clientY+e.y),t.pageOffset=e,t.points=[s,a],t.cursor=i||o,t}(o,i.pageOffset,i.target||e);return!!l&&!(F()&&!i.doNotReject)&&(s=w,a=r.cssClasses.tap,!((s.classList?s.classList.contains(a):new RegExp(\"\\\\b\"+a+\"\\\\b\").test(s.className))&&!i.doNotReject)&&!(t===x.start&&void 0!==l.buttons&&l.buttons>1)&&(!i.hover||!l.buttons)&&(y||l.preventDefault(),l.calcPoint=l.points[r.ort],void n(l,i)))},s=[];return t.split(\" \").forEach((function(t){e.addEventListener(t,o,!!y&&{passive:!0}),s.push([t,o])})),s}function K(t){var e,n,i,o,s,l,c=100*(t-(e=a,n=r.ort,i=e.getBoundingClientRect(),o=e.ownerDocument,s=o.documentElement,l=h(o),/webkit.*Chrome.*Mobile/i.test(navigator.userAgent)&&(l.x=0),n?i.top+l.y-s.clientTop:i.left+l.x-s.clientLeft))/$();return c=u(c),r.dir?100-c:c}function Q(t,e){\"mouseout\"===t.type&&\"HTML\"===t.target.nodeName&&null===t.relatedTarget&&tt(t,e)}function Z(t,e){if(-1===navigator.appVersion.indexOf(\"MSIE 9\")&&0===t.buttons&&0!==e.buttonsProperty)return tt(t,e);var n=(r.dir?-1:1)*(t.calcPoint-e.startCalcPoint);ut(n>0,100*n/e.baseSize,e.locations,e.handleNumbers,e.connect)}function tt(t,e){e.handle&&(d(e.handle,r.cssClasses.active),M-=1),e.listeners.forEach((function(t){D.removeEventListener(t[0],t[1])})),0===M&&(d(w,r.cssClasses.drag),pt(),t.cursor&&(O.style.cursor=\"\",O.removeEventListener(\"selectstart\",s))),e.handleNumbers.forEach((function(t){st(\"change\",t),st(\"set\",t),st(\"end\",t)}))}function et(t,e){if(!e.handleNumbers.some(R)){var n;1===e.handleNumbers.length&&(n=p[e.handleNumbers[0]].children[0],M+=1,f(n,r.cssClasses.active)),t.stopPropagation();var i=[],o=J(x.move,D,Z,{target:t.target,handle:n,connect:e.connect,listeners:i,startCalcPoint:t.calcPoint,baseSize:$(),pageOffset:t.pageOffset,handleNumbers:e.handleNumbers,buttonsProperty:t.buttons,locations:V.slice()}),a=J(x.end,D,tt,{target:t.target,handle:n,listeners:i,doNotReject:!0,handleNumbers:e.handleNumbers}),l=J(\"mouseout\",D,Q,{target:t.target,handle:n,listeners:i,doNotReject:!0,handleNumbers:e.handleNumbers});i.push.apply(i,o.concat(a,l)),t.cursor&&(O.style.cursor=getComputedStyle(t.target).cursor,p.length>1&&f(w,r.cssClasses.drag),O.addEventListener(\"selectstart\",s,!1)),e.handleNumbers.forEach((function(t){st(\"start\",t)}))}}function rt(t){t.stopPropagation();var e=K(t.calcPoint),n=function(t){var e=100,r=!1;return p.forEach((function(n,i){if(!R(i)){var o=V[i],s=Math.abs(o-t);(so||100===s&&100===e)&&(r=i,e=s)}})),r}(e);!1!==n&&(r.events.snap||l(w,r.cssClasses.tap,r.animationDuration),ft(n,e,!0,!0),pt(),st(\"slide\",n,!0),st(\"update\",n,!0),r.events.snap?et(t,{handleNumbers:[n]}):(st(\"change\",n,!0),st(\"set\",n,!0)))}function nt(t){var e=K(t.calcPoint),r=C.getStep(e),n=C.fromStepping(r);Object.keys(A).forEach((function(t){\"hover\"===t.split(\".\")[0]&&A[t].forEach((function(t){t.call(bt,n)}))}))}function it(t,e){A[t]=A[t]||[],A[t].push(e),\"update\"===t.split(\".\")[0]&&p.forEach((function(t,e){st(\"update\",e)}))}function ot(t){var e=t&&t.split(\".\")[0],r=e?t.substring(e.length):t;Object.keys(A).forEach((function(t){var n=t.split(\".\")[0],i=t.substring(n.length);e&&e!==n||r&&r!==i||function(t){return t===P||t===E}(i)&&r!==i||delete A[t]}))}function st(t,e,n){Object.keys(A).forEach((function(i){var o=i.split(\".\")[0];t===o&&A[i].forEach((function(t){t.call(bt,N.map(r.format.to),e,N.slice(),n||!1,V.slice(),bt)}))}))}function at(t,e,n,i,o,s){var a;return p.length>1&&!r.events.unconstrained&&(i&&e>0&&(a=C.getAbsoluteDistance(t[e-1],r.margin,!1),n=Math.max(n,a)),o&&e1&&r.limit&&(i&&e>0&&(a=C.getAbsoluteDistance(t[e-1],r.limit,!1),n=Math.min(n,a)),o&&e1?n.forEach((function(t,r){var n=at(o,t,o[t]+e,a[r],l[r],!1);!1===n?e=0:(e=n-o[t],o[t]=n)})):a=l=[!0];var u=!1;n.forEach((function(t,n){u=ft(t,r[t]+e,a[n],l[n])||u})),u&&(n.forEach((function(t){st(\"update\",t),st(\"slide\",t)})),null!=i&&st(\"drag\",s))}function ct(t,e){return r.dir?100-t-e:t}function pt(){k.forEach((function(t){var e=V[t]>50?-1:1,r=3+(p.length+e*t);p[t].style.zIndex=String(r)}))}function ft(t,e,n,i,o){return o||(e=at(V,t,e,n,i,!1)),!1!==e&&(function(t,e){V[t]=e,N[t]=C.fromStepping(e);var n=\"translate(\"+lt(10*(ct(e,0)-L)+\"%\",\"0\")+\")\";p[t].style[r.transformRule]=n,dt(t),dt(t+1)}(t,e),!0)}function dt(t){if(m[t]){var e=0,n=100;0!==t&&(e=V[t-1]),t!==m.length-1&&(n=V[t]);var i=n-e,o=\"translate(\"+lt(ct(e,i)+\"%\",\"0\")+\")\",s=\"scale(\"+lt(i/100,\"1\")+\")\";m[t].style[r.transformRule]=o+\" \"+s}}function ht(t,e){return null===t||!1===t||void 0===t?V[e]:(\"number\"==typeof t&&(t=String(t)),!1!==(t=r.format.from(t))&&(t=C.toStepping(t)),!1===t||isNaN(t)?V[e]:t)}function mt(t,e,n){var i=c(t),o=void 0===V[0];e=void 0===e||e,r.animate&&!o&&l(w,r.cssClasses.tap,r.animationDuration),k.forEach((function(t){ft(t,ht(i[t],t),!0,!1,n)}));var s=1===k.length?0:1;if(o&&C.hasNoSize()&&(n=!0,V[0]=0,k.length>1)){var a=100/(k.length-1);k.forEach((function(t){V[t]=t*a}))}for(;sn.stepAfter.startValue&&(o=n.stepAfter.startValue-i),s=i>n.thisStep.startValue?n.thisStep.step:!1!==n.stepBefore.step&&i-n.stepBefore.highestStep,100===e?o=null:0===e&&(s=null);var a=C.countStepDecimals();return null!==o&&!1!==o&&(o=Number(o.toFixed(a))),null!==s&&!1!==s&&(s=Number(s.toFixed(a))),[s,o]}f(b=w,r.cssClasses.target),0===r.dir?f(b,r.cssClasses.ltr):f(b,r.cssClasses.rtl),0===r.ort?f(b,r.cssClasses.horizontal):f(b,r.cssClasses.vertical),f(b,\"rtl\"===getComputedStyle(b).direction?r.cssClasses.textDirectionRtl:r.cssClasses.textDirectionLtr),a=T(b,r.cssClasses.base),function(t,e){var n=T(e,r.cssClasses.connects);p=[],(m=[]).push(z(n,t[0]));for(var i=0;i=0&&t .noUi-tooltip{-webkit-transform:translate(50%, 0);transform:translate(50%, 0);left:auto;bottom:10px;}.bk-root .noUi-vertical .noUi-origin > .noUi-tooltip{-webkit-transform:translate(0, -18px);transform:translate(0, -18px);top:auto;right:28px;}.bk-root .noUi-handle{cursor:grab;cursor:-webkit-grab;}.bk-root .noUi-handle.noUi-active{cursor:grabbing;cursor:-webkit-grabbing;}.bk-root .noUi-handle:after,.bk-root .noUi-handle:before{display:none;}.bk-root .noUi-tooltip{display:none;white-space:nowrap;}.bk-root .noUi-handle:hover .noUi-tooltip{display:block;}.bk-root .noUi-horizontal{width:100%;height:10px;}.bk-root .noUi-vertical{width:10px;height:100%;}.bk-root .noUi-horizontal .noUi-handle{width:14px;height:18px;right:-7px;top:-5px;}.bk-root .noUi-vertical .noUi-handle{width:18px;height:14px;right:-5px;top:-7px;}.bk-root .noUi-target.noUi-horizontal{margin:5px 0px;}.bk-root .noUi-target.noUi-vertical{margin:0px 5px;}'},\n 465: function _(e,t,r,a,i){a();var s;const d=(0,e(1).__importDefault)(e(151)),o=e(461),_=e(8);class n extends o.AbstractSliderView{}r.DateSliderView=n,n.__name__=\"DateSliderView\";class c extends o.AbstractSlider{constructor(e){super(e),this.behaviour=\"tap\",this.connected=[!0,!1]}_formatter(e,t){return(0,_.isString)(t)?(0,d.default)(e,t):t.compute(e)}}r.DateSlider=c,s=c,c.__name__=\"DateSlider\",s.prototype.default_view=n,s.override({format:\"%d %b %Y\"})},\n 466: function _(e,t,r,a,i){a();var n;const s=(0,e(1).__importDefault)(e(151)),d=e(461),o=e(8);class _ extends d.AbstractRangeSliderView{}r.DatetimeRangeSliderView=_,_.__name__=\"DatetimeRangeSliderView\";class c extends d.AbstractSlider{constructor(e){super(e),this.behaviour=\"drag\",this.connected=[!1,!0,!1]}_formatter(e,t){return(0,o.isString)(t)?(0,s.default)(e,t):t.compute(e)}}r.DatetimeRangeSlider=c,n=c,c.__name__=\"DatetimeRangeSlider\",n.prototype.default_view=_,n.override({format:\"%d %b %Y %H:%M:%S\",step:36e5})},\n 467: function _(e,t,s,r,i){var _;r();const n=e(468);class a extends n.MarkupView{render(){super.render(),this.model.render_as_text?this.markup_el.textContent=this.model.text:this.markup_el.innerHTML=this.has_math_disabled()?this.model.text:this.process_tex()}}s.DivView=a,a.__name__=\"DivView\";class d extends n.Markup{constructor(e){super(e)}}s.Div=d,_=d,d.__name__=\"Div\",_.prototype.default_view=a,_.define((({Boolean:e})=>({render_as_text:[e,!1]})))},\n 468: function _(t,e,s,i,r){i();const a=t(1);var n;const o=t(210),d=t(43),h=t(137),l=t(512),_=(0,a.__importStar)(t(469));class u extends l.WidgetView{get provider(){return h.default_provider}async lazy_initialize(){await super.lazy_initialize(),\"not_started\"==this.provider.status&&await this.provider.fetch(),\"not_started\"!=this.provider.status&&\"loading\"!=this.provider.status||this.provider.ready.connect((()=>{this.contains_tex_string()&&this.rerender()}))}after_layout(){super.after_layout(),\"loading\"===this.provider.status&&(this._has_finished=!1)}rerender(){this.layout.invalidate_cache(),this.render(),this.root.compute_layout()}connect_signals(){super.connect_signals(),this.connect(this.model.change,(()=>{this.rerender()}))}styles(){return[...super.styles(),_.default]}_update_layout(){this.layout=new o.CachedVariadicBox(this.el),this.layout.set_sizing(this.box_sizing())}render(){super.render();const t=Object.assign(Object.assign({},this.model.style),{display:\"inline-block\"});this.markup_el=(0,d.div)({class:_.clearfix,style:t}),this.el.appendChild(this.markup_el),\"failed\"!=this.provider.status&&\"loaded\"!=this.provider.status||(this._has_finished=!0)}has_math_disabled(){return this.model.disable_math||!this.contains_tex_string()}process_tex(){if(!this.provider.MathJax)return this.model.text;const{text:t}=this.model,e=this.provider.MathJax.find_tex(t),s=[];let i=0;for(const r of e)s.push(t.slice(i,r.start.n)),s.push(this.provider.MathJax.tex2svg(r.math,{display:r.display}).outerHTML),i=r.end.n;return i0}}s.MarkupView=u,u.__name__=\"MarkupView\";class p extends l.Widget{constructor(t){super(t)}}s.Markup=p,n=p,p.__name__=\"Markup\",n.define((({Boolean:t,String:e,Dict:s})=>({text:[e,\"\"],style:[s(e),{}],disable_math:[t,!1]})))},\n 469: function _(o,r,e,t,a){t(),e.root=\"bk-root\",e.clearfix=\"bk-clearfix\",e.default='.bk-root .bk-clearfix:before,.bk-root .bk-clearfix:after{content:\"\";display:table;}.bk-root .bk-clearfix:after{clear:both;}'},\n 470: function _(e,t,i,n,s){n();const o=e(1);var l;const r=e(441),d=e(251),_=e(43),u=e(8),c=(0,o.__importStar)(e(318)),h=(0,o.__importStar)(e(229)),m=h;class p extends r.AbstractButtonView{constructor(){super(...arguments),this._open=!1}styles(){return[...super.styles(),h.default]}render(){super.render();const e=(0,_.div)({class:[m.caret,m.down]});if(this.model.is_split){const t=this._render_button(e);t.classList.add(c.dropdown_toggle),t.addEventListener(\"click\",(()=>this._toggle_menu())),this.group_el.appendChild(t)}else this.button_el.appendChild(e);const t=this.model.menu.map(((e,t)=>{if(null==e)return(0,_.div)({class:m.divider});{const i=(0,u.isString)(e)?e:e[0],n=(0,_.div)(i);return n.addEventListener(\"click\",(()=>this._item_click(t))),n}}));this.menu=(0,_.div)({class:[m.menu,m.below]},t),this.el.appendChild(this.menu),(0,_.undisplay)(this.menu)}_show_menu(){if(!this._open){this._open=!0,(0,_.display)(this.menu);const e=t=>{const{target:i}=t;i instanceof HTMLElement&&!this.el.contains(i)&&(document.removeEventListener(\"click\",e),this._hide_menu())};document.addEventListener(\"click\",e)}}_hide_menu(){this._open&&(this._open=!1,(0,_.undisplay)(this.menu))}_toggle_menu(){this._open?this._hide_menu():this._show_menu()}click(){this.model.is_split?(this._hide_menu(),this.model.trigger_event(new d.ButtonClick),super.click()):this._toggle_menu()}_item_click(e){this._hide_menu();const t=this.model.menu[e];if(null!=t){const i=(0,u.isString)(t)?t:t[1];(0,u.isString)(i)?this.model.trigger_event(new d.MenuItemClick(i)):i.execute(this.model,{index:e})}}}i.DropdownView=p,p.__name__=\"DropdownView\";class a extends r.AbstractButton{constructor(e){super(e)}get is_split(){return this.split}}i.Dropdown=a,l=a,a.__name__=\"Dropdown\",l.prototype.default_view=p,l.define((({Null:e,Boolean:t,String:i,Array:n,Tuple:s,Or:o})=>({split:[t,!1],menu:[n(o(i,s(i,o(i)),e)),[]]}))),l.override({label:\"Dropdown\"})},\n 471: function _(e,l,i,t,s){var n;t();const a=e(43),o=e(512);class d extends o.WidgetView{connect_signals(){super.connect_signals(),this.connect(this.model.change,(()=>this.render()))}render(){const{multiple:e,accept:l,disabled:i,width:t}=this.model;null==this.dialog_el&&(this.dialog_el=(0,a.input)({type:\"file\",multiple:e}),this.dialog_el.onchange=()=>{const{files:e}=this.dialog_el;null!=e&&this.load_files(e)},this.el.appendChild(this.dialog_el)),null!=l&&\"\"!=l&&(this.dialog_el.accept=l),this.dialog_el.style.width=`${t}px`,this.dialog_el.disabled=i}async load_files(e){const l=[],i=[],t=[];for(const s of e){const e=await this._read_file(s),[,n=\"\",,a=\"\"]=e.split(/[:;,]/,4);l.push(a),i.push(s.name),t.push(n)}this.model.multiple?this.model.setv({value:l,filename:i,mime_type:t}):this.model.setv({value:l[0],filename:i[0],mime_type:t[0]})}_read_file(e){return new Promise(((l,i)=>{const t=new FileReader;t.onload=()=>{var s;const{result:n}=t;null!=n?l(n):i(null!==(s=t.error)&&void 0!==s?s:new Error(`unable to read '${e.name}'`))},t.readAsDataURL(e)}))}}i.FileInputView=d,d.__name__=\"FileInputView\";class r extends o.Widget{constructor(e){super(e)}}i.FileInput=r,n=r,r.__name__=\"FileInput\",n.prototype.default_view=d,n.define((({Boolean:e,String:l,Array:i,Or:t})=>({value:[t(l,i(l)),\"\"],mime_type:[t(l,i(l)),\"\"],filename:[t(l,i(l)),\"\"],accept:[l,\"\"],multiple:[e,!1]})))},\n 472: function _(e,t,i,s,n){s();const l=e(1);var o;const r=e(43),c=e(8),h=e(448),p=(0,l.__importStar)(e(449));class d extends h.InputWidgetView{connect_signals(){super.connect_signals(),this.connect(this.model.properties.value.change,(()=>this.render_selection())),this.connect(this.model.properties.options.change,(()=>this.render())),this.connect(this.model.properties.name.change,(()=>this.render())),this.connect(this.model.properties.title.change,(()=>this.render())),this.connect(this.model.properties.size.change,(()=>this.render())),this.connect(this.model.properties.disabled.change,(()=>this.render()))}render(){super.render();const e=this.model.options.map((e=>{let t,i;return(0,c.isString)(e)?t=i=e:[t,i]=e,(0,r.option)({value:t},i)}));this.input_el=(0,r.select)({multiple:!0,class:p.input,name:this.model.name,disabled:this.model.disabled},e),this.input_el.addEventListener(\"change\",(()=>this.change_input())),this.group_el.appendChild(this.input_el),this.render_selection()}render_selection(){const e=new Set(this.model.value);for(const t of this.el.querySelectorAll(\"option\"))t.selected=e.has(t.value);this.input_el.size=this.model.size}change_input(){const e=null!=this.el.querySelector(\"select:focus\"),t=[];for(const e of this.el.querySelectorAll(\"option\"))e.selected&&t.push(e.value);this.model.value=t,super.change_input(),e&&this.input_el.focus()}}i.MultiSelectView=d,d.__name__=\"MultiSelectView\";class u extends h.InputWidget{constructor(e){super(e)}}i.MultiSelect=u,o=u,u.__name__=\"MultiSelect\",o.prototype.default_view=d,o.define((({Int:e,String:t,Array:i,Tuple:s,Or:n})=>({value:[i(t),[]],options:[i(n(t,s(t,t))),[]],size:[e,4]})))},\n 473: function _(e,a,r,t,s){var n;t();const p=e(468),_=e(43);class i extends p.MarkupView{render(){super.render();const e=(0,_.p)({style:{margin:0}});this.has_math_disabled()?e.textContent=this.model.text:e.innerHTML=this.process_tex(),this.markup_el.appendChild(e)}}r.ParagraphView=i,i.__name__=\"ParagraphView\";class h extends p.Markup{constructor(e){super(e)}}r.Paragraph=h,n=h,h.__name__=\"Paragraph\",n.prototype.default_view=i},\n 474: function _(e,s,t,n,r){var p;n();const u=e(446);class a extends u.TextInputView{render(){super.render(),this.input_el.type=\"password\"}}t.PasswordInputView=a,a.__name__=\"PasswordInputView\";class o extends u.TextInput{constructor(e){super(e)}}t.PasswordInput=o,p=o,o.__name__=\"PasswordInput\",p.prototype.default_view=a},\n 475: function _(e,t,i,l,s){l();const o=e(1);var n;const h=(0,o.__importDefault)(e(476)),a=e(43),u=e(8),c=e(210),_=(0,o.__importStar)(e(449)),d=(0,o.__importDefault)(e(477)),r=e(448);class m extends r.InputWidgetView{constructor(){super(...arguments),this._last_height=null}connect_signals(){super.connect_signals(),this.connect(this.model.properties.disabled.change,(()=>this.set_disabled()));const{value:e,max_items:t,option_limit:i,search_option_limit:l,delete_button:s,placeholder:o,options:n,name:h,title:a}=this.model.properties;this.on_change([e,t,i,l,s,o,n,h,a],(()=>this.render()))}styles(){return[...super.styles(),d.default]}_update_layout(){this.layout=new c.CachedVariadicBox(this.el),this.layout.set_sizing(this.box_sizing())}render(){super.render(),this.input_el=(0,a.select)({multiple:!0,class:_.input,name:this.model.name,disabled:this.model.disabled}),this.group_el.appendChild(this.input_el);const e=new Set(this.model.value),t=this.model.options.map((t=>{let i,l;return(0,u.isString)(t)?i=l=t:[i,l]=t,{value:i,label:l,selected:e.has(i)}})),i=this.model.solid?\"solid\":\"light\",l=`choices__item ${i}`,s=`choices__button ${i}`,o={choices:t,duplicateItemsAllowed:!1,removeItemButton:this.model.delete_button,classNames:{item:l,button:s}};null!=this.model.placeholder&&(o.placeholderValue=this.model.placeholder),null!=this.model.max_items&&(o.maxItemCount=this.model.max_items),null!=this.model.option_limit&&(o.renderChoiceLimit=this.model.option_limit),null!=this.model.search_option_limit&&(o.searchResultLimit=this.model.search_option_limit),this.choice_el=new h.default(this.input_el,o);const n=()=>this.choice_el.containerOuter.element.getBoundingClientRect().height;null!=this._last_height&&this._last_height!=n()&&this.root.invalidate_layout(),this._last_height=n(),this.input_el.addEventListener(\"change\",(()=>this.change_input()))}set_disabled(){this.model.disabled?this.choice_el.disable():this.choice_el.enable()}change_input(){const e=null!=this.el.querySelector(\"select:focus\"),t=[];for(const e of this.el.querySelectorAll(\"option\"))e.selected&&t.push(e.value);this.model.value=t,super.change_input(),e&&this.input_el.focus()}}i.MultiChoiceView=m,m.__name__=\"MultiChoiceView\";class p extends r.InputWidget{constructor(e){super(e)}}i.MultiChoice=p,n=p,p.__name__=\"MultiChoice\",n.prototype.default_view=m,n.define((({Boolean:e,Int:t,String:i,Array:l,Tuple:s,Or:o,Nullable:n})=>({value:[l(i),[]],options:[l(o(i,s(i,i))),[]],max_items:[n(t),null],delete_button:[e,!0],placeholder:[n(i),null],option_limit:[n(t),null],search_option_limit:[n(t),null],solid:[e,!0]})))},\n 476: function _(e,t,i,n,s){\n /*! choices.js v9.0.1 | © 2019 Josh Johnson | https://github.com/jshjohnson/Choices#readme */\n var r,o;r=window,o=function(){return function(e){var t={};function i(n){if(t[n])return t[n].exports;var s=t[n]={i:n,l:!1,exports:{}};return e[n].call(s.exports,s,s.exports,i),s.l=!0,s.exports}return i.m=e,i.c=t,i.d=function(e,t,n){i.o(e,t)||Object.defineProperty(e,t,{enumerable:!0,get:n})},i.r=function(e){\"undefined\"!=typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(e,Symbol.toStringTag,{value:\"Module\"}),Object.defineProperty(e,\"__esModule\",{value:!0})},i.t=function(e,t){if(1&t&&(e=i(e)),8&t)return e;if(4&t&&\"object\"==typeof e&&e&&e.__esModule)return e;var n=Object.create(null);if(i.r(n),Object.defineProperty(n,\"default\",{enumerable:!0,value:e}),2&t&&\"string\"!=typeof e)for(var s in e)i.d(n,s,function(t){return e[t]}.bind(null,s));return n},i.n=function(e){var t=e&&e.__esModule?function(){return e.default}:function(){return e};return i.d(t,\"a\",t),t},i.o=function(e,t){return Object.prototype.hasOwnProperty.call(e,t)},i.p=\"/public/assets/scripts/\",i(i.s=4)}([function(e,t,i){\"use strict\";var n=function(e){return function(e){return!!e&&\"object\"==typeof e}(e)&&!function(e){var t=Object.prototype.toString.call(e);return\"[object RegExp]\"===t||\"[object Date]\"===t||function(e){return e.$$typeof===s}(e)}(e)},s=\"function\"==typeof Symbol&&Symbol.for?Symbol.for(\"react.element\"):60103;function r(e,t){return!1!==t.clone&&t.isMergeableObject(e)?l((i=e,Array.isArray(i)?[]:{}),e,t):e;var i}function o(e,t,i){return e.concat(t).map((function(e){return r(e,i)}))}function a(e){return Object.keys(e).concat(function(e){return Object.getOwnPropertySymbols?Object.getOwnPropertySymbols(e).filter((function(t){return e.propertyIsEnumerable(t)})):[]}(e))}function c(e,t,i){var n={};return i.isMergeableObject(e)&&a(e).forEach((function(t){n[t]=r(e[t],i)})),a(t).forEach((function(s){(function(e,t){try{return t in e&&!(Object.hasOwnProperty.call(e,t)&&Object.propertyIsEnumerable.call(e,t))}catch(e){return!1}})(e,s)||(i.isMergeableObject(t[s])&&e[s]?n[s]=function(e,t){if(!t.customMerge)return l;var i=t.customMerge(e);return\"function\"==typeof i?i:l}(s,i)(e[s],t[s],i):n[s]=r(t[s],i))})),n}function l(e,t,i){(i=i||{}).arrayMerge=i.arrayMerge||o,i.isMergeableObject=i.isMergeableObject||n,i.cloneUnlessOtherwiseSpecified=r;var s=Array.isArray(t);return s===Array.isArray(e)?s?i.arrayMerge(e,t,i):c(e,t,i):r(t,i)}l.all=function(e,t){if(!Array.isArray(e))throw new Error(\"first argument should be an array\");return e.reduce((function(e,i){return l(e,i,t)}),{})};var h=l;e.exports=h},function(e,t,i){\"use strict\";(function(e,n){var s,r=i(3);s=\"undefined\"!=typeof self?self:\"undefined\"!=typeof window?window:void 0!==e?e:n;var o=Object(r.a)(s);t.a=o}).call(this,i(5),i(6)(e))},function(e,t,i){\n /*!\n * Fuse.js v3.4.5 - Lightweight fuzzy-search (http://fusejs.io)\n *\n * Copyright (c) 2012-2017 Kirollos Risk (http://kiro.me)\n * All Rights Reserved. Apache Software License 2.0\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n */\n e.exports=function(e){var t={};function i(n){if(t[n])return t[n].exports;var s=t[n]={i:n,l:!1,exports:{}};return e[n].call(s.exports,s,s.exports,i),s.l=!0,s.exports}return i.m=e,i.c=t,i.d=function(e,t,n){i.o(e,t)||Object.defineProperty(e,t,{enumerable:!0,get:n})},i.r=function(e){\"undefined\"!=typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(e,Symbol.toStringTag,{value:\"Module\"}),Object.defineProperty(e,\"__esModule\",{value:!0})},i.t=function(e,t){if(1&t&&(e=i(e)),8&t)return e;if(4&t&&\"object\"==typeof e&&e&&e.__esModule)return e;var n=Object.create(null);if(i.r(n),Object.defineProperty(n,\"default\",{enumerable:!0,value:e}),2&t&&\"string\"!=typeof e)for(var s in e)i.d(n,s,function(t){return e[t]}.bind(null,s));return n},i.n=function(e){var t=e&&e.__esModule?function(){return e.default}:function(){return e};return i.d(t,\"a\",t),t},i.o=function(e,t){return Object.prototype.hasOwnProperty.call(e,t)},i.p=\"\",i(i.s=1)}([function(e,t){e.exports=function(e){return Array.isArray?Array.isArray(e):\"[object Array]\"===Object.prototype.toString.call(e)}},function(e,t,i){function n(e){return(n=\"function\"==typeof Symbol&&\"symbol\"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&\"function\"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?\"symbol\":typeof e})(e)}function s(e,t){for(var i=0;i1&&void 0!==arguments[1]?arguments[1]:{limit:!1};this._log('---------\\nSearch pattern: \"'.concat(e,'\"'));var i=this._prepareSearchers(e),n=i.tokenSearchers,s=i.fullSearcher,r=this._search(n,s),o=r.weights,a=r.results;return this._computeScore(o,a),this.options.shouldSort&&this._sort(a),t.limit&&\"number\"==typeof t.limit&&(a=a.slice(0,t.limit)),this._format(a)}},{key:\"_prepareSearchers\",value:function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:\"\",t=[];if(this.options.tokenize)for(var i=e.split(this.options.tokenSeparator),n=0,s=i.length;n0&&void 0!==arguments[0]?arguments[0]:[],t=arguments.length>1?arguments[1]:void 0,i=this.list,n={},s=[];if(\"string\"==typeof i[0]){for(var r=0,o=i.length;r1)throw new Error(\"Key weight has to be > 0 and <= 1\");p=p.name}else a[p]={weight:1};this._analyze({key:p,value:this.options.getFn(h,p),record:h,index:c},{resultMap:n,results:s,tokenSearchers:e,fullSearcher:t})}return{weights:a,results:s}}},{key:\"_analyze\",value:function(e,t){var i=e.key,n=e.arrayIndex,s=void 0===n?-1:n,r=e.value,o=e.record,c=e.index,l=t.tokenSearchers,h=void 0===l?[]:l,u=t.fullSearcher,d=void 0===u?[]:u,p=t.resultMap,m=void 0===p?{}:p,f=t.results,v=void 0===f?[]:f;if(null!=r){var g=!1,_=-1,b=0;if(\"string\"==typeof r){this._log(\"\\nKey: \".concat(\"\"===i?\"-\":i));var y=d.search(r);if(this._log('Full text: \"'.concat(r,'\", score: ').concat(y.score)),this.options.tokenize){for(var E=r.split(this.options.tokenSeparator),I=[],S=0;S-1&&(P=(P+_)/2),this._log(\"Score average:\",P);var D=!this.options.tokenize||!this.options.matchAllTokens||b>=h.length;if(this._log(\"\\nCheck Matches: \".concat(D)),(g||y.isMatch)&&D){var M=m[c];M?M.output.push({key:i,arrayIndex:s,value:r,score:P,matchedIndices:y.matchedIndices}):(m[c]={item:o,output:[{key:i,arrayIndex:s,value:r,score:P,matchedIndices:y.matchedIndices}]},v.push(m[c]))}}else if(a(r))for(var N=0,F=r.length;N-1&&(o.arrayIndex=r.arrayIndex),t.matches.push(o)}}})),this.options.includeScore&&s.push((function(e,t){t.score=e.score}));for(var r=0,o=e.length;ri)return s(e,this.pattern,n);var o=this.options,a=o.location,c=o.distance,l=o.threshold,h=o.findAllMatches,u=o.minMatchCharLength;return r(e,this.pattern,this.patternAlphabet,{location:a,distance:c,threshold:l,findAllMatches:h,minMatchCharLength:u})}}])&&n(t.prototype,i),a&&n(t,a),e}();e.exports=a},function(e,t){var i=/[\\-\\[\\]\\/\\{\\}\\(\\)\\*\\+\\?\\.\\\\\\^\\$\\|]/g;e.exports=function(e,t){var n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:/ +/g,s=new RegExp(t.replace(i,\"\\\\$&\").replace(n,\"|\")),r=e.match(s),o=!!r,a=[];if(o)for(var c=0,l=r.length;c=P;N-=1){var F=N-1,j=i[e.charAt(F)];if(j&&(E[F]=1),M[N]=(M[N+1]<<1|1)&j,0!==T&&(M[N]|=(O[N+1]|O[N])<<1|1|O[N+1]),M[N]&L&&(C=n(t,{errors:T,currentLocation:F,expectedLocation:v,distance:l}))<=_){if(_=C,(b=F)<=v)break;P=Math.max(1,2*v-b)}}if(n(t,{errors:T+1,currentLocation:v,expectedLocation:v,distance:l})>_)break;O=M}return{isMatch:b>=0,score:0===C?.001:C,matchedIndices:s(E,f)}}},function(e,t){e.exports=function(e,t){var i=t.errors,n=void 0===i?0:i,s=t.currentLocation,r=void 0===s?0:s,o=t.expectedLocation,a=void 0===o?0:o,c=t.distance,l=void 0===c?100:c,h=n/e.length,u=Math.abs(a-r);return l?h+u/l:u?1:h}},function(e,t){e.exports=function(){for(var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[],t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:1,i=[],n=-1,s=-1,r=0,o=e.length;r=t&&i.push([n,s]),n=-1)}return e[r-1]&&r-n>=t&&i.push([n,r-1]),i}},function(e,t){e.exports=function(e){for(var t={},i=e.length,n=0;n/g,\"&rt;\").replace(/-1?e.map((function(e){var i=e;return i.id===parseInt(t.choiceId,10)&&(i.selected=!0),i})):e;case\"REMOVE_ITEM\":return t.choiceId>-1?e.map((function(e){var i=e;return i.id===parseInt(t.choiceId,10)&&(i.selected=!1),i})):e;case\"FILTER_CHOICES\":return e.map((function(e){var i=e;return i.active=t.results.some((function(e){var t=e.item,n=e.score;return t.id===i.id&&(i.score=n,!0)})),i}));case\"ACTIVATE_CHOICES\":return e.map((function(e){var i=e;return i.active=t.active,i}));case\"CLEAR_CHOICES\":return v;default:return e}},general:_}),A=function(e,t){var i=e;if(\"CLEAR_ALL\"===t.type)i=void 0;else if(\"RESET_TO\"===t.type)return O(t.state);return C(i,t)};function L(e,t){for(var i=0;i\"'+I(e)+'\"'},maxItemText:function(e){return\"Only \"+e+\" values can be added\"},valueComparer:function(e,t){return e===t},fuseOptions:{includeScore:!0},callbackOnInit:null,callbackOnCreateTemplates:null,classNames:{containerOuter:\"choices\",containerInner:\"choices__inner\",input:\"choices__input\",inputCloned:\"choices__input--cloned\",list:\"choices__list\",listItems:\"choices__list--multiple\",listSingle:\"choices__list--single\",listDropdown:\"choices__list--dropdown\",item:\"choices__item\",itemSelectable:\"choices__item--selectable\",itemDisabled:\"choices__item--disabled\",itemChoice:\"choices__item--choice\",placeholder:\"choices__placeholder\",group:\"choices__group\",groupHeading:\"choices__heading\",button:\"choices__button\",activeState:\"is-active\",focusState:\"is-focused\",openState:\"is-open\",disabledState:\"is-disabled\",highlightedState:\"is-highlighted\",selectedState:\"is-selected\",flippedState:\"is-flipped\",loadingState:\"is-loading\",noResults:\"has-no-results\",noChoices:\"has-no-choices\"}},D=\"showDropdown\",M=\"hideDropdown\",N=\"change\",F=\"choice\",j=\"search\",K=\"addItem\",R=\"removeItem\",H=\"highlightItem\",B=\"highlightChoice\",V=\"ADD_CHOICE\",G=\"FILTER_CHOICES\",q=\"ACTIVATE_CHOICES\",U=\"CLEAR_CHOICES\",z=\"ADD_GROUP\",W=\"ADD_ITEM\",X=\"REMOVE_ITEM\",$=\"HIGHLIGHT_ITEM\",J=46,Y=8,Z=13,Q=65,ee=27,te=38,ie=40,ne=33,se=34,re=\"text\",oe=\"select-one\",ae=\"select-multiple\",ce=function(){function e(e){var t=e.element,i=e.type,n=e.classNames,s=e.position;this.element=t,this.classNames=n,this.type=i,this.position=s,this.isOpen=!1,this.isFlipped=!1,this.isFocussed=!1,this.isDisabled=!1,this.isLoading=!1,this._onFocus=this._onFocus.bind(this),this._onBlur=this._onBlur.bind(this)}var t=e.prototype;return t.addEventListeners=function(){this.element.addEventListener(\"focus\",this._onFocus),this.element.addEventListener(\"blur\",this._onBlur)},t.removeEventListeners=function(){this.element.removeEventListener(\"focus\",this._onFocus),this.element.removeEventListener(\"blur\",this._onBlur)},t.shouldFlip=function(e){if(\"number\"!=typeof e)return!1;var t=!1;return\"auto\"===this.position?t=!window.matchMedia(\"(min-height: \"+(e+1)+\"px)\").matches:\"top\"===this.position&&(t=!0),t},t.setActiveDescendant=function(e){this.element.setAttribute(\"aria-activedescendant\",e)},t.removeActiveDescendant=function(){this.element.removeAttribute(\"aria-activedescendant\")},t.open=function(e){this.element.classList.add(this.classNames.openState),this.element.setAttribute(\"aria-expanded\",\"true\"),this.isOpen=!0,this.shouldFlip(e)&&(this.element.classList.add(this.classNames.flippedState),this.isFlipped=!0)},t.close=function(){this.element.classList.remove(this.classNames.openState),this.element.setAttribute(\"aria-expanded\",\"false\"),this.removeActiveDescendant(),this.isOpen=!1,this.isFlipped&&(this.element.classList.remove(this.classNames.flippedState),this.isFlipped=!1)},t.focus=function(){this.isFocussed||this.element.focus()},t.addFocusState=function(){this.element.classList.add(this.classNames.focusState)},t.removeFocusState=function(){this.element.classList.remove(this.classNames.focusState)},t.enable=function(){this.element.classList.remove(this.classNames.disabledState),this.element.removeAttribute(\"aria-disabled\"),this.type===oe&&this.element.setAttribute(\"tabindex\",\"0\"),this.isDisabled=!1},t.disable=function(){this.element.classList.add(this.classNames.disabledState),this.element.setAttribute(\"aria-disabled\",\"true\"),this.type===oe&&this.element.setAttribute(\"tabindex\",\"-1\"),this.isDisabled=!0},t.wrap=function(e){!function(e,t){void 0===t&&(t=document.createElement(\"div\")),e.nextSibling?e.parentNode.insertBefore(t,e.nextSibling):e.parentNode.appendChild(t),t.appendChild(e)}(e,this.element)},t.unwrap=function(e){this.element.parentNode.insertBefore(e,this.element),this.element.parentNode.removeChild(this.element)},t.addLoadingState=function(){this.element.classList.add(this.classNames.loadingState),this.element.setAttribute(\"aria-busy\",\"true\"),this.isLoading=!0},t.removeLoadingState=function(){this.element.classList.remove(this.classNames.loadingState),this.element.removeAttribute(\"aria-busy\"),this.isLoading=!1},t._onFocus=function(){this.isFocussed=!0},t._onBlur=function(){this.isFocussed=!1},e}();function le(e,t){for(var i=0;i0?this.element.scrollTop+o-s:e.offsetTop;requestAnimationFrame((function(){i._animateScroll(a,t)}))}},t._scrollDown=function(e,t,i){var n=(i-e)/t,s=n>1?n:1;this.element.scrollTop=e+s},t._scrollUp=function(e,t,i){var n=(e-i)/t,s=n>1?n:1;this.element.scrollTop=e-s},t._animateScroll=function(e,t){var i=this,n=this.element.scrollTop,s=!1;t>0?(this._scrollDown(n,4,e),ne&&(s=!0)),s&&requestAnimationFrame((function(){i._animateScroll(e,t)}))},e}();function de(e,t){for(var i=0;i0?\"treeitem\":\"option\"),Object.assign(g.dataset,{choice:\"\",id:l,value:h,selectText:i}),m?(g.classList.add(a),g.dataset.choiceDisabled=\"\",g.setAttribute(\"aria-disabled\",\"true\")):(g.classList.add(r),g.dataset.choiceSelectable=\"\"),g},input:function(e,t){var i=e.input,n=e.inputCloned,s=Object.assign(document.createElement(\"input\"),{type:\"text\",className:i+\" \"+n,autocomplete:\"off\",autocapitalize:\"off\",spellcheck:!1});return s.setAttribute(\"role\",\"textbox\"),s.setAttribute(\"aria-autocomplete\",\"list\"),s.setAttribute(\"aria-label\",t),s},dropdown:function(e){var t=e.list,i=e.listDropdown,n=document.createElement(\"div\");return n.classList.add(t,i),n.setAttribute(\"aria-expanded\",\"false\"),n},notice:function(e,t,i){var n=e.item,s=e.itemChoice,r=e.noResults,o=e.noChoices;void 0===i&&(i=\"\");var a=[n,s];return\"no-choices\"===i?a.push(o):\"no-results\"===i&&a.push(r),Object.assign(document.createElement(\"div\"),{innerHTML:t,className:a.join(\" \")})},option:function(e){var t=e.label,i=e.value,n=e.customProperties,s=e.active,r=e.disabled,o=new Option(t,i,!1,s);return n&&(o.dataset.customProperties=n),o.disabled=r,o}},be=function(e){return void 0===e&&(e=!0),{type:q,active:e}},ye=function(e,t){return{type:$,id:e,highlighted:t}},Ee=function(e){var t=e.value,i=e.id,n=e.active,s=e.disabled;return{type:z,value:t,id:i,active:n,disabled:s}},Ie=function(e){return{type:\"SET_IS_LOADING\",isLoading:e}};function Se(e,t){for(var i=0;i=0?this._store.getGroupById(s):null;return this._store.dispatch(ye(i,!0)),t&&this.passedElement.triggerEvent(H,{id:i,value:o,label:c,groupValue:l&&l.value?l.value:null}),this},r.unhighlightItem=function(e){if(!e)return this;var t=e.id,i=e.groupId,n=void 0===i?-1:i,s=e.value,r=void 0===s?\"\":s,o=e.label,a=void 0===o?\"\":o,c=n>=0?this._store.getGroupById(n):null;return this._store.dispatch(ye(t,!1)),this.passedElement.triggerEvent(H,{id:t,value:r,label:a,groupValue:c&&c.value?c.value:null}),this},r.highlightAll=function(){var e=this;return this._store.items.forEach((function(t){return e.highlightItem(t)})),this},r.unhighlightAll=function(){var e=this;return this._store.items.forEach((function(t){return e.unhighlightItem(t)})),this},r.removeActiveItemsByValue=function(e){var t=this;return this._store.activeItems.filter((function(t){return t.value===e})).forEach((function(e){return t._removeItem(e)})),this},r.removeActiveItems=function(e){var t=this;return this._store.activeItems.filter((function(t){return t.id!==e})).forEach((function(e){return t._removeItem(e)})),this},r.removeHighlightedItems=function(e){var t=this;return void 0===e&&(e=!1),this._store.highlightedActiveItems.forEach((function(i){t._removeItem(i),e&&t._triggerChange(i.value)})),this},r.showDropdown=function(e){var t=this;return this.dropdown.isActive||requestAnimationFrame((function(){t.dropdown.show(),t.containerOuter.open(t.dropdown.distanceFromTopWindow),!e&&t._canSearch&&t.input.focus(),t.passedElement.triggerEvent(D,{})})),this},r.hideDropdown=function(e){var t=this;return this.dropdown.isActive?(requestAnimationFrame((function(){t.dropdown.hide(),t.containerOuter.close(),!e&&t._canSearch&&(t.input.removeActiveDescendant(),t.input.blur()),t.passedElement.triggerEvent(M,{})})),this):this},r.getValue=function(e){void 0===e&&(e=!1);var t=this._store.activeItems.reduce((function(t,i){var n=e?i.value:i;return t.push(n),t}),[]);return this._isSelectOneElement?t[0]:t},r.setValue=function(e){var t=this;return this.initialised?(e.forEach((function(e){return t._setChoiceOrItem(e)})),this):this},r.setChoiceByValue=function(e){var t=this;return!this.initialised||this._isTextElement||(Array.isArray(e)?e:[e]).forEach((function(e){return t._findAndSelectChoiceByValue(e)})),this},r.setChoices=function(e,t,i,n){var s=this;if(void 0===e&&(e=[]),void 0===t&&(t=\"value\"),void 0===i&&(i=\"label\"),void 0===n&&(n=!1),!this.initialised)throw new ReferenceError(\"setChoices was called on a non-initialized instance of Choices\");if(!this._isSelectElement)throw new TypeError(\"setChoices can't be used with INPUT based Choices\");if(\"string\"!=typeof t||!t)throw new TypeError(\"value parameter must be a name of 'value' field in passed objects\");if(n&&this.clearChoices(),\"function\"==typeof e){var r=e(this);if(\"function\"==typeof Promise&&r instanceof Promise)return new Promise((function(e){return requestAnimationFrame(e)})).then((function(){return s._handleLoadingState(!0)})).then((function(){return r})).then((function(e){return s.setChoices(e,t,i,n)})).catch((function(e){s.config.silent||console.error(e)})).then((function(){return s._handleLoadingState(!1)})).then((function(){return s}));if(!Array.isArray(r))throw new TypeError(\".setChoices first argument function must return either array of choices or Promise, got: \"+typeof r);return this.setChoices(r,t,i,!1)}if(!Array.isArray(e))throw new TypeError(\".setChoices must be called either with array of choices with a function resulting into Promise of array of choices\");return this.containerOuter.removeLoadingState(),this._startLoading(),e.forEach((function(e){e.choices?s._addGroup({id:parseInt(e.id,10)||null,group:e,valueKey:t,labelKey:i}):s._addChoice({value:e[t],label:e[i],isSelected:e.selected,isDisabled:e.disabled,customProperties:e.customProperties,placeholder:e.placeholder})})),this._stopLoading(),this},r.clearChoices=function(){return this._store.dispatch({type:U}),this},r.clearStore=function(){return this._store.dispatch({type:\"CLEAR_ALL\"}),this},r.clearInput=function(){var e=!this._isSelectOneElement;return this.input.clear(e),!this._isTextElement&&this._canSearch&&(this._isSearching=!1,this._store.dispatch(be(!0))),this},r._render=function(){if(!this._store.isLoading()){this._currentState=this._store.state;var e=this._currentState.choices!==this._prevState.choices||this._currentState.groups!==this._prevState.groups||this._currentState.items!==this._prevState.items,t=this._isSelectElement,i=this._currentState.items!==this._prevState.items;e&&(t&&this._renderChoices(),i&&this._renderItems(),this._prevState=this._currentState)}},r._renderChoices=function(){var e=this,t=this._store,i=t.activeGroups,n=t.activeChoices,s=document.createDocumentFragment();if(this.choiceList.clear(),this.config.resetScrollPosition&&requestAnimationFrame((function(){return e.choiceList.scrollToTop()})),i.length>=1&&!this._isSearching){var r=n.filter((function(e){return!0===e.placeholder&&-1===e.groupId}));r.length>=1&&(s=this._createChoicesFragment(r,s)),s=this._createGroupsFragment(i,n,s)}else n.length>=1&&(s=this._createChoicesFragment(n,s));if(s.childNodes&&s.childNodes.length>0){var o=this._store.activeItems,a=this._canAddItem(o,this.input.value);a.response?(this.choiceList.append(s),this._highlightChoice()):this.choiceList.append(this._getTemplate(\"notice\",a.notice))}else{var c,l;this._isSearching?(l=\"function\"==typeof this.config.noResultsText?this.config.noResultsText():this.config.noResultsText,c=this._getTemplate(\"notice\",l,\"no-results\")):(l=\"function\"==typeof this.config.noChoicesText?this.config.noChoicesText():this.config.noChoicesText,c=this._getTemplate(\"notice\",l,\"no-choices\")),this.choiceList.append(c)}},r._renderItems=function(){var e=this._store.activeItems||[];this.itemList.clear();var t=this._createItemsFragment(e);t.childNodes&&this.itemList.append(t)},r._createGroupsFragment=function(e,t,i){var n=this;return void 0===i&&(i=document.createDocumentFragment()),this.config.shouldSort&&e.sort(this.config.sorter),e.forEach((function(e){var s=function(e){return t.filter((function(t){return n._isSelectOneElement?t.groupId===e.id:t.groupId===e.id&&(\"always\"===n.config.renderSelectedChoices||!t.selected)}))}(e);if(s.length>=1){var r=n._getTemplate(\"choiceGroup\",e);i.appendChild(r),n._createChoicesFragment(s,i,!0)}})),i},r._createChoicesFragment=function(e,t,i){var n=this;void 0===t&&(t=document.createDocumentFragment()),void 0===i&&(i=!1);var s=this.config,r=s.renderSelectedChoices,o=s.searchResultLimit,a=s.renderChoiceLimit,c=this._isSearching?w:this.config.sorter,l=function(e){if(\"auto\"!==r||n._isSelectOneElement||!e.selected){var i=n._getTemplate(\"choice\",e,n.config.itemSelectText);t.appendChild(i)}},h=e;\"auto\"!==r||this._isSelectOneElement||(h=e.filter((function(e){return!e.selected})));var u=h.reduce((function(e,t){return t.placeholder?e.placeholderChoices.push(t):e.normalChoices.push(t),e}),{placeholderChoices:[],normalChoices:[]}),d=u.placeholderChoices,p=u.normalChoices;(this.config.shouldSort||this._isSearching)&&p.sort(c);var m=h.length,f=this._isSelectOneElement?[].concat(d,p):p;this._isSearching?m=o:a&&a>0&&!i&&(m=a);for(var v=0;v=n){var o=s?this._searchChoices(e):0;this.passedElement.triggerEvent(j,{value:e,resultCount:o})}else r&&(this._isSearching=!1,this._store.dispatch(be(!0)))}},r._canAddItem=function(e,t){var i=!0,n=\"function\"==typeof this.config.addItemText?this.config.addItemText(t):this.config.addItemText;if(!this._isSelectOneElement){var s=function(e,t,i){return void 0===i&&(i=\"value\"),e.some((function(e){return\"string\"==typeof t?e[i]===t.trim():e[i]===t}))}(e,t);this.config.maxItemCount>0&&this.config.maxItemCount<=e.length&&(i=!1,n=\"function\"==typeof this.config.maxItemText?this.config.maxItemText(this.config.maxItemCount):this.config.maxItemText),!this.config.duplicateItemsAllowed&&s&&i&&(i=!1,n=\"function\"==typeof this.config.uniqueItemText?this.config.uniqueItemText(t):this.config.uniqueItemText),this._isTextElement&&this.config.addItems&&i&&\"function\"==typeof this.config.addItemFilter&&!this.config.addItemFilter(t)&&(i=!1,n=\"function\"==typeof this.config.customAddItemText?this.config.customAddItemText(t):this.config.customAddItemText)}return{response:i,notice:n}},r._searchChoices=function(e){var t=\"string\"==typeof e?e.trim():e,i=\"string\"==typeof this._currentValue?this._currentValue.trim():this._currentValue;if(t.length<1&&t===i+\" \")return 0;var n=this._store.searchableChoices,r=t,o=[].concat(this.config.searchFields),a=Object.assign(this.config.fuseOptions,{keys:o}),c=new s.a(n,a).search(r);return this._currentValue=t,this._highlightPosition=0,this._isSearching=!0,this._store.dispatch(function(e){return{type:G,results:e}}(c)),c.length},r._addEventListeners=function(){var e=document.documentElement;e.addEventListener(\"touchend\",this._onTouchEnd,!0),this.containerOuter.element.addEventListener(\"keydown\",this._onKeyDown,!0),this.containerOuter.element.addEventListener(\"mousedown\",this._onMouseDown,!0),e.addEventListener(\"click\",this._onClick,{passive:!0}),e.addEventListener(\"touchmove\",this._onTouchMove,{passive:!0}),this.dropdown.element.addEventListener(\"mouseover\",this._onMouseOver,{passive:!0}),this._isSelectOneElement&&(this.containerOuter.element.addEventListener(\"focus\",this._onFocus,{passive:!0}),this.containerOuter.element.addEventListener(\"blur\",this._onBlur,{passive:!0})),this.input.element.addEventListener(\"keyup\",this._onKeyUp,{passive:!0}),this.input.element.addEventListener(\"focus\",this._onFocus,{passive:!0}),this.input.element.addEventListener(\"blur\",this._onBlur,{passive:!0}),this.input.element.form&&this.input.element.form.addEventListener(\"reset\",this._onFormReset,{passive:!0}),this.input.addEventListeners()},r._removeEventListeners=function(){var e=document.documentElement;e.removeEventListener(\"touchend\",this._onTouchEnd,!0),this.containerOuter.element.removeEventListener(\"keydown\",this._onKeyDown,!0),this.containerOuter.element.removeEventListener(\"mousedown\",this._onMouseDown,!0),e.removeEventListener(\"click\",this._onClick),e.removeEventListener(\"touchmove\",this._onTouchMove),this.dropdown.element.removeEventListener(\"mouseover\",this._onMouseOver),this._isSelectOneElement&&(this.containerOuter.element.removeEventListener(\"focus\",this._onFocus),this.containerOuter.element.removeEventListener(\"blur\",this._onBlur)),this.input.element.removeEventListener(\"keyup\",this._onKeyUp),this.input.element.removeEventListener(\"focus\",this._onFocus),this.input.element.removeEventListener(\"blur\",this._onBlur),this.input.element.form&&this.input.element.form.removeEventListener(\"reset\",this._onFormReset),this.input.removeEventListeners()},r._onKeyDown=function(e){var t,i=e.target,n=e.keyCode,s=e.ctrlKey,r=e.metaKey,o=this._store.activeItems,a=this.input.isFocussed,c=this.dropdown.isActive,l=this.itemList.hasChildren(),h=String.fromCharCode(n),u=J,d=Y,p=Z,m=Q,f=ee,v=te,g=ie,_=ne,b=se,y=s||r;!this._isTextElement&&/[a-zA-Z0-9-_ ]/.test(h)&&this.showDropdown();var E=((t={})[m]=this._onAKey,t[p]=this._onEnterKey,t[f]=this._onEscapeKey,t[v]=this._onDirectionKey,t[_]=this._onDirectionKey,t[g]=this._onDirectionKey,t[b]=this._onDirectionKey,t[d]=this._onDeleteKey,t[u]=this._onDeleteKey,t);E[n]&&E[n]({event:e,target:i,keyCode:n,metaKey:r,activeItems:o,hasFocusedInput:a,hasActiveDropdown:c,hasItems:l,hasCtrlDownKeyPressed:y})},r._onKeyUp=function(e){var t=e.target,i=e.keyCode,n=this.input.value,s=this._store.activeItems,r=this._canAddItem(s,n),o=J,a=Y;if(this._isTextElement)if(r.notice&&n){var c=this._getTemplate(\"notice\",r.notice);this.dropdown.element.innerHTML=c.outerHTML,this.showDropdown(!0)}else this.hideDropdown(!0);else{var l=(i===o||i===a)&&!t.value,h=!this._isTextElement&&this._isSearching,u=this._canSearch&&r.response;l&&h?(this._isSearching=!1,this._store.dispatch(be(!0))):u&&this._handleSearch(this.input.value)}this._canSearch=this.config.searchEnabled},r._onAKey=function(e){var t=e.hasItems;e.hasCtrlDownKeyPressed&&t&&(this._canSearch=!1,this.config.removeItems&&!this.input.value&&this.input.element===document.activeElement&&this.highlightAll())},r._onEnterKey=function(e){var t=e.event,i=e.target,n=e.activeItems,s=e.hasActiveDropdown,r=Z,o=i.hasAttribute(\"data-button\");if(this._isTextElement&&i.value){var a=this.input.value;this._canAddItem(n,a).response&&(this.hideDropdown(!0),this._addItem({value:a}),this._triggerChange(a),this.clearInput())}if(o&&(this._handleButtonAction(n,i),t.preventDefault()),s){var c=this.dropdown.getChild(\".\"+this.config.classNames.highlightedState);c&&(n[0]&&(n[0].keyCode=r),this._handleChoiceAction(n,c)),t.preventDefault()}else this._isSelectOneElement&&(this.showDropdown(),t.preventDefault())},r._onEscapeKey=function(e){e.hasActiveDropdown&&(this.hideDropdown(!0),this.containerOuter.focus())},r._onDirectionKey=function(e){var t,i,n,s=e.event,r=e.hasActiveDropdown,o=e.keyCode,a=e.metaKey,c=ie,l=ne,h=se;if(r||this._isSelectOneElement){this.showDropdown(),this._canSearch=!1;var u,d=o===c||o===h?1:-1,p=\"[data-choice-selectable]\";if(a||o===h||o===l)u=d>0?this.dropdown.element.querySelector(\"[data-choice-selectable]:last-of-type\"):this.dropdown.element.querySelector(p);else{var m=this.dropdown.element.querySelector(\".\"+this.config.classNames.highlightedState);u=m?function(e,t,i){if(void 0===i&&(i=1),e instanceof Element&&\"string\"==typeof t){for(var n=(i>0?\"next\":\"previous\")+\"ElementSibling\",s=e[n];s;){if(s.matches(t))return s;s=s[n]}return s}}(m,p,d):this.dropdown.element.querySelector(p)}u&&(t=u,i=this.choiceList.element,void 0===(n=d)&&(n=1),t&&(n>0?i.scrollTop+i.offsetHeight>=t.offsetTop+t.offsetHeight:t.offsetTop>=i.scrollTop)||this.choiceList.scrollToChildElement(u,d),this._highlightChoice(u)),s.preventDefault()}},r._onDeleteKey=function(e){var t=e.event,i=e.target,n=e.hasFocusedInput,s=e.activeItems;!n||i.value||this._isSelectOneElement||(this._handleBackspace(s),t.preventDefault())},r._onTouchMove=function(){this._wasTap&&(this._wasTap=!1)},r._onTouchEnd=function(e){var t=(e||e.touches[0]).target;this._wasTap&&this.containerOuter.element.contains(t)&&((t===this.containerOuter.element||t===this.containerInner.element)&&(this._isTextElement?this.input.focus():this._isSelectMultipleElement&&this.showDropdown()),e.stopPropagation()),this._wasTap=!0},r._onMouseDown=function(e){var t=e.target;if(t instanceof HTMLElement){if(we&&this.choiceList.element.contains(t)){var i=this.choiceList.element.firstElementChild,n=\"ltr\"===this._direction?e.offsetX>=i.offsetWidth:e.offsetX0&&this.unhighlightAll(),this.containerOuter.removeFocusState(),this.hideDropdown(!0))},r._onFocus=function(e){var t,i=this,n=e.target;this.containerOuter.element.contains(n)&&((t={}).text=function(){n===i.input.element&&i.containerOuter.addFocusState()},t[\"select-one\"]=function(){i.containerOuter.addFocusState(),n===i.input.element&&i.showDropdown(!0)},t[\"select-multiple\"]=function(){n===i.input.element&&(i.showDropdown(!0),i.containerOuter.addFocusState())},t)[this.passedElement.element.type]()},r._onBlur=function(e){var t=this,i=e.target;if(this.containerOuter.element.contains(i)&&!this._isScrollingOnIe){var n,s=this._store.activeItems.some((function(e){return e.highlighted}));((n={}).text=function(){i===t.input.element&&(t.containerOuter.removeFocusState(),s&&t.unhighlightAll(),t.hideDropdown(!0))},n[\"select-one\"]=function(){t.containerOuter.removeFocusState(),(i===t.input.element||i===t.containerOuter.element&&!t._canSearch)&&t.hideDropdown(!0)},n[\"select-multiple\"]=function(){i===t.input.element&&(t.containerOuter.removeFocusState(),t.hideDropdown(!0),s&&t.unhighlightAll())},n)[this.passedElement.element.type]()}else this._isScrollingOnIe=!1,this.input.element.focus()},r._onFormReset=function(){this._store.dispatch({type:\"RESET_TO\",state:this._initialState})},r._highlightChoice=function(e){var t=this;void 0===e&&(e=null);var i=Array.from(this.dropdown.element.querySelectorAll(\"[data-choice-selectable]\"));if(i.length){var n=e;Array.from(this.dropdown.element.querySelectorAll(\".\"+this.config.classNames.highlightedState)).forEach((function(e){e.classList.remove(t.config.classNames.highlightedState),e.setAttribute(\"aria-selected\",\"false\")})),n?this._highlightPosition=i.indexOf(n):(n=i.length>this._highlightPosition?i[this._highlightPosition]:i[i.length-1])||(n=i[0]),n.classList.add(this.config.classNames.highlightedState),n.setAttribute(\"aria-selected\",\"true\"),this.passedElement.triggerEvent(B,{el:n}),this.dropdown.isActive&&(this.input.setActiveDescendant(n.id),this.containerOuter.setActiveDescendant(n.id))}},r._addItem=function(e){var t=e.value,i=e.label,n=void 0===i?null:i,s=e.choiceId,r=void 0===s?-1:s,o=e.groupId,a=void 0===o?-1:o,c=e.customProperties,l=void 0===c?null:c,h=e.placeholder,u=void 0!==h&&h,d=e.keyCode,p=void 0===d?null:d,m=\"string\"==typeof t?t.trim():t,f=p,v=l,g=this._store.items,_=n||m,b=r||-1,y=a>=0?this._store.getGroupById(a):null,E=g?g.length+1:1;return this.config.prependValue&&(m=this.config.prependValue+m.toString()),this.config.appendValue&&(m+=this.config.appendValue.toString()),this._store.dispatch(function(e){var t=e.value,i=e.label,n=e.id,s=e.choiceId,r=e.groupId,o=e.customProperties,a=e.placeholder,c=e.keyCode;return{type:W,value:t,label:i,id:n,choiceId:s,groupId:r,customProperties:o,placeholder:a,keyCode:c}}({value:m,label:_,id:E,choiceId:b,groupId:a,customProperties:l,placeholder:u,keyCode:f})),this._isSelectOneElement&&this.removeActiveItems(E),this.passedElement.triggerEvent(K,{id:E,value:m,label:_,customProperties:v,groupValue:y&&y.value?y.value:void 0,keyCode:f}),this},r._removeItem=function(e){if(!e||!E(\"Object\",e))return this;var t=e.id,i=e.value,n=e.label,s=e.choiceId,r=e.groupId,o=r>=0?this._store.getGroupById(r):null;return this._store.dispatch(function(e,t){return{type:X,id:e,choiceId:t}}(t,s)),o&&o.value?this.passedElement.triggerEvent(R,{id:t,value:i,label:n,groupValue:o.value}):this.passedElement.triggerEvent(R,{id:t,value:i,label:n}),this},r._addChoice=function(e){var t=e.value,i=e.label,n=void 0===i?null:i,s=e.isSelected,r=void 0!==s&&s,o=e.isDisabled,a=void 0!==o&&o,c=e.groupId,l=void 0===c?-1:c,h=e.customProperties,u=void 0===h?null:h,d=e.placeholder,p=void 0!==d&&d,m=e.keyCode,f=void 0===m?null:m;if(null!=t){var v=this._store.choices,g=n||t,_=v?v.length+1:1,b=this._baseId+\"-\"+this._idNames.itemChoice+\"-\"+_;this._store.dispatch(function(e){var t=e.value,i=e.label,n=e.id,s=e.groupId,r=e.disabled,o=e.elementId,a=e.customProperties,c=e.placeholder,l=e.keyCode;return{type:V,value:t,label:i,id:n,groupId:s,disabled:r,elementId:o,customProperties:a,placeholder:c,keyCode:l}}({id:_,groupId:l,elementId:b,value:t,label:g,disabled:a,customProperties:u,placeholder:p,keyCode:f})),r&&this._addItem({value:t,label:g,choiceId:_,customProperties:u,placeholder:p,keyCode:f})}},r._addGroup=function(e){var t=this,i=e.group,n=e.id,s=e.valueKey,r=void 0===s?\"value\":s,o=e.labelKey,a=void 0===o?\"label\":o,c=E(\"Object\",i)?i.choices:Array.from(i.getElementsByTagName(\"OPTION\")),l=n||Math.floor((new Date).valueOf()*Math.random()),h=!!i.disabled&&i.disabled;c?(this._store.dispatch(Ee({value:i.label,id:l,active:!0,disabled:h})),c.forEach((function(e){var i=e.disabled||e.parentNode&&e.parentNode.disabled;t._addChoice({value:e[r],label:E(\"Object\",e)?e[a]:e.innerHTML,isSelected:e.selected,isDisabled:i,groupId:l,customProperties:e.customProperties,placeholder:e.placeholder})}))):this._store.dispatch(Ee({value:i.label,id:i.id,active:!1,disabled:i.disabled}))},r._getTemplate=function(e){var t;if(!e)return null;for(var i=this.config.classNames,n=arguments.length,s=new Array(n>1?n-1:0),r=1;r{var e;return this.input_el.name=null!==(e=this.model.name)&&void 0!==e?e:\"\"})),this.connect(this.model.properties.value.change,(()=>{this.input_el.value=this.format_value,this.old_value=this.input_el.value})),this.connect(this.model.properties.low.change,(()=>{const{value:e,low:t,high:l}=this.model;null!=t&&null!=l&&(0,p.assert)(t<=l,\"Invalid bounds, low must be inferior to high\"),null!=e&&null!=t&&e{const{value:e,low:t,high:l}=this.model;null!=t&&null!=l&&(0,p.assert)(l>=t,\"Invalid bounds, high must be superior to low\"),null!=e&&null!=l&&e>l&&(this.model.value=l)})),this.connect(this.model.properties.high.change,(()=>this.input_el.placeholder=this.model.placeholder)),this.connect(this.model.properties.disabled.change,(()=>this.input_el.disabled=this.model.disabled)),this.connect(this.model.properties.placeholder.change,(()=>this.input_el.placeholder=this.model.placeholder))}get format_value(){return null!=this.model.value?this.model.pretty(this.model.value):\"\"}_set_input_filter(e){this.input_el.addEventListener(\"input\",(()=>{const{selectionStart:t,selectionEnd:l}=this.input_el;if(e(this.input_el.value))this.old_value=this.input_el.value;else{const e=this.old_value.length-this.input_el.value.length;this.input_el.value=this.old_value,t&&l&&this.input_el.setSelectionRange(t-1,l+e)}}))}render(){super.render(),this.input_el=(0,r.input)({type:\"text\",class:_.input,name:this.model.name,value:this.format_value,disabled:this.model.disabled,placeholder:this.model.placeholder}),this.old_value=this.format_value,this.set_input_filter(),this.input_el.addEventListener(\"change\",(()=>this.change_input())),this.input_el.addEventListener(\"focusout\",(()=>this.input_el.value=this.format_value)),this.group_el.appendChild(this.input_el)}set_input_filter(){\"int\"==this.model.mode?this._set_input_filter((e=>m.test(e))):\"float\"==this.model.mode&&this._set_input_filter((e=>c.test(e)))}bound_value(e){let t=e;const{low:l,high:i}=this.model;return t=null!=l?Math.max(l,t):t,t=null!=i?Math.min(i,t):t,t}get value(){let e=\"\"!=this.input_el.value?Number(this.input_el.value):null;return null!=e&&(e=this.bound_value(e)),e}change_input(){null==this.value?this.model.value=null:Number.isNaN(this.value)||(this.model.value=this.value)}}l.NumericInputView=v,v.__name__=\"NumericInputView\";class g extends o.InputWidget{constructor(e){super(e)}_formatter(e,t){return(0,d.isString)(t)?h.format(e,t):t.doFormat([e],{loc:0})[0]}pretty(e){return null!=this.format?this._formatter(e,this.format):`${e}`}}l.NumericInput=g,u=g,g.__name__=\"NumericInput\",u.prototype.default_view=v,u.define((({Number:e,String:t,Enum:l,Ref:i,Or:n,Nullable:s})=>({value:[s(e),null],placeholder:[t,\"\"],mode:[l(\"int\",\"float\"),\"int\"],format:[s(n(t,i(a.TickFormatter))),null],low:[s(e),null],high:[s(e),null]})))},\n 479: function _(e,t,r,s,n){var a;s();const o=e(468),_=e(43);class p extends o.MarkupView{render(){super.render();const e=(0,_.pre)({style:{overflow:\"auto\"}},this.model.text);this.markup_el.appendChild(e)}}r.PreTextView=p,p.__name__=\"PreTextView\";class u extends o.Markup{constructor(e){super(e)}}r.PreText=u,a=u,u.__name__=\"PreText\",a.prototype.default_view=p},\n 480: function _(t,o,e,a,i){a();const n=t(1);var u;const s=t(452),c=t(43),_=(0,n.__importStar)(t(318));class r extends s.ButtonGroupView{change_active(t){this.model.active!==t&&(this.model.active=t)}_update_active(){const{active:t}=this.model;this._buttons.forEach(((o,e)=>{(0,c.classes)(o).toggle(_.active,t===e)}))}}e.RadioButtonGroupView=r,r.__name__=\"RadioButtonGroupView\";class l extends s.ButtonGroup{constructor(t){super(t)}}e.RadioButtonGroup=l,u=l,l.__name__=\"RadioButtonGroup\",u.prototype.default_view=r,u.define((({Int:t,Nullable:o})=>({active:[o(t),null]})))},\n 481: function _(e,n,i,t,a){t();const s=e(1);var l;const o=e(43),d=e(34),p=e(455),r=(0,s.__importStar)(e(449));class u extends p.InputGroupView{render(){super.render();const e=(0,o.div)({class:[r.input_group,this.model.inline?r.inline:null]});this.el.appendChild(e);const n=(0,d.uniqueId)(),{active:i,labels:t}=this.model;this._inputs=[];for(let a=0;athis.change_active(a))),this._inputs.push(s),this.model.disabled&&(s.disabled=!0),a==i&&(s.checked=!0);const l=(0,o.label)(s,(0,o.span)(t[a]));e.appendChild(l)}}change_active(e){this.model.active=e}}i.RadioGroupView=u,u.__name__=\"RadioGroupView\";class c extends p.InputGroup{constructor(e){super(e)}}i.RadioGroup=c,l=c,c.__name__=\"RadioGroup\",l.prototype.default_view=u,l.define((({Boolean:e,Int:n,String:i,Array:t,Nullable:a})=>({active:[a(n),null],labels:[t(i),[]],inline:[e,!1]})))},\n 482: function _(e,r,t,a,i){a();var n;const o=(0,e(1).__importStar)(e(153)),s=e(461),_=e(8);class d extends s.AbstractRangeSliderView{}t.RangeSliderView=d,d.__name__=\"RangeSliderView\";class c extends s.AbstractSlider{constructor(e){super(e),this.behaviour=\"drag\",this.connected=[!1,!0,!1]}_formatter(e,r){return(0,_.isString)(r)?o.format(e,r):r.compute(e)}}t.RangeSlider=c,n=c,c.__name__=\"RangeSlider\",n.prototype.default_view=d,n.override({format:\"0[.]00\"})},\n 483: function _(e,t,n,s,i){s();const l=e(1);var u;const a=e(43),o=e(8),p=e(13),_=e(448),r=(0,l.__importStar)(e(449));class c extends _.InputWidgetView{constructor(){super(...arguments),this._known_values=new Set}connect_signals(){super.connect_signals();const{value:e,options:t}=this.model.properties;this.on_change(e,(()=>{this._update_value()})),this.on_change(t,(()=>{(0,a.empty)(this.input_el),(0,a.append)(this.input_el,...this.options_el()),this._update_value()}))}options_el(){const{_known_values:e}=this;function t(t){return t.map((t=>{let n,s;return(0,o.isString)(t)?n=s=t:[n,s]=t,e.add(n),(0,a.option)({value:n},s)}))}e.clear();const{options:n}=this.model;return(0,o.isArray)(n)?t(n):(0,p.entries)(n).map((([e,n])=>(0,a.optgroup)({label:e},t(n))))}render(){super.render(),this.input_el=(0,a.select)({class:r.input,name:this.model.name,disabled:this.model.disabled},this.options_el()),this._update_value(),this.input_el.addEventListener(\"change\",(()=>this.change_input())),this.group_el.appendChild(this.input_el)}change_input(){const e=this.input_el.value;this.model.value=e,super.change_input()}_update_value(){const{value:e}=this.model;this._known_values.has(e)?this.input_el.value=e:this.input_el.removeAttribute(\"value\")}}n.SelectView=c,c.__name__=\"SelectView\";class h extends _.InputWidget{constructor(e){super(e)}}n.Select=h,u=h,h.__name__=\"Select\",u.prototype.default_view=c,u.define((({String:e,Array:t,Tuple:n,Dict:s,Or:i})=>{const l=t(i(e,n(e,e)));return{value:[e,\"\"],options:[i(l,s(l)),[]]}}))},\n 484: function _(e,t,r,i,a){i();var o;const s=(0,e(1).__importStar)(e(153)),_=e(461),n=e(8);class c extends _.AbstractSliderView{}r.SliderView=c,c.__name__=\"SliderView\";class d extends _.AbstractSlider{constructor(e){super(e),this.behaviour=\"tap\",this.connected=[!0,!1]}_formatter(e,t){return(0,n.isString)(t)?s.format(e,t):t.compute(e)}}r.Slider=d,o=d,d.__name__=\"Slider\",o.prototype.default_view=c,o.override({format:\"0[.]00\"})},\n 485: function _(e,t,i,n,s){var l;n();const o=e(478),r=e(43),{min:a,max:h,floor:_,abs:u}=Math;function d(e){return _(e)!==e?e.toFixed(16).replace(/0+$/,\"\").split(\".\")[1].length:0}class p extends o.NumericInputView{*buttons(){yield this.btn_up_el,yield this.btn_down_el}initialize(){super.initialize(),this._handles={interval:void 0,timeout:void 0},this._interval=200}connect_signals(){super.connect_signals();const e=this.model.properties;this.on_change(e.disabled,(()=>{for(const e of this.buttons())(0,r.toggle_attribute)(e,\"disabled\",this.model.disabled)}))}render(){super.render(),this.wrapper_el=(0,r.div)({class:\"bk-spin-wrapper\"}),this.group_el.replaceChild(this.wrapper_el,this.input_el),this.btn_up_el=(0,r.button)({class:\"bk-spin-btn bk-spin-btn-up\"}),this.btn_down_el=(0,r.button)({class:\"bk-spin-btn bk-spin-btn-down\"}),this.wrapper_el.appendChild(this.input_el),this.wrapper_el.appendChild(this.btn_up_el),this.wrapper_el.appendChild(this.btn_down_el);for(const e of this.buttons())(0,r.toggle_attribute)(e,\"disabled\",this.model.disabled),e.addEventListener(\"mousedown\",(e=>this._btn_mouse_down(e))),e.addEventListener(\"mouseup\",(()=>this._btn_mouse_up())),e.addEventListener(\"mouseleave\",(()=>this._btn_mouse_leave()));this.input_el.addEventListener(\"keydown\",(e=>this._input_key_down(e))),this.input_el.addEventListener(\"keyup\",(()=>this.model.value_throttled=this.model.value)),this.input_el.addEventListener(\"wheel\",(e=>this._input_mouse_wheel(e))),this.input_el.addEventListener(\"wheel\",function(e,t,i=!1){let n;return function(...s){const l=this,o=i&&void 0===n;void 0!==n&&clearTimeout(n),n=setTimeout((function(){n=void 0,i||e.apply(l,s)}),t),o&&e.apply(l,s)}}((()=>{this.model.value_throttled=this.model.value}),this.model.wheel_wait,!1))}get precision(){const{low:e,high:t,step:i}=this.model,n=d;return h(n(u(null!=e?e:0)),n(u(null!=t?t:0)),n(u(i)))}remove(){this._stop_incrementation(),super.remove()}_start_incrementation(e){clearInterval(this._handles.interval),this._counter=0;const{step:t}=this.model,i=e=>{if(this._counter+=1,this._counter%5==0){const t=Math.floor(this._counter/5);t<10?(clearInterval(this._handles.interval),this._handles.interval=setInterval((()=>i(e)),this._interval/(t+1))):t>=10&&t<=13&&(clearInterval(this._handles.interval),this._handles.interval=setInterval((()=>i(2*e)),this._interval/10))}this.increment(e)};this._handles.interval=setInterval((()=>i(e*t)),this._interval)}_stop_incrementation(){clearTimeout(this._handles.timeout),this._handles.timeout=void 0,clearInterval(this._handles.interval),this._handles.interval=void 0,this.model.value_throttled=this.model.value}_btn_mouse_down(e){e.preventDefault();const t=e.currentTarget===this.btn_up_el?1:-1;this.increment(t*this.model.step),this.input_el.focus(),this._handles.timeout=setTimeout((()=>this._start_incrementation(t)),this._interval)}_btn_mouse_up(){this._stop_incrementation()}_btn_mouse_leave(){this._stop_incrementation()}_input_mouse_wheel(e){if(document.activeElement===this.input_el){e.preventDefault();const t=e.deltaY>0?-1:1;this.increment(t*this.model.step)}}_input_key_down(e){switch(e.keyCode){case r.Keys.Up:return e.preventDefault(),this.increment(this.model.step);case r.Keys.Down:return e.preventDefault(),this.increment(-this.model.step);case r.Keys.PageUp:return e.preventDefault(),this.increment(this.model.page_step_multiplier*this.model.step);case r.Keys.PageDown:return e.preventDefault(),this.increment(-this.model.page_step_multiplier*this.model.step)}}adjust_to_precision(e){return this.bound_value(Number(e.toFixed(this.precision)))}increment(e){const{low:t,high:i}=this.model;null==this.model.value?e>0?this.model.value=null!=t?t:null!=i?a(0,i):0:e<0&&(this.model.value=null!=i?i:null!=t?h(t,0):0):this.model.value=this.adjust_to_precision(this.model.value+e)}change_input(){super.change_input(),this.model.value_throttled=this.model.value}}i.SpinnerView=p,p.__name__=\"SpinnerView\";class m extends o.NumericInput{constructor(e){super(e)}}i.Spinner=m,l=m,m.__name__=\"Spinner\",l.prototype.default_view=p,l.define((({Number:e,Nullable:t})=>({value_throttled:[t(e),null],step:[e,1],page_step_multiplier:[e,10],wheel_wait:[e,100]}))),l.override({mode:\"float\"})},\n 486: function _(e,t,s,n,i){n();const o=e(1);var r;const c=e(447),l=e(43),p=(0,o.__importStar)(e(449));class _ extends c.TextLikeInputView{connect_signals(){super.connect_signals(),this.connect(this.model.properties.rows.change,(()=>this.input_el.rows=this.model.rows)),this.connect(this.model.properties.cols.change,(()=>this.input_el.cols=this.model.cols))}_render_input(){this.input_el=(0,l.textarea)({class:p.input})}render(){super.render(),this.input_el.cols=this.model.cols,this.input_el.rows=this.model.rows}}s.TextAreaInputView=_,_.__name__=\"TextAreaInputView\";class a extends c.TextLikeInput{constructor(e){super(e)}}s.TextAreaInput=a,r=a,a.__name__=\"TextAreaInput\",r.prototype.default_view=_,r.define((({Int:e})=>({cols:[e,20],rows:[e,2]}))),r.override({max_length:500})},\n 487: function _(e,t,s,c,i){c();const o=e(1);var a;const n=e(441),l=e(43),_=(0,o.__importStar)(e(318));class r extends n.AbstractButtonView{connect_signals(){super.connect_signals(),this.connect(this.model.properties.active.change,(()=>this._update_active()))}render(){super.render(),this._update_active()}click(){this.model.active=!this.model.active,super.click()}_update_active(){(0,l.classes)(this.button_el).toggle(_.active,this.model.active)}}s.ToggleView=r,r.__name__=\"ToggleView\";class g extends n.AbstractButton{constructor(e){super(e)}}s.Toggle=g,a=g,g.__name__=\"Toggle\",a.prototype.default_view=r,a.define((({Boolean:e})=>({active:[e,!1]}))),a.override({label:\"Toggle\"})},\n }, 439, {\"models/widgets/main\":439,\"models/widgets/index\":440,\"models/widgets/abstract_button\":441,\"models/widgets/control\":442,\"models/widgets/widget\":512,\"models/widgets/abstract_icon\":444,\"models/widgets/autocomplete_input\":445,\"models/widgets/text_input\":446,\"models/widgets/text_like_input\":447,\"models/widgets/input_widget\":448,\"styles/widgets/inputs.css\":449,\"models/widgets/button\":450,\"models/widgets/checkbox_button_group\":451,\"models/widgets/button_group\":452,\"models/widgets/oriented_control\":453,\"models/widgets/checkbox_group\":454,\"models/widgets/input_group\":455,\"models/widgets/color_picker\":456,\"models/widgets/date_picker\":457,\"styles/widgets/flatpickr.css\":459,\"models/widgets/date_range_slider\":460,\"models/widgets/abstract_slider\":461,\"styles/widgets/sliders.css\":463,\"styles/widgets/nouislider.css\":464,\"models/widgets/date_slider\":465,\"models/widgets/datetime_range_slider\":466,\"models/widgets/div\":467,\"models/widgets/markup\":468,\"styles/clearfix.css\":469,\"models/widgets/dropdown\":470,\"models/widgets/file_input\":471,\"models/widgets/multiselect\":472,\"models/widgets/paragraph\":473,\"models/widgets/password_input\":474,\"models/widgets/multichoice\":475,\"styles/widgets/choices.css\":477,\"models/widgets/numeric_input\":478,\"models/widgets/pretext\":479,\"models/widgets/radio_button_group\":480,\"models/widgets/radio_group\":481,\"models/widgets/range_slider\":482,\"models/widgets/selectbox\":483,\"models/widgets/slider\":484,\"models/widgets/spinner\":485,\"models/widgets/textarea_input\":486,\"models/widgets/toggle\":487}, {});});\n\n /* END bokeh-widgets.min.js */\n },\n function(Bokeh) {\n /* BEGIN bokeh-tables.min.js */\n /*!\n * Copyright (c) 2012 - 2022, Anaconda, Inc., and Bokeh Contributors\n * All rights reserved.\n * \n * Redistribution and use in source and binary forms, with or without modification,\n * are permitted provided that the following conditions are met:\n * \n * Redistributions of source code must retain the above copyright notice,\n * this list of conditions and the following disclaimer.\n * \n * Redistributions in binary form must reproduce the above copyright notice,\n * this list of conditions and the following disclaimer in the documentation\n * and/or other materials provided with the distribution.\n * \n * Neither the name of Anaconda nor the names of any contributors\n * may be used to endorse or promote products derived from this software\n * without specific prior written permission.\n * \n * THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS \"AS IS\"\n * AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE\n * IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE\n * ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR CONTRIBUTORS BE\n * LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR\n * CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF\n * SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS\n * INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN\n * CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)\n * ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF\n * THE POSSIBILITY OF SUCH DAMAGE.\n */\n (function(root, factory) {\n factory(root[\"Bokeh\"], \"2.4.3\");\n })(this, function(Bokeh, version) {\n let define;\n return (function(modules, entry, aliases, externals) {\n const bokeh = typeof Bokeh !== \"undefined\" && (version != null ? Bokeh[version] : Bokeh);\n if (bokeh != null) {\n return bokeh.register_plugin(modules, entry, aliases);\n } else {\n throw new Error(\"Cannot find Bokeh \" + version + \". You have to load it prior to loading plugins.\");\n }\n })\n ({\n 488: function _(t,e,o,r,s){r();const _=(0,t(1).__importStar)(t(489));o.Tables=_;(0,t(7).register_models)(_)},\n 489: function _(g,a,r,e,t){e();const o=g(1);(0,o.__exportStar)(g(490),r),(0,o.__exportStar)(g(493),r),t(\"DataTable\",g(496).DataTable),t(\"TableColumn\",g(514).TableColumn),t(\"TableWidget\",g(513).TableWidget);var n=g(516);t(\"AvgAggregator\",n.AvgAggregator),t(\"MinAggregator\",n.MinAggregator),t(\"MaxAggregator\",n.MaxAggregator),t(\"SumAggregator\",n.SumAggregator);var A=g(517);t(\"GroupingInfo\",A.GroupingInfo),t(\"DataCube\",A.DataCube)},\n 490: function _(e,t,i,s,a){s();const r=e(1);var l,n,u,d,o,p,_,c,h;const E=e(43),V=e(226),m=e(53),f=e(491),v=(0,r.__importStar)(e(492));class w extends V.DOMView{constructor(e){const{model:t,parent:i}=e.column;super(Object.assign({model:t,parent:i},e)),this.args=e,this.initialize(),this.render()}get emptyValue(){return null}initialize(){super.initialize(),this.inputEl=this._createInput(),this.defaultValue=null}async lazy_initialize(){throw new Error(\"unsupported\")}css_classes(){return super.css_classes().concat(v.cell_editor)}render(){super.render(),this.args.container.append(this.el),this.el.appendChild(this.inputEl),this.renderEditor(),this.disableNavigation()}renderEditor(){}disableNavigation(){this.inputEl.addEventListener(\"keydown\",(e=>{switch(e.keyCode){case E.Keys.Left:case E.Keys.Right:case E.Keys.Up:case E.Keys.Down:case E.Keys.PageUp:case E.Keys.PageDown:e.stopImmediatePropagation()}}))}destroy(){this.remove()}focus(){this.inputEl.focus()}show(){}hide(){}position(){}getValue(){return this.inputEl.value}setValue(e){this.inputEl.value=e}serializeValue(){return this.getValue()}isValueChanged(){return!(\"\"==this.getValue()&&null==this.defaultValue)&&this.getValue()!==this.defaultValue}applyValue(e,t){const i=this.args.grid.getData(),s=i.index.indexOf(e[f.DTINDEX_NAME]);i.setField(s,this.args.column.field,t)}loadValue(e){const t=e[this.args.column.field];this.defaultValue=null!=t?t:this.emptyValue,this.setValue(this.defaultValue)}validateValue(e){if(this.args.column.validator){const t=this.args.column.validator(e);if(!t.valid)return t}return{valid:!0,msg:null}}validate(){return this.validateValue(this.getValue())}}i.CellEditorView=w,w.__name__=\"CellEditorView\";class g extends m.Model{}i.CellEditor=g,g.__name__=\"CellEditor\";class x extends w{get emptyValue(){return\"\"}_createInput(){return(0,E.input)({type:\"text\"})}renderEditor(){this.inputEl.focus(),this.inputEl.select()}loadValue(e){super.loadValue(e),this.inputEl.defaultValue=this.defaultValue,this.inputEl.select()}}i.StringEditorView=x,x.__name__=\"StringEditorView\";class y extends g{}i.StringEditor=y,l=y,y.__name__=\"StringEditor\",l.prototype.default_view=x,l.define((({String:e,Array:t})=>({completions:[t(e),[]]})));class I extends w{_createInput(){return(0,E.textarea)()}renderEditor(){this.inputEl.focus(),this.inputEl.select()}}i.TextEditorView=I,I.__name__=\"TextEditorView\";class b extends g{}i.TextEditor=b,n=b,b.__name__=\"TextEditor\",n.prototype.default_view=I;class N extends w{_createInput(){return(0,E.select)()}renderEditor(){for(const e of this.model.options)this.inputEl.appendChild((0,E.option)({value:e},e));this.focus()}}i.SelectEditorView=N,N.__name__=\"SelectEditorView\";class C extends g{}i.SelectEditor=C,u=C,C.__name__=\"SelectEditor\",u.prototype.default_view=N,u.define((({String:e,Array:t})=>({options:[t(e),[]]})));class D extends w{_createInput(){return(0,E.input)({type:\"text\"})}}i.PercentEditorView=D,D.__name__=\"PercentEditorView\";class S extends g{}i.PercentEditor=S,d=S,S.__name__=\"PercentEditor\",d.prototype.default_view=D;class k extends w{_createInput(){return(0,E.input)({type:\"checkbox\"})}renderEditor(){this.focus()}loadValue(e){this.defaultValue=!!e[this.args.column.field],this.inputEl.checked=this.defaultValue}serializeValue(){return this.inputEl.checked}}i.CheckboxEditorView=k,k.__name__=\"CheckboxEditorView\";class z extends g{}i.CheckboxEditor=z,o=z,z.__name__=\"CheckboxEditor\",o.prototype.default_view=k;class P extends w{_createInput(){return(0,E.input)({type:\"text\"})}renderEditor(){this.inputEl.focus(),this.inputEl.select()}remove(){super.remove()}serializeValue(){var e;return null!==(e=parseInt(this.getValue(),10))&&void 0!==e?e:0}loadValue(e){super.loadValue(e),this.inputEl.defaultValue=this.defaultValue,this.inputEl.select()}validateValue(e){return isNaN(e)?{valid:!1,msg:\"Please enter a valid integer\"}:super.validateValue(e)}}i.IntEditorView=P,P.__name__=\"IntEditorView\";class T extends g{}i.IntEditor=T,p=T,T.__name__=\"IntEditor\",p.prototype.default_view=P,p.define((({Int:e})=>({step:[e,1]})));class K extends w{_createInput(){return(0,E.input)({type:\"text\"})}renderEditor(){this.inputEl.focus(),this.inputEl.select()}remove(){super.remove()}serializeValue(){var e;return null!==(e=parseFloat(this.getValue()))&&void 0!==e?e:0}loadValue(e){super.loadValue(e),this.inputEl.defaultValue=this.defaultValue,this.inputEl.select()}validateValue(e){return isNaN(e)?{valid:!1,msg:\"Please enter a valid number\"}:super.validateValue(e)}}i.NumberEditorView=K,K.__name__=\"NumberEditorView\";class A extends g{}i.NumberEditor=A,_=A,A.__name__=\"NumberEditor\",_.prototype.default_view=K,_.define((({Number:e})=>({step:[e,.01]})));class M extends w{_createInput(){return(0,E.input)({type:\"text\"})}}i.TimeEditorView=M,M.__name__=\"TimeEditorView\";class O extends g{}i.TimeEditor=O,c=O,O.__name__=\"TimeEditor\",c.prototype.default_view=M;class F extends w{_createInput(){return(0,E.input)({type:\"text\"})}get emptyValue(){return new Date}renderEditor(){this.inputEl.focus(),this.inputEl.select()}destroy(){super.destroy()}show(){super.show()}hide(){super.hide()}position(){return super.position()}getValue(){}setValue(e){}}i.DateEditorView=F,F.__name__=\"DateEditorView\";class L extends g{}i.DateEditor=L,h=L,L.__name__=\"DateEditor\",h.prototype.default_view=F},\n 491: function _(_,n,i,t,d){t(),i.DTINDEX_NAME=\"__bkdt_internal_index__\"},\n 492: function _(e,l,o,t,r){t(),o.root=\"bk-root\",o.data_table=\"bk-data-table\",o.cell_special_defaults=\"bk-cell-special-defaults\",o.cell_select=\"bk-cell-select\",o.cell_index=\"bk-cell-index\",o.header_index=\"bk-header-index\",o.cell_editor=\"bk-cell-editor\",o.cell_editor_completion=\"bk-cell-editor-completion\",o.default='.bk-root .bk-data-table{box-sizing:content-box;font-size:11px;}.bk-root .bk-data-table input[type=\"checkbox\"]{margin-left:4px;margin-right:4px;}.bk-root .bk-cell-special-defaults{border-right-color:silver;border-right-style:solid;background:#f5f5f5;}.bk-root .bk-cell-select{border-right-color:silver;border-right-style:solid;background:#f5f5f5;}.bk-root .slick-cell.bk-cell-index{border-right-color:silver;border-right-style:solid;background:#f5f5f5;text-align:right;background:#f0f0f0;color:#909090;}.bk-root .bk-header-index .slick-column-name{float:right;}.bk-root .slick-row.selected .bk-cell-index{background-color:transparent;}.bk-root .slick-row.odd{background:#f0f0f0;}.bk-root .slick-cell{padding-left:4px;padding-right:4px;border-right-color:transparent;border:0.25px solid transparent;}.bk-root .slick-cell .bk{line-height:inherit;}.bk-root .slick-cell.active{border-style:dashed;}.bk-root .slick-cell.selected{background-color:#F0F8FF;}.bk-root .slick-cell.editable{padding-left:0;padding-right:0;}.bk-root .bk-cell-editor{display:contents;}.bk-root .bk-cell-editor input,.bk-root .bk-cell-editor select{width:100%;height:100%;border:0;margin:0;padding:0;outline:0;background:transparent;vertical-align:baseline;}.bk-root .bk-cell-editor input{padding-left:4px;padding-right:4px;}.bk-root .bk-cell-editor-completion{font-size:11px;}'},\n 493: function _(t,e,r,n,o){n();const a=t(1);var s,i,l,c,u,m;const _=(0,a.__importDefault)(t(151)),d=(0,a.__importStar)(t(153)),f=t(494),g=t(43),F=t(20),h=t(8),p=t(34),S=t(22),x=t(53);class b extends x.Model{constructor(t){super(t)}doFormat(t,e,r,n,o){return null==r?\"\":`${r}`.replace(/&/g,\"&\").replace(//g,\">\")}}r.CellFormatter=b,b.__name__=\"CellFormatter\";class M extends b{constructor(t){super(t)}doFormat(t,e,r,n,o){const{font_style:a,text_align:s,text_color:i}=this,l=(0,g.div)(null==r?\"\":`${r}`);switch(a){case\"bold\":l.style.fontWeight=\"bold\";break;case\"italic\":l.style.fontStyle=\"italic\"}return null!=s&&(l.style.textAlign=s),null!=i&&(l.style.color=(0,S.color2css)(i)),l.outerHTML}}r.StringFormatter=M,s=M,M.__name__=\"StringFormatter\",s.define((({Color:t,Nullable:e,String:r})=>({font_style:[F.FontStyle,\"normal\"],text_align:[F.TextAlign,\"left\"],text_color:[e(t),null],nan_format:[r,\"-\"]})));class w extends M{constructor(t){super(t)}get scientific_limit_low(){return 10**this.power_limit_low}get scientific_limit_high(){return 10**this.power_limit_high}doFormat(t,e,r,n,o){const a=Math.abs(r)<=this.scientific_limit_low||Math.abs(r)>=this.scientific_limit_high;let s=this.precision;return s<1&&(s=1),r=null==r||isNaN(r)?this.nan_format:0==r?(0,p.to_fixed)(r,1):a?r.toExponential(s):(0,p.to_fixed)(r,s),super.doFormat(t,e,r,n,o)}}r.ScientificFormatter=w,i=w,w.__name__=\"ScientificFormatter\",i.define((({Number:t})=>({precision:[t,10],power_limit_high:[t,5],power_limit_low:[t,-3]})));class C extends M{constructor(t){super(t)}doFormat(t,e,r,n,o){const{format:a,language:s,nan_format:i}=this,l=(()=>{switch(this.rounding){case\"round\":case\"nearest\":return Math.round;case\"floor\":case\"rounddown\":return Math.floor;case\"ceil\":case\"roundup\":return Math.ceil}})();return r=null==r||isNaN(r)?i:d.format(r,a,s,l),super.doFormat(t,e,r,n,o)}}r.NumberFormatter=C,l=C,C.__name__=\"NumberFormatter\",l.define((({String:t})=>({format:[t,\"0,0\"],language:[t,\"en\"],rounding:[F.RoundingFunction,\"round\"]})));class y extends b{constructor(t){super(t)}doFormat(t,e,r,n,o){return r?(0,g.i)({class:this.icon}).outerHTML:\"\"}}r.BooleanFormatter=y,c=y,y.__name__=\"BooleanFormatter\",c.define((({String:t})=>({icon:[t,\"check\"]})));class N extends M{constructor(t){super(t)}getFormat(){switch(this.format){case\"ATOM\":case\"W3C\":case\"RFC-3339\":case\"ISO-8601\":return\"%Y-%m-%d\";case\"COOKIE\":return\"%a, %d %b %Y\";case\"RFC-850\":return\"%A, %d-%b-%y\";case\"RFC-1123\":case\"RFC-2822\":return\"%a, %e %b %Y\";case\"RSS\":case\"RFC-822\":case\"RFC-1036\":return\"%a, %e %b %y\";case\"TIMESTAMP\":return;default:return this.format}}doFormat(t,e,r,n,o){const{nan_format:a}=this;let s;return s=null==(r=(0,h.isString)(r)?parseInt(r,10):r)||isNaN(r)||-9223372036854776===r?a:(0,_.default)(r,this.getFormat()),super.doFormat(t,e,s,n,o)}}r.DateFormatter=N,u=N,N.__name__=\"DateFormatter\",u.define((({String:t})=>({format:[t,\"ISO-8601\"]})));class T extends b{constructor(t){super(t)}doFormat(t,e,r,n,o){const{template:a}=this;if(null==r)return\"\";return f._.template(a)(Object.assign(Object.assign({},o),{value:r}))}}r.HTMLTemplateFormatter=T,m=T,T.__name__=\"HTMLTemplateFormatter\",m.define((({String:t})=>({template:[t,\"<%= value %>\"]})))},\n 494: function _(e,n,t,f,i){var o=e(495),d=o.template;function r(e,n,t){return d(e,n,t)}r._=o,n.exports=r,\"function\"==typeof define&&define.amd?define((function(){return r})):\"undefined\"==typeof window&&\"undefined\"==typeof navigator||(window.UnderscoreTemplate=r)},\n 495: function _(r,e,n,t,a){\n // (c) 2009-2013 Jeremy Ashkenas, DocumentCloud and Investigative Reporters & Editors\n // Underscore may be freely distributed under the MIT license.\n var u={},c=Array.prototype,o=Object.prototype,l=c.slice,i=o.toString,f=o.hasOwnProperty,s=c.forEach,p=Object.keys,_=Array.isArray,h=function(){},v=h.each=h.forEach=function(r,e,n){if(null!=r)if(s&&r.forEach===s)r.forEach(e,n);else if(r.length===+r.length){for(var t=0,a=r.length;t\":\">\",'\"':\""\",\"'\":\"'\"}},y={escape:new RegExp(\"[\"+h.keys(g.escape).join(\"\")+\"]\",\"g\")};h.each([\"escape\"],(function(r){h[r]=function(e){return null==e?\"\":(\"\"+e).replace(y[r],(function(e){return g[r][e]}))}})),h.templateSettings={evaluate:/<%([\\s\\S]+?)%>/g,interpolate:/<%=([\\s\\S]+?)%>/g,escape:/<%-([\\s\\S]+?)%>/g};var j=/(.)^/,b={\"'\":\"'\",\"\\\\\":\"\\\\\",\"\\r\":\"r\",\"\\n\":\"n\",\"\\t\":\"t\",\"\\u2028\":\"u2028\",\"\\u2029\":\"u2029\"},w=/\\\\|'|\\r|\\n|\\t|\\u2028|\\u2029/g;h.template=function(r,e,n){var t;n=h.defaults({},n,h.templateSettings);var a=new RegExp([(n.escape||j).source,(n.interpolate||j).source,(n.evaluate||j).source].join(\"|\")+\"|$\",\"g\"),u=0,c=\"__p+='\";r.replace(a,(function(e,n,t,a,o){return c+=r.slice(u,o).replace(w,(function(r){return\"\\\\\"+b[r]})),n&&(c+=\"'+\\n((__t=(\"+n+\"))==null?'':_.escape(__t))+\\n'\"),t&&(c+=\"'+\\n((__t=(\"+t+\"))==null?'':__t)+\\n'\"),a&&(c+=\"';\\n\"+a+\"\\n__p+='\"),u=o+e.length,e})),c+=\"';\\n\",n.variable||(c=\"with(obj||{}){\\n\"+c+\"}\\n\"),c=\"var __t,__p='',__j=Array.prototype.join,print=function(){__p+=__j.call(arguments,'');};\\n\"+c+\"return __p;\\n\";try{t=new Function(n.variable||\"obj\",\"_\",c)}catch(r){throw r.source=c,r}if(e)return t(e,h);var o=function(r){return t.call(this,r,h)};return o.source=\"function(\"+(n.variable||\"obj\")+\"){\\n\"+c+\"}\",o},e.exports=h},\n 496: function _(e,t,i,s,o){s();const n=e(1);var l;const r=e(497),d=e(501),a=e(502),h=e(503),u=e(34),c=e(8),_=e(9),m=e(13),g=e(19),p=e(512),f=e(491),b=e(513),w=e(514),x=(0,n.__importStar)(e(492)),C=x,v=(0,n.__importDefault)(e(515));i.AutosizeModes={fit_columns:\"FCV\",fit_viewport:\"FVC\",force_fit:\"LFF\",none:\"NOA\"};let z=!1;class A{constructor(e,t){this.init(e,t)}init(e,t){if(f.DTINDEX_NAME in e.data)throw new Error(`special name ${f.DTINDEX_NAME} cannot be used as a data table column`);this.source=e,this.view=t,this.index=[...this.view.indices]}getLength(){return this.index.length}getItem(e){const t={};for(const i of(0,m.keys)(this.source.data))t[i]=this.source.data[i][this.index[e]];return t[f.DTINDEX_NAME]=this.index[e],t}getField(e,t){return t==f.DTINDEX_NAME?this.index[e]:this.source.data[t][this.index[e]]}setField(e,t,i){const s=this.index[e];this.source.patch({[t]:[[s,i]]})}getRecords(){return(0,_.range)(0,this.getLength()).map((e=>this.getItem(e)))}getItems(){return this.getRecords()}slice(e,t,i){return e=null!=e?e:0,t=null!=t?t:this.getLength(),i=null!=i?i:1,(0,_.range)(e,t,i).map((e=>this.getItem(e)))}sort(e){let t=e.map((e=>[e.sortCol.field,e.sortAsc?1:-1]));0==t.length&&(t=[[f.DTINDEX_NAME,1]]);const i=this.getRecords(),s=this.index.slice();this.index.sort(((e,o)=>{for(const[n,l]of t){const t=i[s.indexOf(e)][n],r=i[s.indexOf(o)][n];if(t!==r)return(0,c.isNumber)(t)&&(0,c.isNumber)(r)?l*(t-r||+isNaN(t)-+isNaN(r)):`${t}`>`${r}`?l:-l}return 0}))}}i.TableDataProvider=A,A.__name__=\"TableDataProvider\";class M extends p.WidgetView{constructor(){super(...arguments),this._in_selection_update=!1,this._width=null}connect_signals(){super.connect_signals(),this.connect(this.model.change,(()=>this.render())),this.connect(this.model.source.streaming,(()=>this.updateGrid())),this.connect(this.model.source.patching,(()=>this.updateGrid())),this.connect(this.model.source.change,(()=>this.updateGrid())),this.connect(this.model.source.properties.data.change,(()=>this.updateGrid())),this.connect(this.model.source.selected.change,(()=>this.updateSelection())),this.connect(this.model.source.selected.properties.indices.change,(()=>this.updateSelection()));for(const e of this.model.columns)this.connect(e.change,(()=>{this.invalidate_layout(),this.render()}))}remove(){var e;null===(e=this.grid)||void 0===e||e.destroy(),super.remove()}styles(){return[...super.styles(),v.default,x.default]}update_position(){super.update_position(),this.grid.resizeCanvas()}after_layout(){super.after_layout(),this.updateLayout(!0,!1)}box_sizing(){const e=super.box_sizing();return\"fit_viewport\"===this.model.autosize_mode&&null!=this._width&&(e.width=this._width),e}updateLayout(e,t){const s=this.autosize;s===i.AutosizeModes.fit_columns||s===i.AutosizeModes.force_fit?(e||this.grid.resizeCanvas(),this.grid.autosizeColumns()):e&&t&&s===i.AutosizeModes.fit_viewport&&this.invalidate_layout()}updateGrid(){if(this.model.view.compute_indices(),this.data.init(this.model.source,this.model.view),this.model.sortable){const e=this.grid.getColumns(),t=this.grid.getSortColumns().map((t=>({sortCol:{field:e[this.grid.getColumnIndex(t.columnId)].field},sortAsc:t.sortAsc})));this.data.sort(t)}this.grid.invalidate(),this.updateLayout(!0,!0)}updateSelection(){if(this._in_selection_update)return;const{selected:e}=this.model.source,t=e.indices.map((e=>this.data.index.indexOf(e))).sort();this._in_selection_update=!0,this.grid.setSelectedRows(t),this._in_selection_update=!1;const i=this.grid.getViewport(),s=this.model.get_scroll_index(i,t);null!=s&&this.grid.scrollRowToTop(s)}newIndexColumn(){return{id:(0,u.uniqueId)(),name:this.model.index_header,field:f.DTINDEX_NAME,width:this.model.index_width,behavior:\"select\",cannotTriggerInsert:!0,resizable:!1,selectable:!1,sortable:!0,cssClass:C.cell_index,headerCssClass:C.header_index}}css_classes(){return super.css_classes().concat(C.data_table)}get autosize(){let e;return e=!0===this.model.fit_columns?i.AutosizeModes.force_fit:!1===this.model.fit_columns?i.AutosizeModes.none:i.AutosizeModes[this.model.autosize_mode],e}render(){var e;const t=this.model.columns.filter((e=>e.visible)).map((e=>Object.assign(Object.assign({},e.toColumn()),{parent:this})));let s=null;if(\"checkbox\"==this.model.selectable&&(s=new d.CheckboxSelectColumn({cssClass:C.cell_select}),t.unshift(s.getColumnDefinition())),null!=this.model.index_position){const e=this.model.index_position,i=this.newIndexColumn();-1==e?t.push(i):e<-1?t.splice(e+1,0,i):t.splice(e,0,i)}let{reorderable:o}=this.model;!o||\"undefined\"!=typeof $&&null!=$.fn&&null!=$.fn.sortable||(z||(g.logger.warn(\"jquery-ui is required to enable DataTable.reorderable\"),z=!0),o=!1);let n=-1,l=!1;const{frozen_rows:u,frozen_columns:_}=this.model,m=null==_?-1:_-1;null!=u&&(l=u<0,n=Math.abs(u));const p={enableCellNavigation:!1!==this.model.selectable,enableColumnReorder:o,autosizeColsMode:this.autosize,multiColumnSort:this.model.sortable,editable:this.model.editable,autoEdit:this.model.auto_edit,autoHeight:!1,rowHeight:this.model.row_height,frozenColumn:m,frozenRow:n,frozenBottom:l},f=null!=this.grid;if(this.data=new A(this.model.source,this.model.view),this.grid=new h.Grid(this.el,this.data,t,p),this.autosize==i.AutosizeModes.fit_viewport){this.grid.autosizeColumns();let i=0;for(const s of t)i+=null!==(e=s.width)&&void 0!==e?e:0;this._width=Math.ceil(i)}if(this.grid.onSort.subscribe(((e,t)=>{if(!this.model.sortable)return;const i=t.sortCols;null!=i&&(this.data.sort(i),this.grid.invalidate(),this.updateSelection(),this.grid.render(),this.model.header_row||this._hide_header(),this.model.update_sort_columns(i))})),!1!==this.model.selectable){this.grid.setSelectionModel(new r.RowSelectionModel({selectActiveRow:null==s})),null!=s&&this.grid.registerPlugin(s);const e={dataItemColumnValueExtractor(e,t){let i=e[t.field];return(0,c.isString)(i)&&(i=i.replace(/\\n/g,\"\\\\n\")),i},includeHeaderWhenCopying:!1};this.grid.registerPlugin(new a.CellExternalCopyManager(e)),this.grid.onSelectedRowsChanged.subscribe(((e,t)=>{this._in_selection_update||(this.model.source.selected.indices=t.rows.map((e=>this.data.index[e])))})),this.updateSelection(),this.model.header_row||this._hide_header()}f&&this.updateLayout(f,!1)}_hide_header(){for(const e of this.el.querySelectorAll(\".slick-header-columns\"))e.style.height=\"0px\";this.grid.resizeCanvas()}}i.DataTableView=M,M.__name__=\"DataTableView\";class D extends b.TableWidget{constructor(e){super(e),this._sort_columns=[]}get sort_columns(){return this._sort_columns}update_sort_columns(e){this._sort_columns=e.map((({sortCol:e,sortAsc:t})=>({field:e.field,sortAsc:t})))}get_scroll_index(e,t){return this.scroll_to_selection&&0!=t.length?(0,_.some)(t,(t=>e.top<=t&&t<=e.bottom))?null:Math.max(0,Math.min(...t)-1):null}}i.DataTable=D,l=D,D.__name__=\"DataTable\",l.prototype.default_view=M,l.define((({Array:e,Boolean:t,Int:i,Ref:s,String:o,Enum:n,Or:l,Nullable:r})=>({autosize_mode:[n(\"fit_columns\",\"fit_viewport\",\"none\",\"force_fit\"),\"force_fit\"],auto_edit:[t,!1],columns:[e(s(w.TableColumn)),[]],fit_columns:[r(t),null],frozen_columns:[r(i),null],frozen_rows:[r(i),null],sortable:[t,!0],reorderable:[t,!0],editable:[t,!1],selectable:[l(t,n(\"checkbox\")),!0],index_position:[r(i),0],index_header:[o,\"#\"],index_width:[i,40],scroll_to_selection:[t,!0],header_row:[t,!0],row_height:[i,25]}))),l.override({width:600,height:400})},\n 497: function _(e,t,n,o,r){var l=e(498),i=e(500);t.exports={RowSelectionModel:function(e){var t,n,o,r=[],c=this,u=new i.EventHandler,s={selectActiveRow:!0};function a(e){return function(){n||(n=!0,e.apply(this,arguments),n=!1)}}function f(e){for(var t=[],n=0;n=0&&r0&&t-1 in e)}w.fn=w.prototype={jquery:b,constructor:w,length:0,toArray:function(){return i.call(this)},get:function(e){return null==e?i.call(this):e<0?this[e+this.length]:this[e]},pushStack:function(e){var t=w.merge(this.constructor(),e);return t.prevObject=this,t},each:function(e){return w.each(this,e)},map:function(e){return this.pushStack(w.map(this,(function(t,n){return e.call(t,n,t)})))},slice:function(){return this.pushStack(i.apply(this,arguments))},first:function(){return this.eq(0)},last:function(){return this.eq(-1)},even:function(){return this.pushStack(w.grep(this,(function(e,t){return(t+1)%2})))},odd:function(){return this.pushStack(w.grep(this,(function(e,t){return t%2})))},eq:function(e){var t=this.length,n=+e+(e<0?t:0);return this.pushStack(n>=0&&n+~]|[\\\\x20\\\\t\\\\r\\\\n\\\\f])[\\\\x20\\\\t\\\\r\\\\n\\\\f]*\"),U=new RegExp(M+\"|>\"),X=new RegExp(F),V=new RegExp(\"^\"+I+\"$\"),G={ID:new RegExp(\"^#(\"+I+\")\"),CLASS:new RegExp(\"^\\\\.(\"+I+\")\"),TAG:new RegExp(\"^(\"+I+\"|[*])\"),ATTR:new RegExp(\"^\"+W),PSEUDO:new RegExp(\"^\"+F),CHILD:new RegExp(\"^:(only|first|last|nth|nth-last)-(child|of-type)(?:\\\\([\\\\x20\\\\t\\\\r\\\\n\\\\f]*(even|odd|(([+-]|)(\\\\d*)n|)[\\\\x20\\\\t\\\\r\\\\n\\\\f]*(?:([+-]|)[\\\\x20\\\\t\\\\r\\\\n\\\\f]*(\\\\d+)|))[\\\\x20\\\\t\\\\r\\\\n\\\\f]*\\\\)|)\",\"i\"),bool:new RegExp(\"^(?:\"+R+\")$\",\"i\"),needsContext:new RegExp(\"^[\\\\x20\\\\t\\\\r\\\\n\\\\f]*[>+~]|:(even|odd|eq|gt|lt|nth|first|last)(?:\\\\([\\\\x20\\\\t\\\\r\\\\n\\\\f]*((?:-\\\\d)?\\\\d*)[\\\\x20\\\\t\\\\r\\\\n\\\\f]*\\\\)|)(?=[^-]|$)\",\"i\")},Y=/HTML$/i,Q=/^(?:input|select|textarea|button)$/i,J=/^h\\d$/i,K=/^[^{]+\\{\\s*\\[native \\w/,Z=/^(?:#([\\w-]+)|(\\w+)|\\.([\\w-]+))$/,ee=/[+~]/,te=new RegExp(\"\\\\\\\\[\\\\da-fA-F]{1,6}[\\\\x20\\\\t\\\\r\\\\n\\\\f]?|\\\\\\\\([^\\\\r\\\\n\\\\f])\",\"g\"),ne=function(e,t){var n=\"0x\"+e.slice(1)-65536;return t||(n<0?String.fromCharCode(n+65536):String.fromCharCode(n>>10|55296,1023&n|56320))},re=/([\\0-\\x1f\\x7f]|^-?\\d)|^-$|[^\\0-\\x1f\\x7f-\\uFFFF\\w-]/g,ie=function(e,t){return t?\"\\0\"===e?\"\\ufffd\":e.slice(0,-1)+\"\\\\\"+e.charCodeAt(e.length-1).toString(16)+\" \":\"\\\\\"+e},oe=function(){p()},ae=be((function(e){return!0===e.disabled&&\"fieldset\"===e.nodeName.toLowerCase()}),{dir:\"parentNode\",next:\"legend\"});try{H.apply(D=O.call(w.childNodes),w.childNodes),D[w.childNodes.length].nodeType}catch(e){H={apply:D.length?function(e,t){L.apply(e,O.call(t))}:function(e,t){for(var n=e.length,r=0;e[n++]=t[r++];);e.length=n-1}}}function se(e,t,r,i){var o,s,l,c,f,h,y,m=t&&t.ownerDocument,w=t?t.nodeType:9;if(r=r||[],\"string\"!=typeof e||!e||1!==w&&9!==w&&11!==w)return r;if(!i&&(p(t),t=t||d,g)){if(11!==w&&(f=Z.exec(e)))if(o=f[1]){if(9===w){if(!(l=t.getElementById(o)))return r;if(l.id===o)return r.push(l),r}else if(m&&(l=m.getElementById(o))&&x(t,l)&&l.id===o)return r.push(l),r}else{if(f[2])return H.apply(r,t.getElementsByTagName(e)),r;if((o=f[3])&&n.getElementsByClassName&&t.getElementsByClassName)return H.apply(r,t.getElementsByClassName(o)),r}if(n.qsa&&!A[e+\" \"]&&(!v||!v.test(e))&&(1!==w||\"object\"!==t.nodeName.toLowerCase())){if(y=e,m=t,1===w&&(U.test(e)||z.test(e))){for((m=ee.test(e)&&ye(t.parentNode)||t)===t&&n.scope||((c=t.getAttribute(\"id\"))?c=c.replace(re,ie):t.setAttribute(\"id\",c=b)),s=(h=a(e)).length;s--;)h[s]=(c?\"#\"+c:\":scope\")+\" \"+xe(h[s]);y=h.join(\",\")}try{return H.apply(r,m.querySelectorAll(y)),r}catch(t){A(e,!0)}finally{c===b&&t.removeAttribute(\"id\")}}}return u(e.replace($,\"$1\"),t,r,i)}function ue(){var e=[];return function t(n,i){return e.push(n+\" \")>r.cacheLength&&delete t[e.shift()],t[n+\" \"]=i}}function le(e){return e[b]=!0,e}function ce(e){var t=d.createElement(\"fieldset\");try{return!!e(t)}catch(e){return!1}finally{t.parentNode&&t.parentNode.removeChild(t),t=null}}function fe(e,t){for(var n=e.split(\"|\"),i=n.length;i--;)r.attrHandle[n[i]]=t}function pe(e,t){var n=t&&e,r=n&&1===e.nodeType&&1===t.nodeType&&e.sourceIndex-t.sourceIndex;if(r)return r;if(n)for(;n=n.nextSibling;)if(n===t)return-1;return e?1:-1}function de(e){return function(t){return\"input\"===t.nodeName.toLowerCase()&&t.type===e}}function he(e){return function(t){var n=t.nodeName.toLowerCase();return(\"input\"===n||\"button\"===n)&&t.type===e}}function ge(e){return function(t){return\"form\"in t?t.parentNode&&!1===t.disabled?\"label\"in t?\"label\"in t.parentNode?t.parentNode.disabled===e:t.disabled===e:t.isDisabled===e||t.isDisabled!==!e&&ae(t)===e:t.disabled===e:\"label\"in t&&t.disabled===e}}function ve(e){return le((function(t){return t=+t,le((function(n,r){for(var i,o=e([],n.length,t),a=o.length;a--;)n[i=o[a]]&&(n[i]=!(r[i]=n[i]))}))}))}function ye(e){return e&&void 0!==e.getElementsByTagName&&e}for(t in n=se.support={},o=se.isXML=function(e){var t=e&&e.namespaceURI,n=e&&(e.ownerDocument||e).documentElement;return!Y.test(t||n&&n.nodeName||\"HTML\")},p=se.setDocument=function(e){var t,i,a=e?e.ownerDocument||e:w;return a!=d&&9===a.nodeType&&a.documentElement?(h=(d=a).documentElement,g=!o(d),w!=d&&(i=d.defaultView)&&i.top!==i&&(i.addEventListener?i.addEventListener(\"unload\",oe,!1):i.attachEvent&&i.attachEvent(\"onunload\",oe)),n.scope=ce((function(e){return h.appendChild(e).appendChild(d.createElement(\"div\")),void 0!==e.querySelectorAll&&!e.querySelectorAll(\":scope fieldset div\").length})),n.attributes=ce((function(e){return e.className=\"i\",!e.getAttribute(\"className\")})),n.getElementsByTagName=ce((function(e){return e.appendChild(d.createComment(\"\")),!e.getElementsByTagName(\"*\").length})),n.getElementsByClassName=K.test(d.getElementsByClassName),n.getById=ce((function(e){return h.appendChild(e).id=b,!d.getElementsByName||!d.getElementsByName(b).length})),n.getById?(r.filter.ID=function(e){var t=e.replace(te,ne);return function(e){return e.getAttribute(\"id\")===t}},r.find.ID=function(e,t){if(void 0!==t.getElementById&&g){var n=t.getElementById(e);return n?[n]:[]}}):(r.filter.ID=function(e){var t=e.replace(te,ne);return function(e){var n=void 0!==e.getAttributeNode&&e.getAttributeNode(\"id\");return n&&n.value===t}},r.find.ID=function(e,t){if(void 0!==t.getElementById&&g){var n,r,i,o=t.getElementById(e);if(o){if((n=o.getAttributeNode(\"id\"))&&n.value===e)return[o];for(i=t.getElementsByName(e),r=0;o=i[r++];)if((n=o.getAttributeNode(\"id\"))&&n.value===e)return[o]}return[]}}),r.find.TAG=n.getElementsByTagName?function(e,t){return void 0!==t.getElementsByTagName?t.getElementsByTagName(e):n.qsa?t.querySelectorAll(e):void 0}:function(e,t){var n,r=[],i=0,o=t.getElementsByTagName(e);if(\"*\"===e){for(;n=o[i++];)1===n.nodeType&&r.push(n);return r}return o},r.find.CLASS=n.getElementsByClassName&&function(e,t){if(void 0!==t.getElementsByClassName&&g)return t.getElementsByClassName(e)},y=[],v=[],(n.qsa=K.test(d.querySelectorAll))&&(ce((function(e){var t;h.appendChild(e).innerHTML=\"\",e.querySelectorAll(\"[msallowcapture^='']\").length&&v.push(\"[*^$]=[\\\\x20\\\\t\\\\r\\\\n\\\\f]*(?:''|\\\"\\\")\"),e.querySelectorAll(\"[selected]\").length||v.push(\"\\\\[[\\\\x20\\\\t\\\\r\\\\n\\\\f]*(?:value|\"+R+\")\"),e.querySelectorAll(\"[id~=\"+b+\"-]\").length||v.push(\"~=\"),(t=d.createElement(\"input\")).setAttribute(\"name\",\"\"),e.appendChild(t),e.querySelectorAll(\"[name='']\").length||v.push(\"\\\\[[\\\\x20\\\\t\\\\r\\\\n\\\\f]*name[\\\\x20\\\\t\\\\r\\\\n\\\\f]*=[\\\\x20\\\\t\\\\r\\\\n\\\\f]*(?:''|\\\"\\\")\"),e.querySelectorAll(\":checked\").length||v.push(\":checked\"),e.querySelectorAll(\"a#\"+b+\"+*\").length||v.push(\".#.+[+~]\"),e.querySelectorAll(\"\\\\\\f\"),v.push(\"[\\\\r\\\\n\\\\f]\")})),ce((function(e){e.innerHTML=\"\";var t=d.createElement(\"input\");t.setAttribute(\"type\",\"hidden\"),e.appendChild(t).setAttribute(\"name\",\"D\"),e.querySelectorAll(\"[name=d]\").length&&v.push(\"name[\\\\x20\\\\t\\\\r\\\\n\\\\f]*[*^$|!~]?=\"),2!==e.querySelectorAll(\":enabled\").length&&v.push(\":enabled\",\":disabled\"),h.appendChild(e).disabled=!0,2!==e.querySelectorAll(\":disabled\").length&&v.push(\":enabled\",\":disabled\"),e.querySelectorAll(\"*,:x\"),v.push(\",.*:\")}))),(n.matchesSelector=K.test(m=h.matches||h.webkitMatchesSelector||h.mozMatchesSelector||h.oMatchesSelector||h.msMatchesSelector))&&ce((function(e){n.disconnectedMatch=m.call(e,\"*\"),m.call(e,\"[s!='']:x\"),y.push(\"!=\",F)})),v=v.length&&new RegExp(v.join(\"|\")),y=y.length&&new RegExp(y.join(\"|\")),t=K.test(h.compareDocumentPosition),x=t||K.test(h.contains)?function(e,t){var n=9===e.nodeType?e.documentElement:e,r=t&&t.parentNode;return e===r||!(!r||1!==r.nodeType||!(n.contains?n.contains(r):e.compareDocumentPosition&&16&e.compareDocumentPosition(r)))}:function(e,t){if(t)for(;t=t.parentNode;)if(t===e)return!0;return!1},N=t?function(e,t){if(e===t)return f=!0,0;var r=!e.compareDocumentPosition-!t.compareDocumentPosition;return r||(1&(r=(e.ownerDocument||e)==(t.ownerDocument||t)?e.compareDocumentPosition(t):1)||!n.sortDetached&&t.compareDocumentPosition(e)===r?e==d||e.ownerDocument==w&&x(w,e)?-1:t==d||t.ownerDocument==w&&x(w,t)?1:c?P(c,e)-P(c,t):0:4&r?-1:1)}:function(e,t){if(e===t)return f=!0,0;var n,r=0,i=e.parentNode,o=t.parentNode,a=[e],s=[t];if(!i||!o)return e==d?-1:t==d?1:i?-1:o?1:c?P(c,e)-P(c,t):0;if(i===o)return pe(e,t);for(n=e;n=n.parentNode;)a.unshift(n);for(n=t;n=n.parentNode;)s.unshift(n);for(;a[r]===s[r];)r++;return r?pe(a[r],s[r]):a[r]==w?-1:s[r]==w?1:0},d):d},se.matches=function(e,t){return se(e,null,null,t)},se.matchesSelector=function(e,t){if(p(e),n.matchesSelector&&g&&!A[t+\" \"]&&(!y||!y.test(t))&&(!v||!v.test(t)))try{var r=m.call(e,t);if(r||n.disconnectedMatch||e.document&&11!==e.document.nodeType)return r}catch(e){A(t,!0)}return se(t,d,null,[e]).length>0},se.contains=function(e,t){return(e.ownerDocument||e)!=d&&p(e),x(e,t)},se.attr=function(e,t){(e.ownerDocument||e)!=d&&p(e);var i=r.attrHandle[t.toLowerCase()],o=i&&j.call(r.attrHandle,t.toLowerCase())?i(e,t,!g):void 0;return void 0!==o?o:n.attributes||!g?e.getAttribute(t):(o=e.getAttributeNode(t))&&o.specified?o.value:null},se.escape=function(e){return(e+\"\").replace(re,ie)},se.error=function(e){throw new Error(\"Syntax error, unrecognized expression: \"+e)},se.uniqueSort=function(e){var t,r=[],i=0,o=0;if(f=!n.detectDuplicates,c=!n.sortStable&&e.slice(0),e.sort(N),f){for(;t=e[o++];)t===e[o]&&(i=r.push(o));for(;i--;)e.splice(r[i],1)}return c=null,e},i=se.getText=function(e){var t,n=\"\",r=0,o=e.nodeType;if(o){if(1===o||9===o||11===o){if(\"string\"==typeof e.textContent)return e.textContent;for(e=e.firstChild;e;e=e.nextSibling)n+=i(e)}else if(3===o||4===o)return e.nodeValue}else for(;t=e[r++];)n+=i(t);return n},r=se.selectors={cacheLength:50,createPseudo:le,match:G,attrHandle:{},find:{},relative:{\">\":{dir:\"parentNode\",first:!0},\" \":{dir:\"parentNode\"},\"+\":{dir:\"previousSibling\",first:!0},\"~\":{dir:\"previousSibling\"}},preFilter:{ATTR:function(e){return e[1]=e[1].replace(te,ne),e[3]=(e[3]||e[4]||e[5]||\"\").replace(te,ne),\"~=\"===e[2]&&(e[3]=\" \"+e[3]+\" \"),e.slice(0,4)},CHILD:function(e){return e[1]=e[1].toLowerCase(),\"nth\"===e[1].slice(0,3)?(e[3]||se.error(e[0]),e[4]=+(e[4]?e[5]+(e[6]||1):2*(\"even\"===e[3]||\"odd\"===e[3])),e[5]=+(e[7]+e[8]||\"odd\"===e[3])):e[3]&&se.error(e[0]),e},PSEUDO:function(e){var t,n=!e[6]&&e[2];return G.CHILD.test(e[0])?null:(e[3]?e[2]=e[4]||e[5]||\"\":n&&X.test(n)&&(t=a(n,!0))&&(t=n.indexOf(\")\",n.length-t)-n.length)&&(e[0]=e[0].slice(0,t),e[2]=n.slice(0,t)),e.slice(0,3))}},filter:{TAG:function(e){var t=e.replace(te,ne).toLowerCase();return\"*\"===e?function(){return!0}:function(e){return e.nodeName&&e.nodeName.toLowerCase()===t}},CLASS:function(e){var t=E[e+\" \"];return t||(t=new RegExp(\"(^|[\\\\x20\\\\t\\\\r\\\\n\\\\f])\"+e+\"(\"+M+\"|$)\"))&&E(e,(function(e){return t.test(\"string\"==typeof e.className&&e.className||void 0!==e.getAttribute&&e.getAttribute(\"class\")||\"\")}))},ATTR:function(e,t,n){return function(r){var i=se.attr(r,e);return null==i?\"!=\"===t:!t||(i+=\"\",\"=\"===t?i===n:\"!=\"===t?i!==n:\"^=\"===t?n&&0===i.indexOf(n):\"*=\"===t?n&&i.indexOf(n)>-1:\"$=\"===t?n&&i.slice(-n.length)===n:\"~=\"===t?(\" \"+i.replace(B,\" \")+\" \").indexOf(n)>-1:\"|=\"===t&&(i===n||i.slice(0,n.length+1)===n+\"-\"))}},CHILD:function(e,t,n,r,i){var o=\"nth\"!==e.slice(0,3),a=\"last\"!==e.slice(-4),s=\"of-type\"===t;return 1===r&&0===i?function(e){return!!e.parentNode}:function(t,n,u){var l,c,f,p,d,h,g=o!==a?\"nextSibling\":\"previousSibling\",v=t.parentNode,y=s&&t.nodeName.toLowerCase(),m=!u&&!s,x=!1;if(v){if(o){for(;g;){for(p=t;p=p[g];)if(s?p.nodeName.toLowerCase()===y:1===p.nodeType)return!1;h=g=\"only\"===e&&!h&&\"nextSibling\"}return!0}if(h=[a?v.firstChild:v.lastChild],a&&m){for(x=(d=(l=(c=(f=(p=v)[b]||(p[b]={}))[p.uniqueID]||(f[p.uniqueID]={}))[e]||[])[0]===T&&l[1])&&l[2],p=d&&v.childNodes[d];p=++d&&p&&p[g]||(x=d=0)||h.pop();)if(1===p.nodeType&&++x&&p===t){c[e]=[T,d,x];break}}else if(m&&(x=d=(l=(c=(f=(p=t)[b]||(p[b]={}))[p.uniqueID]||(f[p.uniqueID]={}))[e]||[])[0]===T&&l[1]),!1===x)for(;(p=++d&&p&&p[g]||(x=d=0)||h.pop())&&((s?p.nodeName.toLowerCase()!==y:1!==p.nodeType)||!++x||(m&&((c=(f=p[b]||(p[b]={}))[p.uniqueID]||(f[p.uniqueID]={}))[e]=[T,x]),p!==t)););return(x-=i)===r||x%r==0&&x/r>=0}}},PSEUDO:function(e,t){var n,i=r.pseudos[e]||r.setFilters[e.toLowerCase()]||se.error(\"unsupported pseudo: \"+e);return i[b]?i(t):i.length>1?(n=[e,e,\"\",t],r.setFilters.hasOwnProperty(e.toLowerCase())?le((function(e,n){for(var r,o=i(e,t),a=o.length;a--;)e[r=P(e,o[a])]=!(n[r]=o[a])})):function(e){return i(e,0,n)}):i}},pseudos:{not:le((function(e){var t=[],n=[],r=s(e.replace($,\"$1\"));return r[b]?le((function(e,t,n,i){for(var o,a=r(e,null,i,[]),s=e.length;s--;)(o=a[s])&&(e[s]=!(t[s]=o))})):function(e,i,o){return t[0]=e,r(t,null,o,n),t[0]=null,!n.pop()}})),has:le((function(e){return function(t){return se(e,t).length>0}})),contains:le((function(e){return e=e.replace(te,ne),function(t){return(t.textContent||i(t)).indexOf(e)>-1}})),lang:le((function(e){return V.test(e||\"\")||se.error(\"unsupported lang: \"+e),e=e.replace(te,ne).toLowerCase(),function(t){var n;do{if(n=g?t.lang:t.getAttribute(\"xml:lang\")||t.getAttribute(\"lang\"))return(n=n.toLowerCase())===e||0===n.indexOf(e+\"-\")}while((t=t.parentNode)&&1===t.nodeType);return!1}})),target:function(t){var n=e.location&&e.location.hash;return n&&n.slice(1)===t.id},root:function(e){return e===h},focus:function(e){return e===d.activeElement&&(!d.hasFocus||d.hasFocus())&&!!(e.type||e.href||~e.tabIndex)},enabled:ge(!1),disabled:ge(!0),checked:function(e){var t=e.nodeName.toLowerCase();return\"input\"===t&&!!e.checked||\"option\"===t&&!!e.selected},selected:function(e){return e.parentNode&&e.parentNode.selectedIndex,!0===e.selected},empty:function(e){for(e=e.firstChild;e;e=e.nextSibling)if(e.nodeType<6)return!1;return!0},parent:function(e){return!r.pseudos.empty(e)},header:function(e){return J.test(e.nodeName)},input:function(e){return Q.test(e.nodeName)},button:function(e){var t=e.nodeName.toLowerCase();return\"input\"===t&&\"button\"===e.type||\"button\"===t},text:function(e){var t;return\"input\"===e.nodeName.toLowerCase()&&\"text\"===e.type&&(null==(t=e.getAttribute(\"type\"))||\"text\"===t.toLowerCase())},first:ve((function(){return[0]})),last:ve((function(e,t){return[t-1]})),eq:ve((function(e,t,n){return[n<0?n+t:n]})),even:ve((function(e,t){for(var n=0;nt?t:n;--r>=0;)e.push(r);return e})),gt:ve((function(e,t,n){for(var r=n<0?n+t:n;++r1?function(t,n,r){for(var i=e.length;i--;)if(!e[i](t,n,r))return!1;return!0}:e[0]}function Te(e,t,n,r,i){for(var o,a=[],s=0,u=e.length,l=null!=t;s-1&&(o[l]=!(a[l]=f))}}else y=Te(y===a?y.splice(h,y.length):y),i?i(null,a,y,u):H.apply(a,y)}))}function Ee(e){for(var t,n,i,o=e.length,a=r.relative[e[0].type],s=a||r.relative[\" \"],u=a?1:0,c=be((function(e){return e===t}),s,!0),f=be((function(e){return P(t,e)>-1}),s,!0),p=[function(e,n,r){var i=!a&&(r||n!==l)||((t=n).nodeType?c(e,n,r):f(e,n,r));return t=null,i}];u1&&we(p),u>1&&xe(e.slice(0,u-1).concat({value:\" \"===e[u-2].type?\"*\":\"\"})).replace($,\"$1\"),n,u0,i=e.length>0,o=function(o,a,s,u,c){var f,h,v,y=0,m=\"0\",x=o&&[],b=[],w=l,C=o||i&&r.find.TAG(\"*\",c),E=T+=null==w?1:Math.random()||.1,S=C.length;for(c&&(l=a==d||a||c);m!==S&&null!=(f=C[m]);m++){if(i&&f){for(h=0,a||f.ownerDocument==d||(p(f),s=!g);v=e[h++];)if(v(f,a||d,s)){u.push(f);break}c&&(T=E)}n&&((f=!v&&f)&&y--,o&&x.push(f))}if(y+=m,n&&m!==y){for(h=0;v=t[h++];)v(x,b,a,s);if(o){if(y>0)for(;m--;)x[m]||b[m]||(b[m]=q.call(u));b=Te(b)}H.apply(u,b),c&&!o&&b.length>0&&y+t.length>1&&se.uniqueSort(u)}return c&&(T=E,l=w),x};return n?le(o):o}(o,i)),s.selector=e}return s},u=se.select=function(e,t,n,i){var o,u,l,c,f,p=\"function\"==typeof e&&e,d=!i&&a(e=p.selector||e);if(n=n||[],1===d.length){if((u=d[0]=d[0].slice(0)).length>2&&\"ID\"===(l=u[0]).type&&9===t.nodeType&&g&&r.relative[u[1].type]){if(!(t=(r.find.ID(l.matches[0].replace(te,ne),t)||[])[0]))return n;p&&(t=t.parentNode),e=e.slice(u.shift().value.length)}for(o=G.needsContext.test(e)?0:u.length;o--&&(l=u[o],!r.relative[c=l.type]);)if((f=r.find[c])&&(i=f(l.matches[0].replace(te,ne),ee.test(u[0].type)&&ye(t.parentNode)||t))){if(u.splice(o,1),!(e=i.length&&xe(u)))return H.apply(n,i),n;break}}return(p||s(e,d))(i,t,!g,n,!t||ee.test(e)&&ye(t.parentNode)||t),n},n.sortStable=b.split(\"\").sort(N).join(\"\")===b,n.detectDuplicates=!!f,p(),n.sortDetached=ce((function(e){return 1&e.compareDocumentPosition(d.createElement(\"fieldset\"))})),ce((function(e){return e.innerHTML=\"\",\"#\"===e.firstChild.getAttribute(\"href\")}))||fe(\"type|href|height|width\",(function(e,t,n){if(!n)return e.getAttribute(t,\"type\"===t.toLowerCase()?1:2)})),n.attributes&&ce((function(e){return e.innerHTML=\"\",e.firstChild.setAttribute(\"value\",\"\"),\"\"===e.firstChild.getAttribute(\"value\")}))||fe(\"value\",(function(e,t,n){if(!n&&\"input\"===e.nodeName.toLowerCase())return e.defaultValue})),ce((function(e){return null==e.getAttribute(\"disabled\")}))||fe(R,(function(e,t,n){var r;if(!n)return!0===e[t]?t.toLowerCase():(r=e.getAttributeNode(t))&&r.specified?r.value:null})),se}(e);w.find=C,w.expr=C.selectors,w.expr[\":\"]=w.expr.pseudos,w.uniqueSort=w.unique=C.uniqueSort,w.text=C.getText,w.isXMLDoc=C.isXML,w.contains=C.contains,w.escapeSelector=C.escape;var E=function(e,t,n){for(var r=[],i=void 0!==n;(e=e[t])&&9!==e.nodeType;)if(1===e.nodeType){if(i&&w(e).is(n))break;r.push(e)}return r},S=function(e,t){for(var n=[];e;e=e.nextSibling)1===e.nodeType&&e!==t&&n.push(e);return n},k=w.expr.match.needsContext;function A(e,t){return e.nodeName&&e.nodeName.toLowerCase()===t.toLowerCase()}var N=/^<([a-z][^\\/\\0>:\\x20\\t\\r\\n\\f]*)[\\x20\\t\\r\\n\\f]*\\/?>(?:<\\/\\1>|)$/i;function j(e,t,n){return h(t)?w.grep(e,(function(e,r){return!!t.call(e,r,e)!==n})):t.nodeType?w.grep(e,(function(e){return e===t!==n})):\"string\"!=typeof t?w.grep(e,(function(e){return s.call(t,e)>-1!==n})):w.filter(t,e,n)}w.filter=function(e,t,n){var r=t[0];return n&&(e=\":not(\"+e+\")\"),1===t.length&&1===r.nodeType?w.find.matchesSelector(r,e)?[r]:[]:w.find.matches(e,w.grep(t,(function(e){return 1===e.nodeType})))},w.fn.extend({find:function(e){var t,n,r=this.length,i=this;if(\"string\"!=typeof e)return this.pushStack(w(e).filter((function(){for(t=0;t1?w.uniqueSort(n):n},filter:function(e){return this.pushStack(j(this,e||[],!1))},not:function(e){return this.pushStack(j(this,e||[],!0))},is:function(e){return!!j(this,\"string\"==typeof e&&k.test(e)?w(e):e||[],!1).length}});var D,q=/^(?:\\s*(<[\\w\\W]+>)[^>]*|#([\\w-]+))$/;(w.fn.init=function(e,t,n){var r,i;if(!e)return this;if(n=n||D,\"string\"==typeof e){if(!(r=\"<\"===e[0]&&\">\"===e[e.length-1]&&e.length>=3?[null,e,null]:q.exec(e))||!r[1]&&t)return!t||t.jquery?(t||n).find(e):this.constructor(t).find(e);if(r[1]){if(t=t instanceof w?t[0]:t,w.merge(this,w.parseHTML(r[1],t&&t.nodeType?t.ownerDocument||t:v,!0)),N.test(r[1])&&w.isPlainObject(t))for(r in t)h(this[r])?this[r](t[r]):this.attr(r,t[r]);return this}return(i=v.getElementById(r[2]))&&(this[0]=i,this.length=1),this}return e.nodeType?(this[0]=e,this.length=1,this):h(e)?void 0!==n.ready?n.ready(e):e(w):w.makeArray(e,this)}).prototype=w.fn,D=w(v);var L=/^(?:parents|prev(?:Until|All))/,H={children:!0,contents:!0,next:!0,prev:!0};function O(e,t){for(;(e=e[t])&&1!==e.nodeType;);return e}w.fn.extend({has:function(e){var t=w(e,this),n=t.length;return this.filter((function(){for(var e=0;e-1:1===n.nodeType&&w.find.matchesSelector(n,e))){o.push(n);break}return this.pushStack(o.length>1?w.uniqueSort(o):o)},index:function(e){return e?\"string\"==typeof e?s.call(w(e),this[0]):s.call(this,e.jquery?e[0]:e):this[0]&&this[0].parentNode?this.first().prevAll().length:-1},add:function(e,t){return this.pushStack(w.uniqueSort(w.merge(this.get(),w(e,t))))},addBack:function(e){return this.add(null==e?this.prevObject:this.prevObject.filter(e))}}),w.each({parent:function(e){var t=e.parentNode;return t&&11!==t.nodeType?t:null},parents:function(e){return E(e,\"parentNode\")},parentsUntil:function(e,t,n){return E(e,\"parentNode\",n)},next:function(e){return O(e,\"nextSibling\")},prev:function(e){return O(e,\"previousSibling\")},nextAll:function(e){return E(e,\"nextSibling\")},prevAll:function(e){return E(e,\"previousSibling\")},nextUntil:function(e,t,n){return E(e,\"nextSibling\",n)},prevUntil:function(e,t,n){return E(e,\"previousSibling\",n)},siblings:function(e){return S((e.parentNode||{}).firstChild,e)},children:function(e){return S(e.firstChild)},contents:function(e){return null!=e.contentDocument&&r(e.contentDocument)?e.contentDocument:(A(e,\"template\")&&(e=e.content||e),w.merge([],e.childNodes))}},(function(e,t){w.fn[e]=function(n,r){var i=w.map(this,t,n);return\"Until\"!==e.slice(-5)&&(r=n),r&&\"string\"==typeof r&&(i=w.filter(r,i)),this.length>1&&(H[e]||w.uniqueSort(i),L.test(e)&&i.reverse()),this.pushStack(i)}}));var P=/[^\\x20\\t\\r\\n\\f]+/g;function R(e){return e}function M(e){throw e}function I(e,t,n,r){var i;try{e&&h(i=e.promise)?i.call(e).done(t).fail(n):e&&h(i=e.then)?i.call(e,t,n):t.apply(void 0,[e].slice(r))}catch(e){n.apply(void 0,[e])}}w.Callbacks=function(e){e=\"string\"==typeof e?function(e){var t={};return w.each(e.match(P)||[],(function(e,n){t[n]=!0})),t}(e):w.extend({},e);var t,n,r,i,o=[],a=[],s=-1,u=function(){for(i=i||e.once,r=t=!0;a.length;s=-1)for(n=a.shift();++s-1;)o.splice(n,1),n<=s&&s--})),this},has:function(e){return e?w.inArray(e,o)>-1:o.length>0},empty:function(){return o&&(o=[]),this},disable:function(){return i=a=[],o=n=\"\",this},disabled:function(){return!o},lock:function(){return i=a=[],n||t||(o=n=\"\"),this},locked:function(){return!!i},fireWith:function(e,n){return i||(n=[e,(n=n||[]).slice?n.slice():n],a.push(n),t||u()),this},fire:function(){return l.fireWith(this,arguments),this},fired:function(){return!!r}};return l},w.extend({Deferred:function(t){var n=[[\"notify\",\"progress\",w.Callbacks(\"memory\"),w.Callbacks(\"memory\"),2],[\"resolve\",\"done\",w.Callbacks(\"once memory\"),w.Callbacks(\"once memory\"),0,\"resolved\"],[\"reject\",\"fail\",w.Callbacks(\"once memory\"),w.Callbacks(\"once memory\"),1,\"rejected\"]],r=\"pending\",i={state:function(){return r},always:function(){return o.done(arguments).fail(arguments),this},catch:function(e){return i.then(null,e)},pipe:function(){var e=arguments;return w.Deferred((function(t){w.each(n,(function(n,r){var i=h(e[r[4]])&&e[r[4]];o[r[1]]((function(){var e=i&&i.apply(this,arguments);e&&h(e.promise)?e.promise().progress(t.notify).done(t.resolve).fail(t.reject):t[r[0]+\"With\"](this,i?[e]:arguments)}))})),e=null})).promise()},then:function(t,r,i){var o=0;function a(t,n,r,i){return function(){var s=this,u=arguments,l=function(){var e,l;if(!(t=o&&(r!==M&&(s=void 0,u=[e]),n.rejectWith(s,u))}};t?c():(w.Deferred.getStackHook&&(c.stackTrace=w.Deferred.getStackHook()),e.setTimeout(c))}}return w.Deferred((function(e){n[0][3].add(a(0,e,h(i)?i:R,e.notifyWith)),n[1][3].add(a(0,e,h(t)?t:R)),n[2][3].add(a(0,e,h(r)?r:M))})).promise()},promise:function(e){return null!=e?w.extend(e,i):i}},o={};return w.each(n,(function(e,t){var a=t[2],s=t[5];i[t[1]]=a.add,s&&a.add((function(){r=s}),n[3-e][2].disable,n[3-e][3].disable,n[0][2].lock,n[0][3].lock),a.add(t[3].fire),o[t[0]]=function(){return o[t[0]+\"With\"](this===o?void 0:this,arguments),this},o[t[0]+\"With\"]=a.fireWith})),i.promise(o),t&&t.call(o,o),o},when:function(e){var t=arguments.length,n=t,r=Array(n),o=i.call(arguments),a=w.Deferred(),s=function(e){return function(n){r[e]=this,o[e]=arguments.length>1?i.call(arguments):n,--t||a.resolveWith(r,o)}};if(t<=1&&(I(e,a.done(s(n)).resolve,a.reject,!t),\"pending\"===a.state()||h(o[n]&&o[n].then)))return a.then();for(;n--;)I(o[n],s(n),a.reject);return a.promise()}});var W=/^(Eval|Internal|Range|Reference|Syntax|Type|URI)Error$/;w.Deferred.exceptionHook=function(t,n){e.console&&e.console.warn&&t&&W.test(t.name)&&e.console.warn(\"jQuery.Deferred exception: \"+t.message,t.stack,n)},w.readyException=function(t){e.setTimeout((function(){throw t}))};var F=w.Deferred();function B(){v.removeEventListener(\"DOMContentLoaded\",B),e.removeEventListener(\"load\",B),w.ready()}w.fn.ready=function(e){return F.then(e).catch((function(e){w.readyException(e)})),this},w.extend({isReady:!1,readyWait:1,ready:function(e){(!0===e?--w.readyWait:w.isReady)||(w.isReady=!0,!0!==e&&--w.readyWait>0||F.resolveWith(v,[w]))}}),w.ready.then=F.then,\"complete\"===v.readyState||\"loading\"!==v.readyState&&!v.documentElement.doScroll?e.setTimeout(w.ready):(v.addEventListener(\"DOMContentLoaded\",B),e.addEventListener(\"load\",B));var $=function(e,t,n,r,i,o,a){var s=0,u=e.length,l=null==n;if(\"object\"===x(n))for(s in i=!0,n)$(e,t,s,n[s],!0,o,a);else if(void 0!==r&&(i=!0,h(r)||(a=!0),l&&(a?(t.call(e,r),t=null):(l=t,t=function(e,t,n){return l.call(w(e),n)})),t))for(;s1,null,!0)},removeData:function(e){return this.each((function(){Q.remove(this,e)}))}}),w.extend({queue:function(e,t,n){var r;if(e)return t=(t||\"fx\")+\"queue\",r=Y.get(e,t),n&&(!r||Array.isArray(n)?r=Y.access(e,t,w.makeArray(n)):r.push(n)),r||[]},dequeue:function(e,t){t=t||\"fx\";var n=w.queue(e,t),r=n.length,i=n.shift(),o=w._queueHooks(e,t);\"inprogress\"===i&&(i=n.shift(),r--),i&&(\"fx\"===t&&n.unshift(\"inprogress\"),delete o.stop,i.call(e,(function(){w.dequeue(e,t)}),o)),!r&&o&&o.empty.fire()},_queueHooks:function(e,t){var n=t+\"queueHooks\";return Y.get(e,n)||Y.access(e,n,{empty:w.Callbacks(\"once memory\").add((function(){Y.remove(e,[t+\"queue\",n])}))})}}),w.fn.extend({queue:function(e,t){var n=2;return\"string\"!=typeof e&&(t=e,e=\"fx\",n--),arguments.length\\x20\\t\\r\\n\\f]*)/i,ge=/^$|^module$|\\/(?:java|ecma)script/i;fe=v.createDocumentFragment().appendChild(v.createElement(\"div\")),(pe=v.createElement(\"input\")).setAttribute(\"type\",\"radio\"),pe.setAttribute(\"checked\",\"checked\"),pe.setAttribute(\"name\",\"t\"),fe.appendChild(pe),d.checkClone=fe.cloneNode(!0).cloneNode(!0).lastChild.checked,fe.innerHTML=\"\",d.noCloneChecked=!!fe.cloneNode(!0).lastChild.defaultValue,fe.innerHTML=\"\",d.option=!!fe.lastChild;var ve={thead:[1,\"\",\"
\"],col:[2,\"\",\"
\"],tr:[2,\"\",\"
\"],td:[3,\"\",\"
\"],_default:[0,\"\",\"\"]};function ye(e,t){var n;return n=void 0!==e.getElementsByTagName?e.getElementsByTagName(t||\"*\"):void 0!==e.querySelectorAll?e.querySelectorAll(t||\"*\"):[],void 0===t||t&&A(e,t)?w.merge([e],n):n}function me(e,t){for(var n=0,r=e.length;n\",\"\"]);var xe=/<|&#?\\w+;/;function be(e,t,n,r,i){for(var o,a,s,u,l,c,f=t.createDocumentFragment(),p=[],d=0,h=e.length;d-1)i&&i.push(o);else if(l=ie(o),a=ye(f.appendChild(o),\"script\"),l&&me(a),n)for(c=0;o=a[c++];)ge.test(o.type||\"\")&&n.push(o);return f}var we=/^([^.]*)(?:\\.(.+)|)/;function Te(){return!0}function Ce(){return!1}function Ee(e,t){return e===function(){try{return v.activeElement}catch(e){}}()==(\"focus\"===t)}function Se(e,t,n,r,i,o){var a,s;if(\"object\"==typeof t){for(s in\"string\"!=typeof n&&(r=r||n,n=void 0),t)Se(e,s,n,r,t[s],o);return e}if(null==r&&null==i?(i=n,r=n=void 0):null==i&&(\"string\"==typeof n?(i=r,r=void 0):(i=r,r=n,n=void 0)),!1===i)i=Ce;else if(!i)return e;return 1===o&&(a=i,i=function(e){return w().off(e),a.apply(this,arguments)},i.guid=a.guid||(a.guid=w.guid++)),e.each((function(){w.event.add(this,t,i,r,n)}))}function ke(e,t,n){n?(Y.set(e,t,!1),w.event.add(e,t,{namespace:!1,handler:function(e){var r,o,a=Y.get(this,t);if(1&e.isTrigger&&this[t]){if(a.length)(w.event.special[t]||{}).delegateType&&e.stopPropagation();else if(a=i.call(arguments),Y.set(this,t,a),r=n(this,t),this[t](),a!==(o=Y.get(this,t))||r?Y.set(this,t,!1):o={},a!==o)return e.stopImmediatePropagation(),e.preventDefault(),o&&o.value}else a.length&&(Y.set(this,t,{value:w.event.trigger(w.extend(a[0],w.Event.prototype),a.slice(1),this)}),e.stopImmediatePropagation())}})):void 0===Y.get(e,t)&&w.event.add(e,t,Te)}w.event={global:{},add:function(e,t,n,r,i){var o,a,s,u,l,c,f,p,d,h,g,v=Y.get(e);if(V(e))for(n.handler&&(n=(o=n).handler,i=o.selector),i&&w.find.matchesSelector(re,i),n.guid||(n.guid=w.guid++),(u=v.events)||(u=v.events=Object.create(null)),(a=v.handle)||(a=v.handle=function(t){return void 0!==w&&w.event.triggered!==t.type?w.event.dispatch.apply(e,arguments):void 0}),l=(t=(t||\"\").match(P)||[\"\"]).length;l--;)d=g=(s=we.exec(t[l])||[])[1],h=(s[2]||\"\").split(\".\").sort(),d&&(f=w.event.special[d]||{},d=(i?f.delegateType:f.bindType)||d,f=w.event.special[d]||{},c=w.extend({type:d,origType:g,data:r,handler:n,guid:n.guid,selector:i,needsContext:i&&w.expr.match.needsContext.test(i),namespace:h.join(\".\")},o),(p=u[d])||((p=u[d]=[]).delegateCount=0,f.setup&&!1!==f.setup.call(e,r,h,a)||e.addEventListener&&e.addEventListener(d,a)),f.add&&(f.add.call(e,c),c.handler.guid||(c.handler.guid=n.guid)),i?p.splice(p.delegateCount++,0,c):p.push(c),w.event.global[d]=!0)},remove:function(e,t,n,r,i){var o,a,s,u,l,c,f,p,d,h,g,v=Y.hasData(e)&&Y.get(e);if(v&&(u=v.events)){for(l=(t=(t||\"\").match(P)||[\"\"]).length;l--;)if(d=g=(s=we.exec(t[l])||[])[1],h=(s[2]||\"\").split(\".\").sort(),d){for(f=w.event.special[d]||{},p=u[d=(r?f.delegateType:f.bindType)||d]||[],s=s[2]&&new RegExp(\"(^|\\\\.)\"+h.join(\"\\\\.(?:.*\\\\.|)\")+\"(\\\\.|$)\"),a=o=p.length;o--;)c=p[o],!i&&g!==c.origType||n&&n.guid!==c.guid||s&&!s.test(c.namespace)||r&&r!==c.selector&&(\"**\"!==r||!c.selector)||(p.splice(o,1),c.selector&&p.delegateCount--,f.remove&&f.remove.call(e,c));a&&!p.length&&(f.teardown&&!1!==f.teardown.call(e,h,v.handle)||w.removeEvent(e,d,v.handle),delete u[d])}else for(d in u)w.event.remove(e,d+t[l],n,r,!0);w.isEmptyObject(u)&&Y.remove(e,\"handle events\")}},dispatch:function(e){var t,n,r,i,o,a,s=new Array(arguments.length),u=w.event.fix(e),l=(Y.get(this,\"events\")||Object.create(null))[u.type]||[],c=w.event.special[u.type]||{};for(s[0]=u,t=1;t=1))for(;l!==this;l=l.parentNode||this)if(1===l.nodeType&&(\"click\"!==e.type||!0!==l.disabled)){for(o=[],a={},n=0;n-1:w.find(i,this,null,[l]).length),a[i]&&o.push(r);o.length&&s.push({elem:l,handlers:o})}return l=this,u\\s*$/g;function De(e,t){return A(e,\"table\")&&A(11!==t.nodeType?t:t.firstChild,\"tr\")&&w(e).children(\"tbody\")[0]||e}function qe(e){return e.type=(null!==e.getAttribute(\"type\"))+\"/\"+e.type,e}function Le(e){return\"true/\"===(e.type||\"\").slice(0,5)?e.type=e.type.slice(5):e.removeAttribute(\"type\"),e}function He(e,t){var n,r,i,o,a,s;if(1===t.nodeType){if(Y.hasData(e)&&(s=Y.get(e).events))for(i in Y.remove(t,\"handle events\"),s)for(n=0,r=s[i].length;n1&&\"string\"==typeof v&&!d.checkClone&&Ne.test(v))return e.each((function(i){var o=e.eq(i);y&&(t[0]=v.call(this,i,o.html())),Pe(o,t,n,r)}));if(p&&(a=(i=be(t,e[0].ownerDocument,!1,e,r)).firstChild,1===i.childNodes.length&&(i=a),a||r)){for(u=(s=w.map(ye(i,\"script\"),qe)).length;f0&&me(a,!u&&ye(e,\"script\")),s},cleanData:function(e){for(var t,n,r,i=w.event.special,o=0;void 0!==(n=e[o]);o++)if(V(n)){if(t=n[Y.expando]){if(t.events)for(r in t.events)i[r]?w.event.remove(n,r):w.removeEvent(n,r,t.handle);n[Y.expando]=void 0}n[Q.expando]&&(n[Q.expando]=void 0)}}}),w.fn.extend({detach:function(e){return Re(this,e,!0)},remove:function(e){return Re(this,e)},text:function(e){return $(this,(function(e){return void 0===e?w.text(this):this.empty().each((function(){1!==this.nodeType&&11!==this.nodeType&&9!==this.nodeType||(this.textContent=e)}))}),null,e,arguments.length)},append:function(){return Pe(this,arguments,(function(e){1!==this.nodeType&&11!==this.nodeType&&9!==this.nodeType||De(this,e).appendChild(e)}))},prepend:function(){return Pe(this,arguments,(function(e){if(1===this.nodeType||11===this.nodeType||9===this.nodeType){var t=De(this,e);t.insertBefore(e,t.firstChild)}}))},before:function(){return Pe(this,arguments,(function(e){this.parentNode&&this.parentNode.insertBefore(e,this)}))},after:function(){return Pe(this,arguments,(function(e){this.parentNode&&this.parentNode.insertBefore(e,this.nextSibling)}))},empty:function(){for(var e,t=0;null!=(e=this[t]);t++)1===e.nodeType&&(w.cleanData(ye(e,!1)),e.textContent=\"\");return this},clone:function(e,t){return e=null!=e&&e,t=null==t?e:t,this.map((function(){return w.clone(this,e,t)}))},html:function(e){return $(this,(function(e){var t=this[0]||{},n=0,r=this.length;if(void 0===e&&1===t.nodeType)return t.innerHTML;if(\"string\"==typeof e&&!Ae.test(e)&&!ve[(he.exec(e)||[\"\",\"\"])[1].toLowerCase()]){e=w.htmlPrefilter(e);try{for(;n=0&&(u+=Math.max(0,Math.ceil(e[\"offset\"+t[0].toUpperCase()+t.slice(1)]-o-u-s-.5))||0),u}function Ze(e,t,n){var r=Ie(e),i=(!d.boxSizingReliable()||n)&&\"border-box\"===w.css(e,\"boxSizing\",!1,r),o=i,a=Be(e,t,r),s=\"offset\"+t[0].toUpperCase()+t.slice(1);if(Me.test(a)){if(!n)return a;a=\"auto\"}return(!d.boxSizingReliable()&&i||!d.reliableTrDimensions()&&A(e,\"tr\")||\"auto\"===a||!parseFloat(a)&&\"inline\"===w.css(e,\"display\",!1,r))&&e.getClientRects().length&&(i=\"border-box\"===w.css(e,\"boxSizing\",!1,r),(o=s in e)&&(a=e[s])),(a=parseFloat(a)||0)+Ke(e,t,n||(i?\"border\":\"content\"),o,r,a)+\"px\"}function et(e,t,n,r,i){return new et.prototype.init(e,t,n,r,i)}w.extend({cssHooks:{opacity:{get:function(e,t){if(t){var n=Be(e,\"opacity\");return\"\"===n?\"1\":n}}}},cssNumber:{animationIterationCount:!0,columnCount:!0,fillOpacity:!0,flexGrow:!0,flexShrink:!0,fontWeight:!0,gridArea:!0,gridColumn:!0,gridColumnEnd:!0,gridColumnStart:!0,gridRow:!0,gridRowEnd:!0,gridRowStart:!0,lineHeight:!0,opacity:!0,order:!0,orphans:!0,widows:!0,zIndex:!0,zoom:!0},cssProps:{},style:function(e,t,n,r){if(e&&3!==e.nodeType&&8!==e.nodeType&&e.style){var i,o,a,s=X(t),u=Ge.test(t),l=e.style;if(u||(t=Xe(s)),a=w.cssHooks[t]||w.cssHooks[s],void 0===n)return a&&\"get\"in a&&void 0!==(i=a.get(e,!1,r))?i:l[t];\"string\"===(o=typeof n)&&(i=te.exec(n))&&i[1]&&(n=se(e,t,i),o=\"number\"),null!=n&&n==n&&(\"number\"!==o||u||(n+=i&&i[3]||(w.cssNumber[s]?\"\":\"px\")),d.clearCloneStyle||\"\"!==n||0!==t.indexOf(\"background\")||(l[t]=\"inherit\"),a&&\"set\"in a&&void 0===(n=a.set(e,n,r))||(u?l.setProperty(t,n):l[t]=n))}},css:function(e,t,n,r){var i,o,a,s=X(t);return Ge.test(t)||(t=Xe(s)),(a=w.cssHooks[t]||w.cssHooks[s])&&\"get\"in a&&(i=a.get(e,!0,n)),void 0===i&&(i=Be(e,t,r)),\"normal\"===i&&t in Qe&&(i=Qe[t]),\"\"===n||n?(o=parseFloat(i),!0===n||isFinite(o)?o||0:i):i}}),w.each([\"height\",\"width\"],(function(e,t){w.cssHooks[t]={get:function(e,n,r){if(n)return!Ve.test(w.css(e,\"display\"))||e.getClientRects().length&&e.getBoundingClientRect().width?Ze(e,t,r):We(e,Ye,(function(){return Ze(e,t,r)}))},set:function(e,n,r){var i,o=Ie(e),a=!d.scrollboxSize()&&\"absolute\"===o.position,s=(a||r)&&\"border-box\"===w.css(e,\"boxSizing\",!1,o),u=r?Ke(e,t,r,s,o):0;return s&&a&&(u-=Math.ceil(e[\"offset\"+t[0].toUpperCase()+t.slice(1)]-parseFloat(o[t])-Ke(e,t,\"border\",!1,o)-.5)),u&&(i=te.exec(n))&&\"px\"!==(i[3]||\"px\")&&(e.style[t]=n,n=w.css(e,t)),Je(0,n,u)}}})),w.cssHooks.marginLeft=$e(d.reliableMarginLeft,(function(e,t){if(t)return(parseFloat(Be(e,\"marginLeft\"))||e.getBoundingClientRect().left-We(e,{marginLeft:0},(function(){return e.getBoundingClientRect().left})))+\"px\"})),w.each({margin:\"\",padding:\"\",border:\"Width\"},(function(e,t){w.cssHooks[e+t]={expand:function(n){for(var r=0,i={},o=\"string\"==typeof n?n.split(\" \"):[n];r<4;r++)i[e+ne[r]+t]=o[r]||o[r-2]||o[0];return i}},\"margin\"!==e&&(w.cssHooks[e+t].set=Je)})),w.fn.extend({css:function(e,t){return $(this,(function(e,t,n){var r,i,o={},a=0;if(Array.isArray(t)){for(r=Ie(e),i=t.length;a1)}}),w.Tween=et,et.prototype={constructor:et,init:function(e,t,n,r,i,o){this.elem=e,this.prop=n,this.easing=i||w.easing._default,this.options=t,this.start=this.now=this.cur(),this.end=r,this.unit=o||(w.cssNumber[n]?\"\":\"px\")},cur:function(){var e=et.propHooks[this.prop];return e&&e.get?e.get(this):et.propHooks._default.get(this)},run:function(e){var t,n=et.propHooks[this.prop];return this.options.duration?this.pos=t=w.easing[this.easing](e,this.options.duration*e,0,1,this.options.duration):this.pos=t=e,this.now=(this.end-this.start)*t+this.start,this.options.step&&this.options.step.call(this.elem,this.now,this),n&&n.set?n.set(this):et.propHooks._default.set(this),this}},et.prototype.init.prototype=et.prototype,et.propHooks={_default:{get:function(e){var t;return 1!==e.elem.nodeType||null!=e.elem[e.prop]&&null==e.elem.style[e.prop]?e.elem[e.prop]:(t=w.css(e.elem,e.prop,\"\"))&&\"auto\"!==t?t:0},set:function(e){w.fx.step[e.prop]?w.fx.step[e.prop](e):1!==e.elem.nodeType||!w.cssHooks[e.prop]&&null==e.elem.style[Xe(e.prop)]?e.elem[e.prop]=e.now:w.style(e.elem,e.prop,e.now+e.unit)}}},et.propHooks.scrollTop=et.propHooks.scrollLeft={set:function(e){e.elem.nodeType&&e.elem.parentNode&&(e.elem[e.prop]=e.now)}},w.easing={linear:function(e){return e},swing:function(e){return.5-Math.cos(e*Math.PI)/2},_default:\"swing\"},w.fx=et.prototype.init,w.fx.step={};var tt,nt,rt=/^(?:toggle|show|hide)$/,it=/queueHooks$/;function ot(){nt&&(!1===v.hidden&&e.requestAnimationFrame?e.requestAnimationFrame(ot):e.setTimeout(ot,w.fx.interval),w.fx.tick())}function at(){return e.setTimeout((function(){tt=void 0})),tt=Date.now()}function st(e,t){var n,r=0,i={height:e};for(t=t?1:0;r<4;r+=2-t)i[\"margin\"+(n=ne[r])]=i[\"padding\"+n]=e;return t&&(i.opacity=i.width=e),i}function ut(e,t,n){for(var r,i=(lt.tweeners[t]||[]).concat(lt.tweeners[\"*\"]),o=0,a=i.length;o1)},removeAttr:function(e){return this.each((function(){w.removeAttr(this,e)}))}}),w.extend({attr:function(e,t,n){var r,i,o=e.nodeType;if(3!==o&&8!==o&&2!==o)return void 0===e.getAttribute?w.prop(e,t,n):(1===o&&w.isXMLDoc(e)||(i=w.attrHooks[t.toLowerCase()]||(w.expr.match.bool.test(t)?ct:void 0)),void 0!==n?null===n?void w.removeAttr(e,t):i&&\"set\"in i&&void 0!==(r=i.set(e,n,t))?r:(e.setAttribute(t,n+\"\"),n):i&&\"get\"in i&&null!==(r=i.get(e,t))?r:null==(r=w.find.attr(e,t))?void 0:r)},attrHooks:{type:{set:function(e,t){if(!d.radioValue&&\"radio\"===t&&A(e,\"input\")){var n=e.value;return e.setAttribute(\"type\",t),n&&(e.value=n),t}}}},removeAttr:function(e,t){var n,r=0,i=t&&t.match(P);if(i&&1===e.nodeType)for(;n=i[r++];)e.removeAttribute(n)}}),ct={set:function(e,t,n){return!1===t?w.removeAttr(e,n):e.setAttribute(n,n),n}},w.each(w.expr.match.bool.source.match(/\\w+/g),(function(e,t){var n=ft[t]||w.find.attr;ft[t]=function(e,t,r){var i,o,a=t.toLowerCase();return r||(o=ft[a],ft[a]=i,i=null!=n(e,t,r)?a:null,ft[a]=o),i}}));var pt=/^(?:input|select|textarea|button)$/i,dt=/^(?:a|area)$/i;function ht(e){return(e.match(P)||[]).join(\" \")}function gt(e){return e.getAttribute&&e.getAttribute(\"class\")||\"\"}function vt(e){return Array.isArray(e)?e:\"string\"==typeof e&&e.match(P)||[]}w.fn.extend({prop:function(e,t){return $(this,w.prop,e,t,arguments.length>1)},removeProp:function(e){return this.each((function(){delete this[w.propFix[e]||e]}))}}),w.extend({prop:function(e,t,n){var r,i,o=e.nodeType;if(3!==o&&8!==o&&2!==o)return 1===o&&w.isXMLDoc(e)||(t=w.propFix[t]||t,i=w.propHooks[t]),void 0!==n?i&&\"set\"in i&&void 0!==(r=i.set(e,n,t))?r:e[t]=n:i&&\"get\"in i&&null!==(r=i.get(e,t))?r:e[t]},propHooks:{tabIndex:{get:function(e){var t=w.find.attr(e,\"tabindex\");return t?parseInt(t,10):pt.test(e.nodeName)||dt.test(e.nodeName)&&e.href?0:-1}}},propFix:{for:\"htmlFor\",class:\"className\"}}),d.optSelected||(w.propHooks.selected={get:function(e){var t=e.parentNode;return t&&t.parentNode&&t.parentNode.selectedIndex,null},set:function(e){var t=e.parentNode;t&&(t.selectedIndex,t.parentNode&&t.parentNode.selectedIndex)}}),w.each([\"tabIndex\",\"readOnly\",\"maxLength\",\"cellSpacing\",\"cellPadding\",\"rowSpan\",\"colSpan\",\"useMap\",\"frameBorder\",\"contentEditable\"],(function(){w.propFix[this.toLowerCase()]=this})),w.fn.extend({addClass:function(e){var t,n,r,i,o,a,s,u=0;if(h(e))return this.each((function(t){w(this).addClass(e.call(this,t,gt(this)))}));if((t=vt(e)).length)for(;n=this[u++];)if(i=gt(n),r=1===n.nodeType&&\" \"+ht(i)+\" \"){for(a=0;o=t[a++];)r.indexOf(\" \"+o+\" \")<0&&(r+=o+\" \");i!==(s=ht(r))&&n.setAttribute(\"class\",s)}return this},removeClass:function(e){var t,n,r,i,o,a,s,u=0;if(h(e))return this.each((function(t){w(this).removeClass(e.call(this,t,gt(this)))}));if(!arguments.length)return this.attr(\"class\",\"\");if((t=vt(e)).length)for(;n=this[u++];)if(i=gt(n),r=1===n.nodeType&&\" \"+ht(i)+\" \"){for(a=0;o=t[a++];)for(;r.indexOf(\" \"+o+\" \")>-1;)r=r.replace(\" \"+o+\" \",\" \");i!==(s=ht(r))&&n.setAttribute(\"class\",s)}return this},toggleClass:function(e,t){var n=typeof e,r=\"string\"===n||Array.isArray(e);return\"boolean\"==typeof t&&r?t?this.addClass(e):this.removeClass(e):h(e)?this.each((function(n){w(this).toggleClass(e.call(this,n,gt(this),t),t)})):this.each((function(){var t,i,o,a;if(r)for(i=0,o=w(this),a=vt(e);t=a[i++];)o.hasClass(t)?o.removeClass(t):o.addClass(t);else void 0!==e&&\"boolean\"!==n||((t=gt(this))&&Y.set(this,\"__className__\",t),this.setAttribute&&this.setAttribute(\"class\",t||!1===e?\"\":Y.get(this,\"__className__\")||\"\"))}))},hasClass:function(e){var t,n,r=0;for(t=\" \"+e+\" \";n=this[r++];)if(1===n.nodeType&&(\" \"+ht(gt(n))+\" \").indexOf(t)>-1)return!0;return!1}});var yt=/\\r/g;w.fn.extend({val:function(e){var t,n,r,i=this[0];return arguments.length?(r=h(e),this.each((function(n){var i;1===this.nodeType&&(null==(i=r?e.call(this,n,w(this).val()):e)?i=\"\":\"number\"==typeof i?i+=\"\":Array.isArray(i)&&(i=w.map(i,(function(e){return null==e?\"\":e+\"\"}))),(t=w.valHooks[this.type]||w.valHooks[this.nodeName.toLowerCase()])&&\"set\"in t&&void 0!==t.set(this,i,\"value\")||(this.value=i))}))):i?(t=w.valHooks[i.type]||w.valHooks[i.nodeName.toLowerCase()])&&\"get\"in t&&void 0!==(n=t.get(i,\"value\"))?n:\"string\"==typeof(n=i.value)?n.replace(yt,\"\"):null==n?\"\":n:void 0}}),w.extend({valHooks:{option:{get:function(e){var t=w.find.attr(e,\"value\");return null!=t?t:ht(w.text(e))}},select:{get:function(e){var t,n,r,i=e.options,o=e.selectedIndex,a=\"select-one\"===e.type,s=a?null:[],u=a?o+1:i.length;for(r=o<0?u:a?o:0;r-1)&&(n=!0);return n||(e.selectedIndex=-1),o}}}}),w.each([\"radio\",\"checkbox\"],(function(){w.valHooks[this]={set:function(e,t){if(Array.isArray(t))return e.checked=w.inArray(w(e).val(),t)>-1}},d.checkOn||(w.valHooks[this].get=function(e){return null===e.getAttribute(\"value\")?\"on\":e.value})})),d.focusin=\"onfocusin\"in e;var mt=/^(?:focusinfocus|focusoutblur)$/,xt=function(e){e.stopPropagation()};w.extend(w.event,{trigger:function(t,n,r,i){var o,a,s,u,l,f,p,d,y=[r||v],m=c.call(t,\"type\")?t.type:t,x=c.call(t,\"namespace\")?t.namespace.split(\".\"):[];if(a=d=s=r=r||v,3!==r.nodeType&&8!==r.nodeType&&!mt.test(m+w.event.triggered)&&(m.indexOf(\".\")>-1&&(x=m.split(\".\"),m=x.shift(),x.sort()),l=m.indexOf(\":\")<0&&\"on\"+m,(t=t[w.expando]?t:new w.Event(m,\"object\"==typeof t&&t)).isTrigger=i?2:3,t.namespace=x.join(\".\"),t.rnamespace=t.namespace?new RegExp(\"(^|\\\\.)\"+x.join(\"\\\\.(?:.*\\\\.|)\")+\"(\\\\.|$)\"):null,t.result=void 0,t.target||(t.target=r),n=null==n?[t]:w.makeArray(n,[t]),p=w.event.special[m]||{},i||!p.trigger||!1!==p.trigger.apply(r,n))){if(!i&&!p.noBubble&&!g(r)){for(u=p.delegateType||m,mt.test(u+m)||(a=a.parentNode);a;a=a.parentNode)y.push(a),s=a;s===(r.ownerDocument||v)&&y.push(s.defaultView||s.parentWindow||e)}for(o=0;(a=y[o++])&&!t.isPropagationStopped();)d=a,t.type=o>1?u:p.bindType||m,(f=(Y.get(a,\"events\")||Object.create(null))[t.type]&&Y.get(a,\"handle\"))&&f.apply(a,n),(f=l&&a[l])&&f.apply&&V(a)&&(t.result=f.apply(a,n),!1===t.result&&t.preventDefault());return t.type=m,i||t.isDefaultPrevented()||p._default&&!1!==p._default.apply(y.pop(),n)||!V(r)||l&&h(r[m])&&!g(r)&&((s=r[l])&&(r[l]=null),w.event.triggered=m,t.isPropagationStopped()&&d.addEventListener(m,xt),r[m](),t.isPropagationStopped()&&d.removeEventListener(m,xt),w.event.triggered=void 0,s&&(r[l]=s)),t.result}},simulate:function(e,t,n){var r=w.extend(new w.Event,n,{type:e,isSimulated:!0});w.event.trigger(r,null,t)}}),w.fn.extend({trigger:function(e,t){return this.each((function(){w.event.trigger(e,t,this)}))},triggerHandler:function(e,t){var n=this[0];if(n)return w.event.trigger(e,t,n,!0)}}),d.focusin||w.each({focus:\"focusin\",blur:\"focusout\"},(function(e,t){var n=function(e){w.event.simulate(t,e.target,w.event.fix(e))};w.event.special[t]={setup:function(){var r=this.ownerDocument||this.document||this,i=Y.access(r,t);i||r.addEventListener(e,n,!0),Y.access(r,t,(i||0)+1)},teardown:function(){var r=this.ownerDocument||this.document||this,i=Y.access(r,t)-1;i?Y.access(r,t,i):(r.removeEventListener(e,n,!0),Y.remove(r,t))}}}));var bt=e.location,wt={guid:Date.now()},Tt=/\\?/;w.parseXML=function(t){var n,r;if(!t||\"string\"!=typeof t)return null;try{n=(new e.DOMParser).parseFromString(t,\"text/xml\")}catch(e){}return r=n&&n.getElementsByTagName(\"parsererror\")[0],n&&!r||w.error(\"Invalid XML: \"+(r?w.map(r.childNodes,(function(e){return e.textContent})).join(\"\\n\"):t)),n};var Ct=/\\[\\]$/,Et=/\\r?\\n/g,St=/^(?:submit|button|image|reset|file)$/i,kt=/^(?:input|select|textarea|keygen)/i;function At(e,t,n,r){var i;if(Array.isArray(t))w.each(t,(function(t,i){n||Ct.test(e)?r(e,i):At(e+\"[\"+(\"object\"==typeof i&&null!=i?t:\"\")+\"]\",i,n,r)}));else if(n||\"object\"!==x(t))r(e,t);else for(i in t)At(e+\"[\"+i+\"]\",t[i],n,r)}w.param=function(e,t){var n,r=[],i=function(e,t){var n=h(t)?t():t;r[r.length]=encodeURIComponent(e)+\"=\"+encodeURIComponent(null==n?\"\":n)};if(null==e)return\"\";if(Array.isArray(e)||e.jquery&&!w.isPlainObject(e))w.each(e,(function(){i(this.name,this.value)}));else for(n in e)At(n,e[n],t,i);return r.join(\"&\")},w.fn.extend({serialize:function(){return w.param(this.serializeArray())},serializeArray:function(){return this.map((function(){var e=w.prop(this,\"elements\");return e?w.makeArray(e):this})).filter((function(){var e=this.type;return this.name&&!w(this).is(\":disabled\")&&kt.test(this.nodeName)&&!St.test(e)&&(this.checked||!de.test(e))})).map((function(e,t){var n=w(this).val();return null==n?null:Array.isArray(n)?w.map(n,(function(e){return{name:t.name,value:e.replace(Et,\"\\r\\n\")}})):{name:t.name,value:n.replace(Et,\"\\r\\n\")}})).get()}});var Nt=/%20/g,jt=/#.*$/,Dt=/([?&])_=[^&]*/,qt=/^(.*?):[ \\t]*([^\\r\\n]*)$/gm,Lt=/^(?:GET|HEAD)$/,Ht=/^\\/\\//,Ot={},Pt={},Rt=\"*/\".concat(\"*\"),Mt=v.createElement(\"a\");function It(e){return function(t,n){\"string\"!=typeof t&&(n=t,t=\"*\");var r,i=0,o=t.toLowerCase().match(P)||[];if(h(n))for(;r=o[i++];)\"+\"===r[0]?(r=r.slice(1)||\"*\",(e[r]=e[r]||[]).unshift(n)):(e[r]=e[r]||[]).push(n)}}function Wt(e,t,n,r){var i={},o=e===Pt;function a(s){var u;return i[s]=!0,w.each(e[s]||[],(function(e,s){var l=s(t,n,r);return\"string\"!=typeof l||o||i[l]?o?!(u=l):void 0:(t.dataTypes.unshift(l),a(l),!1)})),u}return a(t.dataTypes[0])||!i[\"*\"]&&a(\"*\")}function Ft(e,t){var n,r,i=w.ajaxSettings.flatOptions||{};for(n in t)void 0!==t[n]&&((i[n]?e:r||(r={}))[n]=t[n]);return r&&w.extend(!0,e,r),e}Mt.href=bt.href,w.extend({active:0,lastModified:{},etag:{},ajaxSettings:{url:bt.href,type:\"GET\",isLocal:/^(?:about|app|app-storage|.+-extension|file|res|widget):$/.test(bt.protocol),global:!0,processData:!0,async:!0,contentType:\"application/x-www-form-urlencoded; charset=UTF-8\",accepts:{\"*\":Rt,text:\"text/plain\",html:\"text/html\",xml:\"application/xml, text/xml\",json:\"application/json, text/javascript\"},contents:{xml:/\\bxml\\b/,html:/\\bhtml/,json:/\\bjson\\b/},responseFields:{xml:\"responseXML\",text:\"responseText\",json:\"responseJSON\"},converters:{\"* text\":String,\"text html\":!0,\"text json\":JSON.parse,\"text xml\":w.parseXML},flatOptions:{url:!0,context:!0}},ajaxSetup:function(e,t){return t?Ft(Ft(e,w.ajaxSettings),t):Ft(w.ajaxSettings,e)},ajaxPrefilter:It(Ot),ajaxTransport:It(Pt),ajax:function(t,n){\"object\"==typeof t&&(n=t,t=void 0),n=n||{};var r,i,o,a,s,u,l,c,f,p,d=w.ajaxSetup({},n),h=d.context||d,g=d.context&&(h.nodeType||h.jquery)?w(h):w.event,y=w.Deferred(),m=w.Callbacks(\"once memory\"),x=d.statusCode||{},b={},T={},C=\"canceled\",E={readyState:0,getResponseHeader:function(e){var t;if(l){if(!a)for(a={};t=qt.exec(o);)a[t[1].toLowerCase()+\" \"]=(a[t[1].toLowerCase()+\" \"]||[]).concat(t[2]);t=a[e.toLowerCase()+\" \"]}return null==t?null:t.join(\", \")},getAllResponseHeaders:function(){return l?o:null},setRequestHeader:function(e,t){return null==l&&(e=T[e.toLowerCase()]=T[e.toLowerCase()]||e,b[e]=t),this},overrideMimeType:function(e){return null==l&&(d.mimeType=e),this},statusCode:function(e){var t;if(e)if(l)E.always(e[E.status]);else for(t in e)x[t]=[x[t],e[t]];return this},abort:function(e){var t=e||C;return r&&r.abort(t),S(0,t),this}};if(y.promise(E),d.url=((t||d.url||bt.href)+\"\").replace(Ht,bt.protocol+\"//\"),d.type=n.method||n.type||d.method||d.type,d.dataTypes=(d.dataType||\"*\").toLowerCase().match(P)||[\"\"],null==d.crossDomain){u=v.createElement(\"a\");try{u.href=d.url,u.href=u.href,d.crossDomain=Mt.protocol+\"//\"+Mt.host!=u.protocol+\"//\"+u.host}catch(e){d.crossDomain=!0}}if(d.data&&d.processData&&\"string\"!=typeof d.data&&(d.data=w.param(d.data,d.traditional)),Wt(Ot,d,n,E),l)return E;for(f in(c=w.event&&d.global)&&0==w.active++&&w.event.trigger(\"ajaxStart\"),d.type=d.type.toUpperCase(),d.hasContent=!Lt.test(d.type),i=d.url.replace(jt,\"\"),d.hasContent?d.data&&d.processData&&0===(d.contentType||\"\").indexOf(\"application/x-www-form-urlencoded\")&&(d.data=d.data.replace(Nt,\"+\")):(p=d.url.slice(i.length),d.data&&(d.processData||\"string\"==typeof d.data)&&(i+=(Tt.test(i)?\"&\":\"?\")+d.data,delete d.data),!1===d.cache&&(i=i.replace(Dt,\"$1\"),p=(Tt.test(i)?\"&\":\"?\")+\"_=\"+wt.guid+++p),d.url=i+p),d.ifModified&&(w.lastModified[i]&&E.setRequestHeader(\"If-Modified-Since\",w.lastModified[i]),w.etag[i]&&E.setRequestHeader(\"If-None-Match\",w.etag[i])),(d.data&&d.hasContent&&!1!==d.contentType||n.contentType)&&E.setRequestHeader(\"Content-Type\",d.contentType),E.setRequestHeader(\"Accept\",d.dataTypes[0]&&d.accepts[d.dataTypes[0]]?d.accepts[d.dataTypes[0]]+(\"*\"!==d.dataTypes[0]?\", \"+Rt+\"; q=0.01\":\"\"):d.accepts[\"*\"]),d.headers)E.setRequestHeader(f,d.headers[f]);if(d.beforeSend&&(!1===d.beforeSend.call(h,E,d)||l))return E.abort();if(C=\"abort\",m.add(d.complete),E.done(d.success),E.fail(d.error),r=Wt(Pt,d,n,E)){if(E.readyState=1,c&&g.trigger(\"ajaxSend\",[E,d]),l)return E;d.async&&d.timeout>0&&(s=e.setTimeout((function(){E.abort(\"timeout\")}),d.timeout));try{l=!1,r.send(b,S)}catch(e){if(l)throw e;S(-1,e)}}else S(-1,\"No Transport\");function S(t,n,a,u){var f,p,v,b,T,C=n;l||(l=!0,s&&e.clearTimeout(s),r=void 0,o=u||\"\",E.readyState=t>0?4:0,f=t>=200&&t<300||304===t,a&&(b=function(e,t,n){for(var r,i,o,a,s=e.contents,u=e.dataTypes;\"*\"===u[0];)u.shift(),void 0===r&&(r=e.mimeType||t.getResponseHeader(\"Content-Type\"));if(r)for(i in s)if(s[i]&&s[i].test(r)){u.unshift(i);break}if(u[0]in n)o=u[0];else{for(i in n){if(!u[0]||e.converters[i+\" \"+u[0]]){o=i;break}a||(a=i)}o=o||a}if(o)return o!==u[0]&&u.unshift(o),n[o]}(d,E,a)),!f&&w.inArray(\"script\",d.dataTypes)>-1&&w.inArray(\"json\",d.dataTypes)<0&&(d.converters[\"text script\"]=function(){}),b=function(e,t,n,r){var i,o,a,s,u,l={},c=e.dataTypes.slice();if(c[1])for(a in e.converters)l[a.toLowerCase()]=e.converters[a];for(o=c.shift();o;)if(e.responseFields[o]&&(n[e.responseFields[o]]=t),!u&&r&&e.dataFilter&&(t=e.dataFilter(t,e.dataType)),u=o,o=c.shift())if(\"*\"===o)o=u;else if(\"*\"!==u&&u!==o){if(!(a=l[u+\" \"+o]||l[\"* \"+o]))for(i in l)if((s=i.split(\" \"))[1]===o&&(a=l[u+\" \"+s[0]]||l[\"* \"+s[0]])){!0===a?a=l[i]:!0!==l[i]&&(o=s[0],c.unshift(s[1]));break}if(!0!==a)if(a&&e.throws)t=a(t);else try{t=a(t)}catch(e){return{state:\"parsererror\",error:a?e:\"No conversion from \"+u+\" to \"+o}}}return{state:\"success\",data:t}}(d,b,E,f),f?(d.ifModified&&((T=E.getResponseHeader(\"Last-Modified\"))&&(w.lastModified[i]=T),(T=E.getResponseHeader(\"etag\"))&&(w.etag[i]=T)),204===t||\"HEAD\"===d.type?C=\"nocontent\":304===t?C=\"notmodified\":(C=b.state,p=b.data,f=!(v=b.error))):(v=C,!t&&C||(C=\"error\",t<0&&(t=0))),E.status=t,E.statusText=(n||C)+\"\",f?y.resolveWith(h,[p,C,E]):y.rejectWith(h,[E,C,v]),E.statusCode(x),x=void 0,c&&g.trigger(f?\"ajaxSuccess\":\"ajaxError\",[E,d,f?p:v]),m.fireWith(h,[E,C]),c&&(g.trigger(\"ajaxComplete\",[E,d]),--w.active||w.event.trigger(\"ajaxStop\")))}return E},getJSON:function(e,t,n){return w.get(e,t,n,\"json\")},getScript:function(e,t){return w.get(e,void 0,t,\"script\")}}),w.each([\"get\",\"post\"],(function(e,t){w[t]=function(e,n,r,i){return h(n)&&(i=i||r,r=n,n=void 0),w.ajax(w.extend({url:e,type:t,dataType:i,data:n,success:r},w.isPlainObject(e)&&e))}})),w.ajaxPrefilter((function(e){var t;for(t in e.headers)\"content-type\"===t.toLowerCase()&&(e.contentType=e.headers[t]||\"\")})),w._evalUrl=function(e,t,n){return w.ajax({url:e,type:\"GET\",dataType:\"script\",cache:!0,async:!1,global:!1,converters:{\"text script\":function(){}},dataFilter:function(e){w.globalEval(e,t,n)}})},w.fn.extend({wrapAll:function(e){var t;return this[0]&&(h(e)&&(e=e.call(this[0])),t=w(e,this[0].ownerDocument).eq(0).clone(!0),this[0].parentNode&&t.insertBefore(this[0]),t.map((function(){for(var e=this;e.firstElementChild;)e=e.firstElementChild;return e})).append(this)),this},wrapInner:function(e){return h(e)?this.each((function(t){w(this).wrapInner(e.call(this,t))})):this.each((function(){var t=w(this),n=t.contents();n.length?n.wrapAll(e):t.append(e)}))},wrap:function(e){var t=h(e);return this.each((function(n){w(this).wrapAll(t?e.call(this,n):e)}))},unwrap:function(e){return this.parent(e).not(\"body\").each((function(){w(this).replaceWith(this.childNodes)})),this}}),w.expr.pseudos.hidden=function(e){return!w.expr.pseudos.visible(e)},w.expr.pseudos.visible=function(e){return!!(e.offsetWidth||e.offsetHeight||e.getClientRects().length)},w.ajaxSettings.xhr=function(){try{return new e.XMLHttpRequest}catch(e){}};var Bt={0:200,1223:204},$t=w.ajaxSettings.xhr();d.cors=!!$t&&\"withCredentials\"in $t,d.ajax=$t=!!$t,w.ajaxTransport((function(t){var n,r;if(d.cors||$t&&!t.crossDomain)return{send:function(i,o){var a,s=t.xhr();if(s.open(t.type,t.url,t.async,t.username,t.password),t.xhrFields)for(a in t.xhrFields)s[a]=t.xhrFields[a];for(a in t.mimeType&&s.overrideMimeType&&s.overrideMimeType(t.mimeType),t.crossDomain||i[\"X-Requested-With\"]||(i[\"X-Requested-With\"]=\"XMLHttpRequest\"),i)s.setRequestHeader(a,i[a]);n=function(e){return function(){n&&(n=r=s.onload=s.onerror=s.onabort=s.ontimeout=s.onreadystatechange=null,\"abort\"===e?s.abort():\"error\"===e?\"number\"!=typeof s.status?o(0,\"error\"):o(s.status,s.statusText):o(Bt[s.status]||s.status,s.statusText,\"text\"!==(s.responseType||\"text\")||\"string\"!=typeof s.responseText?{binary:s.response}:{text:s.responseText},s.getAllResponseHeaders()))}},s.onload=n(),r=s.onerror=s.ontimeout=n(\"error\"),void 0!==s.onabort?s.onabort=r:s.onreadystatechange=function(){4===s.readyState&&e.setTimeout((function(){n&&r()}))},n=n(\"abort\");try{s.send(t.hasContent&&t.data||null)}catch(e){if(n)throw e}},abort:function(){n&&n()}}})),w.ajaxPrefilter((function(e){e.crossDomain&&(e.contents.script=!1)})),w.ajaxSetup({accepts:{script:\"text/javascript, application/javascript, application/ecmascript, application/x-ecmascript\"},contents:{script:/\\b(?:java|ecma)script\\b/},converters:{\"text script\":function(e){return w.globalEval(e),e}}}),w.ajaxPrefilter(\"script\",(function(e){void 0===e.cache&&(e.cache=!1),e.crossDomain&&(e.type=\"GET\")})),w.ajaxTransport(\"script\",(function(e){var t,n;if(e.crossDomain||e.scriptAttrs)return{send:function(r,i){t=w(\"", - "text/html": "
\n

You appear to be running in JupyterLab (or JavaScript failed to load for some other reason). You need to install the 3dmol extension:
\n jupyter labextension install jupyterlab_3dmol

\n
\n" - }, - "metadata": {}, - "output_type": "display_data" - }, - { - "data": { - "text/plain": "" - }, - "execution_count": 7, - "metadata": {}, - "output_type": "execute_result" - } - ], + "outputs": [], "source": [ "viewer = py3Dmol.view()\n", - "viewer.addModel(phase.to_cif_str(),'cif',{'doAssembly':True,'duplicateAssemblyAtoms':True,'normalizeAssembly':True})\n", + "viewer.addModel(phase.cif,'cif',{'doAssembly':True,'duplicateAssemblyAtoms':True,'normalizeAssembly':True})\n", "viewer.setStyle({'sphere':{'colorscheme':'Jmol','scale':.2},'stick':{'colorscheme':'Jmol', 'radius': 0.1}})\n", "viewer.addUnitCell()\n", "viewer.replicateUnitCell(2,2,2)\n", @@ -322,7 +249,7 @@ }, { "cell_type": "code", - "execution_count": 8, + "execution_count": null, "id": "29071aa2", "metadata": { "pycharm": { @@ -351,7 +278,7 @@ }, { "cell_type": "code", - "execution_count": 9, + "execution_count": null, "id": "83e3845f", "metadata": { "pycharm": { @@ -383,7 +310,7 @@ }, { "cell_type": "code", - "execution_count": 10, + "execution_count": null, "id": "70fa1571", "metadata": { "pycharm": { @@ -400,19 +327,19 @@ }, { "cell_type": "markdown", - "source": [ - "By default the job interface uses the `CrysPy` calculator. This is a wrapper around the `CrysPy` library. It can be verified by calling the `interface` property." - ], "metadata": { "collapsed": false, "pycharm": { "name": "#%% md\n" } - } + }, + "source": [ + "By default the job interface uses the `CrysPy` calculator. This is a wrapper around the `CrysPy` library. It can be verified by calling the `interface` property." + ] }, { "cell_type": "code", - "execution_count": 11, + "execution_count": null, "id": "1ed88f8e", "metadata": { "pycharm": { @@ -426,22 +353,14 @@ }, { "cell_type": "code", - "execution_count": 12, + "execution_count": null, "id": "784fb8e5", "metadata": { "pycharm": { "name": "#%%\n" } }, - "outputs": [ - { - "name": "stdout", - "output_type": "stream", - "text": [ - "Current calculator engine: CrysPy\n" - ] - } - ], + "outputs": [], "source": [ "print(f\"Current calculator engine: {calculator.current_interface_name}\")" ] @@ -461,7 +380,7 @@ }, { "cell_type": "code", - "execution_count": 13, + "execution_count": null, "id": "f556cc94", "metadata": { "pycharm": { @@ -478,46 +397,26 @@ }, { "cell_type": "markdown", - "source": [ - "These profiles can be plotted" - ], "metadata": { "collapsed": false, "pycharm": { "name": "#%% md\n" } - } + }, + "source": [ + "These profiles can be plotted" + ] }, { "cell_type": "code", - "execution_count": 14, + "execution_count": null, "id": "758b92d5", "metadata": { "pycharm": { "name": "#%%\n" } }, - "outputs": [ - { - "data": { - "text/html": "\n
\n" - }, - "metadata": {}, - "output_type": "display_data" - }, - { - "data": { - "application/javascript": "(function(root) {\n function embed_document(root) {\n const docs_json = {\"9ac9f3ea-0e1e-4e7c-9f40-f0b95e5739ea\":{\"defs\":[{\"extends\":null,\"module\":null,\"name\":\"ReactiveHTML1\",\"overrides\":[],\"properties\":[]},{\"extends\":null,\"module\":null,\"name\":\"FlexBox1\",\"overrides\":[],\"properties\":[{\"default\":\"flex-start\",\"kind\":null,\"name\":\"align_content\"},{\"default\":\"flex-start\",\"kind\":null,\"name\":\"align_items\"},{\"default\":\"row\",\"kind\":null,\"name\":\"flex_direction\"},{\"default\":\"wrap\",\"kind\":null,\"name\":\"flex_wrap\"},{\"default\":\"flex-start\",\"kind\":null,\"name\":\"justify_content\"}]},{\"extends\":null,\"module\":null,\"name\":\"GridStack1\",\"overrides\":[],\"properties\":[{\"default\":\"warn\",\"kind\":null,\"name\":\"mode\"},{\"default\":null,\"kind\":null,\"name\":\"ncols\"},{\"default\":null,\"kind\":null,\"name\":\"nrows\"},{\"default\":true,\"kind\":null,\"name\":\"allow_resize\"},{\"default\":true,\"kind\":null,\"name\":\"allow_drag\"},{\"default\":[],\"kind\":null,\"name\":\"state\"}]},{\"extends\":null,\"module\":null,\"name\":\"click1\",\"overrides\":[],\"properties\":[{\"default\":\"\",\"kind\":null,\"name\":\"terminal_output\"},{\"default\":\"\",\"kind\":null,\"name\":\"debug_name\"},{\"default\":0,\"kind\":null,\"name\":\"clears\"}]},{\"extends\":null,\"module\":null,\"name\":\"NotificationAreaBase1\",\"overrides\":[],\"properties\":[{\"default\":\"bottom-right\",\"kind\":null,\"name\":\"position\"},{\"default\":0,\"kind\":null,\"name\":\"_clear\"}]},{\"extends\":null,\"module\":null,\"name\":\"NotificationArea1\",\"overrides\":[],\"properties\":[{\"default\":[],\"kind\":null,\"name\":\"notifications\"},{\"default\":\"bottom-right\",\"kind\":null,\"name\":\"position\"},{\"default\":0,\"kind\":null,\"name\":\"_clear\"},{\"default\":[{\"background\":\"#ffc107\",\"icon\":{\"className\":\"fas fa-exclamation-triangle\",\"color\":\"white\",\"tagName\":\"i\"},\"type\":\"warning\"},{\"background\":\"#007bff\",\"icon\":{\"className\":\"fas fa-info-circle\",\"color\":\"white\",\"tagName\":\"i\"},\"type\":\"info\"}],\"kind\":null,\"name\":\"types\"}]},{\"extends\":null,\"module\":null,\"name\":\"Notification\",\"overrides\":[],\"properties\":[{\"default\":null,\"kind\":null,\"name\":\"background\"},{\"default\":3000,\"kind\":null,\"name\":\"duration\"},{\"default\":null,\"kind\":null,\"name\":\"icon\"},{\"default\":\"\",\"kind\":null,\"name\":\"message\"},{\"default\":null,\"kind\":null,\"name\":\"notification_type\"},{\"default\":false,\"kind\":null,\"name\":\"_destroyed\"}]},{\"extends\":null,\"module\":null,\"name\":\"TemplateActions1\",\"overrides\":[],\"properties\":[{\"default\":0,\"kind\":null,\"name\":\"open_modal\"},{\"default\":0,\"kind\":null,\"name\":\"close_modal\"}]},{\"extends\":null,\"module\":null,\"name\":\"MaterialTemplateActions1\",\"overrides\":[],\"properties\":[{\"default\":0,\"kind\":null,\"name\":\"open_modal\"},{\"default\":0,\"kind\":null,\"name\":\"close_modal\"}]}],\"roots\":{\"references\":[{\"attributes\":{\"background_fill_color\":\"#3f3f3f\",\"below\":[{\"id\":\"1014\"}],\"border_fill_color\":\"#2f2f2f\",\"center\":[{\"id\":\"1017\"},{\"id\":\"1021\"},{\"id\":\"1052\"}],\"height\":300,\"left\":[{\"id\":\"1018\"}],\"min_border\":0,\"outline_line_alpha\":0.25,\"outline_line_color\":\"#E0E0E0\",\"renderers\":[{\"id\":\"1040\"},{\"id\":\"1058\"},{\"id\":\"1077\"}],\"title\":{\"id\":\"1004\"},\"toolbar\":{\"id\":\"1029\"},\"width\":990,\"x_range\":{\"id\":\"1006\"},\"x_scale\":{\"id\":\"1010\"},\"y_range\":{\"id\":\"1008\"},\"y_scale\":{\"id\":\"1012\"}},\"id\":\"1003\",\"subtype\":\"Figure\",\"type\":\"Plot\"},{\"attributes\":{\"axis_label\":\"Intensity\",\"axis_label_standoff\":10,\"axis_label_text_color\":\"#E0E0E0\",\"axis_label_text_font\":\"Helvetica\",\"axis_label_text_font_size\":\"1.25em\",\"axis_label_text_font_style\":\"normal\",\"axis_line_alpha\":0,\"axis_line_color\":\"#E0E0E0\",\"coordinates\":null,\"formatter\":{\"id\":\"1044\"},\"group\":null,\"major_label_policy\":{\"id\":\"1045\"},\"major_label_text_color\":\"#E0E0E0\",\"major_label_text_font\":\"Helvetica\",\"major_label_text_font_size\":\"1.025em\",\"major_tick_line_alpha\":0,\"major_tick_line_color\":\"#E0E0E0\",\"minor_tick_line_alpha\":0,\"minor_tick_line_color\":\"#E0E0E0\",\"ticker\":{\"id\":\"1019\"}},\"id\":\"1018\",\"type\":\"LinearAxis\"},{\"attributes\":{\"line_alpha\":0.1,\"line_color\":\"#3288bd\",\"line_width\":2,\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"1038\",\"type\":\"Line\"},{\"attributes\":{\"line_color\":\"#e6f598\",\"line_width\":2,\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"1074\",\"type\":\"Line\"},{\"attributes\":{},\"id\":\"1027\",\"type\":\"HelpTool\"},{\"attributes\":{\"data\":{\"x\":{\"__ndarray__\":\"AAAAAAAANED6jLhACiA0QPQZcYEUQDRA7qYpwh5gNEDoM+ICKYA0QOLAmkMzoDRA3E1ThD3ANEDV2gvFR+A0QM9nxAVSADVAyfR8RlwgNUDDgTWHZkA1QL0O7sdwYDVAt5umCHuANUCxKF9JhaA1QKu1F4qPwDVApULQypngNUCfz4gLpAA2QJhcQUyuIDZAkun5jLhANkCMdrLNwmA2QIYDaw7NgDZAgJAjT9egNkB6HdyP4cA2QHSqlNDr4DZAbjdNEfYAN0BoxAVSACE3QGJRvpIKQTdAXN520xRhN0BWay8UH4E3QFD451QpoTdASYWglTPBN0BDElnWPeE3QD2fERdIAThANyzKV1IhOEAxuYKYXEE4QCtGO9lmYThAJdPzGXGBOEAfYKxae6E4QBntZJuFwThAE3od3I/hOEAMB9YcmgE5QAaUjl2kITlAACFHnq5BOUD6rf/euGE5QPQ6uB/DgTlA7sdwYM2hOUDoVCmh18E5QOLh4eHh4TlA3G6aIuwBOkDW+1Jj9iE6QNCIC6QAQjpAyhXE5ApiOkDEonwlFYI6QL4vNWYfojpAt7ztpinCOkCxSabnM+I6QKvWXig+AjtApWMXaUgiO0Cf8M+pUkI7QJl9iOpcYjtAkwpBK2eCO0CNl/lrcaI7QIcksqx7wjtAgLFq7YXiO0B6PiMukAI8QHTL226aIjxAbliUr6RCPEBo5UzwrmI8QGJyBTG5gjxAXP+9ccOiPEBWjHayzcI8QFAZL/PX4jxASqbnM+ICPUBEM6B07CI9QD7AWLX2Qj1AOE0R9gBjPUAy2sk2C4M9QCxngncVoz1AJvQ6uB/DPUAfgfP4KeM9QBkOrDk0Az5AE5tkej4jPkANKB27SEM+QAe11ftSYz5AAUKOPF2DPkD6zkZ9Z6M+QPRb/71xwz5A7ui3/nvjPkDodXA/hgM/QOICKYCQIz9A3I/hwJpDP0DWHJoBpWM/QNCpUkKvgz9AyjYLg7mjP0DEw8PDw8M/QL5QfATO4z9A3G6aIuwBQEBZtfZC8RFAQNb7UmP2IUBAU0Kvg/sxQEDQiAukAEJAQE3PZ8QFUkBAyhXE5ApiQEBGXCAFEHJAQMSifCUVgkBAQOnYRRqSQEC+LzVmH6JAQDp2kYYkskBAt7ztpinCQEA0A0rHLtJAQLFJpucz4kBALpACCDnyQECr1l4oPgJBQCgdu0hDEkFApWMXaUgiQUAiqnOJTTJBQJ/wz6lSQkFAHDcsyldSQUCZfYjqXGJBQBbE5ApickFAkwpBK2eCQUAQUZ1LbJJBQI2X+WtxokFACt5VjHayQUCHJLKse8JBQARrDs2A0kFAgLFq7YXiQUD+98YNi/JBQHo+Iy6QAkJA+IR/TpUSQkB0y9tumiJCQPIROI+fMkJAbliUr6RCQkDsnvDPqVJCQGjlTPCuYkJA5SupELRyQkBicgUxuYJCQN+4YVG+kkJAXP+9ccOiQkDZRRqSyLJCQFaMdrLNwkJA09LS0tLSQkBQGS/z1+JCQM1fixPd8kJASqbnM+ICQ0DH7ENU5xJDQEQzoHTsIkNAwHn8lPEyQ0A+wFi19kJDQLoGtdX7UkNAOE0R9gBjQ0C0k20WBnNDQDLayTYLg0NAriAmVxCTQ0AsZ4J3FaNDQKit3pcas0NAJvQ6uB/DQ0CiOpfYJNNDQB+B8/gp40NAnMdPGS/zQ0AZDqw5NANEQJZUCFo5E0RAE5tkej4jRECQ4cCaQzNEQA0oHbtIQ0RAim55201TREAHtdX7UmNEQIT7MRxYc0RAAUKOPF2DREB+iOpcYpNEQPrORn1no0RAeBWjnWyzRED0W/+9ccNEQHKiW95200RA7ui3/nvjREBsLxQfgfNEQOh1cD+GA0VAZrzMX4sTRUDiAimAkCNFQGBJhaCVM0VA3I/hwJpDRUBZ1j3hn1NFQNYcmgGlY0VAU2P2IapzRUDQqVJCr4NFQE3wrmK0k0VAyjYLg7mjRUBHfWejvrNFQMTDw8PDw0VAQQog5MjTRUC+UHwEzuNFQDuX2CTT80VAuN00RdgDRkA0JJFl3RNGQLJq7YXiI0ZALrFJpuczRkCs96XG7ENGQCg+AufxU0ZApoReB/djRkAiy7on/HNGQKARF0gBhEZAHFhzaAaURkCans+IC6RGQBblK6kQtEZAkyuIyRXERkAQcuTpGtRGQI24QAog5EZACv+cKiX0RkCHRflKKgRHQASMVWsvFEdAgdKxizQkR0D+GA6sOTRHQHtfasw+REdA+KXG7ENUR0B17CINSWRHQPIyfy1OdEdAbnnbTVOER0DsvzduWJRHQGgGlI5dpEdA5kzwrmK0R0Bik0zPZ8RHQODZqO9s1EdAXCAFEHLkR0DaZmEwd/RHQFatvVB8BEhA1PMZcYEUSEBQOnaRhiRIQM2A0rGLNEhASscu0pBESEDHDYvylVRIQERU5xKbZEhAwZpDM6B0SEA+4Z9TpYRIQLsn/HOqlEhAOG5YlK+kSEC1tLS0tLRIQDL7ENW5xEhAr0Ft9b7USEAsiMkVxORIQKjOJTbJ9EhAJhWCVs4ESUCiW9520xRJQCCiOpfYJElAnOiWt900SUAaL/PX4kRJQJZ1T/jnVElAFLyrGO1kSUCQAgg58nRJQA5JZFn3hElAio/AefyUSUAI1hyaAaVJQIQceboGtUlAAWPV2gvFSUB+qTH7ENVJQPvvjRsW5UlAeDbqOxv1SUD1fEZcIAVKQHLDonwlFUpA7wn/nColSkBsUFu9LzVKQOmWt900RUpAZt0T/jlVSkDjI3AeP2VKQGBqzD5EdUpA3bAoX0mFSkBa94R/TpVKQNc94Z9TpUpAVIQ9wFi1SkDQypngXcVKQE0R9gBj1UpAyldSIWjlSkBHnq5BbfVKQMTkCmJyBUtAQStngncVS0C+ccOifCVLQDu4H8OBNUtAuP5744ZFS0A1RdgDjFVLQLKLNCSRZUtAL9KQRJZ1S0CsGO1km4VLQClfSYWglUtApqWlpaWlS0Aj7AHGqrVLQKAyXuavxUtAHXm6BrXVS0CavxYnuuVLQBcGc0e/9UtAlEzPZ8QFTEARkyuIyRVMQI7Zh6jOJUxACiDkyNM1TECHZkDp2EVMQAStnAneVUxAgfP4KeNlTED+OVVK6HVMQHuAsWrthUxA+MYNi/KVTEB1DWqr96VMQPJTxsv8tUxAb5oi7AHGTEDs4H4MB9ZMQGkn2ywM5kxA5m03TRH2TEBjtJNtFgZNQOD6740bFk1AXUFMriAmTUDah6jOJTZNQFfOBO8qRk1A1BRhDzBWTUBRW70vNWZNQM6hGVA6dk1AS+h1cD+GTUDILtKQRJZNQEV1LrFJpk1AwbuK0U62TUA+AufxU8ZNQLtIQxJZ1k1AOI+fMl7mTUC11ftSY/ZNQDIcWHNoBk5Ar2K0k20WTkAsqRC0ciZOQKnvbNR3Nk5AJjbJ9HxGTkCjfCUVglZOQCDDgTWHZk5AnQneVYx2TkAaUDp2kYZOQJeWlpaWlk5AFN3ytpumTkCRI0/XoLZOQA5qq/elxk5Ai7AHGKvWTkAI92M4sOZOQIU9wFi19k5AAoQceboGT0B/yniZvxZPQPsQ1bnEJk9AeFcx2sk2T0D1nY36zkZPQHLk6RrUVk9A7ypGO9lmT0BscaJb3nZPQOm3/nvjhk9AZv5anOiWT0DjRLe87aZPQGCLE93ytk9A3dFv/ffGT0BaGMwd/dZPQNdeKD4C509AVKWEXgf3T0DodXA/hgNQQCeZns+IC1BAZrzMX4sTUECk3/rvjRtQQOICKYCQI1BAISZXEJMrUEBgSYWglTNQQJ5sszCYO1BA3I/hwJpDUEAasw9RnUtQQFnWPeGfU1BAmPlrcaJbUEDWHJoBpWNQQBRAyJGna1BAU2P2IapzUECShiSyrHtQQNCpUkKvg1BADs2A0rGLUEBN8K5itJNQQIwT3fK2m1BAyjYLg7mjUEAIWjkTvKtQQEd9Z6O+s1BAhqCVM8G7UEDEw8PDw8NQQALn8VPGy1BAQQog5MjTUECALU50y9tQQL5QfATO41BA/HOqlNDrUEA7l9gk0/NQQHq6BrXV+1BAuN00RdgDUUD2AGPV2gtRQDQkkWXdE1FAc0e/9d8bUUCyau2F4iNRQPCNGxblK1FALrFJpuczUUBt1Hc26jtRQKz3pcbsQ1FA6hrUVu9LUUAoPgLn8VNRQGdhMHf0W1FApoReB/djUUDkp4yX+WtRQCLLuif8c1FAYe7ot/57UUCgERdIAYRRQN40RdgDjFFAHFhzaAaUUUBbe6H4CJxRQJqez4gLpFFA2MH9GA6sUUAW5SupELRRQFUIWjkTvFFAkyuIyRXEUUDSTrZZGMxRQBBy5Oka1FFATpUSeh3cUUCNuEAKIORRQMzbbpoi7FFACv+cKiX0UUBIIsu6J/xRQIdF+UoqBFJAxmgn2ywMUkAEjFVrLxRSQEKvg/sxHFJAgdKxizQkUkDA9d8bNyxSQP4YDqw5NFJAPDw8PDw8UkB7X2rMPkRSQLqCmFxBTFJA+KXG7ENUUkA2yfR8RlxSQHXsIg1JZFJAtA9RnUtsUkDyMn8tTnRSQDBWrb1QfFJAbnnbTVOEUkCtnAneVYxSQOy/N25YlFJAKuNl/lqcUkBoBpSOXaRSQKcpwh5grFJA5kzwrmK0UkAkcB4/ZbxSQGKTTM9nxFJAobZ6X2rMUkDg2ajvbNRSQB791n9v3FJAXCAFEHLkUkCbQzOgdOxSQNpmYTB39FJAGIqPwHn8UkBWrb1QfARTQJXQ6+B+DFNA1PMZcYEUU0ASF0gBhBxTQFA6dpGGJFNAj12kIYksU0DNgNKxizRTQAykAEKOPFNASscu0pBEU0CI6lxik0xTQMcNi/KVVFNABjG5gphcU0BEVOcSm2RTQIJ3FaOdbFNAwZpDM6B0U0AAvnHDonxTQD7hn1OlhFNAfATO46eMU0C7J/xzqpRTQPpKKgStnFNAOG5YlK+kU0B2kYYksqxTQLW0tLS0tFNA9NfiRLe8U0Ay+xDVucRTQHAeP2W8zFNAr0Ft9b7UU0DuZJuFwdxTQCyIyRXE5FNAaqv3pcbsU0CoziU2yfRTQOfxU8bL/FNAJhWCVs4EVEBkOLDm0AxUQKJb3nbTFFRA4X4MB9YcVEAgojqX2CRUQF7FaCfbLFRAnOiWt900VEDbC8VH4DxUQBov89fiRFRAWFIhaOVMVECWdU/451RUQNWYfYjqXFRAFLyrGO1kVEBS39mo72xUQJACCDnydFRAzyU2yfR8VEAOSWRZ94RUQExskun5jFRAio/AefyUVEDJsu4J/5xUQAjWHJoBpVRARvlKKgStVECEHHm6BrVUQMI/p0oJvVRAAWPV2gvFVEBAhgNrDs1UQH6pMfsQ1VRAvMxfixPdVED7740bFuVUQDoTvKsY7VRAeDbqOxv1VEC2WRjMHf1UQPV8RlwgBVVAM6B07CINVUByw6J8JRVVQLDm0AwoHVVA7wn/nColVUAtLS0tLS1VQGxQW70vNVVAqnOJTTI9VUDplrfdNEVVQCe65W03TVVAZt0T/jlVVUCkAEKOPF1VQOMjcB4/ZVVAIUeerkFtVUBgasw+RHVVQJ6N+s5GfVVA3bAoX0mFVUAb1FbvS41VQFr3hH9OlVVAmBqzD1GdVUDXPeGfU6VVQBVhDzBWrVVAVIQ9wFi1VUCSp2tQW71VQNDKmeBdxVVAD+7HcGDNVUBNEfYAY9VVQIw0JJFl3VVAyldSIWjlVUAJe4Cxau1VQEeerkFt9VVAhsHc0W/9VUDE5ApicgVWQAMIOfJ0DVZAQStngncVVkCATpUSeh1WQL5xw6J8JVZA/ZTxMn8tVkA7uB/DgTVWQHrbTVOEPVZAuP5744ZFVkD3IapziU1WQDVF2AOMVVZAdGgGlI5dVkCyizQkkWVWQPGuYrSTbVZAL9KQRJZ1VkBt9b7UmH1WQKwY7WSbhVZA6jsb9Z2NVkApX0mFoJVWQGeCdxWjnVZApqWlpaWlVkDkyNM1qK1WQCPsAcaqtVZAYQ8wVq29VkCgMl7mr8VWQN5VjHayzVZAHXm6BrXVVkBbnOiWt91WQJq/Fie65VZA2OJEt7ztVkAXBnNHv/VWQFUpodfB/VZAlEzPZ8QFV0DSb/33xg1XQBGTK4jJFVdAT7ZZGMwdV0CO2YeoziVXQMz8tTjRLVdACiDkyNM1V0BJQxJZ1j1XQIdmQOnYRVdAxoluedtNV0AErZwJ3lVXQEPQypngXVdAgfP4KeNlV0DAFie65W1XQP45VUrodVdAPV2D2up9V0B7gLFq7YVXQLqj3/rvjVdA+MYNi/KVV0A36jsb9Z1XQHUNaqv3pVdAtDCYO/qtV0DyU8bL/LVXQDF39Fv/vVdAb5oi7AHGV0CuvVB8BM5XQOzgfgwH1ldAKwStnAneV0BpJ9ssDOZXQKhKCb0O7ldA5m03TRH2V0AkkWXdE/5XQGO0k20WBlhAodfB/RgOWEDg+u+NGxZYQB4eHh4eHlhAXUFMriAmWECbZHo+Iy5YQNqHqM4lNlhAGKvWXig+WEBXzgTvKkZYQJXxMn8tTlhA1BRhDzBWWEASOI+fMl5YQFFbvS81ZlhAj37rvzduWEDOoRlQOnZYQAzFR+A8flhAS+h1cD+GWECJC6QAQo5YQMgu0pBEllhABlIAIUeeWEBFdS6xSaZYQIOYXEFMrlhAwbuK0U62WEAA37hhUb5YQD4C5/FTxlhAfSUVglbOWEC7SEMSWdZYQPprcaJb3lhAOI+fMl7mWEB3ss3CYO5YQLXV+1Jj9lhA9Pgp42X+WEAyHFhzaAZZQHE/hgNrDllAr2K0k20WWUDuheIjcB5ZQCypELRyJllAa8w+RHUuWUCp72zUdzZZQOgSm2R6PllAJjbJ9HxGWUBlWfeEf05ZQKN8JRWCVllA4p9TpYReWUAgw4E1h2ZZQF7mr8WJbllAnQneVYx2WUDbLAzmjn5ZQBpQOnaRhllAWHNoBpSOWUCXlpaWlpZZQNW5xCaZnllAFN3ytpumWUBSACFHnq5ZQJEjT9egtllAz0Z9Z6O+WUAOaqv3pcZZQEyN2YeozllAi7AHGKvWWUDJ0zWord5ZQAj3Yziw5llARhqSyLLuWUCFPcBYtfZZQMNg7ui3/llAAoQceboGWkBAp0oJvQ5aQH/KeJm/FlpAve2mKcIeWkD7ENW5xCZaQDo0A0rHLlpAeFcx2sk2WkC3el9qzD5aQPWdjfrORlpANMG7itFOWkBy5Oka1FZaQLEHGKvWXlpA7ypGO9lmWkAuTnTL225aQGxxolvedlpAq5TQ6+B+WkDpt/5744ZaQCjbLAzmjlpAZv5anOiWWkClIYks655aQONEt7ztplpAImjlTPCuWkBgixPd8rZaQJ+uQW31vlpA3dFv/ffGWkAc9Z2N+s5aQFoYzB391lpAmDv6rf/eWkDXXig+AudaQBWCVs4E71pAVKWEXgf3WkCSyLLuCf9aQNHr4H4MB1tADw8PDw8PW0BOMj2fERdbQIxVay8UH1tAy3iZvxYnW0AJnMdPGS9bQEi/9d8bN1tAhuIjcB4/W0DFBVIAIUdbQAMpgJAjT1tAQkyuICZXW0CAb9ywKF9bQL+SCkErZ1tA/bU40S1vW0A82WZhMHdbQHr8lPEyf1tAuR/DgTWHW0D3QvEROI9bQDVmH6I6l1tAdIlNMj2fW0CyrHvCP6dbQPHPqVJCr1tAL/PX4kS3W0BuFgZzR79bQKw5NANKx1tA61xik0zPW0ApgJAjT9dbQGijvrNR31tApsbsQ1TnW0Dl6RrUVu9bQCMNSWRZ91tAYjB39Fv/W0CgU6WEXgdcQN920xRhD1xAHZoBpWMXXEBcvS81Zh9cQJrgXcVoJ1xA2QOMVWsvXEAXJ7rlbTdcQFZK6HVwP1xAlG0WBnNHXEDSkESWdU9cQBG0ciZ4V1xAT9egtnpfXECO+s5GfWdcQMwd/dZ/b1xAC0ErZ4J3XEBJZFn3hH9cQIiHh4eHh1xAxqq1F4qPXEAFzuOnjJdcQEPxETiPn1xAghRAyJGnXEDAN25YlK9cQP9anOiWt1xAPX7KeJm/XEB8ofgInMdcQLrEJpmez1xA+edUKaHXXEA3C4O5o99cQHYusUmm51xAtFHf2ajvXEDzdA1qq/dcQDGYO/qt/1xAcLtpirAHXUCu3pcasw9dQOwBxqq1F11AKyX0OrgfXUBpSCLLuiddQKhrUFu9L11A5o5+6783XUAlsqx7wj9dQGPV2gvFR11AovgInMdPXUDgGzcsylddQB8/ZbzMX11AXWKTTM9nXUCchcHc0W9dQNqo72zUd11AGcwd/dZ/XUBX70uN2YddQJYSeh3cj11A1DWord6XXUATWdY94Z9dQFF8BM7jp11AkJ8yXuavXUDOwmDu6LddQA3mjn7rv11ASwm9Du7HXUCJLOue8M9dQMhPGS/z111ABnNHv/XfXUBFlnVP+OddQIO5o9/6711AwtzRb/33XUAAAAAAAABeQA==\",\"dtype\":\"float64\",\"order\":\"little\",\"shape\":[800]},\"y\":{\"__ndarray__\":\"3sr2Nb5/RTP40Y9oj0VmMwcOYt9PpIEzuvvvLuVelTOV/4nqasujM1WjRMHqCawzskBKl1VerjNbCTaocCapMztEU4Au2p8zryL5znPYjjPjnbRKB9d2M2YPPmLw3FkzAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAABeoo5nTlZzQOd2AKOmb5VANppHeOXhsUD7TcxxyHPGQK2UtzK/NtVAjPC0hsYq3kC5FZFMNCTgQDHOk+Bn/9lAH2gLfZ6Cz0An8VF8ir28QCh5vjETuqNA9U9ar/NghEAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAADF+KS7P999QDM5tb4xiaBAZk/R3MFVu0AV0n6HC97QQBTlMx7iFN9AsFru4yJh5UAZBv4hLPXlQJruizgT1uBA7z2OvnZG00CH8YPDkXnAQAshyxl4BqVAVTsy6DsIhEAAAAAAAAAAAKhd0oY4+JFABQTfgIi4skB5xvTWRQ/NQBjaU65yzeBAympmjYbz7EBy1RX/2JTyQFwLSLDuxPFAdnKncopR6UC6DLCxHODaQBgn1rPHQMVAF7K/GrIKqUB4LIYHRPuFQAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAACIz2ndzRaoQDooc0hI5shAzYura+8N40ASU1xZMJf1QIm3iDmrHAJB4oYjPlJ/BkF9taCQRLAEQXwfvOSaK/xA2gkiUOFl7EBXVaNoszHVQFJHHKjOa7dAo0b8VGEpk0AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAADVf4icGpm0CGFNnsMCi8QIJailNpKdVADTfC/at850ACv4hXdj/zQMcPw7tVS/dAno7Yyd7Q9ECp8OPHMnjrQBezUjonxNpAm0TrifRBw0Brlp42CnakQGVKNffZyUo6im9X3lw0ZTrL/2xhBMZ4OrGxbLAQXIU6ZHw9R4guizr9TZQ1DoeJOl+xIgNGsYE6hUt5Gz8ZcjrwzcxwhFNbOoaZwT++cj46297B+poJGToAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAADG4SjfPiNiQGm0FfAxO4JAAGuiraEIm0D0ATkzZJGtQF7Rul6h2rdAF7X4RLZjvEB2FNBW+uu4QE2mN1IaI7BASOoLmjPUnkDJjSq4priFQGemIem9k2ZAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA1EH4kZj1tQAtUu63M4pBAYGwi9YjOrEBU2B8RgyXCQNpvL51e4tBArv7K7y0010B+OEIF4YzXQDVQ3NDmptFAqbz0m9yKw0Dqsm5QwfSvQF+BSGaqS5NAIJRe8nQ1cUAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAXcy8/wplmUCZgJwWJ5W4QEQyEM0NqdFAJ2M5+OPU4kAJLYwRHc7tQM6INBgqgfFAvEtKiZ+E7kDfzPjGRr7jQPt4V/9M9dJAg6kB9jcFu0DXXQyepJScQAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAABW2J4wviGXQF1Z2L6vALZAc2WIGI40z0DGAEzGQX/gQPQs2Vb+AepAV5vs7jSR7kClNOGYicjqQOWRXv7jfuFAR2QI5mMK0UA/0xsChb+4QECqVUSSzppAqY2YmP8vAEDm4lCBceMKQNTcHyWTrRBAqfCRFUXnDkC/7HsL8mEFQAcbMs9GGfY/pplhK4kO4T9Hc1kNEqrDP+fVcTFa7qA/AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAARgZFfcETJABwe1H1v0UUAY6kctG95qQIQEDhd5Rn5AwicnrXOwiUBKHmfAB2qQQIdif/APl49AK3j+EPzjhkBVlIa57/p4QDNHBLAWh2RAYGgXP6lnSUCA5SP/76wnQAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAB0uybkEwtSQC1PnYQoE3RAZ9JcvGTxkEBcVALZ3rGlQLqirsekErVAgw8+7N0Nv0AnrqjUhFvBQAEb1mM7cL1AzsfaW0OUs0DIfPU5F8GnQFYg42NsTqdAVk7tqI2DtEC8sIiPbKnBQN8CuWCfRMhAE+5zqMdcyUAbLxDkGSnEQP5hsufLYLhAsulrOsJrpkDDsWWQU16PQP+VqeqpsHBAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA8WzrfkTWKQPHAfom1NadAC577FZehv0CFAyy74ZXQQHTKXxVSxNpA7vpGv8Ke4EDSiOAefsPfQHOPsfMPW9dAGCrsTN5tykAYuSehTgO3QESnXg6N1p5Azj686E7Mf0AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAPHcTHb9Dm9AApyCmLo4j0DXZLt3WmKoQKxCE7F+l71AMdcd0ovmy0D3tgLTFHDUQBhrTpZSQ9dAgAdbdWuS1EBIjtyBm0TMQIRgGFyhLb5AvAd+CtkHqUCk+serPCGQQEruVZWhJnBABYv2U9/wPTppOBX15CY+OtJGkzOlqzc6fmLXgrX4LDryT2WOeqQbOtXLxWxijwQ69ZlbaJXX5zkAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAzh1cY4Yc3j9aWtjINjD+P3MbdukV7hdAdqdq4iX/LUC5UBwa9Lo9QGQ0tLBSTEdA9K3agBrfTEDffOlm6klMQAPXaell6kVAn+NUCjfZOkA+8ShTqwEqQBnQxYjy6hNA/1gGmGUf+D8AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAADDJKq+TJXpAgLHRdffolEBsmCUOMb6qQKBB7+mCWbtApPpbl59dxkA63F4jG0DNQNRfm/Pbls5ATEk25GWUyUDs+WLhvBrBQJaQ9PKISrJAvKrURSJIn0BuCXHRs2OFQAqvazjKY2dAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAMsKFadlFmBAj0TuUP3XfEC0oSEedhaVQBeNy2mdJalA0hC32750uEAvbTHUnWXDQOEJkETdF8lAZjqQVHB5ykCmjvwngsfGQCoW/wsg+L9Ab7jRRplLskAuGRgs1BOhQNXB4KwkAIpAxhuqW1wkcEAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA+V/QSagFNEAf7gilwIVRQOd7y934UWlAtx0KRcU0fkCAVIdN3b+NQEhDDNtnMJhAC74xasQ8oED1MaAQNv+hQNz/hBLad6BAdLrOYfXhmEAoGfVlawuPQAxA8v8tAIBA7lQThyNSa0D51Og/XoJTQCKhxNM3NzhAbpXZI+nfAEAOaEx9g977P0PQEKvwE/M/uaVnVhmn5T/rhVDrUl/UP+owOMCJx78/33Vr3UOMpD8AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAChxH0RXpDoP6l2lgyi8gNACGoOl95OG0BigvcLu4IvQGsoTJu8pT5AvLdzD+gfSUCUPdambFxRQEIGRJcnOVRASvpATjHbU0BSoganzG5QQCSk638J7UZAknJsd6H1OkAB7rzKyrgqQBiMY1sxUxZA+lWs5z5x/z9MJxdntKniPwAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAz71YlBW0aUA2IGgWhhmCQMP1Bi2/wZVARFCMeHBSpkCX801vGYyzQIMlLXNbOL1ARJP63wakwkALiO21mVTEQAl+GOr49cJAUdNp71hqvkD/AWg64FO1QMMLmr9ubqtAyNGS+58MokBs/3smocmbQG7yvGLFBJlAkPYcRpf8lUDtYDqljECTQGu1Lomt5YxAjP8c4HuWgkD44ZOn2X50QHDNhniPXmNABwTRidhgT0B6iASbvMg1QAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAABTMoWzD0pvQFuYuqx8F4dAppGs66aznUBHl8d7ZqWwQLQdNU5uQsBAh+l/qxWuy0C5q3kjLojUQP6PEUQli9pApYPCV0vn3UAvcY3Ch1vdQPVzBQe4HdlAQe9/k5G50kDmCkHwmVTIQIH3KLS4jLtALDvT+Ssvq0By7N//BGCXQGABWU/5g4FAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAiAlfPGa7R0A7gLuWddpgQJSdaz7uHXVA+9khD4pXh0Deh8lhBMOWQIrDut/FlKNALiyTtI64rUD8+aS0AOazQLIfKPqGgbdAXJJ/ZB9/uEBA4tPizYW2QBZQ5y5hRbJAsmalTXwpqkBpqrzIooqgQO/6Z0d0gZJA5TZKv/JmgkBsR0Ie+XZwQObn7/N0TltAB1sfNeazKEAD37dPffcjQOsuxcoalxxAsPTGq3ohEkBTOEC1YV4EQIgV8ZnNRPQ/CzhWT4Ld4T/qVVinV+XLPwAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAACAvUpzAFL1P+hGFuTrDwpAzIn2a7SrHECv8conW2IsQOPEEFTjSTlA/5WVpK1GREDvC0Hnt0JNQNRYe80bAFNAHND5nOg0VkB/bcM+WltXQE84yWi5G1ZA6uuFlBvVUkDn+W9Qm99MQPfeYxhP60NALULW38G7OEAXYGR+WKMrQAIPSdAbyxtAf/q1UBwnCUCpuUe9N3z0PwAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAADGnzf1wOhUQAWyDeQLL2lAWrewshide0BFMY2RdJCLQPpnLKSFDJlAa5xtthC5pEB6yPb2BDevQMuK6EMGZ7VA1lmPG/e3ukBu6Qejol2+QI+Ea+nsar9AElKdqbaXvUDxCLx6GWC5QFn3Rl4Xz7NApPifcMAnrEBoXSauPTeiQABBu5kzdZVAyMMqoeoCh0C0Q+7pN3d2QI5m9pCY92NA0iVcRO0nUEAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA==\",\"dtype\":\"float64\",\"order\":\"little\",\"shape\":[800]}},\"selected\":{\"id\":\"1050\"},\"selection_policy\":{\"id\":\"1049\"}},\"id\":\"1036\",\"type\":\"ColumnDataSource\"},{\"attributes\":{\"label\":{\"value\":\"Spin Up\"},\"renderers\":[{\"id\":\"1040\"}]},\"id\":\"1053\",\"type\":\"LegendItem\"},{\"attributes\":{},\"id\":\"1091\",\"type\":\"Selection\"},{\"attributes\":{\"data\":{\"x\":{\"__ndarray__\":\"AAAAAAAANED6jLhACiA0QPQZcYEUQDRA7qYpwh5gNEDoM+ICKYA0QOLAmkMzoDRA3E1ThD3ANEDV2gvFR+A0QM9nxAVSADVAyfR8RlwgNUDDgTWHZkA1QL0O7sdwYDVAt5umCHuANUCxKF9JhaA1QKu1F4qPwDVApULQypngNUCfz4gLpAA2QJhcQUyuIDZAkun5jLhANkCMdrLNwmA2QIYDaw7NgDZAgJAjT9egNkB6HdyP4cA2QHSqlNDr4DZAbjdNEfYAN0BoxAVSACE3QGJRvpIKQTdAXN520xRhN0BWay8UH4E3QFD451QpoTdASYWglTPBN0BDElnWPeE3QD2fERdIAThANyzKV1IhOEAxuYKYXEE4QCtGO9lmYThAJdPzGXGBOEAfYKxae6E4QBntZJuFwThAE3od3I/hOEAMB9YcmgE5QAaUjl2kITlAACFHnq5BOUD6rf/euGE5QPQ6uB/DgTlA7sdwYM2hOUDoVCmh18E5QOLh4eHh4TlA3G6aIuwBOkDW+1Jj9iE6QNCIC6QAQjpAyhXE5ApiOkDEonwlFYI6QL4vNWYfojpAt7ztpinCOkCxSabnM+I6QKvWXig+AjtApWMXaUgiO0Cf8M+pUkI7QJl9iOpcYjtAkwpBK2eCO0CNl/lrcaI7QIcksqx7wjtAgLFq7YXiO0B6PiMukAI8QHTL226aIjxAbliUr6RCPEBo5UzwrmI8QGJyBTG5gjxAXP+9ccOiPEBWjHayzcI8QFAZL/PX4jxASqbnM+ICPUBEM6B07CI9QD7AWLX2Qj1AOE0R9gBjPUAy2sk2C4M9QCxngncVoz1AJvQ6uB/DPUAfgfP4KeM9QBkOrDk0Az5AE5tkej4jPkANKB27SEM+QAe11ftSYz5AAUKOPF2DPkD6zkZ9Z6M+QPRb/71xwz5A7ui3/nvjPkDodXA/hgM/QOICKYCQIz9A3I/hwJpDP0DWHJoBpWM/QNCpUkKvgz9AyjYLg7mjP0DEw8PDw8M/QL5QfATO4z9A3G6aIuwBQEBZtfZC8RFAQNb7UmP2IUBAU0Kvg/sxQEDQiAukAEJAQE3PZ8QFUkBAyhXE5ApiQEBGXCAFEHJAQMSifCUVgkBAQOnYRRqSQEC+LzVmH6JAQDp2kYYkskBAt7ztpinCQEA0A0rHLtJAQLFJpucz4kBALpACCDnyQECr1l4oPgJBQCgdu0hDEkFApWMXaUgiQUAiqnOJTTJBQJ/wz6lSQkFAHDcsyldSQUCZfYjqXGJBQBbE5ApickFAkwpBK2eCQUAQUZ1LbJJBQI2X+WtxokFACt5VjHayQUCHJLKse8JBQARrDs2A0kFAgLFq7YXiQUD+98YNi/JBQHo+Iy6QAkJA+IR/TpUSQkB0y9tumiJCQPIROI+fMkJAbliUr6RCQkDsnvDPqVJCQGjlTPCuYkJA5SupELRyQkBicgUxuYJCQN+4YVG+kkJAXP+9ccOiQkDZRRqSyLJCQFaMdrLNwkJA09LS0tLSQkBQGS/z1+JCQM1fixPd8kJASqbnM+ICQ0DH7ENU5xJDQEQzoHTsIkNAwHn8lPEyQ0A+wFi19kJDQLoGtdX7UkNAOE0R9gBjQ0C0k20WBnNDQDLayTYLg0NAriAmVxCTQ0AsZ4J3FaNDQKit3pcas0NAJvQ6uB/DQ0CiOpfYJNNDQB+B8/gp40NAnMdPGS/zQ0AZDqw5NANEQJZUCFo5E0RAE5tkej4jRECQ4cCaQzNEQA0oHbtIQ0RAim55201TREAHtdX7UmNEQIT7MRxYc0RAAUKOPF2DREB+iOpcYpNEQPrORn1no0RAeBWjnWyzRED0W/+9ccNEQHKiW95200RA7ui3/nvjREBsLxQfgfNEQOh1cD+GA0VAZrzMX4sTRUDiAimAkCNFQGBJhaCVM0VA3I/hwJpDRUBZ1j3hn1NFQNYcmgGlY0VAU2P2IapzRUDQqVJCr4NFQE3wrmK0k0VAyjYLg7mjRUBHfWejvrNFQMTDw8PDw0VAQQog5MjTRUC+UHwEzuNFQDuX2CTT80VAuN00RdgDRkA0JJFl3RNGQLJq7YXiI0ZALrFJpuczRkCs96XG7ENGQCg+AufxU0ZApoReB/djRkAiy7on/HNGQKARF0gBhEZAHFhzaAaURkCans+IC6RGQBblK6kQtEZAkyuIyRXERkAQcuTpGtRGQI24QAog5EZACv+cKiX0RkCHRflKKgRHQASMVWsvFEdAgdKxizQkR0D+GA6sOTRHQHtfasw+REdA+KXG7ENUR0B17CINSWRHQPIyfy1OdEdAbnnbTVOER0DsvzduWJRHQGgGlI5dpEdA5kzwrmK0R0Bik0zPZ8RHQODZqO9s1EdAXCAFEHLkR0DaZmEwd/RHQFatvVB8BEhA1PMZcYEUSEBQOnaRhiRIQM2A0rGLNEhASscu0pBESEDHDYvylVRIQERU5xKbZEhAwZpDM6B0SEA+4Z9TpYRIQLsn/HOqlEhAOG5YlK+kSEC1tLS0tLRIQDL7ENW5xEhAr0Ft9b7USEAsiMkVxORIQKjOJTbJ9EhAJhWCVs4ESUCiW9520xRJQCCiOpfYJElAnOiWt900SUAaL/PX4kRJQJZ1T/jnVElAFLyrGO1kSUCQAgg58nRJQA5JZFn3hElAio/AefyUSUAI1hyaAaVJQIQceboGtUlAAWPV2gvFSUB+qTH7ENVJQPvvjRsW5UlAeDbqOxv1SUD1fEZcIAVKQHLDonwlFUpA7wn/nColSkBsUFu9LzVKQOmWt900RUpAZt0T/jlVSkDjI3AeP2VKQGBqzD5EdUpA3bAoX0mFSkBa94R/TpVKQNc94Z9TpUpAVIQ9wFi1SkDQypngXcVKQE0R9gBj1UpAyldSIWjlSkBHnq5BbfVKQMTkCmJyBUtAQStngncVS0C+ccOifCVLQDu4H8OBNUtAuP5744ZFS0A1RdgDjFVLQLKLNCSRZUtAL9KQRJZ1S0CsGO1km4VLQClfSYWglUtApqWlpaWlS0Aj7AHGqrVLQKAyXuavxUtAHXm6BrXVS0CavxYnuuVLQBcGc0e/9UtAlEzPZ8QFTEARkyuIyRVMQI7Zh6jOJUxACiDkyNM1TECHZkDp2EVMQAStnAneVUxAgfP4KeNlTED+OVVK6HVMQHuAsWrthUxA+MYNi/KVTEB1DWqr96VMQPJTxsv8tUxAb5oi7AHGTEDs4H4MB9ZMQGkn2ywM5kxA5m03TRH2TEBjtJNtFgZNQOD6740bFk1AXUFMriAmTUDah6jOJTZNQFfOBO8qRk1A1BRhDzBWTUBRW70vNWZNQM6hGVA6dk1AS+h1cD+GTUDILtKQRJZNQEV1LrFJpk1AwbuK0U62TUA+AufxU8ZNQLtIQxJZ1k1AOI+fMl7mTUC11ftSY/ZNQDIcWHNoBk5Ar2K0k20WTkAsqRC0ciZOQKnvbNR3Nk5AJjbJ9HxGTkCjfCUVglZOQCDDgTWHZk5AnQneVYx2TkAaUDp2kYZOQJeWlpaWlk5AFN3ytpumTkCRI0/XoLZOQA5qq/elxk5Ai7AHGKvWTkAI92M4sOZOQIU9wFi19k5AAoQceboGT0B/yniZvxZPQPsQ1bnEJk9AeFcx2sk2T0D1nY36zkZPQHLk6RrUVk9A7ypGO9lmT0BscaJb3nZPQOm3/nvjhk9AZv5anOiWT0DjRLe87aZPQGCLE93ytk9A3dFv/ffGT0BaGMwd/dZPQNdeKD4C509AVKWEXgf3T0DodXA/hgNQQCeZns+IC1BAZrzMX4sTUECk3/rvjRtQQOICKYCQI1BAISZXEJMrUEBgSYWglTNQQJ5sszCYO1BA3I/hwJpDUEAasw9RnUtQQFnWPeGfU1BAmPlrcaJbUEDWHJoBpWNQQBRAyJGna1BAU2P2IapzUECShiSyrHtQQNCpUkKvg1BADs2A0rGLUEBN8K5itJNQQIwT3fK2m1BAyjYLg7mjUEAIWjkTvKtQQEd9Z6O+s1BAhqCVM8G7UEDEw8PDw8NQQALn8VPGy1BAQQog5MjTUECALU50y9tQQL5QfATO41BA/HOqlNDrUEA7l9gk0/NQQHq6BrXV+1BAuN00RdgDUUD2AGPV2gtRQDQkkWXdE1FAc0e/9d8bUUCyau2F4iNRQPCNGxblK1FALrFJpuczUUBt1Hc26jtRQKz3pcbsQ1FA6hrUVu9LUUAoPgLn8VNRQGdhMHf0W1FApoReB/djUUDkp4yX+WtRQCLLuif8c1FAYe7ot/57UUCgERdIAYRRQN40RdgDjFFAHFhzaAaUUUBbe6H4CJxRQJqez4gLpFFA2MH9GA6sUUAW5SupELRRQFUIWjkTvFFAkyuIyRXEUUDSTrZZGMxRQBBy5Oka1FFATpUSeh3cUUCNuEAKIORRQMzbbpoi7FFACv+cKiX0UUBIIsu6J/xRQIdF+UoqBFJAxmgn2ywMUkAEjFVrLxRSQEKvg/sxHFJAgdKxizQkUkDA9d8bNyxSQP4YDqw5NFJAPDw8PDw8UkB7X2rMPkRSQLqCmFxBTFJA+KXG7ENUUkA2yfR8RlxSQHXsIg1JZFJAtA9RnUtsUkDyMn8tTnRSQDBWrb1QfFJAbnnbTVOEUkCtnAneVYxSQOy/N25YlFJAKuNl/lqcUkBoBpSOXaRSQKcpwh5grFJA5kzwrmK0UkAkcB4/ZbxSQGKTTM9nxFJAobZ6X2rMUkDg2ajvbNRSQB791n9v3FJAXCAFEHLkUkCbQzOgdOxSQNpmYTB39FJAGIqPwHn8UkBWrb1QfARTQJXQ6+B+DFNA1PMZcYEUU0ASF0gBhBxTQFA6dpGGJFNAj12kIYksU0DNgNKxizRTQAykAEKOPFNASscu0pBEU0CI6lxik0xTQMcNi/KVVFNABjG5gphcU0BEVOcSm2RTQIJ3FaOdbFNAwZpDM6B0U0AAvnHDonxTQD7hn1OlhFNAfATO46eMU0C7J/xzqpRTQPpKKgStnFNAOG5YlK+kU0B2kYYksqxTQLW0tLS0tFNA9NfiRLe8U0Ay+xDVucRTQHAeP2W8zFNAr0Ft9b7UU0DuZJuFwdxTQCyIyRXE5FNAaqv3pcbsU0CoziU2yfRTQOfxU8bL/FNAJhWCVs4EVEBkOLDm0AxUQKJb3nbTFFRA4X4MB9YcVEAgojqX2CRUQF7FaCfbLFRAnOiWt900VEDbC8VH4DxUQBov89fiRFRAWFIhaOVMVECWdU/451RUQNWYfYjqXFRAFLyrGO1kVEBS39mo72xUQJACCDnydFRAzyU2yfR8VEAOSWRZ94RUQExskun5jFRAio/AefyUVEDJsu4J/5xUQAjWHJoBpVRARvlKKgStVECEHHm6BrVUQMI/p0oJvVRAAWPV2gvFVEBAhgNrDs1UQH6pMfsQ1VRAvMxfixPdVED7740bFuVUQDoTvKsY7VRAeDbqOxv1VEC2WRjMHf1UQPV8RlwgBVVAM6B07CINVUByw6J8JRVVQLDm0AwoHVVA7wn/nColVUAtLS0tLS1VQGxQW70vNVVAqnOJTTI9VUDplrfdNEVVQCe65W03TVVAZt0T/jlVVUCkAEKOPF1VQOMjcB4/ZVVAIUeerkFtVUBgasw+RHVVQJ6N+s5GfVVA3bAoX0mFVUAb1FbvS41VQFr3hH9OlVVAmBqzD1GdVUDXPeGfU6VVQBVhDzBWrVVAVIQ9wFi1VUCSp2tQW71VQNDKmeBdxVVAD+7HcGDNVUBNEfYAY9VVQIw0JJFl3VVAyldSIWjlVUAJe4Cxau1VQEeerkFt9VVAhsHc0W/9VUDE5ApicgVWQAMIOfJ0DVZAQStngncVVkCATpUSeh1WQL5xw6J8JVZA/ZTxMn8tVkA7uB/DgTVWQHrbTVOEPVZAuP5744ZFVkD3IapziU1WQDVF2AOMVVZAdGgGlI5dVkCyizQkkWVWQPGuYrSTbVZAL9KQRJZ1VkBt9b7UmH1WQKwY7WSbhVZA6jsb9Z2NVkApX0mFoJVWQGeCdxWjnVZApqWlpaWlVkDkyNM1qK1WQCPsAcaqtVZAYQ8wVq29VkCgMl7mr8VWQN5VjHayzVZAHXm6BrXVVkBbnOiWt91WQJq/Fie65VZA2OJEt7ztVkAXBnNHv/VWQFUpodfB/VZAlEzPZ8QFV0DSb/33xg1XQBGTK4jJFVdAT7ZZGMwdV0CO2YeoziVXQMz8tTjRLVdACiDkyNM1V0BJQxJZ1j1XQIdmQOnYRVdAxoluedtNV0AErZwJ3lVXQEPQypngXVdAgfP4KeNlV0DAFie65W1XQP45VUrodVdAPV2D2up9V0B7gLFq7YVXQLqj3/rvjVdA+MYNi/KVV0A36jsb9Z1XQHUNaqv3pVdAtDCYO/qtV0DyU8bL/LVXQDF39Fv/vVdAb5oi7AHGV0CuvVB8BM5XQOzgfgwH1ldAKwStnAneV0BpJ9ssDOZXQKhKCb0O7ldA5m03TRH2V0AkkWXdE/5XQGO0k20WBlhAodfB/RgOWEDg+u+NGxZYQB4eHh4eHlhAXUFMriAmWECbZHo+Iy5YQNqHqM4lNlhAGKvWXig+WEBXzgTvKkZYQJXxMn8tTlhA1BRhDzBWWEASOI+fMl5YQFFbvS81ZlhAj37rvzduWEDOoRlQOnZYQAzFR+A8flhAS+h1cD+GWECJC6QAQo5YQMgu0pBEllhABlIAIUeeWEBFdS6xSaZYQIOYXEFMrlhAwbuK0U62WEAA37hhUb5YQD4C5/FTxlhAfSUVglbOWEC7SEMSWdZYQPprcaJb3lhAOI+fMl7mWEB3ss3CYO5YQLXV+1Jj9lhA9Pgp42X+WEAyHFhzaAZZQHE/hgNrDllAr2K0k20WWUDuheIjcB5ZQCypELRyJllAa8w+RHUuWUCp72zUdzZZQOgSm2R6PllAJjbJ9HxGWUBlWfeEf05ZQKN8JRWCVllA4p9TpYReWUAgw4E1h2ZZQF7mr8WJbllAnQneVYx2WUDbLAzmjn5ZQBpQOnaRhllAWHNoBpSOWUCXlpaWlpZZQNW5xCaZnllAFN3ytpumWUBSACFHnq5ZQJEjT9egtllAz0Z9Z6O+WUAOaqv3pcZZQEyN2YeozllAi7AHGKvWWUDJ0zWord5ZQAj3Yziw5llARhqSyLLuWUCFPcBYtfZZQMNg7ui3/llAAoQceboGWkBAp0oJvQ5aQH/KeJm/FlpAve2mKcIeWkD7ENW5xCZaQDo0A0rHLlpAeFcx2sk2WkC3el9qzD5aQPWdjfrORlpANMG7itFOWkBy5Oka1FZaQLEHGKvWXlpA7ypGO9lmWkAuTnTL225aQGxxolvedlpAq5TQ6+B+WkDpt/5744ZaQCjbLAzmjlpAZv5anOiWWkClIYks655aQONEt7ztplpAImjlTPCuWkBgixPd8rZaQJ+uQW31vlpA3dFv/ffGWkAc9Z2N+s5aQFoYzB391lpAmDv6rf/eWkDXXig+AudaQBWCVs4E71pAVKWEXgf3WkCSyLLuCf9aQNHr4H4MB1tADw8PDw8PW0BOMj2fERdbQIxVay8UH1tAy3iZvxYnW0AJnMdPGS9bQEi/9d8bN1tAhuIjcB4/W0DFBVIAIUdbQAMpgJAjT1tAQkyuICZXW0CAb9ywKF9bQL+SCkErZ1tA/bU40S1vW0A82WZhMHdbQHr8lPEyf1tAuR/DgTWHW0D3QvEROI9bQDVmH6I6l1tAdIlNMj2fW0CyrHvCP6dbQPHPqVJCr1tAL/PX4kS3W0BuFgZzR79bQKw5NANKx1tA61xik0zPW0ApgJAjT9dbQGijvrNR31tApsbsQ1TnW0Dl6RrUVu9bQCMNSWRZ91tAYjB39Fv/W0CgU6WEXgdcQN920xRhD1xAHZoBpWMXXEBcvS81Zh9cQJrgXcVoJ1xA2QOMVWsvXEAXJ7rlbTdcQFZK6HVwP1xAlG0WBnNHXEDSkESWdU9cQBG0ciZ4V1xAT9egtnpfXECO+s5GfWdcQMwd/dZ/b1xAC0ErZ4J3XEBJZFn3hH9cQIiHh4eHh1xAxqq1F4qPXEAFzuOnjJdcQEPxETiPn1xAghRAyJGnXEDAN25YlK9cQP9anOiWt1xAPX7KeJm/XEB8ofgInMdcQLrEJpmez1xA+edUKaHXXEA3C4O5o99cQHYusUmm51xAtFHf2ajvXEDzdA1qq/dcQDGYO/qt/1xAcLtpirAHXUCu3pcasw9dQOwBxqq1F11AKyX0OrgfXUBpSCLLuiddQKhrUFu9L11A5o5+6783XUAlsqx7wj9dQGPV2gvFR11AovgInMdPXUDgGzcsylddQB8/ZbzMX11AXWKTTM9nXUCchcHc0W9dQNqo72zUd11AGcwd/dZ/XUBX70uN2YddQJYSeh3cj11A1DWord6XXUATWdY94Z9dQFF8BM7jp11AkJ8yXuavXUDOwmDu6LddQA3mjn7rv11ASwm9Du7HXUCJLOue8M9dQMhPGS/z111ABnNHv/XfXUBFlnVP+OddQIO5o9/6711AwtzRb/33XUAAAAAAAABeQA==\",\"dtype\":\"float64\",\"order\":\"little\",\"shape\":[800]},\"y\":{\"__ndarray__\":\"3sxEIvZyQjOVlJUutxxjM3fXs+I4R34zu3TfCsZWkjMtDCjriPygMy+Ta4GhD6gz33ITL3APqjMikwAUD5WlM2YEoSJmVZszfrQobTt4ijNtH4oTjJlzM6QORfiqMVYzAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAOCxfw1hmEwEwe07FoSKbAFKtJRLiWwsDq8D3o0FbXwOa9b9pBDebAWOCHutFb78Cq3DFYbMfwwB6CegtKBuvA6hYFSZ9g4MDIVO+BKODNwMJ5xZGMgbTAZmCqfAQvlcAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAABIwlqZqEV7QAWcnM6AMZ5AcfvzSbL0uEDerj0yb8zOQLsXxuhXYNxAxEF588WE40DPx0y/7AvkQDSmDL7hvd5AonphKfyY0UAPTkwi+RS+QFxyYFn/MaNAdhJc3ONJgkAAAAAAAAAAAESef630mnbA/HrkMuGMl8A6xQQ2NEeywDCoKYMbI8XAsLdkVsA10sBYpir5/F/XwMgEj7BvWtbAqJ/jP5vZz8C8TgjQf+fAwIij8WdbvKrAzFLpNXyAj8AEOJ1486ZrwAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAm/iJsTXWjQGOEUCrlHMRAhAG8zGjI3kAqLWFzpXDxQNLcb2mjQv1AIp0bWycsAkELBjMKHrYAQdZJsGhAwfZA2FtB7FLw5kCUOAgRqx7RQHu43oYt67JAWk+ST7/0jkAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA+MVDaiEfYUAI70qmYm2BQCBJ3cIGMppAwFCs8uASrUAQkQYIidO3QHCAZGPO1bxAQPgfo2zEuUDYiFQqdQCxQIhJUJgFkaBAwJF7CJ/Wh0Awq/YT/VNpQNX3v2ixXGG6FWiE2G58e7oD0gIuXw6Quny3VYvlr5u6rQ63MPKdobowdVC8e4ugupigrosA75a6oEdFjcZ1h7rPUdmr6rVxuq5UG6vou1O6yVGsSy06MLoAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAB4d/XrqNKEwI1UBqsn7qTAyO+3LzQJv8DwOk9JAfnQwO5UhmaxYtvAROv2htVL4MA2a0wvgpzcwGb8/0OyhtLAt6TbNE6ywcCfeSNB4u+owCfWFO9o64nAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAABm2eRSJ5FlQB5NusDn6IhASvELp2E/pUDa7DrO9sS6QCGGQ2NF6MhA/Vn8XWod0UDxlCnh1l7RQKQMweowCspA6BiXgB7UvEBDSU2KCpKnQLOIKb3kdoxAbm9g8tZiaUAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAASFmsVgeOk0Dj9yAp8u2yQCg2jp28MstA4JWkhYEA3UA4lwPDc/PmQC2Y+OBN9epAuFPlrv1/50CAC4zA72feQL1XSoVrMs1Ar3CDk3/OtEC4HXerEQKWQAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAACtUBcM6++CQPIzAi5HA6JAhAEpZ/GLuUA6pE9+2wLLQBxlEfmoStVA8jfRMTcG2UAuTDJsM+3VQOBZPeFppcxAeu+3BaLmu0Am6T+BaUKkQIZxoFMp74VAAAAAAACgYD0AAAAAAJxrPQAAAAAAIHE9AAAAAAC4bz0AAAAAAPRlPQAAAAAAsFY9AAAAAACEQT0AAAAAADAkPQAAAAAAZAE9AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAh9FYpo023ArdZuQrWijcBYZbQneSymwENKUyFv/LjAAPRl6YQzxcAErmZX1hfLwBk2h0g4EsrAAamyvzjkwsAwhEMZt520wPbCTOEA8aDAUbbr/XH3hMBXqYY3EYpjwAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAjC2FmlgRHQBpXtsMOnGlAzMi4uj2dhUCCzbLXG62bQNpvS2j74apAJxTCNdnOs0B+97U+oCS2QNC9v5YCx7JA1AkSgn88p0CbI9VvIwKQQPwspKyc0I3AVDldWbjXqsCiEynNTVq5wBmCJOP4asHAg8aNhww0wsAyGnUxiPC8wA7h14Qxf7HA3jTCq5UXoMBp2ErBloOGwOQ1AjA49WfAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAD4A61sU/mJQF3kIxNcAKdANRp+K+JYv0DwtDRBwm/QQDzHOIPLhtpAiDKd3I544EDhH/pGe3rfQFztaaFgJddAvKhTch4xykCC5RgFac62QE2SQ9eqj55A9TRwzTeDf0AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAMZiS9UnQmBAE6OVPwFYgEAPgTACc4eZQDJZAXov+65AXLSbmeg1vUBA+c/7vWXFQMZyCQvxWshAPlHPXLGJxUDAShPlYpi9QPkvXsJemK9Ahupyz7Y0mkD2buq8HeOAQMhW6nzD6GBAo+4Xs/bakLob4N8hYPmQutGdNZ2Xpoq68PZlZEJPgLr4aeuHcx9vuoRpkMQTJle6lq0IChDYOroAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAIoGITnRlXsB+QsZjVHl+wOegXDALKJjApUQOp8xHrsCB1Uq09QK+wOs6US7AhMfAuL7xoQclzcBt7l4zbo7MwDdjxDN6H8bA6G0t2j0au8AnIKgWqECqwCGFhBkwG5TAn5pFTdJZeMAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAACd4JwgHDWtAbs/Uww+ihUDeVRFY66qbQAAxqxacS6xAciuNpJojt0B0omWiB0O+QLBDKn2ipb9ARSuvHtR2ukDyiAdXJbKxQKT5rpxy7KJAJNUvBYUukEAy3YuTCiF2QHy6WvbVMlhAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAOenyyZSMlBATX9gDw4KbUA3jUd8EDuFQEKDTn1DUZlAzHgS7zGfqEBdkRfjSIezQGBF/XlrQ7lAfbRQQWSnukCQTDUvDO+2QOpu8c/OF7BAYzW10lprokAs8Y6QeDGRQCpPyQ9GLXpAsj8qGGFAYEAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAljSI5bPSLsDuauiZmflKwM93uYxXfWPAORwQLh1Ad8DkohbZIOaGwOZvRod0npLAiqranCT/mMBW+KxslLSbwNZUP5D4WZnAkAVbK7kmk8CwhF8STuOHwBIigPJOmXjA1tcs4Z/pZMDK4vYD91pNwECFVCFwAjHAAAAAAABYUT0AAAAAAKhMPQAAAAAAoEM9AAAAAABINj0AAAAAAPAkPQAAAAAAWBA9AAAAAAAg9TwAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA7XwPqT/9MwMf492NLjGfAo7+UUE0egMCotirtUZmSwPmDl1bhFqLAZcDH8MGorcB6louBkX60wPsnFEuL37fA/Y0UnZ9wt8AMNkRaDmazwH0OV7tMEKvAHu1IWELTn8DqpwC0cIuPwJjVrWmwWnrA5wPd6/+OYsAvvQIKAAhGwAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA8EYJ2m8uU0CcAQdwmgNrQGUG3Qt3PIBA+Fl/Y3GokEDUruJdsSydQJbzlLVFzqVACGyVOFLSq0BCilDEHheuQCSbJvq2iatADFPjXVC8pEAA/ENq8ymXQGBOwzCbPnBAcG9782RQisCy8JnSWKmawF9B42DUZqHABh0Nj9NxosDosB+3jyagwCzgoPbpPZjAJv4+askvj8DKuNGClTGBwLD17da8P3DAqlpAqsFSWsACIp9vU0ZCwAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAACj9rcx9IFtQJKyck7gxoVAAwJIr68CnECR6Xg0f2WvQHk8mDnUqr5AnmJ5EZcaykCu6Qc/4lzTQDgju7Y3CNlALpHhT2Mz3ECrGWsVla/bQEAtx1aZr9dAHE+sOJ2o0UBczCX27vHGQGV/snAg+7lANSl9ZeeiqUDeVCtRRwuWQONmdPOlhIBAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAO1w0UNMoP0C8JOz3wiBWQGgysgnVuWtATaT0R7alfkBEwkzotOKNQMoaAZygtZlAJpUcuOiCo0DGhs2gRyCqQJZOcCOr3K5Aw6Li76oUsEDapqvSNJGtQLqp/yLb+qdADr9fLEAooUBT4ap3t6iVQCSVFNv1HohARqlHza+yd0B++nT6IYpkQJDbzLzjaE9AAAAAAADwYT0AAAAAAABdPQAAAAAAwFQ9AAAAAABgSj0AAAAAAKA9PQAAAAAAgC09AAAAAADgGT0AAAAAAFAEPQAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAplNsFCmA8wKAe2RrSV1HA8vi3OTIUY8CHjorrYuNywB40FiYK1IDAUXeiVEL8isB2onwfsHiTwE7GjOCgSZnAi+geZQeOncAe/dpF5xWfwMDBXdSCbJ3AYTmbEGYQmcAjEyb4uzaTwDaPreqngorAKh7sf3V1gMACW+RfR2RywGB9SzC9fmLAKtO4puW8UMA59Vm8g0M7wAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAACCPR/qR5A1QFSnZHbS+ElAdOYPN1d6XEDog6LNTW1sQEwBUJk31XlAaipKlRlfhUAG4BkGjxiQQIJzXeuAEpZAzFu3ywmOm0AEXKEC7lCfQNDFtO9SM6BAcHfWQtCEnkBc9hkSaSuaQISG2pvNbZRAKCd74VUJjUBidsYrMMmCQMx45NcfIXZAuAmJakm7Z0AQIMlrNytXQB6g5VWTl0RAMr5G2V6pMEAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA==\",\"dtype\":\"float64\",\"order\":\"little\",\"shape\":[800]}},\"selected\":{\"id\":\"1091\"},\"selection_policy\":{\"id\":\"1090\"}},\"id\":\"1073\",\"type\":\"ColumnDataSource\"},{\"attributes\":{\"background_fill_alpha\":0.25,\"background_fill_color\":\"#20262B\",\"border_line_alpha\":0,\"coordinates\":null,\"glyph_width\":15,\"group\":null,\"items\":[{\"id\":\"1053\"},{\"id\":\"1072\"},{\"id\":\"1093\"}],\"label_standoff\":8,\"label_text_color\":\"#E0E0E0\",\"label_text_font\":\"Helvetica\",\"label_text_font_size\":\"1.025em\",\"spacing\":8},\"id\":\"1052\",\"type\":\"Legend\"},{\"attributes\":{\"axis\":{\"id\":\"1014\"},\"coordinates\":null,\"grid_line_alpha\":0.25,\"grid_line_color\":\"#E0E0E0\",\"group\":null,\"ticker\":null},\"id\":\"1017\",\"type\":\"Grid\"},{\"attributes\":{\"line_alpha\":0.2,\"line_color\":\"#3288bd\",\"line_width\":2,\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"1039\",\"type\":\"Line\"},{\"attributes\":{\"line_alpha\":0.2,\"line_color\":\"#e6f598\",\"line_width\":2,\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"1076\",\"type\":\"Line\"},{\"attributes\":{},\"id\":\"1044\",\"type\":\"BasicTickFormatter\"},{\"attributes\":{},\"id\":\"1070\",\"type\":\"Selection\"},{\"attributes\":{},\"id\":\"1008\",\"type\":\"DataRange1d\"},{\"attributes\":{\"tools\":[{\"id\":\"1022\"},{\"id\":\"1023\"},{\"id\":\"1024\"},{\"id\":\"1025\"},{\"id\":\"1026\"},{\"id\":\"1027\"}]},\"id\":\"1029\",\"type\":\"Toolbar\"},{\"attributes\":{\"line_color\":\"#99d594\",\"line_width\":2,\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"1055\",\"type\":\"Line\"},{\"attributes\":{},\"id\":\"1090\",\"type\":\"UnionRenderers\"},{\"attributes\":{\"line_alpha\":0.2,\"line_color\":\"#99d594\",\"line_width\":2,\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"1057\",\"type\":\"Line\"},{\"attributes\":{},\"id\":\"1025\",\"type\":\"SaveTool\"},{\"attributes\":{\"data\":{\"x\":{\"__ndarray__\":\"AAAAAAAANED6jLhACiA0QPQZcYEUQDRA7qYpwh5gNEDoM+ICKYA0QOLAmkMzoDRA3E1ThD3ANEDV2gvFR+A0QM9nxAVSADVAyfR8RlwgNUDDgTWHZkA1QL0O7sdwYDVAt5umCHuANUCxKF9JhaA1QKu1F4qPwDVApULQypngNUCfz4gLpAA2QJhcQUyuIDZAkun5jLhANkCMdrLNwmA2QIYDaw7NgDZAgJAjT9egNkB6HdyP4cA2QHSqlNDr4DZAbjdNEfYAN0BoxAVSACE3QGJRvpIKQTdAXN520xRhN0BWay8UH4E3QFD451QpoTdASYWglTPBN0BDElnWPeE3QD2fERdIAThANyzKV1IhOEAxuYKYXEE4QCtGO9lmYThAJdPzGXGBOEAfYKxae6E4QBntZJuFwThAE3od3I/hOEAMB9YcmgE5QAaUjl2kITlAACFHnq5BOUD6rf/euGE5QPQ6uB/DgTlA7sdwYM2hOUDoVCmh18E5QOLh4eHh4TlA3G6aIuwBOkDW+1Jj9iE6QNCIC6QAQjpAyhXE5ApiOkDEonwlFYI6QL4vNWYfojpAt7ztpinCOkCxSabnM+I6QKvWXig+AjtApWMXaUgiO0Cf8M+pUkI7QJl9iOpcYjtAkwpBK2eCO0CNl/lrcaI7QIcksqx7wjtAgLFq7YXiO0B6PiMukAI8QHTL226aIjxAbliUr6RCPEBo5UzwrmI8QGJyBTG5gjxAXP+9ccOiPEBWjHayzcI8QFAZL/PX4jxASqbnM+ICPUBEM6B07CI9QD7AWLX2Qj1AOE0R9gBjPUAy2sk2C4M9QCxngncVoz1AJvQ6uB/DPUAfgfP4KeM9QBkOrDk0Az5AE5tkej4jPkANKB27SEM+QAe11ftSYz5AAUKOPF2DPkD6zkZ9Z6M+QPRb/71xwz5A7ui3/nvjPkDodXA/hgM/QOICKYCQIz9A3I/hwJpDP0DWHJoBpWM/QNCpUkKvgz9AyjYLg7mjP0DEw8PDw8M/QL5QfATO4z9A3G6aIuwBQEBZtfZC8RFAQNb7UmP2IUBAU0Kvg/sxQEDQiAukAEJAQE3PZ8QFUkBAyhXE5ApiQEBGXCAFEHJAQMSifCUVgkBAQOnYRRqSQEC+LzVmH6JAQDp2kYYkskBAt7ztpinCQEA0A0rHLtJAQLFJpucz4kBALpACCDnyQECr1l4oPgJBQCgdu0hDEkFApWMXaUgiQUAiqnOJTTJBQJ/wz6lSQkFAHDcsyldSQUCZfYjqXGJBQBbE5ApickFAkwpBK2eCQUAQUZ1LbJJBQI2X+WtxokFACt5VjHayQUCHJLKse8JBQARrDs2A0kFAgLFq7YXiQUD+98YNi/JBQHo+Iy6QAkJA+IR/TpUSQkB0y9tumiJCQPIROI+fMkJAbliUr6RCQkDsnvDPqVJCQGjlTPCuYkJA5SupELRyQkBicgUxuYJCQN+4YVG+kkJAXP+9ccOiQkDZRRqSyLJCQFaMdrLNwkJA09LS0tLSQkBQGS/z1+JCQM1fixPd8kJASqbnM+ICQ0DH7ENU5xJDQEQzoHTsIkNAwHn8lPEyQ0A+wFi19kJDQLoGtdX7UkNAOE0R9gBjQ0C0k20WBnNDQDLayTYLg0NAriAmVxCTQ0AsZ4J3FaNDQKit3pcas0NAJvQ6uB/DQ0CiOpfYJNNDQB+B8/gp40NAnMdPGS/zQ0AZDqw5NANEQJZUCFo5E0RAE5tkej4jRECQ4cCaQzNEQA0oHbtIQ0RAim55201TREAHtdX7UmNEQIT7MRxYc0RAAUKOPF2DREB+iOpcYpNEQPrORn1no0RAeBWjnWyzRED0W/+9ccNEQHKiW95200RA7ui3/nvjREBsLxQfgfNEQOh1cD+GA0VAZrzMX4sTRUDiAimAkCNFQGBJhaCVM0VA3I/hwJpDRUBZ1j3hn1NFQNYcmgGlY0VAU2P2IapzRUDQqVJCr4NFQE3wrmK0k0VAyjYLg7mjRUBHfWejvrNFQMTDw8PDw0VAQQog5MjTRUC+UHwEzuNFQDuX2CTT80VAuN00RdgDRkA0JJFl3RNGQLJq7YXiI0ZALrFJpuczRkCs96XG7ENGQCg+AufxU0ZApoReB/djRkAiy7on/HNGQKARF0gBhEZAHFhzaAaURkCans+IC6RGQBblK6kQtEZAkyuIyRXERkAQcuTpGtRGQI24QAog5EZACv+cKiX0RkCHRflKKgRHQASMVWsvFEdAgdKxizQkR0D+GA6sOTRHQHtfasw+REdA+KXG7ENUR0B17CINSWRHQPIyfy1OdEdAbnnbTVOER0DsvzduWJRHQGgGlI5dpEdA5kzwrmK0R0Bik0zPZ8RHQODZqO9s1EdAXCAFEHLkR0DaZmEwd/RHQFatvVB8BEhA1PMZcYEUSEBQOnaRhiRIQM2A0rGLNEhASscu0pBESEDHDYvylVRIQERU5xKbZEhAwZpDM6B0SEA+4Z9TpYRIQLsn/HOqlEhAOG5YlK+kSEC1tLS0tLRIQDL7ENW5xEhAr0Ft9b7USEAsiMkVxORIQKjOJTbJ9EhAJhWCVs4ESUCiW9520xRJQCCiOpfYJElAnOiWt900SUAaL/PX4kRJQJZ1T/jnVElAFLyrGO1kSUCQAgg58nRJQA5JZFn3hElAio/AefyUSUAI1hyaAaVJQIQceboGtUlAAWPV2gvFSUB+qTH7ENVJQPvvjRsW5UlAeDbqOxv1SUD1fEZcIAVKQHLDonwlFUpA7wn/nColSkBsUFu9LzVKQOmWt900RUpAZt0T/jlVSkDjI3AeP2VKQGBqzD5EdUpA3bAoX0mFSkBa94R/TpVKQNc94Z9TpUpAVIQ9wFi1SkDQypngXcVKQE0R9gBj1UpAyldSIWjlSkBHnq5BbfVKQMTkCmJyBUtAQStngncVS0C+ccOifCVLQDu4H8OBNUtAuP5744ZFS0A1RdgDjFVLQLKLNCSRZUtAL9KQRJZ1S0CsGO1km4VLQClfSYWglUtApqWlpaWlS0Aj7AHGqrVLQKAyXuavxUtAHXm6BrXVS0CavxYnuuVLQBcGc0e/9UtAlEzPZ8QFTEARkyuIyRVMQI7Zh6jOJUxACiDkyNM1TECHZkDp2EVMQAStnAneVUxAgfP4KeNlTED+OVVK6HVMQHuAsWrthUxA+MYNi/KVTEB1DWqr96VMQPJTxsv8tUxAb5oi7AHGTEDs4H4MB9ZMQGkn2ywM5kxA5m03TRH2TEBjtJNtFgZNQOD6740bFk1AXUFMriAmTUDah6jOJTZNQFfOBO8qRk1A1BRhDzBWTUBRW70vNWZNQM6hGVA6dk1AS+h1cD+GTUDILtKQRJZNQEV1LrFJpk1AwbuK0U62TUA+AufxU8ZNQLtIQxJZ1k1AOI+fMl7mTUC11ftSY/ZNQDIcWHNoBk5Ar2K0k20WTkAsqRC0ciZOQKnvbNR3Nk5AJjbJ9HxGTkCjfCUVglZOQCDDgTWHZk5AnQneVYx2TkAaUDp2kYZOQJeWlpaWlk5AFN3ytpumTkCRI0/XoLZOQA5qq/elxk5Ai7AHGKvWTkAI92M4sOZOQIU9wFi19k5AAoQceboGT0B/yniZvxZPQPsQ1bnEJk9AeFcx2sk2T0D1nY36zkZPQHLk6RrUVk9A7ypGO9lmT0BscaJb3nZPQOm3/nvjhk9AZv5anOiWT0DjRLe87aZPQGCLE93ytk9A3dFv/ffGT0BaGMwd/dZPQNdeKD4C509AVKWEXgf3T0DodXA/hgNQQCeZns+IC1BAZrzMX4sTUECk3/rvjRtQQOICKYCQI1BAISZXEJMrUEBgSYWglTNQQJ5sszCYO1BA3I/hwJpDUEAasw9RnUtQQFnWPeGfU1BAmPlrcaJbUEDWHJoBpWNQQBRAyJGna1BAU2P2IapzUECShiSyrHtQQNCpUkKvg1BADs2A0rGLUEBN8K5itJNQQIwT3fK2m1BAyjYLg7mjUEAIWjkTvKtQQEd9Z6O+s1BAhqCVM8G7UEDEw8PDw8NQQALn8VPGy1BAQQog5MjTUECALU50y9tQQL5QfATO41BA/HOqlNDrUEA7l9gk0/NQQHq6BrXV+1BAuN00RdgDUUD2AGPV2gtRQDQkkWXdE1FAc0e/9d8bUUCyau2F4iNRQPCNGxblK1FALrFJpuczUUBt1Hc26jtRQKz3pcbsQ1FA6hrUVu9LUUAoPgLn8VNRQGdhMHf0W1FApoReB/djUUDkp4yX+WtRQCLLuif8c1FAYe7ot/57UUCgERdIAYRRQN40RdgDjFFAHFhzaAaUUUBbe6H4CJxRQJqez4gLpFFA2MH9GA6sUUAW5SupELRRQFUIWjkTvFFAkyuIyRXEUUDSTrZZGMxRQBBy5Oka1FFATpUSeh3cUUCNuEAKIORRQMzbbpoi7FFACv+cKiX0UUBIIsu6J/xRQIdF+UoqBFJAxmgn2ywMUkAEjFVrLxRSQEKvg/sxHFJAgdKxizQkUkDA9d8bNyxSQP4YDqw5NFJAPDw8PDw8UkB7X2rMPkRSQLqCmFxBTFJA+KXG7ENUUkA2yfR8RlxSQHXsIg1JZFJAtA9RnUtsUkDyMn8tTnRSQDBWrb1QfFJAbnnbTVOEUkCtnAneVYxSQOy/N25YlFJAKuNl/lqcUkBoBpSOXaRSQKcpwh5grFJA5kzwrmK0UkAkcB4/ZbxSQGKTTM9nxFJAobZ6X2rMUkDg2ajvbNRSQB791n9v3FJAXCAFEHLkUkCbQzOgdOxSQNpmYTB39FJAGIqPwHn8UkBWrb1QfARTQJXQ6+B+DFNA1PMZcYEUU0ASF0gBhBxTQFA6dpGGJFNAj12kIYksU0DNgNKxizRTQAykAEKOPFNASscu0pBEU0CI6lxik0xTQMcNi/KVVFNABjG5gphcU0BEVOcSm2RTQIJ3FaOdbFNAwZpDM6B0U0AAvnHDonxTQD7hn1OlhFNAfATO46eMU0C7J/xzqpRTQPpKKgStnFNAOG5YlK+kU0B2kYYksqxTQLW0tLS0tFNA9NfiRLe8U0Ay+xDVucRTQHAeP2W8zFNAr0Ft9b7UU0DuZJuFwdxTQCyIyRXE5FNAaqv3pcbsU0CoziU2yfRTQOfxU8bL/FNAJhWCVs4EVEBkOLDm0AxUQKJb3nbTFFRA4X4MB9YcVEAgojqX2CRUQF7FaCfbLFRAnOiWt900VEDbC8VH4DxUQBov89fiRFRAWFIhaOVMVECWdU/451RUQNWYfYjqXFRAFLyrGO1kVEBS39mo72xUQJACCDnydFRAzyU2yfR8VEAOSWRZ94RUQExskun5jFRAio/AefyUVEDJsu4J/5xUQAjWHJoBpVRARvlKKgStVECEHHm6BrVUQMI/p0oJvVRAAWPV2gvFVEBAhgNrDs1UQH6pMfsQ1VRAvMxfixPdVED7740bFuVUQDoTvKsY7VRAeDbqOxv1VEC2WRjMHf1UQPV8RlwgBVVAM6B07CINVUByw6J8JRVVQLDm0AwoHVVA7wn/nColVUAtLS0tLS1VQGxQW70vNVVAqnOJTTI9VUDplrfdNEVVQCe65W03TVVAZt0T/jlVVUCkAEKOPF1VQOMjcB4/ZVVAIUeerkFtVUBgasw+RHVVQJ6N+s5GfVVA3bAoX0mFVUAb1FbvS41VQFr3hH9OlVVAmBqzD1GdVUDXPeGfU6VVQBVhDzBWrVVAVIQ9wFi1VUCSp2tQW71VQNDKmeBdxVVAD+7HcGDNVUBNEfYAY9VVQIw0JJFl3VVAyldSIWjlVUAJe4Cxau1VQEeerkFt9VVAhsHc0W/9VUDE5ApicgVWQAMIOfJ0DVZAQStngncVVkCATpUSeh1WQL5xw6J8JVZA/ZTxMn8tVkA7uB/DgTVWQHrbTVOEPVZAuP5744ZFVkD3IapziU1WQDVF2AOMVVZAdGgGlI5dVkCyizQkkWVWQPGuYrSTbVZAL9KQRJZ1VkBt9b7UmH1WQKwY7WSbhVZA6jsb9Z2NVkApX0mFoJVWQGeCdxWjnVZApqWlpaWlVkDkyNM1qK1WQCPsAcaqtVZAYQ8wVq29VkCgMl7mr8VWQN5VjHayzVZAHXm6BrXVVkBbnOiWt91WQJq/Fie65VZA2OJEt7ztVkAXBnNHv/VWQFUpodfB/VZAlEzPZ8QFV0DSb/33xg1XQBGTK4jJFVdAT7ZZGMwdV0CO2YeoziVXQMz8tTjRLVdACiDkyNM1V0BJQxJZ1j1XQIdmQOnYRVdAxoluedtNV0AErZwJ3lVXQEPQypngXVdAgfP4KeNlV0DAFie65W1XQP45VUrodVdAPV2D2up9V0B7gLFq7YVXQLqj3/rvjVdA+MYNi/KVV0A36jsb9Z1XQHUNaqv3pVdAtDCYO/qtV0DyU8bL/LVXQDF39Fv/vVdAb5oi7AHGV0CuvVB8BM5XQOzgfgwH1ldAKwStnAneV0BpJ9ssDOZXQKhKCb0O7ldA5m03TRH2V0AkkWXdE/5XQGO0k20WBlhAodfB/RgOWEDg+u+NGxZYQB4eHh4eHlhAXUFMriAmWECbZHo+Iy5YQNqHqM4lNlhAGKvWXig+WEBXzgTvKkZYQJXxMn8tTlhA1BRhDzBWWEASOI+fMl5YQFFbvS81ZlhAj37rvzduWEDOoRlQOnZYQAzFR+A8flhAS+h1cD+GWECJC6QAQo5YQMgu0pBEllhABlIAIUeeWEBFdS6xSaZYQIOYXEFMrlhAwbuK0U62WEAA37hhUb5YQD4C5/FTxlhAfSUVglbOWEC7SEMSWdZYQPprcaJb3lhAOI+fMl7mWEB3ss3CYO5YQLXV+1Jj9lhA9Pgp42X+WEAyHFhzaAZZQHE/hgNrDllAr2K0k20WWUDuheIjcB5ZQCypELRyJllAa8w+RHUuWUCp72zUdzZZQOgSm2R6PllAJjbJ9HxGWUBlWfeEf05ZQKN8JRWCVllA4p9TpYReWUAgw4E1h2ZZQF7mr8WJbllAnQneVYx2WUDbLAzmjn5ZQBpQOnaRhllAWHNoBpSOWUCXlpaWlpZZQNW5xCaZnllAFN3ytpumWUBSACFHnq5ZQJEjT9egtllAz0Z9Z6O+WUAOaqv3pcZZQEyN2YeozllAi7AHGKvWWUDJ0zWord5ZQAj3Yziw5llARhqSyLLuWUCFPcBYtfZZQMNg7ui3/llAAoQceboGWkBAp0oJvQ5aQH/KeJm/FlpAve2mKcIeWkD7ENW5xCZaQDo0A0rHLlpAeFcx2sk2WkC3el9qzD5aQPWdjfrORlpANMG7itFOWkBy5Oka1FZaQLEHGKvWXlpA7ypGO9lmWkAuTnTL225aQGxxolvedlpAq5TQ6+B+WkDpt/5744ZaQCjbLAzmjlpAZv5anOiWWkClIYks655aQONEt7ztplpAImjlTPCuWkBgixPd8rZaQJ+uQW31vlpA3dFv/ffGWkAc9Z2N+s5aQFoYzB391lpAmDv6rf/eWkDXXig+AudaQBWCVs4E71pAVKWEXgf3WkCSyLLuCf9aQNHr4H4MB1tADw8PDw8PW0BOMj2fERdbQIxVay8UH1tAy3iZvxYnW0AJnMdPGS9bQEi/9d8bN1tAhuIjcB4/W0DFBVIAIUdbQAMpgJAjT1tAQkyuICZXW0CAb9ywKF9bQL+SCkErZ1tA/bU40S1vW0A82WZhMHdbQHr8lPEyf1tAuR/DgTWHW0D3QvEROI9bQDVmH6I6l1tAdIlNMj2fW0CyrHvCP6dbQPHPqVJCr1tAL/PX4kS3W0BuFgZzR79bQKw5NANKx1tA61xik0zPW0ApgJAjT9dbQGijvrNR31tApsbsQ1TnW0Dl6RrUVu9bQCMNSWRZ91tAYjB39Fv/W0CgU6WEXgdcQN920xRhD1xAHZoBpWMXXEBcvS81Zh9cQJrgXcVoJ1xA2QOMVWsvXEAXJ7rlbTdcQFZK6HVwP1xAlG0WBnNHXEDSkESWdU9cQBG0ciZ4V1xAT9egtnpfXECO+s5GfWdcQMwd/dZ/b1xAC0ErZ4J3XEBJZFn3hH9cQIiHh4eHh1xAxqq1F4qPXEAFzuOnjJdcQEPxETiPn1xAghRAyJGnXEDAN25YlK9cQP9anOiWt1xAPX7KeJm/XEB8ofgInMdcQLrEJpmez1xA+edUKaHXXEA3C4O5o99cQHYusUmm51xAtFHf2ajvXEDzdA1qq/dcQDGYO/qt/1xAcLtpirAHXUCu3pcasw9dQOwBxqq1F11AKyX0OrgfXUBpSCLLuiddQKhrUFu9L11A5o5+6783XUAlsqx7wj9dQGPV2gvFR11AovgInMdPXUDgGzcsylddQB8/ZbzMX11AXWKTTM9nXUCchcHc0W9dQNqo72zUd11AGcwd/dZ/XUBX70uN2YddQJYSeh3cj11A1DWord6XXUATWdY94Z9dQFF8BM7jp11AkJ8yXuavXUDOwmDu6LddQA3mjn7rv11ASwm9Du7HXUCJLOue8M9dQMhPGS/z111ABnNHv/XfXUBFlnVP+OddQIO5o9/6711AwtzRb/33XUAAAAAAAABeQA==\",\"dtype\":\"float64\",\"order\":\"little\",\"shape\":[800]},\"y\":{\"__ndarray__\":\"APCPnUBmGDMW69HPwUY5M1wSQXCbBVQz9TeEIPlAaDM/mw/7D3d2My+ByP5J0n8zTTfboJU7gTPEsauhDIt8M1X/yHYhE3Izw7hBh+GAYTOv81O52etJMxMGyE8rWi0zAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA9XN4j/sSNQOCsqQEegLBAL3htAKuHy0D0C5KQWkjhQB7E5blQVPBATyzxfpo490CGZ3p+htn4QJs04v3+AvRA8vBH6EZB6ECuJgzgdh/WQFa2pCqWXr5AYYhXVH5fn0AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAADks1ESucxEQAWzbnYVB2dAp5/qlnwIg0Bkqv/lPn2XQMpqbqtRpKVAx45RB8/FrUCZ5BMr9pOuQP23WZglcqdAyDTMUqnXmkD2p9wlU/GGQO7qqgaMR21A9I1ivYDlS0AAAAAAAAAAADlFMrL1npdAxCKYzcCbuECLlPv4bxnTQCREHo85FuZAUWNMXDMH80AIf2A92Gz4QI7Ma5yKW/dAMC1Qofij8EAMGtpM7qnhQPqP0o3e78tAZQMdlGh1sEB5eq3lAOWMQAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAACGRRvFAYaCQFuPiniMJaNAVlhsKthNvUCgl+yXK5rQQABJhibM2ttAAacfjKtM4UCPe20zNNHfQJdWL/BpqdVABriCjznWxUANc2xeIUywQFw79oSEApJAr/eYaQ14bUAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAATt6vXN2FmUCltg+YhPq5QPCFXOdIhtNAAXKX7n2r5UDxVQjHPcLxQMDHjNX4ffVAGo+m/5c080COX5kiJFjpQOapSIcGsthAf4tjmYrEwUC4K19lyuCiQG5KjeYnD2g67Q/Yo04Lgzr2EV5G4D+WOioIxvH2LqM6xm2GQpRpqDqviLVJP+2mOkj5P42jx586sfaADTNBkDpLhQzIy4p4OhC7CzuYWFs6gMlcCpR8NjoAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAADpr7+jeFuJQKfBCyf0fKlAREWQTa7lwkAvW7bPLavUQKOEGt+srOBA5wGWT0zY40AqOIBiwGvhQPnljdh4j9ZAACIdqNSMxUARHS7vC16uQME/XWlYkI9AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA822RG+7BOQPC1eDVjuXFAWuxZOJ08jkCbhwmoHgyjQCazNq7vuLFAw5I6Rw5buEAzjmKQKLi4QIwn7205h7JA08CkbjWDpEBO00KMbcWQQBb0zh7gQHRApHG55CUQUkAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAVMxBpA5cd0DXIu6105yWQMFcJPm9PrBA22Cc1YxSwUBCVyI6pWrLQN7y4J4MGtBAEOCTaYcSzEB9HMuaOynCQHI0yfJccLFAT+P4ieHamEB8AFXKS0p6QAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAD/XyZVkVOLQMh+rk8Y/qlAseTzZJVuwkBvL3DNFX3TQMz0oLRTud5AXv8DVhkO4kAcHZDF36PfQNp2HgwTq9RA0dA0yXYhxEBYvfeCoDytQPriCjX7rY9AgYmYmP8vAED/21CBceMKQIzYHyWTrRBAu+iRFUXnDkBC53sL8mEFQFsVMs9GGfY/RZVhK4kO4T87blkNEqrDP47RcTFa7qA/AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAIQEgQrSCnBAjndlpkDhj0D644jaWtqnQIsqxLLW4LpAfGY4JIzOxkDNkXNPFyXNQEEsj0epC8xAhJDCgHhSxEB17dsUZi22QGkHTUxyOaJA1yzdkeyNhkCv53g34ARlQAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAACK19jDIiM6QICOCIuEFF1AA7gBfBeLeEBttqO0Q22PQDOrI06chp5AuPb3bAl+pkChyTbV0iSpQGK6LJpxUqVAjwtHaw7Yn0D11RUEC4CfQJUrDI+Twq5AgPXN6rT3wECNOh12k1bOQHzC7iHM19RAS9oAGGrI1UAaXmX+rlDRQIYhRbb+78RASA8X86tBs0AWRdgo9fCaQPGwqgJGq3xAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAADOoatGOR8eQOFJbi27rDpAbfVgnzotUkCzSqf7vA9jQO+bgRNJw25AyzLkVPEZc0BdPJr5tUByQMAL0SOp12pAK65ATO1fXkAfy2kHznJKQLw9xcaNuDFAVnYC08ZFEkAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAFX0AkKrmV1A3vHZsXLBfUCfSEbtQT2XQCYsJejNM6xABvqfCi+XukCudDWqa3rDQGpjkyG0K8ZAwr3mjSWbw0DQ0aUe1PC6QA+R0vXjwqxA8iSJRfval0CjDEs1t75+QJgLg1v/yF5Az8hnMLpSkTr9NLS1+3GROgg40sb0Y4s6elRxOiXDgDp4lF5cl/xvOuOX9teOylc6ZopLtcyWOzoAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAQN3r1JCDXkDYGo+ahJd+QAIXRkb5P5hATK/wzMtlrkDS8WSosCC+QB/vAYEMnMdAZplyvOZBzUDq18UduKrMQA7NrZlkNcZAzMI3ERc1u0AYSfvBqVqqQPFKDQwbL5RA+KDdsvFxeEAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAADkaLlYgPmlAkpPOJ98vhED62jnEdtGZQEBSM71pZ6pA1skqiqSXtUAAFlikLj28QPh7DGoViL1AU2e9qfexuEDmar5rVIOwQIgnOkmfqKFAMKtJgTozjkCqNVYPXaZ0QJijfHq+lFZAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAF7bvE7y9E9A0Ql8kuylbEAxtvu/2/GEQOyWSFb3+ZhA2KhbyEtKqEABSUvF8kOzQGLOIg9P7LhAT8DPZ3xLukC80MMg+J+2QH9OG3iiwK9AezvuutcrokAwQaHHL/aQQIA0+EkD03lA2vcpn1cIYEAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAIj1KHoG3QUCWI/1xjQJfQNt5QjWoZ3ZA+ByNOXG6ikCy+04T/1KaQJdZKTFuZ6VAUBOfuFa8rEAgrvZGgNmvQEeqpFrWJK1AAuCURlcEpkDsTiq8XHebQBVRMnnVTIxAYhYgtOEdeEAvI/Lg7BdhQDGTjPrTnERAQ5PZI+nfAEB5ZEx9g977P8/NEKvwE/M/8KJnVhmn5T9Ng1DrUl/UP9QsOMCJx78/O3Nr3UOMpD8AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAABOVklikWFNQKJSKuwV3GdAd9zCDetUgECtpUJjV9iSQEoczs8sVKJARI8FkUENrkBw7yY0A8S0QBQ4celvMLhA5pFNYgzAt0CVUOCMyaezQA69VuEAbKtAdE8Tb4wfoECimyvfU/aPQMhjGy/9s3pAk1ysaeLNYkDMGZ/bplJGQAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAVxpUp90cYECev8z0PrF2QCHlME4HR4tAkEaZjW/8m0DEj6ov2oGoQLirYpg4UbJAhHCqo+Ret0D1yrIJpJ25QICuHVcWJ7hAyyl4wDAMtED+Ba6/xhKvQPehgVmbZqlApK1xOLmgqEAP+Ir8fDmrQJa6QRI36a1ATpgbMh9wrUBe4bwJ1sapQHEdnF1gWKNA2f4tpSLjmEDGqZtWAnGLQGhcMZME73lAV26U95YBZUA/ZiG9sSpNQAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAGu9McuIEsQIpcfuTFCUVAL/pIxnMPW0DPT2Qx3FRuQOruHy2GoH1Alm5ooOk3iUCuIBxHvrSSQGfMZtXYLphAdicPfoA+m0BFeCXSKr+aQFNr5APr4ZZASQI6rUUPkUCn6LOhryqGQMOBZzeEGXlAbx9hRUnEaEA6eUnr2ktVQKFPk3xr6j9AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA1baJKPlNMEB1txVrUChHQH8RSuYOBF1AqQ9P1l0JcEDwmoy2p0Z/QJXY6EbW54pAEC7t+EtrlEBk2viQc1ebQM7w39BiJqBAMt856ejUoEBLO/jlzfSeQOXsnXXOH5lASE+LQngCkkD+5pwzHNmGQHPBdmflx3lAB4mZYms2akCzKB+EoMdYQDz0EisGNEdA6FkfNeazKEAb3rdPffcjQJ8txcoalxxA3fPGq3ohEkBmN0C1YV4EQJwU8ZnNRPQ/PDdWT4Ld4T+lVFinV+XLPwAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAABQBANKrU9QNfQ+XlRKFJAQK0X3Y/5Y0AU5sjEdcZzQEW6tkBZnoFAsdDrLq1AjEDVqrbexWKUQNt7ZJ2ieZpAjYXu7lXxnkD7meN0zkWgQEVV6mo+zp5AIJjjybc9mkDykqnSuB2UQCXNM9xcwYtAO9DqjlM7gUADftcjYkFzQNjFzQ4WXWNA/oI+iR6GUUDUcC44R4s8QAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAADLoF/1XQlPQDCIdEbXsGJAvb3s5IJ+dEBLkCQeIXWEQKdn2L03l5JAoSM2opTCnkB32OlzvSqnQNVbIhLMxK9A44KhqHTUs0Btkl8iZ4m2QKchkXFDUbdANrTnmIL2tUBaizU2P9WyQHCroO5HZ61A2i5B+GrlpECff2lG4wmbQJpFhEfX2Y9AWoGIRhgUgUCw+/sOaqxwQA39+XZno11Ai+wUHCv7R0AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA==\",\"dtype\":\"float64\",\"order\":\"little\",\"shape\":[800]}},\"selected\":{\"id\":\"1070\"},\"selection_policy\":{\"id\":\"1069\"}},\"id\":\"1054\",\"type\":\"ColumnDataSource\"},{\"attributes\":{\"line_alpha\":0.1,\"line_color\":\"#e6f598\",\"line_width\":2,\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"1075\",\"type\":\"Line\"},{\"attributes\":{\"source\":{\"id\":\"1054\"}},\"id\":\"1059\",\"type\":\"CDSView\"},{\"attributes\":{},\"id\":\"1010\",\"type\":\"LinearScale\"},{\"attributes\":{\"source\":{\"id\":\"1073\"}},\"id\":\"1078\",\"type\":\"CDSView\"},{\"attributes\":{},\"id\":\"1026\",\"type\":\"ResetTool\"},{\"attributes\":{},\"id\":\"1048\",\"type\":\"AllLabels\"},{\"attributes\":{\"label\":{\"value\":\"Difference\"},\"renderers\":[{\"id\":\"1077\"}]},\"id\":\"1093\",\"type\":\"LegendItem\"},{\"attributes\":{},\"id\":\"1012\",\"type\":\"LinearScale\"},{\"attributes\":{\"coordinates\":null,\"data_source\":{\"id\":\"1036\"},\"glyph\":{\"id\":\"1037\"},\"group\":null,\"hover_glyph\":null,\"muted_glyph\":{\"id\":\"1039\"},\"nonselection_glyph\":{\"id\":\"1038\"},\"view\":{\"id\":\"1041\"}},\"id\":\"1040\",\"type\":\"GlyphRenderer\"},{\"attributes\":{},\"id\":\"1022\",\"type\":\"PanTool\"},{\"attributes\":{\"overlay\":{\"id\":\"1028\"}},\"id\":\"1024\",\"type\":\"BoxZoomTool\"},{\"attributes\":{\"coordinates\":null,\"data_source\":{\"id\":\"1073\"},\"glyph\":{\"id\":\"1074\"},\"group\":null,\"hover_glyph\":null,\"muted_glyph\":{\"id\":\"1076\"},\"nonselection_glyph\":{\"id\":\"1075\"},\"view\":{\"id\":\"1078\"}},\"id\":\"1077\",\"type\":\"GlyphRenderer\"},{\"attributes\":{},\"id\":\"1045\",\"type\":\"AllLabels\"},{\"attributes\":{\"axis_label\":\"2theta\",\"axis_label_standoff\":10,\"axis_label_text_color\":\"#E0E0E0\",\"axis_label_text_font\":\"Helvetica\",\"axis_label_text_font_size\":\"1.25em\",\"axis_label_text_font_style\":\"normal\",\"axis_line_alpha\":0,\"axis_line_color\":\"#E0E0E0\",\"coordinates\":null,\"formatter\":{\"id\":\"1047\"},\"group\":null,\"major_label_policy\":{\"id\":\"1048\"},\"major_label_text_color\":\"#E0E0E0\",\"major_label_text_font\":\"Helvetica\",\"major_label_text_font_size\":\"1.025em\",\"major_tick_line_alpha\":0,\"major_tick_line_color\":\"#E0E0E0\",\"minor_tick_line_alpha\":0,\"minor_tick_line_color\":\"#E0E0E0\",\"ticker\":{\"id\":\"1015\"}},\"id\":\"1014\",\"type\":\"LinearAxis\"},{\"attributes\":{\"coordinates\":null,\"data_source\":{\"id\":\"1054\"},\"glyph\":{\"id\":\"1055\"},\"group\":null,\"hover_glyph\":null,\"muted_glyph\":{\"id\":\"1057\"},\"nonselection_glyph\":{\"id\":\"1056\"},\"view\":{\"id\":\"1059\"}},\"id\":\"1058\",\"type\":\"GlyphRenderer\"},{\"attributes\":{},\"id\":\"1069\",\"type\":\"UnionRenderers\"},{\"attributes\":{\"bottom_units\":\"screen\",\"coordinates\":null,\"fill_alpha\":0.5,\"fill_color\":\"lightgrey\",\"group\":null,\"left_units\":\"screen\",\"level\":\"overlay\",\"line_alpha\":1.0,\"line_color\":\"black\",\"line_dash\":[4,4],\"line_width\":2,\"right_units\":\"screen\",\"syncable\":false,\"top_units\":\"screen\"},\"id\":\"1028\",\"type\":\"BoxAnnotation\"},{\"attributes\":{},\"id\":\"1015\",\"type\":\"BasicTicker\"},{\"attributes\":{},\"id\":\"1019\",\"type\":\"BasicTicker\"},{\"attributes\":{},\"id\":\"1023\",\"type\":\"WheelZoomTool\"},{\"attributes\":{},\"id\":\"1047\",\"type\":\"BasicTickFormatter\"},{\"attributes\":{\"line_color\":\"#3288bd\",\"line_width\":2,\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"1037\",\"type\":\"Line\"},{\"attributes\":{\"line_alpha\":0.1,\"line_color\":\"#99d594\",\"line_width\":2,\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"1056\",\"type\":\"Line\"},{\"attributes\":{},\"id\":\"1050\",\"type\":\"Selection\"},{\"attributes\":{\"coordinates\":null,\"group\":null,\"text\":\"Fe3O4 Polarization\",\"text_color\":\"#E0E0E0\",\"text_font\":\"Helvetica\",\"text_font_size\":\"1.15em\"},\"id\":\"1004\",\"type\":\"Title\"},{\"attributes\":{\"axis\":{\"id\":\"1018\"},\"coordinates\":null,\"dimension\":1,\"grid_line_alpha\":0.25,\"grid_line_color\":\"#E0E0E0\",\"group\":null,\"ticker\":null},\"id\":\"1021\",\"type\":\"Grid\"},{\"attributes\":{},\"id\":\"1049\",\"type\":\"UnionRenderers\"},{\"attributes\":{\"label\":{\"value\":\"Spin Down\"},\"renderers\":[{\"id\":\"1058\"}]},\"id\":\"1072\",\"type\":\"LegendItem\"},{\"attributes\":{},\"id\":\"1006\",\"type\":\"DataRange1d\"},{\"attributes\":{\"source\":{\"id\":\"1036\"}},\"id\":\"1041\",\"type\":\"CDSView\"}],\"root_ids\":[\"1003\"]},\"title\":\"Bokeh Application\",\"version\":\"2.4.3\"}};\n const render_items = [{\"docid\":\"9ac9f3ea-0e1e-4e7c-9f40-f0b95e5739ea\",\"root_ids\":[\"1003\"],\"roots\":{\"1003\":\"edf61221-5e83-46e8-b11d-78d1b1457d62\"}}];\n root.Bokeh.embed.embed_items_notebook(docs_json, render_items);\n }\n if (root.Bokeh !== undefined) {\n embed_document(root);\n } else {\n let attempts = 0;\n const timer = setInterval(function(root) {\n if (root.Bokeh !== undefined) {\n clearInterval(timer);\n embed_document(root);\n } else {\n attempts++;\n if (attempts > 100) {\n clearInterval(timer);\n console.log(\"Bokeh: ERROR: Unable to run BokehJS code because BokehJS library is missing\");\n }\n }\n }, 10, root)\n }\n})(window);", - "application/vnd.bokehjs_exec.v0+json": "" - }, - "metadata": { - "application/vnd.bokehjs_exec.v0+json": { - "id": "1003" - } - }, - "output_type": "display_data" - } - ], + "outputs": [], "source": [ "p1 = figure(**opts, title='Fe3O4 Polarization')\n", "p1.line(x_data, np.array(ds['sim_Fe3O4_test_up']), legend='Spin Up', line_width=2, color=Spectral6[0])\n", @@ -547,34 +446,40 @@ }, { "cell_type": "code", - "execution_count": 15, - "outputs": [], - "source": [ - "p2 = Phases.from_cif_file('structure_polarized.cif')\n", - "p2[0].cell.length_a.fixed = False # Optimum value of the lattice parameter `a` is: 10.26594(88)" - ], + "execution_count": null, "metadata": { "collapsed": false, "pycharm": { "name": "#%%\n" } - } + }, + "outputs": [], + "source": [ + "p2 = Phases.from_cif_file('structure_polarized.cif')\n", + "p2[0].cell.length_a.fixed = False # Optimum value of the lattice parameter `a` is: 10.26594(88)" + ] }, { "cell_type": "markdown", - "source": [ - "Create a new job and set the phase and vaguely acceptable experimental parameters." - ], "metadata": { "collapsed": false, "pycharm": { "name": "#%% md\n" } - } + }, + "source": [ + "Create a new job and set the phase and vaguely acceptable experimental parameters." + ] }, { "cell_type": "code", - "execution_count": 16, + "execution_count": null, + "metadata": { + "collapsed": false, + "pycharm": { + "name": "#%%\n" + } + }, "outputs": [], "source": [ "j2 = PolPowder1DCW('pol2', ds, phases=p2)\n", @@ -593,50 +498,30 @@ "j2.pattern.zero_shift = 0.35\n", "j2.pattern.zero_shift.fixed = False\n", "j2.pattern.beam.polarization = 0.6909" - ], - "metadata": { - "collapsed": false, - "pycharm": { - "name": "#%%\n" - } - } + ] }, { "cell_type": "markdown", - "source": [ - "Perform an initial simulation to verify that the parameters make a meaningful pattern." - ], "metadata": { "collapsed": false, "pycharm": { "name": "#%% md\n" } - } + }, + "source": [ + "Perform an initial simulation to verify that the parameters make a meaningful pattern." + ] }, { "cell_type": "code", - "execution_count": 17, - "outputs": [ - { - "data": { - "text/html": "\n
\n" - }, - "metadata": {}, - "output_type": "display_data" - }, - { - "data": { - "application/javascript": "(function(root) {\n function embed_document(root) {\n const docs_json = {\"37057048-f301-4925-94dc-67f395126466\":{\"defs\":[{\"extends\":null,\"module\":null,\"name\":\"ReactiveHTML1\",\"overrides\":[],\"properties\":[]},{\"extends\":null,\"module\":null,\"name\":\"FlexBox1\",\"overrides\":[],\"properties\":[{\"default\":\"flex-start\",\"kind\":null,\"name\":\"align_content\"},{\"default\":\"flex-start\",\"kind\":null,\"name\":\"align_items\"},{\"default\":\"row\",\"kind\":null,\"name\":\"flex_direction\"},{\"default\":\"wrap\",\"kind\":null,\"name\":\"flex_wrap\"},{\"default\":\"flex-start\",\"kind\":null,\"name\":\"justify_content\"}]},{\"extends\":null,\"module\":null,\"name\":\"GridStack1\",\"overrides\":[],\"properties\":[{\"default\":\"warn\",\"kind\":null,\"name\":\"mode\"},{\"default\":null,\"kind\":null,\"name\":\"ncols\"},{\"default\":null,\"kind\":null,\"name\":\"nrows\"},{\"default\":true,\"kind\":null,\"name\":\"allow_resize\"},{\"default\":true,\"kind\":null,\"name\":\"allow_drag\"},{\"default\":[],\"kind\":null,\"name\":\"state\"}]},{\"extends\":null,\"module\":null,\"name\":\"click1\",\"overrides\":[],\"properties\":[{\"default\":\"\",\"kind\":null,\"name\":\"terminal_output\"},{\"default\":\"\",\"kind\":null,\"name\":\"debug_name\"},{\"default\":0,\"kind\":null,\"name\":\"clears\"}]},{\"extends\":null,\"module\":null,\"name\":\"NotificationAreaBase1\",\"overrides\":[],\"properties\":[{\"default\":\"bottom-right\",\"kind\":null,\"name\":\"position\"},{\"default\":0,\"kind\":null,\"name\":\"_clear\"}]},{\"extends\":null,\"module\":null,\"name\":\"NotificationArea1\",\"overrides\":[],\"properties\":[{\"default\":[],\"kind\":null,\"name\":\"notifications\"},{\"default\":\"bottom-right\",\"kind\":null,\"name\":\"position\"},{\"default\":0,\"kind\":null,\"name\":\"_clear\"},{\"default\":[{\"background\":\"#ffc107\",\"icon\":{\"className\":\"fas fa-exclamation-triangle\",\"color\":\"white\",\"tagName\":\"i\"},\"type\":\"warning\"},{\"background\":\"#007bff\",\"icon\":{\"className\":\"fas fa-info-circle\",\"color\":\"white\",\"tagName\":\"i\"},\"type\":\"info\"}],\"kind\":null,\"name\":\"types\"}]},{\"extends\":null,\"module\":null,\"name\":\"Notification\",\"overrides\":[],\"properties\":[{\"default\":null,\"kind\":null,\"name\":\"background\"},{\"default\":3000,\"kind\":null,\"name\":\"duration\"},{\"default\":null,\"kind\":null,\"name\":\"icon\"},{\"default\":\"\",\"kind\":null,\"name\":\"message\"},{\"default\":null,\"kind\":null,\"name\":\"notification_type\"},{\"default\":false,\"kind\":null,\"name\":\"_destroyed\"}]},{\"extends\":null,\"module\":null,\"name\":\"TemplateActions1\",\"overrides\":[],\"properties\":[{\"default\":0,\"kind\":null,\"name\":\"open_modal\"},{\"default\":0,\"kind\":null,\"name\":\"close_modal\"}]},{\"extends\":null,\"module\":null,\"name\":\"MaterialTemplateActions1\",\"overrides\":[],\"properties\":[{\"default\":0,\"kind\":null,\"name\":\"open_modal\"},{\"default\":0,\"kind\":null,\"name\":\"close_modal\"}]}],\"roots\":{\"references\":[{\"attributes\":{\"background_fill_color\":\"#3f3f3f\",\"below\":[{\"id\":\"1189\"}],\"border_fill_color\":\"#2f2f2f\",\"center\":[{\"id\":\"1192\"},{\"id\":\"1196\"},{\"id\":\"1227\"}],\"height\":300,\"left\":[{\"id\":\"1193\"}],\"min_border\":0,\"outline_line_alpha\":0.25,\"outline_line_color\":\"#E0E0E0\",\"renderers\":[{\"id\":\"1215\"},{\"id\":\"1233\"},{\"id\":\"1252\"}],\"title\":{\"id\":\"1179\"},\"toolbar\":{\"id\":\"1204\"},\"width\":990,\"x_range\":{\"id\":\"1181\"},\"x_scale\":{\"id\":\"1185\"},\"y_range\":{\"id\":\"1183\"},\"y_scale\":{\"id\":\"1187\"}},\"id\":\"1178\",\"subtype\":\"Figure\",\"type\":\"Plot\"},{\"attributes\":{\"source\":{\"id\":\"1229\"}},\"id\":\"1234\",\"type\":\"CDSView\"},{\"attributes\":{\"overlay\":{\"id\":\"1203\"}},\"id\":\"1199\",\"type\":\"BoxZoomTool\"},{\"attributes\":{},\"id\":\"1219\",\"type\":\"BasicTickFormatter\"},{\"attributes\":{\"axis\":{\"id\":\"1193\"},\"coordinates\":null,\"dimension\":1,\"grid_line_alpha\":0.25,\"grid_line_color\":\"#E0E0E0\",\"group\":null,\"ticker\":null},\"id\":\"1196\",\"type\":\"Grid\"},{\"attributes\":{},\"id\":\"1190\",\"type\":\"BasicTicker\"},{\"attributes\":{\"axis_label\":\"Intensity\",\"axis_label_standoff\":10,\"axis_label_text_color\":\"#E0E0E0\",\"axis_label_text_font\":\"Helvetica\",\"axis_label_text_font_size\":\"1.25em\",\"axis_label_text_font_style\":\"normal\",\"axis_line_alpha\":0,\"axis_line_color\":\"#E0E0E0\",\"coordinates\":null,\"formatter\":{\"id\":\"1219\"},\"group\":null,\"major_label_policy\":{\"id\":\"1220\"},\"major_label_text_color\":\"#E0E0E0\",\"major_label_text_font\":\"Helvetica\",\"major_label_text_font_size\":\"1.025em\",\"major_tick_line_alpha\":0,\"major_tick_line_color\":\"#E0E0E0\",\"minor_tick_line_alpha\":0,\"minor_tick_line_color\":\"#E0E0E0\",\"ticker\":{\"id\":\"1194\"}},\"id\":\"1193\",\"type\":\"LinearAxis\"},{\"attributes\":{\"line_color\":\"#99d594\",\"line_width\":2,\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"1230\",\"type\":\"Line\"},{\"attributes\":{},\"id\":\"1200\",\"type\":\"SaveTool\"},{\"attributes\":{},\"id\":\"1187\",\"type\":\"LinearScale\"},{\"attributes\":{},\"id\":\"1225\",\"type\":\"Selection\"},{\"attributes\":{},\"id\":\"1201\",\"type\":\"ResetTool\"},{\"attributes\":{\"data\":{\"x\":{\"__ndarray__\":\"AAAAAAAANED6jLhACiA0QPQZcYEUQDRA7qYpwh5gNEDoM+ICKYA0QOLAmkMzoDRA3E1ThD3ANEDV2gvFR+A0QM9nxAVSADVAyfR8RlwgNUDDgTWHZkA1QL0O7sdwYDVAt5umCHuANUCxKF9JhaA1QKu1F4qPwDVApULQypngNUCfz4gLpAA2QJhcQUyuIDZAkun5jLhANkCMdrLNwmA2QIYDaw7NgDZAgJAjT9egNkB6HdyP4cA2QHSqlNDr4DZAbjdNEfYAN0BoxAVSACE3QGJRvpIKQTdAXN520xRhN0BWay8UH4E3QFD451QpoTdASYWglTPBN0BDElnWPeE3QD2fERdIAThANyzKV1IhOEAxuYKYXEE4QCtGO9lmYThAJdPzGXGBOEAfYKxae6E4QBntZJuFwThAE3od3I/hOEAMB9YcmgE5QAaUjl2kITlAACFHnq5BOUD6rf/euGE5QPQ6uB/DgTlA7sdwYM2hOUDoVCmh18E5QOLh4eHh4TlA3G6aIuwBOkDW+1Jj9iE6QNCIC6QAQjpAyhXE5ApiOkDEonwlFYI6QL4vNWYfojpAt7ztpinCOkCxSabnM+I6QKvWXig+AjtApWMXaUgiO0Cf8M+pUkI7QJl9iOpcYjtAkwpBK2eCO0CNl/lrcaI7QIcksqx7wjtAgLFq7YXiO0B6PiMukAI8QHTL226aIjxAbliUr6RCPEBo5UzwrmI8QGJyBTG5gjxAXP+9ccOiPEBWjHayzcI8QFAZL/PX4jxASqbnM+ICPUBEM6B07CI9QD7AWLX2Qj1AOE0R9gBjPUAy2sk2C4M9QCxngncVoz1AJvQ6uB/DPUAfgfP4KeM9QBkOrDk0Az5AE5tkej4jPkANKB27SEM+QAe11ftSYz5AAUKOPF2DPkD6zkZ9Z6M+QPRb/71xwz5A7ui3/nvjPkDodXA/hgM/QOICKYCQIz9A3I/hwJpDP0DWHJoBpWM/QNCpUkKvgz9AyjYLg7mjP0DEw8PDw8M/QL5QfATO4z9A3G6aIuwBQEBZtfZC8RFAQNb7UmP2IUBAU0Kvg/sxQEDQiAukAEJAQE3PZ8QFUkBAyhXE5ApiQEBGXCAFEHJAQMSifCUVgkBAQOnYRRqSQEC+LzVmH6JAQDp2kYYkskBAt7ztpinCQEA0A0rHLtJAQLFJpucz4kBALpACCDnyQECr1l4oPgJBQCgdu0hDEkFApWMXaUgiQUAiqnOJTTJBQJ/wz6lSQkFAHDcsyldSQUCZfYjqXGJBQBbE5ApickFAkwpBK2eCQUAQUZ1LbJJBQI2X+WtxokFACt5VjHayQUCHJLKse8JBQARrDs2A0kFAgLFq7YXiQUD+98YNi/JBQHo+Iy6QAkJA+IR/TpUSQkB0y9tumiJCQPIROI+fMkJAbliUr6RCQkDsnvDPqVJCQGjlTPCuYkJA5SupELRyQkBicgUxuYJCQN+4YVG+kkJAXP+9ccOiQkDZRRqSyLJCQFaMdrLNwkJA09LS0tLSQkBQGS/z1+JCQM1fixPd8kJASqbnM+ICQ0DH7ENU5xJDQEQzoHTsIkNAwHn8lPEyQ0A+wFi19kJDQLoGtdX7UkNAOE0R9gBjQ0C0k20WBnNDQDLayTYLg0NAriAmVxCTQ0AsZ4J3FaNDQKit3pcas0NAJvQ6uB/DQ0CiOpfYJNNDQB+B8/gp40NAnMdPGS/zQ0AZDqw5NANEQJZUCFo5E0RAE5tkej4jRECQ4cCaQzNEQA0oHbtIQ0RAim55201TREAHtdX7UmNEQIT7MRxYc0RAAUKOPF2DREB+iOpcYpNEQPrORn1no0RAeBWjnWyzRED0W/+9ccNEQHKiW95200RA7ui3/nvjREBsLxQfgfNEQOh1cD+GA0VAZrzMX4sTRUDiAimAkCNFQGBJhaCVM0VA3I/hwJpDRUBZ1j3hn1NFQNYcmgGlY0VAU2P2IapzRUDQqVJCr4NFQE3wrmK0k0VAyjYLg7mjRUBHfWejvrNFQMTDw8PDw0VAQQog5MjTRUC+UHwEzuNFQDuX2CTT80VAuN00RdgDRkA0JJFl3RNGQLJq7YXiI0ZALrFJpuczRkCs96XG7ENGQCg+AufxU0ZApoReB/djRkAiy7on/HNGQKARF0gBhEZAHFhzaAaURkCans+IC6RGQBblK6kQtEZAkyuIyRXERkAQcuTpGtRGQI24QAog5EZACv+cKiX0RkCHRflKKgRHQASMVWsvFEdAgdKxizQkR0D+GA6sOTRHQHtfasw+REdA+KXG7ENUR0B17CINSWRHQPIyfy1OdEdAbnnbTVOER0DsvzduWJRHQGgGlI5dpEdA5kzwrmK0R0Bik0zPZ8RHQODZqO9s1EdAXCAFEHLkR0DaZmEwd/RHQFatvVB8BEhA1PMZcYEUSEBQOnaRhiRIQM2A0rGLNEhASscu0pBESEDHDYvylVRIQERU5xKbZEhAwZpDM6B0SEA+4Z9TpYRIQLsn/HOqlEhAOG5YlK+kSEC1tLS0tLRIQDL7ENW5xEhAr0Ft9b7USEAsiMkVxORIQKjOJTbJ9EhAJhWCVs4ESUCiW9520xRJQCCiOpfYJElAnOiWt900SUAaL/PX4kRJQJZ1T/jnVElAFLyrGO1kSUCQAgg58nRJQA5JZFn3hElAio/AefyUSUAI1hyaAaVJQIQceboGtUlAAWPV2gvFSUB+qTH7ENVJQPvvjRsW5UlAeDbqOxv1SUD1fEZcIAVKQHLDonwlFUpA7wn/nColSkBsUFu9LzVKQOmWt900RUpAZt0T/jlVSkDjI3AeP2VKQGBqzD5EdUpA3bAoX0mFSkBa94R/TpVKQNc94Z9TpUpAVIQ9wFi1SkDQypngXcVKQE0R9gBj1UpAyldSIWjlSkBHnq5BbfVKQMTkCmJyBUtAQStngncVS0C+ccOifCVLQDu4H8OBNUtAuP5744ZFS0A1RdgDjFVLQLKLNCSRZUtAL9KQRJZ1S0CsGO1km4VLQClfSYWglUtApqWlpaWlS0Aj7AHGqrVLQKAyXuavxUtAHXm6BrXVS0CavxYnuuVLQBcGc0e/9UtAlEzPZ8QFTEARkyuIyRVMQI7Zh6jOJUxACiDkyNM1TECHZkDp2EVMQAStnAneVUxAgfP4KeNlTED+OVVK6HVMQHuAsWrthUxA+MYNi/KVTEB1DWqr96VMQPJTxsv8tUxAb5oi7AHGTEDs4H4MB9ZMQGkn2ywM5kxA5m03TRH2TEBjtJNtFgZNQOD6740bFk1AXUFMriAmTUDah6jOJTZNQFfOBO8qRk1A1BRhDzBWTUBRW70vNWZNQM6hGVA6dk1AS+h1cD+GTUDILtKQRJZNQEV1LrFJpk1AwbuK0U62TUA+AufxU8ZNQLtIQxJZ1k1AOI+fMl7mTUC11ftSY/ZNQDIcWHNoBk5Ar2K0k20WTkAsqRC0ciZOQKnvbNR3Nk5AJjbJ9HxGTkCjfCUVglZOQCDDgTWHZk5AnQneVYx2TkAaUDp2kYZOQJeWlpaWlk5AFN3ytpumTkCRI0/XoLZOQA5qq/elxk5Ai7AHGKvWTkAI92M4sOZOQIU9wFi19k5AAoQceboGT0B/yniZvxZPQPsQ1bnEJk9AeFcx2sk2T0D1nY36zkZPQHLk6RrUVk9A7ypGO9lmT0BscaJb3nZPQOm3/nvjhk9AZv5anOiWT0DjRLe87aZPQGCLE93ytk9A3dFv/ffGT0BaGMwd/dZPQNdeKD4C509AVKWEXgf3T0DodXA/hgNQQCeZns+IC1BAZrzMX4sTUECk3/rvjRtQQOICKYCQI1BAISZXEJMrUEBgSYWglTNQQJ5sszCYO1BA3I/hwJpDUEAasw9RnUtQQFnWPeGfU1BAmPlrcaJbUEDWHJoBpWNQQBRAyJGna1BAU2P2IapzUECShiSyrHtQQNCpUkKvg1BADs2A0rGLUEBN8K5itJNQQIwT3fK2m1BAyjYLg7mjUEAIWjkTvKtQQEd9Z6O+s1BAhqCVM8G7UEDEw8PDw8NQQALn8VPGy1BAQQog5MjTUECALU50y9tQQL5QfATO41BA/HOqlNDrUEA7l9gk0/NQQHq6BrXV+1BAuN00RdgDUUD2AGPV2gtRQDQkkWXdE1FAc0e/9d8bUUCyau2F4iNRQPCNGxblK1FALrFJpuczUUBt1Hc26jtRQKz3pcbsQ1FA6hrUVu9LUUAoPgLn8VNRQGdhMHf0W1FApoReB/djUUDkp4yX+WtRQCLLuif8c1FAYe7ot/57UUCgERdIAYRRQN40RdgDjFFAHFhzaAaUUUBbe6H4CJxRQJqez4gLpFFA2MH9GA6sUUAW5SupELRRQFUIWjkTvFFAkyuIyRXEUUDSTrZZGMxRQBBy5Oka1FFATpUSeh3cUUCNuEAKIORRQMzbbpoi7FFACv+cKiX0UUBIIsu6J/xRQIdF+UoqBFJAxmgn2ywMUkAEjFVrLxRSQEKvg/sxHFJAgdKxizQkUkDA9d8bNyxSQP4YDqw5NFJAPDw8PDw8UkB7X2rMPkRSQLqCmFxBTFJA+KXG7ENUUkA2yfR8RlxSQHXsIg1JZFJAtA9RnUtsUkDyMn8tTnRSQDBWrb1QfFJAbnnbTVOEUkCtnAneVYxSQOy/N25YlFJAKuNl/lqcUkBoBpSOXaRSQKcpwh5grFJA5kzwrmK0UkAkcB4/ZbxSQGKTTM9nxFJAobZ6X2rMUkDg2ajvbNRSQB791n9v3FJAXCAFEHLkUkCbQzOgdOxSQNpmYTB39FJAGIqPwHn8UkBWrb1QfARTQJXQ6+B+DFNA1PMZcYEUU0ASF0gBhBxTQFA6dpGGJFNAj12kIYksU0DNgNKxizRTQAykAEKOPFNASscu0pBEU0CI6lxik0xTQMcNi/KVVFNABjG5gphcU0BEVOcSm2RTQIJ3FaOdbFNAwZpDM6B0U0AAvnHDonxTQD7hn1OlhFNAfATO46eMU0C7J/xzqpRTQPpKKgStnFNAOG5YlK+kU0B2kYYksqxTQLW0tLS0tFNA9NfiRLe8U0Ay+xDVucRTQHAeP2W8zFNAr0Ft9b7UU0DuZJuFwdxTQCyIyRXE5FNAaqv3pcbsU0CoziU2yfRTQOfxU8bL/FNAJhWCVs4EVEBkOLDm0AxUQKJb3nbTFFRA4X4MB9YcVEAgojqX2CRUQF7FaCfbLFRAnOiWt900VEDbC8VH4DxUQBov89fiRFRAWFIhaOVMVECWdU/451RUQNWYfYjqXFRAFLyrGO1kVEBS39mo72xUQJACCDnydFRAzyU2yfR8VEAOSWRZ94RUQExskun5jFRAio/AefyUVEDJsu4J/5xUQAjWHJoBpVRARvlKKgStVECEHHm6BrVUQMI/p0oJvVRAAWPV2gvFVEBAhgNrDs1UQH6pMfsQ1VRAvMxfixPdVED7740bFuVUQDoTvKsY7VRAeDbqOxv1VEC2WRjMHf1UQPV8RlwgBVVAM6B07CINVUByw6J8JRVVQLDm0AwoHVVA7wn/nColVUAtLS0tLS1VQGxQW70vNVVAqnOJTTI9VUDplrfdNEVVQCe65W03TVVAZt0T/jlVVUCkAEKOPF1VQOMjcB4/ZVVAIUeerkFtVUBgasw+RHVVQJ6N+s5GfVVA3bAoX0mFVUAb1FbvS41VQFr3hH9OlVVAmBqzD1GdVUDXPeGfU6VVQBVhDzBWrVVAVIQ9wFi1VUCSp2tQW71VQNDKmeBdxVVAD+7HcGDNVUBNEfYAY9VVQIw0JJFl3VVAyldSIWjlVUAJe4Cxau1VQEeerkFt9VVAhsHc0W/9VUDE5ApicgVWQAMIOfJ0DVZAQStngncVVkCATpUSeh1WQL5xw6J8JVZA/ZTxMn8tVkA7uB/DgTVWQHrbTVOEPVZAuP5744ZFVkD3IapziU1WQDVF2AOMVVZAdGgGlI5dVkCyizQkkWVWQPGuYrSTbVZAL9KQRJZ1VkBt9b7UmH1WQKwY7WSbhVZA6jsb9Z2NVkApX0mFoJVWQGeCdxWjnVZApqWlpaWlVkDkyNM1qK1WQCPsAcaqtVZAYQ8wVq29VkCgMl7mr8VWQN5VjHayzVZAHXm6BrXVVkBbnOiWt91WQJq/Fie65VZA2OJEt7ztVkAXBnNHv/VWQFUpodfB/VZAlEzPZ8QFV0DSb/33xg1XQBGTK4jJFVdAT7ZZGMwdV0CO2YeoziVXQMz8tTjRLVdACiDkyNM1V0BJQxJZ1j1XQIdmQOnYRVdAxoluedtNV0AErZwJ3lVXQEPQypngXVdAgfP4KeNlV0DAFie65W1XQP45VUrodVdAPV2D2up9V0B7gLFq7YVXQLqj3/rvjVdA+MYNi/KVV0A36jsb9Z1XQHUNaqv3pVdAtDCYO/qtV0DyU8bL/LVXQDF39Fv/vVdAb5oi7AHGV0CuvVB8BM5XQOzgfgwH1ldAKwStnAneV0BpJ9ssDOZXQKhKCb0O7ldA5m03TRH2V0AkkWXdE/5XQGO0k20WBlhAodfB/RgOWEDg+u+NGxZYQB4eHh4eHlhAXUFMriAmWECbZHo+Iy5YQNqHqM4lNlhAGKvWXig+WEBXzgTvKkZYQJXxMn8tTlhA1BRhDzBWWEASOI+fMl5YQFFbvS81ZlhAj37rvzduWEDOoRlQOnZYQAzFR+A8flhAS+h1cD+GWECJC6QAQo5YQMgu0pBEllhABlIAIUeeWEBFdS6xSaZYQIOYXEFMrlhAwbuK0U62WEAA37hhUb5YQD4C5/FTxlhAfSUVglbOWEC7SEMSWdZYQPprcaJb3lhAOI+fMl7mWEB3ss3CYO5YQLXV+1Jj9lhA9Pgp42X+WEAyHFhzaAZZQHE/hgNrDllAr2K0k20WWUDuheIjcB5ZQCypELRyJllAa8w+RHUuWUCp72zUdzZZQOgSm2R6PllAJjbJ9HxGWUBlWfeEf05ZQKN8JRWCVllA4p9TpYReWUAgw4E1h2ZZQF7mr8WJbllAnQneVYx2WUDbLAzmjn5ZQBpQOnaRhllAWHNoBpSOWUCXlpaWlpZZQNW5xCaZnllAFN3ytpumWUBSACFHnq5ZQJEjT9egtllAz0Z9Z6O+WUAOaqv3pcZZQEyN2YeozllAi7AHGKvWWUDJ0zWord5ZQAj3Yziw5llARhqSyLLuWUCFPcBYtfZZQMNg7ui3/llAAoQceboGWkBAp0oJvQ5aQH/KeJm/FlpAve2mKcIeWkD7ENW5xCZaQDo0A0rHLlpAeFcx2sk2WkC3el9qzD5aQPWdjfrORlpANMG7itFOWkBy5Oka1FZaQLEHGKvWXlpA7ypGO9lmWkAuTnTL225aQGxxolvedlpAq5TQ6+B+WkDpt/5744ZaQCjbLAzmjlpAZv5anOiWWkClIYks655aQONEt7ztplpAImjlTPCuWkBgixPd8rZaQJ+uQW31vlpA3dFv/ffGWkAc9Z2N+s5aQFoYzB391lpAmDv6rf/eWkDXXig+AudaQBWCVs4E71pAVKWEXgf3WkCSyLLuCf9aQNHr4H4MB1tADw8PDw8PW0BOMj2fERdbQIxVay8UH1tAy3iZvxYnW0AJnMdPGS9bQEi/9d8bN1tAhuIjcB4/W0DFBVIAIUdbQAMpgJAjT1tAQkyuICZXW0CAb9ywKF9bQL+SCkErZ1tA/bU40S1vW0A82WZhMHdbQHr8lPEyf1tAuR/DgTWHW0D3QvEROI9bQDVmH6I6l1tAdIlNMj2fW0CyrHvCP6dbQPHPqVJCr1tAL/PX4kS3W0BuFgZzR79bQKw5NANKx1tA61xik0zPW0ApgJAjT9dbQGijvrNR31tApsbsQ1TnW0Dl6RrUVu9bQCMNSWRZ91tAYjB39Fv/W0CgU6WEXgdcQN920xRhD1xAHZoBpWMXXEBcvS81Zh9cQJrgXcVoJ1xA2QOMVWsvXEAXJ7rlbTdcQFZK6HVwP1xAlG0WBnNHXEDSkESWdU9cQBG0ciZ4V1xAT9egtnpfXECO+s5GfWdcQMwd/dZ/b1xAC0ErZ4J3XEBJZFn3hH9cQIiHh4eHh1xAxqq1F4qPXEAFzuOnjJdcQEPxETiPn1xAghRAyJGnXEDAN25YlK9cQP9anOiWt1xAPX7KeJm/XEB8ofgInMdcQLrEJpmez1xA+edUKaHXXEA3C4O5o99cQHYusUmm51xAtFHf2ajvXEDzdA1qq/dcQDGYO/qt/1xAcLtpirAHXUCu3pcasw9dQOwBxqq1F11AKyX0OrgfXUBpSCLLuiddQKhrUFu9L11A5o5+6783XUAlsqx7wj9dQGPV2gvFR11AovgInMdPXUDgGzcsylddQB8/ZbzMX11AXWKTTM9nXUCchcHc0W9dQNqo72zUd11AGcwd/dZ/XUBX70uN2YddQJYSeh3cj11A1DWord6XXUATWdY94Z9dQFF8BM7jp11AkJ8yXuavXUDOwmDu6LddQA3mjn7rv11ASwm9Du7HXUCJLOue8M9dQMhPGS/z111ABnNHv/XfXUBFlnVP+OddQIO5o9/6711AwtzRb/33XUAAAAAAAABeQA==\",\"dtype\":\"float64\",\"order\":\"little\",\"shape\":[800]},\"y\":{\"__ndarray__\":\"j4KCAQQkkUBG/lvvPOqVQHMJJp1Vf5hAuBcgPNOal0AW0Kqjf+uTQLchj5t6gY5ACTP8xyfohUBQ+yx2EkB+QDHndIjceXRAGhv/vU3Fa0CphRtxSUpjQGBqAYgmKVtA2qeCgcWpVUD5yW38RYJSQA7OJ1PqBVFArh1UlSWHUkB2vgk1FTVWQOAG0uRZvF1AqEAu7F5hZUBHsK2Z7xhvQPVpzwsuvnVADPDDlX9EfECT3L4VHa2AQCE+6UyGfIFAOzL48/osgEBMdjKij9h6QMJa4Q9qb3VArLeTBnlIcUDzLxZlLAVwQL2hHDiRYHJA1e1jzhF7eED7hLoE/NmAQJgPBvQpKYZAUBtsMan/ikAiO+nsj4+NQBSiHIRyrYxAXbw2Yge4iEAJIP0xnz2DQOXCmZKki3tAfar248OIckB4d1OTZ0hoQN2wJ7DdV2BArPatoQoEWEBi6RcUr+lVQCHxoF5ZjFZAbXuPbFWkXEAQbzyuSNVjQIQGlEY4e2xApXr+GNc0dECE1CyGomN7QAuZeihtXIFAZy99fFZEhEDKybDFSJSFQDqCuP5WxIRAHFdwYk9agkC9ao8iLNt+QJCVP8m0+HlA7uLD0VJ1d0DbfiQ62Np3QC9M6Dlc23pAPYvSWkxzf0A736fQ6g+CQA/khdC5nINAejp3wl/Ig0BXTe0qbaWCQGqOs/TyeYBAIOSUAyRqe0AsqqqxnY91QKis3vSDWXBAqpmCyx9IaEAzWuGbBXliQHT+2eeGn15AvIREYGkxXUAYR9NW8J9fQI5zaaUE42JAJFLwGTXNZkCaxNvy+rVqQNjWsbORym1AQKoxcGH+bkBNUH/tshduQFh4EnKejGtADqY8tMBxaEBMY7Y+1cdlQNjLCsx7OWRApsMTBrsBZEB43HlBxOxkQPx8MUYtbmZAO13jMobOZ0AbpdHWXW9oQNt3VlwG32dAGJePp5eDZkAE7BGkEThkQEQEoRW6hWFAdYJwivf5XUD/KxeR8i9aQC44fEYUS1hAiP8DWMyHWEAtUr8V78BaQHLibwMuI19A2N/gQs0eYkC8zwvSEupkQH0Jz8LuqGdAMsNNWr8hakCnTlD96rBsQDqD2LxUxW9ALjeR5erpcUBVGR7J83x0QM58y8iJbHdAimcamUVKekBUbAaFp3l8QAJte73YXX1ACjVTHrGofEDPscomtG16QORSk2AgIndA2YHz+GZQc0AEoVAQZypvQMuCUM3xn2hA2D+iVLGDY0AvsY6y//lfQCQeCPMrvFxA+Fr1CXrEW0CcKZ+d4fZcQFr6bonA1V9AGLKObRfkYUAS9Y1awKJkQPgcQaOe62dA1Hi66MTBa0DU2zWEDwxwQIMwupqxSHJAdMDHIE5QdECBuwBgN8d1QAxYn/SIYnZA2Ald0xredUBkSOsEZVZ0QN4OQOIvHXJALPhPW4I4b0AUlED2ZWtqQKx9sdQ9YWZAPapLVYQqZEAH07QQfRZjQHb4YNU1jWNAb4qUX8xyZUBWvHCqVa9oQICwqyauI21As2nSrCNZcUC2uhC2LY50QGnQz9D8R3hAFMWVAmQ+fEC0mjqTAxaAQEuYdXFF64FA+VA0tnJFg0A5kOmH9/eDQADO7Ax65YNAmkUc1X0dg0CCryQ459iBQFs/JiqJZIBA5PbIlrA4fkCiorPGPEt8QETs5PLuVHtAMvrCt2Bue0CoblxzgWV8QN/oJbp56H1A/HGMR3KMf0AsLS9lMnOAQCs/ANR61IBAjuUboIDcgEDDqAX9NIWAQD/S3+tWC4BAdCcfIcW3fkDQNzIZnA99QOKsl0M/H3tAJiPiiUXreECZ/FGvWoN2QGAGZc2bL3RAKyFe47ricUBwH7QkacBvQLAr3snolmxAzLlEodqFakBbKAy5X3BpQKWFr/zTBmpApPBo3+3Ha0CCRFJuuJRuQEsw9iFBG3FAdlWl36kyc0CZOCqUUHl1QJi/reWLpHdALaBM3NV7eUAksoNUaud6QB0YprgQnHtAqMdeS+aCe0AIhVULeKR6QL6sJGj6H3lA0HeIZgI1d0DCgYfqkSN1QNI65KoNI3NAUrIyaRpbcUCV+FMjE8FvQOCkBdz8am1AZdEuzF+Ra0CKWiS92BlqQGmdGQna1GhAcSpBva6KZ0B9TNirgDJmQMumKzt7ymRA1KO+JPtZY0CIk/nxZ8JhQLc9agmz8mBA3q7wmPYQYECU/FlNqxpfQH2fta03Al9AD4elm4cNYEC0S/QE9UxhQGxmlpghUmNASAZZPGYlZkDICmacb8FpQLgdCTkcEG5AyyXeKt+HcUAP4HZs3TN0QD/t6Ao+6nZAy/oUxiuEeUBtXl31p9Z7QHWH05Z22X1ALHb2bmQ2f0CEDhC5Uex/QMtnLFxkAYBAMttJ6S+Sf0AqS/3w1cl+QOLmIv/g331AvbyMRIAGfUDdqqeGcGR8QFQXytWZEHxAT8WBgkQQfEAsh3cRAlh8QETkN8Nrz3xAX00yiH5SfUD43+iYlcl9QKUJtm+4EH5ApPaWHlcDfkB4xzvzIox9QEp5BxsZl3xAPCP3rlcie0AFIjZBXiF5QDB4g8AO73ZAALZb6MKDdEDKvoumlAhyQLXv9CNsUW9ARRj1njXpakC988Qt3A1nQEmyNsNT2WNAl/iSQZdVYUC4mCdmWf1eQE2oXHFjn1xAYL1tq68fW0At6iwLxbdaQIjjBxqg8FpA1Sbun0+bW0Cc1dpmro9cQNdn7yGYrl1APWE91dSIXkDk6uY7/ORfQE+4RVL9kWBAiI9xUJkhYUADXhV2epdhQDGHfKEX62FA1QII/4UTYkB6B+pKW0tiQNXLU35pMWJAdL9HJf72YUC/xJnjpaRhQKEORbBIS2FAs6bPjCn9YECtGACPS85gQLe8wFlq02BAwsQtylogYUCQoVk+jgViQPenyVgALWNAe4aERiHSZEDYHTYdvOtmQEzOrs/odmlADzOpWYRlbEDweJaKuZZvQC5PbKd8enFA6HzIjzwqc0CCrZ1jRsl0QNT7JHC4RHZAX5pvrC6Gd0C7yGDxkY94QDdTrM5YVXlAPPKGUiPSeUANlhkdgwx6QEegR51GCnpAilxpGTnOeUBKgaJtbWJ5QFDgNBr80XhAkDyXu2gLeEA7AtdcORp3QCaEpKrgA3ZAot+fqp3QdEAHFtH36opzQC979TBHPnJAc/s9+gT2cEC81YY2TMVvQIjqB57MqG1A9PMSH9zZa0DthokakWdqQDpQSdL8XGlARFTaTdbUaEBsYOJCtY5oQBAMJHdb7WhAIsWcF2OzaUBvQp/I4t1qQCKuUt4pY2xANclvp7U4bkBTyTei1ihwQNyJ6T/LVXFAf2vkZjmRckCDjoijQdZzQMolTp8LDXVAeTk5OFdMdkAPVBL8B3N3QCcrnfCDdHhA1N2ltrVEeUCqcIENdtZ5QJQkEP6SHnpAH6Gro90XekAKGimqlsJ5QFi4NS7FH3lAC05u05k3eEASFa3bwxR3QPkxtFJTxHVAmsBg/vlTdEBqkKTBU9FyQArmRtO7U3FAuNdCttCxb0CCFklzC9xsQBwuLQLMNWpA4gO2yArJZ0CMnkC3yptlQHd7MRHopWNAg+bUgtYCYkCbfQASEaJgQJrbjiB7BF9A/UgdBsJEXUAC+c9T6gBcQLXPnsdvM1tAovyZ0fzcW0DPwnYxMlhcQP+ifRD891xAP8S0baWcXkBTjeTqFFtgQBgClZeYomFA62qwKFYkY0AwpF0SFelkQLddiUvX1GZAj0DhpPkEaUD32pg6nmdrQBcxn9R4+m1ATkdjNedmcEDPnnDROeBxQPWu8HLPbXNA87Y21bIMdUDO9AhMbbh2QLKSaW6YZnhA4BbSKDMYekDEBAdOwrx7QALKWhnHSH1AIpO1yoStfkBk2ZAsZ91/QH1KXUNcZYBA3FFDH2y4gEDKDptRH96AQH3t9M8314BAlfTRnhCkgEBD3BarrEeAQH0FbWPRjX9AWov+msJPfkBNxRWPo+J8QAIjJ1FbZntARxlxBALLeUANTpCZ8Sl4QEwX149xjnZARm8v+TUCdUBjvqNhvItzQMIED45gO3JAeiHAr8ULcUBCLgulJgNwQPA3aRdKRm5AtwwbLBrabEBPGCpXI8JrQBS85rHe/mpAr9P05FWJakCvzHrhfF1qQMiQmZFHdWpA1yACvgbIakBAn/BPcWNrQGxxEdLIF2xABekiNp7qbECvdLj4WpZtQAiQB/ACmW5AkhPrLSKUb0ACZuAwTD9wQImF2byQt3BAa5O+5YwVcUDrGWTtRmFxQDqh+etSmHFA00xJNEi5cUDwZ3TjrsZxQFBzLqEpv3FAklZjY/GkcUDSV5MPb3txQHkFwcu5RnFAN6jR/5UFcUALeYQg28lwQGDeXNfpj3BAh4EF67NbcEAPatSMpTBwQPDCY9MtEXBAQ9PlG9oWcEAj48tuZRpwQNessAQ4LXBA4IdpOLBNcEB6511A6npwQPAPKtf/sXBA/ZS3kUrwcED39gMyDDNxQIrixPoKe3FAgMljxEvDcUAMy+AfBglyQJF2SGrUSnJACegBtNmJckAPVVTeksFyQOD73OMN9nJAruecO/gjc0AwNuBfMk5zQIZV8Aiea3NAeH/HYY6Wc0DiLbQyzMFzQL9HktED73NAxRZVVlsfdEBYTYC/kU90QEosHzzxh3RA5awDQXjPdECd/501sg51QAYneVR0THVAfDGMicqFdUBQsoYlT7d1QHtnHth23XVA+p+p+d70dUDc+lgiRQJ2QC0K6AoZ93VAaFhc25PXdUDFqCyTp6N1QDuIadd/aXVAOhqyfm0OdUAqNefdTa10QNTZUrWSQHRAG9dcZA3Mc0BBLUUtclNzQH88jkuh2nJAzFIXE2dlckDfbZoxFftxQPen7DFrjHFARPn0HOw6cUDAHVvOO/hwQCbovV+/0HBAU1XZ8dGzcEAN3xZU3qlwQAv/nbfYr3BAsF5uRWDLcEAOonp7/PZwQNvwOkmgMHFAO+q7zvh7cUBxsJ1/w8txQJnYZg3NIXJA5HyNwC17ckBUQpqom9hyQMyx2SCEMXNA03MdBtWGc0APaNodSNVzQJpLLw58G3RAxEZJS/9DdECQSPYEkHp0QOZsGUKxq3RAj1SP/MrIdECMx9y2JNh0QMWykxT92XRA2kdnmuHOdEAgFz3SYrx0QI2XsNaQm3RAlMkRRJZsdEBRpMW8yDt0QCV5qe86BHRAwN0pnnXHc0DQe5Vb4YZzQHxdOVZlQ3NATMQHwon/ckBXoCsV0blyQEmgHy/CdXJAqzHzhHY0ckBAdq88vfJxQIzEDNSfsnFASGgsBGJ0cUDyxUMgKThxQMnK2LP6/XBAfwxuprvFcEDJ2RWKfJNwQC3QoQyDX3BAkN6qxMEscEA4YMcCYuZvQFCIB5QcnG9A/XXMIDRBb0B9EnrNbOVuQBd0xTgviG5AP3LtYvMobkBX87U7O8dtQIi+Gj+dYm1Ah70d3lsEbUBwD8BosKFsQPfHZ4JfPGxAXObw5SDVa0Cs1NuAvXRrQJCGVnle+2pAvXcBusufakBQxjW2W0VqQMJYqoSA8GlA3E53wKyjaUAQ3KrhTmFpQA1EMY8AMWlAZ51NjsMLaUCusUOEo/JoQE3+SR6G8mhAbBo8DQgGaUAI7TDWmEJpQJdcaZqnhGlAp1QH387MaUAkdDPo0j1qQPdDZFcpwmpAtSRgIq1Ya0CwcDBqhf9rQMD6uiZEzWxAHT8nCvmTbUDkK4xokGRuQAWzjToMPG9AN9p2efwMcEC4RX6/P31wQANFW8hB7HBAkvEBQJdYcUAuDP9W78BxQIsjZiSHIXJAKM8c/ix/ckBmeQSdetdyQBpCTmPhJnNAVYocaTluc0DhBQItTK1zQISqgOQt7nNAtBhC9jYfdEANu1FiykF0QIcRzbcXZnRALRySfZqDdEBcantiDZt0QC8cips1rXRAMllUQCy4dEASCgMY/cJ0QKrDCraUynRAydVKxqTPdEBl0uf3lNx0QDu/tcaj4XRAoek8N9bkdEDnZR58Zud0QLzTJqNl6XRA7kT9dQXqdEDveGeoz+p0QKj6u/Uj63RA5NZRtLXpdEDM2i0WrOZ0QN7+fx1J4HRAqNqUSa7udEC2L0ybDep0QN8lko1+43RAeVOQxuzadEDOKKX8WNB0QGBvRszXw3RA7S3dmpS1dEAWu4aBdKV0QMXb+6DulXRAaO99aKiFdEDcdzfEK3V0QLktUbsua3RA0aIN5+1UdEDM4VzD50p0QFEWJ1/nQnRA0OGxeZQ9dEAAvVrcgDt0QPD8Zn4rPXRAtgVOuztEdEBlFJTuzE50QAJY0E8fXnRA4yZSniZrdEDRMTyC9YV0QIml0vYCqXRAuyQwzbPNdECuEf1z3/Z0QFAolhBTIXVAccriiTBSdUBbtUxUgId1QCQk535jw3VA/KuwHgj+dUA2cbe78jl2QO3fiPdLdnZA/fboPiyydkA3IOY/dux2QJH5DBFEJndA7H9I9gNcd0BLPiQLco13QNahoSmguXdAVBRXMUTYd0DOu7Wq3vh3QCaSjDNQEXhAivfsl+sgeEAbWXbGDyd4QJnsXc81I3hAeeVnwr4ceEBdFn97YQV4QPBQvDh443dARL2m1DCvd0AUWF5cNnp3QJNwKC//OndAVUWQ/x3ydkByypwh2qB2QOxjxVA6Q3ZAjQyl68TidUCsBOF3w3t1QMkFPMZJD3VAOhcMVC6edEBNnRqdhil0QJEOcfFRsnNAsxDjuIk5c0BV9GHIcb5yQGbiTpefRXJAXOKwS9bNcUDFJNhp01dxQHXwKUdL5HBARz+luddzcED8GTOp4wtwQFCUXnhCTW9AAm3hp5eLbkAIZzFJY9NtQCfcCIAXJW1A8hfXNvmAbEC3zFosJOdrQA++IZbGZ2tARz1JpW7kakASCmhwfmxqQJ2yXu2L/mlAtcF4tjyaaUAjj+SEiUppQLtDvg6a7GhAFbcMI7yoaEBdJhBzhGpoQPOR7tdZNmhAklyfJVgJaEDO98xiReNnQHThKtBFxmdAyMzfTemtZ0DYrRshCJxnQPFwwlKsj2dARDCe80mRZ0D+UaZMqpNnQLY7PKdtnGdAf+4slJurZ0DV1PTcAJ9nQIxpnBbkwWdAF3LufS3qZ0Bw7CtqYx1oQLRaQ5lBUmhAEEzEe3eNaEAL1RYcPc9oQDpO7NYOIGlAjRy3XtxwaUDYRTyVh8RpQFwTznVoJGpANFbFvi2LakDS0VE/r/hqQA1CtqSpbGtAirKl4X/ra0Ao1fsHnm9sQGi8NFjI+GxAx7Z4vGGGbUAvvIqosBduQGUwkSzQ1W5ATeE1kulyb0Baj3QQ/QhwQN9YXlEHWXBAq1Z6Ch6ocEDUvpg72/dwQG2lC2iPRnFAKGB8aTmWcUCz2Ky6y+FxQMagp5poKHJAM7IwvEFvckDy54Rx7bVyQG1uNch+9nJADHHk/Gs0c0B02TsamG1zQCX8Vx/TonNASOdB5hTUc0CktHxOZgF0QFoqwUk3KnRApgpIeQlRdEBEl51HXHR0QMW2c2V8lHRAKERRqsKxdEDZ2ClngM10QGIWSfPu5nRAQjK5WSH+dECIgo489xR1QLh6hbgjK3VAayl+hSBBdUBvQLSMY1d1QB2XLLgxcnVAB2hoZNyKdUCtbb0fFaV1QB168dsuwXVALOaim5/idUBIbF3btgN2QCRGPZRhJ3ZAwnspIz1HdkDbXgsbZnF2QCjwl8oGnnZA73wXzwnNdkBNVKlZR/52QBUGNGKGMXdAsDMnTn1md0Bk19z80px3QLCXvQog1HdAq2KmXaAQeEAbfPRYSEl4QGNub/N/gXhAWFAY37m4eEAF9RBhY+54QMjTBmHmIXlAmqFoAJlSeUBcHMH1O4N5QE/CqD06rXlAh30tf9DSeUCFrHGFefN5QHWRWaq5DnpA52CHcMwlekDvRKVmMjV6QNgoscEPPnpAHCHk8R1AekCMxAwZMzt6QABbSh0rL3pAIptkXPgbekDlamY2nwF6QKKTH6Ft1XlAPdb6NuGueUBp2jTCW4F5QJRJbzArTXlA+Jjqf6gSeUBY5gb1NtJ4QIovelJCjHhAFMK1QT1BeEBcGLDBn/F3QPjgxqHlnXdAOn5LB9w/d0DbyP/ifOZ2QLFVO9dSinZA+N7Az+ArdkBZcnVVpst1QGsZ9sSJZXVA+O3J2OYDdUAwyiX8zaB0QO8VpiW3PnRAzB4o/ufcc0D4Igx4vXtzQGSSxrKLG3NAazzVuZ28ckCromVfNV9yQPOOATKLA3JAmEj/uvCocUAbAgk5a1FxQD/XcOgR/HBA6wHkhvqocEBtwAO1MlhwQHsCjsHcBnBAuOeSYGR2b0B8nGfCh+NuQJgAjAkOVW5Anb8vO9XKbUBwzgdoskRtQOynQHlywmxAhe65fttDbEC13jbwrchrQAidCN6lUGtAgBdgRy7XakDq+36+QmVqQD2r50uJ9WlAGocIz7mHaUD/w1lEjBtpQA==\",\"dtype\":\"float64\",\"order\":\"little\",\"shape\":[800]}},\"selected\":{\"id\":\"1245\"},\"selection_policy\":{\"id\":\"1244\"}},\"id\":\"1229\",\"type\":\"ColumnDataSource\"},{\"attributes\":{},\"id\":\"1194\",\"type\":\"BasicTicker\"},{\"attributes\":{},\"id\":\"1220\",\"type\":\"AllLabels\"},{\"attributes\":{},\"id\":\"1224\",\"type\":\"UnionRenderers\"},{\"attributes\":{\"line_alpha\":0.1,\"line_color\":\"#3288bd\",\"line_width\":2,\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"1213\",\"type\":\"Line\"},{\"attributes\":{},\"id\":\"1223\",\"type\":\"AllLabels\"},{\"attributes\":{\"axis_label\":\"2theta\",\"axis_label_standoff\":10,\"axis_label_text_color\":\"#E0E0E0\",\"axis_label_text_font\":\"Helvetica\",\"axis_label_text_font_size\":\"1.25em\",\"axis_label_text_font_style\":\"normal\",\"axis_line_alpha\":0,\"axis_line_color\":\"#E0E0E0\",\"coordinates\":null,\"formatter\":{\"id\":\"1222\"},\"group\":null,\"major_label_policy\":{\"id\":\"1223\"},\"major_label_text_color\":\"#E0E0E0\",\"major_label_text_font\":\"Helvetica\",\"major_label_text_font_size\":\"1.025em\",\"major_tick_line_alpha\":0,\"major_tick_line_color\":\"#E0E0E0\",\"minor_tick_line_alpha\":0,\"minor_tick_line_color\":\"#E0E0E0\",\"ticker\":{\"id\":\"1190\"}},\"id\":\"1189\",\"type\":\"LinearAxis\"},{\"attributes\":{\"coordinates\":null,\"data_source\":{\"id\":\"1248\"},\"glyph\":{\"id\":\"1249\"},\"group\":null,\"hover_glyph\":null,\"muted_glyph\":{\"id\":\"1251\"},\"nonselection_glyph\":{\"id\":\"1250\"},\"view\":{\"id\":\"1253\"}},\"id\":\"1252\",\"type\":\"GlyphRenderer\"},{\"attributes\":{\"data\":{\"x\":{\"__ndarray__\":\"AAAAAAAANED6jLhACiA0QPQZcYEUQDRA7qYpwh5gNEDoM+ICKYA0QOLAmkMzoDRA3E1ThD3ANEDV2gvFR+A0QM9nxAVSADVAyfR8RlwgNUDDgTWHZkA1QL0O7sdwYDVAt5umCHuANUCxKF9JhaA1QKu1F4qPwDVApULQypngNUCfz4gLpAA2QJhcQUyuIDZAkun5jLhANkCMdrLNwmA2QIYDaw7NgDZAgJAjT9egNkB6HdyP4cA2QHSqlNDr4DZAbjdNEfYAN0BoxAVSACE3QGJRvpIKQTdAXN520xRhN0BWay8UH4E3QFD451QpoTdASYWglTPBN0BDElnWPeE3QD2fERdIAThANyzKV1IhOEAxuYKYXEE4QCtGO9lmYThAJdPzGXGBOEAfYKxae6E4QBntZJuFwThAE3od3I/hOEAMB9YcmgE5QAaUjl2kITlAACFHnq5BOUD6rf/euGE5QPQ6uB/DgTlA7sdwYM2hOUDoVCmh18E5QOLh4eHh4TlA3G6aIuwBOkDW+1Jj9iE6QNCIC6QAQjpAyhXE5ApiOkDEonwlFYI6QL4vNWYfojpAt7ztpinCOkCxSabnM+I6QKvWXig+AjtApWMXaUgiO0Cf8M+pUkI7QJl9iOpcYjtAkwpBK2eCO0CNl/lrcaI7QIcksqx7wjtAgLFq7YXiO0B6PiMukAI8QHTL226aIjxAbliUr6RCPEBo5UzwrmI8QGJyBTG5gjxAXP+9ccOiPEBWjHayzcI8QFAZL/PX4jxASqbnM+ICPUBEM6B07CI9QD7AWLX2Qj1AOE0R9gBjPUAy2sk2C4M9QCxngncVoz1AJvQ6uB/DPUAfgfP4KeM9QBkOrDk0Az5AE5tkej4jPkANKB27SEM+QAe11ftSYz5AAUKOPF2DPkD6zkZ9Z6M+QPRb/71xwz5A7ui3/nvjPkDodXA/hgM/QOICKYCQIz9A3I/hwJpDP0DWHJoBpWM/QNCpUkKvgz9AyjYLg7mjP0DEw8PDw8M/QL5QfATO4z9A3G6aIuwBQEBZtfZC8RFAQNb7UmP2IUBAU0Kvg/sxQEDQiAukAEJAQE3PZ8QFUkBAyhXE5ApiQEBGXCAFEHJAQMSifCUVgkBAQOnYRRqSQEC+LzVmH6JAQDp2kYYkskBAt7ztpinCQEA0A0rHLtJAQLFJpucz4kBALpACCDnyQECr1l4oPgJBQCgdu0hDEkFApWMXaUgiQUAiqnOJTTJBQJ/wz6lSQkFAHDcsyldSQUCZfYjqXGJBQBbE5ApickFAkwpBK2eCQUAQUZ1LbJJBQI2X+WtxokFACt5VjHayQUCHJLKse8JBQARrDs2A0kFAgLFq7YXiQUD+98YNi/JBQHo+Iy6QAkJA+IR/TpUSQkB0y9tumiJCQPIROI+fMkJAbliUr6RCQkDsnvDPqVJCQGjlTPCuYkJA5SupELRyQkBicgUxuYJCQN+4YVG+kkJAXP+9ccOiQkDZRRqSyLJCQFaMdrLNwkJA09LS0tLSQkBQGS/z1+JCQM1fixPd8kJASqbnM+ICQ0DH7ENU5xJDQEQzoHTsIkNAwHn8lPEyQ0A+wFi19kJDQLoGtdX7UkNAOE0R9gBjQ0C0k20WBnNDQDLayTYLg0NAriAmVxCTQ0AsZ4J3FaNDQKit3pcas0NAJvQ6uB/DQ0CiOpfYJNNDQB+B8/gp40NAnMdPGS/zQ0AZDqw5NANEQJZUCFo5E0RAE5tkej4jRECQ4cCaQzNEQA0oHbtIQ0RAim55201TREAHtdX7UmNEQIT7MRxYc0RAAUKOPF2DREB+iOpcYpNEQPrORn1no0RAeBWjnWyzRED0W/+9ccNEQHKiW95200RA7ui3/nvjREBsLxQfgfNEQOh1cD+GA0VAZrzMX4sTRUDiAimAkCNFQGBJhaCVM0VA3I/hwJpDRUBZ1j3hn1NFQNYcmgGlY0VAU2P2IapzRUDQqVJCr4NFQE3wrmK0k0VAyjYLg7mjRUBHfWejvrNFQMTDw8PDw0VAQQog5MjTRUC+UHwEzuNFQDuX2CTT80VAuN00RdgDRkA0JJFl3RNGQLJq7YXiI0ZALrFJpuczRkCs96XG7ENGQCg+AufxU0ZApoReB/djRkAiy7on/HNGQKARF0gBhEZAHFhzaAaURkCans+IC6RGQBblK6kQtEZAkyuIyRXERkAQcuTpGtRGQI24QAog5EZACv+cKiX0RkCHRflKKgRHQASMVWsvFEdAgdKxizQkR0D+GA6sOTRHQHtfasw+REdA+KXG7ENUR0B17CINSWRHQPIyfy1OdEdAbnnbTVOER0DsvzduWJRHQGgGlI5dpEdA5kzwrmK0R0Bik0zPZ8RHQODZqO9s1EdAXCAFEHLkR0DaZmEwd/RHQFatvVB8BEhA1PMZcYEUSEBQOnaRhiRIQM2A0rGLNEhASscu0pBESEDHDYvylVRIQERU5xKbZEhAwZpDM6B0SEA+4Z9TpYRIQLsn/HOqlEhAOG5YlK+kSEC1tLS0tLRIQDL7ENW5xEhAr0Ft9b7USEAsiMkVxORIQKjOJTbJ9EhAJhWCVs4ESUCiW9520xRJQCCiOpfYJElAnOiWt900SUAaL/PX4kRJQJZ1T/jnVElAFLyrGO1kSUCQAgg58nRJQA5JZFn3hElAio/AefyUSUAI1hyaAaVJQIQceboGtUlAAWPV2gvFSUB+qTH7ENVJQPvvjRsW5UlAeDbqOxv1SUD1fEZcIAVKQHLDonwlFUpA7wn/nColSkBsUFu9LzVKQOmWt900RUpAZt0T/jlVSkDjI3AeP2VKQGBqzD5EdUpA3bAoX0mFSkBa94R/TpVKQNc94Z9TpUpAVIQ9wFi1SkDQypngXcVKQE0R9gBj1UpAyldSIWjlSkBHnq5BbfVKQMTkCmJyBUtAQStngncVS0C+ccOifCVLQDu4H8OBNUtAuP5744ZFS0A1RdgDjFVLQLKLNCSRZUtAL9KQRJZ1S0CsGO1km4VLQClfSYWglUtApqWlpaWlS0Aj7AHGqrVLQKAyXuavxUtAHXm6BrXVS0CavxYnuuVLQBcGc0e/9UtAlEzPZ8QFTEARkyuIyRVMQI7Zh6jOJUxACiDkyNM1TECHZkDp2EVMQAStnAneVUxAgfP4KeNlTED+OVVK6HVMQHuAsWrthUxA+MYNi/KVTEB1DWqr96VMQPJTxsv8tUxAb5oi7AHGTEDs4H4MB9ZMQGkn2ywM5kxA5m03TRH2TEBjtJNtFgZNQOD6740bFk1AXUFMriAmTUDah6jOJTZNQFfOBO8qRk1A1BRhDzBWTUBRW70vNWZNQM6hGVA6dk1AS+h1cD+GTUDILtKQRJZNQEV1LrFJpk1AwbuK0U62TUA+AufxU8ZNQLtIQxJZ1k1AOI+fMl7mTUC11ftSY/ZNQDIcWHNoBk5Ar2K0k20WTkAsqRC0ciZOQKnvbNR3Nk5AJjbJ9HxGTkCjfCUVglZOQCDDgTWHZk5AnQneVYx2TkAaUDp2kYZOQJeWlpaWlk5AFN3ytpumTkCRI0/XoLZOQA5qq/elxk5Ai7AHGKvWTkAI92M4sOZOQIU9wFi19k5AAoQceboGT0B/yniZvxZPQPsQ1bnEJk9AeFcx2sk2T0D1nY36zkZPQHLk6RrUVk9A7ypGO9lmT0BscaJb3nZPQOm3/nvjhk9AZv5anOiWT0DjRLe87aZPQGCLE93ytk9A3dFv/ffGT0BaGMwd/dZPQNdeKD4C509AVKWEXgf3T0DodXA/hgNQQCeZns+IC1BAZrzMX4sTUECk3/rvjRtQQOICKYCQI1BAISZXEJMrUEBgSYWglTNQQJ5sszCYO1BA3I/hwJpDUEAasw9RnUtQQFnWPeGfU1BAmPlrcaJbUEDWHJoBpWNQQBRAyJGna1BAU2P2IapzUECShiSyrHtQQNCpUkKvg1BADs2A0rGLUEBN8K5itJNQQIwT3fK2m1BAyjYLg7mjUEAIWjkTvKtQQEd9Z6O+s1BAhqCVM8G7UEDEw8PDw8NQQALn8VPGy1BAQQog5MjTUECALU50y9tQQL5QfATO41BA/HOqlNDrUEA7l9gk0/NQQHq6BrXV+1BAuN00RdgDUUD2AGPV2gtRQDQkkWXdE1FAc0e/9d8bUUCyau2F4iNRQPCNGxblK1FALrFJpuczUUBt1Hc26jtRQKz3pcbsQ1FA6hrUVu9LUUAoPgLn8VNRQGdhMHf0W1FApoReB/djUUDkp4yX+WtRQCLLuif8c1FAYe7ot/57UUCgERdIAYRRQN40RdgDjFFAHFhzaAaUUUBbe6H4CJxRQJqez4gLpFFA2MH9GA6sUUAW5SupELRRQFUIWjkTvFFAkyuIyRXEUUDSTrZZGMxRQBBy5Oka1FFATpUSeh3cUUCNuEAKIORRQMzbbpoi7FFACv+cKiX0UUBIIsu6J/xRQIdF+UoqBFJAxmgn2ywMUkAEjFVrLxRSQEKvg/sxHFJAgdKxizQkUkDA9d8bNyxSQP4YDqw5NFJAPDw8PDw8UkB7X2rMPkRSQLqCmFxBTFJA+KXG7ENUUkA2yfR8RlxSQHXsIg1JZFJAtA9RnUtsUkDyMn8tTnRSQDBWrb1QfFJAbnnbTVOEUkCtnAneVYxSQOy/N25YlFJAKuNl/lqcUkBoBpSOXaRSQKcpwh5grFJA5kzwrmK0UkAkcB4/ZbxSQGKTTM9nxFJAobZ6X2rMUkDg2ajvbNRSQB791n9v3FJAXCAFEHLkUkCbQzOgdOxSQNpmYTB39FJAGIqPwHn8UkBWrb1QfARTQJXQ6+B+DFNA1PMZcYEUU0ASF0gBhBxTQFA6dpGGJFNAj12kIYksU0DNgNKxizRTQAykAEKOPFNASscu0pBEU0CI6lxik0xTQMcNi/KVVFNABjG5gphcU0BEVOcSm2RTQIJ3FaOdbFNAwZpDM6B0U0AAvnHDonxTQD7hn1OlhFNAfATO46eMU0C7J/xzqpRTQPpKKgStnFNAOG5YlK+kU0B2kYYksqxTQLW0tLS0tFNA9NfiRLe8U0Ay+xDVucRTQHAeP2W8zFNAr0Ft9b7UU0DuZJuFwdxTQCyIyRXE5FNAaqv3pcbsU0CoziU2yfRTQOfxU8bL/FNAJhWCVs4EVEBkOLDm0AxUQKJb3nbTFFRA4X4MB9YcVEAgojqX2CRUQF7FaCfbLFRAnOiWt900VEDbC8VH4DxUQBov89fiRFRAWFIhaOVMVECWdU/451RUQNWYfYjqXFRAFLyrGO1kVEBS39mo72xUQJACCDnydFRAzyU2yfR8VEAOSWRZ94RUQExskun5jFRAio/AefyUVEDJsu4J/5xUQAjWHJoBpVRARvlKKgStVECEHHm6BrVUQMI/p0oJvVRAAWPV2gvFVEBAhgNrDs1UQH6pMfsQ1VRAvMxfixPdVED7740bFuVUQDoTvKsY7VRAeDbqOxv1VEC2WRjMHf1UQPV8RlwgBVVAM6B07CINVUByw6J8JRVVQLDm0AwoHVVA7wn/nColVUAtLS0tLS1VQGxQW70vNVVAqnOJTTI9VUDplrfdNEVVQCe65W03TVVAZt0T/jlVVUCkAEKOPF1VQOMjcB4/ZVVAIUeerkFtVUBgasw+RHVVQJ6N+s5GfVVA3bAoX0mFVUAb1FbvS41VQFr3hH9OlVVAmBqzD1GdVUDXPeGfU6VVQBVhDzBWrVVAVIQ9wFi1VUCSp2tQW71VQNDKmeBdxVVAD+7HcGDNVUBNEfYAY9VVQIw0JJFl3VVAyldSIWjlVUAJe4Cxau1VQEeerkFt9VVAhsHc0W/9VUDE5ApicgVWQAMIOfJ0DVZAQStngncVVkCATpUSeh1WQL5xw6J8JVZA/ZTxMn8tVkA7uB/DgTVWQHrbTVOEPVZAuP5744ZFVkD3IapziU1WQDVF2AOMVVZAdGgGlI5dVkCyizQkkWVWQPGuYrSTbVZAL9KQRJZ1VkBt9b7UmH1WQKwY7WSbhVZA6jsb9Z2NVkApX0mFoJVWQGeCdxWjnVZApqWlpaWlVkDkyNM1qK1WQCPsAcaqtVZAYQ8wVq29VkCgMl7mr8VWQN5VjHayzVZAHXm6BrXVVkBbnOiWt91WQJq/Fie65VZA2OJEt7ztVkAXBnNHv/VWQFUpodfB/VZAlEzPZ8QFV0DSb/33xg1XQBGTK4jJFVdAT7ZZGMwdV0CO2YeoziVXQMz8tTjRLVdACiDkyNM1V0BJQxJZ1j1XQIdmQOnYRVdAxoluedtNV0AErZwJ3lVXQEPQypngXVdAgfP4KeNlV0DAFie65W1XQP45VUrodVdAPV2D2up9V0B7gLFq7YVXQLqj3/rvjVdA+MYNi/KVV0A36jsb9Z1XQHUNaqv3pVdAtDCYO/qtV0DyU8bL/LVXQDF39Fv/vVdAb5oi7AHGV0CuvVB8BM5XQOzgfgwH1ldAKwStnAneV0BpJ9ssDOZXQKhKCb0O7ldA5m03TRH2V0AkkWXdE/5XQGO0k20WBlhAodfB/RgOWEDg+u+NGxZYQB4eHh4eHlhAXUFMriAmWECbZHo+Iy5YQNqHqM4lNlhAGKvWXig+WEBXzgTvKkZYQJXxMn8tTlhA1BRhDzBWWEASOI+fMl5YQFFbvS81ZlhAj37rvzduWEDOoRlQOnZYQAzFR+A8flhAS+h1cD+GWECJC6QAQo5YQMgu0pBEllhABlIAIUeeWEBFdS6xSaZYQIOYXEFMrlhAwbuK0U62WEAA37hhUb5YQD4C5/FTxlhAfSUVglbOWEC7SEMSWdZYQPprcaJb3lhAOI+fMl7mWEB3ss3CYO5YQLXV+1Jj9lhA9Pgp42X+WEAyHFhzaAZZQHE/hgNrDllAr2K0k20WWUDuheIjcB5ZQCypELRyJllAa8w+RHUuWUCp72zUdzZZQOgSm2R6PllAJjbJ9HxGWUBlWfeEf05ZQKN8JRWCVllA4p9TpYReWUAgw4E1h2ZZQF7mr8WJbllAnQneVYx2WUDbLAzmjn5ZQBpQOnaRhllAWHNoBpSOWUCXlpaWlpZZQNW5xCaZnllAFN3ytpumWUBSACFHnq5ZQJEjT9egtllAz0Z9Z6O+WUAOaqv3pcZZQEyN2YeozllAi7AHGKvWWUDJ0zWord5ZQAj3Yziw5llARhqSyLLuWUCFPcBYtfZZQMNg7ui3/llAAoQceboGWkBAp0oJvQ5aQH/KeJm/FlpAve2mKcIeWkD7ENW5xCZaQDo0A0rHLlpAeFcx2sk2WkC3el9qzD5aQPWdjfrORlpANMG7itFOWkBy5Oka1FZaQLEHGKvWXlpA7ypGO9lmWkAuTnTL225aQGxxolvedlpAq5TQ6+B+WkDpt/5744ZaQCjbLAzmjlpAZv5anOiWWkClIYks655aQONEt7ztplpAImjlTPCuWkBgixPd8rZaQJ+uQW31vlpA3dFv/ffGWkAc9Z2N+s5aQFoYzB391lpAmDv6rf/eWkDXXig+AudaQBWCVs4E71pAVKWEXgf3WkCSyLLuCf9aQNHr4H4MB1tADw8PDw8PW0BOMj2fERdbQIxVay8UH1tAy3iZvxYnW0AJnMdPGS9bQEi/9d8bN1tAhuIjcB4/W0DFBVIAIUdbQAMpgJAjT1tAQkyuICZXW0CAb9ywKF9bQL+SCkErZ1tA/bU40S1vW0A82WZhMHdbQHr8lPEyf1tAuR/DgTWHW0D3QvEROI9bQDVmH6I6l1tAdIlNMj2fW0CyrHvCP6dbQPHPqVJCr1tAL/PX4kS3W0BuFgZzR79bQKw5NANKx1tA61xik0zPW0ApgJAjT9dbQGijvrNR31tApsbsQ1TnW0Dl6RrUVu9bQCMNSWRZ91tAYjB39Fv/W0CgU6WEXgdcQN920xRhD1xAHZoBpWMXXEBcvS81Zh9cQJrgXcVoJ1xA2QOMVWsvXEAXJ7rlbTdcQFZK6HVwP1xAlG0WBnNHXEDSkESWdU9cQBG0ciZ4V1xAT9egtnpfXECO+s5GfWdcQMwd/dZ/b1xAC0ErZ4J3XEBJZFn3hH9cQIiHh4eHh1xAxqq1F4qPXEAFzuOnjJdcQEPxETiPn1xAghRAyJGnXEDAN25YlK9cQP9anOiWt1xAPX7KeJm/XEB8ofgInMdcQLrEJpmez1xA+edUKaHXXEA3C4O5o99cQHYusUmm51xAtFHf2ajvXEDzdA1qq/dcQDGYO/qt/1xAcLtpirAHXUCu3pcasw9dQOwBxqq1F11AKyX0OrgfXUBpSCLLuiddQKhrUFu9L11A5o5+6783XUAlsqx7wj9dQGPV2gvFR11AovgInMdPXUDgGzcsylddQB8/ZbzMX11AXWKTTM9nXUCchcHc0W9dQNqo72zUd11AGcwd/dZ/XUBX70uN2YddQJYSeh3cj11A1DWord6XXUATWdY94Z9dQFF8BM7jp11AkJ8yXuavXUDOwmDu6LddQA3mjn7rv11ASwm9Du7HXUCJLOue8M9dQMhPGS/z111ABnNHv/XfXUBFlnVP+OddQIO5o9/6711AwtzRb/33XUAAAAAAAABeQA==\",\"dtype\":\"float64\",\"order\":\"little\",\"shape\":[800]},\"y\":{\"__ndarray__\":\"6ASibsSwpEDyeQKC7GmqQPwoOXysYK1A9Isu3/j/q0Cz3vjA9SKnQMG1zYmBEqFAwMH58IQnl0DwYFWw1baNQEj1o/ymsYJA+q/CVKsPeEACDsGKzm1wQPaCfm3GImdAp1inUxMdY0AnSgg3HKJgQK1q/rt8iF5AhOtt/ZrUX0DCQAqSAgBiQBEDBNY3qGZAcrYGwCzwbkBgHCLJZLZ1QE8rBsJEtn1AqD3wwYEVg0DxFM0ammWGQEqwK6blfIdAnwQ0z6DbhUC8QTDQ12OCQI2pmYCSl35ALwzOqwdhekC8XE7zd9h6QJYlnAUcsoBASgbLjRA/h0CR75S7NU2QQJnriqurnZVAAKcc+CZmmkAasdqdIfGcQJywnJ8OGZxAwT26W1Q7mEAHUOQCct+SQPrRWJiLDItA6VEUK/s+gkCuDx0chQp4QBCbHrAbXnBApDlrYTqFaEBJQjK5bqFnQHBq/QOW12lA39k+7cFTcUA9BT2rYhl5QBuepUPzloJACDUPjqfjikC9Xq50HW6SQExvjcusgpdA/0a77kCGm0BQ26qcnESdQHycEvmLBpxAs9mz4qF3mEC+8jI3EQaUQMTrXPtBBpBAVXDnvLK4ikAgNigRB7yIQLQe+BXZu4lAx27WL9uWjED3iUmy9baPQPVmiFn4vJBAw7jXG7dgkEBwZDV9qOCNQGdhvJT5cIlAv5mjKMRfhECtiiYTF+h+QGw0lgdkh3ZAjmHacuUPcEBQPj6JjxpnQLfeg9AydmFA9cRmq6HzXEBQpyoXzEtaQDBxbTnhSltA9V+31r+YXUDRLgFufytgQFUFaPIkcmFAbFa/498dYkCrl0L4oIRiQA1Kr66PpGJApN6lo9ZcY0BvM2VwxWdlQOv7YTz2U2lAgkpMg0Vcb0BDMy7d2aFzQMWWgXyCH3hA9R2ZYICBfECs6tmlCwKAQDSDGsn884BAatrpuPfbgEDi9wFh2kx/QKdxvLoSMHtAJMS/G2hFdkALbbH1b2VxQJ9CjKQBUmpA6Or8B4q+Y0AQZEBoylpeQE/l8EKvoVlAGvOCl5qfV0D0wSwiE2dYQNyrsdCqtVtArKU0AweYYECo1zBkCxZlQIWuHAblPmtARcmqV7KRcUCz/pBYCTd2QOhSGxLeJXtALfM26Ya3f0C5lqimi46BQPOG15kWS4JADV9+VDfpgUDPYfidoYCAQKrVhrQgz3xA8Jtyb44CeEBv7zb6r1VzQJ1TX1YVnm5Ae3FyV+R3aEDL8vujsF9kQH66DOzCrWJA1sTpYHpmYkDwCYpSxGxjQMX2CeVGaWVAfW1nUkTzZ0CPfaAlylVrQLiNqtsJRW9ALpsEde7mcUBBoRqItXN0QEWcou3RFXdAY8aYO/J6eUCMaNkjyTV7QHq6UZi9/ntAEJ/c1FVve0Bc93mWhbd5QLeVhZQ6QHdArFBdl36QdEANrMfE4SVyQDlnAOOFWnBAkGrRH7kQcEAFVqfRd5RwQJtpS+lTQXJAL/r5K4cDdUBs3q/6ocR4QNIHdSXCZ31Ark7YyY5ogUBr2Nf1PGqEQOK+TCfKxIdAitE13r5Fi0BVWM9TKLKOQAee+NYD5JBAfxWsEHH7kUCPrVbJN3GSQG4vDnTXKJJAh4pEEjgvkUAvSzX40W6PQIhe0ToWDYxAt9iLJAPfiECl18WbVimGQDwvOiNDQoRAZDkWAOtKg0DfkKavYiqDQARa1O8EsoNAgDlm58SfhEAO583Tg66FQFUUwUbxp4ZA68cyNPBvh0BIdp0GUeSHQHae+7EzTohAmu1b2MxwiEBhccdk/UGIQKQ2CnTkp4dASuDhItqPhkDcMW/w1PiEQPc8UxQaF4NAshc0cffpgECqwu5DR2p9QL2b8YASVHlA710Tiz3sdUCuhoTICFNzQHNFwDQdE3JAGXO33Yr8cUCd2upTXApzQHL9pyLUG3VAsGtU/Vr3d0BgWiHPVVl7QNVxtkjU0n5A16RGX8nzgEA6SHxhaTOCQKsyo2vd3oJA5mpPZdjmgkAHoG0MykiCQP+igbzoF4FA3Ly1HBULf0DVECFY6Ih7QLQhpT82BnhAGqKfCl7MdEC/aV+Y5gtyQJi7KuXktm9A+h8Yd9dybEAfLTt9tCxqQIeZr/4u2WhAoel0k2cAaEAGq7aFko1nQDhliR89W2dAd+esVqVNZ0CzzWKZRRNnQGgByfyR7mdAkH30vaGRaEC0C7L+/5JpQM2pM9B0G2tA+KHBzqBdbUDr5Ydf50BwQDtJ+EKOUHJAc6XNVPzfdEB04W0Vw+R3QALurOuFRntABACiJjH9fkAJuKPsGFyBQHfv9aFUKINAbuBcrqHJhEBA5D4EnyWGQEOs/qTDOodA4azhRzLSh0AfLwFZsfGHQPWFbH2CoIdAqoqCD7fzhkC4p6Nkyg+GQPiljPJvHYVAkBVq3hxChEDvcvcw85qDQC92FjPLOYNAl1MYaeojg0AShT98cFKDQGd1XvCTtINAc+hNZWMshECYP23RGLCEQEGqTR0zHoVALlHoIz1WhUArwy+T+0SFQKn/Q78B2IRA/J/l7CcJhECEyyQ6lMuCQJPmVxEzXoFAhFTeo8F1f0CVo+Uoi/97QJouUQoVl3hAqPVZZhdhdUBb7GfZbIVyQCmV+LmzGnBA+gCui1tVbEDTpzyl9WZpQFwuAwSjY2dAVia5Ton4ZUAGAbP69z5lQH3DYQ8M5GRAzPdLa+zBZECI30k6z7pkQHB5U29Mu2RAUxcc4wR9ZEAYosHqQJFkQLkAjKZlkWRAimdDmJWWZECoSqrs2JNkQOxCMG7riGRANPkRtFRyZEAuKZvkMKJkQGSh2lmEl2RAG0nhsjCOZEAALyX4MYpkQDzbMBIhl2RAdHLqfFDCZEAQLCyuFBxlQAfA614rt2VAgC6Pxu6mZkD3D4aAcDFoQOQV+frdCmpA4BzM34VzbEBqyxRvt1VvQKl76rtmVHFAR3pLQngpc0A4yI/j/hZ1QI2qUyuOEndAUKiL6zT1eEDt8W4l3qx6QLrIr2ElInxATUvK/f48fUCkTrnBevx9QAr/eX0BXX5AR2CyyVZafkB9BUUlmgV+QG9+fkZwbn1AlyalxECgfECN4Y7iarJ7QA87Vvhiu3pAhzzPMtGneUBWrFeR+op4QEFYevm2a3dAdOdJAe5QdkDrs9UWYUF1QHpOUvQGQ3RAfNhFSIRac0DxdTRlTrVyQO9gclu5F3JAiQCsVhqfcUA8N7sFfk5xQJF201xDKHFAHD0d7AQ8cUCQw3D7JFxxQDpviSCmynFAIcBN7g1gckC8YFyDAhxzQJMON8YV+3NAAOXQXZ/5dECcAdRd0BJ2QK55DF+GS3dAiaDkQiyMeEAPR4fmXNR5QPqc/vTkD3tATTI5I+hQfEAgMwVWY3t9QI0OyX1BgX5ANG61FHNWf0B3Smcrzux/QEC93dxRHIBA7/3j76cWgEAHVTkxtdV/QCVOzMRuK39ArAfUeGY2fkCF3bqmSwF9QKp4utZOmXtA1fEa4XQMekAPjYmX0Gh4QJjXw6TLx3ZAdUYuspUodUDsVNvYkZVzQM+jRETlF3JAQc/AXb20cECQfm2Oj95uQFKcaRrFgmxA5RgR7yF+akDYs8sMxrxoQFo0gYQMPWdAZBGVZFMCZkDK7uybpg1lQM14t7QhX2RAIxfISP2XZECACCwSqbdkQMTrnIQH+GRAGJY3LG7aZUDMyW2snA1nQAXDLYz/kWhATOsITExmakD9Vt3WVJFsQAQqfO8y8W5AHgtNbFTVcEBuoGbXKFFyQDBjv5556XNAmsDkiK2ndUD3FROeknV3QF1bZeF5WHlACjHc505Me0DopuTVZ0t9QKWDB1AFR39A0rOElrGigED4+V902JeBQHtXWrvoe4JAxZ4Rc6lGg0DCpoKW7u+DQCtlfRJ9b4RApJTuXyHEhEDDqzAr0uCEQHozuktYx4RAzGXuAJV4hECIbFdnkviDQHvzHAWYTYNAobw9xml/gkBM3v8ZgJaBQPQpWCeVpIBApRbCUEVGf0AQ258igEB9QGIGj+lXRXtAWIdMPSxgeUDkC/gyoZd3QJRIg8EDAnZAkiE/452TdEA7HfrUkFZzQIeMhvDHSnJAyp57YTFxcUCb9MEcc8lwQN+txQUcVHBAJgjQJjoLcEDvlv7yDthvQFgz19fp529ACllqhdsccECbPLPQWm5wQIAHr0/5zHBA3AR/Mvw7cUB2BiHVOpFxQMGKguErG3JAaI+VZJigckB1pD1cEB1zQADonS4Dm3NArQwNEAr/c0BmHGe6clB0QCE7C4zKjHRA/7Un24aydEAJiqIJ0cR0QMBh72NuwHRA7paUZ+endEA4pUP5LX50QOBUq9PgRnRAGGijSrT+c0CNsefV7rpzQCmXhgZ5dXNAD9grUQMyc0AQUB1zDPRyQEcKd7cavnJAFyHEsEKrckCbAxpwR5JyQMQlWjfphXJAf/42vjCFckBVQNjuOI9yQNhDLvEConJABWN7lIu7ckDdKMTnwtlyQEKbviKr/HJAv2BSo9Mjc0D7scrhnEpzQL7wwelKcHNA0EWHxVOXc0AUv39VXLpzQPE+2s9G4HNAtchlLaICdECKP2RtzSV0QGSrZMd+QHRAG4g7QAhtdEDUWm4Bzp10QOnYNBAm1HRAFMfHLtUQdUBnLkjhYU91QKY6SzKHmXVAAybadOr1dUD32M6vWEt2QDcasuJwoHZAxQhmveTxdkCVGkc19zt3QIstzrXKendA/vzVirGqd0BUrrse6c53QMjzYkke23dA2yfOugjSd0AxHHqrdLN3QDT1IysLj3dA1AaAFV9Gd0C0DsdYgPd2QM94Y1WEm3ZA8qhBiSM2dkC4JL4c9sp1QPlRxVq+XXVAPFsR2yrydEBAeDqQ8Y90QCw1AmfAJ3RAdcOtWHzZc0AgvQtI85dzQKy4reIOcXNAOIYGurtRc0DK39jpp0NzQPyHJZqTQ3NAYep2qCZYc0D9bwMCl3tzQOPTi+QJrHNAYDoOFrbtc0CgRbMQ9DJ0QBMYtCYGfnRAyIV+0DjMdEBidUc1mh51QHt7vNGebHVAKSLCHdy3dUBHMwfXlvx1QOxM9ubiOXZAg5z0YlFZdkAUhIvPOYl2QIJLaNg3tXZAaPtHCK3NdkC8fejLQNl2QMSym4MU2HZA5jcnXZHKdkCITjdmO7d2QF+ZyhQVlXZAaWP46plkdkDNuwSv4TJ2QC8L8npX+nVAS8BKRmi8dUCJGuJLY3p1QBxaNNWzNHVAmTIsmcfudEAnw1++c6V0QDzARWKNXnRApSRh/gUadEBgzXl5V9RzQFzYIHnHj3NA+H2s5q5Mc0AlWl1QSwtzQDEGwsO7y3JAgXU1EP6NckBx3JsV9FZyQK/pYTm1HXJAoYIfSNXlcUC/ks2rF6ZxQJMDqheffXFAju1jlTlMcUDE3QyRmhpxQJuWElV16HBAj6+Tl4C1cEAX9XScdIFwQP/UYWsRTHBAr7vqsgwacEBkwZL1BMtvQC+Ax7M4X29AbIRCpVDxbkDkt59IYopuQJ0q7ad1B25AamUf3AymbUAV9YVmjURtQIAXxEVN6GxA3Tf8u9uTbEAwzNryyElsQEfUrcyfEmxA+Nlj8STma0BwRMclf8VrQIdEm4U2v2tAzSTy4CLNa0BwDUhRZAVsQGq2flxpQ2xAMFrNyxWGbEBa2y5SIfVsQC9eSAgPeG1AqpwYiakNbkBE2lF9/rNuQJrB1y+Hgm9A7PuXCa8kcECKddM6DI1wQLMznuvG+HBAy5eEpNxncUCkkq+v5tdxQKJxURpmRnJA3vPjm+SxckDNvyu/ChlzQLg3a8bud3NAuE4GybTTc0Dix0V35il0QAULWczwdnRArCGSlbK7dECUoF/oBvh0QKR7Tb7SNnVAlP4UhzFldUA/GTizsoR1QF6oxoqupnVAVKb/BgvCdUAVZWVbjtd1QCwSGzEG6HVAqzS5U9DwdUC3QOpfrfp1QNUrlEiPAXZAuPHLbCgGdkAPbXHqMRN2QGxhKxSqGHZAOC7bez4cdkAFgGS6aB92QEOYKgg0InZAKFuj+7gjdkAOeBYMpCV2QEwXfBJkJ3ZAxseP5lIndkA85UAotiV2QNPTc7ijIHZA8itZbTExdkAQficMMC52QKcFG+o5KXZASXxQTjUidkC46lnXHRl2QKEG6GsDDnZAIqqBNw0BdkCSINssg/F1QDWB40Qp43VAgl3cnuTTdUAQ8F16PsR1QMlByNwHu3VAiYWgM3ikdUBSeqLh/Jp1QM33PDxSk3VAZCZ0vCGOdUDY2jBy/ot1QBIaiTVojXVA3H45keWTdUAVyLajzZ11QI1AtYJFrHVA4l3rfXW4dUC9qhh++9F1QAQl3vre83VA3JjoC/oWdkCZceqWYz52QEeqey7DZnZATJAldSeVdkB8/RCiSch2QOYzZ+erAXdA1FdFiK45d0BA+K7wu3J3QLVgDaz5q3dAkCcKlHzkd0CUGE187hp4QDxjOE4MUXhAtKcbCbGCeEDl6L0us694QLaPkOoi13hA8j0Cp33weEDgOa9ivgt5QHDHdXyAHnlAKArlnRgoeUA4L8qD6Cd5QGAHGBVtHXlAgW+soWIQeUBYBwMX6/F4QJfzfOOvyHhA53DJvZOMeEAF9dbgBVB4QE+QRugdCXhAvge+1nq4d0BTQPPBc193QHsRVv66+XZAs2zoB7GRdkAY9/i/OCN2QCARMOZtr3VAklzTxzo3dUCUXTy+u7t0QGuovKn5PXRAQCEcWfa+c0B0bfkBvz1zQN/d9GF3v3JA6DPxJJhCckCV4R4q5sdxQAfcQlUWUHFA350TX8PbcEB2rXkR929wQOjeuPPCB3BA4FMGH7ZIb0BkpLB8FYxuQIAn7mYO2m1A5eVgUdwybUBMAJAWkJZsQOLs6XdJFWxAeNdZToeQa0DKLN3hqhdrQNXlDZczqWpAJAXKhrhEakCKpwKCmPVpQMCL6f3Hl2lAtPt4FK5UaUDrBCRVzBZpQF2RXgqz42hAlP7pt8O3aEDoMx4EupJoQNYUBjOodmhAAMa6miRfaEBTZvup+E1oQFSSDsjiQWhAMEjTP/pDaECct1ldj0ZoQAClYT5OT2hAlIBuyjxeaEBRNLndF1BoQFh8Iot6cmhAcF30lACaaEBc7+hqJMxoQNzo73HE/2hAt3tMIIg5aUDMxafrrXlpQBB+FgnUyGlAP+GrZ8AXakCdtI8ziGlqQF+q9qxdx2pASs3mxxAsa0BC6ty1gJdrQBXEGSxxCWxAnXmq6VyGbED8xV6NpghtQHouncMVkG1ABLUlVBIcbkCP9YCw5qtuQA/pzN0caW9AJhjGM40CcEDqBgownVFwQC7EexJFoXBAGPUXDinwcECneNj9qT9xQMYWygk3jnFAuIWNPtPdcUAsdb0SZSlyQO6YlYvbb3JAS3hMjdy2ckCXki2fwP1yQChrs/yMPnNA92qPQMZ8c0B0tAfsOLZzQEQL+1a863NAEcsCQEYddEDEKsmE3Up0QGHO6LMGdHRAQS0zOhCbdEBH/7vMk750QO8r7cjc3nRA+CVm/kL8dECcEiZRAxh1QLBSgoaDMXVAYKNF3KFIdUDSC+UeeV91QEgiWWicdXVATO7dcYaLdUDpc+NXrqF1QL51CH9ZvHVAeL4HWdzUdUDxhS056e51QGFJv53UCnZAQuBCZhksdkBs8QxaAk12QHXP7LaAcHZAXPizXuuPdkBwewL0+7l2QGGtKWWH5nZArlVLSnkVd0CVT1uNqkZ3QK0EqprieXdAzGZsBtiud0Cl5heZMeV3QOQeu5OHHHhA3CkoXxZZeEAvSOg60JF4QMYRSy8cynhAebhHqWsBeUBtgpl7Kjd5QEN4rfXAanlAUrBZFYebeUAAxqlxNMx5QHxkbK019nlA/2/c8cUbekA/1J0zXjx6QAr4xAWBV3pA3TLfPWhuekD1vHXZkn16QEin3KcjhnpAQHYvidSHekBk1Xn+doJ6QKC6bhnodXpA6L0UnxliekDKMSiRD0d6QPAzmOD8GXpAN6pGbpnyeUBFAClVJ8R5QNahGRv1jnlAPui4hFxTeUBkUSPHwRF5QLG3C7yRynhAYwDRRUB+eEBptdq5Ri14QL3G/1Yi2HdAhpwQxaJ4d0AIxi5iwR13QExt154LwHZAxVXNDAZgdkDtke3dMf51QIxuZQdIlnVAFEVlkwszdUCTmiAZQM50QKFXM0iQanRAK2faiCgHdEAQEJpmZ6RzQKyBEn+iQnNAi+ZNPybickDfGCm9NYNyQFkJKqwKJnJAtIlnsvrJcUD/+XJJBXFxQBs0bRxGGnFAVzfDj9PFcEB0dHnNu3NwQALwiRAaIXBALAf6tnCob0AlH+DfPRNvQMC5FUiGgm5AwOE+Eij2bUDdR0lC+G1tQAxtLo7D6WxAkpYSsE9pbECikl2rXOxrQFrIRAGmcmtAyhkmZqP3akBd6nPuMoRqQCobGI0JE2pAn/aLQt6jaUDUMfojaDZpQA==\",\"dtype\":\"float64\",\"order\":\"little\",\"shape\":[800]}},\"selected\":{\"id\":\"1225\"},\"selection_policy\":{\"id\":\"1224\"}},\"id\":\"1211\",\"type\":\"ColumnDataSource\"},{\"attributes\":{},\"id\":\"1245\",\"type\":\"Selection\"},{\"attributes\":{\"bottom_units\":\"screen\",\"coordinates\":null,\"fill_alpha\":0.5,\"fill_color\":\"lightgrey\",\"group\":null,\"left_units\":\"screen\",\"level\":\"overlay\",\"line_alpha\":1.0,\"line_color\":\"black\",\"line_dash\":[4,4],\"line_width\":2,\"right_units\":\"screen\",\"syncable\":false,\"top_units\":\"screen\"},\"id\":\"1203\",\"type\":\"BoxAnnotation\"},{\"attributes\":{\"line_color\":\"#e6f598\",\"line_width\":2,\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"1249\",\"type\":\"Line\"},{\"attributes\":{},\"id\":\"1197\",\"type\":\"PanTool\"},{\"attributes\":{\"background_fill_alpha\":0.25,\"background_fill_color\":\"#20262B\",\"border_line_alpha\":0,\"coordinates\":null,\"glyph_width\":15,\"group\":null,\"items\":[{\"id\":\"1228\"},{\"id\":\"1247\"},{\"id\":\"1268\"}],\"label_standoff\":8,\"label_text_color\":\"#E0E0E0\",\"label_text_font\":\"Helvetica\",\"label_text_font_size\":\"1.025em\",\"spacing\":8},\"id\":\"1227\",\"type\":\"Legend\"},{\"attributes\":{\"line_alpha\":0.2,\"line_color\":\"#e6f598\",\"line_width\":2,\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"1251\",\"type\":\"Line\"},{\"attributes\":{\"data\":{\"x\":{\"__ndarray__\":\"AAAAAAAANED6jLhACiA0QPQZcYEUQDRA7qYpwh5gNEDoM+ICKYA0QOLAmkMzoDRA3E1ThD3ANEDV2gvFR+A0QM9nxAVSADVAyfR8RlwgNUDDgTWHZkA1QL0O7sdwYDVAt5umCHuANUCxKF9JhaA1QKu1F4qPwDVApULQypngNUCfz4gLpAA2QJhcQUyuIDZAkun5jLhANkCMdrLNwmA2QIYDaw7NgDZAgJAjT9egNkB6HdyP4cA2QHSqlNDr4DZAbjdNEfYAN0BoxAVSACE3QGJRvpIKQTdAXN520xRhN0BWay8UH4E3QFD451QpoTdASYWglTPBN0BDElnWPeE3QD2fERdIAThANyzKV1IhOEAxuYKYXEE4QCtGO9lmYThAJdPzGXGBOEAfYKxae6E4QBntZJuFwThAE3od3I/hOEAMB9YcmgE5QAaUjl2kITlAACFHnq5BOUD6rf/euGE5QPQ6uB/DgTlA7sdwYM2hOUDoVCmh18E5QOLh4eHh4TlA3G6aIuwBOkDW+1Jj9iE6QNCIC6QAQjpAyhXE5ApiOkDEonwlFYI6QL4vNWYfojpAt7ztpinCOkCxSabnM+I6QKvWXig+AjtApWMXaUgiO0Cf8M+pUkI7QJl9iOpcYjtAkwpBK2eCO0CNl/lrcaI7QIcksqx7wjtAgLFq7YXiO0B6PiMukAI8QHTL226aIjxAbliUr6RCPEBo5UzwrmI8QGJyBTG5gjxAXP+9ccOiPEBWjHayzcI8QFAZL/PX4jxASqbnM+ICPUBEM6B07CI9QD7AWLX2Qj1AOE0R9gBjPUAy2sk2C4M9QCxngncVoz1AJvQ6uB/DPUAfgfP4KeM9QBkOrDk0Az5AE5tkej4jPkANKB27SEM+QAe11ftSYz5AAUKOPF2DPkD6zkZ9Z6M+QPRb/71xwz5A7ui3/nvjPkDodXA/hgM/QOICKYCQIz9A3I/hwJpDP0DWHJoBpWM/QNCpUkKvgz9AyjYLg7mjP0DEw8PDw8M/QL5QfATO4z9A3G6aIuwBQEBZtfZC8RFAQNb7UmP2IUBAU0Kvg/sxQEDQiAukAEJAQE3PZ8QFUkBAyhXE5ApiQEBGXCAFEHJAQMSifCUVgkBAQOnYRRqSQEC+LzVmH6JAQDp2kYYkskBAt7ztpinCQEA0A0rHLtJAQLFJpucz4kBALpACCDnyQECr1l4oPgJBQCgdu0hDEkFApWMXaUgiQUAiqnOJTTJBQJ/wz6lSQkFAHDcsyldSQUCZfYjqXGJBQBbE5ApickFAkwpBK2eCQUAQUZ1LbJJBQI2X+WtxokFACt5VjHayQUCHJLKse8JBQARrDs2A0kFAgLFq7YXiQUD+98YNi/JBQHo+Iy6QAkJA+IR/TpUSQkB0y9tumiJCQPIROI+fMkJAbliUr6RCQkDsnvDPqVJCQGjlTPCuYkJA5SupELRyQkBicgUxuYJCQN+4YVG+kkJAXP+9ccOiQkDZRRqSyLJCQFaMdrLNwkJA09LS0tLSQkBQGS/z1+JCQM1fixPd8kJASqbnM+ICQ0DH7ENU5xJDQEQzoHTsIkNAwHn8lPEyQ0A+wFi19kJDQLoGtdX7UkNAOE0R9gBjQ0C0k20WBnNDQDLayTYLg0NAriAmVxCTQ0AsZ4J3FaNDQKit3pcas0NAJvQ6uB/DQ0CiOpfYJNNDQB+B8/gp40NAnMdPGS/zQ0AZDqw5NANEQJZUCFo5E0RAE5tkej4jRECQ4cCaQzNEQA0oHbtIQ0RAim55201TREAHtdX7UmNEQIT7MRxYc0RAAUKOPF2DREB+iOpcYpNEQPrORn1no0RAeBWjnWyzRED0W/+9ccNEQHKiW95200RA7ui3/nvjREBsLxQfgfNEQOh1cD+GA0VAZrzMX4sTRUDiAimAkCNFQGBJhaCVM0VA3I/hwJpDRUBZ1j3hn1NFQNYcmgGlY0VAU2P2IapzRUDQqVJCr4NFQE3wrmK0k0VAyjYLg7mjRUBHfWejvrNFQMTDw8PDw0VAQQog5MjTRUC+UHwEzuNFQDuX2CTT80VAuN00RdgDRkA0JJFl3RNGQLJq7YXiI0ZALrFJpuczRkCs96XG7ENGQCg+AufxU0ZApoReB/djRkAiy7on/HNGQKARF0gBhEZAHFhzaAaURkCans+IC6RGQBblK6kQtEZAkyuIyRXERkAQcuTpGtRGQI24QAog5EZACv+cKiX0RkCHRflKKgRHQASMVWsvFEdAgdKxizQkR0D+GA6sOTRHQHtfasw+REdA+KXG7ENUR0B17CINSWRHQPIyfy1OdEdAbnnbTVOER0DsvzduWJRHQGgGlI5dpEdA5kzwrmK0R0Bik0zPZ8RHQODZqO9s1EdAXCAFEHLkR0DaZmEwd/RHQFatvVB8BEhA1PMZcYEUSEBQOnaRhiRIQM2A0rGLNEhASscu0pBESEDHDYvylVRIQERU5xKbZEhAwZpDM6B0SEA+4Z9TpYRIQLsn/HOqlEhAOG5YlK+kSEC1tLS0tLRIQDL7ENW5xEhAr0Ft9b7USEAsiMkVxORIQKjOJTbJ9EhAJhWCVs4ESUCiW9520xRJQCCiOpfYJElAnOiWt900SUAaL/PX4kRJQJZ1T/jnVElAFLyrGO1kSUCQAgg58nRJQA5JZFn3hElAio/AefyUSUAI1hyaAaVJQIQceboGtUlAAWPV2gvFSUB+qTH7ENVJQPvvjRsW5UlAeDbqOxv1SUD1fEZcIAVKQHLDonwlFUpA7wn/nColSkBsUFu9LzVKQOmWt900RUpAZt0T/jlVSkDjI3AeP2VKQGBqzD5EdUpA3bAoX0mFSkBa94R/TpVKQNc94Z9TpUpAVIQ9wFi1SkDQypngXcVKQE0R9gBj1UpAyldSIWjlSkBHnq5BbfVKQMTkCmJyBUtAQStngncVS0C+ccOifCVLQDu4H8OBNUtAuP5744ZFS0A1RdgDjFVLQLKLNCSRZUtAL9KQRJZ1S0CsGO1km4VLQClfSYWglUtApqWlpaWlS0Aj7AHGqrVLQKAyXuavxUtAHXm6BrXVS0CavxYnuuVLQBcGc0e/9UtAlEzPZ8QFTEARkyuIyRVMQI7Zh6jOJUxACiDkyNM1TECHZkDp2EVMQAStnAneVUxAgfP4KeNlTED+OVVK6HVMQHuAsWrthUxA+MYNi/KVTEB1DWqr96VMQPJTxsv8tUxAb5oi7AHGTEDs4H4MB9ZMQGkn2ywM5kxA5m03TRH2TEBjtJNtFgZNQOD6740bFk1AXUFMriAmTUDah6jOJTZNQFfOBO8qRk1A1BRhDzBWTUBRW70vNWZNQM6hGVA6dk1AS+h1cD+GTUDILtKQRJZNQEV1LrFJpk1AwbuK0U62TUA+AufxU8ZNQLtIQxJZ1k1AOI+fMl7mTUC11ftSY/ZNQDIcWHNoBk5Ar2K0k20WTkAsqRC0ciZOQKnvbNR3Nk5AJjbJ9HxGTkCjfCUVglZOQCDDgTWHZk5AnQneVYx2TkAaUDp2kYZOQJeWlpaWlk5AFN3ytpumTkCRI0/XoLZOQA5qq/elxk5Ai7AHGKvWTkAI92M4sOZOQIU9wFi19k5AAoQceboGT0B/yniZvxZPQPsQ1bnEJk9AeFcx2sk2T0D1nY36zkZPQHLk6RrUVk9A7ypGO9lmT0BscaJb3nZPQOm3/nvjhk9AZv5anOiWT0DjRLe87aZPQGCLE93ytk9A3dFv/ffGT0BaGMwd/dZPQNdeKD4C509AVKWEXgf3T0DodXA/hgNQQCeZns+IC1BAZrzMX4sTUECk3/rvjRtQQOICKYCQI1BAISZXEJMrUEBgSYWglTNQQJ5sszCYO1BA3I/hwJpDUEAasw9RnUtQQFnWPeGfU1BAmPlrcaJbUEDWHJoBpWNQQBRAyJGna1BAU2P2IapzUECShiSyrHtQQNCpUkKvg1BADs2A0rGLUEBN8K5itJNQQIwT3fK2m1BAyjYLg7mjUEAIWjkTvKtQQEd9Z6O+s1BAhqCVM8G7UEDEw8PDw8NQQALn8VPGy1BAQQog5MjTUECALU50y9tQQL5QfATO41BA/HOqlNDrUEA7l9gk0/NQQHq6BrXV+1BAuN00RdgDUUD2AGPV2gtRQDQkkWXdE1FAc0e/9d8bUUCyau2F4iNRQPCNGxblK1FALrFJpuczUUBt1Hc26jtRQKz3pcbsQ1FA6hrUVu9LUUAoPgLn8VNRQGdhMHf0W1FApoReB/djUUDkp4yX+WtRQCLLuif8c1FAYe7ot/57UUCgERdIAYRRQN40RdgDjFFAHFhzaAaUUUBbe6H4CJxRQJqez4gLpFFA2MH9GA6sUUAW5SupELRRQFUIWjkTvFFAkyuIyRXEUUDSTrZZGMxRQBBy5Oka1FFATpUSeh3cUUCNuEAKIORRQMzbbpoi7FFACv+cKiX0UUBIIsu6J/xRQIdF+UoqBFJAxmgn2ywMUkAEjFVrLxRSQEKvg/sxHFJAgdKxizQkUkDA9d8bNyxSQP4YDqw5NFJAPDw8PDw8UkB7X2rMPkRSQLqCmFxBTFJA+KXG7ENUUkA2yfR8RlxSQHXsIg1JZFJAtA9RnUtsUkDyMn8tTnRSQDBWrb1QfFJAbnnbTVOEUkCtnAneVYxSQOy/N25YlFJAKuNl/lqcUkBoBpSOXaRSQKcpwh5grFJA5kzwrmK0UkAkcB4/ZbxSQGKTTM9nxFJAobZ6X2rMUkDg2ajvbNRSQB791n9v3FJAXCAFEHLkUkCbQzOgdOxSQNpmYTB39FJAGIqPwHn8UkBWrb1QfARTQJXQ6+B+DFNA1PMZcYEUU0ASF0gBhBxTQFA6dpGGJFNAj12kIYksU0DNgNKxizRTQAykAEKOPFNASscu0pBEU0CI6lxik0xTQMcNi/KVVFNABjG5gphcU0BEVOcSm2RTQIJ3FaOdbFNAwZpDM6B0U0AAvnHDonxTQD7hn1OlhFNAfATO46eMU0C7J/xzqpRTQPpKKgStnFNAOG5YlK+kU0B2kYYksqxTQLW0tLS0tFNA9NfiRLe8U0Ay+xDVucRTQHAeP2W8zFNAr0Ft9b7UU0DuZJuFwdxTQCyIyRXE5FNAaqv3pcbsU0CoziU2yfRTQOfxU8bL/FNAJhWCVs4EVEBkOLDm0AxUQKJb3nbTFFRA4X4MB9YcVEAgojqX2CRUQF7FaCfbLFRAnOiWt900VEDbC8VH4DxUQBov89fiRFRAWFIhaOVMVECWdU/451RUQNWYfYjqXFRAFLyrGO1kVEBS39mo72xUQJACCDnydFRAzyU2yfR8VEAOSWRZ94RUQExskun5jFRAio/AefyUVEDJsu4J/5xUQAjWHJoBpVRARvlKKgStVECEHHm6BrVUQMI/p0oJvVRAAWPV2gvFVEBAhgNrDs1UQH6pMfsQ1VRAvMxfixPdVED7740bFuVUQDoTvKsY7VRAeDbqOxv1VEC2WRjMHf1UQPV8RlwgBVVAM6B07CINVUByw6J8JRVVQLDm0AwoHVVA7wn/nColVUAtLS0tLS1VQGxQW70vNVVAqnOJTTI9VUDplrfdNEVVQCe65W03TVVAZt0T/jlVVUCkAEKOPF1VQOMjcB4/ZVVAIUeerkFtVUBgasw+RHVVQJ6N+s5GfVVA3bAoX0mFVUAb1FbvS41VQFr3hH9OlVVAmBqzD1GdVUDXPeGfU6VVQBVhDzBWrVVAVIQ9wFi1VUCSp2tQW71VQNDKmeBdxVVAD+7HcGDNVUBNEfYAY9VVQIw0JJFl3VVAyldSIWjlVUAJe4Cxau1VQEeerkFt9VVAhsHc0W/9VUDE5ApicgVWQAMIOfJ0DVZAQStngncVVkCATpUSeh1WQL5xw6J8JVZA/ZTxMn8tVkA7uB/DgTVWQHrbTVOEPVZAuP5744ZFVkD3IapziU1WQDVF2AOMVVZAdGgGlI5dVkCyizQkkWVWQPGuYrSTbVZAL9KQRJZ1VkBt9b7UmH1WQKwY7WSbhVZA6jsb9Z2NVkApX0mFoJVWQGeCdxWjnVZApqWlpaWlVkDkyNM1qK1WQCPsAcaqtVZAYQ8wVq29VkCgMl7mr8VWQN5VjHayzVZAHXm6BrXVVkBbnOiWt91WQJq/Fie65VZA2OJEt7ztVkAXBnNHv/VWQFUpodfB/VZAlEzPZ8QFV0DSb/33xg1XQBGTK4jJFVdAT7ZZGMwdV0CO2YeoziVXQMz8tTjRLVdACiDkyNM1V0BJQxJZ1j1XQIdmQOnYRVdAxoluedtNV0AErZwJ3lVXQEPQypngXVdAgfP4KeNlV0DAFie65W1XQP45VUrodVdAPV2D2up9V0B7gLFq7YVXQLqj3/rvjVdA+MYNi/KVV0A36jsb9Z1XQHUNaqv3pVdAtDCYO/qtV0DyU8bL/LVXQDF39Fv/vVdAb5oi7AHGV0CuvVB8BM5XQOzgfgwH1ldAKwStnAneV0BpJ9ssDOZXQKhKCb0O7ldA5m03TRH2V0AkkWXdE/5XQGO0k20WBlhAodfB/RgOWEDg+u+NGxZYQB4eHh4eHlhAXUFMriAmWECbZHo+Iy5YQNqHqM4lNlhAGKvWXig+WEBXzgTvKkZYQJXxMn8tTlhA1BRhDzBWWEASOI+fMl5YQFFbvS81ZlhAj37rvzduWEDOoRlQOnZYQAzFR+A8flhAS+h1cD+GWECJC6QAQo5YQMgu0pBEllhABlIAIUeeWEBFdS6xSaZYQIOYXEFMrlhAwbuK0U62WEAA37hhUb5YQD4C5/FTxlhAfSUVglbOWEC7SEMSWdZYQPprcaJb3lhAOI+fMl7mWEB3ss3CYO5YQLXV+1Jj9lhA9Pgp42X+WEAyHFhzaAZZQHE/hgNrDllAr2K0k20WWUDuheIjcB5ZQCypELRyJllAa8w+RHUuWUCp72zUdzZZQOgSm2R6PllAJjbJ9HxGWUBlWfeEf05ZQKN8JRWCVllA4p9TpYReWUAgw4E1h2ZZQF7mr8WJbllAnQneVYx2WUDbLAzmjn5ZQBpQOnaRhllAWHNoBpSOWUCXlpaWlpZZQNW5xCaZnllAFN3ytpumWUBSACFHnq5ZQJEjT9egtllAz0Z9Z6O+WUAOaqv3pcZZQEyN2YeozllAi7AHGKvWWUDJ0zWord5ZQAj3Yziw5llARhqSyLLuWUCFPcBYtfZZQMNg7ui3/llAAoQceboGWkBAp0oJvQ5aQH/KeJm/FlpAve2mKcIeWkD7ENW5xCZaQDo0A0rHLlpAeFcx2sk2WkC3el9qzD5aQPWdjfrORlpANMG7itFOWkBy5Oka1FZaQLEHGKvWXlpA7ypGO9lmWkAuTnTL225aQGxxolvedlpAq5TQ6+B+WkDpt/5744ZaQCjbLAzmjlpAZv5anOiWWkClIYks655aQONEt7ztplpAImjlTPCuWkBgixPd8rZaQJ+uQW31vlpA3dFv/ffGWkAc9Z2N+s5aQFoYzB391lpAmDv6rf/eWkDXXig+AudaQBWCVs4E71pAVKWEXgf3WkCSyLLuCf9aQNHr4H4MB1tADw8PDw8PW0BOMj2fERdbQIxVay8UH1tAy3iZvxYnW0AJnMdPGS9bQEi/9d8bN1tAhuIjcB4/W0DFBVIAIUdbQAMpgJAjT1tAQkyuICZXW0CAb9ywKF9bQL+SCkErZ1tA/bU40S1vW0A82WZhMHdbQHr8lPEyf1tAuR/DgTWHW0D3QvEROI9bQDVmH6I6l1tAdIlNMj2fW0CyrHvCP6dbQPHPqVJCr1tAL/PX4kS3W0BuFgZzR79bQKw5NANKx1tA61xik0zPW0ApgJAjT9dbQGijvrNR31tApsbsQ1TnW0Dl6RrUVu9bQCMNSWRZ91tAYjB39Fv/W0CgU6WEXgdcQN920xRhD1xAHZoBpWMXXEBcvS81Zh9cQJrgXcVoJ1xA2QOMVWsvXEAXJ7rlbTdcQFZK6HVwP1xAlG0WBnNHXEDSkESWdU9cQBG0ciZ4V1xAT9egtnpfXECO+s5GfWdcQMwd/dZ/b1xAC0ErZ4J3XEBJZFn3hH9cQIiHh4eHh1xAxqq1F4qPXEAFzuOnjJdcQEPxETiPn1xAghRAyJGnXEDAN25YlK9cQP9anOiWt1xAPX7KeJm/XEB8ofgInMdcQLrEJpmez1xA+edUKaHXXEA3C4O5o99cQHYusUmm51xAtFHf2ajvXEDzdA1qq/dcQDGYO/qt/1xAcLtpirAHXUCu3pcasw9dQOwBxqq1F11AKyX0OrgfXUBpSCLLuiddQKhrUFu9L11A5o5+6783XUAlsqx7wj9dQGPV2gvFR11AovgInMdPXUDgGzcsylddQB8/ZbzMX11AXWKTTM9nXUCchcHc0W9dQNqo72zUd11AGcwd/dZ/XUBX70uN2YddQJYSeh3cj11A1DWord6XXUATWdY94Z9dQFF8BM7jp11AkJ8yXuavXUDOwmDu6LddQA3mjn7rv11ASwm9Du7HXUCJLOue8M9dQMhPGS/z111ABnNHv/XfXUBFlnVP+OddQIO5o9/6711AwtzRb/33XUAAAAAAAABeQA==\",\"dtype\":\"float64\",\"order\":\"little\",\"shape\":[800]},\"y\":{\"__ndarray__\":\"QofB24Q9mECd9agUnOmeQEIkpq0BIaFAGIAeQY8yoEBQ7Ubea1qaQKfa08VF5JJAeFD3GeJmiECQxn3qmC19QF8D03Bx6XBA2kSG6whaZEC1LM1IpyJbQIub+1JmHFNAcwnMJWGQUEColEXj5INNQD85rdEkBUtArJsz0OqaSkAchhXe35VLQIT+a44rKE9Aleuwp5sdU0D0EC3xs6dYQGcF29ha4F9AihY53AfNY0B34TgU9OFmQKTICWV9AWhAkEnvbJe6ZkBaGlz8P95jQJedcOFQUGJABal0Sh0xYkCQWXAcl6ZlQN1SN6ZNB25Avx4yTQ8DdkBNtN7k3oB/QJrHD2MtEoVAsDLNvqTMiUASJ8xOs1KMQCS/HLuqhItAJb89VaG+h0AEgMvTRIGCQA/hF55yjXpAVfkxcjL1cUDkp+akosxnQEOFFbBZZGBAnHwoIWoGWUAwm0xeLllZQMDjWanSIl1AB/Y1JFlVZEBqmz2ofF1uQPU4AWRK8HZAtvePATzJgEA4U0amaSqHQI1FoG7sqI1AS698sBVkkUBrdtI5eHqSQF9btnlgpJFASlz3YvSUjkAdMB5djJ6IQMAMGpIpEINAvf0KqBL8fUBn7SvoNZ15QDjxB/JVnHhAUFLaBGq6eUB4VUPDFU57QLfTFcVtuntAF25w6hzyeUAyLpCkdnZ2QPqlEUAN7nFAup5km8iqakADwffC8rBiQBAf3kqAt1hAx6XIaKxeT0BzkHO1J4ZCQOf7tuR6MzFANOPfbtrj7r8gf6L+kFA1wNfryiJQ9kTAU0QpXaoBUMCSK7UJ9xRVwAejk4LZsFjAqKfkGAPBWcBFcXnqIyZXwJdcxoYd0FHApx1bQqhTRMA090uU8wMIwErAXMHpaURAuA1x+hS1VkANiuJ471ZiQI2w0bLX0GlAWG8nRz2acEDMAktgaMxzQHzKCWR2+HVASOkLniN2dkDgAfmO0TB1QIXv6681bXJADUdHctSNbUAWRNei5rJlQBBNnALvWFxAkKzrb4/qTUAajwiU2s4sQI30+wH7BTbALZl93P87ScCF3eqBEm1RwB9n7LQynFPACzsyrnATU8D6231kfmtOwNNS79q+GULANHqbeSMOFsDaVS73WKE7QNSwfkqiyk1AjS5yQAW1VUB6BCshv41aQI2DzthR4VxAQCSmKvamXEA6R5hUPE5aQBcLzk8BtFZAXWj82Z3IUkBn93SQ4wNOQEpDOySO+EdAjcZAC8zQQ0DNaNIqw4pBQLCtIsqzPkFAZ128b/UQQkCH1OkOTsVDQGDmSYGa+UVAlO1ik7M8SED0IUosJ8xKQADDpeGsZU1AEHudAjAYUECzFZMPmJ5RQAqvoUuBNFNAuhdEa5CqVEAqtGIPR7pVQLqJyY7ScFZA4FT+BexEVkDduzpGgoRVQGQbFskqjFRAWlLVpvXQU0ANiJ0mu8BTQIyhnuKbp1RAx1Wu1NvtV0AHsjMl5SRcQMHaNf1x9WBA72lf+EGUZECBAO9K7tloQCRfPiTWq21AqTPe5vl3cUAg9p41TEZ0QFutyX2XQXdAAN7VuRlNekBCeymBSTh9QIhH93iEuX9ABtoja2+xgEDmysMKeOqAQNyQL9s0bIBA6p7ZnuSBfkBaNyGA1St7QFo+ViEaUXdAirpOslWFc0CoDNhwcAdwQGfkHqcuX2pALfHSkOpOZkAtZuHXh95jQFOWBUsg92JABwKADi9mY0CH53q6Re1kQKdUA8vZTWdAdIlbUL5NakAQNl8mcHxtQG+YN4y5hXBAwLOYj9QpckDyqlywXnRzQGXAfKSJMHRAbp3hu240dEAgZ4wxT25zQI5zQVuY/nFAchwU/mfib0DkZSljJRRrQMoLBTg8EWZAEgLidKBSYUACyvmvY2taQIAKotnMPlRAHesLuE9iUEDgwg3mAABOQJ00xwJMAlBA6li8dsQSU0Adh9zrFIBXQPTIIowhuVxAAFOBxHnXYECgvOnc0P5iQHCaQD1UQ2RARxyA/pSVZEANdgsbONpjQH8yvSGuH2JALRS12EpYX0BNPGa2WZVZQIqbA1OijFNAQH5nCx2KS0Cga6s16FpBQMC1KElAXzJAmtIpXfUuHEDNlNIWwNviP2d28FfWU8E/AMzvjDVuDUCN6OWdHbElQG3z7SIPhjRAGh1yj1GdP0Cq6KSddkNFQMAOe81770tAY50HSlYBUUDVGgqwVAtUQB20sfKxNFdA1DU4ZjKgWkBFADd0s2leQAssWu36TmFAnURCbZKaY0AguHWOFghmQEy+UJ7vfGhAcLSH96PqakAHIKHZqAhtQGDjBXLWzG5AEcaklhcPcEASaiATlnRwQBDRKbMQnHBAl+PMIABucEB0n+TxIe5vQKd4AIV4fG5ARHR2a3yqbECNCJSwfatqQBrK7Mv9tWhAx9yO8HL7ZkAAdo6266JlQBSqxSD5xWRAvcNdnyBvZEDwBQ/OvZlkQBQNCjt4M2VADQfThJAMZkBwPuMTOC1nQLqVypVbV2hAcFdzUkZSaUC6fUdmqPtpQBAMAcfUMWpAejmoVfDfaUAH6iZmlOtoQOypWMSummdABz0Fd/3jZUCXybME7e1jQH9trfC93GFAF6Z9W/KxX0D0yRUK+/lbQBLwdGEnuFhAxxA2lIj/VUDttlHkkdBTQGq0qZbiJ1JAS48E8mLRUEC9L3LUVYxPQORGdwnwrk1Ah5FTbRLRS0Dn0nEb4MtJQBQWb3kBkEdA0Jr14WniRECXsjgzC3tCQFRDMqJC+z9ADcCOPuKnO0AgZae08+I3QNTdnWWe7jRA87JPqHX2MkCgDYnNrLYyQHqsNtzWMDNANE3MbJS5NEAAUlukYCw3QNRkXg/DXjpAB17WgDcpPkCKTbB8JDdBQD0NrBQEj0NA+qaF8U8aRkCaubEIia9IQLC3vYh2d0tAl1keZZKFTkAlW72j9tNQQA1STFDJY1JA/YLbVdjaU0AALxJ5iC5VQH1tnQ9GYFZAoK0Mb+ErV0CtEUUHX45XQJozK8azdVdAusNqRUHbVkCkF2JBo7NVQE2vNruiHlRALbit3M0gUkCAe1tBuMhPQEDxtklNIUtAZ1DeWT2QRkAaAmOn639CQOerFeJtlj5AdP9/c4fGOUC0oQpIEww3QLRBXe1kfTZAGn2gagUFOEBA3knwYWc7QFqa5hr+JUBAR+g+cPojQ0CaWIhPQpVGQFRdc2OYGkpAejQUOWKRTUAXz9nh1WpQQNA5u84T51FA6kvAFGdGU0BqTf5nKVNUQMek3ZPhT1VAQHb9iXEZVkAU/jJ8RLRWQAfeNlwDJldAlwFkKBJ1V0Ag4XDu5qdXQEe/i3zs1ldAKtQAcMvrV0Aw4voLbfhXQMDcwVZlC1hAUOP/q0MSWEBHfMtnbSFYQJqNrzT2MlhAgEE+ePVGWEA0Z5d3YFlYQLRXre5CaFhAAGtx8MhVWED060AcekxYQDRXWlqmLlhAhOaWlTL7V0DNITcsH7JXQMQaGRDuU1dA7cToiuvhVkCU8pNX811WQDfG80U/0FVAZGozXLU+VUCqJtt8MJ5UQAQzuAz981NAQDWX5d9AU0AKwFmuiYVSQLdBcBK6uVFAw2R42Jb2UEB4bJb1aTVQQDQa59A7605AlLMZhsl/TUAkyRPIxTRMQMpDoEOnFUtAR2Psf/ulSkBgnMLlPy5KQBRpePEl8ElA5M901W0wSkDn8SQGH8pKQLQDY9KbvUtAgAFijdgHTUA3y/4R/6BOQJqY5Ue3OFBAWqtxZ15LUUDKy2joZnVSQJAqv9H0sFNAMOUFThkDVUCg3IkyY1VWQKCx0rmpqldAXeiVSnD+WEBqyG4n6ktaQM3Dd4azgVtADUPdEMC0XEC0vONqustdQNSTZ3UpvF5AoKm2bTh/X0BA6OgA7ARgQLdqgDyDKGBAHQutAtUuYEDjc1ZmywpgQOcvKt4DgV9AuonjECOkXkAnggTiLYddQOCFM5t6NVxAoLfzxUO8WkAt3aeTcilZQJrDJPY7i1dAevVDMQ3tVUANND4kOlpUQFq832aZ21JAR2B0ENl3UUAHNlFFky9QQI0eopsZNU5AwAD4m8E+TEDHd3d/UZtKQHSEjyYXPUlAdMNwWyIhSECaQ2eJC0NHQKd+kmZlpUZAdPKsonk0RkAAKQ9GSOpFQECK9hiJykVA9ERKM8HGRUDUZ9dFEeVFQFR2MjWnCEZAzYJsu2g1RkD0YCbGajBGQOcV9ktTdUZA+iwAbTq0RkCa8+laIe5GQLQTI46TG0dADcpzUulLR0DUExhoXnlHQDrPjAC9o0dAYEnzNvXJR0DHEHExEfFHQHpzBxYmCkhA4AKKIbAXSEA0a4JN9xVIQDp7Uj84AUhAB/+NVvLIR0AUxBmrnYhHQEfGTXl5LEdAQLQyMXuyRkANMEcyNxtGQLQ6miBnZ0VAmm7ypkSjREDAA3EKEL9DQGfHS5WJxUJA+rRrLgS8QUDaxtJzdaJAQIA+Q6AxAD9AgOA8LBC0PEBnHgNca2s6QICLm38CGjhA53Pp7n0INkDnbp4ebBk0QM2il/dnVzJAZ9xVGKHXMECAQG3lLhkvQBpiqH8dRy1A5yAcOT7VK0A0K4GwYfMqQLS7is4XnCpAZxSBzjvPKkBNnkXXOYArQE0lUtRHpCxAzQlWDjsvLkDnIfw4BPovQMDlwGJfGTFA2pFnPSNnMkCalQ2jZ8ozQA0zj+PIPzVAmnSdPaPBNkBahAb8gEo4QABh/No91TlAQNDFEildO0CANyvGP8o8QLSZrudTQD5ANPcc902nP0Bgm2vCaH5AQM1n051aLEFA02Rvtoy/QUBNzP7Wk1FCQNr3hACN10JAuo4mJ7FQQ0C6u8d7H7xDQNSruHnoGERAekPQPx5mREAHUwD14qZEQKdprKip2kRAh1HG3YH0RED6+oTNu/1EQDSEfhd8AkVAJ4dpQU7vREDnBRCuTM5EQIdHPBTXnURAh11EGDNmREB6b0Y01CREQEAYh9pM20NAIIGSOuqNQ0B6qayIhDlDQM37acrI4UJAIEeIf1iIQkBtmGll9C9CQHNNFofV2EFAs3IlvTiIQUDAWWbJdTpBQI0KOMY280BA861avZCqQEAn3KlUTnVAQOD0drI0TEBAzTbFXRAnQECAsV2o4AhAQOf/f/B24T9AwAD/K/y6P0CAdqM/ia0/QBodoOFDmD9AWp1pbjqAP0DAd/Ejj3E/QJogibTIYT9ApygOgipPP0CN68kEHzg/QADKr+/nFD9AzeRGct3zPkD0LEKTKro+QCf/YTKzjD5Apy/flvdYPkD0caXMoxk+QPQ8QVF60j1A9FoBKM6EPUA0Q5kBIzI9QIC2k/4Q3DxAJ5B2nCaEPECAKmC4eDc8QBqYAcwi4ztADUFKNziRO0A0Kp6mai47QKf2Y9oM+TpA9CjbT/i5OkBaSP2kQn46QADJ/YrbRTpA9GbPYW4QOkC0tp/pb905QLRbR70srDlAwM69Pex9OUCaj5VmpEo5QMDB/YrJFjlAgPCM+n3hOEDAGR8+Jq04QGcgtXS5YDhAZ23vEAkyOEAndoGCjfk3QPT1zQhmvjdADUgn3HeBN0AAgX+J0EM3QM2B5Ov5DDdAjeSxGAvTNkAUlhwM3ZY2QM0xijqDZTZADVOwndY4NkBHA7nYWxY2QJrOqhAO9jVATSwwZjfKNUC0OdtPc7o1QMDRIIctrzVAp7/DNeOnNUCaTAuZyKM1QM025kgYqjVA2sVFSCirNUCA+dVoQKw1QA2jdeUMrDVANNnbsAKuNUDAzhQDb6o1QOfJYh9FojVAwCQgvtWUNUD0OcuCtoE1QNpCUSB6ZjVA9PiXrnxINUDA5xSkvSY1QLSOrJD2ADVAdHVZx5LXNEA0q9m1q6s0QAASzZxNijRAAF4uDalfNEAa42UOhS40QHRtmS9tCTRAdKLYlgjnM0Caq5+OD8gzQNpfD1kJrTNAjbdNNkGKM0BNanN+BHszQLSCliipbzNA574RaDpoM0Caqpkoz2kzQA0jWtdkcDNAdEnkSYR2M0DnoWHkI4AzQHRIPFDmjDNAp2NhWjibM0D08e86Rq0zQDTKAcwBxDNAJw7fI9PZM0ANpzAhofAzQE1PPa+pBTRAmhRFPDIoNECa5bQNJ0I0QID8jci1WzRAAI0CfIh0NECaHkyrTYw0QBp0Gfq5ojRATcNHyom3NEDAV0a16sA0QABXej6q0zRAp+HmZcPjNEBAg2diK/E0QABBcReS/TRAgCsuyaT4NEBniFnkUQE1QMAXXtGtBjVAQEkkLNQINUB03WFd2Qc1QCfSIXLLAzVAZ5K3Xp36NEAAOytSC/A0QLSITi5j4jRA9G+T+e3UNEDAjse9X8A0QLT3t0DArTRAGkKH62OUNEC0/tUuQng0QHQfWN4BVzRAp10stG4vNEANgkTclAw0QCf8AIiG5DNAjb1KmWa6M0CacHhPk4wzQIAMSEjbWjNAJwkTUgUlM0DNhW/Gg+cyQKeattKDrDJAgHwyLdFqMkCnqZo5EiQyQADe7g4s2DFA55myWpeDMUAa4Zd/+y0xQJpUk44E0zBA5ymBX9ByMEDNYT3Viw0wQM1YQ7foRi9AAEGR6Ht0LkBNH35wM5EtQM1UFFj1pixAZ3RWJF2sK0AanhOP8LkqQID3wyPXwylAGk245ZrLKEAavM4KNNMnQOexFbIV0CZAtARsiIPdJUCATf4Cqe4kQM1qgf6DBCRAAKvoeI4hI0DnCDgkpEYiQDM7cwn3dCFAmhEiB5StIECaR95lTtMfQGfefqnydR5AAGMUUHYwHUAANK8RsAQcQGfkOobD8hpAAKaXW+n6GUBn3qQR2gQZQAAwZeJtSBhAzduc5M6jF0Bnq+dvRhYXQDRrqdzcnhZAZ745UWM8FkCacqZGfe0VQGfaBTlcsBVANEYTIhWDFUAAV6QujmUVQABn5jX1VBVAzW0oCnpPFUDnDMOj32EVQJoAaeW9ZRVAzZOILT5+FUC00XtC/IgVQE3t/00mqxVANEBUSXLNFUA0gycqlO4VQDRsZltMDBZAACdfm2knFkBnD/cbET4WQGcshKnORhZAZ/2ihglWFkC0s2wWolwWQE0preQSXBZAmkIyyCZUFkCA74sY4CIWQIBZwpDOEhZANGu94GL6FUBnXaAXINgVQADFkRVbsBVAzfQFkRSCFUAaGB7yGU4VQM36RUWmGBVANJaYHoHcFECa2G3KE6AUQGfgEuWmXhRAzeIuJGEcFEAADmPRLtoTQABBcOzwmBNAZ+KYAKFbE0BnGl6sECETQDNCDm2t6RJAmsef9RK2EkAALMf+wIYSQDMVdyeWaRJAzd/JqhpGEkAA5F3lBygSQM3TWkdwDxJAZ5tn58ACEkCadO6PsPMRQDNWnG/o6RFAAGRJRHXmEUAzHicEVuYRQAAKfju83BFAM4bxRrTmEUBnqSpqy/QRQJoufx+NAxJAzXq+6pAWEkAAwPZyNCgSQM3Hw+hNOhJAZ/I4cFZMEkAAiB2TzV0SQM0B6YnacxJAzabIOrCBEkDNAJpH4Y0SQGdKXd4YmBJAzXM4BRWgEkCacA5/uqASQGcTT84kpRJAZ0ccoyCgEkCaUqKVeKASQM3j6fQrnhJAMzjxF3uZEkCa3szLspISQDOo97bxiRJAZ5zVJ/1/EkAAEQZcBnUSQADRc3NwaRJAZ4X+p3JeEkDNSOGr31ISQGdU4qvIRxJAmiaf4o4rEkAzJcc9diUSQDNOb6QmIBJAzS/2zN4bEkAA0n7szBgSQACmfx0OFxJAM8dMEa4WEkAz0MMOpxcSQDPNYT/iGRJAM8xxYIAdEkAABfN8+CESQM3Y6PYOJxJAZwjai3IsEkAAWiOixjESQJoeqSmlNhJAAK5DPIU7EkAzaSr6Hj4SQDOL6PDbPhJAAJ68q1w9EkBn7gmLKzkSQDOl2drWMRJAmn30VfMmEkCaAR60HBgSQACc34r5BBJAM0nV0qXtEUAANkRb+dARQADoFwk/rxFAmrEIrFCIEUAzuXGwFlwRQJoTKN7PIxFAZ/700g3uEEAAdwm95LIQQGcQlqp6chBAmtGTMwEtEEBnhjUOacUPQJoTxMi0Jw9ANCefDYKBDkDNhk4VfNMNQGficpxaHg1AACaP4l5jDEDNln6XP6ILQJrNC85j3ApAZ2Y7hp4SCkAAyg88xEUJQM2QqjchXwhAAI6rTV2SB0A0MWh9DrkGQDTZoEaR7AVAmi8kWUUgBUAAjPZG91QEQACk9yVmiwNAABBVvELEAkAAGrvhLgACQDMzPRS9PwFAAI4gtPuEAEAA5PdpEJr/PzTbXPwzNP4/zWw13wjZ/D80B7R1GIn7P2eG7ftOPfo/mrmPMysG+T/NVEG8Dtv3PwCU3EQfvPY/mhGRh2up9T9ntrwg7aL0PwCQ4naKqPM/ZwZUrBi68j9n9lmTXdfxP82oFZ4RAPE/zSQBY4868D80c+70L/DuP83sbzBBgO0/zYRvg3Mk7D/N1G2g39vqPw==\",\"dtype\":\"float64\",\"order\":\"little\",\"shape\":[800]}},\"selected\":{\"id\":\"1266\"},\"selection_policy\":{\"id\":\"1265\"}},\"id\":\"1248\",\"type\":\"ColumnDataSource\"},{\"attributes\":{\"line_alpha\":0.1,\"line_color\":\"#e6f598\",\"line_width\":2,\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"1250\",\"type\":\"Line\"},{\"attributes\":{},\"id\":\"1222\",\"type\":\"BasicTickFormatter\"},{\"attributes\":{\"label\":{\"value\":\"Spin Down\"},\"renderers\":[{\"id\":\"1233\"}]},\"id\":\"1247\",\"type\":\"LegendItem\"},{\"attributes\":{\"tools\":[{\"id\":\"1197\"},{\"id\":\"1198\"},{\"id\":\"1199\"},{\"id\":\"1200\"},{\"id\":\"1201\"},{\"id\":\"1202\"}]},\"id\":\"1204\",\"type\":\"Toolbar\"},{\"attributes\":{\"line_alpha\":0.1,\"line_color\":\"#99d594\",\"line_width\":2,\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"1231\",\"type\":\"Line\"},{\"attributes\":{},\"id\":\"1185\",\"type\":\"LinearScale\"},{\"attributes\":{},\"id\":\"1265\",\"type\":\"UnionRenderers\"},{\"attributes\":{},\"id\":\"1183\",\"type\":\"DataRange1d\"},{\"attributes\":{\"line_alpha\":0.2,\"line_color\":\"#99d594\",\"line_width\":2,\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"1232\",\"type\":\"Line\"},{\"attributes\":{},\"id\":\"1244\",\"type\":\"UnionRenderers\"},{\"attributes\":{\"source\":{\"id\":\"1211\"}},\"id\":\"1216\",\"type\":\"CDSView\"},{\"attributes\":{\"coordinates\":null,\"group\":null,\"text\":\"Ho2Ti2O7 Polarization\",\"text_color\":\"#E0E0E0\",\"text_font\":\"Helvetica\",\"text_font_size\":\"1.15em\"},\"id\":\"1179\",\"type\":\"Title\"},{\"attributes\":{},\"id\":\"1266\",\"type\":\"Selection\"},{\"attributes\":{\"line_color\":\"#3288bd\",\"line_width\":2,\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"1212\",\"type\":\"Line\"},{\"attributes\":{\"axis\":{\"id\":\"1189\"},\"coordinates\":null,\"grid_line_alpha\":0.25,\"grid_line_color\":\"#E0E0E0\",\"group\":null,\"ticker\":null},\"id\":\"1192\",\"type\":\"Grid\"},{\"attributes\":{\"label\":{\"value\":\"Difference\"},\"renderers\":[{\"id\":\"1252\"}]},\"id\":\"1268\",\"type\":\"LegendItem\"},{\"attributes\":{\"coordinates\":null,\"data_source\":{\"id\":\"1211\"},\"glyph\":{\"id\":\"1212\"},\"group\":null,\"hover_glyph\":null,\"muted_glyph\":{\"id\":\"1214\"},\"nonselection_glyph\":{\"id\":\"1213\"},\"view\":{\"id\":\"1216\"}},\"id\":\"1215\",\"type\":\"GlyphRenderer\"},{\"attributes\":{\"label\":{\"value\":\"Spin Up\"},\"renderers\":[{\"id\":\"1215\"}]},\"id\":\"1228\",\"type\":\"LegendItem\"},{\"attributes\":{\"coordinates\":null,\"data_source\":{\"id\":\"1229\"},\"glyph\":{\"id\":\"1230\"},\"group\":null,\"hover_glyph\":null,\"muted_glyph\":{\"id\":\"1232\"},\"nonselection_glyph\":{\"id\":\"1231\"},\"view\":{\"id\":\"1234\"}},\"id\":\"1233\",\"type\":\"GlyphRenderer\"},{\"attributes\":{},\"id\":\"1181\",\"type\":\"DataRange1d\"},{\"attributes\":{\"line_alpha\":0.2,\"line_color\":\"#3288bd\",\"line_width\":2,\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"1214\",\"type\":\"Line\"},{\"attributes\":{},\"id\":\"1198\",\"type\":\"WheelZoomTool\"},{\"attributes\":{\"source\":{\"id\":\"1248\"}},\"id\":\"1253\",\"type\":\"CDSView\"},{\"attributes\":{},\"id\":\"1202\",\"type\":\"HelpTool\"}],\"root_ids\":[\"1178\"]},\"title\":\"Bokeh Application\",\"version\":\"2.4.3\"}};\n const render_items = [{\"docid\":\"37057048-f301-4925-94dc-67f395126466\",\"root_ids\":[\"1178\"],\"roots\":{\"1178\":\"626ae1e5-dcc5-436f-86cc-de1e872d645c\"}}];\n root.Bokeh.embed.embed_items_notebook(docs_json, render_items);\n }\n if (root.Bokeh !== undefined) {\n embed_document(root);\n } else {\n let attempts = 0;\n const timer = setInterval(function(root) {\n if (root.Bokeh !== undefined) {\n clearInterval(timer);\n embed_document(root);\n } else {\n attempts++;\n if (attempts > 100) {\n clearInterval(timer);\n console.log(\"Bokeh: ERROR: Unable to run BokehJS code because BokehJS library is missing\");\n }\n }\n }, 10, root)\n }\n})(window);", - "application/vnd.bokehjs_exec.v0+json": "" - }, - "metadata": { - "application/vnd.bokehjs_exec.v0+json": { - "id": "1178" - } - }, - "output_type": "display_data" + "execution_count": null, + "metadata": { + "collapsed": false, + "pycharm": { + "name": "#%%\n" } - ], + }, + "outputs": [], "source": [ "j2.create_simulation(x_data, 'up', pol_fn=lambda up, down: up)\n", "j2.create_simulation(x_data, 'down', pol_fn=lambda up, down: down)\n", @@ -652,78 +537,58 @@ "p1.legend.location = 'top_right'\n", "p1.xaxis.axis_label = '2theta'\n", "show(p1)" - ], - "metadata": { - "collapsed": false, - "pycharm": { - "name": "#%%\n" - } - } + ] }, { "cell_type": "markdown", - "source": [ - "### Load experimental data\n", - "\n", - "The data file contains the following columns; `tth`, `up`, `d_up`, `down`, `d_down`. The `d_` prefixes denote the uncertainty of the data. The data can be loaded with the `add_experimnent` method." - ], "metadata": { "collapsed": false, "pycharm": { "name": "#%% md\n" } - } + }, + "source": [ + "### Load experimental data\n", + "\n", + "The data file contains the following columns; `tth`, `up`, `d_up`, `down`, `d_down`. The `d_` prefixes denote the uncertainty of the data. The data can be loaded with the `add_experimnent` method." + ] }, { "cell_type": "code", - "execution_count": 18, - "outputs": [], - "source": [ - "j2.add_experiment('pol_exp','experiment_polarized.xye')" - ], + "execution_count": null, "metadata": { "collapsed": false, "pycharm": { "name": "#%%\n" } - } + }, + "outputs": [], + "source": [ + "j2.add_experiment('pol_exp','experiment_polarized.xye')" + ] }, { "cell_type": "markdown", - "source": [ - "This experimental data can then be used for simulation." - ], "metadata": { "collapsed": false, "pycharm": { "name": "#%% md\n" } - } + }, + "source": [ + "This experimental data can then be used for simulation." + ] }, { "cell_type": "code", - "execution_count": 19, - "outputs": [ - { - "data": { - "text/html": "\n
\n" - }, - "metadata": {}, - "output_type": "display_data" - }, - { - "data": { - "application/javascript": "(function(root) {\n function embed_document(root) {\n const docs_json = {\"f0647d6e-f841-46d4-9dce-c5d220fa032a\":{\"defs\":[{\"extends\":null,\"module\":null,\"name\":\"ReactiveHTML1\",\"overrides\":[],\"properties\":[]},{\"extends\":null,\"module\":null,\"name\":\"FlexBox1\",\"overrides\":[],\"properties\":[{\"default\":\"flex-start\",\"kind\":null,\"name\":\"align_content\"},{\"default\":\"flex-start\",\"kind\":null,\"name\":\"align_items\"},{\"default\":\"row\",\"kind\":null,\"name\":\"flex_direction\"},{\"default\":\"wrap\",\"kind\":null,\"name\":\"flex_wrap\"},{\"default\":\"flex-start\",\"kind\":null,\"name\":\"justify_content\"}]},{\"extends\":null,\"module\":null,\"name\":\"GridStack1\",\"overrides\":[],\"properties\":[{\"default\":\"warn\",\"kind\":null,\"name\":\"mode\"},{\"default\":null,\"kind\":null,\"name\":\"ncols\"},{\"default\":null,\"kind\":null,\"name\":\"nrows\"},{\"default\":true,\"kind\":null,\"name\":\"allow_resize\"},{\"default\":true,\"kind\":null,\"name\":\"allow_drag\"},{\"default\":[],\"kind\":null,\"name\":\"state\"}]},{\"extends\":null,\"module\":null,\"name\":\"click1\",\"overrides\":[],\"properties\":[{\"default\":\"\",\"kind\":null,\"name\":\"terminal_output\"},{\"default\":\"\",\"kind\":null,\"name\":\"debug_name\"},{\"default\":0,\"kind\":null,\"name\":\"clears\"}]},{\"extends\":null,\"module\":null,\"name\":\"NotificationAreaBase1\",\"overrides\":[],\"properties\":[{\"default\":\"bottom-right\",\"kind\":null,\"name\":\"position\"},{\"default\":0,\"kind\":null,\"name\":\"_clear\"}]},{\"extends\":null,\"module\":null,\"name\":\"NotificationArea1\",\"overrides\":[],\"properties\":[{\"default\":[],\"kind\":null,\"name\":\"notifications\"},{\"default\":\"bottom-right\",\"kind\":null,\"name\":\"position\"},{\"default\":0,\"kind\":null,\"name\":\"_clear\"},{\"default\":[{\"background\":\"#ffc107\",\"icon\":{\"className\":\"fas fa-exclamation-triangle\",\"color\":\"white\",\"tagName\":\"i\"},\"type\":\"warning\"},{\"background\":\"#007bff\",\"icon\":{\"className\":\"fas fa-info-circle\",\"color\":\"white\",\"tagName\":\"i\"},\"type\":\"info\"}],\"kind\":null,\"name\":\"types\"}]},{\"extends\":null,\"module\":null,\"name\":\"Notification\",\"overrides\":[],\"properties\":[{\"default\":null,\"kind\":null,\"name\":\"background\"},{\"default\":3000,\"kind\":null,\"name\":\"duration\"},{\"default\":null,\"kind\":null,\"name\":\"icon\"},{\"default\":\"\",\"kind\":null,\"name\":\"message\"},{\"default\":null,\"kind\":null,\"name\":\"notification_type\"},{\"default\":false,\"kind\":null,\"name\":\"_destroyed\"}]},{\"extends\":null,\"module\":null,\"name\":\"TemplateActions1\",\"overrides\":[],\"properties\":[{\"default\":0,\"kind\":null,\"name\":\"open_modal\"},{\"default\":0,\"kind\":null,\"name\":\"close_modal\"}]},{\"extends\":null,\"module\":null,\"name\":\"MaterialTemplateActions1\",\"overrides\":[],\"properties\":[{\"default\":0,\"kind\":null,\"name\":\"open_modal\"},{\"default\":0,\"kind\":null,\"name\":\"close_modal\"}]}],\"roots\":{\"references\":[{\"attributes\":{\"background_fill_color\":\"#3f3f3f\",\"below\":[{\"id\":\"1378\"}],\"border_fill_color\":\"#2f2f2f\",\"center\":[{\"id\":\"1381\"},{\"id\":\"1385\"},{\"id\":\"1416\"}],\"height\":300,\"left\":[{\"id\":\"1382\"}],\"min_border\":0,\"outline_line_alpha\":0.25,\"outline_line_color\":\"#E0E0E0\",\"renderers\":[{\"id\":\"1404\"},{\"id\":\"1422\"}],\"title\":{\"id\":\"1368\"},\"toolbar\":{\"id\":\"1393\"},\"width\":990,\"x_range\":{\"id\":\"1370\"},\"x_scale\":{\"id\":\"1374\"},\"y_range\":{\"id\":\"1372\"},\"y_scale\":{\"id\":\"1376\"}},\"id\":\"1367\",\"subtype\":\"Figure\",\"type\":\"Plot\"},{\"attributes\":{},\"id\":\"1409\",\"type\":\"AllLabels\"},{\"attributes\":{},\"id\":\"1411\",\"type\":\"BasicTickFormatter\"},{\"attributes\":{\"data\":{\"x\":{\"__ndarray__\":\"ZmZmZmZmEkAzMzMzMzMTQAAAAAAAABRAzczMzMzMFECamZmZmZkVQGZmZmZmZhZAMzMzMzMzF0AAAAAAAAAYQM3MzMzMzBhAmpmZmZmZGUBmZmZmZmYaQDMzMzMzMxtAAAAAAAAAHEDNzMzMzMwcQJqZmZmZmR1AZmZmZmZmHkAzMzMzMzMfQAAAAAAAACBAZmZmZmZmIEDNzMzMzMwgQDMzMzMzMyFAmpmZmZmZIUAAAAAAAAAiQGZmZmZmZiJAzczMzMzMIkAzMzMzMzMjQJqZmZmZmSNAAAAAAAAAJEBmZmZmZmYkQM3MzMzMzCRAMzMzMzMzJUCamZmZmZklQAAAAAAAACZAZmZmZmZmJkDNzMzMzMwmQDMzMzMzMydAmpmZmZmZJ0AAAAAAAAAoQGZmZmZmZihAzczMzMzMKEAzMzMzMzMpQJqZmZmZmSlAAAAAAAAAKkBmZmZmZmYqQM3MzMzMzCpAMzMzMzMzK0CamZmZmZkrQAAAAAAAACxAZmZmZmZmLEDNzMzMzMwsQDMzMzMzMy1AmpmZmZmZLUAAAAAAAAAuQGZmZmZmZi5AzczMzMzMLkAzMzMzMzMvQJqZmZmZmS9AAAAAAAAAMEAzMzMzMzMwQGZmZmZmZjBAmpmZmZmZMEDNzMzMzMwwQAAAAAAAADFAMzMzMzMzMUBmZmZmZmYxQJqZmZmZmTFAzczMzMzMMUAAAAAAAAAyQDMzMzMzMzJAZmZmZmZmMkCamZmZmZkyQM3MzMzMzDJAAAAAAAAAM0AzMzMzMzMzQGZmZmZmZjNAmpmZmZmZM0DNzMzMzMwzQAAAAAAAADRAMzMzMzMzNEBmZmZmZmY0QJqZmZmZmTRAzczMzMzMNEAAAAAAAAA1QDMzMzMzMzVAZmZmZmZmNUCamZmZmZk1QM3MzMzMzDVAAAAAAAAANkAzMzMzMzM2QGZmZmZmZjZAmpmZmZmZNkDNzMzMzMw2QAAAAAAAADdAMzMzMzMzN0BmZmZmZmY3QJqZmZmZmTdAzczMzMzMN0AAAAAAAAA4QDMzMzMzMzhAZmZmZmZmOECamZmZmZk4QM3MzMzMzDhAAAAAAAAAOUAzMzMzMzM5QGZmZmZmZjlAmpmZmZmZOUDNzMzMzMw5QAAAAAAAADpAMzMzMzMzOkBmZmZmZmY6QJqZmZmZmTpAzczMzMzMOkAAAAAAAAA7QDMzMzMzMztAZmZmZmZmO0CamZmZmZk7QM3MzMzMzDtAAAAAAAAAPEAzMzMzMzM8QGZmZmZmZjxAmpmZmZmZPEDNzMzMzMw8QAAAAAAAAD1AMzMzMzMzPUBmZmZmZmY9QJqZmZmZmT1AzczMzMzMPUAAAAAAAAA+QDMzMzMzMz5AZmZmZmZmPkCamZmZmZk+QM3MzMzMzD5AAAAAAAAAP0AzMzMzMzM/QGZmZmZmZj9AmpmZmZmZP0DNzMzMzMw/QAAAAAAAAEBAmpmZmZkZQEAzMzMzMzNAQM3MzMzMTEBAZmZmZmZmQEAAAAAAAIBAQJqZmZmZmUBAMzMzMzOzQEDNzMzMzMxAQGZmZmZm5kBAAAAAAAAAQUCamZmZmRlBQDMzMzMzM0FAzczMzMxMQUBmZmZmZmZBQAAAAAAAgEFAmpmZmZmZQUAzMzMzM7NBQM3MzMzMzEFAZmZmZmbmQUAAAAAAAABCQJqZmZmZGUJAMzMzMzMzQkDNzMzMzExCQGZmZmZmZkJAAAAAAACAQkCamZmZmZlCQDMzMzMzs0JAzczMzMzMQkBmZmZmZuZCQAAAAAAAAENAmpmZmZkZQ0AzMzMzMzNDQM3MzMzMTENAZmZmZmZmQ0AAAAAAAIBDQJqZmZmZmUNAMzMzMzOzQ0DNzMzMzMxDQGZmZmZm5kNAAAAAAAAARECamZmZmRlEQDMzMzMzM0RAzczMzMxMREBmZmZmZmZEQAAAAAAAgERAmpmZmZmZREAzMzMzM7NEQM3MzMzMzERAZmZmZmbmREAAAAAAAABFQJqZmZmZGUVAMzMzMzMzRUDNzMzMzExFQGZmZmZmZkVAAAAAAACARUCamZmZmZlFQDMzMzMzs0VAzczMzMzMRUBmZmZmZuZFQAAAAAAAAEZAmpmZmZkZRkAzMzMzMzNGQM3MzMzMTEZAZmZmZmZmRkAAAAAAAIBGQJqZmZmZmUZAMzMzMzOzRkDNzMzMzMxGQGZmZmZm5kZAAAAAAAAAR0CamZmZmRlHQDMzMzMzM0dAzczMzMxMR0BmZmZmZmZHQAAAAAAAgEdAmpmZmZmZR0AzMzMzM7NHQM3MzMzMzEdAZmZmZmbmR0AAAAAAAABIQJqZmZmZGUhAMzMzMzMzSEDNzMzMzExIQGZmZmZmZkhAAAAAAACASECamZmZmZlIQDMzMzMzs0hAzczMzMzMSEBmZmZmZuZIQAAAAAAAAElAmpmZmZkZSUAzMzMzMzNJQM3MzMzMTElAZmZmZmZmSUAAAAAAAIBJQJqZmZmZmUlAMzMzMzOzSUDNzMzMzMxJQGZmZmZm5klAAAAAAAAASkCamZmZmRlKQDMzMzMzM0pAzczMzMxMSkBmZmZmZmZKQAAAAAAAgEpAmpmZmZmZSkAzMzMzM7NKQM3MzMzMzEpAZmZmZmbmSkAAAAAAAABLQJqZmZmZGUtAMzMzMzMzS0DNzMzMzExLQGZmZmZmZktAAAAAAACAS0CamZmZmZlLQDMzMzMzs0tAzczMzMzMS0BmZmZmZuZLQAAAAAAAAExAmpmZmZkZTEAzMzMzMzNMQM3MzMzMTExAZmZmZmZmTEAAAAAAAIBMQJqZmZmZmUxAMzMzMzOzTEDNzMzMzMxMQGZmZmZm5kxAAAAAAAAATUCamZmZmRlNQDMzMzMzM01AzczMzMxMTUBmZmZmZmZNQAAAAAAAgE1AmpmZmZmZTUAzMzMzM7NNQM3MzMzMzE1AZmZmZmbmTUAAAAAAAABOQJqZmZmZGU5AMzMzMzMzTkDNzMzMzExOQGZmZmZmZk5AAAAAAACATkCamZmZmZlOQDMzMzMzs05AzczMzMzMTkBmZmZmZuZOQAAAAAAAAE9AmpmZmZkZT0AzMzMzMzNPQM3MzMzMTE9AZmZmZmZmT0AAAAAAAIBPQJqZmZmZmU9AMzMzMzOzT0DNzMzMzMxPQGZmZmZm5k9AAAAAAAAAUEDNzMzMzAxQQJqZmZmZGVBAZmZmZmYmUEAzMzMzMzNQQAAAAAAAQFBAzczMzMxMUECamZmZmVlQQGZmZmZmZlBAMzMzMzNzUEAAAAAAAIBQQM3MzMzMjFBAmpmZmZmZUEBmZmZmZqZQQDMzMzMzs1BAAAAAAADAUEDNzMzMzMxQQJqZmZmZ2VBAZmZmZmbmUEAzMzMzM/NQQAAAAAAAAFFAzczMzMwMUUCamZmZmRlRQGZmZmZmJlFAMzMzMzMzUUAAAAAAAEBRQM3MzMzMTFFAmpmZmZlZUUBmZmZmZmZRQDMzMzMzc1FAAAAAAACAUUDNzMzMzIxRQJqZmZmZmVFAZmZmZmamUUAzMzMzM7NRQAAAAAAAwFFAzczMzMzMUUCamZmZmdlRQGZmZmZm5lFAMzMzMzPzUUAAAAAAAABSQM3MzMzMDFJAmpmZmZkZUkBmZmZmZiZSQDMzMzMzM1JAAAAAAABAUkDNzMzMzExSQJqZmZmZWVJAZmZmZmZmUkAzMzMzM3NSQAAAAAAAgFJAzczMzMyMUkCamZmZmZlSQGZmZmZmplJAMzMzMzOzUkAAAAAAAMBSQM3MzMzMzFJAmpmZmZnZUkBmZmZmZuZSQDMzMzMz81JAAAAAAAAAU0DNzMzMzAxTQJqZmZmZGVNAZmZmZmYmU0AzMzMzMzNTQAAAAAAAQFNAzczMzMxMU0CamZmZmVlTQGZmZmZmZlNAMzMzMzNzU0AAAAAAAIBTQM3MzMzMjFNAmpmZmZmZU0BmZmZmZqZTQDMzMzMzs1NAAAAAAADAU0DNzMzMzMxTQJqZmZmZ2VNAZmZmZmbmU0AzMzMzM/NTQAAAAAAAAFRAzczMzMwMVECamZmZmRlUQGZmZmZmJlRAMzMzMzMzVEAAAAAAAEBUQM3MzMzMTFRAmpmZmZlZVEBmZmZmZmZUQDMzMzMzc1RAAAAAAACAVEA=\",\"dtype\":\"float64\",\"order\":\"little\",\"shape\":[388]},\"y\":{\"__ndarray__\":\"ODYU4+MCYkDR9nPbcLJhQHpMM4tajmFAAdOIcjmaYUDfEh1ZttxhQEsdu0PIYGJATJ89Ldw3Y0DAKwJlpH1kQG8zIHYUX2ZAXovCbNInaUCAShXKrF1tQNrfg1JY/nFANZ8Kp0lUe0B8pZvKClWMQHFeJmyfD6FAS0Dg6oe6sEBuwWA7jpC1QOtjYvAbDrBAoG5T8QZkn0BSxfgXXlaMQDE3Q7UfIIhAloqfirMIk0ACK80f+fmaQPAta6io0pdAP7HOmOOJikAgBNQvxSF3QHHlTFhi/GVAVO3suOj3W0CliePR0udWQEfoIdDWvlNA6TI0c1uyUUDUt8XDI1xQQDfkKGi/DE9Af/eSfVsrTkAdvE+r9P9NQN0By7ejlE5AZRP5JLsMUECzigNIhH9RQFTcd5RFclZAU4fVlFLsYkB0Ep3wD2BzQPHRzKycWIFAF4FNGY5ahUCJRJL1ihaAQONoOMWAWnFAL5YLoIkWYkCsjflEaZ1ZQITLB0eATVhABeGbjiLGWkAFX5MabyxhQJzDPc2NmmxAWF8jo+jYfkDS2w9z//6PQANxD+49aZlAwF5Kq9E6m0AEO6Gg+rSWQE4hPInjNZVADy0Ck6EllUA0//egLMePQFfNtMC+VYFAK92eLpEvcEAOoqikUiphQKrFkD/88VdAIShIsJFZVUBqX/A9vkpUQEN5cuOU/FRA6UxCBxbwWED7IJUfv1JiQPKhR6vLFW5AWPy9feM+dkDQQlqxaQx5QFODldK+wHRAYv85Q0ORbkCfFEtZ5A5qQODBQ2nFlnNAWGPOYGo+hEC+51hiO2aWQFRTg8dIv6RAf9yaqN+0rECMMaKHQUqrQGO68gr3WKJAtOMTHayZk0Arkk+tK9yCQPkxyNWJMHNAgD98bnR4ZkBmbkVbED5hQLhVyEaGnV9A5xVzW94OYkBlycxjtAprQHXsTqYNDndA/GlEBPAsgkDFOr6DOSGHQMX4uEye8oVA0gEgqWaugEA6QpIYpRZ6QAqljlaeQH9A8mSDqvVbikBQR3suD2aVQEKAKkimMJxAR/wTMmOom0Dqg0P3IzyUQMmEaA83qodAOveZWm6EeEBQA9KHJXhrQACojrUPsmdAuu4XS+TIb0CfgjGbV658QNgH515CUYpAjnsqwmM1lUC1ADLEnuebQGKkeR73npxACH1TxfsAl0AMh6CdJ0KQQHkAq4a0PIlAULGxWDkAikBQ9c8YK+eOQJfVgltJq5BA2Ph4hzAojkDAW0H2EtKGQIBccJn9y31Ah+yQVl2pcUDldOfs8+xkQGzTh2rEIV1AaiO3b8doWkA8WE9EsrNdQMxVgEqEB2FA5dOrduEWYkBjZHt2Y4ZiQJz9z5MWFWRARajJAzq5aUCLugMbtUtyQLxt5qO1ZnlAfxlrlUimf0BQVxlFdQaBQE8bd3aG9H5AyRXoFFLPd0C/YQofYhJwQFLYvoYVVWRAl5fkwLEYW0CSgmd5B2lXQE0ayKQFNFpAzQ/fe2mSYUB1ZmImZkBqQAACq2D5oHNA8EbMlBxse0Cb2MC3xg2BQHdnL+peRoJA87gYzQC6gEB8efcGRZh6QNUaP3GmCnNANEBZgfxEakAyYoKECt9jQOuhLjfEQWJACI41f9keZEDcf2uLnABoQPWoHz39tG1A5ADy7QV0ckBF+Ko/qZ92QPdFT9/oTHpA6BVIhIDze0Bduriql2l6QCXk1qbwlHZAJIe1JdR5ckA2L6K5NDxwQObo13UNkHBA87XhVtvOc0AVB3Aa8K15QMZX8W0834BAcFtnMS/EhUDwOPYjRk6LQBFSuovGSpBA1xHXsXggkkBUcVmxUUKSQH94koJynpBAX4jmhP4BjEBuHdtxdSCHQFip4a3q94NAxP9eGcAbg0BEnzw0kwKEQKS3jFuhp4VAMT7W+5wfh0AS22tZxfeHQNSufBkga4hAJVDof2sOiECKIlUM346GQHJ/iEcO0oNAjRKMhFB8gEB60AY5jSJ6QMTzP3mp03RAiKd3fsMLckDlcghClWlyQMy6ao6ggXVAzJq9tLKBekDF79H5Ntx/QKwrlsXiJIJATx+uXX7zgkA7E0foRBqCQLClYxDzzH9AvzYfn1Y3ekDpY6hu0uJ0QM0tHD+Ut3BAmM1MukH0a0B8fat+dg1pQHVOI/nHt2dAk6AB75NFZ0AFLmp+jOJmQGhX/1k562dAxUjm2yUuaUBfMlUjjLBrQC9+JpbWF3BAlpHJHFaTc0DQQJK4uUZ4QM1PL0oi931AZ+HUFVfwgUC+D+tX8aaEQGEDiISXsYZAFlKBmYbWh0DRRISE7LuHQDjrPuBkqYZAp5WdiX0rhUCd3MBJXN6DQEVHlri2LYNAstmUitA4g0CD+o+dx9ODQDjCnjF8noRAFyr2T3A8hUDcVB2hSDiFQML5pxBrS4RAv+GzEwVggkAt4ycNIcR/QHSimaYAPXpAtb51yIQNdUBZ+28ahcFwQC+ZulzzTGtAoIGtGx59Z0Cw2kLt/ndlQC3+c84yx2RA3TkyDBqjZEA+HpHPx6JkQHWIQ7ged2RAMlBrxlh8ZEBoVnK7pnpkQNdBjymXYmRAtpSU9NCGZEDE2hmTfXZkQLQnutlYdGRAcmKBe0GtZED8LSqAuWBlQIn8V8F222ZASDa7tjOjaUCiNs0cnphtQMCrbXsPX3FAuHv+AtpbdEAtSp0FEoB3QGdHmLkHYHpA2FpsWV+gfEBHksdCR/V9QOQ1qNB2WH5Aitj5YfHZfUAI5l6fw7Z8QIrY8YdSQ3tAnK/L6ImReUBUmomGhch3QMlz4EVoBHZAeXXHu2BgdECjBPhc1/FyQBUqai0WB3JABit5H5pacUD8EkHHABhxQFwOW5RfPnFArW/qKCf2cUDctDxckhBzQOkhUrvnhHRAsimDaw5CdkA1Edmf/j54QNW6jJh1O3pAh3zS7jxDfEAUXaXgRg9+QGUYA3Mha39AXW/R+XYQgECfrxdvLQOAQG0ZBc9kHn9AkAtc3Cd4fUCyF2bfMEJ7QKE/SLXdtHhA1U2smmsXdkBC7uCNeY1zQFOcT1YnN3FASKZB/ndSbkBQzFPSVc1qQOxoKp8YBmhA1ybMJ8nqZUA4uAAv/oFkQDdbMyZQd2RAqMBxlqvqZEB3j4TSgiBmQAQ0iZAzYWhAUrK3h6Zta0BkzKPH/jlvQJYPo20W4XFA11B/4odvdEByBNiP9k13QCKoqJmJWHpAwgjN6VmGfUBpClXj4lmAQGPRSm7z34FANTPusOgyg0BcTN6hUDGEQExbnIkowoRAQLgfmUnKhEC0zIkB4kmEQBilPHwxUYNAB3Mr0m39gUAbw2BijnqAQMecYcbWun1Aotnwug6SekDM5/HbzaV3QEOQ2sYQK3VAgrsuG5Ygc0BU1dVo45VxQGgc8I+kinBAt2q//un2b0DPqERt9K1vQAWRyMEjDnBA9Xg7gxeacED/IVmCGxtxQMeuy71g+HFAHxpfO1rKckDgXr2jcI9zQPpLC9ZyI3RAY+9ch52DdEB7PsI4DK10QKANiEmIn3RAs0TSwERidECswMQgEPtzQL9r6qAAj3NAY8ny2EIhc0ApDI3qNsByQLLy5kmxj3JAwZJlehFvckDXn4HKEW1yQLvIy6fqhHJA7MVvRqCuckAziR00QeRyQF9H0zA+InNAUrAsvwxec0Ce6s0vRJlzQD3os4s/03NARoW8TJsKdEAsUP11iD90QAofJo+/jHRASbreiZ/odEBOQrAa0FB1QOib5WQM2nVAuZb5rwhidkCM7g1jq+N2QBikYTQCUHdAUDgGL0mWd0COdM2tELh3QEyMXio7nXdA+lcCpq9cd0ARk4cfbeB2QLop2Kq9SnZAac7p6++gdUAjoDZYIPJ0QDFm5VqEUXRAGzq34c+8c0Cm/8x6MGBzQBpDO32FJXNASYGqoAATc0Bs4ZDVdDBzQFgi1sm5cnNANlnPD53Yc0AD5s+Mqkx0QPYoHUubyHRArQTwcQhIdUDwaADS87h1QJC2hsGwF3ZAO883AwdPdkAs+buwR4l2QG6Rtprem3ZASRmz1P6NdkDAGFPG32F2QDiLFhQtFnZALuK+RD+8dUDUFt3lFlF1QIsECpxT13RAKM4vB3BVdEA=\",\"dtype\":\"float64\",\"order\":\"little\",\"shape\":[388]}},\"selected\":{\"id\":\"1434\"},\"selection_policy\":{\"id\":\"1433\"}},\"id\":\"1418\",\"type\":\"ColumnDataSource\"},{\"attributes\":{},\"id\":\"1387\",\"type\":\"WheelZoomTool\"},{\"attributes\":{},\"id\":\"1372\",\"type\":\"DataRange1d\"},{\"attributes\":{},\"id\":\"1374\",\"type\":\"LinearScale\"},{\"attributes\":{\"line_alpha\":0.2,\"line_color\":\"#3288bd\",\"line_width\":2,\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"1403\",\"type\":\"Line\"},{\"attributes\":{\"coordinates\":null,\"data_source\":{\"id\":\"1400\"},\"glyph\":{\"id\":\"1401\"},\"group\":null,\"hover_glyph\":null,\"muted_glyph\":{\"id\":\"1403\"},\"nonselection_glyph\":{\"id\":\"1402\"},\"view\":{\"id\":\"1405\"}},\"id\":\"1404\",\"type\":\"GlyphRenderer\"},{\"attributes\":{},\"id\":\"1383\",\"type\":\"BasicTicker\"},{\"attributes\":{\"label\":{\"value\":\"Simulated Spin Up\"},\"renderers\":[{\"id\":\"1422\"}]},\"id\":\"1436\",\"type\":\"LegendItem\"},{\"attributes\":{},\"id\":\"1386\",\"type\":\"PanTool\"},{\"attributes\":{},\"id\":\"1412\",\"type\":\"AllLabels\"},{\"attributes\":{},\"id\":\"1413\",\"type\":\"UnionRenderers\"},{\"attributes\":{\"line_alpha\":0.1,\"line_color\":\"#3288bd\",\"line_width\":2,\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"1402\",\"type\":\"Line\"},{\"attributes\":{\"axis\":{\"id\":\"1382\"},\"coordinates\":null,\"dimension\":1,\"grid_line_alpha\":0.25,\"grid_line_color\":\"#E0E0E0\",\"group\":null,\"ticker\":null},\"id\":\"1385\",\"type\":\"Grid\"},{\"attributes\":{\"bottom_units\":\"screen\",\"coordinates\":null,\"fill_alpha\":0.5,\"fill_color\":\"lightgrey\",\"group\":null,\"left_units\":\"screen\",\"level\":\"overlay\",\"line_alpha\":1.0,\"line_color\":\"black\",\"line_dash\":[4,4],\"line_width\":2,\"right_units\":\"screen\",\"syncable\":false,\"top_units\":\"screen\"},\"id\":\"1392\",\"type\":\"BoxAnnotation\"},{\"attributes\":{},\"id\":\"1376\",\"type\":\"LinearScale\"},{\"attributes\":{},\"id\":\"1408\",\"type\":\"BasicTickFormatter\"},{\"attributes\":{\"overlay\":{\"id\":\"1392\"}},\"id\":\"1388\",\"type\":\"BoxZoomTool\"},{\"attributes\":{\"axis_label\":\"Intensity\",\"axis_label_standoff\":10,\"axis_label_text_color\":\"#E0E0E0\",\"axis_label_text_font\":\"Helvetica\",\"axis_label_text_font_size\":\"1.25em\",\"axis_label_text_font_style\":\"normal\",\"axis_line_alpha\":0,\"axis_line_color\":\"#E0E0E0\",\"coordinates\":null,\"formatter\":{\"id\":\"1408\"},\"group\":null,\"major_label_policy\":{\"id\":\"1409\"},\"major_label_text_color\":\"#E0E0E0\",\"major_label_text_font\":\"Helvetica\",\"major_label_text_font_size\":\"1.025em\",\"major_tick_line_alpha\":0,\"major_tick_line_color\":\"#E0E0E0\",\"minor_tick_line_alpha\":0,\"minor_tick_line_color\":\"#E0E0E0\",\"ticker\":{\"id\":\"1383\"}},\"id\":\"1382\",\"type\":\"LinearAxis\"},{\"attributes\":{\"line_alpha\":0.1,\"line_color\":\"#d53e4f\",\"line_width\":2,\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"1420\",\"type\":\"Line\"},{\"attributes\":{},\"id\":\"1379\",\"type\":\"BasicTicker\"},{\"attributes\":{},\"id\":\"1433\",\"type\":\"UnionRenderers\"},{\"attributes\":{\"axis\":{\"id\":\"1378\"},\"coordinates\":null,\"grid_line_alpha\":0.25,\"grid_line_color\":\"#E0E0E0\",\"group\":null,\"ticker\":null},\"id\":\"1381\",\"type\":\"Grid\"},{\"attributes\":{\"line_color\":\"#3288bd\",\"line_width\":2,\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"1401\",\"type\":\"Line\"},{\"attributes\":{},\"id\":\"1414\",\"type\":\"Selection\"},{\"attributes\":{},\"id\":\"1389\",\"type\":\"SaveTool\"},{\"attributes\":{\"data\":{\"x\":{\"__ndarray__\":\"ZmZmZmZmEkAzMzMzMzMTQAAAAAAAABRAzczMzMzMFECamZmZmZkVQGZmZmZmZhZAMzMzMzMzF0AAAAAAAAAYQM3MzMzMzBhAmpmZmZmZGUBmZmZmZmYaQDMzMzMzMxtAAAAAAAAAHEDNzMzMzMwcQJqZmZmZmR1AZmZmZmZmHkAzMzMzMzMfQAAAAAAAACBAZmZmZmZmIEDNzMzMzMwgQDMzMzMzMyFAmpmZmZmZIUAAAAAAAAAiQGZmZmZmZiJAzczMzMzMIkAzMzMzMzMjQJqZmZmZmSNAAAAAAAAAJEBmZmZmZmYkQM3MzMzMzCRAMzMzMzMzJUCamZmZmZklQAAAAAAAACZAZmZmZmZmJkDNzMzMzMwmQDMzMzMzMydAmpmZmZmZJ0AAAAAAAAAoQGZmZmZmZihAzczMzMzMKEAzMzMzMzMpQJqZmZmZmSlAAAAAAAAAKkBmZmZmZmYqQM3MzMzMzCpAMzMzMzMzK0CamZmZmZkrQAAAAAAAACxAZmZmZmZmLEDNzMzMzMwsQDMzMzMzMy1AmpmZmZmZLUAAAAAAAAAuQGZmZmZmZi5AzczMzMzMLkAzMzMzMzMvQJqZmZmZmS9AAAAAAAAAMEAzMzMzMzMwQGZmZmZmZjBAmpmZmZmZMEDNzMzMzMwwQAAAAAAAADFAMzMzMzMzMUBmZmZmZmYxQJqZmZmZmTFAzczMzMzMMUAAAAAAAAAyQDMzMzMzMzJAZmZmZmZmMkCamZmZmZkyQM3MzMzMzDJAAAAAAAAAM0AzMzMzMzMzQGZmZmZmZjNAmpmZmZmZM0DNzMzMzMwzQAAAAAAAADRAMzMzMzMzNEBmZmZmZmY0QJqZmZmZmTRAzczMzMzMNEAAAAAAAAA1QDMzMzMzMzVAZmZmZmZmNUCamZmZmZk1QM3MzMzMzDVAAAAAAAAANkAzMzMzMzM2QGZmZmZmZjZAmpmZmZmZNkDNzMzMzMw2QAAAAAAAADdAMzMzMzMzN0BmZmZmZmY3QJqZmZmZmTdAzczMzMzMN0AAAAAAAAA4QDMzMzMzMzhAZmZmZmZmOECamZmZmZk4QM3MzMzMzDhAAAAAAAAAOUAzMzMzMzM5QGZmZmZmZjlAmpmZmZmZOUDNzMzMzMw5QAAAAAAAADpAMzMzMzMzOkBmZmZmZmY6QJqZmZmZmTpAzczMzMzMOkAAAAAAAAA7QDMzMzMzMztAZmZmZmZmO0CamZmZmZk7QM3MzMzMzDtAAAAAAAAAPEAzMzMzMzM8QGZmZmZmZjxAmpmZmZmZPEDNzMzMzMw8QAAAAAAAAD1AMzMzMzMzPUBmZmZmZmY9QJqZmZmZmT1AzczMzMzMPUAAAAAAAAA+QDMzMzMzMz5AZmZmZmZmPkCamZmZmZk+QM3MzMzMzD5AAAAAAAAAP0AzMzMzMzM/QGZmZmZmZj9AmpmZmZmZP0DNzMzMzMw/QAAAAAAAAEBAmpmZmZkZQEAzMzMzMzNAQM3MzMzMTEBAZmZmZmZmQEAAAAAAAIBAQJqZmZmZmUBAMzMzMzOzQEDNzMzMzMxAQGZmZmZm5kBAAAAAAAAAQUCamZmZmRlBQDMzMzMzM0FAzczMzMxMQUBmZmZmZmZBQAAAAAAAgEFAmpmZmZmZQUAzMzMzM7NBQM3MzMzMzEFAZmZmZmbmQUAAAAAAAABCQJqZmZmZGUJAMzMzMzMzQkDNzMzMzExCQGZmZmZmZkJAAAAAAACAQkCamZmZmZlCQDMzMzMzs0JAzczMzMzMQkBmZmZmZuZCQAAAAAAAAENAmpmZmZkZQ0AzMzMzMzNDQM3MzMzMTENAZmZmZmZmQ0AAAAAAAIBDQJqZmZmZmUNAMzMzMzOzQ0DNzMzMzMxDQGZmZmZm5kNAAAAAAAAARECamZmZmRlEQDMzMzMzM0RAzczMzMxMREBmZmZmZmZEQAAAAAAAgERAmpmZmZmZREAzMzMzM7NEQM3MzMzMzERAZmZmZmbmREAAAAAAAABFQJqZmZmZGUVAMzMzMzMzRUDNzMzMzExFQGZmZmZmZkVAAAAAAACARUCamZmZmZlFQDMzMzMzs0VAzczMzMzMRUBmZmZmZuZFQAAAAAAAAEZAmpmZmZkZRkAzMzMzMzNGQM3MzMzMTEZAZmZmZmZmRkAAAAAAAIBGQJqZmZmZmUZAMzMzMzOzRkDNzMzMzMxGQGZmZmZm5kZAAAAAAAAAR0CamZmZmRlHQDMzMzMzM0dAzczMzMxMR0BmZmZmZmZHQAAAAAAAgEdAmpmZmZmZR0AzMzMzM7NHQM3MzMzMzEdAZmZmZmbmR0AAAAAAAABIQJqZmZmZGUhAMzMzMzMzSEDNzMzMzExIQGZmZmZmZkhAAAAAAACASECamZmZmZlIQDMzMzMzs0hAzczMzMzMSEBmZmZmZuZIQAAAAAAAAElAmpmZmZkZSUAzMzMzMzNJQM3MzMzMTElAZmZmZmZmSUAAAAAAAIBJQJqZmZmZmUlAMzMzMzOzSUDNzMzMzMxJQGZmZmZm5klAAAAAAAAASkCamZmZmRlKQDMzMzMzM0pAzczMzMxMSkBmZmZmZmZKQAAAAAAAgEpAmpmZmZmZSkAzMzMzM7NKQM3MzMzMzEpAZmZmZmbmSkAAAAAAAABLQJqZmZmZGUtAMzMzMzMzS0DNzMzMzExLQGZmZmZmZktAAAAAAACAS0CamZmZmZlLQDMzMzMzs0tAzczMzMzMS0BmZmZmZuZLQAAAAAAAAExAmpmZmZkZTEAzMzMzMzNMQM3MzMzMTExAZmZmZmZmTEAAAAAAAIBMQJqZmZmZmUxAMzMzMzOzTEDNzMzMzMxMQGZmZmZm5kxAAAAAAAAATUCamZmZmRlNQDMzMzMzM01AzczMzMxMTUBmZmZmZmZNQAAAAAAAgE1AmpmZmZmZTUAzMzMzM7NNQM3MzMzMzE1AZmZmZmbmTUAAAAAAAABOQJqZmZmZGU5AMzMzMzMzTkDNzMzMzExOQGZmZmZmZk5AAAAAAACATkCamZmZmZlOQDMzMzMzs05AzczMzMzMTkBmZmZmZuZOQAAAAAAAAE9AmpmZmZkZT0AzMzMzMzNPQM3MzMzMTE9AZmZmZmZmT0AAAAAAAIBPQJqZmZmZmU9AMzMzMzOzT0DNzMzMzMxPQGZmZmZm5k9AAAAAAAAAUEDNzMzMzAxQQJqZmZmZGVBAZmZmZmYmUEAzMzMzMzNQQAAAAAAAQFBAzczMzMxMUECamZmZmVlQQGZmZmZmZlBAMzMzMzNzUEAAAAAAAIBQQM3MzMzMjFBAmpmZmZmZUEBmZmZmZqZQQDMzMzMzs1BAAAAAAADAUEDNzMzMzMxQQJqZmZmZ2VBAZmZmZmbmUEAzMzMzM/NQQAAAAAAAAFFAzczMzMwMUUCamZmZmRlRQGZmZmZmJlFAMzMzMzMzUUAAAAAAAEBRQM3MzMzMTFFAmpmZmZlZUUBmZmZmZmZRQDMzMzMzc1FAAAAAAACAUUDNzMzMzIxRQJqZmZmZmVFAZmZmZmamUUAzMzMzM7NRQAAAAAAAwFFAzczMzMzMUUCamZmZmdlRQGZmZmZm5lFAMzMzMzPzUUAAAAAAAABSQM3MzMzMDFJAmpmZmZkZUkBmZmZmZiZSQDMzMzMzM1JAAAAAAABAUkDNzMzMzExSQJqZmZmZWVJAZmZmZmZmUkAzMzMzM3NSQAAAAAAAgFJAzczMzMyMUkCamZmZmZlSQGZmZmZmplJAMzMzMzOzUkAAAAAAAMBSQM3MzMzMzFJAmpmZmZnZUkBmZmZmZuZSQDMzMzMz81JAAAAAAAAAU0DNzMzMzAxTQJqZmZmZGVNAZmZmZmYmU0AzMzMzMzNTQAAAAAAAQFNAzczMzMxMU0CamZmZmVlTQGZmZmZmZlNAMzMzMzNzU0AAAAAAAIBTQM3MzMzMjFNAmpmZmZmZU0BmZmZmZqZTQDMzMzMzs1NAAAAAAADAU0DNzMzMzMxTQJqZmZmZ2VNAZmZmZmbmU0AzMzMzM/NTQAAAAAAAAFRAzczMzMwMVECamZmZmRlUQGZmZmZmJlRAMzMzMzMzVEAAAAAAAEBUQM3MzMzMTFRAmpmZmZlZVEBmZmZmZmZUQDMzMzMzc1RAAAAAAACAVEA=\",\"dtype\":\"float64\",\"order\":\"little\",\"shape\":[388]},\"y\":{\"__ndarray__\":\"9ihcj8KXg0D2KFyPwiWGQMP1KFyPcIZAKVyPwvU8hUAK16NwPViFQNejcD0KvYZA4XoUrkcphkAAAAAAAOyHQDMzMzMza4lAMzMzMzMrg0DhehSuR5eAQGZmZmZm4ItAPQrXo3AljUC4HoXrUSyZQArXo3A9Y6tAKVyPwjUatkCPwvUonE61QFyPwvWoEqxA7FG4HoXimkBxPQrXo3KOQBSuR+F6GJpAzczMzEyZokCkcD0KVwCmQM3MzMzMvqFAUrgehet4k0ApXI/C9RSFQPYoXI/Ck4VAexSuR+FQhEBSuB6F6xV/QHsUrkfhLIFAcT0K16Ncg0BxPQrXo76DQOxRuB6Fu3xA16NwPQpze0BI4XoUrnN8QNejcD0K04BAPQrXo3DvgUA9CtejcGl/QD0K16Nw4XdApHA9CtcngUBSuB6F67uHQPYoXI/CV41Aw/UoXI80jkCuR+F6FJqLQJqZmZmZvYJACtejcD1af0AUrkfhemh5QOF6FK5HtXtAH4XrUbjWeECPwvUoXPeBQKRwPQrXA4VAzczMzMwKk0DhehSuR9mfQNejcD2KUqNAFK5H4frQokAfhetRuBKeQOxRuB6FzJxASOF6FK7/l0CPwvUoXByTQClcj8L1bIhACtejcD1Yg0CF61G4Hpl/QB+F61G4CoBA9ihcj8KdfkAK16NwPTZ8QHE9CtejwH9AFK5H4XougkB7FK5H4ZaBQIXrUbge94dAUrgeheuNiUCamZmZmeWIQK5H4XoUdIdAZmZmZmZOfkDsUbgehSeDQKRwPQrXaYhAH4XrUbgklECkcD0K12+kQK5H4XoUR69AFK5H4fpDsUBI4XoULiutQD0K16NwY6JAw/UoXI9Ck0C4HoXrUfSHQKRwPQrXDYRArkfhehR8gEBSuB6F65eAQJqZmZmZoX5AZmZmZmYUgEAUrkfheqiAQFyPwvUoRIRAzczMzMyujEAzMzMzMz2QQFK4HoXrXY1ApHA9CtfdhUDNzMzMzDyIQMP1KFyPBo1ApHA9CteHmUB7FK5H4RmhQFK4HoXrGaNA16NwPYqIoEDNzMzMzB2YQLgehetRiI5A4XoUrkejg0B7FK5H4XZ+QArXo3A9Fn9AzczMzMw6hEBcj8L1KHOQQGZmZmZmxJlAcT0K1yM/oUAAAAAAADqiQHE9CtejvaBACtejcD0mmkA9CtejcKuUQOF6FK5HH5RAcT0K16MCl0CamZmZmX6YQOF6FK5HmJhApHA9CtfdlUA9CtejcBqQQNejcD0Kt4dAFK5H4Xqgg0AfhetRuNJ7QOF6FK5HGXxAzczMzMx8f0ApXI/C9dB/QAAAAAAAFH9Aw/UoXI+ufkDhehSuR+l8QNejcD0Kj4FAFK5H4Xocg0BmZmZmZgiJQClcj8L1Jo9ApHA9CtchkEDNzMzMzCSOQHsUrkfhbolAmpmZmZlzhUCamZmZmS2BQFyPwvUoaHpAAAAAAAC8eEBcj8L1KJR/QHE9CtejgoJArkfhehQQgkBmZmZmZpaFQGZmZmZmRIxAzczMzMwYjkB7FK5H4bKPQBSuR+F6CJBAhetRuB4fikAzMzMzM92HQHsUrkfhyoNA16NwPQpTgEBxPQrXo0x9QD0K16NwJYBAKVyPwvUugEDXo3A9CqOBQClcj8L1moRAFK5H4Xoah0BmZmZmZmSIQClcj8L1aolA4XoUrkfHiUApXI/C9dyFQI/C9ShcQYRA16NwPQpXg0DsUbgehUODQBSuR+F69oJASOF6FK7Fh0AfhetRuLiJQFyPwvUoN5BAH4XrUbh4k0AfhetRuLeWQEjhehSunpdAuB6F61FCmEAfhetRuImWQEjhehSunpNAFK5H4XoPkUDhehSuRxWPQFK4HoXrvY1Aj8L1KFwrjkC4HoXrUbSPQAAAAAAAPZFAH4XrUbiBkkDhehSuRy2SQIXrUbgel5JAAAAAAAA/kUAzMzMzM92OQKRwPQrX/YtASOF6FK4ViEDsUbgehR+HQD0K16NwHYNAzczMzMwagkAfhetRuBSFQFyPwvUo/ohAUrgeheu3jEBmZmZmZlaOQGZmZmZm6o5AFK5H4Xo8jUCkcD0K19eKQBSuR+F6WodAFK5H4Xogg0BSuB6F642CQOxRuB6Fl4BA16NwPQqFgEC4HoXrUVh9QLgehetRsoBAUrgehettgEDsUbgehTeBQI/C9Shco39AzczMzMxEgUBI4XoUrkuBQClcj8L1fIVA4XoUrkejiEApXI/C9QyLQEjhehSu6Y5ApHA9CtczkEBmZmZmZiuRQK5H4XoUO5FAFK5H4XrPkEDXo3A9CuOQQKRwPQrXMY5AAAAAAAAejUAAAAAAALyNQKRwPQrXU49AAAAAAAAdkEAAAAAAALSQQHsUrkfh75BA16NwPQqikEB7FK5H4XKOQB+F61G4uo1AmpmZmZkhiUDD9Shcj1KGQK5H4XoUfINA4XoUrkdRgkDXo3A9Cv+AQFK4HoXrjX5A4XoUrkf9e0CuR+F6FAqAQEjhehSux3xAhetRuB7hfUAzMzMzM1N9QPYoXI/CmXxACtejcD1Ke0AUrkfhelR9QEjhehSuZ3xA9ihcj8IRe0CkcD0K1098QMP1KFyPznxAH4XrUbj2fUBxPQrXoxCAQEjhehSuRYBApHA9CtdlgUDXo3A9CgGEQJqZmZmZI4hAw/UoXI9Mh0AfhetRuNiJQJqZmZmZ+YpA7FG4HoWBiUCuR+F6FBKJQArXo3A90IdAj8L1KFxnh0AUrkfheuCHQNejcD0KCYVA16NwPQqXhEBxPQrXo4aEQKRwPQrXO4RASOF6FK7Fg0A9CtejcB+CQHE9CtejeoFAPQrXo3AVgkAUrkfhekaCQClcj8L1+oFAuB6F61HcgkB7FK5H4QSEQDMzMzMzZ4VAPQrXo3A1hkDXo3A9CpuIQBSuR+F6TolAXI/C9Si+iUAK16NwPdKJQGZmZmZmMIpAH4XrUbiUh0AfhetRuFSGQEjhehSuhYVArkfhehTEhUBSuB6F6xmFQK5H4XoUKINAzczMzMzog0CkcD0K1wOBQFyPwvUoIoBAuB6F61F0fEDsUbgehat9QMP1KFyPgnxAzczMzMwgfUDXo3A9Co98QMP1KFyPhntAXI/C9SgGgEA9CtejcIl+QPYoXI/CIYFApHA9Cte1g0DhehSuR+2CQOF6FK5HnYRAUrgehet3iECPwvUoXD+KQDMzMzMzu4xAUrgehevnjEAAAAAAAMyPQAAAAAAAQo9AcT0K16MvkECuR+F6FJuQQB+F61G4+o9AMzMzMzO3jUBxPQrXoy6MQB+F61G40IpASOF6FK6liEB7FK5H4ZSJQBSuR+F63IZAhetRuB7dhUC4HoXrUTqDQIXrUbgeRYJA4XoUrkcVg0DhehSuRx2AQEjhehSusYFApHA9CtdvgUApXI/C9XKCQEjhehSu0YJASOF6FK4Vg0ApXI/C9b6DQI/C9ShcMYNArkfhehR4gkBcj8L1KFCFQMP1KFyP/oRAhetRuB5lg0AzMzMzMweFQD0K16Nwe4NAZmZmZmZWhEAzMzMzM4eEQPYoXI/CEYNAexSuR+HWgUBI4XoUrgGCQOxRuB6FHYNAZmZmZmachEDhehSuRzGDQLgehetR+INAPQrXo3CjgkAUrkfhemyBQD0K16NwkYFA4XoUrkc3g0CF61G4HkeEQHE9CtejJoRAzczMzMw6hED2KFyPwouDQI/C9ShcnYRApHA9Cte3gkBmZmZmZkiEQJqZmZmZg4ZAuB6F61EAhkAAAAAAAPyDQIXrUbgeTYVAj8L1KFxrhkBSuB6F65uFQJqZmZmZ14RAj8L1KFzzhEDXo3A9CpuDQMP1KFyPUIFAXI/C9SgSgkA9CtejcN2CQKRwPQrXJ4NAmpmZmZnng0CuR+F6FNCCQNejcD0K6YJArkfhehRWg0A9CtejcDmCQM3MzMzMUoJAFK5H4XrIg0DD9Shcj+CEQKRwPQrXC4VAexSuR+Fig0B7FK5H4ciFQM3MzMzMwoVAMzMzMzMLhUAfhetRuFqGQOF6FK5Hi4NAAAAAAACahECPwvUoXE+DQDMzMzMzH4RAPQrXo3ATg0BI4XoUrnmFQI/C9Shc54JA9ihcj8JvgkA=\",\"dtype\":\"float64\",\"order\":\"little\",\"shape\":[388]}},\"selected\":{\"id\":\"1414\"},\"selection_policy\":{\"id\":\"1413\"}},\"id\":\"1400\",\"type\":\"ColumnDataSource\"},{\"attributes\":{\"line_color\":\"#d53e4f\",\"line_width\":2,\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"1419\",\"type\":\"Line\"},{\"attributes\":{\"line_alpha\":0.2,\"line_color\":\"#d53e4f\",\"line_width\":2,\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"1421\",\"type\":\"Line\"},{\"attributes\":{\"source\":{\"id\":\"1418\"}},\"id\":\"1423\",\"type\":\"CDSView\"},{\"attributes\":{\"source\":{\"id\":\"1400\"}},\"id\":\"1405\",\"type\":\"CDSView\"},{\"attributes\":{\"axis_label\":\"2theta\",\"axis_label_standoff\":10,\"axis_label_text_color\":\"#E0E0E0\",\"axis_label_text_font\":\"Helvetica\",\"axis_label_text_font_size\":\"1.25em\",\"axis_label_text_font_style\":\"normal\",\"axis_line_alpha\":0,\"axis_line_color\":\"#E0E0E0\",\"coordinates\":null,\"formatter\":{\"id\":\"1411\"},\"group\":null,\"major_label_policy\":{\"id\":\"1412\"},\"major_label_text_color\":\"#E0E0E0\",\"major_label_text_font\":\"Helvetica\",\"major_label_text_font_size\":\"1.025em\",\"major_tick_line_alpha\":0,\"major_tick_line_color\":\"#E0E0E0\",\"minor_tick_line_alpha\":0,\"minor_tick_line_color\":\"#E0E0E0\",\"ticker\":{\"id\":\"1379\"}},\"id\":\"1378\",\"type\":\"LinearAxis\"},{\"attributes\":{\"label\":{\"value\":\"Experimental Spin Up\"},\"renderers\":[{\"id\":\"1404\"}]},\"id\":\"1417\",\"type\":\"LegendItem\"},{\"attributes\":{\"tools\":[{\"id\":\"1386\"},{\"id\":\"1387\"},{\"id\":\"1388\"},{\"id\":\"1389\"},{\"id\":\"1390\"},{\"id\":\"1391\"}]},\"id\":\"1393\",\"type\":\"Toolbar\"},{\"attributes\":{},\"id\":\"1390\",\"type\":\"ResetTool\"},{\"attributes\":{},\"id\":\"1434\",\"type\":\"Selection\"},{\"attributes\":{},\"id\":\"1370\",\"type\":\"DataRange1d\"},{\"attributes\":{\"coordinates\":null,\"data_source\":{\"id\":\"1418\"},\"glyph\":{\"id\":\"1419\"},\"group\":null,\"hover_glyph\":null,\"muted_glyph\":{\"id\":\"1421\"},\"nonselection_glyph\":{\"id\":\"1420\"},\"view\":{\"id\":\"1423\"}},\"id\":\"1422\",\"type\":\"GlyphRenderer\"},{\"attributes\":{\"coordinates\":null,\"group\":null,\"text\":\"Ho2Ti2O7 Polarization\",\"text_color\":\"#E0E0E0\",\"text_font\":\"Helvetica\",\"text_font_size\":\"1.15em\"},\"id\":\"1368\",\"type\":\"Title\"},{\"attributes\":{\"background_fill_alpha\":0.25,\"background_fill_color\":\"#20262B\",\"border_line_alpha\":0,\"coordinates\":null,\"glyph_width\":15,\"group\":null,\"items\":[{\"id\":\"1417\"},{\"id\":\"1436\"}],\"label_standoff\":8,\"label_text_color\":\"#E0E0E0\",\"label_text_font\":\"Helvetica\",\"label_text_font_size\":\"1.025em\",\"spacing\":8},\"id\":\"1416\",\"type\":\"Legend\"},{\"attributes\":{},\"id\":\"1391\",\"type\":\"HelpTool\"}],\"root_ids\":[\"1367\"]},\"title\":\"Bokeh Application\",\"version\":\"2.4.3\"}};\n const render_items = [{\"docid\":\"f0647d6e-f841-46d4-9dce-c5d220fa032a\",\"root_ids\":[\"1367\"],\"roots\":{\"1367\":\"6af3018e-1bfe-44f9-a793-152818708009\"}}];\n root.Bokeh.embed.embed_items_notebook(docs_json, render_items);\n }\n if (root.Bokeh !== undefined) {\n embed_document(root);\n } else {\n let attempts = 0;\n const timer = setInterval(function(root) {\n if (root.Bokeh !== undefined) {\n clearInterval(timer);\n embed_document(root);\n } else {\n attempts++;\n if (attempts > 100) {\n clearInterval(timer);\n console.log(\"Bokeh: ERROR: Unable to run BokehJS code because BokehJS library is missing\");\n }\n }\n }, 10, root)\n }\n})(window);", - "application/vnd.bokehjs_exec.v0+json": "" - }, - "metadata": { - "application/vnd.bokehjs_exec.v0+json": { - "id": "1367" - } - }, - "output_type": "display_data" + "execution_count": null, + "metadata": { + "collapsed": false, + "pycharm": { + "name": "#%%\n" } - ], + }, + "outputs": [], "source": [ "j2.simulate_experiment('pol_exp', 'up', pol_fn=lambda up, down: up)\n", "\n", @@ -735,30 +600,30 @@ "p1.legend.location = 'top_right'\n", "p1.xaxis.axis_label = '2theta'\n", "show(p1)" - ], - "metadata": { - "collapsed": false, - "pycharm": { - "name": "#%%\n" - } - } + ] }, { "cell_type": "markdown", - "source": [ - "#### Adding a background\n", - "The simulation is missing a background. We can add a background to the simulation and allow the points to vary in the optimization." - ], "metadata": { "collapsed": false, "pycharm": { "name": "#%% md\n" } - } + }, + "source": [ + "#### Adding a background\n", + "The simulation is missing a background. We can add a background to the simulation and allow the points to vary in the optimization." + ] }, { "cell_type": "code", - "execution_count": 20, + "execution_count": null, + "metadata": { + "collapsed": false, + "pycharm": { + "name": "#%%\n" + } + }, "outputs": [], "source": [ "bkg = PointBackground(linked_experiment='pol2')\n", @@ -783,50 +648,30 @@ "\n", "for point in bkg:\n", " point.y.fixed = False" - ], - "metadata": { - "collapsed": false, - "pycharm": { - "name": "#%%\n" - } - } + ] }, { "cell_type": "markdown", - "source": [ - "Perform another simulation to verify that the background is now included in the simulation." - ], "metadata": { "collapsed": false, "pycharm": { "name": "#%% md\n" } - } + }, + "source": [ + "Perform another simulation to verify that the background is now included in the simulation." + ] }, { "cell_type": "code", - "execution_count": 21, - "outputs": [ - { - "data": { - "text/html": "\n
\n" - }, - "metadata": {}, - "output_type": "display_data" - }, - { - "data": { - "application/javascript": "(function(root) {\n function embed_document(root) {\n const docs_json = {\"85545f87-67d3-47a0-a672-635ebc8df78c\":{\"defs\":[{\"extends\":null,\"module\":null,\"name\":\"ReactiveHTML1\",\"overrides\":[],\"properties\":[]},{\"extends\":null,\"module\":null,\"name\":\"FlexBox1\",\"overrides\":[],\"properties\":[{\"default\":\"flex-start\",\"kind\":null,\"name\":\"align_content\"},{\"default\":\"flex-start\",\"kind\":null,\"name\":\"align_items\"},{\"default\":\"row\",\"kind\":null,\"name\":\"flex_direction\"},{\"default\":\"wrap\",\"kind\":null,\"name\":\"flex_wrap\"},{\"default\":\"flex-start\",\"kind\":null,\"name\":\"justify_content\"}]},{\"extends\":null,\"module\":null,\"name\":\"GridStack1\",\"overrides\":[],\"properties\":[{\"default\":\"warn\",\"kind\":null,\"name\":\"mode\"},{\"default\":null,\"kind\":null,\"name\":\"ncols\"},{\"default\":null,\"kind\":null,\"name\":\"nrows\"},{\"default\":true,\"kind\":null,\"name\":\"allow_resize\"},{\"default\":true,\"kind\":null,\"name\":\"allow_drag\"},{\"default\":[],\"kind\":null,\"name\":\"state\"}]},{\"extends\":null,\"module\":null,\"name\":\"click1\",\"overrides\":[],\"properties\":[{\"default\":\"\",\"kind\":null,\"name\":\"terminal_output\"},{\"default\":\"\",\"kind\":null,\"name\":\"debug_name\"},{\"default\":0,\"kind\":null,\"name\":\"clears\"}]},{\"extends\":null,\"module\":null,\"name\":\"NotificationAreaBase1\",\"overrides\":[],\"properties\":[{\"default\":\"bottom-right\",\"kind\":null,\"name\":\"position\"},{\"default\":0,\"kind\":null,\"name\":\"_clear\"}]},{\"extends\":null,\"module\":null,\"name\":\"NotificationArea1\",\"overrides\":[],\"properties\":[{\"default\":[],\"kind\":null,\"name\":\"notifications\"},{\"default\":\"bottom-right\",\"kind\":null,\"name\":\"position\"},{\"default\":0,\"kind\":null,\"name\":\"_clear\"},{\"default\":[{\"background\":\"#ffc107\",\"icon\":{\"className\":\"fas fa-exclamation-triangle\",\"color\":\"white\",\"tagName\":\"i\"},\"type\":\"warning\"},{\"background\":\"#007bff\",\"icon\":{\"className\":\"fas fa-info-circle\",\"color\":\"white\",\"tagName\":\"i\"},\"type\":\"info\"}],\"kind\":null,\"name\":\"types\"}]},{\"extends\":null,\"module\":null,\"name\":\"Notification\",\"overrides\":[],\"properties\":[{\"default\":null,\"kind\":null,\"name\":\"background\"},{\"default\":3000,\"kind\":null,\"name\":\"duration\"},{\"default\":null,\"kind\":null,\"name\":\"icon\"},{\"default\":\"\",\"kind\":null,\"name\":\"message\"},{\"default\":null,\"kind\":null,\"name\":\"notification_type\"},{\"default\":false,\"kind\":null,\"name\":\"_destroyed\"}]},{\"extends\":null,\"module\":null,\"name\":\"TemplateActions1\",\"overrides\":[],\"properties\":[{\"default\":0,\"kind\":null,\"name\":\"open_modal\"},{\"default\":0,\"kind\":null,\"name\":\"close_modal\"}]},{\"extends\":null,\"module\":null,\"name\":\"MaterialTemplateActions1\",\"overrides\":[],\"properties\":[{\"default\":0,\"kind\":null,\"name\":\"open_modal\"},{\"default\":0,\"kind\":null,\"name\":\"close_modal\"}]}],\"roots\":{\"references\":[{\"attributes\":{\"background_fill_color\":\"#3f3f3f\",\"below\":[{\"id\":\"1548\"}],\"border_fill_color\":\"#2f2f2f\",\"center\":[{\"id\":\"1551\"},{\"id\":\"1555\"},{\"id\":\"1586\"}],\"height\":300,\"left\":[{\"id\":\"1552\"}],\"min_border\":0,\"outline_line_alpha\":0.25,\"outline_line_color\":\"#E0E0E0\",\"renderers\":[{\"id\":\"1574\"},{\"id\":\"1592\"}],\"title\":{\"id\":\"1538\"},\"toolbar\":{\"id\":\"1563\"},\"width\":990,\"x_range\":{\"id\":\"1540\"},\"x_scale\":{\"id\":\"1544\"},\"y_range\":{\"id\":\"1542\"},\"y_scale\":{\"id\":\"1546\"}},\"id\":\"1537\",\"subtype\":\"Figure\",\"type\":\"Plot\"},{\"attributes\":{\"label\":{\"value\":\"Experimental Spin Up\"},\"renderers\":[{\"id\":\"1574\"}]},\"id\":\"1587\",\"type\":\"LegendItem\"},{\"attributes\":{},\"id\":\"1581\",\"type\":\"BasicTickFormatter\"},{\"attributes\":{},\"id\":\"1542\",\"type\":\"DataRange1d\"},{\"attributes\":{},\"id\":\"1560\",\"type\":\"ResetTool\"},{\"attributes\":{\"label\":{\"value\":\"Simulated Spin Up\"},\"renderers\":[{\"id\":\"1592\"}]},\"id\":\"1606\",\"type\":\"LegendItem\"},{\"attributes\":{},\"id\":\"1540\",\"type\":\"DataRange1d\"},{\"attributes\":{\"tools\":[{\"id\":\"1556\"},{\"id\":\"1557\"},{\"id\":\"1558\"},{\"id\":\"1559\"},{\"id\":\"1560\"},{\"id\":\"1561\"}]},\"id\":\"1563\",\"type\":\"Toolbar\"},{\"attributes\":{\"axis\":{\"id\":\"1548\"},\"coordinates\":null,\"grid_line_alpha\":0.25,\"grid_line_color\":\"#E0E0E0\",\"group\":null,\"ticker\":null},\"id\":\"1551\",\"type\":\"Grid\"},{\"attributes\":{\"axis_label\":\"2theta\",\"axis_label_standoff\":10,\"axis_label_text_color\":\"#E0E0E0\",\"axis_label_text_font\":\"Helvetica\",\"axis_label_text_font_size\":\"1.25em\",\"axis_label_text_font_style\":\"normal\",\"axis_line_alpha\":0,\"axis_line_color\":\"#E0E0E0\",\"coordinates\":null,\"formatter\":{\"id\":\"1581\"},\"group\":null,\"major_label_policy\":{\"id\":\"1582\"},\"major_label_text_color\":\"#E0E0E0\",\"major_label_text_font\":\"Helvetica\",\"major_label_text_font_size\":\"1.025em\",\"major_tick_line_alpha\":0,\"major_tick_line_color\":\"#E0E0E0\",\"minor_tick_line_alpha\":0,\"minor_tick_line_color\":\"#E0E0E0\",\"ticker\":{\"id\":\"1549\"}},\"id\":\"1548\",\"type\":\"LinearAxis\"},{\"attributes\":{},\"id\":\"1546\",\"type\":\"LinearScale\"},{\"attributes\":{},\"id\":\"1549\",\"type\":\"BasicTicker\"},{\"attributes\":{\"overlay\":{\"id\":\"1562\"}},\"id\":\"1558\",\"type\":\"BoxZoomTool\"},{\"attributes\":{},\"id\":\"1582\",\"type\":\"AllLabels\"},{\"attributes\":{\"coordinates\":null,\"data_source\":{\"id\":\"1570\"},\"glyph\":{\"id\":\"1571\"},\"group\":null,\"hover_glyph\":null,\"muted_glyph\":{\"id\":\"1573\"},\"nonselection_glyph\":{\"id\":\"1572\"},\"view\":{\"id\":\"1575\"}},\"id\":\"1574\",\"type\":\"GlyphRenderer\"},{\"attributes\":{\"data\":{\"x\":{\"__ndarray__\":\"ZmZmZmZmEkAzMzMzMzMTQAAAAAAAABRAzczMzMzMFECamZmZmZkVQGZmZmZmZhZAMzMzMzMzF0AAAAAAAAAYQM3MzMzMzBhAmpmZmZmZGUBmZmZmZmYaQDMzMzMzMxtAAAAAAAAAHEDNzMzMzMwcQJqZmZmZmR1AZmZmZmZmHkAzMzMzMzMfQAAAAAAAACBAZmZmZmZmIEDNzMzMzMwgQDMzMzMzMyFAmpmZmZmZIUAAAAAAAAAiQGZmZmZmZiJAzczMzMzMIkAzMzMzMzMjQJqZmZmZmSNAAAAAAAAAJEBmZmZmZmYkQM3MzMzMzCRAMzMzMzMzJUCamZmZmZklQAAAAAAAACZAZmZmZmZmJkDNzMzMzMwmQDMzMzMzMydAmpmZmZmZJ0AAAAAAAAAoQGZmZmZmZihAzczMzMzMKEAzMzMzMzMpQJqZmZmZmSlAAAAAAAAAKkBmZmZmZmYqQM3MzMzMzCpAMzMzMzMzK0CamZmZmZkrQAAAAAAAACxAZmZmZmZmLEDNzMzMzMwsQDMzMzMzMy1AmpmZmZmZLUAAAAAAAAAuQGZmZmZmZi5AzczMzMzMLkAzMzMzMzMvQJqZmZmZmS9AAAAAAAAAMEAzMzMzMzMwQGZmZmZmZjBAmpmZmZmZMEDNzMzMzMwwQAAAAAAAADFAMzMzMzMzMUBmZmZmZmYxQJqZmZmZmTFAzczMzMzMMUAAAAAAAAAyQDMzMzMzMzJAZmZmZmZmMkCamZmZmZkyQM3MzMzMzDJAAAAAAAAAM0AzMzMzMzMzQGZmZmZmZjNAmpmZmZmZM0DNzMzMzMwzQAAAAAAAADRAMzMzMzMzNEBmZmZmZmY0QJqZmZmZmTRAzczMzMzMNEAAAAAAAAA1QDMzMzMzMzVAZmZmZmZmNUCamZmZmZk1QM3MzMzMzDVAAAAAAAAANkAzMzMzMzM2QGZmZmZmZjZAmpmZmZmZNkDNzMzMzMw2QAAAAAAAADdAMzMzMzMzN0BmZmZmZmY3QJqZmZmZmTdAzczMzMzMN0AAAAAAAAA4QDMzMzMzMzhAZmZmZmZmOECamZmZmZk4QM3MzMzMzDhAAAAAAAAAOUAzMzMzMzM5QGZmZmZmZjlAmpmZmZmZOUDNzMzMzMw5QAAAAAAAADpAMzMzMzMzOkBmZmZmZmY6QJqZmZmZmTpAzczMzMzMOkAAAAAAAAA7QDMzMzMzMztAZmZmZmZmO0CamZmZmZk7QM3MzMzMzDtAAAAAAAAAPEAzMzMzMzM8QGZmZmZmZjxAmpmZmZmZPEDNzMzMzMw8QAAAAAAAAD1AMzMzMzMzPUBmZmZmZmY9QJqZmZmZmT1AzczMzMzMPUAAAAAAAAA+QDMzMzMzMz5AZmZmZmZmPkCamZmZmZk+QM3MzMzMzD5AAAAAAAAAP0AzMzMzMzM/QGZmZmZmZj9AmpmZmZmZP0DNzMzMzMw/QAAAAAAAAEBAmpmZmZkZQEAzMzMzMzNAQM3MzMzMTEBAZmZmZmZmQEAAAAAAAIBAQJqZmZmZmUBAMzMzMzOzQEDNzMzMzMxAQGZmZmZm5kBAAAAAAAAAQUCamZmZmRlBQDMzMzMzM0FAzczMzMxMQUBmZmZmZmZBQAAAAAAAgEFAmpmZmZmZQUAzMzMzM7NBQM3MzMzMzEFAZmZmZmbmQUAAAAAAAABCQJqZmZmZGUJAMzMzMzMzQkDNzMzMzExCQGZmZmZmZkJAAAAAAACAQkCamZmZmZlCQDMzMzMzs0JAzczMzMzMQkBmZmZmZuZCQAAAAAAAAENAmpmZmZkZQ0AzMzMzMzNDQM3MzMzMTENAZmZmZmZmQ0AAAAAAAIBDQJqZmZmZmUNAMzMzMzOzQ0DNzMzMzMxDQGZmZmZm5kNAAAAAAAAARECamZmZmRlEQDMzMzMzM0RAzczMzMxMREBmZmZmZmZEQAAAAAAAgERAmpmZmZmZREAzMzMzM7NEQM3MzMzMzERAZmZmZmbmREAAAAAAAABFQJqZmZmZGUVAMzMzMzMzRUDNzMzMzExFQGZmZmZmZkVAAAAAAACARUCamZmZmZlFQDMzMzMzs0VAzczMzMzMRUBmZmZmZuZFQAAAAAAAAEZAmpmZmZkZRkAzMzMzMzNGQM3MzMzMTEZAZmZmZmZmRkAAAAAAAIBGQJqZmZmZmUZAMzMzMzOzRkDNzMzMzMxGQGZmZmZm5kZAAAAAAAAAR0CamZmZmRlHQDMzMzMzM0dAzczMzMxMR0BmZmZmZmZHQAAAAAAAgEdAmpmZmZmZR0AzMzMzM7NHQM3MzMzMzEdAZmZmZmbmR0AAAAAAAABIQJqZmZmZGUhAMzMzMzMzSEDNzMzMzExIQGZmZmZmZkhAAAAAAACASECamZmZmZlIQDMzMzMzs0hAzczMzMzMSEBmZmZmZuZIQAAAAAAAAElAmpmZmZkZSUAzMzMzMzNJQM3MzMzMTElAZmZmZmZmSUAAAAAAAIBJQJqZmZmZmUlAMzMzMzOzSUDNzMzMzMxJQGZmZmZm5klAAAAAAAAASkCamZmZmRlKQDMzMzMzM0pAzczMzMxMSkBmZmZmZmZKQAAAAAAAgEpAmpmZmZmZSkAzMzMzM7NKQM3MzMzMzEpAZmZmZmbmSkAAAAAAAABLQJqZmZmZGUtAMzMzMzMzS0DNzMzMzExLQGZmZmZmZktAAAAAAACAS0CamZmZmZlLQDMzMzMzs0tAzczMzMzMS0BmZmZmZuZLQAAAAAAAAExAmpmZmZkZTEAzMzMzMzNMQM3MzMzMTExAZmZmZmZmTEAAAAAAAIBMQJqZmZmZmUxAMzMzMzOzTEDNzMzMzMxMQGZmZmZm5kxAAAAAAAAATUCamZmZmRlNQDMzMzMzM01AzczMzMxMTUBmZmZmZmZNQAAAAAAAgE1AmpmZmZmZTUAzMzMzM7NNQM3MzMzMzE1AZmZmZmbmTUAAAAAAAABOQJqZmZmZGU5AMzMzMzMzTkDNzMzMzExOQGZmZmZmZk5AAAAAAACATkCamZmZmZlOQDMzMzMzs05AzczMzMzMTkBmZmZmZuZOQAAAAAAAAE9AmpmZmZkZT0AzMzMzMzNPQM3MzMzMTE9AZmZmZmZmT0AAAAAAAIBPQJqZmZmZmU9AMzMzMzOzT0DNzMzMzMxPQGZmZmZm5k9AAAAAAAAAUEDNzMzMzAxQQJqZmZmZGVBAZmZmZmYmUEAzMzMzMzNQQAAAAAAAQFBAzczMzMxMUECamZmZmVlQQGZmZmZmZlBAMzMzMzNzUEAAAAAAAIBQQM3MzMzMjFBAmpmZmZmZUEBmZmZmZqZQQDMzMzMzs1BAAAAAAADAUEDNzMzMzMxQQJqZmZmZ2VBAZmZmZmbmUEAzMzMzM/NQQAAAAAAAAFFAzczMzMwMUUCamZmZmRlRQGZmZmZmJlFAMzMzMzMzUUAAAAAAAEBRQM3MzMzMTFFAmpmZmZlZUUBmZmZmZmZRQDMzMzMzc1FAAAAAAACAUUDNzMzMzIxRQJqZmZmZmVFAZmZmZmamUUAzMzMzM7NRQAAAAAAAwFFAzczMzMzMUUCamZmZmdlRQGZmZmZm5lFAMzMzMzPzUUAAAAAAAABSQM3MzMzMDFJAmpmZmZkZUkBmZmZmZiZSQDMzMzMzM1JAAAAAAABAUkDNzMzMzExSQJqZmZmZWVJAZmZmZmZmUkAzMzMzM3NSQAAAAAAAgFJAzczMzMyMUkCamZmZmZlSQGZmZmZmplJAMzMzMzOzUkAAAAAAAMBSQM3MzMzMzFJAmpmZmZnZUkBmZmZmZuZSQDMzMzMz81JAAAAAAAAAU0DNzMzMzAxTQJqZmZmZGVNAZmZmZmYmU0AzMzMzMzNTQAAAAAAAQFNAzczMzMxMU0CamZmZmVlTQGZmZmZmZlNAMzMzMzNzU0AAAAAAAIBTQM3MzMzMjFNAmpmZmZmZU0BmZmZmZqZTQDMzMzMzs1NAAAAAAADAU0DNzMzMzMxTQJqZmZmZ2VNAZmZmZmbmU0AzMzMzM/NTQAAAAAAAAFRAzczMzMwMVECamZmZmRlUQGZmZmZmJlRAMzMzMzMzVEAAAAAAAEBUQM3MzMzMTFRAmpmZmZlZVEBmZmZmZmZUQDMzMzMzc1RAAAAAAACAVEA=\",\"dtype\":\"float64\",\"order\":\"little\",\"shape\":[388]},\"y\":{\"__ndarray__\":\"9ihcj8KXg0D2KFyPwiWGQMP1KFyPcIZAKVyPwvU8hUAK16NwPViFQNejcD0KvYZA4XoUrkcphkAAAAAAAOyHQDMzMzMza4lAMzMzMzMrg0DhehSuR5eAQGZmZmZm4ItAPQrXo3AljUC4HoXrUSyZQArXo3A9Y6tAKVyPwjUatkCPwvUonE61QFyPwvWoEqxA7FG4HoXimkBxPQrXo3KOQBSuR+F6GJpAzczMzEyZokCkcD0KVwCmQM3MzMzMvqFAUrgehet4k0ApXI/C9RSFQPYoXI/Ck4VAexSuR+FQhEBSuB6F6xV/QHsUrkfhLIFAcT0K16Ncg0BxPQrXo76DQOxRuB6Fu3xA16NwPQpze0BI4XoUrnN8QNejcD0K04BAPQrXo3DvgUA9CtejcGl/QD0K16Nw4XdApHA9CtcngUBSuB6F67uHQPYoXI/CV41Aw/UoXI80jkCuR+F6FJqLQJqZmZmZvYJACtejcD1af0AUrkfhemh5QOF6FK5HtXtAH4XrUbjWeECPwvUoXPeBQKRwPQrXA4VAzczMzMwKk0DhehSuR9mfQNejcD2KUqNAFK5H4frQokAfhetRuBKeQOxRuB6FzJxASOF6FK7/l0CPwvUoXByTQClcj8L1bIhACtejcD1Yg0CF61G4Hpl/QB+F61G4CoBA9ihcj8KdfkAK16NwPTZ8QHE9CtejwH9AFK5H4XougkB7FK5H4ZaBQIXrUbge94dAUrgeheuNiUCamZmZmeWIQK5H4XoUdIdAZmZmZmZOfkDsUbgehSeDQKRwPQrXaYhAH4XrUbgklECkcD0K12+kQK5H4XoUR69AFK5H4fpDsUBI4XoULiutQD0K16NwY6JAw/UoXI9Ck0C4HoXrUfSHQKRwPQrXDYRArkfhehR8gEBSuB6F65eAQJqZmZmZoX5AZmZmZmYUgEAUrkfheqiAQFyPwvUoRIRAzczMzMyujEAzMzMzMz2QQFK4HoXrXY1ApHA9CtfdhUDNzMzMzDyIQMP1KFyPBo1ApHA9CteHmUB7FK5H4RmhQFK4HoXrGaNA16NwPYqIoEDNzMzMzB2YQLgehetRiI5A4XoUrkejg0B7FK5H4XZ+QArXo3A9Fn9AzczMzMw6hEBcj8L1KHOQQGZmZmZmxJlAcT0K1yM/oUAAAAAAADqiQHE9CtejvaBACtejcD0mmkA9CtejcKuUQOF6FK5HH5RAcT0K16MCl0CamZmZmX6YQOF6FK5HmJhApHA9CtfdlUA9CtejcBqQQNejcD0Kt4dAFK5H4Xqgg0AfhetRuNJ7QOF6FK5HGXxAzczMzMx8f0ApXI/C9dB/QAAAAAAAFH9Aw/UoXI+ufkDhehSuR+l8QNejcD0Kj4FAFK5H4Xocg0BmZmZmZgiJQClcj8L1Jo9ApHA9CtchkEDNzMzMzCSOQHsUrkfhbolAmpmZmZlzhUCamZmZmS2BQFyPwvUoaHpAAAAAAAC8eEBcj8L1KJR/QHE9CtejgoJArkfhehQQgkBmZmZmZpaFQGZmZmZmRIxAzczMzMwYjkB7FK5H4bKPQBSuR+F6CJBAhetRuB4fikAzMzMzM92HQHsUrkfhyoNA16NwPQpTgEBxPQrXo0x9QD0K16NwJYBAKVyPwvUugEDXo3A9CqOBQClcj8L1moRAFK5H4Xoah0BmZmZmZmSIQClcj8L1aolA4XoUrkfHiUApXI/C9dyFQI/C9ShcQYRA16NwPQpXg0DsUbgehUODQBSuR+F69oJASOF6FK7Fh0AfhetRuLiJQFyPwvUoN5BAH4XrUbh4k0AfhetRuLeWQEjhehSunpdAuB6F61FCmEAfhetRuImWQEjhehSunpNAFK5H4XoPkUDhehSuRxWPQFK4HoXrvY1Aj8L1KFwrjkC4HoXrUbSPQAAAAAAAPZFAH4XrUbiBkkDhehSuRy2SQIXrUbgel5JAAAAAAAA/kUAzMzMzM92OQKRwPQrX/YtASOF6FK4ViEDsUbgehR+HQD0K16NwHYNAzczMzMwagkAfhetRuBSFQFyPwvUo/ohAUrgeheu3jEBmZmZmZlaOQGZmZmZm6o5AFK5H4Xo8jUCkcD0K19eKQBSuR+F6WodAFK5H4Xogg0BSuB6F642CQOxRuB6Fl4BA16NwPQqFgEC4HoXrUVh9QLgehetRsoBAUrgehettgEDsUbgehTeBQI/C9Shco39AzczMzMxEgUBI4XoUrkuBQClcj8L1fIVA4XoUrkejiEApXI/C9QyLQEjhehSu6Y5ApHA9CtczkEBmZmZmZiuRQK5H4XoUO5FAFK5H4XrPkEDXo3A9CuOQQKRwPQrXMY5AAAAAAAAejUAAAAAAALyNQKRwPQrXU49AAAAAAAAdkEAAAAAAALSQQHsUrkfh75BA16NwPQqikEB7FK5H4XKOQB+F61G4uo1AmpmZmZkhiUDD9Shcj1KGQK5H4XoUfINA4XoUrkdRgkDXo3A9Cv+AQFK4HoXrjX5A4XoUrkf9e0CuR+F6FAqAQEjhehSux3xAhetRuB7hfUAzMzMzM1N9QPYoXI/CmXxACtejcD1Ke0AUrkfhelR9QEjhehSuZ3xA9ihcj8IRe0CkcD0K1098QMP1KFyPznxAH4XrUbj2fUBxPQrXoxCAQEjhehSuRYBApHA9CtdlgUDXo3A9CgGEQJqZmZmZI4hAw/UoXI9Mh0AfhetRuNiJQJqZmZmZ+YpA7FG4HoWBiUCuR+F6FBKJQArXo3A90IdAj8L1KFxnh0AUrkfheuCHQNejcD0KCYVA16NwPQqXhEBxPQrXo4aEQKRwPQrXO4RASOF6FK7Fg0A9CtejcB+CQHE9CtejeoFAPQrXo3AVgkAUrkfhekaCQClcj8L1+oFAuB6F61HcgkB7FK5H4QSEQDMzMzMzZ4VAPQrXo3A1hkDXo3A9CpuIQBSuR+F6TolAXI/C9Si+iUAK16NwPdKJQGZmZmZmMIpAH4XrUbiUh0AfhetRuFSGQEjhehSuhYVArkfhehTEhUBSuB6F6xmFQK5H4XoUKINAzczMzMzog0CkcD0K1wOBQFyPwvUoIoBAuB6F61F0fEDsUbgehat9QMP1KFyPgnxAzczMzMwgfUDXo3A9Co98QMP1KFyPhntAXI/C9SgGgEA9CtejcIl+QPYoXI/CIYFApHA9Cte1g0DhehSuR+2CQOF6FK5HnYRAUrgehet3iECPwvUoXD+KQDMzMzMzu4xAUrgehevnjEAAAAAAAMyPQAAAAAAAQo9AcT0K16MvkECuR+F6FJuQQB+F61G4+o9AMzMzMzO3jUBxPQrXoy6MQB+F61G40IpASOF6FK6liEB7FK5H4ZSJQBSuR+F63IZAhetRuB7dhUC4HoXrUTqDQIXrUbgeRYJA4XoUrkcVg0DhehSuRx2AQEjhehSusYFApHA9CtdvgUApXI/C9XKCQEjhehSu0YJASOF6FK4Vg0ApXI/C9b6DQI/C9ShcMYNArkfhehR4gkBcj8L1KFCFQMP1KFyP/oRAhetRuB5lg0AzMzMzMweFQD0K16Nwe4NAZmZmZmZWhEAzMzMzM4eEQPYoXI/CEYNAexSuR+HWgUBI4XoUrgGCQOxRuB6FHYNAZmZmZmachEDhehSuRzGDQLgehetR+INAPQrXo3CjgkAUrkfhemyBQD0K16NwkYFA4XoUrkc3g0CF61G4HkeEQHE9CtejJoRAzczMzMw6hED2KFyPwouDQI/C9ShcnYRApHA9Cte3gkBmZmZmZkiEQJqZmZmZg4ZAuB6F61EAhkAAAAAAAPyDQIXrUbgeTYVAj8L1KFxrhkBSuB6F65uFQJqZmZmZ14RAj8L1KFzzhEDXo3A9CpuDQMP1KFyPUIFAXI/C9SgSgkA9CtejcN2CQKRwPQrXJ4NAmpmZmZnng0CuR+F6FNCCQNejcD0K6YJArkfhehRWg0A9CtejcDmCQM3MzMzMUoJAFK5H4XrIg0DD9Shcj+CEQKRwPQrXC4VAexSuR+Fig0B7FK5H4ciFQM3MzMzMwoVAMzMzMzMLhUAfhetRuFqGQOF6FK5Hi4NAAAAAAACahECPwvUoXE+DQDMzMzMzH4RAPQrXo3ATg0BI4XoUrnmFQI/C9Shc54JA9ihcj8JvgkA=\",\"dtype\":\"float64\",\"order\":\"little\",\"shape\":[388]}},\"selected\":{\"id\":\"1584\"},\"selection_policy\":{\"id\":\"1583\"}},\"id\":\"1570\",\"type\":\"ColumnDataSource\"},{\"attributes\":{\"coordinates\":null,\"data_source\":{\"id\":\"1588\"},\"glyph\":{\"id\":\"1589\"},\"group\":null,\"hover_glyph\":null,\"muted_glyph\":{\"id\":\"1591\"},\"nonselection_glyph\":{\"id\":\"1590\"},\"view\":{\"id\":\"1593\"}},\"id\":\"1592\",\"type\":\"GlyphRenderer\"},{\"attributes\":{},\"id\":\"1544\",\"type\":\"LinearScale\"},{\"attributes\":{\"line_alpha\":0.1,\"line_color\":\"#d53e4f\",\"line_width\":2,\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"1590\",\"type\":\"Line\"},{\"attributes\":{\"line_alpha\":0.2,\"line_color\":\"#3288bd\",\"line_width\":2,\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"1573\",\"type\":\"Line\"},{\"attributes\":{},\"id\":\"1578\",\"type\":\"BasicTickFormatter\"},{\"attributes\":{},\"id\":\"1583\",\"type\":\"UnionRenderers\"},{\"attributes\":{\"background_fill_alpha\":0.25,\"background_fill_color\":\"#20262B\",\"border_line_alpha\":0,\"coordinates\":null,\"glyph_width\":15,\"group\":null,\"items\":[{\"id\":\"1587\"},{\"id\":\"1606\"}],\"label_standoff\":8,\"label_text_color\":\"#E0E0E0\",\"label_text_font\":\"Helvetica\",\"label_text_font_size\":\"1.025em\",\"spacing\":8},\"id\":\"1586\",\"type\":\"Legend\"},{\"attributes\":{\"data\":{\"x\":{\"__ndarray__\":\"ZmZmZmZmEkAzMzMzMzMTQAAAAAAAABRAzczMzMzMFECamZmZmZkVQGZmZmZmZhZAMzMzMzMzF0AAAAAAAAAYQM3MzMzMzBhAmpmZmZmZGUBmZmZmZmYaQDMzMzMzMxtAAAAAAAAAHEDNzMzMzMwcQJqZmZmZmR1AZmZmZmZmHkAzMzMzMzMfQAAAAAAAACBAZmZmZmZmIEDNzMzMzMwgQDMzMzMzMyFAmpmZmZmZIUAAAAAAAAAiQGZmZmZmZiJAzczMzMzMIkAzMzMzMzMjQJqZmZmZmSNAAAAAAAAAJEBmZmZmZmYkQM3MzMzMzCRAMzMzMzMzJUCamZmZmZklQAAAAAAAACZAZmZmZmZmJkDNzMzMzMwmQDMzMzMzMydAmpmZmZmZJ0AAAAAAAAAoQGZmZmZmZihAzczMzMzMKEAzMzMzMzMpQJqZmZmZmSlAAAAAAAAAKkBmZmZmZmYqQM3MzMzMzCpAMzMzMzMzK0CamZmZmZkrQAAAAAAAACxAZmZmZmZmLEDNzMzMzMwsQDMzMzMzMy1AmpmZmZmZLUAAAAAAAAAuQGZmZmZmZi5AzczMzMzMLkAzMzMzMzMvQJqZmZmZmS9AAAAAAAAAMEAzMzMzMzMwQGZmZmZmZjBAmpmZmZmZMEDNzMzMzMwwQAAAAAAAADFAMzMzMzMzMUBmZmZmZmYxQJqZmZmZmTFAzczMzMzMMUAAAAAAAAAyQDMzMzMzMzJAZmZmZmZmMkCamZmZmZkyQM3MzMzMzDJAAAAAAAAAM0AzMzMzMzMzQGZmZmZmZjNAmpmZmZmZM0DNzMzMzMwzQAAAAAAAADRAMzMzMzMzNEBmZmZmZmY0QJqZmZmZmTRAzczMzMzMNEAAAAAAAAA1QDMzMzMzMzVAZmZmZmZmNUCamZmZmZk1QM3MzMzMzDVAAAAAAAAANkAzMzMzMzM2QGZmZmZmZjZAmpmZmZmZNkDNzMzMzMw2QAAAAAAAADdAMzMzMzMzN0BmZmZmZmY3QJqZmZmZmTdAzczMzMzMN0AAAAAAAAA4QDMzMzMzMzhAZmZmZmZmOECamZmZmZk4QM3MzMzMzDhAAAAAAAAAOUAzMzMzMzM5QGZmZmZmZjlAmpmZmZmZOUDNzMzMzMw5QAAAAAAAADpAMzMzMzMzOkBmZmZmZmY6QJqZmZmZmTpAzczMzMzMOkAAAAAAAAA7QDMzMzMzMztAZmZmZmZmO0CamZmZmZk7QM3MzMzMzDtAAAAAAAAAPEAzMzMzMzM8QGZmZmZmZjxAmpmZmZmZPEDNzMzMzMw8QAAAAAAAAD1AMzMzMzMzPUBmZmZmZmY9QJqZmZmZmT1AzczMzMzMPUAAAAAAAAA+QDMzMzMzMz5AZmZmZmZmPkCamZmZmZk+QM3MzMzMzD5AAAAAAAAAP0AzMzMzMzM/QGZmZmZmZj9AmpmZmZmZP0DNzMzMzMw/QAAAAAAAAEBAmpmZmZkZQEAzMzMzMzNAQM3MzMzMTEBAZmZmZmZmQEAAAAAAAIBAQJqZmZmZmUBAMzMzMzOzQEDNzMzMzMxAQGZmZmZm5kBAAAAAAAAAQUCamZmZmRlBQDMzMzMzM0FAzczMzMxMQUBmZmZmZmZBQAAAAAAAgEFAmpmZmZmZQUAzMzMzM7NBQM3MzMzMzEFAZmZmZmbmQUAAAAAAAABCQJqZmZmZGUJAMzMzMzMzQkDNzMzMzExCQGZmZmZmZkJAAAAAAACAQkCamZmZmZlCQDMzMzMzs0JAzczMzMzMQkBmZmZmZuZCQAAAAAAAAENAmpmZmZkZQ0AzMzMzMzNDQM3MzMzMTENAZmZmZmZmQ0AAAAAAAIBDQJqZmZmZmUNAMzMzMzOzQ0DNzMzMzMxDQGZmZmZm5kNAAAAAAAAARECamZmZmRlEQDMzMzMzM0RAzczMzMxMREBmZmZmZmZEQAAAAAAAgERAmpmZmZmZREAzMzMzM7NEQM3MzMzMzERAZmZmZmbmREAAAAAAAABFQJqZmZmZGUVAMzMzMzMzRUDNzMzMzExFQGZmZmZmZkVAAAAAAACARUCamZmZmZlFQDMzMzMzs0VAzczMzMzMRUBmZmZmZuZFQAAAAAAAAEZAmpmZmZkZRkAzMzMzMzNGQM3MzMzMTEZAZmZmZmZmRkAAAAAAAIBGQJqZmZmZmUZAMzMzMzOzRkDNzMzMzMxGQGZmZmZm5kZAAAAAAAAAR0CamZmZmRlHQDMzMzMzM0dAzczMzMxMR0BmZmZmZmZHQAAAAAAAgEdAmpmZmZmZR0AzMzMzM7NHQM3MzMzMzEdAZmZmZmbmR0AAAAAAAABIQJqZmZmZGUhAMzMzMzMzSEDNzMzMzExIQGZmZmZmZkhAAAAAAACASECamZmZmZlIQDMzMzMzs0hAzczMzMzMSEBmZmZmZuZIQAAAAAAAAElAmpmZmZkZSUAzMzMzMzNJQM3MzMzMTElAZmZmZmZmSUAAAAAAAIBJQJqZmZmZmUlAMzMzMzOzSUDNzMzMzMxJQGZmZmZm5klAAAAAAAAASkCamZmZmRlKQDMzMzMzM0pAzczMzMxMSkBmZmZmZmZKQAAAAAAAgEpAmpmZmZmZSkAzMzMzM7NKQM3MzMzMzEpAZmZmZmbmSkAAAAAAAABLQJqZmZmZGUtAMzMzMzMzS0DNzMzMzExLQGZmZmZmZktAAAAAAACAS0CamZmZmZlLQDMzMzMzs0tAzczMzMzMS0BmZmZmZuZLQAAAAAAAAExAmpmZmZkZTEAzMzMzMzNMQM3MzMzMTExAZmZmZmZmTEAAAAAAAIBMQJqZmZmZmUxAMzMzMzOzTEDNzMzMzMxMQGZmZmZm5kxAAAAAAAAATUCamZmZmRlNQDMzMzMzM01AzczMzMxMTUBmZmZmZmZNQAAAAAAAgE1AmpmZmZmZTUAzMzMzM7NNQM3MzMzMzE1AZmZmZmbmTUAAAAAAAABOQJqZmZmZGU5AMzMzMzMzTkDNzMzMzExOQGZmZmZmZk5AAAAAAACATkCamZmZmZlOQDMzMzMzs05AzczMzMzMTkBmZmZmZuZOQAAAAAAAAE9AmpmZmZkZT0AzMzMzMzNPQM3MzMzMTE9AZmZmZmZmT0AAAAAAAIBPQJqZmZmZmU9AMzMzMzOzT0DNzMzMzMxPQGZmZmZm5k9AAAAAAAAAUEDNzMzMzAxQQJqZmZmZGVBAZmZmZmYmUEAzMzMzMzNQQAAAAAAAQFBAzczMzMxMUECamZmZmVlQQGZmZmZmZlBAMzMzMzNzUEAAAAAAAIBQQM3MzMzMjFBAmpmZmZmZUEBmZmZmZqZQQDMzMzMzs1BAAAAAAADAUEDNzMzMzMxQQJqZmZmZ2VBAZmZmZmbmUEAzMzMzM/NQQAAAAAAAAFFAzczMzMwMUUCamZmZmRlRQGZmZmZmJlFAMzMzMzMzUUAAAAAAAEBRQM3MzMzMTFFAmpmZmZlZUUBmZmZmZmZRQDMzMzMzc1FAAAAAAACAUUDNzMzMzIxRQJqZmZmZmVFAZmZmZmamUUAzMzMzM7NRQAAAAAAAwFFAzczMzMzMUUCamZmZmdlRQGZmZmZm5lFAMzMzMzPzUUAAAAAAAABSQM3MzMzMDFJAmpmZmZkZUkBmZmZmZiZSQDMzMzMzM1JAAAAAAABAUkDNzMzMzExSQJqZmZmZWVJAZmZmZmZmUkAzMzMzM3NSQAAAAAAAgFJAzczMzMyMUkCamZmZmZlSQGZmZmZmplJAMzMzMzOzUkAAAAAAAMBSQM3MzMzMzFJAmpmZmZnZUkBmZmZmZuZSQDMzMzMz81JAAAAAAAAAU0DNzMzMzAxTQJqZmZmZGVNAZmZmZmYmU0AzMzMzMzNTQAAAAAAAQFNAzczMzMxMU0CamZmZmVlTQGZmZmZmZlNAMzMzMzNzU0AAAAAAAIBTQM3MzMzMjFNAmpmZmZmZU0BmZmZmZqZTQDMzMzMzs1NAAAAAAADAU0DNzMzMzMxTQJqZmZmZ2VNAZmZmZmbmU0AzMzMzM/NTQAAAAAAAAFRAzczMzMwMVECamZmZmRlUQGZmZmZmJlRAMzMzMzMzVEAAAAAAAEBUQM3MzMzMTFRAmpmZmZlZVEBmZmZmZmZUQDMzMzMzc1RAAAAAAACAVEA=\",\"dtype\":\"float64\",\"order\":\"little\",\"shape\":[388]},\"y\":{\"__ndarray__\":\"jg3F+LiAg0BOl3bQNV6DQIU5Mwn9QYNA82fVj8Exg0C4REeWLS+DQCCUu93+PINAbAHppJBfg0BW8aZ/z52DQA9Au1D4AoRA2KIwm/ShhEBtH1L/N5yFQIaJ28LFMIdAAbbrOYvIi0BYbOf+HjCVQHFeJmyfjaRA5dl5hCF3skCh9JNuwUq3QLgwL73oxbFAHYR2RdAco0CpYvwLL/eUQP8BCEF20pJAY1dsV4DBmUAbL4ApltSgQIrHBEJCeJ5AoFhnzPHgk0DdzrZkr7WIQPbSrC+ykIJAEQSEfWN9gEDQSN8aW5B/QBJ6CLS1n35AVKZmdjD2fUAooSQkPHp9QFTp0blkHn1AV8UY1tHbfECE92mV/q98QNb5khAunHxADHhx/GGmfEB6r83erdx8QHxdhMv38n1A1WE1pRTTgEAHVhvF1LSFQIprZkY2So1Av/PZP3qckEC8d8UovuGLQHI0nGJAZYRAWbLPNG8qgECelnGEjYp9QK6/jt4sEH1AqF4NCu+HfUCCr0mNN0Z/QLQ9HEBwa4JArK+RUXSsikDp7Ye5f5+VQANxD+49CZ9AYC+l1WhtoEAEO6Gg+lScQE4hPInj1ZpADy0Ck6HFmkCa/3tQloOVQFfNtMC+lYxAlm5Pl8hXg0AHUVRSKRV/QGox5A9/fHxACAoSbGTWe0DaF3yPr5J7QFGe3Dglv3tAOpPQgQW8fEB+kMqPX6l/QHzo0epyxYJALP7evnFfhkBoIa3YNMaHQKrBSmlfoIVA2H/O0FDkgkAoxVIWucOBQPDgobRiC4VAWGPOYGp+j0CLtCUvCAKcQO7sHGFiiqdATKlndSx9r0CMMaKHwQ+uQJbtJT6qG6VAgbDg6XgZmUCS+LUTktCNQDBMFx54gYRA4A+fGx18gEDMUDzHoUR+QKFI5cSUdn1AwFeG+juAfkCMZSZM4HOBQDp2J9MGLYZAyDYR0bzHjEAv6quOadiQQJavj1mCO5BABTVT3Jkni0AdIUmMUnmHQFIfFPgbA4pARn8OosdZkkCDeq5hQoyaQO4M4vCfqKBAJP4JmbFhoEBQ6qldilGZQGRCtIcb6ZBAnftMLTdqhkDUgPRhCQaBQACqY+2DFIBArvvFEjkagkBQwZjNK3+IQOyDcy+hPJJAjnsqwmNJmkBaABliz32gQDHSPI972aBACH1TxfsUnEAMh6CdJ1aVQDyAVUNaspFAqNhYrBwUkkCo+meMlYeUQJfVgltJv5VAbHy8QxgolEDgrSB7CX2QQEAuuMz+DYlARHZIq678gkByunP2ecZ+QNv0oRpxmHtA2sjt2zHqekAP1hOR7Lx7QOYqQCXC03xA8ulVu3BbfUAysj27MZN9QM7+50mLWn5AEWrygE6WgEBG3YGN2k2DQN4289Fa24ZAwIy1SiT7iUBQVxlFdS6LQKiNOztDoolA5Ap0CqkPhkDgMIUPMTGCQClsX8OKen5A5iU5cCwWe0Ck4FneQSp6QJMGMmkB3XpA5ofvvTQZfUCdmZiJGbiAQACBVbB8+INAeCNmSg7eh0Cb2MC3xjWLQHdnL+peboxA87gYzQDiikC+vHuDInSHQGqNnzhTrYNADVBWID+5gEAZMUFChRt+QPZQlxviHH1AA8eav2zbfUDuv7VFTpx/QD3qR08/I4FAcgD59gLYgkAifNWf1NWEQPuip290lIZA9AokQsBPh0AuXVzVy3KGQBJya1N4cIRAksPaEupKgkCaF9FcGhSBQHP067oGJoFA+dpwq22tgkCKAzgN+ISFQMZX8W08dYlAcFtnMS9CjkB4HPsRI9qRQBFSuovGcZRA1xHXsXg7lkBUcVmxUVGWQH94koJyoZRAMERzQv/3kUBuHdtxdfaOQFip4a3qzYtAxP9eGcD5ikBEnzw0k+iLQKS3jFuhlY1AMT7W+5wVj0AS22tZxfWPQGpXvgyQOJBAEij0vzUOkECKIlUM36SOQHJ/iEcO8ItAjRKMhFCiiEA9aIOcRj+FQOL5n7zUn4JAxNM7v+FDgUByOQShynqBQGZdNUfQDoNAZs1eWtmWhUDi9+h8G0yIQKwrlsXiiopATx+uXX5hi0A7E0foRJCKQNjSMYh5ZIhAYJuPT6uhhUD0MVQ3af+CQOYWjh/K8YBAZgDAdrobf0AkJbylIZV9QG7axC8X13xAStCA98mKfEDO4wEME0Z8QE5FmUY2t3xAyIpZVHlFfUBizN1EeXN+QBg/E0vrT4BAMS/LdBEEgkA17RWpKVSEQBrbSljEIodAAHtur/ANikC+D+tX8bqMQMdp7ur9u45A4x5OZlPXj0AEeLe3H7OPQNKE2Hn+lo5Ap5WdiX0PjUADQyewwriLQBIUY4WD/opA5QzIvQMAi0AclCk3YZGLQDjCnjF8UoxAfZBcttbmjEDcVB2hSOaMQML5pxBrAYxAv+GzEwUeikCW8ZOGEKiHQDrRTFOA7IRAWt86ZMJcgkCs/TeNwj6AQJhMXa55cn1A0MDWDY+ae0BYbaF2/6d6QBb/OWeZX3pA7hwZBo1dekAfj8jnY216QDrEIVyPZ3pAGag1Yyx6ekA0K7ldU4l6QOygx5RLjXpAW0pKemivekBi7YzJPrd6QNoT3WwsxnpAObHAvaDyekD+FhXAXFx7QET+q2C7KXxAJJtd25mdfUBRm2YOT6h/QK2ig4pUEoFAD3GyNCB/gkCwPmicov+DQLQjzNwDXoVA0pMcE5ZshkDwlTBucAWHQCVOh5tuJYdA3oWWSpLUhkAEc6/PYTGGQKtSX6oPZoVAm6QywZF7hEBdAHj2dYWDQH7TibzNkYJAvLrjXTCugUC4aOIUUuWAQNjhgeNXXoBAbJHfhQDtf0AuRnT6M4d/QFwOW5Rfin9APJ7b+nkPgEA7J+v6FYuAQChE3BCnM4FAci5bz6AAgkCaiOxPf+2CQNDDrDIh2oNAEAs2RGvkhEC94YWj1tiFQMwlG1MqlYZAXW/R+Xb+hkAGFn7Vk/+GQINZTzT/mYZA+zhhIUfVhUBzpUwJssiEQNAfpNpukINAUY28MxxQgkDuQ72TiRmBQLoCtryN+X9AWAZUMm8IfkAo5inpqmJ8QEMBYhzZG3tABa1/Lf4qekCCwuZ9ZZN5QNDgTEbbqnlAVOA4y1UBekCIFA82Drl6QJoz3mEz9ntAjj9CqjmZfUBlGQWXMpx/QMuH0TaL/oBA0Q6mVypUgkDTm4XhlMSDQHi6OjOrRoVAlLcZKGDahkBpClXj4m2IQDCeFzvA8IlAz8yHSoJAi0DCskQItzuMQH+Oz7xbyYxAQLgfmUnOjECBmVbOrkqMQLI+1hXLTotAbtmRONT3iUBO9pOVwXGIQGTOMGNr0YZAnjlFKtQ5hUCAjZKHgMCDQIiu08nuf4JA9JDKQH53gUCq6mq08a6AQAHbxBQfJoBAj+iSMqi2f0A0IW8Dx4t/QGz3LiiKvH9AerydwQshgEDMXfmNWl6AQJcKGZJjx4BA3Fl86vkpgUDWFUW4HoaBQP2lBWu5yYFATBFIXWjzgUBxUpRPuQGCQJ3TkPGQ9IFAwIjPxojPgUBWYGIQiJWBQHrPDuoZWYFA5Zesn9QbgUDiUhNC6OSAQMDfWQs/xoBAYMkyvYivgECGadp+IqiAQJEXGYeorYBAw68E8By8gEAAK3UAh9CAQLCjaRgf6YBAw/Ev+Z8AgUCCKBpL1ReBQOzAppJsLoFACqnEDLRDgUAWqP46xFeBQB+pLGH5d4FA8im8kRyjgUBaVItAm9WBQI5nDMyfGIJAXMv8VwRbgkCsXe0XPJqCQNme/ebNzoJAW0+2ylfwgkDgU4Dwof+CQCZGL5Wd8IJAZJJnOb7OgkBWlpBcA4+CQBBInwiSQoJAzoCOjxHsgUASUBssEJOBQH8Z2ZMoQYFA2mmovTT1gEAGs5lwS8WAQCY7N1hcpoBApEBVUICbgEAc1y7RoKiAQPndt7EpyIBAzt8au4H5gECbjAHg7jGBQHuUjqVNboFAvWhen2qsgUB4NADpeeqBQEhbw2DYIYJAnuebgYNFgkCW/F3Yo2qCQLZIW03ve4JApIxZav98gkBgjCnj726CQJxFC4oWUYJAF3Ffoh8sgkBqi+5yi/6BQEUCBc6pyYFAFOeXA7iQgUA=\",\"dtype\":\"float64\",\"order\":\"little\",\"shape\":[388]}},\"selected\":{\"id\":\"1604\"},\"selection_policy\":{\"id\":\"1603\"}},\"id\":\"1588\",\"type\":\"ColumnDataSource\"},{\"attributes\":{},\"id\":\"1557\",\"type\":\"WheelZoomTool\"},{\"attributes\":{\"source\":{\"id\":\"1588\"}},\"id\":\"1593\",\"type\":\"CDSView\"},{\"attributes\":{\"bottom_units\":\"screen\",\"coordinates\":null,\"fill_alpha\":0.5,\"fill_color\":\"lightgrey\",\"group\":null,\"left_units\":\"screen\",\"level\":\"overlay\",\"line_alpha\":1.0,\"line_color\":\"black\",\"line_dash\":[4,4],\"line_width\":2,\"right_units\":\"screen\",\"syncable\":false,\"top_units\":\"screen\"},\"id\":\"1562\",\"type\":\"BoxAnnotation\"},{\"attributes\":{\"line_alpha\":0.2,\"line_color\":\"#d53e4f\",\"line_width\":2,\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"1591\",\"type\":\"Line\"},{\"attributes\":{},\"id\":\"1559\",\"type\":\"SaveTool\"},{\"attributes\":{},\"id\":\"1584\",\"type\":\"Selection\"},{\"attributes\":{\"coordinates\":null,\"group\":null,\"text\":\"Ho2Ti2O7 Polarization\",\"text_color\":\"#E0E0E0\",\"text_font\":\"Helvetica\",\"text_font_size\":\"1.15em\"},\"id\":\"1538\",\"type\":\"Title\"},{\"attributes\":{},\"id\":\"1603\",\"type\":\"UnionRenderers\"},{\"attributes\":{},\"id\":\"1561\",\"type\":\"HelpTool\"},{\"attributes\":{\"line_color\":\"#3288bd\",\"line_width\":2,\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"1571\",\"type\":\"Line\"},{\"attributes\":{},\"id\":\"1553\",\"type\":\"BasicTicker\"},{\"attributes\":{\"line_color\":\"#d53e4f\",\"line_width\":2,\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"1589\",\"type\":\"Line\"},{\"attributes\":{\"source\":{\"id\":\"1570\"}},\"id\":\"1575\",\"type\":\"CDSView\"},{\"attributes\":{},\"id\":\"1579\",\"type\":\"AllLabels\"},{\"attributes\":{\"axis_label\":\"Intensity\",\"axis_label_standoff\":10,\"axis_label_text_color\":\"#E0E0E0\",\"axis_label_text_font\":\"Helvetica\",\"axis_label_text_font_size\":\"1.25em\",\"axis_label_text_font_style\":\"normal\",\"axis_line_alpha\":0,\"axis_line_color\":\"#E0E0E0\",\"coordinates\":null,\"formatter\":{\"id\":\"1578\"},\"group\":null,\"major_label_policy\":{\"id\":\"1579\"},\"major_label_text_color\":\"#E0E0E0\",\"major_label_text_font\":\"Helvetica\",\"major_label_text_font_size\":\"1.025em\",\"major_tick_line_alpha\":0,\"major_tick_line_color\":\"#E0E0E0\",\"minor_tick_line_alpha\":0,\"minor_tick_line_color\":\"#E0E0E0\",\"ticker\":{\"id\":\"1553\"}},\"id\":\"1552\",\"type\":\"LinearAxis\"},{\"attributes\":{},\"id\":\"1556\",\"type\":\"PanTool\"},{\"attributes\":{\"axis\":{\"id\":\"1552\"},\"coordinates\":null,\"dimension\":1,\"grid_line_alpha\":0.25,\"grid_line_color\":\"#E0E0E0\",\"group\":null,\"ticker\":null},\"id\":\"1555\",\"type\":\"Grid\"},{\"attributes\":{\"line_alpha\":0.1,\"line_color\":\"#3288bd\",\"line_width\":2,\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"1572\",\"type\":\"Line\"},{\"attributes\":{},\"id\":\"1604\",\"type\":\"Selection\"}],\"root_ids\":[\"1537\"]},\"title\":\"Bokeh Application\",\"version\":\"2.4.3\"}};\n const render_items = [{\"docid\":\"85545f87-67d3-47a0-a672-635ebc8df78c\",\"root_ids\":[\"1537\"],\"roots\":{\"1537\":\"81026057-b05d-41cf-bf76-59523585adff\"}}];\n root.Bokeh.embed.embed_items_notebook(docs_json, render_items);\n }\n if (root.Bokeh !== undefined) {\n embed_document(root);\n } else {\n let attempts = 0;\n const timer = setInterval(function(root) {\n if (root.Bokeh !== undefined) {\n clearInterval(timer);\n embed_document(root);\n } else {\n attempts++;\n if (attempts > 100) {\n clearInterval(timer);\n console.log(\"Bokeh: ERROR: Unable to run BokehJS code because BokehJS library is missing\");\n }\n }\n }, 10, root)\n }\n})(window);", - "application/vnd.bokehjs_exec.v0+json": "" - }, - "metadata": { - "application/vnd.bokehjs_exec.v0+json": { - "id": "1537" - } - }, - "output_type": "display_data" + "execution_count": null, + "metadata": { + "collapsed": false, + "pycharm": { + "name": "#%%\n" } - ], + }, + "outputs": [], "source": [ "j2.simulate_experiment('pol_exp', 'up', pol_fn=lambda up, down: up)\n", "\n", @@ -838,123 +683,105 @@ "p1.legend.location = 'top_right'\n", "p1.xaxis.axis_label = '2theta'\n", "show(p1)" - ], + ] + }, + { + "cell_type": "markdown", "metadata": { "collapsed": false, "pycharm": { - "name": "#%%\n" + "name": "#%% md\n" } - } - }, - { - "cell_type": "markdown", + }, "source": [ "### Optimization\n", "\n", "We can now optimize the model. To do this we need to specify what pattern components to optimize. In this case we want to optimize both the `Spin Up + spin Down` and `Spin Up - spin Down` components. Luckily there are helper functions to do this." - ], + ] + }, + { + "cell_type": "code", + "execution_count": null, "metadata": { "collapsed": false, "pycharm": { - "name": "#%% md\n" + "name": "#%%\n" } - } - }, - { - "cell_type": "code", - "execution_count": 22, + }, "outputs": [], "source": [ "# Experimental data\n", "xx = np.array(ds['pol2_pol_exp_tth'])\n", "ups = np.array(ds['pol2_pol_exp_I0'])\n", "downs = np.array(ds['pol2_pol_exp_I1'])" - ], - "metadata": { - "collapsed": false, - "pycharm": { - "name": "#%%\n" - } - } + ] }, { "cell_type": "code", - "execution_count": 23, - "outputs": [], - "source": [ - "targets = [lambda u, d: u+d , lambda u, d: u-d]\n", - "x_, y_, f = j2.interface().generate_pol_fit_func(xx, ups, downs, targets)" - ], + "execution_count": null, "metadata": { "collapsed": false, "pycharm": { "name": "#%%\n" } - } + }, + "outputs": [], + "source": [ + "targets = [lambda u, d: u+d , lambda u, d: u-d]\n", + "x_ = xx\n", + "y_ = ups+downs\n", + "x_, y_, f = j2.interface().generate_pol_fit_func(xx, ups, downs, targets)\n" + ] }, { "cell_type": "markdown", - "source": [ - "The optimization can now be performed." - ], "metadata": { "collapsed": false, "pycharm": { "name": "#%% md\n" } - } + }, + "source": [ + "The optimization can now be performed." + ] }, { "cell_type": "code", - "execution_count": 24, - "outputs": [], - "source": [ - "fit = Fitter(j2, f)\n", - "res = fit.fit(x_, y_)" - ], + "execution_count": null, "metadata": { "collapsed": false, "pycharm": { "name": "#%%\n" } - } + }, + "outputs": [], + "source": [ + "fit = Fitter(j2, f)\n", + "res = fit.fit(x_, y_)" + ] }, { "cell_type": "markdown", - "source": [ - "It is easier to visualize the results of the optimization." - ], "metadata": { "collapsed": false, "pycharm": { "name": "#%% md\n" } - } + }, + "source": [ + "It is easier to visualize the results of the optimization." + ] }, { "cell_type": "code", - "execution_count": 25, - "outputs": [ - { - "data": { - "text/html": "\n
\n" - }, - "metadata": {}, - "output_type": "display_data" - }, - { - "data": { - "application/javascript": "(function(root) {\n function embed_document(root) {\n const docs_json = {\"27e19014-97ae-4701-874c-dc065ae46874\":{\"defs\":[{\"extends\":null,\"module\":null,\"name\":\"ReactiveHTML1\",\"overrides\":[],\"properties\":[]},{\"extends\":null,\"module\":null,\"name\":\"FlexBox1\",\"overrides\":[],\"properties\":[{\"default\":\"flex-start\",\"kind\":null,\"name\":\"align_content\"},{\"default\":\"flex-start\",\"kind\":null,\"name\":\"align_items\"},{\"default\":\"row\",\"kind\":null,\"name\":\"flex_direction\"},{\"default\":\"wrap\",\"kind\":null,\"name\":\"flex_wrap\"},{\"default\":\"flex-start\",\"kind\":null,\"name\":\"justify_content\"}]},{\"extends\":null,\"module\":null,\"name\":\"GridStack1\",\"overrides\":[],\"properties\":[{\"default\":\"warn\",\"kind\":null,\"name\":\"mode\"},{\"default\":null,\"kind\":null,\"name\":\"ncols\"},{\"default\":null,\"kind\":null,\"name\":\"nrows\"},{\"default\":true,\"kind\":null,\"name\":\"allow_resize\"},{\"default\":true,\"kind\":null,\"name\":\"allow_drag\"},{\"default\":[],\"kind\":null,\"name\":\"state\"}]},{\"extends\":null,\"module\":null,\"name\":\"click1\",\"overrides\":[],\"properties\":[{\"default\":\"\",\"kind\":null,\"name\":\"terminal_output\"},{\"default\":\"\",\"kind\":null,\"name\":\"debug_name\"},{\"default\":0,\"kind\":null,\"name\":\"clears\"}]},{\"extends\":null,\"module\":null,\"name\":\"NotificationAreaBase1\",\"overrides\":[],\"properties\":[{\"default\":\"bottom-right\",\"kind\":null,\"name\":\"position\"},{\"default\":0,\"kind\":null,\"name\":\"_clear\"}]},{\"extends\":null,\"module\":null,\"name\":\"NotificationArea1\",\"overrides\":[],\"properties\":[{\"default\":[],\"kind\":null,\"name\":\"notifications\"},{\"default\":\"bottom-right\",\"kind\":null,\"name\":\"position\"},{\"default\":0,\"kind\":null,\"name\":\"_clear\"},{\"default\":[{\"background\":\"#ffc107\",\"icon\":{\"className\":\"fas fa-exclamation-triangle\",\"color\":\"white\",\"tagName\":\"i\"},\"type\":\"warning\"},{\"background\":\"#007bff\",\"icon\":{\"className\":\"fas fa-info-circle\",\"color\":\"white\",\"tagName\":\"i\"},\"type\":\"info\"}],\"kind\":null,\"name\":\"types\"}]},{\"extends\":null,\"module\":null,\"name\":\"Notification\",\"overrides\":[],\"properties\":[{\"default\":null,\"kind\":null,\"name\":\"background\"},{\"default\":3000,\"kind\":null,\"name\":\"duration\"},{\"default\":null,\"kind\":null,\"name\":\"icon\"},{\"default\":\"\",\"kind\":null,\"name\":\"message\"},{\"default\":null,\"kind\":null,\"name\":\"notification_type\"},{\"default\":false,\"kind\":null,\"name\":\"_destroyed\"}]},{\"extends\":null,\"module\":null,\"name\":\"TemplateActions1\",\"overrides\":[],\"properties\":[{\"default\":0,\"kind\":null,\"name\":\"open_modal\"},{\"default\":0,\"kind\":null,\"name\":\"close_modal\"}]},{\"extends\":null,\"module\":null,\"name\":\"MaterialTemplateActions1\",\"overrides\":[],\"properties\":[{\"default\":0,\"kind\":null,\"name\":\"open_modal\"},{\"default\":0,\"kind\":null,\"name\":\"close_modal\"}]}],\"roots\":{\"references\":[{\"attributes\":{\"children\":[{\"id\":\"1719\"},{\"id\":\"1789\"}]},\"id\":\"1828\",\"type\":\"Column\"},{\"attributes\":{},\"id\":\"1801\",\"type\":\"BasicTicker\"},{\"attributes\":{},\"id\":\"1741\",\"type\":\"SaveTool\"},{\"attributes\":{},\"id\":\"1742\",\"type\":\"ResetTool\"},{\"attributes\":{\"background_fill_color\":\"#3f3f3f\",\"below\":[{\"id\":\"1800\"}],\"border_fill_color\":\"#2f2f2f\",\"center\":[{\"id\":\"1803\"},{\"id\":\"1807\"}],\"height\":150,\"left\":[{\"id\":\"1804\"}],\"min_border\":0,\"outline_line_alpha\":0.25,\"outline_line_color\":\"#E0E0E0\",\"renderers\":[{\"id\":\"1826\"}],\"title\":{\"id\":\"1790\"},\"toolbar\":{\"id\":\"1815\"},\"width\":990,\"x_range\":{\"id\":\"1792\"},\"x_scale\":{\"id\":\"1796\"},\"y_range\":{\"id\":\"1794\"},\"y_scale\":{\"id\":\"1798\"}},\"id\":\"1789\",\"subtype\":\"Figure\",\"type\":\"Plot\"},{\"attributes\":{\"line_alpha\":0.2,\"line_color\":\"#d53e4f\",\"line_width\":2,\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"1773\",\"type\":\"Line\"},{\"attributes\":{},\"id\":\"1724\",\"type\":\"DataRange1d\"},{\"attributes\":{\"axis\":{\"id\":\"1734\"},\"coordinates\":null,\"dimension\":1,\"grid_line_alpha\":0.25,\"grid_line_color\":\"#E0E0E0\",\"group\":null,\"ticker\":null},\"id\":\"1737\",\"type\":\"Grid\"},{\"attributes\":{},\"id\":\"1894\",\"type\":\"AllLabels\"},{\"attributes\":{\"background_fill_color\":\"#3f3f3f\",\"below\":[{\"id\":\"1730\"}],\"border_fill_color\":\"#2f2f2f\",\"center\":[{\"id\":\"1733\"},{\"id\":\"1737\"},{\"id\":\"1768\"}],\"height\":300,\"left\":[{\"id\":\"1734\"}],\"min_border\":0,\"outline_line_alpha\":0.25,\"outline_line_color\":\"#E0E0E0\",\"renderers\":[{\"id\":\"1756\"},{\"id\":\"1774\"}],\"title\":{\"id\":\"1720\"},\"toolbar\":{\"id\":\"1745\"},\"width\":990,\"x_range\":{\"id\":\"1722\"},\"x_scale\":{\"id\":\"1726\"},\"y_range\":{\"id\":\"1724\"},\"y_scale\":{\"id\":\"1728\"}},\"id\":\"1719\",\"subtype\":\"Figure\",\"type\":\"Plot\"},{\"attributes\":{\"bottom_units\":\"screen\",\"coordinates\":null,\"fill_alpha\":0.5,\"fill_color\":\"lightgrey\",\"group\":null,\"left_units\":\"screen\",\"level\":\"overlay\",\"line_alpha\":1.0,\"line_color\":\"black\",\"line_dash\":[4,4],\"line_width\":2,\"right_units\":\"screen\",\"syncable\":false,\"top_units\":\"screen\"},\"id\":\"1744\",\"type\":\"BoxAnnotation\"},{\"attributes\":{},\"id\":\"1900\",\"type\":\"UnionRenderers\"},{\"attributes\":{\"fill_color\":{\"value\":\"#3288bd\"},\"hatch_color\":{\"value\":\"#3288bd\"},\"line_color\":{\"value\":\"#3288bd\"},\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"1753\",\"type\":\"Scatter\"},{\"attributes\":{\"axis_label\":\"Intensity\",\"axis_label_standoff\":10,\"axis_label_text_color\":\"#E0E0E0\",\"axis_label_text_font\":\"Helvetica\",\"axis_label_text_font_size\":\"1.25em\",\"axis_label_text_font_style\":\"normal\",\"axis_line_alpha\":0,\"axis_line_color\":\"#E0E0E0\",\"coordinates\":null,\"formatter\":{\"id\":\"1760\"},\"group\":null,\"major_label_policy\":{\"id\":\"1761\"},\"major_label_text_color\":\"#E0E0E0\",\"major_label_text_font\":\"Helvetica\",\"major_label_text_font_size\":\"1.025em\",\"major_tick_line_alpha\":0,\"major_tick_line_color\":\"#E0E0E0\",\"minor_tick_line_alpha\":0,\"minor_tick_line_color\":\"#E0E0E0\",\"ticker\":{\"id\":\"1735\"}},\"id\":\"1734\",\"type\":\"LinearAxis\"},{\"attributes\":{\"axis_label_standoff\":10,\"axis_label_text_color\":\"#E0E0E0\",\"axis_label_text_font\":\"Helvetica\",\"axis_label_text_font_size\":\"1.25em\",\"axis_label_text_font_style\":\"normal\",\"axis_line_alpha\":0,\"axis_line_color\":\"#E0E0E0\",\"coordinates\":null,\"formatter\":{\"id\":\"1763\"},\"group\":null,\"major_label_policy\":{\"id\":\"1764\"},\"major_label_text_color\":\"#E0E0E0\",\"major_label_text_font\":\"Helvetica\",\"major_label_text_font_size\":\"1.025em\",\"major_tick_line_alpha\":0,\"major_tick_line_color\":\"#E0E0E0\",\"minor_tick_line_alpha\":0,\"minor_tick_line_color\":\"#E0E0E0\",\"ticker\":{\"id\":\"1731\"}},\"id\":\"1730\",\"type\":\"LinearAxis\"},{\"attributes\":{\"fill_alpha\":{\"value\":0.2},\"fill_color\":{\"value\":\"#3288bd\"},\"hatch_alpha\":{\"value\":0.2},\"hatch_color\":{\"value\":\"#3288bd\"},\"line_alpha\":{\"value\":0.2},\"line_color\":{\"value\":\"#3288bd\"},\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"1755\",\"type\":\"Scatter\"},{\"attributes\":{\"overlay\":{\"id\":\"1814\"}},\"id\":\"1810\",\"type\":\"BoxZoomTool\"},{\"attributes\":{\"coordinates\":null,\"group\":null,\"text\":\"Polarization, U + D\",\"text_color\":\"#E0E0E0\",\"text_font\":\"Helvetica\",\"text_font_size\":\"1.15em\"},\"id\":\"1720\",\"type\":\"Title\"},{\"attributes\":{\"source\":{\"id\":\"1822\"}},\"id\":\"1827\",\"type\":\"CDSView\"},{\"attributes\":{},\"id\":\"1811\",\"type\":\"SaveTool\"},{\"attributes\":{},\"id\":\"1766\",\"type\":\"Selection\"},{\"attributes\":{},\"id\":\"1726\",\"type\":\"LinearScale\"},{\"attributes\":{},\"id\":\"1792\",\"type\":\"DataRange1d\"},{\"attributes\":{},\"id\":\"1901\",\"type\":\"Selection\"},{\"attributes\":{\"line_color\":\"#d53e4f\",\"line_width\":2,\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"1771\",\"type\":\"Line\"},{\"attributes\":{},\"id\":\"1785\",\"type\":\"UnionRenderers\"},{\"attributes\":{},\"id\":\"1809\",\"type\":\"WheelZoomTool\"},{\"attributes\":{},\"id\":\"1761\",\"type\":\"AllLabels\"},{\"attributes\":{\"source\":{\"id\":\"1770\"}},\"id\":\"1775\",\"type\":\"CDSView\"},{\"attributes\":{},\"id\":\"1805\",\"type\":\"BasicTicker\"},{\"attributes\":{},\"id\":\"1722\",\"type\":\"DataRange1d\"},{\"attributes\":{},\"id\":\"1763\",\"type\":\"BasicTickFormatter\"},{\"attributes\":{\"line_alpha\":0.2,\"line_color\":\"#99d594\",\"line_width\":2,\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"1825\",\"type\":\"Line\"},{\"attributes\":{\"tools\":[{\"id\":\"1738\"},{\"id\":\"1739\"},{\"id\":\"1740\"},{\"id\":\"1741\"},{\"id\":\"1742\"},{\"id\":\"1743\"}]},\"id\":\"1745\",\"type\":\"Toolbar\"},{\"attributes\":{\"axis\":{\"id\":\"1804\"},\"coordinates\":null,\"dimension\":1,\"grid_line_alpha\":0.25,\"grid_line_color\":\"#E0E0E0\",\"group\":null,\"ticker\":null},\"id\":\"1807\",\"type\":\"Grid\"},{\"attributes\":{\"coordinates\":null,\"group\":null,\"text\":\"Difference\",\"text_color\":\"#E0E0E0\",\"text_font\":\"Helvetica\",\"text_font_size\":\"1.15em\"},\"id\":\"1790\",\"type\":\"Title\"},{\"attributes\":{\"data\":{\"x\":{\"__ndarray__\":\"ZmZmZmZmEkAzMzMzMzMTQAAAAAAAABRAzczMzMzMFECamZmZmZkVQGZmZmZmZhZAMzMzMzMzF0AAAAAAAAAYQM3MzMzMzBhAmpmZmZmZGUBmZmZmZmYaQDMzMzMzMxtAAAAAAAAAHEDNzMzMzMwcQJqZmZmZmR1AZmZmZmZmHkAzMzMzMzMfQAAAAAAAACBAZmZmZmZmIEDNzMzMzMwgQDMzMzMzMyFAmpmZmZmZIUAAAAAAAAAiQGZmZmZmZiJAzczMzMzMIkAzMzMzMzMjQJqZmZmZmSNAAAAAAAAAJEBmZmZmZmYkQM3MzMzMzCRAMzMzMzMzJUCamZmZmZklQAAAAAAAACZAZmZmZmZmJkDNzMzMzMwmQDMzMzMzMydAmpmZmZmZJ0AAAAAAAAAoQGZmZmZmZihAzczMzMzMKEAzMzMzMzMpQJqZmZmZmSlAAAAAAAAAKkBmZmZmZmYqQM3MzMzMzCpAMzMzMzMzK0CamZmZmZkrQAAAAAAAACxAZmZmZmZmLEDNzMzMzMwsQDMzMzMzMy1AmpmZmZmZLUAAAAAAAAAuQGZmZmZmZi5AzczMzMzMLkAzMzMzMzMvQJqZmZmZmS9AAAAAAAAAMEAzMzMzMzMwQGZmZmZmZjBAmpmZmZmZMEDNzMzMzMwwQAAAAAAAADFAMzMzMzMzMUBmZmZmZmYxQJqZmZmZmTFAzczMzMzMMUAAAAAAAAAyQDMzMzMzMzJAZmZmZmZmMkCamZmZmZkyQM3MzMzMzDJAAAAAAAAAM0AzMzMzMzMzQGZmZmZmZjNAmpmZmZmZM0DNzMzMzMwzQAAAAAAAADRAMzMzMzMzNEBmZmZmZmY0QJqZmZmZmTRAzczMzMzMNEAAAAAAAAA1QDMzMzMzMzVAZmZmZmZmNUCamZmZmZk1QM3MzMzMzDVAAAAAAAAANkAzMzMzMzM2QGZmZmZmZjZAmpmZmZmZNkDNzMzMzMw2QAAAAAAAADdAMzMzMzMzN0BmZmZmZmY3QJqZmZmZmTdAzczMzMzMN0AAAAAAAAA4QDMzMzMzMzhAZmZmZmZmOECamZmZmZk4QM3MzMzMzDhAAAAAAAAAOUAzMzMzMzM5QGZmZmZmZjlAmpmZmZmZOUDNzMzMzMw5QAAAAAAAADpAMzMzMzMzOkBmZmZmZmY6QJqZmZmZmTpAzczMzMzMOkAAAAAAAAA7QDMzMzMzMztAZmZmZmZmO0CamZmZmZk7QM3MzMzMzDtAAAAAAAAAPEAzMzMzMzM8QGZmZmZmZjxAmpmZmZmZPEDNzMzMzMw8QAAAAAAAAD1AMzMzMzMzPUBmZmZmZmY9QJqZmZmZmT1AzczMzMzMPUAAAAAAAAA+QDMzMzMzMz5AZmZmZmZmPkCamZmZmZk+QM3MzMzMzD5AAAAAAAAAP0AzMzMzMzM/QGZmZmZmZj9AmpmZmZmZP0DNzMzMzMw/QAAAAAAAAEBAmpmZmZkZQEAzMzMzMzNAQM3MzMzMTEBAZmZmZmZmQEAAAAAAAIBAQJqZmZmZmUBAMzMzMzOzQEDNzMzMzMxAQGZmZmZm5kBAAAAAAAAAQUCamZmZmRlBQDMzMzMzM0FAzczMzMxMQUBmZmZmZmZBQAAAAAAAgEFAmpmZmZmZQUAzMzMzM7NBQM3MzMzMzEFAZmZmZmbmQUAAAAAAAABCQJqZmZmZGUJAMzMzMzMzQkDNzMzMzExCQGZmZmZmZkJAAAAAAACAQkCamZmZmZlCQDMzMzMzs0JAzczMzMzMQkBmZmZmZuZCQAAAAAAAAENAmpmZmZkZQ0AzMzMzMzNDQM3MzMzMTENAZmZmZmZmQ0AAAAAAAIBDQJqZmZmZmUNAMzMzMzOzQ0DNzMzMzMxDQGZmZmZm5kNAAAAAAAAARECamZmZmRlEQDMzMzMzM0RAzczMzMxMREBmZmZmZmZEQAAAAAAAgERAmpmZmZmZREAzMzMzM7NEQM3MzMzMzERAZmZmZmbmREAAAAAAAABFQJqZmZmZGUVAMzMzMzMzRUDNzMzMzExFQGZmZmZmZkVAAAAAAACARUCamZmZmZlFQDMzMzMzs0VAzczMzMzMRUBmZmZmZuZFQAAAAAAAAEZAmpmZmZkZRkAzMzMzMzNGQM3MzMzMTEZAZmZmZmZmRkAAAAAAAIBGQJqZmZmZmUZAMzMzMzOzRkDNzMzMzMxGQGZmZmZm5kZAAAAAAAAAR0CamZmZmRlHQDMzMzMzM0dAzczMzMxMR0BmZmZmZmZHQAAAAAAAgEdAmpmZmZmZR0AzMzMzM7NHQM3MzMzMzEdAZmZmZmbmR0AAAAAAAABIQJqZmZmZGUhAMzMzMzMzSEDNzMzMzExIQGZmZmZmZkhAAAAAAACASECamZmZmZlIQDMzMzMzs0hAzczMzMzMSEBmZmZmZuZIQAAAAAAAAElAmpmZmZkZSUAzMzMzMzNJQM3MzMzMTElAZmZmZmZmSUAAAAAAAIBJQJqZmZmZmUlAMzMzMzOzSUDNzMzMzMxJQGZmZmZm5klAAAAAAAAASkCamZmZmRlKQDMzMzMzM0pAzczMzMxMSkBmZmZmZmZKQAAAAAAAgEpAmpmZmZmZSkAzMzMzM7NKQM3MzMzMzEpAZmZmZmbmSkAAAAAAAABLQJqZmZmZGUtAMzMzMzMzS0DNzMzMzExLQGZmZmZmZktAAAAAAACAS0CamZmZmZlLQDMzMzMzs0tAzczMzMzMS0BmZmZmZuZLQAAAAAAAAExAmpmZmZkZTEAzMzMzMzNMQM3MzMzMTExAZmZmZmZmTEAAAAAAAIBMQJqZmZmZmUxAMzMzMzOzTEDNzMzMzMxMQGZmZmZm5kxAAAAAAAAATUCamZmZmRlNQDMzMzMzM01AzczMzMxMTUBmZmZmZmZNQAAAAAAAgE1AmpmZmZmZTUAzMzMzM7NNQM3MzMzMzE1AZmZmZmbmTUAAAAAAAABOQJqZmZmZGU5AMzMzMzMzTkDNzMzMzExOQGZmZmZmZk5AAAAAAACATkCamZmZmZlOQDMzMzMzs05AzczMzMzMTkBmZmZmZuZOQAAAAAAAAE9AmpmZmZkZT0AzMzMzMzNPQM3MzMzMTE9AZmZmZmZmT0AAAAAAAIBPQJqZmZmZmU9AMzMzMzOzT0DNzMzMzMxPQGZmZmZm5k9AAAAAAAAAUEDNzMzMzAxQQJqZmZmZGVBAZmZmZmYmUEAzMzMzMzNQQAAAAAAAQFBAzczMzMxMUECamZmZmVlQQGZmZmZmZlBAMzMzMzNzUEAAAAAAAIBQQM3MzMzMjFBAmpmZmZmZUEBmZmZmZqZQQDMzMzMzs1BAAAAAAADAUEDNzMzMzMxQQJqZmZmZ2VBAZmZmZmbmUEAzMzMzM/NQQAAAAAAAAFFAzczMzMwMUUCamZmZmRlRQGZmZmZmJlFAMzMzMzMzUUAAAAAAAEBRQM3MzMzMTFFAmpmZmZlZUUBmZmZmZmZRQDMzMzMzc1FAAAAAAACAUUDNzMzMzIxRQJqZmZmZmVFAZmZmZmamUUAzMzMzM7NRQAAAAAAAwFFAzczMzMzMUUCamZmZmdlRQGZmZmZm5lFAMzMzMzPzUUAAAAAAAABSQM3MzMzMDFJAmpmZmZkZUkBmZmZmZiZSQDMzMzMzM1JAAAAAAABAUkDNzMzMzExSQJqZmZmZWVJAZmZmZmZmUkAzMzMzM3NSQAAAAAAAgFJAzczMzMyMUkCamZmZmZlSQGZmZmZmplJAMzMzMzOzUkAAAAAAAMBSQM3MzMzMzFJAmpmZmZnZUkBmZmZmZuZSQDMzMzMz81JAAAAAAAAAU0DNzMzMzAxTQJqZmZmZGVNAZmZmZmYmU0AzMzMzMzNTQAAAAAAAQFNAzczMzMxMU0CamZmZmVlTQGZmZmZmZlNAMzMzMzNzU0AAAAAAAIBTQM3MzMzMjFNAmpmZmZmZU0BmZmZmZqZTQDMzMzMzs1NAAAAAAADAU0DNzMzMzMxTQJqZmZmZ2VNAZmZmZmbmU0AzMzMzM/NTQAAAAAAAAFRAzczMzMwMVECamZmZmRlUQGZmZmZmJlRAMzMzMzMzVEAAAAAAAEBUQM3MzMzMTFRAmpmZmZlZVEBmZmZmZmZUQDMzMzMzc1RAAAAAAACAVEA=\",\"dtype\":\"float64\",\"order\":\"little\",\"shape\":[388]},\"y\":{\"__ndarray__\":\"hetRuB5BkEBcj8L1KMmWQKRwPQrXNpRAmpmZmZnrk0BI4XoUrr6TQAAAAAAAY5ZAHoXrUbhLlUDXo3A9Ci6WQOxRuB6FOppAzMzMzMzxlEBmZmZmZu6OQI/C9ShcepdAj8L1KFwHmkC4HoXrUVWjQPYoXI+CYbRAhetRuF4LvkCZmZmZGXq9QI/C9ShcvbNA9ihcj0KGpEA+CtejcO2cQNejcD2KIKlA4noUrgcws0CQwvUo3Fm1QGZmZmYmW7FAcD0K16PGokCkcD0K19CTQAAAAAAAw5NApHA9CtclkUDNzMzMzIiNQFK4HoXrBZBACtejcD2AkEDNzMzMzBOUQJqZmZmZy41AcD0K16OSj0C4HoXrUeqKQOxRuB6FyZBASOF6FK4FkkAK16NwPZ6RQB6F61G4DItAwvUoXI92kkAUrkfhehmaQOxRuB6FG59AhetRuJ5boECF61G4HqqbQArXo3A9oZJApHA9CtdFjkBcj8L1KBqJQPYoXI/C24tA9ihcj8KBi0AAAAAAAF6RQHsUrkfhi5JAkML1KNz+oECuR+F6FEisQB+F61F4yLBAXI/C9ahfr0AUrkfhehuoQMP1KFwPj6VArkfhepTHoUCuR+F6FB+eQB6F61G4NpVAAAAAAABxkUDNzMzMzD6RQLgehetRfI5ACtejcD2kjEAehetRuMiNQKRwPQrXu45ACtejcD2MkUD2KFyPwvOWQOF6FK7HSKJA7FG4HoVvpkDC9Shcj8+lQAAAAACAS6FAwvUoXI8UlEAK16NwPTCUQJDC9Shcx5ZAkML1KFzroECF61G43jWwQJqZmZnZ7rdAFK5H4bpbukCkcD0KV0W2QDMzMzMzKK1ApHA9ClctoECamZmZmdyWQJDC9ShcUpJAzczMzMwDkUBmZmZmZoiOQD4K16NwxY5AFK5H4Xq4j0Bcj8L1KEKPQFK4HoXrPZNApHA9CtfJmUAehetRuLycQOJ6FK5HOptAmpmZmZkHk0AUrkfhemqWQK5H4XoU65pAAAAAAADCpEAUrkfhejurQML1KFyPZ65A4XoUrscEqkD2KFyPwmyjQJqZmZmZsZlAUrgeheuBkUApXI/C9UKOQPYoXI/ChY1AzczMzMxjkUAUrkfhejiaQK5H4XoUhaNAw/UoXA9tqUDsUbgehcmqQDQzMzMzl6hA4XoUrsebo0DhehSux0+gQAAAAACAjaBAZmZmZmaxo0A+CtejcN6kQClcj8L15KRACtejcD39okDhehSuR7qbQPYoXI/CVZVApHA9CteCkkCamZmZmd+JQD4K16Nwp4xAKVyPwvXAjUAAAAAAAH2QQM3MzMzMZo9A4XoUrkdvkEB6FK5H4SaNQK5H4XoUI5BAj8L1KFyykECPwvUoXJqUQJDC9ShcsZhA4noUrkdsmEDiehSuR5iXQNejcD0KwZNAmpmZmZkskUBI4XoUrl+PQK5H4XoU3odAUrgeheuRikAfhetRuNqPQIbrUbgemZJAmpmZmZnVkkBI4XoUrr+UQHoUrkfhQppArkfhehScnEAUrkfhesucQNajcD0K/5xAcD0K16MwmEBSuB6F6/uUQNejcD0KdJJAKVyPwvXOj0CamZmZmfeLQHoUrkfhOo5A9ihcj8LRjkAzMzMzM5eQQBSuR+F695JA9ihcj8KPlUApXI/C9VqXQD4K16NwN5hAehSuR+GMl0BSuB6F6/yTQOxRuB6FxpJAUrgehesfkUApXI/C9d+QQFK4HoXrTJBAexSuR+Hck0DNzMzMzEmVQHoUrkfhsZpACtejcD2Jn0D2KFyPQmaiQGZmZmZmEaNApHA9Ctefo0CQwvUo3BqiQB+F61G4JqBA1qNwPQpLnEDhehSuR/ObQM3MzMzMuZpAcD0K16Osm0CPwvUoXL6cQAAAAAAAR55ArkfhehTBn0BI4XoUrlOfQKRwPQrXuJ9A7FG4HoXgnEC4HoXrUZuZQAAAAAAAmJZAKVyPwvVqlEBI4XoUrmuUQD0K16NwU5FACtejcD3QkEA0MzMzMx2UQClcj8L10ZZAFK5H4Xo5mkC4HoXrUeKbQB6F61G4lJtAwvUoXI81mkA0MzMzM6GXQI/C9Shcv5VAFK5H4XrwkUDC9Shcj+qRQD4K16Nw4Y9AH4XrUbgSkEDhehSuRyGMQOtRuB6FfY9AkML1KFz/jUBcj8L1KKqOQB6F61G4WotAmpmZmZkLjkCkcD0K1zuNQEjhehSutZFAZmZmZmaOlEBwPQrXo6GWQML1KFyPK5lA9ihcj8I1m0A9CtejcFidQDMzMzMz75xAehSuR+FnnUBSuB6F6wedQClcj8L1NptAZmZmZmbQmUBI4XoUri+aQClcj8L1eZtAZmZmZmZtnEAUrkfheiedQClcj8L1Gp1AFK5H4Xq8nEA0MzMzM/iZQM3MzMzMtZlAzczMzMxNlUD2KFyPwuKSQGZmZmZmeZBAUrgeheu1jUCuR+F6FECOQBSuR+F6/olAzMzMzMwOiUAAAAAAALCKQK5H4XoU0olAhetRuB7/ikA+CtejcKuLQArXo3A9cotAHoXrUbi+iUCkcD0K1wmKQLgehetRfopAkML1KFyPiUA0MzMzM3WKQOJ6FK5HdYpAAAAAAACgikCamZmZmcWMQPYoXI/C74tAPgrXo3BJj0DNzMzMzDKRQK5H4XoUwJVAH4XrUbj4lECQwvUoXCaXQMP1KFyPJZhAUrgehevil0C4HoXrUeCXQHA9CtejW5ZAPgrXo3B+lkBmZmZmZnuWQHA9CtejR5RAHoXrUbiHk0BxPQrXozuTQFK4HoXrs5JAzczMzMwzkkBmZmZmZqeQQGZmZmZmepBAPQrXo3DfjkCE61G4Hk+PQNejcD0KgY9AAAAAAABrkEDNzMzMzGqRQPYoXI/C95JAHoXrUbick0DNzMzMzOyVQFyPwvUosZZAZmZmZma7l0BmZmZmZtSXQFyPwvUosZdAkML1KFy5lUCkcD0K15uUQClcj8L14ZNAZmZmZmb8k0ApXI/C9XCTQAAAAAAAuZBAFK5H4XpPkUDNzMzMzGaNQMzMzMzMJotAZmZmZmaKiUA0MzMzM7GKQLgehetROopAPgrXo3C3iUC4HoXrUXqIQAAAAAAA1ohAehSuR+EcjUCamZmZmTeMQOJ6FK5HU49AMzMzMzOLkUDhehSuR02QQGZmZmZmYJJA7FG4HoV9lUApXI/C9eSWQFyPwvUoP5lAwvUoXI+AmUD2KFyPwm2cQGZmZmZm5ZtA7FG4HoVLnUBcj8L1KFadQM3MzMzMzpxAzMzMzMwkm0ApXI/C9WaZQGZmZmZmZZhASOF6FK6vlkA+CtejcIKWQLgehetR8pRA9ihcj8IdlEAehetRuJCRQFK4HoXrLJBArkfhehQRkUCkcD0K182NQJDC9Shc3pBAexSuR+FekEB7FK5H4fqQQFyPwvUoI5FAcT0K16NFkkAK16NwPZ+RQArXo3A91JFApHA9CtfokUA+CtejcJCTQM3MzMzMOZNA7FG4HoWFkkAehetRuKeSQML1KFyP45FAj8L1KFxqkkAUrkfheg+TQKRwPQrXQZFAkML1KFxOkEBSuB6F60uQQGZmZmZmr5FASOF6FK6MkkCuR+F6FE2SQBSuR+F6lJJAUrgehetBkkDXo3A9CgeRQK5H4XoUN5FAXI/C9SiRkkCF61G4HoqTQArXo3A9b5NAkML1KFyPk0BI4XoUruOSQK5H4XoUPZNAuB6F61EKkkAUrkfhelyTQIbrUbgepZRAFK5H4XoSlUCQwvUoXDqTQClcj8L1eZRA16NwPQqhlEBmZmZmZnGUQEjhehSuVZRAcD0K16PrkkC4HoXrUVqRQClcj8L1z5BAuB6F61FmkUBI4XoUrlyQQKRwPQrXWJBAzczMzMy0kUCPwvUoXG+QQHsUrkfhfJFAcD0K16NBkUCkcD0K17uQQOxRuB6FI5FAcD0K16NNkkCamZmZmbKTQArXo3A985JAwvUoXI+RkkD2KFyPwmqUQIXrUbgen5NAmpmZmZmPk0C4HoXrUQqVQHA9CtejkZNA9ihcj8Kuk0A+CtejcOORQML1KFyPrpJAcD0K16N0kkAUrkfhehqTQClcj8L1MJJAUrgehesEkUA=\",\"dtype\":\"float64\",\"order\":\"little\",\"shape\":[388]}},\"selected\":{\"id\":\"1766\"},\"selection_policy\":{\"id\":\"1765\"}},\"id\":\"1752\",\"type\":\"ColumnDataSource\"},{\"attributes\":{\"overlay\":{\"id\":\"1744\"}},\"id\":\"1740\",\"type\":\"BoxZoomTool\"},{\"attributes\":{},\"id\":\"1798\",\"type\":\"LinearScale\"},{\"attributes\":{},\"id\":\"1890\",\"type\":\"BasicTickFormatter\"},{\"attributes\":{\"fill_alpha\":{\"value\":0.1},\"fill_color\":{\"value\":\"#3288bd\"},\"hatch_alpha\":{\"value\":0.1},\"hatch_color\":{\"value\":\"#3288bd\"},\"line_alpha\":{\"value\":0.1},\"line_color\":{\"value\":\"#3288bd\"},\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"1754\",\"type\":\"Scatter\"},{\"attributes\":{\"coordinates\":null,\"data_source\":{\"id\":\"1752\"},\"glyph\":{\"id\":\"1753\"},\"group\":null,\"hover_glyph\":null,\"muted_glyph\":{\"id\":\"1755\"},\"nonselection_glyph\":{\"id\":\"1754\"},\"view\":{\"id\":\"1757\"}},\"id\":\"1756\",\"type\":\"GlyphRenderer\"},{\"attributes\":{\"coordinates\":null,\"data_source\":{\"id\":\"1770\"},\"glyph\":{\"id\":\"1771\"},\"group\":null,\"hover_glyph\":null,\"muted_glyph\":{\"id\":\"1773\"},\"nonselection_glyph\":{\"id\":\"1772\"},\"view\":{\"id\":\"1775\"}},\"id\":\"1774\",\"type\":\"GlyphRenderer\"},{\"attributes\":{\"background_fill_alpha\":0.25,\"background_fill_color\":\"#20262B\",\"border_line_alpha\":0,\"coordinates\":null,\"glyph_width\":15,\"group\":null,\"items\":[{\"id\":\"1769\"},{\"id\":\"1788\"}],\"label_standoff\":8,\"label_text_color\":\"#E0E0E0\",\"label_text_font\":\"Helvetica\",\"label_text_font_size\":\"1.025em\",\"spacing\":8},\"id\":\"1768\",\"type\":\"Legend\"},{\"attributes\":{\"line_color\":\"#99d594\",\"line_width\":2,\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"1823\",\"type\":\"Line\"},{\"attributes\":{\"line_alpha\":0.1,\"line_color\":\"#d53e4f\",\"line_width\":2,\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"1772\",\"type\":\"Line\"},{\"attributes\":{},\"id\":\"1739\",\"type\":\"WheelZoomTool\"},{\"attributes\":{\"label\":{\"value\":\"U + D\"},\"renderers\":[{\"id\":\"1756\"}]},\"id\":\"1769\",\"type\":\"LegendItem\"},{\"attributes\":{},\"id\":\"1731\",\"type\":\"BasicTicker\"},{\"attributes\":{\"axis\":{\"id\":\"1730\"},\"coordinates\":null,\"grid_line_alpha\":0.25,\"grid_line_color\":\"#E0E0E0\",\"group\":null,\"ticker\":null},\"id\":\"1733\",\"type\":\"Grid\"},{\"attributes\":{\"bottom_units\":\"screen\",\"coordinates\":null,\"fill_alpha\":0.5,\"fill_color\":\"lightgrey\",\"group\":null,\"left_units\":\"screen\",\"level\":\"overlay\",\"line_alpha\":1.0,\"line_color\":\"black\",\"line_dash\":[4,4],\"line_width\":2,\"right_units\":\"screen\",\"syncable\":false,\"top_units\":\"screen\"},\"id\":\"1814\",\"type\":\"BoxAnnotation\"},{\"attributes\":{\"line_alpha\":0.1,\"line_color\":\"#99d594\",\"line_width\":2,\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"1824\",\"type\":\"Line\"},{\"attributes\":{},\"id\":\"1743\",\"type\":\"HelpTool\"},{\"attributes\":{\"coordinates\":null,\"data_source\":{\"id\":\"1822\"},\"glyph\":{\"id\":\"1823\"},\"group\":null,\"hover_glyph\":null,\"muted_glyph\":{\"id\":\"1825\"},\"nonselection_glyph\":{\"id\":\"1824\"},\"view\":{\"id\":\"1827\"}},\"id\":\"1826\",\"type\":\"GlyphRenderer\"},{\"attributes\":{},\"id\":\"1760\",\"type\":\"BasicTickFormatter\"},{\"attributes\":{\"label\":{\"value\":\"Sim\"},\"renderers\":[{\"id\":\"1774\"}]},\"id\":\"1788\",\"type\":\"LegendItem\"},{\"attributes\":{\"axis_label_standoff\":10,\"axis_label_text_color\":\"#E0E0E0\",\"axis_label_text_font\":\"Helvetica\",\"axis_label_text_font_size\":\"1.25em\",\"axis_label_text_font_style\":\"normal\",\"axis_line_alpha\":0,\"axis_line_color\":\"#E0E0E0\",\"coordinates\":null,\"formatter\":{\"id\":\"1890\"},\"group\":null,\"major_label_policy\":{\"id\":\"1891\"},\"major_label_text_color\":\"#E0E0E0\",\"major_label_text_font\":\"Helvetica\",\"major_label_text_font_size\":\"1.025em\",\"major_tick_line_alpha\":0,\"major_tick_line_color\":\"#E0E0E0\",\"minor_tick_line_alpha\":0,\"minor_tick_line_color\":\"#E0E0E0\",\"ticker\":{\"id\":\"1805\"}},\"id\":\"1804\",\"type\":\"LinearAxis\"},{\"attributes\":{},\"id\":\"1808\",\"type\":\"PanTool\"},{\"attributes\":{},\"id\":\"1812\",\"type\":\"ResetTool\"},{\"attributes\":{},\"id\":\"1738\",\"type\":\"PanTool\"},{\"attributes\":{},\"id\":\"1728\",\"type\":\"LinearScale\"},{\"attributes\":{},\"id\":\"1786\",\"type\":\"Selection\"},{\"attributes\":{},\"id\":\"1893\",\"type\":\"BasicTickFormatter\"},{\"attributes\":{},\"id\":\"1796\",\"type\":\"LinearScale\"},{\"attributes\":{\"data\":{\"x\":{\"__ndarray__\":\"ZmZmZmZmEkAzMzMzMzMTQAAAAAAAABRAzczMzMzMFECamZmZmZkVQGZmZmZmZhZAMzMzMzMzF0AAAAAAAAAYQM3MzMzMzBhAmpmZmZmZGUBmZmZmZmYaQDMzMzMzMxtAAAAAAAAAHEDNzMzMzMwcQJqZmZmZmR1AZmZmZmZmHkAzMzMzMzMfQAAAAAAAACBAZmZmZmZmIEDNzMzMzMwgQDMzMzMzMyFAmpmZmZmZIUAAAAAAAAAiQGZmZmZmZiJAzczMzMzMIkAzMzMzMzMjQJqZmZmZmSNAAAAAAAAAJEBmZmZmZmYkQM3MzMzMzCRAMzMzMzMzJUCamZmZmZklQAAAAAAAACZAZmZmZmZmJkDNzMzMzMwmQDMzMzMzMydAmpmZmZmZJ0AAAAAAAAAoQGZmZmZmZihAzczMzMzMKEAzMzMzMzMpQJqZmZmZmSlAAAAAAAAAKkBmZmZmZmYqQM3MzMzMzCpAMzMzMzMzK0CamZmZmZkrQAAAAAAAACxAZmZmZmZmLEDNzMzMzMwsQDMzMzMzMy1AmpmZmZmZLUAAAAAAAAAuQGZmZmZmZi5AzczMzMzMLkAzMzMzMzMvQJqZmZmZmS9AAAAAAAAAMEAzMzMzMzMwQGZmZmZmZjBAmpmZmZmZMEDNzMzMzMwwQAAAAAAAADFAMzMzMzMzMUBmZmZmZmYxQJqZmZmZmTFAzczMzMzMMUAAAAAAAAAyQDMzMzMzMzJAZmZmZmZmMkCamZmZmZkyQM3MzMzMzDJAAAAAAAAAM0AzMzMzMzMzQGZmZmZmZjNAmpmZmZmZM0DNzMzMzMwzQAAAAAAAADRAMzMzMzMzNEBmZmZmZmY0QJqZmZmZmTRAzczMzMzMNEAAAAAAAAA1QDMzMzMzMzVAZmZmZmZmNUCamZmZmZk1QM3MzMzMzDVAAAAAAAAANkAzMzMzMzM2QGZmZmZmZjZAmpmZmZmZNkDNzMzMzMw2QAAAAAAAADdAMzMzMzMzN0BmZmZmZmY3QJqZmZmZmTdAzczMzMzMN0AAAAAAAAA4QDMzMzMzMzhAZmZmZmZmOECamZmZmZk4QM3MzMzMzDhAAAAAAAAAOUAzMzMzMzM5QGZmZmZmZjlAmpmZmZmZOUDNzMzMzMw5QAAAAAAAADpAMzMzMzMzOkBmZmZmZmY6QJqZmZmZmTpAzczMzMzMOkAAAAAAAAA7QDMzMzMzMztAZmZmZmZmO0CamZmZmZk7QM3MzMzMzDtAAAAAAAAAPEAzMzMzMzM8QGZmZmZmZjxAmpmZmZmZPEDNzMzMzMw8QAAAAAAAAD1AMzMzMzMzPUBmZmZmZmY9QJqZmZmZmT1AzczMzMzMPUAAAAAAAAA+QDMzMzMzMz5AZmZmZmZmPkCamZmZmZk+QM3MzMzMzD5AAAAAAAAAP0AzMzMzMzM/QGZmZmZmZj9AmpmZmZmZP0DNzMzMzMw/QAAAAAAAAEBAmpmZmZkZQEAzMzMzMzNAQM3MzMzMTEBAZmZmZmZmQEAAAAAAAIBAQJqZmZmZmUBAMzMzMzOzQEDNzMzMzMxAQGZmZmZm5kBAAAAAAAAAQUCamZmZmRlBQDMzMzMzM0FAzczMzMxMQUBmZmZmZmZBQAAAAAAAgEFAmpmZmZmZQUAzMzMzM7NBQM3MzMzMzEFAZmZmZmbmQUAAAAAAAABCQJqZmZmZGUJAMzMzMzMzQkDNzMzMzExCQGZmZmZmZkJAAAAAAACAQkCamZmZmZlCQDMzMzMzs0JAzczMzMzMQkBmZmZmZuZCQAAAAAAAAENAmpmZmZkZQ0AzMzMzMzNDQM3MzMzMTENAZmZmZmZmQ0AAAAAAAIBDQJqZmZmZmUNAMzMzMzOzQ0DNzMzMzMxDQGZmZmZm5kNAAAAAAAAARECamZmZmRlEQDMzMzMzM0RAzczMzMxMREBmZmZmZmZEQAAAAAAAgERAmpmZmZmZREAzMzMzM7NEQM3MzMzMzERAZmZmZmbmREAAAAAAAABFQJqZmZmZGUVAMzMzMzMzRUDNzMzMzExFQGZmZmZmZkVAAAAAAACARUCamZmZmZlFQDMzMzMzs0VAzczMzMzMRUBmZmZmZuZFQAAAAAAAAEZAmpmZmZkZRkAzMzMzMzNGQM3MzMzMTEZAZmZmZmZmRkAAAAAAAIBGQJqZmZmZmUZAMzMzMzOzRkDNzMzMzMxGQGZmZmZm5kZAAAAAAAAAR0CamZmZmRlHQDMzMzMzM0dAzczMzMxMR0BmZmZmZmZHQAAAAAAAgEdAmpmZmZmZR0AzMzMzM7NHQM3MzMzMzEdAZmZmZmbmR0AAAAAAAABIQJqZmZmZGUhAMzMzMzMzSEDNzMzMzExIQGZmZmZmZkhAAAAAAACASECamZmZmZlIQDMzMzMzs0hAzczMzMzMSEBmZmZmZuZIQAAAAAAAAElAmpmZmZkZSUAzMzMzMzNJQM3MzMzMTElAZmZmZmZmSUAAAAAAAIBJQJqZmZmZmUlAMzMzMzOzSUDNzMzMzMxJQGZmZmZm5klAAAAAAAAASkCamZmZmRlKQDMzMzMzM0pAzczMzMxMSkBmZmZmZmZKQAAAAAAAgEpAmpmZmZmZSkAzMzMzM7NKQM3MzMzMzEpAZmZmZmbmSkAAAAAAAABLQJqZmZmZGUtAMzMzMzMzS0DNzMzMzExLQGZmZmZmZktAAAAAAACAS0CamZmZmZlLQDMzMzMzs0tAzczMzMzMS0BmZmZmZuZLQAAAAAAAAExAmpmZmZkZTEAzMzMzMzNMQM3MzMzMTExAZmZmZmZmTEAAAAAAAIBMQJqZmZmZmUxAMzMzMzOzTEDNzMzMzMxMQGZmZmZm5kxAAAAAAAAATUCamZmZmRlNQDMzMzMzM01AzczMzMxMTUBmZmZmZmZNQAAAAAAAgE1AmpmZmZmZTUAzMzMzM7NNQM3MzMzMzE1AZmZmZmbmTUAAAAAAAABOQJqZmZmZGU5AMzMzMzMzTkDNzMzMzExOQGZmZmZmZk5AAAAAAACATkCamZmZmZlOQDMzMzMzs05AzczMzMzMTkBmZmZmZuZOQAAAAAAAAE9AmpmZmZkZT0AzMzMzMzNPQM3MzMzMTE9AZmZmZmZmT0AAAAAAAIBPQJqZmZmZmU9AMzMzMzOzT0DNzMzMzMxPQGZmZmZm5k9AAAAAAAAAUEDNzMzMzAxQQJqZmZmZGVBAZmZmZmYmUEAzMzMzMzNQQAAAAAAAQFBAzczMzMxMUECamZmZmVlQQGZmZmZmZlBAMzMzMzNzUEAAAAAAAIBQQM3MzMzMjFBAmpmZmZmZUEBmZmZmZqZQQDMzMzMzs1BAAAAAAADAUEDNzMzMzMxQQJqZmZmZ2VBAZmZmZmbmUEAzMzMzM/NQQAAAAAAAAFFAzczMzMwMUUCamZmZmRlRQGZmZmZmJlFAMzMzMzMzUUAAAAAAAEBRQM3MzMzMTFFAmpmZmZlZUUBmZmZmZmZRQDMzMzMzc1FAAAAAAACAUUDNzMzMzIxRQJqZmZmZmVFAZmZmZmamUUAzMzMzM7NRQAAAAAAAwFFAzczMzMzMUUCamZmZmdlRQGZmZmZm5lFAMzMzMzPzUUAAAAAAAABSQM3MzMzMDFJAmpmZmZkZUkBmZmZmZiZSQDMzMzMzM1JAAAAAAABAUkDNzMzMzExSQJqZmZmZWVJAZmZmZmZmUkAzMzMzM3NSQAAAAAAAgFJAzczMzMyMUkCamZmZmZlSQGZmZmZmplJAMzMzMzOzUkAAAAAAAMBSQM3MzMzMzFJAmpmZmZnZUkBmZmZmZuZSQDMzMzMz81JAAAAAAAAAU0DNzMzMzAxTQJqZmZmZGVNAZmZmZmYmU0AzMzMzMzNTQAAAAAAAQFNAzczMzMxMU0CamZmZmVlTQGZmZmZmZlNAMzMzMzNzU0AAAAAAAIBTQM3MzMzMjFNAmpmZmZmZU0BmZmZmZqZTQDMzMzMzs1NAAAAAAADAU0DNzMzMzMxTQJqZmZmZ2VNAZmZmZmbmU0AzMzMzM/NTQAAAAAAAAFRAzczMzMwMVECamZmZmRlUQGZmZmZmJlRAMzMzMzMzVEAAAAAAAEBUQM3MzMzMTFRAmpmZmZlZVEBmZmZmZmZUQDMzMzMzc1RAAAAAAACAVEA=\",\"dtype\":\"float64\",\"order\":\"little\",\"shape\":[388]},\"y\":{\"__ndarray__\":\"0USek6SHkEBSspU1UcaQQJ+a/MwtBpFAxFn73lRHkUAhnPTd9omRQNKLsZBjzpFAHDajhxoVkkBfNg+a6F6SQMGs1uAerZJAwjAOpv4Bk0AHjeCpmmGTQMdLx8jN05NA/rY9W64MmkCG7Aup/5SmQPWQPZEJRrVANIRG5VlIv0CllaOXoS2/QNZIdZKzH7VA0KD/Hw1up0DC6My4bTmhQEhjhl6GcqZA1m2hgdM9sEDK8nbQqSyyQG0DYSV2Cq1A9xGUEWv7okCuAKs8PNCaQGxeqFI9E5dA/wawmy0OlkDlbe6guK6VQEMTaudqVZVA9rgKWdn/lEDjLFIoyKyUQNj3SquWW5RAQ7ACHQEMlED9gM6MC76TQM58HnIJcpNAZP1viskok0C1+qEpC+SSQJ+XQrgovJNAHwb5Xrl8l0B/W74DqxGgQADvWUPQVaRADHsrwhCqo0Acibe2xmedQHE4V3eG55RAZi2D/YZMkUD1G+k3ZSyQQJyStWNmv49AOx/VM1c5j0DTKsomHySQQAiVudWCxJNAvJukChSon0DYa4MaykKpQEfBjkwx+65AdNHlWADEq0B+nT8NYu+mQJC822CZ26VATbSRRdwCpEAc+VIYSxWeQEj750ApZ5VA/oibjCOdkUD5wl/hM6CQQIkMQ4+MvZBABKRk/izikECBlBzySQ2RQBTHwgJ/spFA3a+OQ30FlECEiIT4G8+aQCRaEiwfNaNAlZBu/QKUp0AskKpXTPalQEyZeLDETaBAMdGhVoqIl0DCqOQkNeGTQPd+NHGX5pZAsG0Z1zWcoUD2yZFCmB6vQMCPxz/kv7dACK47UeudukDktO/2iFS1QHD5mQhb26pAPhP77ElFoEBQHsVcj/+WQFo8mTPi/JJAG27O/xHFkUDjTp/qOEGRQL7B0hYaUJFAljFAM45SkkAwCHGr3ZiVQEqKpPnj0ZtAPbw2PWQpoUDOd4fVA+qhQOaZ6uQdwJ5AWEC+kDVTmED/uWv4Dw6WQE/LlcVcZptAx9cEMh8spEBbGNJOypGrQCVNWszbNa5AF4U1R0ynqUCjOl7MIcmhQMY1OOQEUZdAwD0OjA9fkUC5vKIgkOOOQIlXZwoZ249ARn3kw7u0kkBuOT0sg5qZQBSpqBVFq6JAivX8OIfwqEDGh/dAhaSrQJK4rMc74ahAv+PYVeAvo0D6oaAPH06eQCtxq5KH5p1Ay1DLepmDoUAlsONgsuajQIFXP31GBqRAOerYRGGGoUAS+k2pUuqbQNpILMVzu5VAQFbt2O7VkUD4h5chACyQQCaJiiskI5BAiq4YBRA2kUB02WRyUoOSQC6AJ2bITJNAUGE0xBQCk0C8f392qFGSQFQN4gGeF5JARNKp6pQck0Ajtai5Bz+VQJr4E+D4hZdAoIfyOympmEDaIipKZvOXQNBmchVGnZVA/UHZzBbMkkBY0o5YQ6GQQBzqNs8ZMI9AFhAG6u4qj0B6UGnSyB6QQDbuVVeW8pBAgy1uAP9IkkAJJvj1koKUQAQeNRHKq5dA74POoyTpmkDmwdgqu7ycQDJUBYjgFJxAgrghJ04mmUCa/SRuvU2VQBaOvdbp7JFAesTMsDuYj0DRIgdUbyyOQKC+pUW8kI5ANOY6uCsDkED3OlLWqjqRQNxnRlWR25JAd1tfdJzelED4Jf0OB9GWQKSOGa1j7ZdA4AX/Bcinl0B2ZywpT/qVQJgNJQprsZNABgDZkE/AkUAO/JvPzBORQLld1bIKm5FATGpILPxRk0C3lK9GixGWQEhikC+euZlAipZZZs4rnkBoEWBpZVahQCFaTL6GF6NALKUke6+ro0DLoI0BAd2iQH3NDiubD6FAEVTUovU7nkBKieRecn2bQGaEsoV4sppAu3eorKt4m0B45gGAK/GcQCBAfEpuO55AaEHp9bDInkDYkvxeLceeQKKtOSU1B55A5IA0/AWPnEC/UgSJ2WCaQDaOzTLA1pdAegpQw9c/lUCbqv678jWTQCwU0ia2H5JAZOOoYkhPkkB6uMDSjZiTQCQ1T1HJp5VARslzz+v8l0DmP+Dw6tyZQKVyDmmnxZpAIFTt4UxrmkD9MEnMweqYQImssTdqxJZA2sf9WVePlEBbGp0JorySQPIigjOPdpFAsnpQezuukEDUP/MTrDuQQDLGhcx8xo9AMyuzD9Qij0DOkEZAQ7iOQDq9BvuMlI5A/0586rv2jkCqHbsZvRWQQLWsMfvINpFANLwPx+LmkkAYIPvP5BuVQPZsWpx1jpdArsmljGz0mUABY+jDn+WbQM9avOIhLZ1AgwasiCF+nUCoDelFDwKdQFqjOI/cC5xAvCzlaH4Mm0DgSDy/aWSaQJEq8pZLQppANDFIwNeWmkBJd6wGaRybQGKsAfzWhZtAmi8MInt0m0Cmvmm187aaQORP3TTFMplAYvtl5EVAl0Blb9jAawSVQNwjMNUG25JAqLOnefr/kEAQEP9IQTqPQKayvt5/eI1ABrpD4/+DjEC8fyOkWj+MQJ+CpPZQU4xA+KjDXtaOjEDJ9htG1LuMQKjKbCBqAY1AZi4wSnAwjUAxVY36nD6NQE6lTFGtVI1ALq6FsX4+jUDxyfcwXh2NQDJyRrI5CY1AgBZhmtoijUDBPndv3aWNQACBp1gYk45A5pzwwZELkEDyeF7WHA+RQErpvdBnP5JA0hK0DJWJk0A8YbqJbcWUQIZVk3Dd0JVAgDNmUvSMlkB+QjANiPOWQGzY8RlF+pZABuRFu7StlkCbKfOvxCOWQL7VmcnfZ5VAAkC9jguMlEAUXE+2wZ+TQOvYlaKHsZJASNSq35nikUBfVoJrzyeRQFmqbS1KmZBAXIKNqihFkEA6PZSZhyqQQO5JWOUPRpBAOXnX1heokEAaXwfSHzyRQIjePO9//JFASJZI/VTXkkAwbhBZKL6TQBQ8N137nJRAdQbLutWDlUADdhzamTSWQJi+v9GonJZAWw1MfxKvlkB+AMuha2iWQEHuEm/h0ZVAOOFVg275lEBiccPGIPuTQENwF14b55JA3vOw75fUkUA8KaUCgdiQQLMkuD0q+Y9AbgIPEN2IjkAvBPDI0XaNQMPoydYJt4xASBbqhKCCjEDax+xH6YmMQH8v8ueq7YxAFbxpCmOYjUBAgdqbA72OQGDZVhBsHJBAqhTdTecAkUAJ563hFwmSQFWu7STzPJNATH3ak5qFlEBwDpgBKMeVQABm8GP7E5dAMcLjT49ZmEAukcNkGYyZQPEqcKOrj5pAuGqkWWFOm0AY/payX7ubQOiC4OdlwptAF0w9NoRkm0CGb2rlH6maQFu9JcXCqJlAiMezdV9umEDkZ1c3AhiXQELYLSqUwZVA3qMxsSp9lEAYgl7Fd1eTQOQ2DXvbZZJAonjPgcSokUDXDULo4SGRQM8dl+eozZBAksR6vWynkECxmuW9fa6QQLeWoug00JBAdjfIpZIGkUBKFHLUUDeRQDGs497nlJFAOkbBoi3jkUC6LNg3ziCSQBW9myyaTJJADMMnv9FgkkABawIbuF6SQA+pwFy9TJJA6t9eXqotkkDJkOvFcwSSQBObUUfE3pFAPQGYrTDJkUDwE4XIdbWRQHBsmarErZFAyNEf1YiykUBQobMyQ8KRQFyGHdj73pFATs7VbdL+kUBs9plL/B6SQHJnthdKRpJAQofm5alqkkBa9APew42SQJ0eF1Q1sJJAVN78BlnMkkC4UlDQjfOSQHKWkDD+GpNAmCj36HtIk0CgKZIibG+TQPjjFMa7lZNA7IXTv8W2k0Big3tBCtGTQMaQkcwF25NAn0s8UnbTk0B6CWf8I8KTQOZcJHbNmZNAWDYvme9hk0AbfDps2xuTQA6yOda405JALMMzhfeIkkDZxi03PUKSQP7GiB4WCpJAsnU75OzXkUAyVgV6VbyRQGcbZCausZFAZN2O+La4kUAmzSIMg8+RQHQGi44/8pFA6AxCix0fkkBzpyukSk+SQJRjDqkxf5JAofYGvWyskkDu1g6yi92SQHvwRGZIApNAuGXbuC0Uk0AidHcFzSOTQHHVW5akJZNArTg/Jpoak0DXj/XoDASTQHHowgkp4ZJARr0D2Ku5kkCO7spDg4uSQMBQv1dmV5JA/EWlJgcgkkA=\",\"dtype\":\"float64\",\"order\":\"little\",\"shape\":[388]}},\"selected\":{\"id\":\"1786\"},\"selection_policy\":{\"id\":\"1785\"}},\"id\":\"1770\",\"type\":\"ColumnDataSource\"},{\"attributes\":{},\"id\":\"1735\",\"type\":\"BasicTicker\"},{\"attributes\":{\"data\":{\"x\":{\"__ndarray__\":\"ZmZmZmZmEkAzMzMzMzMTQAAAAAAAABRAzczMzMzMFECamZmZmZkVQGZmZmZmZhZAMzMzMzMzF0AAAAAAAAAYQM3MzMzMzBhAmpmZmZmZGUBmZmZmZmYaQDMzMzMzMxtAAAAAAAAAHEDNzMzMzMwcQJqZmZmZmR1AZmZmZmZmHkAzMzMzMzMfQAAAAAAAACBAZmZmZmZmIEDNzMzMzMwgQDMzMzMzMyFAmpmZmZmZIUAAAAAAAAAiQGZmZmZmZiJAzczMzMzMIkAzMzMzMzMjQJqZmZmZmSNAAAAAAAAAJEBmZmZmZmYkQM3MzMzMzCRAMzMzMzMzJUCamZmZmZklQAAAAAAAACZAZmZmZmZmJkDNzMzMzMwmQDMzMzMzMydAmpmZmZmZJ0AAAAAAAAAoQGZmZmZmZihAzczMzMzMKEAzMzMzMzMpQJqZmZmZmSlAAAAAAAAAKkBmZmZmZmYqQM3MzMzMzCpAMzMzMzMzK0CamZmZmZkrQAAAAAAAACxAZmZmZmZmLEDNzMzMzMwsQDMzMzMzMy1AmpmZmZmZLUAAAAAAAAAuQGZmZmZmZi5AzczMzMzMLkAzMzMzMzMvQJqZmZmZmS9AAAAAAAAAMEAzMzMzMzMwQGZmZmZmZjBAmpmZmZmZMEDNzMzMzMwwQAAAAAAAADFAMzMzMzMzMUBmZmZmZmYxQJqZmZmZmTFAzczMzMzMMUAAAAAAAAAyQDMzMzMzMzJAZmZmZmZmMkCamZmZmZkyQM3MzMzMzDJAAAAAAAAAM0AzMzMzMzMzQGZmZmZmZjNAmpmZmZmZM0DNzMzMzMwzQAAAAAAAADRAMzMzMzMzNEBmZmZmZmY0QJqZmZmZmTRAzczMzMzMNEAAAAAAAAA1QDMzMzMzMzVAZmZmZmZmNUCamZmZmZk1QM3MzMzMzDVAAAAAAAAANkAzMzMzMzM2QGZmZmZmZjZAmpmZmZmZNkDNzMzMzMw2QAAAAAAAADdAMzMzMzMzN0BmZmZmZmY3QJqZmZmZmTdAzczMzMzMN0AAAAAAAAA4QDMzMzMzMzhAZmZmZmZmOECamZmZmZk4QM3MzMzMzDhAAAAAAAAAOUAzMzMzMzM5QGZmZmZmZjlAmpmZmZmZOUDNzMzMzMw5QAAAAAAAADpAMzMzMzMzOkBmZmZmZmY6QJqZmZmZmTpAzczMzMzMOkAAAAAAAAA7QDMzMzMzMztAZmZmZmZmO0CamZmZmZk7QM3MzMzMzDtAAAAAAAAAPEAzMzMzMzM8QGZmZmZmZjxAmpmZmZmZPEDNzMzMzMw8QAAAAAAAAD1AMzMzMzMzPUBmZmZmZmY9QJqZmZmZmT1AzczMzMzMPUAAAAAAAAA+QDMzMzMzMz5AZmZmZmZmPkCamZmZmZk+QM3MzMzMzD5AAAAAAAAAP0AzMzMzMzM/QGZmZmZmZj9AmpmZmZmZP0DNzMzMzMw/QAAAAAAAAEBAmpmZmZkZQEAzMzMzMzNAQM3MzMzMTEBAZmZmZmZmQEAAAAAAAIBAQJqZmZmZmUBAMzMzMzOzQEDNzMzMzMxAQGZmZmZm5kBAAAAAAAAAQUCamZmZmRlBQDMzMzMzM0FAzczMzMxMQUBmZmZmZmZBQAAAAAAAgEFAmpmZmZmZQUAzMzMzM7NBQM3MzMzMzEFAZmZmZmbmQUAAAAAAAABCQJqZmZmZGUJAMzMzMzMzQkDNzMzMzExCQGZmZmZmZkJAAAAAAACAQkCamZmZmZlCQDMzMzMzs0JAzczMzMzMQkBmZmZmZuZCQAAAAAAAAENAmpmZmZkZQ0AzMzMzMzNDQM3MzMzMTENAZmZmZmZmQ0AAAAAAAIBDQJqZmZmZmUNAMzMzMzOzQ0DNzMzMzMxDQGZmZmZm5kNAAAAAAAAARECamZmZmRlEQDMzMzMzM0RAzczMzMxMREBmZmZmZmZEQAAAAAAAgERAmpmZmZmZREAzMzMzM7NEQM3MzMzMzERAZmZmZmbmREAAAAAAAABFQJqZmZmZGUVAMzMzMzMzRUDNzMzMzExFQGZmZmZmZkVAAAAAAACARUCamZmZmZlFQDMzMzMzs0VAzczMzMzMRUBmZmZmZuZFQAAAAAAAAEZAmpmZmZkZRkAzMzMzMzNGQM3MzMzMTEZAZmZmZmZmRkAAAAAAAIBGQJqZmZmZmUZAMzMzMzOzRkDNzMzMzMxGQGZmZmZm5kZAAAAAAAAAR0CamZmZmRlHQDMzMzMzM0dAzczMzMxMR0BmZmZmZmZHQAAAAAAAgEdAmpmZmZmZR0AzMzMzM7NHQM3MzMzMzEdAZmZmZmbmR0AAAAAAAABIQJqZmZmZGUhAMzMzMzMzSEDNzMzMzExIQGZmZmZmZkhAAAAAAACASECamZmZmZlIQDMzMzMzs0hAzczMzMzMSEBmZmZmZuZIQAAAAAAAAElAmpmZmZkZSUAzMzMzMzNJQM3MzMzMTElAZmZmZmZmSUAAAAAAAIBJQJqZmZmZmUlAMzMzMzOzSUDNzMzMzMxJQGZmZmZm5klAAAAAAAAASkCamZmZmRlKQDMzMzMzM0pAzczMzMxMSkBmZmZmZmZKQAAAAAAAgEpAmpmZmZmZSkAzMzMzM7NKQM3MzMzMzEpAZmZmZmbmSkAAAAAAAABLQJqZmZmZGUtAMzMzMzMzS0DNzMzMzExLQGZmZmZmZktAAAAAAACAS0CamZmZmZlLQDMzMzMzs0tAzczMzMzMS0BmZmZmZuZLQAAAAAAAAExAmpmZmZkZTEAzMzMzMzNMQM3MzMzMTExAZmZmZmZmTEAAAAAAAIBMQJqZmZmZmUxAMzMzMzOzTEDNzMzMzMxMQGZmZmZm5kxAAAAAAAAATUCamZmZmRlNQDMzMzMzM01AzczMzMxMTUBmZmZmZmZNQAAAAAAAgE1AmpmZmZmZTUAzMzMzM7NNQM3MzMzMzE1AZmZmZmbmTUAAAAAAAABOQJqZmZmZGU5AMzMzMzMzTkDNzMzMzExOQGZmZmZmZk5AAAAAAACATkCamZmZmZlOQDMzMzMzs05AzczMzMzMTkBmZmZmZuZOQAAAAAAAAE9AmpmZmZkZT0AzMzMzMzNPQM3MzMzMTE9AZmZmZmZmT0AAAAAAAIBPQJqZmZmZmU9AMzMzMzOzT0DNzMzMzMxPQGZmZmZm5k9AAAAAAAAAUEDNzMzMzAxQQJqZmZmZGVBAZmZmZmYmUEAzMzMzMzNQQAAAAAAAQFBAzczMzMxMUECamZmZmVlQQGZmZmZmZlBAMzMzMzNzUEAAAAAAAIBQQM3MzMzMjFBAmpmZmZmZUEBmZmZmZqZQQDMzMzMzs1BAAAAAAADAUEDNzMzMzMxQQJqZmZmZ2VBAZmZmZmbmUEAzMzMzM/NQQAAAAAAAAFFAzczMzMwMUUCamZmZmRlRQGZmZmZmJlFAMzMzMzMzUUAAAAAAAEBRQM3MzMzMTFFAmpmZmZlZUUBmZmZmZmZRQDMzMzMzc1FAAAAAAACAUUDNzMzMzIxRQJqZmZmZmVFAZmZmZmamUUAzMzMzM7NRQAAAAAAAwFFAzczMzMzMUUCamZmZmdlRQGZmZmZm5lFAMzMzMzPzUUAAAAAAAABSQM3MzMzMDFJAmpmZmZkZUkBmZmZmZiZSQDMzMzMzM1JAAAAAAABAUkDNzMzMzExSQJqZmZmZWVJAZmZmZmZmUkAzMzMzM3NSQAAAAAAAgFJAzczMzMyMUkCamZmZmZlSQGZmZmZmplJAMzMzMzOzUkAAAAAAAMBSQM3MzMzMzFJAmpmZmZnZUkBmZmZmZuZSQDMzMzMz81JAAAAAAAAAU0DNzMzMzAxTQJqZmZmZGVNAZmZmZmYmU0AzMzMzMzNTQAAAAAAAQFNAzczMzMxMU0CamZmZmVlTQGZmZmZmZlNAMzMzMzNzU0AAAAAAAIBTQM3MzMzMjFNAmpmZmZmZU0BmZmZmZqZTQDMzMzMzs1NAAAAAAADAU0DNzMzMzMxTQJqZmZmZ2VNAZmZmZmbmU0AzMzMzM/NTQAAAAAAAAFRAzczMzMwMVECamZmZmRlUQGZmZmZmJlRAMzMzMzMzVEAAAAAAAEBUQM3MzMzMTFRAmpmZmZlZVEBmZmZmZmZUQDMzMzMzc1RAAAAAAACAVEA=\",\"dtype\":\"float64\",\"order\":\"little\",\"shape\":[388]},\"y\":{\"__ndarray__\":\"AFMW03ahMcAodLMAXwt4QCiwBupJhWlAsP7x1CUiZUA4KTK0uaVhQLjQOb1xUnJAEHhCUu60aUDAawsbDXluQKyUhveYNX5AoMDpa+L8XkCgzmq1O1NvwEC2cwFzNG1AALzRH8lI9b9wbjbsbf15wOD/LDzgkGzA8IpJz7LPc8DAwJ/gfzh7wHBk+Jd2JXbA0L4bhVQ+d8AYHQs3qxV2wHgEUvcecHVAYGiYY6GRh0AwfvbDkmmJQHwlr51ar4ZAgEPqRJ1jOsAoQLbJlP17wGDzQpXqgWrAbFnKRVqhc8D6HSDqSKl7wMRrLYn9PXXAsIeboW/+ccDAAqxwax9DwCys+Hkn13XALEb2xbwKccCExi9ciiN5wBBXMZsiRGXAwMFRX7cxUsCwOuKP21xUwEBUMz0y13jAdEFAC6gYdMCoI9SYbCd4wCgY9882IIPAOHzMTpBzesBw2Vnmf9pbwDgLmzVIMmLAoKgjw9tMYcA4oj7ohfpswDBNy6IeHV/AKLLHI6W8XcDQUl2TDZ5TQNAIuOAYilPAIEs3OiKtYkCw3u4CUyp4QLhHQrr6rXRAQO/l5kTdfEBgCYFAjcFiQECzsSyBIkPA+GSDVT7accAAJJ0cxZIDQAAVO353OCjAAH/ETcYRJsCAOqFtHdNDQNDSB5g59lfA+MOVMHKAZMCQjzZJbkdhwBB2IO2bpGLAmMZWl/7JY8Bw/EJJy9puwGDou7/vil3AkOpj691HYsAANc3AfV4zwIDW7PBpt19AeNvG09efa8AAksvvEsIzQABnvD5IOx/AAGR1xDUbVsBA0SDhUtJkQADtBOmsekdAAP3//BuMUMAAeLdpwhluQBjOyVTBZnJAAJqiveLyJ8AAW8KV4XohwEA5b1TBUEXAwCk0YKYoSMAAu8F2W9BfwPDJc04c1l7AYNTiFIayY8AIAj/CJN93wPCjC+nwJ4HArA9g4OIRgcD4qY1kPV18wCD4sLaxLmzA+JqS3G8udcBABf02uho3QEDoIK0S0j7AIAdlvxm8UkDAkZpi25NFwIBOVOfH2ThAgHK9t9leR0Aw5d4vDDpqQKAeC6ulBGNAAEk9iPxtIUAAEmzCSxM0wJh0WdizqlLAkAd7ce8OVcDAlE6h9r5DQEDTE6fsOVtAQA4AywgiT0BAu+ZHBGBbwIBXYR4lgkLAgMjlDtb5SkBAnkJkgotiQKh2pGrDo2lA2KzYXGducUAgQ2teyPdeQACVAKro1VtAEM2uvMJtZ0CAmL+cfQUowAD5B3RNbDnAgEwDKgadRUBY2VWmmuFpwHBA8Jm99lzArAOIHqmsYsCgyyaTkzJgwDzOCP4Py2zAeDP/sGiWZMD4q0OVvvFtwGBaDHCYSF/AqH2gDcZRY8CAUl4WcpVEwGCfHI40tlJAAF8G78ZwLsAA/mkFp8c2wJAvHIC9w13AMIb6M9P3WcCANizKiS1OwLiJVlEVSG3AEF+dkw1kYsBA9ca5VLYowADVvw+GaFpA4IJtJVOTQUCAn11Bj40uQLCzx7O5uGRA8Dsscf0uW0AAXNjdbH8NQID0aa02RU1AQGLvAkq1TsAAUpFBenQ0wCC4YtYM5EBAgNdL4QhdG0C4SWzTraZRwICJ6n2/diXAIDeaEU5JQ8CA+OBj9G5EwAA4RgGM6RtA4K+ZX8MkRkAgxkZy1j1BQIDmXq89gzJAAGbxUL7mGsBA8tpAOtZfwIB1l229XE3AgPZId4EMRMCA8k+GhuspwHBWatvy4VTA4EW1bKNcQUBA/Vg8z/dIwEBGtgNjCE9AAAikpPDWVUDgeMFf0v1gQADszpdfgQjAABBpzuGwF8Bgx/sSm0RYwMALaSRbHF3AsAM7VrYOX8DAZfzLU3U9QACcIWkcUf0/gNriMBX8KUCA9BGGq2cpwADAfwdrIwdAwMgAn3AMT0AAzsmvFpBBQCAwPFAeGltAAEL0oMhfNEDggOav87BIwGDj2CwD7FPAIMoVGECcSsDQasOHtVtTQOA9YV+wiEnAoMVQIK/wV8BAV08OrJRAQFBwAhTHolJAcCafjnjkYUCQ9ibVNytgQCBPohsd4klAAC8v4sLeKsCQ3F+R6ZhUwKCfvuvgUFDAMM6wxeP2ZMAgk4SuVUJKwDDdaRluXVjAYLKeLGVwQ8AcE0jnQVhhwMARXXPrPSLAMIrWa343QsAA5AIIlTT8v+DA2UilzlnAoKxWHEpkPcCAVcZJGX1XwMAkTVJGuT9AIKNq9Tl4WkCA1fFw8FtYQMCM6Pyb0VlAgPRlK2AVVEDAc+r+DS1XQADOk8RX9y7AAAny/UBAFsAAqKrW/HD3PyDmKJXZnErAYGXsJ4DBU8AAzLNg1V0qwIAZ07mielNAIFPjYepoXUBYttnUjlhgQHD82mjsUVlAoOe38/t/VEBAbtFGENhHwCCd7/3yYEBAUOmSeZEnX8B4M+KLSQ1hwLDrTXYDDWPA+LvCuCUoYcBADLnDmUU/wJAkuOsn0FvA0Gm3s5ipW8DA+zdCqvVIwIjXGd7jCVTAMNcbZ3r7SMCwyE4kOgZBwOA5j/zK8kjAQEolwr+NW8BoJH+CL6ZZwLA0PC7bslbA8Fx/RBR5XcDotSTuV0FVwIC6jyGQn1TAALQI09QWVMDgpLS7egg8wFDAWkquGlXAwPFFAVy2OcCA7Sk3+9chQCDzGlFlBWxA0CR3UzTyVkCgCtv5dAdjQOgBrVyPpWJAIE2IK3NfVUBAh5vKO5lNQIBf81wo1EPAAORstwuiJ8DAMs+cbeg1QOCE+Si/A1LAQK4bzTNFUMDAqEfRdwc5wAA4+0YUH+M/QCF+SLtMNEAg/32jIA1AwADzQwfH4x7AsKc/FAuuSsAA72itB19AwFAA/9NYsUDAgJy8a+uLLsCA2bZifVYnQMBN6QNUaE9AwNpdlGqsSEDo9OKdI3VhQECaWsRsoWBAiP/aXIW8YUAwBp/EyPxZQEAMLUACSFFAYFnJysq2TsCg/dh4SclcwIAhOci6/l7AQFrvnQOhT8Agp4KGYEVBwBiCu/DacGHAQLkozaGjQMCsFvbh1ChhwJxfrcN1SWPAIHCiptr5Y8DYh+at9CxWwFhQJlq/5VPAUGCYCH9ZVsCIpJ5xXT5gwPy9yJ+rXmDAwObprnDgLsAwPQcSUCtUwMD7JlMOsjzAINHDqnxJQUCAwpY5A71bwOD96NCXkUvAAJS6W1H9TkCQ23QP3NxRQOBKkY5sWWFAEDlTxABwUkBAvsRUSQ1nQFC3Yy+sW1VAQHM+UTzSX0BAFLkylKxZQFCexE5uxlBAgKU/uLTbL8DQNbEtoiJUwFBv9evFNVTAAGSOExbrW8DAtAtwMrJCwEAxF9VH6EnAALpedQjaN8Cgzy8392tcwJD0c69/x2HAgB7G3QD2QsAorBoZs9dhwADBpF5BsxBAwAUsc90iMsCAch5y4hgzQEAp/kcDvTRAsF8gFBPxU0AAsHAMJ/s5QIBsFeDIqi9AAKip8J2l9j9A2O2/JvpWQAD3IQZUpk1AAHBHyK9ZIkBAh0a6DUAyQEDT7CWASzrAgFJxS+VYLkCw1MG1cbBQQOBNhaKnnUPA0OojSkitV8DguWU2pJhWwABgn8+8G9o/APBh66dES0DAy7QFKVpBQAD3RCXhr0ZAAIE60kXGMEBQKZXiIH9RwED8Uc1Z81DAAA0E7oc/I0Bg5b5JW4tPQKANl5ED4UdAgIccP2RgSEAA4OKqd78PwACeWCglCyFAAJ4g15/iU8AAjHtKQfESwOB40CMv9lBAgIJCF1K7VUBAGrgQw9VCwGBsub/+3UNAAAeLZn2ySUCAnes/TehFQECM0MoTfEdAADo+ifCSPcAw1lULmBhcwCivUp0YHmDAQEfqmlkqUsAQWS4r8lhewKBltUTxE1vAgHJUtwuQIcAwOvkQlc9UwAB2A1tvZirAAP0nYcjEPcAgyFUewDpRwACRVvpN10nAAEQY5CVDJ0BwIt9W7zRWQIDdXOXxAj1AAN8A3mDdGsCAINXUbdNYQEBhn0HKmkNAgPiML/jaPkBgqdpgTmheQMD/mSvQ/zpAIAmeIw2FQkCQWehRxAlSwIBX+czWTCnAgPVfPgBCMcDA8Jev895BQIBL+pdKOCPAoNpoGLqxUcA=\",\"dtype\":\"float64\",\"order\":\"little\",\"shape\":[388]}},\"selected\":{\"id\":\"1901\"},\"selection_policy\":{\"id\":\"1900\"}},\"id\":\"1822\",\"type\":\"ColumnDataSource\"},{\"attributes\":{},\"id\":\"1813\",\"type\":\"HelpTool\"},{\"attributes\":{},\"id\":\"1794\",\"type\":\"DataRange1d\"},{\"attributes\":{},\"id\":\"1765\",\"type\":\"UnionRenderers\"},{\"attributes\":{\"tools\":[{\"id\":\"1808\"},{\"id\":\"1809\"},{\"id\":\"1810\"},{\"id\":\"1811\"},{\"id\":\"1812\"},{\"id\":\"1813\"}]},\"id\":\"1815\",\"type\":\"Toolbar\"},{\"attributes\":{\"axis\":{\"id\":\"1800\"},\"coordinates\":null,\"grid_line_alpha\":0.25,\"grid_line_color\":\"#E0E0E0\",\"group\":null,\"ticker\":null},\"id\":\"1803\",\"type\":\"Grid\"},{\"attributes\":{},\"id\":\"1891\",\"type\":\"AllLabels\"},{\"attributes\":{},\"id\":\"1764\",\"type\":\"AllLabels\"},{\"attributes\":{\"axis_label\":\"2theta\",\"axis_label_standoff\":10,\"axis_label_text_color\":\"#E0E0E0\",\"axis_label_text_font\":\"Helvetica\",\"axis_label_text_font_size\":\"1.25em\",\"axis_label_text_font_style\":\"normal\",\"axis_line_alpha\":0,\"axis_line_color\":\"#E0E0E0\",\"coordinates\":null,\"formatter\":{\"id\":\"1893\"},\"group\":null,\"major_label_policy\":{\"id\":\"1894\"},\"major_label_text_color\":\"#E0E0E0\",\"major_label_text_font\":\"Helvetica\",\"major_label_text_font_size\":\"1.025em\",\"major_tick_line_alpha\":0,\"major_tick_line_color\":\"#E0E0E0\",\"minor_tick_line_alpha\":0,\"minor_tick_line_color\":\"#E0E0E0\",\"ticker\":{\"id\":\"1801\"}},\"id\":\"1800\",\"type\":\"LinearAxis\"},{\"attributes\":{\"source\":{\"id\":\"1752\"}},\"id\":\"1757\",\"type\":\"CDSView\"}],\"root_ids\":[\"1828\"]},\"title\":\"Bokeh Application\",\"version\":\"2.4.3\"}};\n const render_items = [{\"docid\":\"27e19014-97ae-4701-874c-dc065ae46874\",\"root_ids\":[\"1828\"],\"roots\":{\"1828\":\"ab8713b1-1071-40bc-a2e4-b6fa65ec3758\"}}];\n root.Bokeh.embed.embed_items_notebook(docs_json, render_items);\n }\n if (root.Bokeh !== undefined) {\n embed_document(root);\n } else {\n let attempts = 0;\n const timer = setInterval(function(root) {\n if (root.Bokeh !== undefined) {\n clearInterval(timer);\n embed_document(root);\n } else {\n attempts++;\n if (attempts > 100) {\n clearInterval(timer);\n console.log(\"Bokeh: ERROR: Unable to run BokehJS code because BokehJS library is missing\");\n }\n }\n }, 10, root)\n }\n})(window);", - "application/vnd.bokehjs_exec.v0+json": "" - }, - "metadata": { - "application/vnd.bokehjs_exec.v0+json": { - "id": "1828" - } - }, - "output_type": "display_data" + "execution_count": null, + "metadata": { + "collapsed": false, + "pycharm": { + "name": "#%%\n" } - ], + }, + "outputs": [], "source": [ "p1 = figure(**opts, title='Polarization, U + D')\n", "p1.scatter(x_[0::2], res.y_obs[0::2], legend='U + D', color=Spectral6[0])\n", @@ -965,38 +792,18 @@ "p11.line(x_[0::2], res.y_obs[0::2] - res.y_calc[0::2], line_width=2, color=Spectral6[1])\n", "p11.xaxis.axis_label = '2theta'\n", "show(column(p1, p11))" - ], + ] + }, + { + "cell_type": "code", + "execution_count": null, "metadata": { "collapsed": false, "pycharm": { "name": "#%%\n" } - } - }, - { - "cell_type": "code", - "execution_count": 26, - "outputs": [ - { - "data": { - "text/html": "\n
\n" - }, - "metadata": {}, - "output_type": "display_data" - }, - { - "data": { - "application/javascript": "(function(root) {\n function embed_document(root) {\n const docs_json = {\"c6af092f-7bfa-4a68-82a8-7a2d4c649a30\":{\"defs\":[{\"extends\":null,\"module\":null,\"name\":\"ReactiveHTML1\",\"overrides\":[],\"properties\":[]},{\"extends\":null,\"module\":null,\"name\":\"FlexBox1\",\"overrides\":[],\"properties\":[{\"default\":\"flex-start\",\"kind\":null,\"name\":\"align_content\"},{\"default\":\"flex-start\",\"kind\":null,\"name\":\"align_items\"},{\"default\":\"row\",\"kind\":null,\"name\":\"flex_direction\"},{\"default\":\"wrap\",\"kind\":null,\"name\":\"flex_wrap\"},{\"default\":\"flex-start\",\"kind\":null,\"name\":\"justify_content\"}]},{\"extends\":null,\"module\":null,\"name\":\"GridStack1\",\"overrides\":[],\"properties\":[{\"default\":\"warn\",\"kind\":null,\"name\":\"mode\"},{\"default\":null,\"kind\":null,\"name\":\"ncols\"},{\"default\":null,\"kind\":null,\"name\":\"nrows\"},{\"default\":true,\"kind\":null,\"name\":\"allow_resize\"},{\"default\":true,\"kind\":null,\"name\":\"allow_drag\"},{\"default\":[],\"kind\":null,\"name\":\"state\"}]},{\"extends\":null,\"module\":null,\"name\":\"click1\",\"overrides\":[],\"properties\":[{\"default\":\"\",\"kind\":null,\"name\":\"terminal_output\"},{\"default\":\"\",\"kind\":null,\"name\":\"debug_name\"},{\"default\":0,\"kind\":null,\"name\":\"clears\"}]},{\"extends\":null,\"module\":null,\"name\":\"NotificationAreaBase1\",\"overrides\":[],\"properties\":[{\"default\":\"bottom-right\",\"kind\":null,\"name\":\"position\"},{\"default\":0,\"kind\":null,\"name\":\"_clear\"}]},{\"extends\":null,\"module\":null,\"name\":\"NotificationArea1\",\"overrides\":[],\"properties\":[{\"default\":[],\"kind\":null,\"name\":\"notifications\"},{\"default\":\"bottom-right\",\"kind\":null,\"name\":\"position\"},{\"default\":0,\"kind\":null,\"name\":\"_clear\"},{\"default\":[{\"background\":\"#ffc107\",\"icon\":{\"className\":\"fas fa-exclamation-triangle\",\"color\":\"white\",\"tagName\":\"i\"},\"type\":\"warning\"},{\"background\":\"#007bff\",\"icon\":{\"className\":\"fas fa-info-circle\",\"color\":\"white\",\"tagName\":\"i\"},\"type\":\"info\"}],\"kind\":null,\"name\":\"types\"}]},{\"extends\":null,\"module\":null,\"name\":\"Notification\",\"overrides\":[],\"properties\":[{\"default\":null,\"kind\":null,\"name\":\"background\"},{\"default\":3000,\"kind\":null,\"name\":\"duration\"},{\"default\":null,\"kind\":null,\"name\":\"icon\"},{\"default\":\"\",\"kind\":null,\"name\":\"message\"},{\"default\":null,\"kind\":null,\"name\":\"notification_type\"},{\"default\":false,\"kind\":null,\"name\":\"_destroyed\"}]},{\"extends\":null,\"module\":null,\"name\":\"TemplateActions1\",\"overrides\":[],\"properties\":[{\"default\":0,\"kind\":null,\"name\":\"open_modal\"},{\"default\":0,\"kind\":null,\"name\":\"close_modal\"}]},{\"extends\":null,\"module\":null,\"name\":\"MaterialTemplateActions1\",\"overrides\":[],\"properties\":[{\"default\":0,\"kind\":null,\"name\":\"open_modal\"},{\"default\":0,\"kind\":null,\"name\":\"close_modal\"}]}],\"roots\":{\"references\":[{\"attributes\":{\"children\":[{\"id\":\"2013\"},{\"id\":\"2083\"}]},\"id\":\"2122\",\"type\":\"Column\"},{\"attributes\":{\"source\":{\"id\":\"2116\"}},\"id\":\"2121\",\"type\":\"CDSView\"},{\"attributes\":{\"coordinates\":null,\"group\":null,\"text\":\"Difference\",\"text_color\":\"#E0E0E0\",\"text_font\":\"Helvetica\",\"text_font_size\":\"1.15em\"},\"id\":\"2084\",\"type\":\"Title\"},{\"attributes\":{},\"id\":\"2029\",\"type\":\"BasicTicker\"},{\"attributes\":{},\"id\":\"2105\",\"type\":\"SaveTool\"},{\"attributes\":{\"line_color\":\"#d53e4f\",\"line_width\":2,\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"2065\",\"type\":\"Line\"},{\"attributes\":{},\"id\":\"2207\",\"type\":\"AllLabels\"},{\"attributes\":{},\"id\":\"2079\",\"type\":\"UnionRenderers\"},{\"attributes\":{},\"id\":\"2210\",\"type\":\"AllLabels\"},{\"attributes\":{\"source\":{\"id\":\"2064\"}},\"id\":\"2069\",\"type\":\"CDSView\"},{\"attributes\":{},\"id\":\"2016\",\"type\":\"DataRange1d\"},{\"attributes\":{\"overlay\":{\"id\":\"2108\"}},\"id\":\"2104\",\"type\":\"BoxZoomTool\"},{\"attributes\":{},\"id\":\"2018\",\"type\":\"DataRange1d\"},{\"attributes\":{\"coordinates\":null,\"data_source\":{\"id\":\"2064\"},\"glyph\":{\"id\":\"2065\"},\"group\":null,\"hover_glyph\":null,\"muted_glyph\":{\"id\":\"2067\"},\"nonselection_glyph\":{\"id\":\"2066\"},\"view\":{\"id\":\"2069\"}},\"id\":\"2068\",\"type\":\"GlyphRenderer\"},{\"attributes\":{\"background_fill_alpha\":0.25,\"background_fill_color\":\"#20262B\",\"border_line_alpha\":0,\"coordinates\":null,\"glyph_width\":15,\"group\":null,\"items\":[{\"id\":\"2063\"},{\"id\":\"2082\"}],\"label_standoff\":8,\"label_text_color\":\"#E0E0E0\",\"label_text_font\":\"Helvetica\",\"label_text_font_size\":\"1.025em\",\"spacing\":8},\"id\":\"2062\",\"type\":\"Legend\"},{\"attributes\":{},\"id\":\"2025\",\"type\":\"BasicTicker\"},{\"attributes\":{\"axis_label_standoff\":10,\"axis_label_text_color\":\"#E0E0E0\",\"axis_label_text_font\":\"Helvetica\",\"axis_label_text_font_size\":\"1.25em\",\"axis_label_text_font_style\":\"normal\",\"axis_line_alpha\":0,\"axis_line_color\":\"#E0E0E0\",\"coordinates\":null,\"formatter\":{\"id\":\"2206\"},\"group\":null,\"major_label_policy\":{\"id\":\"2207\"},\"major_label_text_color\":\"#E0E0E0\",\"major_label_text_font\":\"Helvetica\",\"major_label_text_font_size\":\"1.025em\",\"major_tick_line_alpha\":0,\"major_tick_line_color\":\"#E0E0E0\",\"minor_tick_line_alpha\":0,\"minor_tick_line_color\":\"#E0E0E0\",\"ticker\":{\"id\":\"2099\"}},\"id\":\"2098\",\"type\":\"LinearAxis\"},{\"attributes\":{},\"id\":\"2209\",\"type\":\"BasicTickFormatter\"},{\"attributes\":{},\"id\":\"2022\",\"type\":\"LinearScale\"},{\"attributes\":{\"coordinates\":null,\"group\":null,\"text\":\"Polarization, U - D\",\"text_color\":\"#E0E0E0\",\"text_font\":\"Helvetica\",\"text_font_size\":\"1.15em\"},\"id\":\"2014\",\"type\":\"Title\"},{\"attributes\":{},\"id\":\"2057\",\"type\":\"BasicTickFormatter\"},{\"attributes\":{\"background_fill_color\":\"#3f3f3f\",\"below\":[{\"id\":\"2094\"}],\"border_fill_color\":\"#2f2f2f\",\"center\":[{\"id\":\"2097\"},{\"id\":\"2101\"}],\"height\":150,\"left\":[{\"id\":\"2098\"}],\"min_border\":0,\"outline_line_alpha\":0.25,\"outline_line_color\":\"#E0E0E0\",\"renderers\":[{\"id\":\"2120\"}],\"title\":{\"id\":\"2084\"},\"toolbar\":{\"id\":\"2109\"},\"width\":990,\"x_range\":{\"id\":\"2086\"},\"x_scale\":{\"id\":\"2090\"},\"y_range\":{\"id\":\"2088\"},\"y_scale\":{\"id\":\"2092\"}},\"id\":\"2083\",\"subtype\":\"Figure\",\"type\":\"Plot\"},{\"attributes\":{\"axis\":{\"id\":\"2028\"},\"coordinates\":null,\"dimension\":1,\"grid_line_alpha\":0.25,\"grid_line_color\":\"#E0E0E0\",\"group\":null,\"ticker\":null},\"id\":\"2031\",\"type\":\"Grid\"},{\"attributes\":{},\"id\":\"2099\",\"type\":\"BasicTicker\"},{\"attributes\":{},\"id\":\"2032\",\"type\":\"PanTool\"},{\"attributes\":{\"axis_label_standoff\":10,\"axis_label_text_color\":\"#E0E0E0\",\"axis_label_text_font\":\"Helvetica\",\"axis_label_text_font_size\":\"1.25em\",\"axis_label_text_font_style\":\"normal\",\"axis_line_alpha\":0,\"axis_line_color\":\"#E0E0E0\",\"coordinates\":null,\"formatter\":{\"id\":\"2057\"},\"group\":null,\"major_label_policy\":{\"id\":\"2058\"},\"major_label_text_color\":\"#E0E0E0\",\"major_label_text_font\":\"Helvetica\",\"major_label_text_font_size\":\"1.025em\",\"major_tick_line_alpha\":0,\"major_tick_line_color\":\"#E0E0E0\",\"minor_tick_line_alpha\":0,\"minor_tick_line_color\":\"#E0E0E0\",\"ticker\":{\"id\":\"2025\"}},\"id\":\"2024\",\"type\":\"LinearAxis\"},{\"attributes\":{\"tools\":[{\"id\":\"2032\"},{\"id\":\"2033\"},{\"id\":\"2034\"},{\"id\":\"2035\"},{\"id\":\"2036\"},{\"id\":\"2037\"}]},\"id\":\"2039\",\"type\":\"Toolbar\"},{\"attributes\":{\"fill_color\":{\"value\":\"#3288bd\"},\"hatch_color\":{\"value\":\"#3288bd\"},\"line_color\":{\"value\":\"#3288bd\"},\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"2047\",\"type\":\"Scatter\"},{\"attributes\":{},\"id\":\"2090\",\"type\":\"LinearScale\"},{\"attributes\":{},\"id\":\"2080\",\"type\":\"Selection\"},{\"attributes\":{},\"id\":\"2088\",\"type\":\"DataRange1d\"},{\"attributes\":{},\"id\":\"2035\",\"type\":\"SaveTool\"},{\"attributes\":{},\"id\":\"2037\",\"type\":\"HelpTool\"},{\"attributes\":{},\"id\":\"2059\",\"type\":\"UnionRenderers\"},{\"attributes\":{},\"id\":\"2054\",\"type\":\"BasicTickFormatter\"},{\"attributes\":{\"fill_alpha\":{\"value\":0.1},\"fill_color\":{\"value\":\"#3288bd\"},\"hatch_alpha\":{\"value\":0.1},\"hatch_color\":{\"value\":\"#3288bd\"},\"line_alpha\":{\"value\":0.1},\"line_color\":{\"value\":\"#3288bd\"},\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"2048\",\"type\":\"Scatter\"},{\"attributes\":{\"line_alpha\":0.2,\"line_color\":\"#d53e4f\",\"line_width\":2,\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"2067\",\"type\":\"Line\"},{\"attributes\":{},\"id\":\"2216\",\"type\":\"UnionRenderers\"},{\"attributes\":{\"fill_alpha\":{\"value\":0.2},\"fill_color\":{\"value\":\"#3288bd\"},\"hatch_alpha\":{\"value\":0.2},\"hatch_color\":{\"value\":\"#3288bd\"},\"line_alpha\":{\"value\":0.2},\"line_color\":{\"value\":\"#3288bd\"},\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"2049\",\"type\":\"Scatter\"},{\"attributes\":{\"data\":{\"x\":{\"__ndarray__\":\"ZmZmZmZmEkAzMzMzMzMTQAAAAAAAABRAzczMzMzMFECamZmZmZkVQGZmZmZmZhZAMzMzMzMzF0AAAAAAAAAYQM3MzMzMzBhAmpmZmZmZGUBmZmZmZmYaQDMzMzMzMxtAAAAAAAAAHEDNzMzMzMwcQJqZmZmZmR1AZmZmZmZmHkAzMzMzMzMfQAAAAAAAACBAZmZmZmZmIEDNzMzMzMwgQDMzMzMzMyFAmpmZmZmZIUAAAAAAAAAiQGZmZmZmZiJAzczMzMzMIkAzMzMzMzMjQJqZmZmZmSNAAAAAAAAAJEBmZmZmZmYkQM3MzMzMzCRAMzMzMzMzJUCamZmZmZklQAAAAAAAACZAZmZmZmZmJkDNzMzMzMwmQDMzMzMzMydAmpmZmZmZJ0AAAAAAAAAoQGZmZmZmZihAzczMzMzMKEAzMzMzMzMpQJqZmZmZmSlAAAAAAAAAKkBmZmZmZmYqQM3MzMzMzCpAMzMzMzMzK0CamZmZmZkrQAAAAAAAACxAZmZmZmZmLEDNzMzMzMwsQDMzMzMzMy1AmpmZmZmZLUAAAAAAAAAuQGZmZmZmZi5AzczMzMzMLkAzMzMzMzMvQJqZmZmZmS9AAAAAAAAAMEAzMzMzMzMwQGZmZmZmZjBAmpmZmZmZMEDNzMzMzMwwQAAAAAAAADFAMzMzMzMzMUBmZmZmZmYxQJqZmZmZmTFAzczMzMzMMUAAAAAAAAAyQDMzMzMzMzJAZmZmZmZmMkCamZmZmZkyQM3MzMzMzDJAAAAAAAAAM0AzMzMzMzMzQGZmZmZmZjNAmpmZmZmZM0DNzMzMzMwzQAAAAAAAADRAMzMzMzMzNEBmZmZmZmY0QJqZmZmZmTRAzczMzMzMNEAAAAAAAAA1QDMzMzMzMzVAZmZmZmZmNUCamZmZmZk1QM3MzMzMzDVAAAAAAAAANkAzMzMzMzM2QGZmZmZmZjZAmpmZmZmZNkDNzMzMzMw2QAAAAAAAADdAMzMzMzMzN0BmZmZmZmY3QJqZmZmZmTdAzczMzMzMN0AAAAAAAAA4QDMzMzMzMzhAZmZmZmZmOECamZmZmZk4QM3MzMzMzDhAAAAAAAAAOUAzMzMzMzM5QGZmZmZmZjlAmpmZmZmZOUDNzMzMzMw5QAAAAAAAADpAMzMzMzMzOkBmZmZmZmY6QJqZmZmZmTpAzczMzMzMOkAAAAAAAAA7QDMzMzMzMztAZmZmZmZmO0CamZmZmZk7QM3MzMzMzDtAAAAAAAAAPEAzMzMzMzM8QGZmZmZmZjxAmpmZmZmZPEDNzMzMzMw8QAAAAAAAAD1AMzMzMzMzPUBmZmZmZmY9QJqZmZmZmT1AzczMzMzMPUAAAAAAAAA+QDMzMzMzMz5AZmZmZmZmPkCamZmZmZk+QM3MzMzMzD5AAAAAAAAAP0AzMzMzMzM/QGZmZmZmZj9AmpmZmZmZP0DNzMzMzMw/QAAAAAAAAEBAmpmZmZkZQEAzMzMzMzNAQM3MzMzMTEBAZmZmZmZmQEAAAAAAAIBAQJqZmZmZmUBAMzMzMzOzQEDNzMzMzMxAQGZmZmZm5kBAAAAAAAAAQUCamZmZmRlBQDMzMzMzM0FAzczMzMxMQUBmZmZmZmZBQAAAAAAAgEFAmpmZmZmZQUAzMzMzM7NBQM3MzMzMzEFAZmZmZmbmQUAAAAAAAABCQJqZmZmZGUJAMzMzMzMzQkDNzMzMzExCQGZmZmZmZkJAAAAAAACAQkCamZmZmZlCQDMzMzMzs0JAzczMzMzMQkBmZmZmZuZCQAAAAAAAAENAmpmZmZkZQ0AzMzMzMzNDQM3MzMzMTENAZmZmZmZmQ0AAAAAAAIBDQJqZmZmZmUNAMzMzMzOzQ0DNzMzMzMxDQGZmZmZm5kNAAAAAAAAARECamZmZmRlEQDMzMzMzM0RAzczMzMxMREBmZmZmZmZEQAAAAAAAgERAmpmZmZmZREAzMzMzM7NEQM3MzMzMzERAZmZmZmbmREAAAAAAAABFQJqZmZmZGUVAMzMzMzMzRUDNzMzMzExFQGZmZmZmZkVAAAAAAACARUCamZmZmZlFQDMzMzMzs0VAzczMzMzMRUBmZmZmZuZFQAAAAAAAAEZAmpmZmZkZRkAzMzMzMzNGQM3MzMzMTEZAZmZmZmZmRkAAAAAAAIBGQJqZmZmZmUZAMzMzMzOzRkDNzMzMzMxGQGZmZmZm5kZAAAAAAAAAR0CamZmZmRlHQDMzMzMzM0dAzczMzMxMR0BmZmZmZmZHQAAAAAAAgEdAmpmZmZmZR0AzMzMzM7NHQM3MzMzMzEdAZmZmZmbmR0AAAAAAAABIQJqZmZmZGUhAMzMzMzMzSEDNzMzMzExIQGZmZmZmZkhAAAAAAACASECamZmZmZlIQDMzMzMzs0hAzczMzMzMSEBmZmZmZuZIQAAAAAAAAElAmpmZmZkZSUAzMzMzMzNJQM3MzMzMTElAZmZmZmZmSUAAAAAAAIBJQJqZmZmZmUlAMzMzMzOzSUDNzMzMzMxJQGZmZmZm5klAAAAAAAAASkCamZmZmRlKQDMzMzMzM0pAzczMzMxMSkBmZmZmZmZKQAAAAAAAgEpAmpmZmZmZSkAzMzMzM7NKQM3MzMzMzEpAZmZmZmbmSkAAAAAAAABLQJqZmZmZGUtAMzMzMzMzS0DNzMzMzExLQGZmZmZmZktAAAAAAACAS0CamZmZmZlLQDMzMzMzs0tAzczMzMzMS0BmZmZmZuZLQAAAAAAAAExAmpmZmZkZTEAzMzMzMzNMQM3MzMzMTExAZmZmZmZmTEAAAAAAAIBMQJqZmZmZmUxAMzMzMzOzTEDNzMzMzMxMQGZmZmZm5kxAAAAAAAAATUCamZmZmRlNQDMzMzMzM01AzczMzMxMTUBmZmZmZmZNQAAAAAAAgE1AmpmZmZmZTUAzMzMzM7NNQM3MzMzMzE1AZmZmZmbmTUAAAAAAAABOQJqZmZmZGU5AMzMzMzMzTkDNzMzMzExOQGZmZmZmZk5AAAAAAACATkCamZmZmZlOQDMzMzMzs05AzczMzMzMTkBmZmZmZuZOQAAAAAAAAE9AmpmZmZkZT0AzMzMzMzNPQM3MzMzMTE9AZmZmZmZmT0AAAAAAAIBPQJqZmZmZmU9AMzMzMzOzT0DNzMzMzMxPQGZmZmZm5k9AAAAAAAAAUEDNzMzMzAxQQJqZmZmZGVBAZmZmZmYmUEAzMzMzMzNQQAAAAAAAQFBAzczMzMxMUECamZmZmVlQQGZmZmZmZlBAMzMzMzNzUEAAAAAAAIBQQM3MzMzMjFBAmpmZmZmZUEBmZmZmZqZQQDMzMzMzs1BAAAAAAADAUEDNzMzMzMxQQJqZmZmZ2VBAZmZmZmbmUEAzMzMzM/NQQAAAAAAAAFFAzczMzMwMUUCamZmZmRlRQGZmZmZmJlFAMzMzMzMzUUAAAAAAAEBRQM3MzMzMTFFAmpmZmZlZUUBmZmZmZmZRQDMzMzMzc1FAAAAAAACAUUDNzMzMzIxRQJqZmZmZmVFAZmZmZmamUUAzMzMzM7NRQAAAAAAAwFFAzczMzMzMUUCamZmZmdlRQGZmZmZm5lFAMzMzMzPzUUAAAAAAAABSQM3MzMzMDFJAmpmZmZkZUkBmZmZmZiZSQDMzMzMzM1JAAAAAAABAUkDNzMzMzExSQJqZmZmZWVJAZmZmZmZmUkAzMzMzM3NSQAAAAAAAgFJAzczMzMyMUkCamZmZmZlSQGZmZmZmplJAMzMzMzOzUkAAAAAAAMBSQM3MzMzMzFJAmpmZmZnZUkBmZmZmZuZSQDMzMzMz81JAAAAAAAAAU0DNzMzMzAxTQJqZmZmZGVNAZmZmZmYmU0AzMzMzMzNTQAAAAAAAQFNAzczMzMxMU0CamZmZmVlTQGZmZmZmZlNAMzMzMzNzU0AAAAAAAIBTQM3MzMzMjFNAmpmZmZmZU0BmZmZmZqZTQDMzMzMzs1NAAAAAAADAU0DNzMzMzMxTQJqZmZmZ2VNAZmZmZmbmU0AzMzMzM/NTQAAAAAAAAFRAzczMzMwMVECamZmZmRlUQGZmZmZmJlRAMzMzMzMzVEAAAAAAAEBUQM3MzMzMTFRAmpmZmZlZVEBmZmZmZmZUQDMzMzMzc1RAAAAAAACAVEA=\",\"dtype\":\"float64\",\"order\":\"little\",\"shape\":[388]},\"y\":{\"__ndarray__\":\"vAw6zR4KIED8bNwepSsgQKb5dx9cfyBAs3zhfA8OIUAzMdwUV+UhQNvQKRP5GSNAFbJMfQTMJECETAjSIS4nQJ88Bb01kypA6hJw/jKJL0DT3qY4nIgzQMqvrfmLjjlAwvNupawua0AhxY2esMKJQOYqaq6BaqBAiGSouYlqqkCipLK4cjyqQLgQ0yubCaBAytBS4OejiEA4o1u0uP1oQGDfSYoTNUVAgF38OH6OKEAA2x1GIA0iQABYMj3m1htAgJ3qElNQFkCAzVgzr3USQPDnazDHWQ9AANUnUSE0C0CIgafGeAcIQOr02v+CiAVAnEsO12qDA0AUEGlWJNIBQODELxr9VQBAZLDASNTk/T+Y3H1suw77P3iAQat/0fc/WJweMEec8z/Q93zaj7rqPyChRy+HziPAWG9/XBjfR8CElMYQNmhgwAj3QdW+s2rA3CRo46Z4acDwQFvH4HBcwOAJ5s/udkLAUF9+VkSOFsCcpdW7Tb0FQHzPtCZSiw1AzMIuH4JwE0AQgn4O7R0uQBRzDMxtFE5AWhGrZ3SGaED+MwuGrc95QI7M6ILA34FAAGyJRlCUgkDYpx/hG9aFQA5c53EFCIxAQ5KHS/eKikCIk44JYZB/QOc++8QGeWdAsBB2oacOR0AKZZKW1GwTQFgaD4tCXAZAADhBhkYg8T8wSNcc/zbpv+kl/N65vjXA1HvB9UbpW8BFnY92Mht4wEbPWTV41IrAZpnJ6kPxksDSjyuf9beQwDTabV9YgILAYopU1QSdacDCjcblvVRDwPdQlHAmKF1Ab+VsbIX5e0BTFxEIMmSSQEwBYZc5C6BAQkyEKrpIokDxWYpofQObQBJ7oL1FO4pADzutqg0ocUAsqw/Jxq5QQCh3LhsyUyZAVNgSKd9uIUCqF44IiF0dQGbGhbqlHiJAkIt6NHgzMkDou0BUyAJHQLiFDdGzhFhA9MCLzvURY0BsOnuLDMxkQAD3CorCqF9ATmkl5YpsVUAkaZuxq7VZQBQHWsg6Xm5AI6h75U9hgEBnYsRKxR2KQC1MQcO7qI1A1No1XRrVh0BLLI13l117QL5uJ1Ck6GZAguBDphISTkAd2jde28o0QLbMdtVEbURAyPbHqyRcX0B2AVSjXuB0QKC4pQ0SgoVAO04fRcCqkEAPcKBpzjeTQNjhV0BXiJBACB0/p6zfhUD3jryvn/F5QKs8TL2IWnRArlW7rOh3d0D6WQRVQZR6QNg1c8NrrHhAohfFoTttcUD4/ihsw+FiQKBRzySXP09ARHeX7woBMUDgzim2hNEgwKoIu/Mc9kHAMmNzvmrbUcCx2BJihiJbwHVCY7bg3F/AjqtbXLDPXMCKxXnuCApRwIAkA4R+ygnA0s9BTvi2U0A8J7ojSl5mQJgfJr1HuXFAkRHX8UxadkBOSkgvHKR2QC6P7vhcZXJAb7sjdN1rZ0CAY8cQ6ItUQIB/ny3wEuC/RnPrGfEZTcAzDGXgnv9WwAF9q53HmljA0g3l+Vr8UcDg0z9wA6c1wPjP+h0Fp0JAwPczDQOwVUDgdt6qvBdcQIxeDFHmd1tAvLg4lszkVUAszKJMPAxNQMyhcVmmmkFAYIhJXzikN0CkkSU0Jq42QGD7I+tCoTtAqJy+mBZNQUCImLiK2FxFQDizgQR8tklAqD5pBu2vTkDYtwdXO7xRQPy3EvFOAFNArJUt2SXTUkBEs6Yl5PhQQMyGHOkmcU5AJBP9uRXqTkDUF1jW+VNUQDVrN3Ai3VxAWGtHDxmOZECmu+qetz5sQAMSR2AnqXJABPP/+6m/d0AvTo71Vq98QJsnQZHNF4BAoKGcAA1igEAkrTWa1NJ9QNbiFHdpLnhAqjPXVNPAcUB2aZtYTG9oQEiVAZ6Ou2FAVDsFaZS7XkBibaAnT7RgQCS+/sSusWRAMFM/+soLakBF7eIASgtwQDydalvIanJAz+grQ+Rdc0AvE6Hog2VyQCo5PhN5ZW9Atma5Jb+oZ0BU3gSQR1NfQK4jtspAkVJAYIWZxZpsR0AM39ioiuVGQMR2mbfHyFBACFBwLeYGWUDMvqKra4FgQKYfkO+34mJA9lw5pW/TYkACvW2qnDJgQNi6Tz3ztFdAqCkpt9DzS0B4AHNxJs81QAAZDpLnsfK/gGuRAjOjJsAgOaNe3L4ewIDZ339LcxFAEHIW2sZLNUAwA7Tu9E9EQBpmacWlIk5AglDWPkAfVEA0rFy5Xr5ZQM4VjqpNIGBA0TtMshbKY0COXjYEM51nQJAGQt5sHWtABNAKDYy7bUBoeSMhChBvQAxhUSJcAm9Abq1jT8d5bUDi+Mh5RuFqQJp5vXB62mdAStOwz1AjZUBGMzXWClpjQIbOsFLf0WJA2sU7pUR+Y0CcLGVwo+tkQDL7pVVDrmZAyrBis2rwZ0B+wdCY+jNoQJoD4z6EIWdAyt0cuMsWZUCAscaliUJiQNTiioVFVF5AtivCJQGjWEAbHwOMyApUQNVZwplqwVBAJOSkBQ/xTEBgLLNtlrVJQCw25mVFzUZAqqtU/zGpQ0BAycjN5uk/QFA6b3aP8jhA5IEoaw0cM0AQwiDPx70tQOiCNZ7qWytAAC/V+sR4LUDM6QiLdi8yQExYByRvkTdAsAMgYMJwPkA0gshRpx5DQCgmy5/yZkdA4N0nxFcyTEC0xOPYfn5QQBYRNchZolJA0qQx15ZoVEAomyjxFkxVQPz+Vh1PHlVANJGA/ATIU0B0puDmV29RQIDDNwKCr0xAcN96jpoRRkC4jQW3gzhAQEDJkaS/8TdAoC9Aq3LnM0Cg9Cszfao0QJDWjBEsszlAIITZGNYSQUDQDqkqeAhGQAS21DAoMEtAdCgEBXkCUECu2hzW7AJSQK5ZgavefFNAJJFSKnydVEAk905jKlRVQASnnXrXylVAqDOd4hUGVkAweIlCjiVWQLBxUTFnRVZAHCJvGUNUVkCwNLodgWNWQDBpNr2IalZAGPhIsY5fVkDoqeq1SSZWQLgxOqNO1FVAIFH2YpFRVUCscJYJ6atUQJ4bDBEz3FNAnAjuRhziUkAsBWuevNZRQPCsGTdNt1BA1Ff4tLMOT0BCIiN3GdJMQBaMfqCquEpAaMMwwWhKSUDSu92JnSxIQAS9GRdpu0dATMo3T4z6R0AwrdK+yytJQMBZ5zL4H0tANGUUQSrHTUA8Hvv3JXpQQO5bF8R8W1JAdFhvBiBWVEDQkeRvqlpWQBggQFGfUFhAmEcfNdYPWkCwp+34N5lbQGyZ0EKoulxA3OpVJ0tYXUCUxulTLW5dQBzYGo+v3lxAXMGBjwe4W0D45jtI8Q9aQLB0Hym0CFhA1DA0n0rKVUCwA2gqu35TQKjqY3o6UFFAoIaOr3+5TkBgPLLorE1LQNwDw6BfmUhAEBmrJiiVRkAQC/4Z5TBFQMwZklErSkRAaETsLcLNQ0CwkOU/Sa1DQDwesvlCwkNAiPNm2d77Q0A0v5xlJw5EQOy/R0sGeURAbDe77//bREB0k+LUgzBFQARt7+speUVAMAwzwkapRUC0F/Eze75FQMxeXa84rkVAIFhaxRVxRUDYPY2wBPNEQGDOcUXTS0RAvOQ/CKpvQ0DcTj45XVFCQKBvTFFL/0BAONtIrTMKP0BgIrLSvuY7QLgaVr54uzhAuNzON+WhNUBgN/72XqcyQNA/RA4xXTBAIAwMLH7kLEDg1DGwSykqQCALqBVunihAIIX0V/BBKEBgXk/AIwspQCAEY5Io1SpAwO/o9/HGLUCguChhvZEwQFCjJxgYgDJAsBg2h7WuNEDgpEZukeQ2QMCX8hkFHjlA0Cn4zKg5O0Ag3arLcmI9QED5IrXcTD9AMFU4SxWCQEBgF1yePDtBQFDSLdBj3kFAGEKvz+lbQkD4WXHhULRCQAQfmaKC8kJA5Oo3bzMKQ0Cs7G/a7vhCQMiOx3W3yUJAKC8ptpZ/QkBceCThsiNCQPDYyvERuEFAWFclS3FEQUBoNvJqDM9AQMhX/yQAWkBAEME/l0zXP0Bwjz1hsBk/QOCyZQjYcD5AAC386U3XPUCQc0cZcmo9QOA8ADApEj1AcISgDgfJPEDQQCCZJIg8QAC8J9aVQTxAIOAeOfr8O0AwBpA1u6k7QOC9/AmMOTtAUG7foq6pOkA=\",\"dtype\":\"float64\",\"order\":\"little\",\"shape\":[388]}},\"selected\":{\"id\":\"2080\"},\"selection_policy\":{\"id\":\"2079\"}},\"id\":\"2064\",\"type\":\"ColumnDataSource\"},{\"attributes\":{\"axis\":{\"id\":\"2094\"},\"coordinates\":null,\"grid_line_alpha\":0.25,\"grid_line_color\":\"#E0E0E0\",\"group\":null,\"ticker\":null},\"id\":\"2097\",\"type\":\"Grid\"},{\"attributes\":{\"tools\":[{\"id\":\"2102\"},{\"id\":\"2103\"},{\"id\":\"2104\"},{\"id\":\"2105\"},{\"id\":\"2106\"},{\"id\":\"2107\"}]},\"id\":\"2109\",\"type\":\"Toolbar\"},{\"attributes\":{\"label\":{\"value\":\"Sim\"},\"renderers\":[{\"id\":\"2068\"}]},\"id\":\"2082\",\"type\":\"LegendItem\"},{\"attributes\":{},\"id\":\"2092\",\"type\":\"LinearScale\"},{\"attributes\":{},\"id\":\"2102\",\"type\":\"PanTool\"},{\"attributes\":{\"coordinates\":null,\"data_source\":{\"id\":\"2116\"},\"glyph\":{\"id\":\"2117\"},\"group\":null,\"hover_glyph\":null,\"muted_glyph\":{\"id\":\"2119\"},\"nonselection_glyph\":{\"id\":\"2118\"},\"view\":{\"id\":\"2121\"}},\"id\":\"2120\",\"type\":\"GlyphRenderer\"},{\"attributes\":{\"source\":{\"id\":\"2046\"}},\"id\":\"2051\",\"type\":\"CDSView\"},{\"attributes\":{},\"id\":\"2036\",\"type\":\"ResetTool\"},{\"attributes\":{},\"id\":\"2086\",\"type\":\"DataRange1d\"},{\"attributes\":{\"data\":{\"x\":{\"__ndarray__\":\"ZmZmZmZmEkAzMzMzMzMTQAAAAAAAABRAzczMzMzMFECamZmZmZkVQGZmZmZmZhZAMzMzMzMzF0AAAAAAAAAYQM3MzMzMzBhAmpmZmZmZGUBmZmZmZmYaQDMzMzMzMxtAAAAAAAAAHEDNzMzMzMwcQJqZmZmZmR1AZmZmZmZmHkAzMzMzMzMfQAAAAAAAACBAZmZmZmZmIEDNzMzMzMwgQDMzMzMzMyFAmpmZmZmZIUAAAAAAAAAiQGZmZmZmZiJAzczMzMzMIkAzMzMzMzMjQJqZmZmZmSNAAAAAAAAAJEBmZmZmZmYkQM3MzMzMzCRAMzMzMzMzJUCamZmZmZklQAAAAAAAACZAZmZmZmZmJkDNzMzMzMwmQDMzMzMzMydAmpmZmZmZJ0AAAAAAAAAoQGZmZmZmZihAzczMzMzMKEAzMzMzMzMpQJqZmZmZmSlAAAAAAAAAKkBmZmZmZmYqQM3MzMzMzCpAMzMzMzMzK0CamZmZmZkrQAAAAAAAACxAZmZmZmZmLEDNzMzMzMwsQDMzMzMzMy1AmpmZmZmZLUAAAAAAAAAuQGZmZmZmZi5AzczMzMzMLkAzMzMzMzMvQJqZmZmZmS9AAAAAAAAAMEAzMzMzMzMwQGZmZmZmZjBAmpmZmZmZMEDNzMzMzMwwQAAAAAAAADFAMzMzMzMzMUBmZmZmZmYxQJqZmZmZmTFAzczMzMzMMUAAAAAAAAAyQDMzMzMzMzJAZmZmZmZmMkCamZmZmZkyQM3MzMzMzDJAAAAAAAAAM0AzMzMzMzMzQGZmZmZmZjNAmpmZmZmZM0DNzMzMzMwzQAAAAAAAADRAMzMzMzMzNEBmZmZmZmY0QJqZmZmZmTRAzczMzMzMNEAAAAAAAAA1QDMzMzMzMzVAZmZmZmZmNUCamZmZmZk1QM3MzMzMzDVAAAAAAAAANkAzMzMzMzM2QGZmZmZmZjZAmpmZmZmZNkDNzMzMzMw2QAAAAAAAADdAMzMzMzMzN0BmZmZmZmY3QJqZmZmZmTdAzczMzMzMN0AAAAAAAAA4QDMzMzMzMzhAZmZmZmZmOECamZmZmZk4QM3MzMzMzDhAAAAAAAAAOUAzMzMzMzM5QGZmZmZmZjlAmpmZmZmZOUDNzMzMzMw5QAAAAAAAADpAMzMzMzMzOkBmZmZmZmY6QJqZmZmZmTpAzczMzMzMOkAAAAAAAAA7QDMzMzMzMztAZmZmZmZmO0CamZmZmZk7QM3MzMzMzDtAAAAAAAAAPEAzMzMzMzM8QGZmZmZmZjxAmpmZmZmZPEDNzMzMzMw8QAAAAAAAAD1AMzMzMzMzPUBmZmZmZmY9QJqZmZmZmT1AzczMzMzMPUAAAAAAAAA+QDMzMzMzMz5AZmZmZmZmPkCamZmZmZk+QM3MzMzMzD5AAAAAAAAAP0AzMzMzMzM/QGZmZmZmZj9AmpmZmZmZP0DNzMzMzMw/QAAAAAAAAEBAmpmZmZkZQEAzMzMzMzNAQM3MzMzMTEBAZmZmZmZmQEAAAAAAAIBAQJqZmZmZmUBAMzMzMzOzQEDNzMzMzMxAQGZmZmZm5kBAAAAAAAAAQUCamZmZmRlBQDMzMzMzM0FAzczMzMxMQUBmZmZmZmZBQAAAAAAAgEFAmpmZmZmZQUAzMzMzM7NBQM3MzMzMzEFAZmZmZmbmQUAAAAAAAABCQJqZmZmZGUJAMzMzMzMzQkDNzMzMzExCQGZmZmZmZkJAAAAAAACAQkCamZmZmZlCQDMzMzMzs0JAzczMzMzMQkBmZmZmZuZCQAAAAAAAAENAmpmZmZkZQ0AzMzMzMzNDQM3MzMzMTENAZmZmZmZmQ0AAAAAAAIBDQJqZmZmZmUNAMzMzMzOzQ0DNzMzMzMxDQGZmZmZm5kNAAAAAAAAARECamZmZmRlEQDMzMzMzM0RAzczMzMxMREBmZmZmZmZEQAAAAAAAgERAmpmZmZmZREAzMzMzM7NEQM3MzMzMzERAZmZmZmbmREAAAAAAAABFQJqZmZmZGUVAMzMzMzMzRUDNzMzMzExFQGZmZmZmZkVAAAAAAACARUCamZmZmZlFQDMzMzMzs0VAzczMzMzMRUBmZmZmZuZFQAAAAAAAAEZAmpmZmZkZRkAzMzMzMzNGQM3MzMzMTEZAZmZmZmZmRkAAAAAAAIBGQJqZmZmZmUZAMzMzMzOzRkDNzMzMzMxGQGZmZmZm5kZAAAAAAAAAR0CamZmZmRlHQDMzMzMzM0dAzczMzMxMR0BmZmZmZmZHQAAAAAAAgEdAmpmZmZmZR0AzMzMzM7NHQM3MzMzMzEdAZmZmZmbmR0AAAAAAAABIQJqZmZmZGUhAMzMzMzMzSEDNzMzMzExIQGZmZmZmZkhAAAAAAACASECamZmZmZlIQDMzMzMzs0hAzczMzMzMSEBmZmZmZuZIQAAAAAAAAElAmpmZmZkZSUAzMzMzMzNJQM3MzMzMTElAZmZmZmZmSUAAAAAAAIBJQJqZmZmZmUlAMzMzMzOzSUDNzMzMzMxJQGZmZmZm5klAAAAAAAAASkCamZmZmRlKQDMzMzMzM0pAzczMzMxMSkBmZmZmZmZKQAAAAAAAgEpAmpmZmZmZSkAzMzMzM7NKQM3MzMzMzEpAZmZmZmbmSkAAAAAAAABLQJqZmZmZGUtAMzMzMzMzS0DNzMzMzExLQGZmZmZmZktAAAAAAACAS0CamZmZmZlLQDMzMzMzs0tAzczMzMzMS0BmZmZmZuZLQAAAAAAAAExAmpmZmZkZTEAzMzMzMzNMQM3MzMzMTExAZmZmZmZmTEAAAAAAAIBMQJqZmZmZmUxAMzMzMzOzTEDNzMzMzMxMQGZmZmZm5kxAAAAAAAAATUCamZmZmRlNQDMzMzMzM01AzczMzMxMTUBmZmZmZmZNQAAAAAAAgE1AmpmZmZmZTUAzMzMzM7NNQM3MzMzMzE1AZmZmZmbmTUAAAAAAAABOQJqZmZmZGU5AMzMzMzMzTkDNzMzMzExOQGZmZmZmZk5AAAAAAACATkCamZmZmZlOQDMzMzMzs05AzczMzMzMTkBmZmZmZuZOQAAAAAAAAE9AmpmZmZkZT0AzMzMzMzNPQM3MzMzMTE9AZmZmZmZmT0AAAAAAAIBPQJqZmZmZmU9AMzMzMzOzT0DNzMzMzMxPQGZmZmZm5k9AAAAAAAAAUEDNzMzMzAxQQJqZmZmZGVBAZmZmZmYmUEAzMzMzMzNQQAAAAAAAQFBAzczMzMxMUECamZmZmVlQQGZmZmZmZlBAMzMzMzNzUEAAAAAAAIBQQM3MzMzMjFBAmpmZmZmZUEBmZmZmZqZQQDMzMzMzs1BAAAAAAADAUEDNzMzMzMxQQJqZmZmZ2VBAZmZmZmbmUEAzMzMzM/NQQAAAAAAAAFFAzczMzMwMUUCamZmZmRlRQGZmZmZmJlFAMzMzMzMzUUAAAAAAAEBRQM3MzMzMTFFAmpmZmZlZUUBmZmZmZmZRQDMzMzMzc1FAAAAAAACAUUDNzMzMzIxRQJqZmZmZmVFAZmZmZmamUUAzMzMzM7NRQAAAAAAAwFFAzczMzMzMUUCamZmZmdlRQGZmZmZm5lFAMzMzMzPzUUAAAAAAAABSQM3MzMzMDFJAmpmZmZkZUkBmZmZmZiZSQDMzMzMzM1JAAAAAAABAUkDNzMzMzExSQJqZmZmZWVJAZmZmZmZmUkAzMzMzM3NSQAAAAAAAgFJAzczMzMyMUkCamZmZmZlSQGZmZmZmplJAMzMzMzOzUkAAAAAAAMBSQM3MzMzMzFJAmpmZmZnZUkBmZmZmZuZSQDMzMzMz81JAAAAAAAAAU0DNzMzMzAxTQJqZmZmZGVNAZmZmZmYmU0AzMzMzMzNTQAAAAAAAQFNAzczMzMxMU0CamZmZmVlTQGZmZmZmZlNAMzMzMzNzU0AAAAAAAIBTQM3MzMzMjFNAmpmZmZmZU0BmZmZmZqZTQDMzMzMzs1NAAAAAAADAU0DNzMzMzMxTQJqZmZmZ2VNAZmZmZmbmU0AzMzMzM/NTQAAAAAAAAFRAzczMzMwMVECamZmZmRlUQGZmZmZmJlRAMzMzMzMzVEAAAAAAAEBUQM3MzMzMTFRAmpmZmZlZVEBmZmZmZmZUQDMzMzMzc1RAAAAAAACAVEA=\",\"dtype\":\"float64\",\"order\":\"little\",\"shape\":[388]},\"y\":{\"__ndarray__\":\"hutRuB61akDQzMzMzGxEwPgoXI/CzWFA+Chcj8IVVUAoXI/C9ZhZQMD1KFyPgjZAULgeheuxS0CQwvUoXN9bQBDXo3A96knAmJmZmZlpXMDgehSuRwFSQFyPwvUomHFAcD0K16PwaED//////1uHQFG4HoXrBpxAmpmZmRlSrEAK16NwPUaqQJqZmZmZqqBA2KNwPQpxiUA4MzMzM1NYQKBH4XoU/l5AkML1KFzXYsCQwvUoXM9kQKCZmZmZ6VhAMFyPwvVIVkBQuB6F60FUQGCPwvUoDF1AuB6F61FYaUBQuB6F69FIQJDC9Shcb1JANDMzMzPjZkAA16NwPUo1wOB6FK5HAUHAZmZmZmZ+YMD4KFyPwpVIQADXo3A9CgNAgArXo3A9FsC8HoXrUZhewAzXo3A9WlnA6FG4HoXrVMAUrkfheuxiwGCPwvUoPFzAPArXo3AVZMAA16NwPQoQwICPwvUoXBxAaGZmZmZGQUAArkfhepQjQEAK16NwPRPAuB6F61FYVcDgUbgehStDQEjhehSuv2NA7FG4HoVfcECYmZmZmYl8QML1KFyPUIRAMjMzMzMJiUAqXI/C9dyHQKVwPQrX9YxAZ2ZmZmbgiEDhehSuRzOAQFS4HoXrsWlAoHA9CtdzXkCkcD0K1yNXwFi4HoXrkUlAuB6F61GYT0BI4XoUridJwNDMzMzMTEBAQOF6FK5HREDsUbgehXN1wHsUrkfhNInAhetRuB5Rk8DrUbgehbmSwKRwPQrXRYbAPgrXo3C1c8DoUbgehYtQwEjhehSuJ1pAfBSuR+HKeUB7FK5H4eeQQFK4HoXrYJ1AKFyPwnVYoECQwvUoXJebQByF61G4eo5A+Chcj8KpeEDoUbgehXtRQEjhehSut1tA4KNwPQr3QMDsUbgehTtVQMBRuB6F6xHAAK5H4XoULEBkZmZmZnZQQKBwPQrXY1BASOF6FK4nZ0A8CtejcO1tQITrUbgeHWFAVLgeheuxZkCI61G4HiVdQKRwPQrX22BAkML1KFwXg0CG61G4HuGLQIbrUbgeMY9ANDMzMzMxjEBdj8L1KMSCQHoUrkfhWnNAehSuR+EKYUAAKVyPwvUZQEjhehSuB0lAAAAAAAC4ZkCOwvUoXLd6QOB6FK5H/YhAPgrXo3AikkApXI/C9VSTQF2PwvUoyJFAo3A9CtcpikBwPQrXo26BQArXo3A9jnxAVLgeheuJekDkehSuRwF9QMD1KFyPmn1AzMzMzMwEd0BkZmZmZupxQAzXo3A9CmNACNejcD3aUUBYuB6F6zFPQJDrUbgexTHAQArXo3C9S0B4PQrXo5BCwEAzMzMzsyTA/P////9/UcDAzMzMzMwewJDC9Shcv1ZAKFyPwvVQY0Bcj8L1KLhxQGZmZmZm1nlAmpmZmZldf0CuR+F6FDJ6QJDC9Shct3ZAAQAAAAAccUBgj8L1KNxXQHA9CtejUFRAIIXrUbheTcDAcD0K16MhwIAUrkfhehbAcD0K16OwSMDQo3A9CtdKQFyPwvUoDGBA8FG4HoXLV0A0MzMzMztnQIzC9Shcj2hASOF6FK7nXkAI16NwPQpnQEAK16NwbVVAoHA9CtfjOkBwPQrXo1BFQPz/////f1BAwPUoXI/CSEA8CtejcL1QQEjhehSuN1pA6FG4HoWrWEDQo3A9CpdQQLgehetROFNANDMzMzPTYUBwPQrXowBeQDgK16NwrVdAKFyPwvW4YUAWrkfhehxjQBKuR+F6TGVAaGZmZmZGb0BI4XoUrrtxQPYoXI/C8XZAzszMzMygfUCkcD0K10WBQIbrUbgeNYJAUbgeheuJgkA+CtejcLuBQEjhehSuv3tARuF6FK5Pd0AAAAAAABBpQChcj8L1IGhA9Chcj8L1Y0BI4XoUrq9nQAAAAAAAzHBAPgrXo3AJdUDqUbgehRt0QJqZmZmZ1XVAUrgehet1dkDsUbgehQd1QJDC9Shcl3VA+Chcj8JVbUAghetRuJ5lQPz/////n1xALFyPwvWoVEBwPQrXo/BOQJiZmZmZYWFA7FG4HoXzY0BwPQrXo6BjQDwK16NwrWpAjML1KFw3aECE61G4HrVpQFC4HoXrsVlAAAAAAAAAU0DwUbgehWtEQKCZmZmZ2URAEK5H4XqUPEBwPQrXo3BDQFC4HoXrcU5ApHA9CtfjVkDco3A9CideQML1KFyPImFAAAAAAAD4YUCwR+F6FG5lQArXo3A9Om5A6lG4HoVTcEDiehSuR61xQBauR+F6+HZASOF6FK7HdEA8CtejcPlzQKRwPQrXG3ZAth6F61HccEBwPQrXo/hyQNijcD0K12dAzMzMzMxsakDE9Shcj2JsQNijcD0Kz25AzMzMzMxkbkCuR+F6FAJxQDQzMzMzE3NAZmZmZmYeckAehetRuOpxQEjhehSuE3BAaGZmZmaebkBoZmZmZn5rQD4K16NwFWhAwvUoXI+ya0AAAAAAAPBdQPYoXI/CPWJApHA9CtdzV0BwPQrXo5BlQNDMzMzMrFdAAAAAAAAQV0BYj8L1KHxKQLgehetReEJAuB6F61G4SECE61G4HlVaQPgoXI/ClU5AaGZmZmYmSEAI16NwPapNQAzXo3A9ylJA+Chcj8K1WkBACtejcN1aQGhmZmZmbmJAVLgehesRXEBSuB6F63FmQFyPwvUoHGNAIIXrUbieYkB8FK5H4ZJlQLgehetRoGZAoJmZmZnpWUBYj8L1KBxTQJiZmZmZSVdAMArXo3AdTUDgehSuR1FWQNDMzMzMLEhAiOtRuB71UEAAAAAAALBUQCCF61G4flhAsEfhehQeWUBsPQrXo4BXQKhwPQrXA1BA9Chcj8ItZUCOwvUoXPdkQOxRuB6F02FAwvUoXI+KY0ByPQrXo9BkQOxRuB6Fe2NA9Chcj8LFZEBQuB6F63FlQMD1KFyP6mRArEfhehQWYEA4CtejcN1fQFC4HoXr+WNA+Chcj8K1XUCwR+F6FI5bQPBRuB6FO1pAeBSuR+F6XECQwvUoXI9aQHA9CtejeGNAxPUoXI/KZEDsUbgehYNiQK5H4XoUdmRAkML1KFxPV0DE9Shcj9JXQFS4HoXrQVJAfBSuR+FKW0B6FK5H4VJgQBiuR+F6hFVA7FG4HoV7V0AchetRuI5SQFS4HoXrgVdAhutRuB5VYUD+//////9kQNSjcD0K52FANDMzMzPTZ0AwMzMzM9NqQLgehetR4GtAfBSuR+E6a0BQuB6F6/FqQMzMzMzM5GpAsEfhehSeaEAAAAAAAABvQJDC9ShcX2lANDMzMzOTZEBACtejcD1mQMT1KFyPWmNAAAAAAABgX0DsUbgehZNoQMD1KFyPol5A+Chcj8L1W0CYmZmZmZlaQJqZmZmZwWBAmJmZmZkhYED0KFyPwmVTQBDXo3A9akpAkML1KFwPUUDgehSuR4FXQLwehetR6FpA4HoUrkcBSkD2KFyPwv1gQFC4HoXr0VVAQOF6FK7nQUDoUbgehftbQGCPwvUoTFxAMDMzMzPzS0CkcD0K1/tiQKhH4XoUfllAcD0K16PAXkDoUbgehXtXQCCF61G4/lxAuB6F61GIWEBgj8L1KFxbQFi4HoXr4VZA9Chcj8J9YEBgZmZmZoZMQDgK16NwPVZA4HoUrkdhOEBAj8L1KFw5QMCjcD0KlzZAoHA9CtfDREAAAAAAAKBHQNDMzMzM7EZAsEfhehRuRUDA9ShcjwJFQBCuR+F6BFZAcD0K16OwRUAwCtejcH1NQEjhehSu511AcBSuR+G6TUAQrkfhejRIQIDrUbgeZUpAgOtRuB6lXEC4HoXrUahSQEAK16NwPUBA9Chcj8I9YED2KFyPwgViQEAzMzMzE0BAgBSuR+F6RUCsR+F6FAZkQAAAAAAAeGZAaGZmZmaWYUD2KFyPwgVjQMD1KFyPwlZA7FG4HoWjYECYmZmZmdlXQBiuR+F69FJAOArXo3CtV0CQwvUoXN9SQMzMzMzMxGBAENejcD0qSkBQuB6F6+FVQEAK16NwHWFAmJmZmZm5V0BoZmZmZgZVQAA+CtejcPm/QOF6FK5nTUAYhetRuL5WQAjXo3A9CldAkJmZmZnZQ0CcmZmZmfliQMDMzMzMzEZAQArXo3CtVkA=\",\"dtype\":\"float64\",\"order\":\"little\",\"shape\":[388]}},\"selected\":{\"id\":\"2060\"},\"selection_policy\":{\"id\":\"2059\"}},\"id\":\"2046\",\"type\":\"ColumnDataSource\"},{\"attributes\":{},\"id\":\"2103\",\"type\":\"WheelZoomTool\"},{\"attributes\":{},\"id\":\"2060\",\"type\":\"Selection\"},{\"attributes\":{},\"id\":\"2055\",\"type\":\"AllLabels\"},{\"attributes\":{},\"id\":\"2107\",\"type\":\"HelpTool\"},{\"attributes\":{\"axis\":{\"id\":\"2024\"},\"coordinates\":null,\"grid_line_alpha\":0.25,\"grid_line_color\":\"#E0E0E0\",\"group\":null,\"ticker\":null},\"id\":\"2027\",\"type\":\"Grid\"},{\"attributes\":{},\"id\":\"2206\",\"type\":\"BasicTickFormatter\"},{\"attributes\":{\"bottom_units\":\"screen\",\"coordinates\":null,\"fill_alpha\":0.5,\"fill_color\":\"lightgrey\",\"group\":null,\"left_units\":\"screen\",\"level\":\"overlay\",\"line_alpha\":1.0,\"line_color\":\"black\",\"line_dash\":[4,4],\"line_width\":2,\"right_units\":\"screen\",\"syncable\":false,\"top_units\":\"screen\"},\"id\":\"2038\",\"type\":\"BoxAnnotation\"},{\"attributes\":{\"line_alpha\":0.1,\"line_color\":\"#99d594\",\"line_width\":2,\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"2118\",\"type\":\"Line\"},{\"attributes\":{\"data\":{\"x\":{\"__ndarray__\":\"ZmZmZmZmEkAzMzMzMzMTQAAAAAAAABRAzczMzMzMFECamZmZmZkVQGZmZmZmZhZAMzMzMzMzF0AAAAAAAAAYQM3MzMzMzBhAmpmZmZmZGUBmZmZmZmYaQDMzMzMzMxtAAAAAAAAAHEDNzMzMzMwcQJqZmZmZmR1AZmZmZmZmHkAzMzMzMzMfQAAAAAAAACBAZmZmZmZmIEDNzMzMzMwgQDMzMzMzMyFAmpmZmZmZIUAAAAAAAAAiQGZmZmZmZiJAzczMzMzMIkAzMzMzMzMjQJqZmZmZmSNAAAAAAAAAJEBmZmZmZmYkQM3MzMzMzCRAMzMzMzMzJUCamZmZmZklQAAAAAAAACZAZmZmZmZmJkDNzMzMzMwmQDMzMzMzMydAmpmZmZmZJ0AAAAAAAAAoQGZmZmZmZihAzczMzMzMKEAzMzMzMzMpQJqZmZmZmSlAAAAAAAAAKkBmZmZmZmYqQM3MzMzMzCpAMzMzMzMzK0CamZmZmZkrQAAAAAAAACxAZmZmZmZmLEDNzMzMzMwsQDMzMzMzMy1AmpmZmZmZLUAAAAAAAAAuQGZmZmZmZi5AzczMzMzMLkAzMzMzMzMvQJqZmZmZmS9AAAAAAAAAMEAzMzMzMzMwQGZmZmZmZjBAmpmZmZmZMEDNzMzMzMwwQAAAAAAAADFAMzMzMzMzMUBmZmZmZmYxQJqZmZmZmTFAzczMzMzMMUAAAAAAAAAyQDMzMzMzMzJAZmZmZmZmMkCamZmZmZkyQM3MzMzMzDJAAAAAAAAAM0AzMzMzMzMzQGZmZmZmZjNAmpmZmZmZM0DNzMzMzMwzQAAAAAAAADRAMzMzMzMzNEBmZmZmZmY0QJqZmZmZmTRAzczMzMzMNEAAAAAAAAA1QDMzMzMzMzVAZmZmZmZmNUCamZmZmZk1QM3MzMzMzDVAAAAAAAAANkAzMzMzMzM2QGZmZmZmZjZAmpmZmZmZNkDNzMzMzMw2QAAAAAAAADdAMzMzMzMzN0BmZmZmZmY3QJqZmZmZmTdAzczMzMzMN0AAAAAAAAA4QDMzMzMzMzhAZmZmZmZmOECamZmZmZk4QM3MzMzMzDhAAAAAAAAAOUAzMzMzMzM5QGZmZmZmZjlAmpmZmZmZOUDNzMzMzMw5QAAAAAAAADpAMzMzMzMzOkBmZmZmZmY6QJqZmZmZmTpAzczMzMzMOkAAAAAAAAA7QDMzMzMzMztAZmZmZmZmO0CamZmZmZk7QM3MzMzMzDtAAAAAAAAAPEAzMzMzMzM8QGZmZmZmZjxAmpmZmZmZPEDNzMzMzMw8QAAAAAAAAD1AMzMzMzMzPUBmZmZmZmY9QJqZmZmZmT1AzczMzMzMPUAAAAAAAAA+QDMzMzMzMz5AZmZmZmZmPkCamZmZmZk+QM3MzMzMzD5AAAAAAAAAP0AzMzMzMzM/QGZmZmZmZj9AmpmZmZmZP0DNzMzMzMw/QAAAAAAAAEBAmpmZmZkZQEAzMzMzMzNAQM3MzMzMTEBAZmZmZmZmQEAAAAAAAIBAQJqZmZmZmUBAMzMzMzOzQEDNzMzMzMxAQGZmZmZm5kBAAAAAAAAAQUCamZmZmRlBQDMzMzMzM0FAzczMzMxMQUBmZmZmZmZBQAAAAAAAgEFAmpmZmZmZQUAzMzMzM7NBQM3MzMzMzEFAZmZmZmbmQUAAAAAAAABCQJqZmZmZGUJAMzMzMzMzQkDNzMzMzExCQGZmZmZmZkJAAAAAAACAQkCamZmZmZlCQDMzMzMzs0JAzczMzMzMQkBmZmZmZuZCQAAAAAAAAENAmpmZmZkZQ0AzMzMzMzNDQM3MzMzMTENAZmZmZmZmQ0AAAAAAAIBDQJqZmZmZmUNAMzMzMzOzQ0DNzMzMzMxDQGZmZmZm5kNAAAAAAAAARECamZmZmRlEQDMzMzMzM0RAzczMzMxMREBmZmZmZmZEQAAAAAAAgERAmpmZmZmZREAzMzMzM7NEQM3MzMzMzERAZmZmZmbmREAAAAAAAABFQJqZmZmZGUVAMzMzMzMzRUDNzMzMzExFQGZmZmZmZkVAAAAAAACARUCamZmZmZlFQDMzMzMzs0VAzczMzMzMRUBmZmZmZuZFQAAAAAAAAEZAmpmZmZkZRkAzMzMzMzNGQM3MzMzMTEZAZmZmZmZmRkAAAAAAAIBGQJqZmZmZmUZAMzMzMzOzRkDNzMzMzMxGQGZmZmZm5kZAAAAAAAAAR0CamZmZmRlHQDMzMzMzM0dAzczMzMxMR0BmZmZmZmZHQAAAAAAAgEdAmpmZmZmZR0AzMzMzM7NHQM3MzMzMzEdAZmZmZmbmR0AAAAAAAABIQJqZmZmZGUhAMzMzMzMzSEDNzMzMzExIQGZmZmZmZkhAAAAAAACASECamZmZmZlIQDMzMzMzs0hAzczMzMzMSEBmZmZmZuZIQAAAAAAAAElAmpmZmZkZSUAzMzMzMzNJQM3MzMzMTElAZmZmZmZmSUAAAAAAAIBJQJqZmZmZmUlAMzMzMzOzSUDNzMzMzMxJQGZmZmZm5klAAAAAAAAASkCamZmZmRlKQDMzMzMzM0pAzczMzMxMSkBmZmZmZmZKQAAAAAAAgEpAmpmZmZmZSkAzMzMzM7NKQM3MzMzMzEpAZmZmZmbmSkAAAAAAAABLQJqZmZmZGUtAMzMzMzMzS0DNzMzMzExLQGZmZmZmZktAAAAAAACAS0CamZmZmZlLQDMzMzMzs0tAzczMzMzMS0BmZmZmZuZLQAAAAAAAAExAmpmZmZkZTEAzMzMzMzNMQM3MzMzMTExAZmZmZmZmTEAAAAAAAIBMQJqZmZmZmUxAMzMzMzOzTEDNzMzMzMxMQGZmZmZm5kxAAAAAAAAATUCamZmZmRlNQDMzMzMzM01AzczMzMxMTUBmZmZmZmZNQAAAAAAAgE1AmpmZmZmZTUAzMzMzM7NNQM3MzMzMzE1AZmZmZmbmTUAAAAAAAABOQJqZmZmZGU5AMzMzMzMzTkDNzMzMzExOQGZmZmZmZk5AAAAAAACATkCamZmZmZlOQDMzMzMzs05AzczMzMzMTkBmZmZmZuZOQAAAAAAAAE9AmpmZmZkZT0AzMzMzMzNPQM3MzMzMTE9AZmZmZmZmT0AAAAAAAIBPQJqZmZmZmU9AMzMzMzOzT0DNzMzMzMxPQGZmZmZm5k9AAAAAAAAAUEDNzMzMzAxQQJqZmZmZGVBAZmZmZmYmUEAzMzMzMzNQQAAAAAAAQFBAzczMzMxMUECamZmZmVlQQGZmZmZmZlBAMzMzMzNzUEAAAAAAAIBQQM3MzMzMjFBAmpmZmZmZUEBmZmZmZqZQQDMzMzMzs1BAAAAAAADAUEDNzMzMzMxQQJqZmZmZ2VBAZmZmZmbmUEAzMzMzM/NQQAAAAAAAAFFAzczMzMwMUUCamZmZmRlRQGZmZmZmJlFAMzMzMzMzUUAAAAAAAEBRQM3MzMzMTFFAmpmZmZlZUUBmZmZmZmZRQDMzMzMzc1FAAAAAAACAUUDNzMzMzIxRQJqZmZmZmVFAZmZmZmamUUAzMzMzM7NRQAAAAAAAwFFAzczMzMzMUUCamZmZmdlRQGZmZmZm5lFAMzMzMzPzUUAAAAAAAABSQM3MzMzMDFJAmpmZmZkZUkBmZmZmZiZSQDMzMzMzM1JAAAAAAABAUkDNzMzMzExSQJqZmZmZWVJAZmZmZmZmUkAzMzMzM3NSQAAAAAAAgFJAzczMzMyMUkCamZmZmZlSQGZmZmZmplJAMzMzMzOzUkAAAAAAAMBSQM3MzMzMzFJAmpmZmZnZUkBmZmZmZuZSQDMzMzMz81JAAAAAAAAAU0DNzMzMzAxTQJqZmZmZGVNAZmZmZmYmU0AzMzMzMzNTQAAAAAAAQFNAzczMzMxMU0CamZmZmVlTQGZmZmZmZlNAMzMzMzNzU0AAAAAAAIBTQM3MzMzMjFNAmpmZmZmZU0BmZmZmZqZTQDMzMzMzs1NAAAAAAADAU0DNzMzMzMxTQJqZmZmZ2VNAZmZmZmbmU0AzMzMzM/NTQAAAAAAAAFRAzczMzMwMVECamZmZmRlUQGZmZmZmJlRAMzMzMzMzVEAAAAAAAEBUQM3MzMzMTFRAmpmZmZlZVEBmZmZmZmZUQDMzMzMzc1RAAAAAAACAVEA=\",\"dtype\":\"float64\",\"order\":\"little\",\"shape\":[388]},\"y\":{\"__ndarray__\":\"ukp+y3y0aUAP6IMUtndIwF6pZM3MxWBAYvm/nwD0UkAC1vPfSlxXQKUaKKUl6ylAy4vLZep+RkAAubTul/lYQByT8m+FR1DA+82z/F8tYMBWhtU/QT5KQL9oT2yA/m9AkLIlc0bwMcAQKW70hDVTwOx11l5fOHPAIFET//14bkAA0GTib5UTQEAc0bjNH1RAwGG6o0ukOUA4E4Q1PqhZwPBXvLWKY1RAaIiFDERgZMDg5JMkiq5jQCB0xjUrLFdAWLJgkfDjVEB4K+mRkBpTQCAwP7xaEVxAZH9AZoHraEA4QLT4c1FHQOnq9hAYw1FABvrWhyWVZkAC+XD7gYQ3wC53t3+nBkLAx+f3DjC6YMATOvizTL1HQBBbDGz2hew/lrHeb4IkG8CsGDoLx81ewOjiuops4FbAeDTx4PH3QcCAzAiEJiI0wLBewbRUK1lAgGpE/tiMRUCAA1HwPHBbQNBbnu5zAkZAUjI28S4YREAyiaTkTkocQP+4mNuMASHA5Qp4DVqPVsC4YjG2E0g3QAaJ70IldVhA/CSLqytxUEDQLHOcYM9FQKBJAcp2hlNAyBynsovTaUCQon0LzzZQQOCSwgozuj1AwL0SUg6pSsBAR0xTysUqQGjLGwEmxzFASGiCOYPsUkD1lqZTpFpYwLLGbVwnLEhA+BRTt08PT0AnhAcY0sJIwMTfSrwpLEtAOnb//44GY0DIWrq+aj1FQLCsu9pu+UlAwIcUYrP2N8DIEGb8ewxgwICzfFb1K17ANBSz5LibW8AcLFSvmIQ7wHh9y+DCAyjAmIf2JSF1QcCALTAGDMVXwDBSGk09rGXAoAFPf0YEb8DgE20N2HtCQCgoLFHK/WBApLe7ktMGXkCA1xS1ypcJQGMSFdFH7VhA9Vm1B8JSRcBxcC+erGVTQEbv4UloFCvAQNJaD+ukEMDAIRjxCNQzQDAqoI25QUDAUIG8F+FWQECgn7cwyEJSQEAAxzTXiyRAWgcYJUz3V0AgE7Q1mHsrQOAsOXzHBFvAaNPQG2KwVUDwkdjYljVMQJD1CVEvhkhAgGH1V2NwYUDe5O/ndFVkQGx0aX48ml9Aszg6PLkMU0C6n8F01ZoswEhSEPykaSJAcBJwqLYnTEBgBIcW9ltXQAASdgOt2VtAMMB76wV7V0AAGuzuWCcdQFDYqlYb/VNAbE75i6koYUDS16/8T9dhQL40r2ZpZ2BAMBUbwxaQSEBQB4HIMmhDQKD/1mKOuFNAqNQerEReVkDQzaNgCfNgQEgF4E6vdFZAbvJ7afUzS0AIllRZJrNRQMQlJC8bJzJAUuheECO6X0D1uY12NNpRQA3c/E96Rl1AJFe3uGCfRkB88VlDeDpOQLTbFR2wjVdAfujcNvPqUkD47pWPDyRaQJyNgFI9OmBAEhCFT5kGYkAA68dcwm9MQIjNHMD8R1FAJom4F0WYVUAAX9knB4IqQG98ZbfJcFRAgHYEAM4x4b8bXh3/I8tUQLmbMIkZM1dAaLx/OSSQNkDgRsj6RdVSQLy2h1zPxFZAgNEijBDcIECI74e7qV5SQIwm3wDSplVAGFGE/MIFQkD6R/a6XI5fQLRyPO46QElAAEKfV/X8CUA86e55IfMzQEgCbopeL0NAYGSpDePVLUDg9+p5ETw4QFgPdCTguEpAKGUHNx2nQkCAQHGZEVMSwABeMzl9Aew/vNA4jUDTUEBYFMdifw9KQKSNkV666UBAvi4gqOD8U0BYRDfs++RRQN7hr6Smd0tAIPY9rppwVUCoGywokuJMQMxbVLxsIlFAKGczQ4uEV0BkTLJ7XHFXQFgfhjiJ6lBAiLUQJPQ+UUBgneG1MpBWQJDzL+skikxAcLaO/mo7VkBA0ZLsdBYUQIAbN5KclUlAKC1ma+FfQkCYz2mze+1LQLiDAnaizFlATMFuTRYHYECUklV37EBQQPDid/GJVktAGHyWDzrASEDo9bmwCRBFQOyXWn1+kldACAmLpg20RkDYV6QnUtRHQJy4k2p+HURA+DKFv1DlQUDIvGJcMhYwQGy8mXtr+lFAoKcAIEjATUAg9Ttbwfk4QFiqG9HiKk9AWJbxDrKPRUAEXcgbBAVTQIDX73yEzx9AsKytkV4YNEBoo/3L4wczQGgKKtYob0VA6DFIMQrzQ0CUpN5if0hHQCC9IhWCQ0xAINS3U+WQUUBEohbGD/9TQHc4ndXLM1NA/F5Tgn+hT0As42U8yh1RQHiCK4zfM1xABtBIFue5WUBsLuWvuHpXQJxVTeSI02JAGOXVN6CnV0AgNhVNrsVRQHgAU+SjalpA+D+aHnL7QED8A5doAiBWQAAQrmaagbu/COZv9O8lRUD8hOcLCRFSQKSqf9VV+ldA5A0iTxDNVUCAxboKCzFaQGzWgCFG8F5ABDjUMsSYWEB8kQwW7EJXQOx9JdSvC1JAPBGTXDUPU0DQaT+BuXdSQKgxI8Kb1lFAzr+Pkh3CXkDKwfnnbspDQBf49YQaulNAJP3VDp/2QUCw5Dp3fEZeQHRjszNUjEhAVlSrAM52SkBwVbwdaw41QEAGNsEo/CdAjLvha5ZUPkBC022+ZZ1WQD7IzufHvkdAqBqxJzXIQEAiYh8rgpJEQPIBRE/Dy0lADChU95EZU0AmyfL6HE5RQLw553xTKVlAyJIVRn/xS0Dwq1kxWGVcQKINUCP4lVNAbmWlzNnUUEDQjTOeq9lVQHQ+s7lUIlhAsCFkdFKGOEBAjh7uEM0aQLBv+zCx40FAAKtwVVgvLEAIaCOlC2pMQGDQB/XZZzhAQL8DG4T2R0CwBWpmwQpPQHxPiE3tEVJAoIV0bqmUUEAIbGuDz/hIQDCtmI4XXiNAdCm0GQxZWkBuqs57y+tXQCpK75ErKlBAYFr/jaJ3UkDAg8VKHU1UQNT80sIyLFFAQB4bPG+FU0Bw+LPHSL5UQNB5AIe3j1NAeNqmuMuvQ0AQqzkM3/NCQHAHB01OiVFAgMNMeM9YPUAgd9oTK581QOCA+O3ZnDFAYA3fkj+lPECQR319zI03QEJfCJ0UFVNA7OJjcQKzVkCsngWfTTBTQGziqL7bNFhAmFrmOQkgP0BGyS5BBdNCQCTJfdNYljNAkGUrzllLTUALS23Kc49UQCyfdauMTUNAjNk47n38RkAQugjKSeM3QOgWVtfe40NAcqQZUKjGU0DA4QQI2oVZQLrrybaXclFA9A33X0ZQW0CQ1IH2u0tfQFgdyoUEcF9AYOE8WuxlXEDwyE8Rn0paQCwAyVbxDllAhKRszt3jU0C2HAtW6UhgQASt0MII4FVAGErJrb3cSkCILXL/72pSQLDtZB7VWE1AWJ6XwWorQ0AooAgTT6hdQDAWisOppEpAUMspbwUySUDQ9oBKhuVJQEax0WKDNlVAqKbdH5/4VEDYRroEoJpBQBD1RnxIgChAcIH+R+yhPEAQZUMcRlVLQJ4PrG4wB1FAYB22UqMVKEBS8ulrcfRXQLSw9b7QKkdAYLEC2o6iF8AuCEc0Q2NRQN7Yyv+Tj1FAAJwAxLEnKUBuVYJ6cBhbQIQwZUbwTU1AYBFd9BgIVED4ZeOMBQRKQPCdMq/O2FJAtFjKzvmgTUDyZyNZejNSQBAB8biLxExAGhtmM/g4WUBgqhr6DSY9QIqDQXSSDlBAQPEsshP7BUCAXxH7J9MaQMCPsbxk5xhAMNt0/m4VO0DIivMTrRVBQAjKYkcxxUBA0EzIyTC7PkBQPCrYjH89QIxN+87VqVJAAAMgss59PEDgrULzkTRFQHT4cA6oR1lAGAgThIZjQ0BAt0hUZIQ5QEA/sVY4rDtADOEThbTWVUDgzjRxap9GQAC0sShJ4PI/UCcceXo6WEA8RorP5m1bQADxqc8JswzAQJP2v7v3GEBc4gmFALJeQD+4WVdfu2FAXtcwFbOnWUCWW4CxDY9cQLhcikJnu0pARAxc4j4HWEDUug5SgI9NQECDxNDjMERAGL2I/G8WTkC4Tvnmq+9EQLTtGYeZXFlAEO0HSi59NEDoqJ7Z/jZMQMinlEWrnlpAWI4aH8ZDUEAIEynAk1dLQMDgcG0zqT7AED5VGlUGPkDI6UZXXjlPQBDQM/av809AAKYo9HFsJ0CsMc9lxAhfQKDbnI8NYDJArC4f+wQDUEA=\",\"dtype\":\"float64\",\"order\":\"little\",\"shape\":[388]}},\"selected\":{\"id\":\"2217\"},\"selection_policy\":{\"id\":\"2216\"}},\"id\":\"2116\",\"type\":\"ColumnDataSource\"},{\"attributes\":{\"axis\":{\"id\":\"2098\"},\"coordinates\":null,\"dimension\":1,\"grid_line_alpha\":0.25,\"grid_line_color\":\"#E0E0E0\",\"group\":null,\"ticker\":null},\"id\":\"2101\",\"type\":\"Grid\"},{\"attributes\":{},\"id\":\"2020\",\"type\":\"LinearScale\"},{\"attributes\":{\"axis_label\":\"2theta\",\"axis_label_standoff\":10,\"axis_label_text_color\":\"#E0E0E0\",\"axis_label_text_font\":\"Helvetica\",\"axis_label_text_font_size\":\"1.25em\",\"axis_label_text_font_style\":\"normal\",\"axis_line_alpha\":0,\"axis_line_color\":\"#E0E0E0\",\"coordinates\":null,\"formatter\":{\"id\":\"2209\"},\"group\":null,\"major_label_policy\":{\"id\":\"2210\"},\"major_label_text_color\":\"#E0E0E0\",\"major_label_text_font\":\"Helvetica\",\"major_label_text_font_size\":\"1.025em\",\"major_tick_line_alpha\":0,\"major_tick_line_color\":\"#E0E0E0\",\"minor_tick_line_alpha\":0,\"minor_tick_line_color\":\"#E0E0E0\",\"ticker\":{\"id\":\"2095\"}},\"id\":\"2094\",\"type\":\"LinearAxis\"},{\"attributes\":{\"label\":{\"value\":\"U - D\"},\"renderers\":[{\"id\":\"2050\"}]},\"id\":\"2063\",\"type\":\"LegendItem\"},{\"attributes\":{\"line_alpha\":0.1,\"line_color\":\"#d53e4f\",\"line_width\":2,\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"2066\",\"type\":\"Line\"},{\"attributes\":{\"bottom_units\":\"screen\",\"coordinates\":null,\"fill_alpha\":0.5,\"fill_color\":\"lightgrey\",\"group\":null,\"left_units\":\"screen\",\"level\":\"overlay\",\"line_alpha\":1.0,\"line_color\":\"black\",\"line_dash\":[4,4],\"line_width\":2,\"right_units\":\"screen\",\"syncable\":false,\"top_units\":\"screen\"},\"id\":\"2108\",\"type\":\"BoxAnnotation\"},{\"attributes\":{},\"id\":\"2033\",\"type\":\"WheelZoomTool\"},{\"attributes\":{},\"id\":\"2217\",\"type\":\"Selection\"},{\"attributes\":{\"line_alpha\":0.2,\"line_color\":\"#99d594\",\"line_width\":2,\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"2119\",\"type\":\"Line\"},{\"attributes\":{\"background_fill_color\":\"#3f3f3f\",\"below\":[{\"id\":\"2024\"}],\"border_fill_color\":\"#2f2f2f\",\"center\":[{\"id\":\"2027\"},{\"id\":\"2031\"},{\"id\":\"2062\"}],\"height\":300,\"left\":[{\"id\":\"2028\"}],\"min_border\":0,\"outline_line_alpha\":0.25,\"outline_line_color\":\"#E0E0E0\",\"renderers\":[{\"id\":\"2050\"},{\"id\":\"2068\"}],\"title\":{\"id\":\"2014\"},\"toolbar\":{\"id\":\"2039\"},\"width\":990,\"x_range\":{\"id\":\"2016\"},\"x_scale\":{\"id\":\"2020\"},\"y_range\":{\"id\":\"2018\"},\"y_scale\":{\"id\":\"2022\"}},\"id\":\"2013\",\"subtype\":\"Figure\",\"type\":\"Plot\"},{\"attributes\":{},\"id\":\"2058\",\"type\":\"AllLabels\"},{\"attributes\":{\"line_color\":\"#99d594\",\"line_width\":2,\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"2117\",\"type\":\"Line\"},{\"attributes\":{},\"id\":\"2095\",\"type\":\"BasicTicker\"},{\"attributes\":{},\"id\":\"2106\",\"type\":\"ResetTool\"},{\"attributes\":{\"coordinates\":null,\"data_source\":{\"id\":\"2046\"},\"glyph\":{\"id\":\"2047\"},\"group\":null,\"hover_glyph\":null,\"muted_glyph\":{\"id\":\"2049\"},\"nonselection_glyph\":{\"id\":\"2048\"},\"view\":{\"id\":\"2051\"}},\"id\":\"2050\",\"type\":\"GlyphRenderer\"},{\"attributes\":{\"axis_label\":\"Intensity\",\"axis_label_standoff\":10,\"axis_label_text_color\":\"#E0E0E0\",\"axis_label_text_font\":\"Helvetica\",\"axis_label_text_font_size\":\"1.25em\",\"axis_label_text_font_style\":\"normal\",\"axis_line_alpha\":0,\"axis_line_color\":\"#E0E0E0\",\"coordinates\":null,\"formatter\":{\"id\":\"2054\"},\"group\":null,\"major_label_policy\":{\"id\":\"2055\"},\"major_label_text_color\":\"#E0E0E0\",\"major_label_text_font\":\"Helvetica\",\"major_label_text_font_size\":\"1.025em\",\"major_tick_line_alpha\":0,\"major_tick_line_color\":\"#E0E0E0\",\"minor_tick_line_alpha\":0,\"minor_tick_line_color\":\"#E0E0E0\",\"ticker\":{\"id\":\"2029\"}},\"id\":\"2028\",\"type\":\"LinearAxis\"},{\"attributes\":{\"overlay\":{\"id\":\"2038\"}},\"id\":\"2034\",\"type\":\"BoxZoomTool\"}],\"root_ids\":[\"2122\"]},\"title\":\"Bokeh Application\",\"version\":\"2.4.3\"}};\n const render_items = [{\"docid\":\"c6af092f-7bfa-4a68-82a8-7a2d4c649a30\",\"root_ids\":[\"2122\"],\"roots\":{\"2122\":\"2d25047c-a899-4a8c-8e3a-e061207e04cd\"}}];\n root.Bokeh.embed.embed_items_notebook(docs_json, render_items);\n }\n if (root.Bokeh !== undefined) {\n embed_document(root);\n } else {\n let attempts = 0;\n const timer = setInterval(function(root) {\n if (root.Bokeh !== undefined) {\n clearInterval(timer);\n embed_document(root);\n } else {\n attempts++;\n if (attempts > 100) {\n clearInterval(timer);\n console.log(\"Bokeh: ERROR: Unable to run BokehJS code because BokehJS library is missing\");\n }\n }\n }, 10, root)\n }\n})(window);", - "application/vnd.bokehjs_exec.v0+json": "" - }, - "metadata": { - "application/vnd.bokehjs_exec.v0+json": { - "id": "2122" - } - }, - "output_type": "display_data" - } - ], + }, + "outputs": [], "source": [ "p2 = figure(**opts, title='Polarization, U - D')\n", "p2.scatter(x_[1::2], res.y_obs[1::2], legend='U - D', color=Spectral6[0])\n", @@ -1007,101 +814,69 @@ "p22.line(x_[1::2], res.y_obs[1::2] - res.y_calc[1::2], line_width=2, color=Spectral6[1])\n", "p22.xaxis.axis_label = '2theta'\n", "show(column(p2, p22))" - ], - "metadata": { - "collapsed": false, - "pycharm": { - "name": "#%%\n" - } - } + ] }, { "cell_type": "markdown", - "source": [ - "The optimization results are shown below." - ], "metadata": { "collapsed": false, "pycharm": { "name": "#%% md\n" } - } + }, + "source": [ + "The optimization results are shown below." + ] }, { "cell_type": "code", - "execution_count": 27, - "outputs": [ - { - "name": "stdout", - "output_type": "stream", - "text": [ - "\n", - "\n", - "\n", - "\n", - "\n", - "\n", - "\n", - "\n", - "\n", - "\n", - "\n", - "\n", - "\n", - "\n", - "\n", - "\n", - "\n", - "\n", - "\n", - "\n", - "\n", - "\n", - "\n", - "\n" - ] - } - ], - "source": [ - "parameters = j2.get_fit_parameters()\n", - "for parameter in parameters:\n", - " print(parameter)" - ], + "execution_count": null, "metadata": { "collapsed": false, "pycharm": { "name": "#%%\n" } - } + }, + "outputs": [], + "source": [ + "parameters = j2.get_fit_parameters()\n", + "for parameter in parameters:\n", + " print(parameter)" + ] }, { "cell_type": "markdown", - "source": [ - "#### Varying Magnetic Susceptibility" - ], "metadata": { "collapsed": false, "pycharm": { "name": "#%% md\n" } }, - "outputs": [] + "source": [ + "#### Varying Magnetic Susceptibility" + ] }, { "cell_type": "markdown", - "source": [ - "It looks like the magnetic susceptibility also needs to be optimized. We need to apply some constraints for optimization." - ], "metadata": { "collapsed": false, "pycharm": { "name": "#%% md\n" } - } + }, + "source": [ + "It looks like the magnetic susceptibility also needs to be optimized. We need to apply some constraints for optimization." + ] }, { "cell_type": "code", - "execution_count": 28, + "execution_count": null, + "metadata": { + "collapsed": false, + "pycharm": { + "name": "#%%\n" + } + }, "outputs": [], "source": [ "from easyCore.Fitting.Constraints import ObjConstraint\n", @@ -1116,64 +891,44 @@ "j2.phases[0].atoms[0].msp.chi_12.user_constraints['chi_13'] = c3\n", "j2.phases[0].atoms[0].msp.chi_12.user_constraints['chi_23'] = c4\n", "j2.phases[0].atoms[0].msp.chi_12.fixed = False" - ], - "metadata": { - "collapsed": false, - "pycharm": { - "name": "#%%\n" - } - } + ] }, { "cell_type": "code", - "execution_count": 29, - "outputs": [], - "source": [ - "res = fit.fit(x_, y_)" - ], + "execution_count": null, "metadata": { "collapsed": false, "pycharm": { "name": "#%%\n" } - } + }, + "outputs": [], + "source": [ + "res = fit.fit(x_, y_)" + ] }, { "cell_type": "markdown", - "source": [ - "Visualize the results of the optimization." - ], "metadata": { "collapsed": false, "pycharm": { "name": "#%% md\n" } - } + }, + "source": [ + "Visualize the results of the optimization." + ] }, { "cell_type": "code", - "execution_count": 30, - "outputs": [ - { - "data": { - "text/html": "\n
\n" - }, - "metadata": {}, - "output_type": "display_data" - }, - { - "data": { - "application/javascript": "(function(root) {\n function embed_document(root) {\n const docs_json = {\"55f573f9-e5f7-44ea-98a0-08fcf3b9547d\":{\"defs\":[{\"extends\":null,\"module\":null,\"name\":\"ReactiveHTML1\",\"overrides\":[],\"properties\":[]},{\"extends\":null,\"module\":null,\"name\":\"FlexBox1\",\"overrides\":[],\"properties\":[{\"default\":\"flex-start\",\"kind\":null,\"name\":\"align_content\"},{\"default\":\"flex-start\",\"kind\":null,\"name\":\"align_items\"},{\"default\":\"row\",\"kind\":null,\"name\":\"flex_direction\"},{\"default\":\"wrap\",\"kind\":null,\"name\":\"flex_wrap\"},{\"default\":\"flex-start\",\"kind\":null,\"name\":\"justify_content\"}]},{\"extends\":null,\"module\":null,\"name\":\"GridStack1\",\"overrides\":[],\"properties\":[{\"default\":\"warn\",\"kind\":null,\"name\":\"mode\"},{\"default\":null,\"kind\":null,\"name\":\"ncols\"},{\"default\":null,\"kind\":null,\"name\":\"nrows\"},{\"default\":true,\"kind\":null,\"name\":\"allow_resize\"},{\"default\":true,\"kind\":null,\"name\":\"allow_drag\"},{\"default\":[],\"kind\":null,\"name\":\"state\"}]},{\"extends\":null,\"module\":null,\"name\":\"click1\",\"overrides\":[],\"properties\":[{\"default\":\"\",\"kind\":null,\"name\":\"terminal_output\"},{\"default\":\"\",\"kind\":null,\"name\":\"debug_name\"},{\"default\":0,\"kind\":null,\"name\":\"clears\"}]},{\"extends\":null,\"module\":null,\"name\":\"NotificationAreaBase1\",\"overrides\":[],\"properties\":[{\"default\":\"bottom-right\",\"kind\":null,\"name\":\"position\"},{\"default\":0,\"kind\":null,\"name\":\"_clear\"}]},{\"extends\":null,\"module\":null,\"name\":\"NotificationArea1\",\"overrides\":[],\"properties\":[{\"default\":[],\"kind\":null,\"name\":\"notifications\"},{\"default\":\"bottom-right\",\"kind\":null,\"name\":\"position\"},{\"default\":0,\"kind\":null,\"name\":\"_clear\"},{\"default\":[{\"background\":\"#ffc107\",\"icon\":{\"className\":\"fas fa-exclamation-triangle\",\"color\":\"white\",\"tagName\":\"i\"},\"type\":\"warning\"},{\"background\":\"#007bff\",\"icon\":{\"className\":\"fas fa-info-circle\",\"color\":\"white\",\"tagName\":\"i\"},\"type\":\"info\"}],\"kind\":null,\"name\":\"types\"}]},{\"extends\":null,\"module\":null,\"name\":\"Notification\",\"overrides\":[],\"properties\":[{\"default\":null,\"kind\":null,\"name\":\"background\"},{\"default\":3000,\"kind\":null,\"name\":\"duration\"},{\"default\":null,\"kind\":null,\"name\":\"icon\"},{\"default\":\"\",\"kind\":null,\"name\":\"message\"},{\"default\":null,\"kind\":null,\"name\":\"notification_type\"},{\"default\":false,\"kind\":null,\"name\":\"_destroyed\"}]},{\"extends\":null,\"module\":null,\"name\":\"TemplateActions1\",\"overrides\":[],\"properties\":[{\"default\":0,\"kind\":null,\"name\":\"open_modal\"},{\"default\":0,\"kind\":null,\"name\":\"close_modal\"}]},{\"extends\":null,\"module\":null,\"name\":\"MaterialTemplateActions1\",\"overrides\":[],\"properties\":[{\"default\":0,\"kind\":null,\"name\":\"open_modal\"},{\"default\":0,\"kind\":null,\"name\":\"close_modal\"}]}],\"roots\":{\"references\":[{\"attributes\":{\"children\":[{\"id\":\"2329\"},{\"id\":\"2399\"}]},\"id\":\"2438\",\"type\":\"Column\"},{\"attributes\":{\"fill_alpha\":{\"value\":0.1},\"fill_color\":{\"value\":\"#3288bd\"},\"hatch_alpha\":{\"value\":0.1},\"hatch_color\":{\"value\":\"#3288bd\"},\"line_alpha\":{\"value\":0.1},\"line_color\":{\"value\":\"#3288bd\"},\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"2364\",\"type\":\"Scatter\"},{\"attributes\":{},\"id\":\"2418\",\"type\":\"PanTool\"},{\"attributes\":{},\"id\":\"2338\",\"type\":\"LinearScale\"},{\"attributes\":{},\"id\":\"2404\",\"type\":\"DataRange1d\"},{\"attributes\":{},\"id\":\"2370\",\"type\":\"BasicTickFormatter\"},{\"attributes\":{},\"id\":\"2544\",\"type\":\"BasicTickFormatter\"},{\"attributes\":{\"bottom_units\":\"screen\",\"coordinates\":null,\"fill_alpha\":0.5,\"fill_color\":\"lightgrey\",\"group\":null,\"left_units\":\"screen\",\"level\":\"overlay\",\"line_alpha\":1.0,\"line_color\":\"black\",\"line_dash\":[4,4],\"line_width\":2,\"right_units\":\"screen\",\"syncable\":false,\"top_units\":\"screen\"},\"id\":\"2354\",\"type\":\"BoxAnnotation\"},{\"attributes\":{\"coordinates\":null,\"group\":null,\"text\":\"Polarization, U + D\",\"text_color\":\"#E0E0E0\",\"text_font\":\"Helvetica\",\"text_font_size\":\"1.15em\"},\"id\":\"2330\",\"type\":\"Title\"},{\"attributes\":{},\"id\":\"2336\",\"type\":\"LinearScale\"},{\"attributes\":{\"line_alpha\":0.1,\"line_color\":\"#99d594\",\"line_width\":2,\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"2434\",\"type\":\"Line\"},{\"attributes\":{},\"id\":\"2547\",\"type\":\"BasicTickFormatter\"},{\"attributes\":{\"bottom_units\":\"screen\",\"coordinates\":null,\"fill_alpha\":0.5,\"fill_color\":\"lightgrey\",\"group\":null,\"left_units\":\"screen\",\"level\":\"overlay\",\"line_alpha\":1.0,\"line_color\":\"black\",\"line_dash\":[4,4],\"line_width\":2,\"right_units\":\"screen\",\"syncable\":false,\"top_units\":\"screen\"},\"id\":\"2424\",\"type\":\"BoxAnnotation\"},{\"attributes\":{},\"id\":\"2334\",\"type\":\"DataRange1d\"},{\"attributes\":{},\"id\":\"2353\",\"type\":\"HelpTool\"},{\"attributes\":{\"fill_alpha\":{\"value\":0.2},\"fill_color\":{\"value\":\"#3288bd\"},\"hatch_alpha\":{\"value\":0.2},\"hatch_color\":{\"value\":\"#3288bd\"},\"line_alpha\":{\"value\":0.2},\"line_color\":{\"value\":\"#3288bd\"},\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"2365\",\"type\":\"Scatter\"},{\"attributes\":{},\"id\":\"2555\",\"type\":\"Selection\"},{\"attributes\":{\"source\":{\"id\":\"2362\"}},\"id\":\"2367\",\"type\":\"CDSView\"},{\"attributes\":{},\"id\":\"2406\",\"type\":\"LinearScale\"},{\"attributes\":{},\"id\":\"2419\",\"type\":\"WheelZoomTool\"},{\"attributes\":{\"label\":{\"value\":\"U + D\"},\"renderers\":[{\"id\":\"2366\"}]},\"id\":\"2379\",\"type\":\"LegendItem\"},{\"attributes\":{},\"id\":\"2554\",\"type\":\"UnionRenderers\"},{\"attributes\":{\"data\":{\"x\":{\"__ndarray__\":\"ZmZmZmZmEkAzMzMzMzMTQAAAAAAAABRAzczMzMzMFECamZmZmZkVQGZmZmZmZhZAMzMzMzMzF0AAAAAAAAAYQM3MzMzMzBhAmpmZmZmZGUBmZmZmZmYaQDMzMzMzMxtAAAAAAAAAHEDNzMzMzMwcQJqZmZmZmR1AZmZmZmZmHkAzMzMzMzMfQAAAAAAAACBAZmZmZmZmIEDNzMzMzMwgQDMzMzMzMyFAmpmZmZmZIUAAAAAAAAAiQGZmZmZmZiJAzczMzMzMIkAzMzMzMzMjQJqZmZmZmSNAAAAAAAAAJEBmZmZmZmYkQM3MzMzMzCRAMzMzMzMzJUCamZmZmZklQAAAAAAAACZAZmZmZmZmJkDNzMzMzMwmQDMzMzMzMydAmpmZmZmZJ0AAAAAAAAAoQGZmZmZmZihAzczMzMzMKEAzMzMzMzMpQJqZmZmZmSlAAAAAAAAAKkBmZmZmZmYqQM3MzMzMzCpAMzMzMzMzK0CamZmZmZkrQAAAAAAAACxAZmZmZmZmLEDNzMzMzMwsQDMzMzMzMy1AmpmZmZmZLUAAAAAAAAAuQGZmZmZmZi5AzczMzMzMLkAzMzMzMzMvQJqZmZmZmS9AAAAAAAAAMEAzMzMzMzMwQGZmZmZmZjBAmpmZmZmZMEDNzMzMzMwwQAAAAAAAADFAMzMzMzMzMUBmZmZmZmYxQJqZmZmZmTFAzczMzMzMMUAAAAAAAAAyQDMzMzMzMzJAZmZmZmZmMkCamZmZmZkyQM3MzMzMzDJAAAAAAAAAM0AzMzMzMzMzQGZmZmZmZjNAmpmZmZmZM0DNzMzMzMwzQAAAAAAAADRAMzMzMzMzNEBmZmZmZmY0QJqZmZmZmTRAzczMzMzMNEAAAAAAAAA1QDMzMzMzMzVAZmZmZmZmNUCamZmZmZk1QM3MzMzMzDVAAAAAAAAANkAzMzMzMzM2QGZmZmZmZjZAmpmZmZmZNkDNzMzMzMw2QAAAAAAAADdAMzMzMzMzN0BmZmZmZmY3QJqZmZmZmTdAzczMzMzMN0AAAAAAAAA4QDMzMzMzMzhAZmZmZmZmOECamZmZmZk4QM3MzMzMzDhAAAAAAAAAOUAzMzMzMzM5QGZmZmZmZjlAmpmZmZmZOUDNzMzMzMw5QAAAAAAAADpAMzMzMzMzOkBmZmZmZmY6QJqZmZmZmTpAzczMzMzMOkAAAAAAAAA7QDMzMzMzMztAZmZmZmZmO0CamZmZmZk7QM3MzMzMzDtAAAAAAAAAPEAzMzMzMzM8QGZmZmZmZjxAmpmZmZmZPEDNzMzMzMw8QAAAAAAAAD1AMzMzMzMzPUBmZmZmZmY9QJqZmZmZmT1AzczMzMzMPUAAAAAAAAA+QDMzMzMzMz5AZmZmZmZmPkCamZmZmZk+QM3MzMzMzD5AAAAAAAAAP0AzMzMzMzM/QGZmZmZmZj9AmpmZmZmZP0DNzMzMzMw/QAAAAAAAAEBAmpmZmZkZQEAzMzMzMzNAQM3MzMzMTEBAZmZmZmZmQEAAAAAAAIBAQJqZmZmZmUBAMzMzMzOzQEDNzMzMzMxAQGZmZmZm5kBAAAAAAAAAQUCamZmZmRlBQDMzMzMzM0FAzczMzMxMQUBmZmZmZmZBQAAAAAAAgEFAmpmZmZmZQUAzMzMzM7NBQM3MzMzMzEFAZmZmZmbmQUAAAAAAAABCQJqZmZmZGUJAMzMzMzMzQkDNzMzMzExCQGZmZmZmZkJAAAAAAACAQkCamZmZmZlCQDMzMzMzs0JAzczMzMzMQkBmZmZmZuZCQAAAAAAAAENAmpmZmZkZQ0AzMzMzMzNDQM3MzMzMTENAZmZmZmZmQ0AAAAAAAIBDQJqZmZmZmUNAMzMzMzOzQ0DNzMzMzMxDQGZmZmZm5kNAAAAAAAAARECamZmZmRlEQDMzMzMzM0RAzczMzMxMREBmZmZmZmZEQAAAAAAAgERAmpmZmZmZREAzMzMzM7NEQM3MzMzMzERAZmZmZmbmREAAAAAAAABFQJqZmZmZGUVAMzMzMzMzRUDNzMzMzExFQGZmZmZmZkVAAAAAAACARUCamZmZmZlFQDMzMzMzs0VAzczMzMzMRUBmZmZmZuZFQAAAAAAAAEZAmpmZmZkZRkAzMzMzMzNGQM3MzMzMTEZAZmZmZmZmRkAAAAAAAIBGQJqZmZmZmUZAMzMzMzOzRkDNzMzMzMxGQGZmZmZm5kZAAAAAAAAAR0CamZmZmRlHQDMzMzMzM0dAzczMzMxMR0BmZmZmZmZHQAAAAAAAgEdAmpmZmZmZR0AzMzMzM7NHQM3MzMzMzEdAZmZmZmbmR0AAAAAAAABIQJqZmZmZGUhAMzMzMzMzSEDNzMzMzExIQGZmZmZmZkhAAAAAAACASECamZmZmZlIQDMzMzMzs0hAzczMzMzMSEBmZmZmZuZIQAAAAAAAAElAmpmZmZkZSUAzMzMzMzNJQM3MzMzMTElAZmZmZmZmSUAAAAAAAIBJQJqZmZmZmUlAMzMzMzOzSUDNzMzMzMxJQGZmZmZm5klAAAAAAAAASkCamZmZmRlKQDMzMzMzM0pAzczMzMxMSkBmZmZmZmZKQAAAAAAAgEpAmpmZmZmZSkAzMzMzM7NKQM3MzMzMzEpAZmZmZmbmSkAAAAAAAABLQJqZmZmZGUtAMzMzMzMzS0DNzMzMzExLQGZmZmZmZktAAAAAAACAS0CamZmZmZlLQDMzMzMzs0tAzczMzMzMS0BmZmZmZuZLQAAAAAAAAExAmpmZmZkZTEAzMzMzMzNMQM3MzMzMTExAZmZmZmZmTEAAAAAAAIBMQJqZmZmZmUxAMzMzMzOzTEDNzMzMzMxMQGZmZmZm5kxAAAAAAAAATUCamZmZmRlNQDMzMzMzM01AzczMzMxMTUBmZmZmZmZNQAAAAAAAgE1AmpmZmZmZTUAzMzMzM7NNQM3MzMzMzE1AZmZmZmbmTUAAAAAAAABOQJqZmZmZGU5AMzMzMzMzTkDNzMzMzExOQGZmZmZmZk5AAAAAAACATkCamZmZmZlOQDMzMzMzs05AzczMzMzMTkBmZmZmZuZOQAAAAAAAAE9AmpmZmZkZT0AzMzMzMzNPQM3MzMzMTE9AZmZmZmZmT0AAAAAAAIBPQJqZmZmZmU9AMzMzMzOzT0DNzMzMzMxPQGZmZmZm5k9AAAAAAAAAUEDNzMzMzAxQQJqZmZmZGVBAZmZmZmYmUEAzMzMzMzNQQAAAAAAAQFBAzczMzMxMUECamZmZmVlQQGZmZmZmZlBAMzMzMzNzUEAAAAAAAIBQQM3MzMzMjFBAmpmZmZmZUEBmZmZmZqZQQDMzMzMzs1BAAAAAAADAUEDNzMzMzMxQQJqZmZmZ2VBAZmZmZmbmUEAzMzMzM/NQQAAAAAAAAFFAzczMzMwMUUCamZmZmRlRQGZmZmZmJlFAMzMzMzMzUUAAAAAAAEBRQM3MzMzMTFFAmpmZmZlZUUBmZmZmZmZRQDMzMzMzc1FAAAAAAACAUUDNzMzMzIxRQJqZmZmZmVFAZmZmZmamUUAzMzMzM7NRQAAAAAAAwFFAzczMzMzMUUCamZmZmdlRQGZmZmZm5lFAMzMzMzPzUUAAAAAAAABSQM3MzMzMDFJAmpmZmZkZUkBmZmZmZiZSQDMzMzMzM1JAAAAAAABAUkDNzMzMzExSQJqZmZmZWVJAZmZmZmZmUkAzMzMzM3NSQAAAAAAAgFJAzczMzMyMUkCamZmZmZlSQGZmZmZmplJAMzMzMzOzUkAAAAAAAMBSQM3MzMzMzFJAmpmZmZnZUkBmZmZmZuZSQDMzMzMz81JAAAAAAAAAU0DNzMzMzAxTQJqZmZmZGVNAZmZmZmYmU0AzMzMzMzNTQAAAAAAAQFNAzczMzMxMU0CamZmZmVlTQGZmZmZmZlNAMzMzMzNzU0AAAAAAAIBTQM3MzMzMjFNAmpmZmZmZU0BmZmZmZqZTQDMzMzMzs1NAAAAAAADAU0DNzMzMzMxTQJqZmZmZ2VNAZmZmZmbmU0AzMzMzM/NTQAAAAAAAAFRAzczMzMwMVECamZmZmRlUQGZmZmZmJlRAMzMzMzMzVEAAAAAAAEBUQM3MzMzMTFRAmpmZmZlZVEBmZmZmZmZUQDMzMzMzc1RAAAAAAACAVEA=\",\"dtype\":\"float64\",\"order\":\"little\",\"shape\":[388]},\"y\":{\"__ndarray__\":\"hetRuB5BkEBcj8L1KMmWQKRwPQrXNpRAmpmZmZnrk0BI4XoUrr6TQAAAAAAAY5ZAHoXrUbhLlUDXo3A9Ci6WQOxRuB6FOppAzMzMzMzxlEBmZmZmZu6OQI/C9ShcepdAj8L1KFwHmkC4HoXrUVWjQPYoXI+CYbRAhetRuF4LvkCZmZmZGXq9QI/C9ShcvbNA9ihcj0KGpEA+CtejcO2cQNejcD2KIKlA4noUrgcws0CQwvUo3Fm1QGZmZmYmW7FAcD0K16PGokCkcD0K19CTQAAAAAAAw5NApHA9CtclkUDNzMzMzIiNQFK4HoXrBZBACtejcD2AkEDNzMzMzBOUQJqZmZmZy41AcD0K16OSj0C4HoXrUeqKQOxRuB6FyZBASOF6FK4FkkAK16NwPZ6RQB6F61G4DItAwvUoXI92kkAUrkfhehmaQOxRuB6FG59AhetRuJ5boECF61G4HqqbQArXo3A9oZJApHA9CtdFjkBcj8L1KBqJQPYoXI/C24tA9ihcj8KBi0AAAAAAAF6RQHsUrkfhi5JAkML1KNz+oECuR+F6FEisQB+F61F4yLBAXI/C9ahfr0AUrkfhehuoQMP1KFwPj6VArkfhepTHoUCuR+F6FB+eQB6F61G4NpVAAAAAAABxkUDNzMzMzD6RQLgehetRfI5ACtejcD2kjEAehetRuMiNQKRwPQrXu45ACtejcD2MkUD2KFyPwvOWQOF6FK7HSKJA7FG4HoVvpkDC9Shcj8+lQAAAAACAS6FAwvUoXI8UlEAK16NwPTCUQJDC9Shcx5ZAkML1KFzroECF61G43jWwQJqZmZnZ7rdAFK5H4bpbukCkcD0KV0W2QDMzMzMzKK1ApHA9ClctoECamZmZmdyWQJDC9ShcUpJAzczMzMwDkUBmZmZmZoiOQD4K16NwxY5AFK5H4Xq4j0Bcj8L1KEKPQFK4HoXrPZNApHA9CtfJmUAehetRuLycQOJ6FK5HOptAmpmZmZkHk0AUrkfhemqWQK5H4XoU65pAAAAAAADCpEAUrkfhejurQML1KFyPZ65A4XoUrscEqkD2KFyPwmyjQJqZmZmZsZlAUrgeheuBkUApXI/C9UKOQPYoXI/ChY1AzczMzMxjkUAUrkfhejiaQK5H4XoUhaNAw/UoXA9tqUDsUbgehcmqQDQzMzMzl6hA4XoUrsebo0DhehSux0+gQAAAAACAjaBAZmZmZmaxo0A+CtejcN6kQClcj8L15KRACtejcD39okDhehSuR7qbQPYoXI/CVZVApHA9CteCkkCamZmZmd+JQD4K16Nwp4xAKVyPwvXAjUAAAAAAAH2QQM3MzMzMZo9A4XoUrkdvkEB6FK5H4SaNQK5H4XoUI5BAj8L1KFyykECPwvUoXJqUQJDC9ShcsZhA4noUrkdsmEDiehSuR5iXQNejcD0KwZNAmpmZmZkskUBI4XoUrl+PQK5H4XoU3odAUrgeheuRikAfhetRuNqPQIbrUbgemZJAmpmZmZnVkkBI4XoUrr+UQHoUrkfhQppArkfhehScnEAUrkfhesucQNajcD0K/5xAcD0K16MwmEBSuB6F6/uUQNejcD0KdJJAKVyPwvXOj0CamZmZmfeLQHoUrkfhOo5A9ihcj8LRjkAzMzMzM5eQQBSuR+F695JA9ihcj8KPlUApXI/C9VqXQD4K16NwN5hAehSuR+GMl0BSuB6F6/yTQOxRuB6FxpJAUrgehesfkUApXI/C9d+QQFK4HoXrTJBAexSuR+Hck0DNzMzMzEmVQHoUrkfhsZpACtejcD2Jn0D2KFyPQmaiQGZmZmZmEaNApHA9Ctefo0CQwvUo3BqiQB+F61G4JqBA1qNwPQpLnEDhehSuR/ObQM3MzMzMuZpAcD0K16Osm0CPwvUoXL6cQAAAAAAAR55ArkfhehTBn0BI4XoUrlOfQKRwPQrXuJ9A7FG4HoXgnEC4HoXrUZuZQAAAAAAAmJZAKVyPwvVqlEBI4XoUrmuUQD0K16NwU5FACtejcD3QkEA0MzMzMx2UQClcj8L10ZZAFK5H4Xo5mkC4HoXrUeKbQB6F61G4lJtAwvUoXI81mkA0MzMzM6GXQI/C9Shcv5VAFK5H4XrwkUDC9Shcj+qRQD4K16Nw4Y9AH4XrUbgSkEDhehSuRyGMQOtRuB6FfY9AkML1KFz/jUBcj8L1KKqOQB6F61G4WotAmpmZmZkLjkCkcD0K1zuNQEjhehSutZFAZmZmZmaOlEBwPQrXo6GWQML1KFyPK5lA9ihcj8I1m0A9CtejcFidQDMzMzMz75xAehSuR+FnnUBSuB6F6wedQClcj8L1NptAZmZmZmbQmUBI4XoUri+aQClcj8L1eZtAZmZmZmZtnEAUrkfheiedQClcj8L1Gp1AFK5H4Xq8nEA0MzMzM/iZQM3MzMzMtZlAzczMzMxNlUD2KFyPwuKSQGZmZmZmeZBAUrgeheu1jUCuR+F6FECOQBSuR+F6/olAzMzMzMwOiUAAAAAAALCKQK5H4XoU0olAhetRuB7/ikA+CtejcKuLQArXo3A9cotAHoXrUbi+iUCkcD0K1wmKQLgehetRfopAkML1KFyPiUA0MzMzM3WKQOJ6FK5HdYpAAAAAAACgikCamZmZmcWMQPYoXI/C74tAPgrXo3BJj0DNzMzMzDKRQK5H4XoUwJVAH4XrUbj4lECQwvUoXCaXQMP1KFyPJZhAUrgehevil0C4HoXrUeCXQHA9CtejW5ZAPgrXo3B+lkBmZmZmZnuWQHA9CtejR5RAHoXrUbiHk0BxPQrXozuTQFK4HoXrs5JAzczMzMwzkkBmZmZmZqeQQGZmZmZmepBAPQrXo3DfjkCE61G4Hk+PQNejcD0KgY9AAAAAAABrkEDNzMzMzGqRQPYoXI/C95JAHoXrUbick0DNzMzMzOyVQFyPwvUosZZAZmZmZma7l0BmZmZmZtSXQFyPwvUosZdAkML1KFy5lUCkcD0K15uUQClcj8L14ZNAZmZmZmb8k0ApXI/C9XCTQAAAAAAAuZBAFK5H4XpPkUDNzMzMzGaNQMzMzMzMJotAZmZmZmaKiUA0MzMzM7GKQLgehetROopAPgrXo3C3iUC4HoXrUXqIQAAAAAAA1ohAehSuR+EcjUCamZmZmTeMQOJ6FK5HU49AMzMzMzOLkUDhehSuR02QQGZmZmZmYJJA7FG4HoV9lUApXI/C9eSWQFyPwvUoP5lAwvUoXI+AmUD2KFyPwm2cQGZmZmZm5ZtA7FG4HoVLnUBcj8L1KFadQM3MzMzMzpxAzMzMzMwkm0ApXI/C9WaZQGZmZmZmZZhASOF6FK6vlkA+CtejcIKWQLgehetR8pRA9ihcj8IdlEAehetRuJCRQFK4HoXrLJBArkfhehQRkUCkcD0K182NQJDC9Shc3pBAexSuR+FekEB7FK5H4fqQQFyPwvUoI5FAcT0K16NFkkAK16NwPZ+RQArXo3A91JFApHA9CtfokUA+CtejcJCTQM3MzMzMOZNA7FG4HoWFkkAehetRuKeSQML1KFyP45FAj8L1KFxqkkAUrkfheg+TQKRwPQrXQZFAkML1KFxOkEBSuB6F60uQQGZmZmZmr5FASOF6FK6MkkCuR+F6FE2SQBSuR+F6lJJAUrgehetBkkDXo3A9CgeRQK5H4XoUN5FAXI/C9SiRkkCF61G4HoqTQArXo3A9b5NAkML1KFyPk0BI4XoUruOSQK5H4XoUPZNAuB6F61EKkkAUrkfhelyTQIbrUbgepZRAFK5H4XoSlUCQwvUoXDqTQClcj8L1eZRA16NwPQqhlEBmZmZmZnGUQEjhehSuVZRAcD0K16PrkkC4HoXrUVqRQClcj8L1z5BAuB6F61FmkUBI4XoUrlyQQKRwPQrXWJBAzczMzMy0kUCPwvUoXG+QQHsUrkfhfJFAcD0K16NBkUCkcD0K17uQQOxRuB6FI5FAcD0K16NNkkCamZmZmbKTQArXo3A985JAwvUoXI+RkkD2KFyPwmqUQIXrUbgen5NAmpmZmZmPk0C4HoXrUQqVQHA9CtejkZNA9ihcj8Kuk0A+CtejcOORQML1KFyPrpJAcD0K16N0kkAUrkfhehqTQClcj8L1MJJAUrgehesEkUA=\",\"dtype\":\"float64\",\"order\":\"little\",\"shape\":[388]}},\"selected\":{\"id\":\"2376\"},\"selection_policy\":{\"id\":\"2375\"}},\"id\":\"2362\",\"type\":\"ColumnDataSource\"},{\"attributes\":{},\"id\":\"2408\",\"type\":\"LinearScale\"},{\"attributes\":{\"coordinates\":null,\"data_source\":{\"id\":\"2432\"},\"glyph\":{\"id\":\"2433\"},\"group\":null,\"hover_glyph\":null,\"muted_glyph\":{\"id\":\"2435\"},\"nonselection_glyph\":{\"id\":\"2434\"},\"view\":{\"id\":\"2437\"}},\"id\":\"2436\",\"type\":\"GlyphRenderer\"},{\"attributes\":{\"overlay\":{\"id\":\"2354\"}},\"id\":\"2350\",\"type\":\"BoxZoomTool\"},{\"attributes\":{\"overlay\":{\"id\":\"2424\"}},\"id\":\"2420\",\"type\":\"BoxZoomTool\"},{\"attributes\":{\"coordinates\":null,\"data_source\":{\"id\":\"2362\"},\"glyph\":{\"id\":\"2363\"},\"group\":null,\"hover_glyph\":null,\"muted_glyph\":{\"id\":\"2365\"},\"nonselection_glyph\":{\"id\":\"2364\"},\"view\":{\"id\":\"2367\"}},\"id\":\"2366\",\"type\":\"GlyphRenderer\"},{\"attributes\":{},\"id\":\"2341\",\"type\":\"BasicTicker\"},{\"attributes\":{\"source\":{\"id\":\"2432\"}},\"id\":\"2437\",\"type\":\"CDSView\"},{\"attributes\":{},\"id\":\"2375\",\"type\":\"UnionRenderers\"},{\"attributes\":{\"fill_color\":{\"value\":\"#3288bd\"},\"hatch_color\":{\"value\":\"#3288bd\"},\"line_color\":{\"value\":\"#3288bd\"},\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"2363\",\"type\":\"Scatter\"},{\"attributes\":{\"line_color\":\"#99d594\",\"line_width\":2,\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"2433\",\"type\":\"Line\"},{\"attributes\":{},\"id\":\"2415\",\"type\":\"BasicTicker\"},{\"attributes\":{\"line_color\":\"#d53e4f\",\"line_width\":2,\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"2381\",\"type\":\"Line\"},{\"attributes\":{},\"id\":\"2402\",\"type\":\"DataRange1d\"},{\"attributes\":{},\"id\":\"2332\",\"type\":\"DataRange1d\"},{\"attributes\":{\"axis\":{\"id\":\"2410\"},\"coordinates\":null,\"grid_line_alpha\":0.25,\"grid_line_color\":\"#E0E0E0\",\"group\":null,\"ticker\":null},\"id\":\"2413\",\"type\":\"Grid\"},{\"attributes\":{},\"id\":\"2349\",\"type\":\"WheelZoomTool\"},{\"attributes\":{},\"id\":\"2352\",\"type\":\"ResetTool\"},{\"attributes\":{},\"id\":\"2345\",\"type\":\"BasicTicker\"},{\"attributes\":{\"axis_label_standoff\":10,\"axis_label_text_color\":\"#E0E0E0\",\"axis_label_text_font\":\"Helvetica\",\"axis_label_text_font_size\":\"1.25em\",\"axis_label_text_font_style\":\"normal\",\"axis_line_alpha\":0,\"axis_line_color\":\"#E0E0E0\",\"coordinates\":null,\"formatter\":{\"id\":\"2544\"},\"group\":null,\"major_label_policy\":{\"id\":\"2545\"},\"major_label_text_color\":\"#E0E0E0\",\"major_label_text_font\":\"Helvetica\",\"major_label_text_font_size\":\"1.025em\",\"major_tick_line_alpha\":0,\"major_tick_line_color\":\"#E0E0E0\",\"minor_tick_line_alpha\":0,\"minor_tick_line_color\":\"#E0E0E0\",\"ticker\":{\"id\":\"2415\"}},\"id\":\"2414\",\"type\":\"LinearAxis\"},{\"attributes\":{\"line_alpha\":0.2,\"line_color\":\"#99d594\",\"line_width\":2,\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"2435\",\"type\":\"Line\"},{\"attributes\":{},\"id\":\"2422\",\"type\":\"ResetTool\"},{\"attributes\":{\"axis_label\":\"Intensity\",\"axis_label_standoff\":10,\"axis_label_text_color\":\"#E0E0E0\",\"axis_label_text_font\":\"Helvetica\",\"axis_label_text_font_size\":\"1.25em\",\"axis_label_text_font_style\":\"normal\",\"axis_line_alpha\":0,\"axis_line_color\":\"#E0E0E0\",\"coordinates\":null,\"formatter\":{\"id\":\"2370\"},\"group\":null,\"major_label_policy\":{\"id\":\"2371\"},\"major_label_text_color\":\"#E0E0E0\",\"major_label_text_font\":\"Helvetica\",\"major_label_text_font_size\":\"1.025em\",\"major_tick_line_alpha\":0,\"major_tick_line_color\":\"#E0E0E0\",\"minor_tick_line_alpha\":0,\"minor_tick_line_color\":\"#E0E0E0\",\"ticker\":{\"id\":\"2345\"}},\"id\":\"2344\",\"type\":\"LinearAxis\"},{\"attributes\":{\"background_fill_alpha\":0.25,\"background_fill_color\":\"#20262B\",\"border_line_alpha\":0,\"coordinates\":null,\"glyph_width\":15,\"group\":null,\"items\":[{\"id\":\"2379\"},{\"id\":\"2398\"}],\"label_standoff\":8,\"label_text_color\":\"#E0E0E0\",\"label_text_font\":\"Helvetica\",\"label_text_font_size\":\"1.025em\",\"spacing\":8},\"id\":\"2378\",\"type\":\"Legend\"},{\"attributes\":{\"axis\":{\"id\":\"2340\"},\"coordinates\":null,\"grid_line_alpha\":0.25,\"grid_line_color\":\"#E0E0E0\",\"group\":null,\"ticker\":null},\"id\":\"2343\",\"type\":\"Grid\"},{\"attributes\":{\"data\":{\"x\":{\"__ndarray__\":\"ZmZmZmZmEkAzMzMzMzMTQAAAAAAAABRAzczMzMzMFECamZmZmZkVQGZmZmZmZhZAMzMzMzMzF0AAAAAAAAAYQM3MzMzMzBhAmpmZmZmZGUBmZmZmZmYaQDMzMzMzMxtAAAAAAAAAHEDNzMzMzMwcQJqZmZmZmR1AZmZmZmZmHkAzMzMzMzMfQAAAAAAAACBAZmZmZmZmIEDNzMzMzMwgQDMzMzMzMyFAmpmZmZmZIUAAAAAAAAAiQGZmZmZmZiJAzczMzMzMIkAzMzMzMzMjQJqZmZmZmSNAAAAAAAAAJEBmZmZmZmYkQM3MzMzMzCRAMzMzMzMzJUCamZmZmZklQAAAAAAAACZAZmZmZmZmJkDNzMzMzMwmQDMzMzMzMydAmpmZmZmZJ0AAAAAAAAAoQGZmZmZmZihAzczMzMzMKEAzMzMzMzMpQJqZmZmZmSlAAAAAAAAAKkBmZmZmZmYqQM3MzMzMzCpAMzMzMzMzK0CamZmZmZkrQAAAAAAAACxAZmZmZmZmLEDNzMzMzMwsQDMzMzMzMy1AmpmZmZmZLUAAAAAAAAAuQGZmZmZmZi5AzczMzMzMLkAzMzMzMzMvQJqZmZmZmS9AAAAAAAAAMEAzMzMzMzMwQGZmZmZmZjBAmpmZmZmZMEDNzMzMzMwwQAAAAAAAADFAMzMzMzMzMUBmZmZmZmYxQJqZmZmZmTFAzczMzMzMMUAAAAAAAAAyQDMzMzMzMzJAZmZmZmZmMkCamZmZmZkyQM3MzMzMzDJAAAAAAAAAM0AzMzMzMzMzQGZmZmZmZjNAmpmZmZmZM0DNzMzMzMwzQAAAAAAAADRAMzMzMzMzNEBmZmZmZmY0QJqZmZmZmTRAzczMzMzMNEAAAAAAAAA1QDMzMzMzMzVAZmZmZmZmNUCamZmZmZk1QM3MzMzMzDVAAAAAAAAANkAzMzMzMzM2QGZmZmZmZjZAmpmZmZmZNkDNzMzMzMw2QAAAAAAAADdAMzMzMzMzN0BmZmZmZmY3QJqZmZmZmTdAzczMzMzMN0AAAAAAAAA4QDMzMzMzMzhAZmZmZmZmOECamZmZmZk4QM3MzMzMzDhAAAAAAAAAOUAzMzMzMzM5QGZmZmZmZjlAmpmZmZmZOUDNzMzMzMw5QAAAAAAAADpAMzMzMzMzOkBmZmZmZmY6QJqZmZmZmTpAzczMzMzMOkAAAAAAAAA7QDMzMzMzMztAZmZmZmZmO0CamZmZmZk7QM3MzMzMzDtAAAAAAAAAPEAzMzMzMzM8QGZmZmZmZjxAmpmZmZmZPEDNzMzMzMw8QAAAAAAAAD1AMzMzMzMzPUBmZmZmZmY9QJqZmZmZmT1AzczMzMzMPUAAAAAAAAA+QDMzMzMzMz5AZmZmZmZmPkCamZmZmZk+QM3MzMzMzD5AAAAAAAAAP0AzMzMzMzM/QGZmZmZmZj9AmpmZmZmZP0DNzMzMzMw/QAAAAAAAAEBAmpmZmZkZQEAzMzMzMzNAQM3MzMzMTEBAZmZmZmZmQEAAAAAAAIBAQJqZmZmZmUBAMzMzMzOzQEDNzMzMzMxAQGZmZmZm5kBAAAAAAAAAQUCamZmZmRlBQDMzMzMzM0FAzczMzMxMQUBmZmZmZmZBQAAAAAAAgEFAmpmZmZmZQUAzMzMzM7NBQM3MzMzMzEFAZmZmZmbmQUAAAAAAAABCQJqZmZmZGUJAMzMzMzMzQkDNzMzMzExCQGZmZmZmZkJAAAAAAACAQkCamZmZmZlCQDMzMzMzs0JAzczMzMzMQkBmZmZmZuZCQAAAAAAAAENAmpmZmZkZQ0AzMzMzMzNDQM3MzMzMTENAZmZmZmZmQ0AAAAAAAIBDQJqZmZmZmUNAMzMzMzOzQ0DNzMzMzMxDQGZmZmZm5kNAAAAAAAAARECamZmZmRlEQDMzMzMzM0RAzczMzMxMREBmZmZmZmZEQAAAAAAAgERAmpmZmZmZREAzMzMzM7NEQM3MzMzMzERAZmZmZmbmREAAAAAAAABFQJqZmZmZGUVAMzMzMzMzRUDNzMzMzExFQGZmZmZmZkVAAAAAAACARUCamZmZmZlFQDMzMzMzs0VAzczMzMzMRUBmZmZmZuZFQAAAAAAAAEZAmpmZmZkZRkAzMzMzMzNGQM3MzMzMTEZAZmZmZmZmRkAAAAAAAIBGQJqZmZmZmUZAMzMzMzOzRkDNzMzMzMxGQGZmZmZm5kZAAAAAAAAAR0CamZmZmRlHQDMzMzMzM0dAzczMzMxMR0BmZmZmZmZHQAAAAAAAgEdAmpmZmZmZR0AzMzMzM7NHQM3MzMzMzEdAZmZmZmbmR0AAAAAAAABIQJqZmZmZGUhAMzMzMzMzSEDNzMzMzExIQGZmZmZmZkhAAAAAAACASECamZmZmZlIQDMzMzMzs0hAzczMzMzMSEBmZmZmZuZIQAAAAAAAAElAmpmZmZkZSUAzMzMzMzNJQM3MzMzMTElAZmZmZmZmSUAAAAAAAIBJQJqZmZmZmUlAMzMzMzOzSUDNzMzMzMxJQGZmZmZm5klAAAAAAAAASkCamZmZmRlKQDMzMzMzM0pAzczMzMxMSkBmZmZmZmZKQAAAAAAAgEpAmpmZmZmZSkAzMzMzM7NKQM3MzMzMzEpAZmZmZmbmSkAAAAAAAABLQJqZmZmZGUtAMzMzMzMzS0DNzMzMzExLQGZmZmZmZktAAAAAAACAS0CamZmZmZlLQDMzMzMzs0tAzczMzMzMS0BmZmZmZuZLQAAAAAAAAExAmpmZmZkZTEAzMzMzMzNMQM3MzMzMTExAZmZmZmZmTEAAAAAAAIBMQJqZmZmZmUxAMzMzMzOzTEDNzMzMzMxMQGZmZmZm5kxAAAAAAAAATUCamZmZmRlNQDMzMzMzM01AzczMzMxMTUBmZmZmZmZNQAAAAAAAgE1AmpmZmZmZTUAzMzMzM7NNQM3MzMzMzE1AZmZmZmbmTUAAAAAAAABOQJqZmZmZGU5AMzMzMzMzTkDNzMzMzExOQGZmZmZmZk5AAAAAAACATkCamZmZmZlOQDMzMzMzs05AzczMzMzMTkBmZmZmZuZOQAAAAAAAAE9AmpmZmZkZT0AzMzMzMzNPQM3MzMzMTE9AZmZmZmZmT0AAAAAAAIBPQJqZmZmZmU9AMzMzMzOzT0DNzMzMzMxPQGZmZmZm5k9AAAAAAAAAUEDNzMzMzAxQQJqZmZmZGVBAZmZmZmYmUEAzMzMzMzNQQAAAAAAAQFBAzczMzMxMUECamZmZmVlQQGZmZmZmZlBAMzMzMzNzUEAAAAAAAIBQQM3MzMzMjFBAmpmZmZmZUEBmZmZmZqZQQDMzMzMzs1BAAAAAAADAUEDNzMzMzMxQQJqZmZmZ2VBAZmZmZmbmUEAzMzMzM/NQQAAAAAAAAFFAzczMzMwMUUCamZmZmRlRQGZmZmZmJlFAMzMzMzMzUUAAAAAAAEBRQM3MzMzMTFFAmpmZmZlZUUBmZmZmZmZRQDMzMzMzc1FAAAAAAACAUUDNzMzMzIxRQJqZmZmZmVFAZmZmZmamUUAzMzMzM7NRQAAAAAAAwFFAzczMzMzMUUCamZmZmdlRQGZmZmZm5lFAMzMzMzPzUUAAAAAAAABSQM3MzMzMDFJAmpmZmZkZUkBmZmZmZiZSQDMzMzMzM1JAAAAAAABAUkDNzMzMzExSQJqZmZmZWVJAZmZmZmZmUkAzMzMzM3NSQAAAAAAAgFJAzczMzMyMUkCamZmZmZlSQGZmZmZmplJAMzMzMzOzUkAAAAAAAMBSQM3MzMzMzFJAmpmZmZnZUkBmZmZmZuZSQDMzMzMz81JAAAAAAAAAU0DNzMzMzAxTQJqZmZmZGVNAZmZmZmYmU0AzMzMzMzNTQAAAAAAAQFNAzczMzMxMU0CamZmZmVlTQGZmZmZmZlNAMzMzMzNzU0AAAAAAAIBTQM3MzMzMjFNAmpmZmZmZU0BmZmZmZqZTQDMzMzMzs1NAAAAAAADAU0DNzMzMzMxTQJqZmZmZ2VNAZmZmZmbmU0AzMzMzM/NTQAAAAAAAAFRAzczMzMwMVECamZmZmRlUQGZmZmZmJlRAMzMzMzMzVEAAAAAAAEBUQM3MzMzMTFRAmpmZmZlZVEBmZmZmZmZUQDMzMzMzc1RAAAAAAACAVEA=\",\"dtype\":\"float64\",\"order\":\"little\",\"shape\":[388]},\"y\":{\"__ndarray__\":\"fhU642T0lEBzzF/X78aUQAT4RXfqmpRAwQ+iCHBwlEAjqnH2tEeUQAIuhjQRIZRARSMdfhL9k0AJWRAKndyTQNsf9XYowZNAjM2mPTetk0B6d9qsT6WTQOB+bh4nspNAJBID8tsKmUD2wiBn7F6lQPhkyRRxQrRApktYyIwlvkD+pKmNVjq+QEuTL58UUrRAEyuD5zoPpkCaSiwua4igQNrzERkGrKdAoy4K9+g5skCAB7ayLba0QMm0AWyvA7BAWEdQyUvLokBWkGCru3GWQAqI4LTUrpFAPi5aoPaYkEBFlRYokW6QQMo4ur8eTZBAF9AxdA8xkECQdF+ulBiQQJV/EIHEApBAJu+/9Xnej0D4ODbfCLyPQPhK7tkmn49Aj3I3MySKj0BAbvvCrwCQQEIz/5TYdJFAmH6wz7PSlkAFiBz9jeegQBL/H1VAG6ZA3e7C1X+JpUAIVq/8DaWfQDV4/iBhPZVA4b4ouaGRkEB3FegaM6qOQB5JeL0yK45AIwoFmZAgjkAXdOqrIlWQQFYD3fHOX5VAZaQMS1F2oUBE1RtBt2mrQOrSGb6KhbBAuy2cdAhhrUBE5RDnO6umQEC+RBkwBKNAy5e1yqKBoEB0PO7Rp6KZQGwKT5J2XpNAwtRk1EY2kEDtMaYEaJGOQOQfAnR6N45Aui/EztRFjkA0Fi2KvWGOQKXDELMr7I9AEJZ/q9eKkkBpfQcUCiuZQAAH0IBvq6FAiEFqPa5BpUAyAqVNe+WjQGZJKhoLEZ5AzQYVGCCBlUAyuSRzIp2SQHsNw6UuRZZAE8FFAvVWokCkf3lOND+wQAYNyTIhHLhAYyzQP9DUukDhRtWrpQy2QO59kYpXsaxAvPPd8k4joUBIrrQAWnKWQKnlEPYwZ5FA2r8HXievjkD7jPgCglqNQJmAA6QQ+Y1AsmwYBq6mkEDygcMbC/6UQIrcq3SNO5xArFMAaM6coUA20s5qv2WiQDFEobxYfp9AZsTTKfPYmEBuhF5Jo16WQFX3tgkD05tA85uXGuI/pECJRuIfRPqqQEZK/LtTTq1A0QrqxXIsqUDuWU3BTMihQAyLfBzhIpdABu/QWBdhkEAGixuQqmeMQFPISiktJY1AQZ7jXB0ZkkC2yMsmnMKZQGTkBqXfyaJAXTuDY0KyqEAvbQznHTurQAauydmXwKhA2miLIEGso0B4Yh0MovKfQIajJR/ulp9AIur3yA9BokAwlFpXjrCkQBqPI6VzzqRAWcsARGxjokBgrZsPfVedQEaDtsTmdpZAFO/FYP3RkUC2fzE8e1ePQNqzgVbO2I5A2xGRTGaKkEC3O7trBumRQNYXdD6tv5JACYD+2NyakkCYeSAWevGRQPxYTwBauJFA3N1+IDOOkkAAq5y47EGUQFzCMGcv7pVAHLFRvaOIlkAq2C/mzrGVQFnsNfarp5NAAncjv35UkUB8Yb/b2huPQFAUUnoAWY1A8gt3wmtdjUDwxniEyneOQEKxpc8ZO5BAjnbTEdXtkUB2mLMDFpeUQJshcBmWGphAG1Fe6/OLm0AYfp/q6XydQIGfJ+OP8pxAIDq3/u4dmkDwFcxCNz6WQADqmljLvpJAgALfdGFxkEApXR5rcxOPQH5vg7+rQI9Alv+COZROkEB+eb4k24iRQPjvm5F3HJNA3BdFG5j7lEAH+x/EU7OWQHSphNfFmZdAGpvg3Esal0BKUUZQLk6VQPLuB2tc8JJAeDD0hADmkEDMfg4q6ziQQGKenKPqwpBAOz0FuFiakkBwVgy7a6CVQBbh67JIqZlAUGB/+0uHnkAyumFUBqyhQB/vcZlsg6NAgmBOi4QTpED0tvI9Gi+jQJXitrgiQqFAzEL+CMVjnkC8/Oynn3ObQBYw/XaEqZpA0PE32l+Em0CgS53KLBqdQOAiSVCue55AKP5s8fQBn0BkdO3cP+qeQCYWdNGA8Z1AwxkxE3AqnEDo9iTEo6WZQPZxTfff1pZATAb3GiULlECHbIHm6+aRQC29Fghe0ZBAoldmZgMrkUA4nMDO7rySQDNWlHPvMZVAdtJiEgbol0D6z18jgR+aQBG50r6aRptABpw0wqsHm0B0D8Ui3YKZQKdFEjo5RJdAyGf0rWTvlECF9yQuZ/+SQOfHM38BoJFAPoy4cuuwkEDXPEMXqhKQQD6wWmChMI9Aioz4m5NNjkDm/YTWa7KNQH5zt0vFa41A8OhqtWe/jUAi78FQFAOPQDvksLyEvJBAQk542ReakkAkCTYiBBCVQBLT5MfZy5dA1IrT5vV6mkBEOQ2r2KacQIyVzZ5UFZ5AlWdjyDptnkDxNOu+R9+dQARvrtRZyJxAWsDvBAamm0DkViFQC+KaQFKfeFn5rZpAWsODp8H2mkBzWO/6X26bQHFh4jk2wJtAdn/OI+CIm0BsltK3vaaaQJLRicb86phADpTB4jy9lkBRMTCIgEaUQIVTMqnI7JFAhKByAFHgj0CNrfkWPfmMQJbVjPksNYtAoESF4ytTikBokkbStDGKQNAf+XAfbopAnu69hhrSikBVmE3DRyKLQFrNCNqoiotARfl9lwzWi0DYGNSO9vmLQDRbrwFxI4xA4WtyhZQZjEBQji6YXwKMQMETHTCM+otAq17DlAgpjEALuA7QetKMQD6+Xaiq+o1AXKxp9znTj0CWzgPURyGRQOP/hKoAf5JAmAbG1Aj6k0A0F9su6mOVQPaO74tNlJZAdoUnvW9nl0A+Q883nNWXQGNT+OSR1JdAzHtJkhNzl0Cwd6nMJ8qWQEg3KrVE55VAcDnc7fDelEBE8sI/QsOTQIRelQG8pZJA2kYaEAeskUBYytpJ6syQQC4DVX+hI5BAIr/zIbuAj0CpQ7/dWkWPQMMHj3zEjY9AGsm2u4o8kEAc2jO3Te2QQI+9LviCzZFAGSWgWOzUkkDKfXUq4OWTQNKBmlWG65RAlSPD5Nr2lUD9RLbuIMGWQGpuekm9MpdAuNFCFcY+l0BNrjaarN+WQBAmJv/XIZZA3N+JLl0XlUC8SfhfENuTQD4Q+sBzkpJAdT5nuatOkUBgWDcXRiSQQLCZ3rvjQo5A4HC8JIiTjEC8pyoLGFKLQF6jlWgecIpAucDmSvTqiUBKmmzJDyeKQHpoEeIykYpAVoo6kydQi0D2xWH9K5WMQKf0TaPZPY5AWamPzcIbkECmY8fzHUuRQEw3Svz8p5JAxKugnjQilEAYrWNqz6CVQBWwdFcvL5dAMI+YcSi4mEBF6c2qOCuaQKIB6iFfZ5tASHMhkBpRnEDWjrx9utacQBTGKaFn4ZxAGr2l2QpynEDWhWT9spKbQFidHYJYWJpALrdSH37smEDXesYW3lqXQHPuRvcHyZVAcEEQBIlWlEAXI1cSdAmTQLIz44Wt+pFA1OHcQhorkUDoh/ex+ZuQQFyWeXbqSJBA+O38UbcrkEDAJjToq0KQQAMrxbQWeZBAEv7z9A3HkEDulHcOvxCRQEx9XsBVeJFAppBOqtfbkUCcYOs6TyOSQFmj+t1uU5JA1ub5e15kkkCCVPYJhl6SQFigl3G3QpJA4FhmH9QXkkD6PY0RA+ORQGJTzK36spFAbQroa2mJkUAQkRSL932RQKwK+QnQdpFA1EY6iXR/kUCWMA0M/JWRQE5ZWS5oupFABJ9L7lvikUBv/Uk8KQqSQG+Vw8nxNZJAXxXlJLxfkkBbfYdjAIaSQPqKZosvq5JAwEizhVDLkkCS2lzJ3faSQPusW87OJJNAVkL36i5Yk0CqSK3QY4uTQHlyHNkBvpNAQz/id5bpk0C1D8FIfAiUQHqR9+V4GpRAn0OAotISlED+86AxTPuTQM6HDXQ6yJNA4zB7qdZ9k0DiaVqrsCmTQCLt+AHRzJJAmkUw5MhwkkCVFn/tshmSQAAUHw4xyZFATqUAuMmakUCfl05uKHyRQO7DIOyoc5FA8Ia9Tx5/kUAI5cbi66KRQJaQx8b70pFAYNAOH7IMkkBQ2BApOE2SQEgpOjmMi5JA0q5OJ57EkkB4tomlAfqSQCwj4sRGHZNAXOxXX4I8k0AVt41wb0qTQKghnNCfR5NAH+7vTmg1k0DiL11TPBKTQD3dwlqN6JJAMd4Avme1kkCYI2SZM3uSQC0Sk6MyO5JAVxTUayn4kUA=\",\"dtype\":\"float64\",\"order\":\"little\",\"shape\":[388]}},\"selected\":{\"id\":\"2396\"},\"selection_policy\":{\"id\":\"2395\"}},\"id\":\"2380\",\"type\":\"ColumnDataSource\"},{\"attributes\":{},\"id\":\"2374\",\"type\":\"AllLabels\"},{\"attributes\":{},\"id\":\"2351\",\"type\":\"SaveTool\"},{\"attributes\":{},\"id\":\"2421\",\"type\":\"SaveTool\"},{\"attributes\":{},\"id\":\"2376\",\"type\":\"Selection\"},{\"attributes\":{},\"id\":\"2371\",\"type\":\"AllLabels\"},{\"attributes\":{\"coordinates\":null,\"group\":null,\"text\":\"Difference\",\"text_color\":\"#E0E0E0\",\"text_font\":\"Helvetica\",\"text_font_size\":\"1.15em\"},\"id\":\"2400\",\"type\":\"Title\"},{\"attributes\":{\"line_alpha\":0.2,\"line_color\":\"#d53e4f\",\"line_width\":2,\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"2383\",\"type\":\"Line\"},{\"attributes\":{},\"id\":\"2545\",\"type\":\"AllLabels\"},{\"attributes\":{\"axis\":{\"id\":\"2414\"},\"coordinates\":null,\"dimension\":1,\"grid_line_alpha\":0.25,\"grid_line_color\":\"#E0E0E0\",\"group\":null,\"ticker\":null},\"id\":\"2417\",\"type\":\"Grid\"},{\"attributes\":{\"axis_label_standoff\":10,\"axis_label_text_color\":\"#E0E0E0\",\"axis_label_text_font\":\"Helvetica\",\"axis_label_text_font_size\":\"1.25em\",\"axis_label_text_font_style\":\"normal\",\"axis_line_alpha\":0,\"axis_line_color\":\"#E0E0E0\",\"coordinates\":null,\"formatter\":{\"id\":\"2373\"},\"group\":null,\"major_label_policy\":{\"id\":\"2374\"},\"major_label_text_color\":\"#E0E0E0\",\"major_label_text_font\":\"Helvetica\",\"major_label_text_font_size\":\"1.025em\",\"major_tick_line_alpha\":0,\"major_tick_line_color\":\"#E0E0E0\",\"minor_tick_line_alpha\":0,\"minor_tick_line_color\":\"#E0E0E0\",\"ticker\":{\"id\":\"2341\"}},\"id\":\"2340\",\"type\":\"LinearAxis\"},{\"attributes\":{},\"id\":\"2423\",\"type\":\"HelpTool\"},{\"attributes\":{},\"id\":\"2395\",\"type\":\"UnionRenderers\"},{\"attributes\":{\"background_fill_color\":\"#3f3f3f\",\"below\":[{\"id\":\"2410\"}],\"border_fill_color\":\"#2f2f2f\",\"center\":[{\"id\":\"2413\"},{\"id\":\"2417\"}],\"height\":150,\"left\":[{\"id\":\"2414\"}],\"min_border\":0,\"outline_line_alpha\":0.25,\"outline_line_color\":\"#E0E0E0\",\"renderers\":[{\"id\":\"2436\"}],\"title\":{\"id\":\"2400\"},\"toolbar\":{\"id\":\"2425\"},\"width\":990,\"x_range\":{\"id\":\"2402\"},\"x_scale\":{\"id\":\"2406\"},\"y_range\":{\"id\":\"2404\"},\"y_scale\":{\"id\":\"2408\"}},\"id\":\"2399\",\"subtype\":\"Figure\",\"type\":\"Plot\"},{\"attributes\":{\"axis\":{\"id\":\"2344\"},\"coordinates\":null,\"dimension\":1,\"grid_line_alpha\":0.25,\"grid_line_color\":\"#E0E0E0\",\"group\":null,\"ticker\":null},\"id\":\"2347\",\"type\":\"Grid\"},{\"attributes\":{\"label\":{\"value\":\"Sim\"},\"renderers\":[{\"id\":\"2384\"}]},\"id\":\"2398\",\"type\":\"LegendItem\"},{\"attributes\":{\"tools\":[{\"id\":\"2348\"},{\"id\":\"2349\"},{\"id\":\"2350\"},{\"id\":\"2351\"},{\"id\":\"2352\"},{\"id\":\"2353\"}]},\"id\":\"2355\",\"type\":\"Toolbar\"},{\"attributes\":{\"coordinates\":null,\"data_source\":{\"id\":\"2380\"},\"glyph\":{\"id\":\"2381\"},\"group\":null,\"hover_glyph\":null,\"muted_glyph\":{\"id\":\"2383\"},\"nonselection_glyph\":{\"id\":\"2382\"},\"view\":{\"id\":\"2385\"}},\"id\":\"2384\",\"type\":\"GlyphRenderer\"},{\"attributes\":{\"source\":{\"id\":\"2380\"}},\"id\":\"2385\",\"type\":\"CDSView\"},{\"attributes\":{},\"id\":\"2411\",\"type\":\"BasicTicker\"},{\"attributes\":{\"axis_label\":\"2theta\",\"axis_label_standoff\":10,\"axis_label_text_color\":\"#E0E0E0\",\"axis_label_text_font\":\"Helvetica\",\"axis_label_text_font_size\":\"1.25em\",\"axis_label_text_font_style\":\"normal\",\"axis_line_alpha\":0,\"axis_line_color\":\"#E0E0E0\",\"coordinates\":null,\"formatter\":{\"id\":\"2547\"},\"group\":null,\"major_label_policy\":{\"id\":\"2548\"},\"major_label_text_color\":\"#E0E0E0\",\"major_label_text_font\":\"Helvetica\",\"major_label_text_font_size\":\"1.025em\",\"major_tick_line_alpha\":0,\"major_tick_line_color\":\"#E0E0E0\",\"minor_tick_line_alpha\":0,\"minor_tick_line_color\":\"#E0E0E0\",\"ticker\":{\"id\":\"2411\"}},\"id\":\"2410\",\"type\":\"LinearAxis\"},{\"attributes\":{},\"id\":\"2348\",\"type\":\"PanTool\"},{\"attributes\":{\"background_fill_color\":\"#3f3f3f\",\"below\":[{\"id\":\"2340\"}],\"border_fill_color\":\"#2f2f2f\",\"center\":[{\"id\":\"2343\"},{\"id\":\"2347\"},{\"id\":\"2378\"}],\"height\":300,\"left\":[{\"id\":\"2344\"}],\"min_border\":0,\"outline_line_alpha\":0.25,\"outline_line_color\":\"#E0E0E0\",\"renderers\":[{\"id\":\"2366\"},{\"id\":\"2384\"}],\"title\":{\"id\":\"2330\"},\"toolbar\":{\"id\":\"2355\"},\"width\":990,\"x_range\":{\"id\":\"2332\"},\"x_scale\":{\"id\":\"2336\"},\"y_range\":{\"id\":\"2334\"},\"y_scale\":{\"id\":\"2338\"}},\"id\":\"2329\",\"subtype\":\"Figure\",\"type\":\"Plot\"},{\"attributes\":{\"line_alpha\":0.1,\"line_color\":\"#d53e4f\",\"line_width\":2,\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"2382\",\"type\":\"Line\"},{\"attributes\":{},\"id\":\"2548\",\"type\":\"AllLabels\"},{\"attributes\":{},\"id\":\"2373\",\"type\":\"BasicTickFormatter\"},{\"attributes\":{\"data\":{\"x\":{\"__ndarray__\":\"ZmZmZmZmEkAzMzMzMzMTQAAAAAAAABRAzczMzMzMFECamZmZmZkVQGZmZmZmZhZAMzMzMzMzF0AAAAAAAAAYQM3MzMzMzBhAmpmZmZmZGUBmZmZmZmYaQDMzMzMzMxtAAAAAAAAAHEDNzMzMzMwcQJqZmZmZmR1AZmZmZmZmHkAzMzMzMzMfQAAAAAAAACBAZmZmZmZmIEDNzMzMzMwgQDMzMzMzMyFAmpmZmZmZIUAAAAAAAAAiQGZmZmZmZiJAzczMzMzMIkAzMzMzMzMjQJqZmZmZmSNAAAAAAAAAJEBmZmZmZmYkQM3MzMzMzCRAMzMzMzMzJUCamZmZmZklQAAAAAAAACZAZmZmZmZmJkDNzMzMzMwmQDMzMzMzMydAmpmZmZmZJ0AAAAAAAAAoQGZmZmZmZihAzczMzMzMKEAzMzMzMzMpQJqZmZmZmSlAAAAAAAAAKkBmZmZmZmYqQM3MzMzMzCpAMzMzMzMzK0CamZmZmZkrQAAAAAAAACxAZmZmZmZmLEDNzMzMzMwsQDMzMzMzMy1AmpmZmZmZLUAAAAAAAAAuQGZmZmZmZi5AzczMzMzMLkAzMzMzMzMvQJqZmZmZmS9AAAAAAAAAMEAzMzMzMzMwQGZmZmZmZjBAmpmZmZmZMEDNzMzMzMwwQAAAAAAAADFAMzMzMzMzMUBmZmZmZmYxQJqZmZmZmTFAzczMzMzMMUAAAAAAAAAyQDMzMzMzMzJAZmZmZmZmMkCamZmZmZkyQM3MzMzMzDJAAAAAAAAAM0AzMzMzMzMzQGZmZmZmZjNAmpmZmZmZM0DNzMzMzMwzQAAAAAAAADRAMzMzMzMzNEBmZmZmZmY0QJqZmZmZmTRAzczMzMzMNEAAAAAAAAA1QDMzMzMzMzVAZmZmZmZmNUCamZmZmZk1QM3MzMzMzDVAAAAAAAAANkAzMzMzMzM2QGZmZmZmZjZAmpmZmZmZNkDNzMzMzMw2QAAAAAAAADdAMzMzMzMzN0BmZmZmZmY3QJqZmZmZmTdAzczMzMzMN0AAAAAAAAA4QDMzMzMzMzhAZmZmZmZmOECamZmZmZk4QM3MzMzMzDhAAAAAAAAAOUAzMzMzMzM5QGZmZmZmZjlAmpmZmZmZOUDNzMzMzMw5QAAAAAAAADpAMzMzMzMzOkBmZmZmZmY6QJqZmZmZmTpAzczMzMzMOkAAAAAAAAA7QDMzMzMzMztAZmZmZmZmO0CamZmZmZk7QM3MzMzMzDtAAAAAAAAAPEAzMzMzMzM8QGZmZmZmZjxAmpmZmZmZPEDNzMzMzMw8QAAAAAAAAD1AMzMzMzMzPUBmZmZmZmY9QJqZmZmZmT1AzczMzMzMPUAAAAAAAAA+QDMzMzMzMz5AZmZmZmZmPkCamZmZmZk+QM3MzMzMzD5AAAAAAAAAP0AzMzMzMzM/QGZmZmZmZj9AmpmZmZmZP0DNzMzMzMw/QAAAAAAAAEBAmpmZmZkZQEAzMzMzMzNAQM3MzMzMTEBAZmZmZmZmQEAAAAAAAIBAQJqZmZmZmUBAMzMzMzOzQEDNzMzMzMxAQGZmZmZm5kBAAAAAAAAAQUCamZmZmRlBQDMzMzMzM0FAzczMzMxMQUBmZmZmZmZBQAAAAAAAgEFAmpmZmZmZQUAzMzMzM7NBQM3MzMzMzEFAZmZmZmbmQUAAAAAAAABCQJqZmZmZGUJAMzMzMzMzQkDNzMzMzExCQGZmZmZmZkJAAAAAAACAQkCamZmZmZlCQDMzMzMzs0JAzczMzMzMQkBmZmZmZuZCQAAAAAAAAENAmpmZmZkZQ0AzMzMzMzNDQM3MzMzMTENAZmZmZmZmQ0AAAAAAAIBDQJqZmZmZmUNAMzMzMzOzQ0DNzMzMzMxDQGZmZmZm5kNAAAAAAAAARECamZmZmRlEQDMzMzMzM0RAzczMzMxMREBmZmZmZmZEQAAAAAAAgERAmpmZmZmZREAzMzMzM7NEQM3MzMzMzERAZmZmZmbmREAAAAAAAABFQJqZmZmZGUVAMzMzMzMzRUDNzMzMzExFQGZmZmZmZkVAAAAAAACARUCamZmZmZlFQDMzMzMzs0VAzczMzMzMRUBmZmZmZuZFQAAAAAAAAEZAmpmZmZkZRkAzMzMzMzNGQM3MzMzMTEZAZmZmZmZmRkAAAAAAAIBGQJqZmZmZmUZAMzMzMzOzRkDNzMzMzMxGQGZmZmZm5kZAAAAAAAAAR0CamZmZmRlHQDMzMzMzM0dAzczMzMxMR0BmZmZmZmZHQAAAAAAAgEdAmpmZmZmZR0AzMzMzM7NHQM3MzMzMzEdAZmZmZmbmR0AAAAAAAABIQJqZmZmZGUhAMzMzMzMzSEDNzMzMzExIQGZmZmZmZkhAAAAAAACASECamZmZmZlIQDMzMzMzs0hAzczMzMzMSEBmZmZmZuZIQAAAAAAAAElAmpmZmZkZSUAzMzMzMzNJQM3MzMzMTElAZmZmZmZmSUAAAAAAAIBJQJqZmZmZmUlAMzMzMzOzSUDNzMzMzMxJQGZmZmZm5klAAAAAAAAASkCamZmZmRlKQDMzMzMzM0pAzczMzMxMSkBmZmZmZmZKQAAAAAAAgEpAmpmZmZmZSkAzMzMzM7NKQM3MzMzMzEpAZmZmZmbmSkAAAAAAAABLQJqZmZmZGUtAMzMzMzMzS0DNzMzMzExLQGZmZmZmZktAAAAAAACAS0CamZmZmZlLQDMzMzMzs0tAzczMzMzMS0BmZmZmZuZLQAAAAAAAAExAmpmZmZkZTEAzMzMzMzNMQM3MzMzMTExAZmZmZmZmTEAAAAAAAIBMQJqZmZmZmUxAMzMzMzOzTEDNzMzMzMxMQGZmZmZm5kxAAAAAAAAATUCamZmZmRlNQDMzMzMzM01AzczMzMxMTUBmZmZmZmZNQAAAAAAAgE1AmpmZmZmZTUAzMzMzM7NNQM3MzMzMzE1AZmZmZmbmTUAAAAAAAABOQJqZmZmZGU5AMzMzMzMzTkDNzMzMzExOQGZmZmZmZk5AAAAAAACATkCamZmZmZlOQDMzMzMzs05AzczMzMzMTkBmZmZmZuZOQAAAAAAAAE9AmpmZmZkZT0AzMzMzMzNPQM3MzMzMTE9AZmZmZmZmT0AAAAAAAIBPQJqZmZmZmU9AMzMzMzOzT0DNzMzMzMxPQGZmZmZm5k9AAAAAAAAAUEDNzMzMzAxQQJqZmZmZGVBAZmZmZmYmUEAzMzMzMzNQQAAAAAAAQFBAzczMzMxMUECamZmZmVlQQGZmZmZmZlBAMzMzMzNzUEAAAAAAAIBQQM3MzMzMjFBAmpmZmZmZUEBmZmZmZqZQQDMzMzMzs1BAAAAAAADAUEDNzMzMzMxQQJqZmZmZ2VBAZmZmZmbmUEAzMzMzM/NQQAAAAAAAAFFAzczMzMwMUUCamZmZmRlRQGZmZmZmJlFAMzMzMzMzUUAAAAAAAEBRQM3MzMzMTFFAmpmZmZlZUUBmZmZmZmZRQDMzMzMzc1FAAAAAAACAUUDNzMzMzIxRQJqZmZmZmVFAZmZmZmamUUAzMzMzM7NRQAAAAAAAwFFAzczMzMzMUUCamZmZmdlRQGZmZmZm5lFAMzMzMzPzUUAAAAAAAABSQM3MzMzMDFJAmpmZmZkZUkBmZmZmZiZSQDMzMzMzM1JAAAAAAABAUkDNzMzMzExSQJqZmZmZWVJAZmZmZmZmUkAzMzMzM3NSQAAAAAAAgFJAzczMzMyMUkCamZmZmZlSQGZmZmZmplJAMzMzMzOzUkAAAAAAAMBSQM3MzMzMzFJAmpmZmZnZUkBmZmZmZuZSQDMzMzMz81JAAAAAAAAAU0DNzMzMzAxTQJqZmZmZGVNAZmZmZmYmU0AzMzMzMzNTQAAAAAAAQFNAzczMzMxMU0CamZmZmVlTQGZmZmZmZlNAMzMzMzNzU0AAAAAAAIBTQM3MzMzMjFNAmpmZmZmZU0BmZmZmZqZTQDMzMzMzs1NAAAAAAADAU0DNzMzMzMxTQJqZmZmZ2VNAZmZmZmbmU0AzMzMzM/NTQAAAAAAAAFRAzczMzMwMVECamZmZmRlUQGZmZmZmJlRAMzMzMzMzVEAAAAAAAEBUQM3MzMzMTFRAmpmZmZlZVEBmZmZmZmZUQDMzMzMzc1RAAAAAAACAVEA=\",\"dtype\":\"float64\",\"order\":\"little\",\"shape\":[388]},\"y\":{\"__ndarray__\":\"5KegqxjNcsBIFxbzyBFgQADYIULbBDnA4MQO4c2aQMBgG9k+3CBBwPCPzlt2D2JAkB3mPF3qVEBwVgKbaYtiQETIDJ9y5XlAAPRf8lhJVEAcEZ3mcbhwwHgdOlSoQW5AYA1W3gaQT0DwId3c00xwwAD+w5J6ET9AACFgBhAuOsCgbAGCngdowIAXOscOl2LA0CFwgoWPaMDYKwbilo1wwND/6kVCSGdA4IdJ4dbDbkAAYvfHznVkQNAZS6Zvd3VAAKAnGMmfAsCQ/RgJJQdlwLC/+1haoWBAwExoPA2cQUDo7QIbrKJawAAe4KbOzDHAwLyBHH/LM0DowWrzwNlvQIAsO0R7z1HAgG1srYf1IsAAacTO20ZjwACOJTg2Pk9ABED51t8EYkCgjIba2thZQJiFS2Djc2/AWCMezpFwccDYh8VjhNZ+wHBYDxf3NYrAYA3EdYS3hMAYVOsietdvwFgJ1YId4WTA8GigQGPrVsBsGJaUKEBmwEAB4XCBe1LAaAlHTXD2VMCQvlhB1Y1QQNh2d1Ftn2bAQHW4hUjdTcBATa44p8tbQECNbPRku1BAEBpmEgjqb0AAjWyj7wNnQBi8IRf6VnRAMP66AhtfZEDoLMyjsvFxQCCrx/kbhF1A4LOyuZKrU0BoPZunjGFfQAC1v+DdNSFAAIsF4nUZSsDAIjIIpyAzwBAwNY1KBUPAwOB3W0fTT8CYo1olPLphwCB8jqgFq1NAQAbhFG7dYkAAOT/oQKFuQGjaVpfTF3JAsBDBvgvJVsCA3fHXrzFZQKCiVmawRUBAMOj/lI25ZsAAPihPLKsiwAC2uZfMo0bAwJMfoldFXsCA4RQ0r1hMQEBRbSjqtk1AAGMQFP2+XsCA1Do55o86QOCcm1xmZU1AAM6O3JHDWkCwlt02Rt5CQKA0cfr/izlAALWSrhJOScAQ6YiD2nN1wHBIGt9D+4HAaG2Gi4vfgsCcPmQHjR2AwDwlMzpEEHHAMKvoQGZFd8AATFPSL68HQOD0tdrR/UzAoIEMrbxDUEDA4llZsE1AQMC3ygK6k2FAAAJOBZ0KW0CA8OzgXEdqQHB06OjDdWRAwJTcxEINUkAwEj0ns7RNQMAoWIRZJShAgC7aAhKqRsCAV/mernc9QEBpTLuaZldAwEy3FJ9ZV0DA0AYVMmZMwABpPUtTsjTAAPntdnJ5IMBAaXIBqp1FQKDHpQ0eQVhAQMTn1mkFZ0AABzs+JvE2QAAPzWsdgiZAIHZhlCU6U0DwJ3MYVtNZwAClpVVDElLAADLwLjUbRkBwmF+Kht9lwOBMVZXtilHAaDyWtLaeWsBwu7O7ZsBWwHyLbcA2YmjAQClQV6lcYcDYekuSS/BqwOAU4VZYVFnA0LSReG+9XcDA40UW3Bs2QKABKA5mGWZAYJwsDD86XkCAK0p+jGdeQAB+tzpHXhlAALTuxJLyI8AA898uzvQgQIgyw/2v62XAAJ3C6gFcVsDw4ivX3C5GQCDSYUUn8GJAgGHE+JD4TEAAaaRjCEwkQPiW73FZQmFAMGkv+AgCUUCAAPoq4S1GwACqCJK09AhAAMvPerLUXsDg2dXauyRUwECKkcpGsDLAcI3qctI8QcB4HCaMzt5YwECwVX2nXEDAYGOdOl62TMBgyWgx/jROwADyICpYfiLAQCPigk6FQkBAJOzNP/REQEAZTIpZtUNAAFhes1qlPECAj3myLBRVwACDziem6yTAAO1DFYD1LECgqxsQU+FEQACEeZ/Hfz3AAHSN+ogoVEDAaOKPu6c1wEA2I0yJiVBAoGtHUhcfUECA2E1fh0dXQEAu4sKMgUzAgPc7RGDrTMBARs9P4UNhwGDXtWymtmHAsPdsXNbFYMBAid+JAeo/QAC3nM9VSBBAANAlaf4hJEBAROJpKPQ2wABwkSQoVyrAwDCJLvHjR0AAOVvjjVs6QOCnlYxjdVxAIAXncKHCRkAAYLA/saMEwAD7uKb7by/AQHcV5in0N0AIpstvESZkQACiCXhTQkBAACagcH2xNsDAbylHRgRWQGBfsO9kAFpA8Nwmd6aLYkDg61SCDC1cQEADM8ZkhzNAgMh0wYxDSsAAxB35nhpewIAxyBHRTVjAoM1lZU73Z8AwHMAffU1RwIAshNSS9FrA4OOgGWTGQ8A0+8cBMhBgwEBraJfvOCNAgH6ywNyNI8DALrLno/c+QABzX85niFDAgCqsC3kMI0Dg50do1HNMwKChP/kqJU9AQILhzuhEX0DARENN+xlZQAArQkRZ+1VAQMQTEZVZR0AgHzoZ/zJGQJAlprkWYlLAsDFVC5hVUMDgk485h+tKwLAt8SFBFlnAQJ+V6PlZXcCAs850p0tGwOCa1yKNf0lAwDAq7ktqV0AQWoVlrpFbQICrz4r4q1VA4OmS16s5U0AAZ+yTUNFFwGBnX8gAWklAEHRMXwH3VsCwhUCN3ztWwPDRviwkNlfAkEGf2itTUcAQonk+dm1EQCB4UoQha0PAQH2Ha/FFRMAAZltuy5IvQEAE+8JegTPAgHP+yRiCFkAgPS4RHCUxQABQ9mRpawjAOKGTLKK6UMBAg2pJ+AFPwMDHo2LxUUrAiErl48JRVMDAsbVPxtJIwPCNiSBIVEjAsOo1TImQSMAA4jzqbML5v0CqDMhAV1DAwENUcio5McAAN/7I+IQRQFg+4oKeCGpA4NCvpO/VT0DAtaqhHydcQNBslgMdFFlAALfM/fHePkAA9LZrZ2sFQDBf4d7gjlfAwDFOzl2UTsCAUsSQWbAzwICd/+EN+lnAIEULv4lzVcBgmhYXzfNAwACcsxIHXwxAYL5Qlrf4QEAA+TG68cEiwADOWMQ5sTVAoJyWw08pNMAAtk8ltYfzPwDYxzx+dPm/AHObJKI6J0BArDxmxV8/QHC21nL5o1JAoABsKX/5SEAYeLoSZTdgQKDYgAIqWlxAEC00GrhIXECQFgJ7VzRRQIA8CBLrmj9AgPLQxJ5WWMBI7cl/rB5iwDhPtuQR/2HAYJc3gmyvUcDAZDtap4Y6wOADoQ88l13AAODzDfzkyT+YHw8N+w1XwCBnjni34FjA0FOw8g1JWMAAke7+mhw0wABTQog+5hrAgD3bh9PBGcAguXfe3ctKwKCHFiEus0vAQKI4R5vLTEAAFwvymGQnwLBjaKzgVkFAoJ04Wgb3VkCgGF22yLpPwIA59Hil5THAgGJ6AQi1VUAQ8bqCZUJUQDj6bvLMf2BAQNIMUt0MSUCI/XEkTxRiQAAxGR/RgT9AgNTb0lFNT0CAIYABnts/QABH+VzUmhLA4ASPzeDTVMBoTanW6V1hwCBvc7shL1/AMK++VoDmYcAgE+5drg1LwGD3OXjB1krAAD0MWjpjLMCQ37kGvItXwAC2Rwwg3FzAACaa+8cFGsBg+YzN4lBbwICGhU82rkJAgEGT2PqUKUBgtz3vqwZHQCCLrB9IQkVA8PVjIV7pV0CAQ4hFzM9BQIBvVhHs+TZAAPy/3b/+CUAgmrqOFtJWQIAuRdq9y0xAAIs1X1GTIEAAJ0z9kUwyQIClqlsFyjfAwGvaYwKiNECgAaf7fMdSQICvuOPoSDzA0H0kL9SwU8Dgi11fwCBTwADdrTYuSyxAQKcJtJjTUEAA44LaDeNGQMCYyl1WQktAgFPGtOXjN0CAmZXt7zFQwCC4Sdyp20/AgP68bmi2KECg4qZM5UFQQACCqae8gUhAADpPaHSBSEAASvnhtC8TwACzmoWsRRhA4Dki98/dVMAAS82yd3QnwKAhr+ab40xAEO1WlkaOUkCgpGn5A8RJwMCr8iU33zdAAAcMXvPGQUAAmlwxjYY9QEAvqw10rkFAYG4eTlpGQsCgslT96/VcwJAPmfazzV/AIG6yim+nUMDQVEOQTdBbwMA1Gj6gBVfAAH8nzBQDGkAAUY1VxMxQwAAaoRq3cAJAAMCkWTy9LsCAjC4Rm+JMwEDV5wHV7kXAAETb/m08MECgFIwIF1ZWQIBwa9pN7DlAAIjckmWHKcDgJyedDgxXQCAL+W3+OkBAgE9rkM7FNEAwenavJ/5bQADyhpsBgTJAwLUOG5BWPkBAWmL4uuxSwIC980z//izAQDCovfkwMMCAT3H86OhDQAAIbAfCeQTAoICr1rxnTsA=\",\"dtype\":\"float64\",\"order\":\"little\",\"shape\":[388]}},\"selected\":{\"id\":\"2555\"},\"selection_policy\":{\"id\":\"2554\"}},\"id\":\"2432\",\"type\":\"ColumnDataSource\"},{\"attributes\":{},\"id\":\"2396\",\"type\":\"Selection\"},{\"attributes\":{\"tools\":[{\"id\":\"2418\"},{\"id\":\"2419\"},{\"id\":\"2420\"},{\"id\":\"2421\"},{\"id\":\"2422\"},{\"id\":\"2423\"}]},\"id\":\"2425\",\"type\":\"Toolbar\"}],\"root_ids\":[\"2438\"]},\"title\":\"Bokeh Application\",\"version\":\"2.4.3\"}};\n const render_items = [{\"docid\":\"55f573f9-e5f7-44ea-98a0-08fcf3b9547d\",\"root_ids\":[\"2438\"],\"roots\":{\"2438\":\"ca388338-57b0-4c57-9639-599512ddd63f\"}}];\n root.Bokeh.embed.embed_items_notebook(docs_json, render_items);\n }\n if (root.Bokeh !== undefined) {\n embed_document(root);\n } else {\n let attempts = 0;\n const timer = setInterval(function(root) {\n if (root.Bokeh !== undefined) {\n clearInterval(timer);\n embed_document(root);\n } else {\n attempts++;\n if (attempts > 100) {\n clearInterval(timer);\n console.log(\"Bokeh: ERROR: Unable to run BokehJS code because BokehJS library is missing\");\n }\n }\n }, 10, root)\n }\n})(window);", - "application/vnd.bokehjs_exec.v0+json": "" - }, - "metadata": { - "application/vnd.bokehjs_exec.v0+json": { - "id": "2438" - } - }, - "output_type": "display_data" + "execution_count": null, + "metadata": { + "collapsed": false, + "pycharm": { + "name": "#%%\n" } - ], + }, + "outputs": [], "source": [ "p1 = figure(**opts, title='Polarization, U + D')\n", "p1.scatter(x_[0::2], res.y_obs[0::2], legend='U + D', color=Spectral6[0])\n", @@ -1184,38 +939,18 @@ "p11.line(x_[0::2], res.y_obs[0::2] - res.y_calc[0::2], line_width=2, color=Spectral6[1])\n", "p11.xaxis.axis_label = '2theta'\n", "show(column(p1, p11))" - ], + ] + }, + { + "cell_type": "code", + "execution_count": null, "metadata": { "collapsed": false, "pycharm": { "name": "#%%\n" } - } - }, - { - "cell_type": "code", - "execution_count": 31, - "outputs": [ - { - "data": { - "text/html": "\n
\n" - }, - "metadata": {}, - "output_type": "display_data" - }, - { - "data": { - "application/javascript": "(function(root) {\n function embed_document(root) {\n const docs_json = {\"cbc1eb52-6f47-4934-8458-59b8b9026eb3\":{\"defs\":[{\"extends\":null,\"module\":null,\"name\":\"ReactiveHTML1\",\"overrides\":[],\"properties\":[]},{\"extends\":null,\"module\":null,\"name\":\"FlexBox1\",\"overrides\":[],\"properties\":[{\"default\":\"flex-start\",\"kind\":null,\"name\":\"align_content\"},{\"default\":\"flex-start\",\"kind\":null,\"name\":\"align_items\"},{\"default\":\"row\",\"kind\":null,\"name\":\"flex_direction\"},{\"default\":\"wrap\",\"kind\":null,\"name\":\"flex_wrap\"},{\"default\":\"flex-start\",\"kind\":null,\"name\":\"justify_content\"}]},{\"extends\":null,\"module\":null,\"name\":\"GridStack1\",\"overrides\":[],\"properties\":[{\"default\":\"warn\",\"kind\":null,\"name\":\"mode\"},{\"default\":null,\"kind\":null,\"name\":\"ncols\"},{\"default\":null,\"kind\":null,\"name\":\"nrows\"},{\"default\":true,\"kind\":null,\"name\":\"allow_resize\"},{\"default\":true,\"kind\":null,\"name\":\"allow_drag\"},{\"default\":[],\"kind\":null,\"name\":\"state\"}]},{\"extends\":null,\"module\":null,\"name\":\"click1\",\"overrides\":[],\"properties\":[{\"default\":\"\",\"kind\":null,\"name\":\"terminal_output\"},{\"default\":\"\",\"kind\":null,\"name\":\"debug_name\"},{\"default\":0,\"kind\":null,\"name\":\"clears\"}]},{\"extends\":null,\"module\":null,\"name\":\"NotificationAreaBase1\",\"overrides\":[],\"properties\":[{\"default\":\"bottom-right\",\"kind\":null,\"name\":\"position\"},{\"default\":0,\"kind\":null,\"name\":\"_clear\"}]},{\"extends\":null,\"module\":null,\"name\":\"NotificationArea1\",\"overrides\":[],\"properties\":[{\"default\":[],\"kind\":null,\"name\":\"notifications\"},{\"default\":\"bottom-right\",\"kind\":null,\"name\":\"position\"},{\"default\":0,\"kind\":null,\"name\":\"_clear\"},{\"default\":[{\"background\":\"#ffc107\",\"icon\":{\"className\":\"fas fa-exclamation-triangle\",\"color\":\"white\",\"tagName\":\"i\"},\"type\":\"warning\"},{\"background\":\"#007bff\",\"icon\":{\"className\":\"fas fa-info-circle\",\"color\":\"white\",\"tagName\":\"i\"},\"type\":\"info\"}],\"kind\":null,\"name\":\"types\"}]},{\"extends\":null,\"module\":null,\"name\":\"Notification\",\"overrides\":[],\"properties\":[{\"default\":null,\"kind\":null,\"name\":\"background\"},{\"default\":3000,\"kind\":null,\"name\":\"duration\"},{\"default\":null,\"kind\":null,\"name\":\"icon\"},{\"default\":\"\",\"kind\":null,\"name\":\"message\"},{\"default\":null,\"kind\":null,\"name\":\"notification_type\"},{\"default\":false,\"kind\":null,\"name\":\"_destroyed\"}]},{\"extends\":null,\"module\":null,\"name\":\"TemplateActions1\",\"overrides\":[],\"properties\":[{\"default\":0,\"kind\":null,\"name\":\"open_modal\"},{\"default\":0,\"kind\":null,\"name\":\"close_modal\"}]},{\"extends\":null,\"module\":null,\"name\":\"MaterialTemplateActions1\",\"overrides\":[],\"properties\":[{\"default\":0,\"kind\":null,\"name\":\"open_modal\"},{\"default\":0,\"kind\":null,\"name\":\"close_modal\"}]}],\"roots\":{\"references\":[{\"attributes\":{\"children\":[{\"id\":\"2667\"},{\"id\":\"2737\"}]},\"id\":\"2776\",\"type\":\"Column\"},{\"attributes\":{\"overlay\":{\"id\":\"2762\"}},\"id\":\"2758\",\"type\":\"BoxZoomTool\"},{\"attributes\":{\"data\":{\"x\":{\"__ndarray__\":\"ZmZmZmZmEkAzMzMzMzMTQAAAAAAAABRAzczMzMzMFECamZmZmZkVQGZmZmZmZhZAMzMzMzMzF0AAAAAAAAAYQM3MzMzMzBhAmpmZmZmZGUBmZmZmZmYaQDMzMzMzMxtAAAAAAAAAHEDNzMzMzMwcQJqZmZmZmR1AZmZmZmZmHkAzMzMzMzMfQAAAAAAAACBAZmZmZmZmIEDNzMzMzMwgQDMzMzMzMyFAmpmZmZmZIUAAAAAAAAAiQGZmZmZmZiJAzczMzMzMIkAzMzMzMzMjQJqZmZmZmSNAAAAAAAAAJEBmZmZmZmYkQM3MzMzMzCRAMzMzMzMzJUCamZmZmZklQAAAAAAAACZAZmZmZmZmJkDNzMzMzMwmQDMzMzMzMydAmpmZmZmZJ0AAAAAAAAAoQGZmZmZmZihAzczMzMzMKEAzMzMzMzMpQJqZmZmZmSlAAAAAAAAAKkBmZmZmZmYqQM3MzMzMzCpAMzMzMzMzK0CamZmZmZkrQAAAAAAAACxAZmZmZmZmLEDNzMzMzMwsQDMzMzMzMy1AmpmZmZmZLUAAAAAAAAAuQGZmZmZmZi5AzczMzMzMLkAzMzMzMzMvQJqZmZmZmS9AAAAAAAAAMEAzMzMzMzMwQGZmZmZmZjBAmpmZmZmZMEDNzMzMzMwwQAAAAAAAADFAMzMzMzMzMUBmZmZmZmYxQJqZmZmZmTFAzczMzMzMMUAAAAAAAAAyQDMzMzMzMzJAZmZmZmZmMkCamZmZmZkyQM3MzMzMzDJAAAAAAAAAM0AzMzMzMzMzQGZmZmZmZjNAmpmZmZmZM0DNzMzMzMwzQAAAAAAAADRAMzMzMzMzNEBmZmZmZmY0QJqZmZmZmTRAzczMzMzMNEAAAAAAAAA1QDMzMzMzMzVAZmZmZmZmNUCamZmZmZk1QM3MzMzMzDVAAAAAAAAANkAzMzMzMzM2QGZmZmZmZjZAmpmZmZmZNkDNzMzMzMw2QAAAAAAAADdAMzMzMzMzN0BmZmZmZmY3QJqZmZmZmTdAzczMzMzMN0AAAAAAAAA4QDMzMzMzMzhAZmZmZmZmOECamZmZmZk4QM3MzMzMzDhAAAAAAAAAOUAzMzMzMzM5QGZmZmZmZjlAmpmZmZmZOUDNzMzMzMw5QAAAAAAAADpAMzMzMzMzOkBmZmZmZmY6QJqZmZmZmTpAzczMzMzMOkAAAAAAAAA7QDMzMzMzMztAZmZmZmZmO0CamZmZmZk7QM3MzMzMzDtAAAAAAAAAPEAzMzMzMzM8QGZmZmZmZjxAmpmZmZmZPEDNzMzMzMw8QAAAAAAAAD1AMzMzMzMzPUBmZmZmZmY9QJqZmZmZmT1AzczMzMzMPUAAAAAAAAA+QDMzMzMzMz5AZmZmZmZmPkCamZmZmZk+QM3MzMzMzD5AAAAAAAAAP0AzMzMzMzM/QGZmZmZmZj9AmpmZmZmZP0DNzMzMzMw/QAAAAAAAAEBAmpmZmZkZQEAzMzMzMzNAQM3MzMzMTEBAZmZmZmZmQEAAAAAAAIBAQJqZmZmZmUBAMzMzMzOzQEDNzMzMzMxAQGZmZmZm5kBAAAAAAAAAQUCamZmZmRlBQDMzMzMzM0FAzczMzMxMQUBmZmZmZmZBQAAAAAAAgEFAmpmZmZmZQUAzMzMzM7NBQM3MzMzMzEFAZmZmZmbmQUAAAAAAAABCQJqZmZmZGUJAMzMzMzMzQkDNzMzMzExCQGZmZmZmZkJAAAAAAACAQkCamZmZmZlCQDMzMzMzs0JAzczMzMzMQkBmZmZmZuZCQAAAAAAAAENAmpmZmZkZQ0AzMzMzMzNDQM3MzMzMTENAZmZmZmZmQ0AAAAAAAIBDQJqZmZmZmUNAMzMzMzOzQ0DNzMzMzMxDQGZmZmZm5kNAAAAAAAAARECamZmZmRlEQDMzMzMzM0RAzczMzMxMREBmZmZmZmZEQAAAAAAAgERAmpmZmZmZREAzMzMzM7NEQM3MzMzMzERAZmZmZmbmREAAAAAAAABFQJqZmZmZGUVAMzMzMzMzRUDNzMzMzExFQGZmZmZmZkVAAAAAAACARUCamZmZmZlFQDMzMzMzs0VAzczMzMzMRUBmZmZmZuZFQAAAAAAAAEZAmpmZmZkZRkAzMzMzMzNGQM3MzMzMTEZAZmZmZmZmRkAAAAAAAIBGQJqZmZmZmUZAMzMzMzOzRkDNzMzMzMxGQGZmZmZm5kZAAAAAAAAAR0CamZmZmRlHQDMzMzMzM0dAzczMzMxMR0BmZmZmZmZHQAAAAAAAgEdAmpmZmZmZR0AzMzMzM7NHQM3MzMzMzEdAZmZmZmbmR0AAAAAAAABIQJqZmZmZGUhAMzMzMzMzSEDNzMzMzExIQGZmZmZmZkhAAAAAAACASECamZmZmZlIQDMzMzMzs0hAzczMzMzMSEBmZmZmZuZIQAAAAAAAAElAmpmZmZkZSUAzMzMzMzNJQM3MzMzMTElAZmZmZmZmSUAAAAAAAIBJQJqZmZmZmUlAMzMzMzOzSUDNzMzMzMxJQGZmZmZm5klAAAAAAAAASkCamZmZmRlKQDMzMzMzM0pAzczMzMxMSkBmZmZmZmZKQAAAAAAAgEpAmpmZmZmZSkAzMzMzM7NKQM3MzMzMzEpAZmZmZmbmSkAAAAAAAABLQJqZmZmZGUtAMzMzMzMzS0DNzMzMzExLQGZmZmZmZktAAAAAAACAS0CamZmZmZlLQDMzMzMzs0tAzczMzMzMS0BmZmZmZuZLQAAAAAAAAExAmpmZmZkZTEAzMzMzMzNMQM3MzMzMTExAZmZmZmZmTEAAAAAAAIBMQJqZmZmZmUxAMzMzMzOzTEDNzMzMzMxMQGZmZmZm5kxAAAAAAAAATUCamZmZmRlNQDMzMzMzM01AzczMzMxMTUBmZmZmZmZNQAAAAAAAgE1AmpmZmZmZTUAzMzMzM7NNQM3MzMzMzE1AZmZmZmbmTUAAAAAAAABOQJqZmZmZGU5AMzMzMzMzTkDNzMzMzExOQGZmZmZmZk5AAAAAAACATkCamZmZmZlOQDMzMzMzs05AzczMzMzMTkBmZmZmZuZOQAAAAAAAAE9AmpmZmZkZT0AzMzMzMzNPQM3MzMzMTE9AZmZmZmZmT0AAAAAAAIBPQJqZmZmZmU9AMzMzMzOzT0DNzMzMzMxPQGZmZmZm5k9AAAAAAAAAUEDNzMzMzAxQQJqZmZmZGVBAZmZmZmYmUEAzMzMzMzNQQAAAAAAAQFBAzczMzMxMUECamZmZmVlQQGZmZmZmZlBAMzMzMzNzUEAAAAAAAIBQQM3MzMzMjFBAmpmZmZmZUEBmZmZmZqZQQDMzMzMzs1BAAAAAAADAUEDNzMzMzMxQQJqZmZmZ2VBAZmZmZmbmUEAzMzMzM/NQQAAAAAAAAFFAzczMzMwMUUCamZmZmRlRQGZmZmZmJlFAMzMzMzMzUUAAAAAAAEBRQM3MzMzMTFFAmpmZmZlZUUBmZmZmZmZRQDMzMzMzc1FAAAAAAACAUUDNzMzMzIxRQJqZmZmZmVFAZmZmZmamUUAzMzMzM7NRQAAAAAAAwFFAzczMzMzMUUCamZmZmdlRQGZmZmZm5lFAMzMzMzPzUUAAAAAAAABSQM3MzMzMDFJAmpmZmZkZUkBmZmZmZiZSQDMzMzMzM1JAAAAAAABAUkDNzMzMzExSQJqZmZmZWVJAZmZmZmZmUkAzMzMzM3NSQAAAAAAAgFJAzczMzMyMUkCamZmZmZlSQGZmZmZmplJAMzMzMzOzUkAAAAAAAMBSQM3MzMzMzFJAmpmZmZnZUkBmZmZmZuZSQDMzMzMz81JAAAAAAAAAU0DNzMzMzAxTQJqZmZmZGVNAZmZmZmYmU0AzMzMzMzNTQAAAAAAAQFNAzczMzMxMU0CamZmZmVlTQGZmZmZmZlNAMzMzMzNzU0AAAAAAAIBTQM3MzMzMjFNAmpmZmZmZU0BmZmZmZqZTQDMzMzMzs1NAAAAAAADAU0DNzMzMzMxTQJqZmZmZ2VNAZmZmZmbmU0AzMzMzM/NTQAAAAAAAAFRAzczMzMwMVECamZmZmRlUQGZmZmZmJlRAMzMzMzMzVEAAAAAAAEBUQM3MzMzMTFRAmpmZmZlZVEBmZmZmZmZUQDMzMzMzc1RAAAAAAACAVEA=\",\"dtype\":\"float64\",\"order\":\"little\",\"shape\":[388]},\"y\":{\"__ndarray__\":\"gynKee2YIUBoixlMKNQhQDq7PZ2USCJAvknRB9kAI0A4U1iyNw0kQLMPIF1ehiVAJwFRgzuSJ0D9F6mgmGwqQPX1tJUfdy5Ap7gLGmwsMkARoKyKAqA2QHbbNC+/uj1AFIGkgRVLa0D4Kgsat/OJQNi4D9qZyaBAdQJSuTFrq0DJbQDGSoirQCSHzPix7aBAkdh4zfMaikCips1vaapqQPBhUGDwREdAgBlDcKKdLEAA6Mrr6c0kQADxrjYbsx9AAIfpIakTGUAAySwIoXQUQOBxDXeDHBFAGEAeToU5DUBYUM//TGAJQGSWo2ZuUgZA3PjEFObQA0Dg6TaZ3awBQMC52WF/f/8/YEpiqVHJ+z9YWnqzEOL3P0As9wqqUvM/MPHr6N+t6j+gz+dXOG/+v0CRhvGani7A/Pwh7bmAT8DUkjJSpv5jwFB4uWgxeG/APNHY24lHbsCIMxEGocthwGxsihkssUnAHDniy8onJcAA3eXLK6rSP4jmvPLPTQZAFMa96p4/DkCwa0U7vCIoQCSUb7Zn70RAYGk9BMH6XUDQXfq2fyFuQGTA+q7hN3VA3DZoeb6weUDpiR8uqWOBQJoP+ekfyIZAHGStQEbShUBwx5W7E3N7QFEMZtOdtmZAcC1LJzieSUCf2IE0aaInQMAwpdMtUgVAINQZMxfA8D9wySJkuFzmv1nveXP3yzvA9aNjx8gBXsAAuVi042V2wPB5Q91qpYbAoqpf5NGtjsBP2zRk5XqLwAqMC3afToDA7BxOPkuOacB0KeNn2qc1wGbf7U+IwGBAwHdoyk1ffUDslu8aZSCRQG11Qx2x3ZtAbhk2Dxg5n0C+OtoFWu6XQGCTI6xAZolAFtG800UGc0AsP6+pw3FVQDgJTJVXiTdAFOR/HqNIIkA4LZo+oCofQEThjSODmidAdIVEMvqmOUAYiNkQdIJOQBSCPPnT6V1ADNylJSsOZkD4bos5scNnQAAL47ZYpWJAID89ElKcW0De1LhR1OJfQGdXkSmGG3BAcH5l3NI/f0C21JtXBW2HQNjIjg3QJIpAC7my/HyChUA4uXqINFF6QLRybBItV2hA14wMH/3oUUAd2hlmCAlBQJzU9o1C3UdAVcdrThORYEA7uqola89zQO1qnvHPy4JAURcQx5iui0BRNumFKWaPQJ2XRLowYotAZafRc7PogkB8ex5nEg53QDglb3ciYHBAhLw+0+4mcEBc0RyvnzNxQPBaBLtWK29AsBirARbBZkAoFi7vLzpaQKjTLIciAkdAYJdQdii4JECYIPVvgx0wwE4McrN3Y0jAst2Ugu9UVsBgTzivSy5gwPK12FwZrmLA2Ey23tewYMDbp4rIc7hVwAD/S8dz3jTA4HEu1uyVTEC1Tg1/PgxiQLbGKYKZuGxAtfmQJ0IRckBdVvHFb1dyQHaZS7ltS25Ay1+/BDHbY0Ba78x4zUNSQCCmLfL2jwZAfWMwj4NwR8APFihhI/JSwNiGmkeKu1TAhvysv2wlUMB4dMJJuhQ+wEBCX3g8CCNA+PleuQ8gRUCACR554/NNQKh4PT+igU5AqMeh3r4iSUB4VeotUx9CQEjxcgV5cjlAqArWZmecNUAEmHn2nbI4QEyHc9rGRT9AWBn0b/0OQ0B0yTOJowtGQKyMBBpqQUhAgCL+1MIvSkBwmRmVNsZLQDh+B8eUk0xA6HHvZbeGS0BwuqNw/FZJQARbijoVEUhAGCXABC4QSkAwJpaeBkhSQBCFPh8vclpALa4ulDsZY0AkjIgqGLpqQMBAdmzs/3FAXOL2vUA7d0CgSIAXW0B8QNI1hjMqx39AbFHafQA0gED+gSk9daV9QK6BwH+lUXhAZArASL08ckDk/dVBUP1pQPaK1brKZ2NACI2fMgzoYECMDZYYhsBhQPAXbVxC2GRAkL4ByTvZaEA0m32mymdtQArYG6feX3BAmTkhZGzecEAGz85ByahvQICRvO7K3mpAUStp6vs+ZEBOe7CXouBaQJDerh4eqk9AkOCY1MIVQ0DY3omkB/NAQKiEU+RDdUdAwDSw7Xh2UUAAvZJa4f5WQIRkzbbILlpAZM3i/DjCWUA8BjBKemhVQEi6mg11uExAcCAcB7KhOUCAp1GlSDcFwMCcm1pu6jXAcMyhjh6LPcAo720JRhs6wPD2cTwPAizAgCBVB4JBCEAge3wzQKw2QDY6c3f7U0VAuBEYwDN2T0DK050VTihVQGIdb7PUKltA9Ye07OvWYEAUr+7zbydkQJRzMTdVIGdABGmyhUxMaUDW1jKu2mJqQKg03sKQYGpANO9F9VUzaUA8CrHJVj1nQPxRRC4NCWVAYMH6rmUwY0BSkOIUPCxiQEhuHi5XMmJAqDhGWVwnY0D6fWyscJtkQIjtV5DtLWZA/gCHStYmZ0AkWePkoCBnQKg6DtK322VAnnJCSfy1Y0CI7g6fv+VgQEKIBXrlyltAaLq1XXFbVkBSK75e5P5RQBBsSpG5tk1AVIFmlnpBSUC+J8YCAwRGQEQ70Ac0BUNA8KcUQXyMP0BESPZ6bv43QBjChZro7TBAEODX7Mb4JUAA9sbSZ9MaQIB93dmeVBVAgE8GOGosGUDw2v0LpTQjQKDOsFC+fS1AcNXUh90yNUDAuHJkmkI8QKBpXyOF40FAZAnSHwLqRUCQsSsjOb9JQDC/EXi28kxAWMMOeT9VT0B81krHTQdQQJDeJyh12k5AKFKDMSqkS0BAseVOXrtGQChg0QvgsUBA4AOiiSkNNUBA518f/mElQACV80fsYw5AAHbU+qnb9z+ApdIWMc4PQMDi0+vAPCVAgPEhyA6LNEDYV9NMNMQ/QCwqIufnnEVA6BIV9F7zSkAMJpzPxXtPQJatA/2GhVFAFuz4yxjzUkAUrgI5bQBUQHgt3859w1RA+GLr8ixoVUD4OCbNV9xVQAjdBlc2PlZAMGQ7jCR7VkDQSFLNb5ZWQDgWDrnIilZASHtLNCVEVkDYgRVDhrxVQCipbI0ZCVVAjLUTO/UjVEDcV08HzBlTQPABkGkd/1FA5pKIbI7mUEBMHbkoVopPQKCyn+QVSk1AsK9GDRoES0A4JRXgjPdIQN4FFqUODUdAOOdEzBxkRUBi3plGm6REQAoZ8jkFLERAPj7AviRMRECAEb3PDEtFQIBLUWxn/EZAnJmmykJISUBg30V8JDtMQCh2tAbFsU9ACAF0MAC1UUBwcMcYj6RTQFSby5aTkFVAvDlvdeNUV0A051BPSOlYQPBa7HCSH1pA+KnD3EzaWkAgcUIUYRBbQGj0VIg/qFpAeGG7btatWUAw+LBc5TZYQEB2VPT7ZFZAmDw++s5gVED8CK80l1BSQFwlnrZmV1BAUAwZ8MEyTUBod3C22SNKQPA94W0lsEdA7EJk9uHQRUAcr6hOkHZEQKBH+SoshENAUMZlhbPjQkB8KmmHxZFCQOwGMsHdZkJAyIN9fJ5XQkBIaZviritCQOCYNwL/RkJAUG1n/qdLQkBwkC1sZU5CQOil36XSSUJAmLOAMis1QkBwNk4TxQlCQAgz56/hwkFAGEJxHQxYQUCIX39sK7dAQODvYloi6T9AIOzN/BD4PUDgVXFVorE7QIA/aM01DDlAsN3J+sEsNkBQ6ujFrCgzQFBU9A0+MzBAoNg/g2a/KkCg+by6+4MlQCCmrovmbCFAwA/tLJPhHEBAAhL59d4YQEB81tjYJxdAAKx9pKOkF0CATIpShDQaQADAh6Mchx5AIEFfAh9NIkAAPYOIjL0lQCDIuQli0ClAwEOr48MlLkDQe0Y9LVAxQJDVfdXsgzNAACOA1gCwNUAw4jen5+M3QBDfWFMS6jlAQO6gcUy7O0BgLyOc/GE9QJDriPBJxT5AUNj5CN3iP0Aoq7j/8FRAQCh9CfLylEBAiDxpVCarQECIkMj0DJJAQJgy+VxMVUBAkBABo7juP0CgKnNIrBA/QLCuLvEjDD5AIMoRAl71PEAQ0n+dNOA7QECci1WO2TpA0Cpp+lHpOUDAuvKX7xs5QKByUHCJdzhAoAklxdwFOEBQRg0MZb03QJDyZC+KmTdA8A77ac6SN0DgwXdba5Y3QDCtCx5FsDdAsDvlSWzHN0CQkPknedI3QKCcJF5ZwzdA4CLjOQOVN0A=\",\"dtype\":\"float64\",\"order\":\"little\",\"shape\":[388]}},\"selected\":{\"id\":\"2734\"},\"selection_policy\":{\"id\":\"2733\"}},\"id\":\"2718\",\"type\":\"ColumnDataSource\"},{\"attributes\":{\"source\":{\"id\":\"2770\"}},\"id\":\"2775\",\"type\":\"CDSView\"},{\"attributes\":{\"tools\":[{\"id\":\"2756\"},{\"id\":\"2757\"},{\"id\":\"2758\"},{\"id\":\"2759\"},{\"id\":\"2760\"},{\"id\":\"2761\"}]},\"id\":\"2763\",\"type\":\"Toolbar\"},{\"attributes\":{\"source\":{\"id\":\"2718\"}},\"id\":\"2723\",\"type\":\"CDSView\"},{\"attributes\":{},\"id\":\"2708\",\"type\":\"BasicTickFormatter\"},{\"attributes\":{},\"id\":\"2670\",\"type\":\"DataRange1d\"},{\"attributes\":{},\"id\":\"2689\",\"type\":\"SaveTool\"},{\"attributes\":{},\"id\":\"2711\",\"type\":\"BasicTickFormatter\"},{\"attributes\":{\"label\":{\"value\":\"Sim\"},\"renderers\":[{\"id\":\"2722\"}]},\"id\":\"2736\",\"type\":\"LegendItem\"},{\"attributes\":{\"fill_alpha\":{\"value\":0.2},\"fill_color\":{\"value\":\"#3288bd\"},\"hatch_alpha\":{\"value\":0.2},\"hatch_color\":{\"value\":\"#3288bd\"},\"line_alpha\":{\"value\":0.2},\"line_color\":{\"value\":\"#3288bd\"},\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"2703\",\"type\":\"Scatter\"},{\"attributes\":{},\"id\":\"2908\",\"type\":\"AllLabels\"},{\"attributes\":{},\"id\":\"2683\",\"type\":\"BasicTicker\"},{\"attributes\":{\"axis\":{\"id\":\"2748\"},\"coordinates\":null,\"grid_line_alpha\":0.25,\"grid_line_color\":\"#E0E0E0\",\"group\":null,\"ticker\":null},\"id\":\"2751\",\"type\":\"Grid\"},{\"attributes\":{},\"id\":\"2759\",\"type\":\"SaveTool\"},{\"attributes\":{\"source\":{\"id\":\"2700\"}},\"id\":\"2705\",\"type\":\"CDSView\"},{\"attributes\":{},\"id\":\"2756\",\"type\":\"PanTool\"},{\"attributes\":{},\"id\":\"2714\",\"type\":\"Selection\"},{\"attributes\":{},\"id\":\"2914\",\"type\":\"UnionRenderers\"},{\"attributes\":{\"coordinates\":null,\"data_source\":{\"id\":\"2718\"},\"glyph\":{\"id\":\"2719\"},\"group\":null,\"hover_glyph\":null,\"muted_glyph\":{\"id\":\"2721\"},\"nonselection_glyph\":{\"id\":\"2720\"},\"view\":{\"id\":\"2723\"}},\"id\":\"2722\",\"type\":\"GlyphRenderer\"},{\"attributes\":{},\"id\":\"2753\",\"type\":\"BasicTicker\"},{\"attributes\":{\"axis\":{\"id\":\"2682\"},\"coordinates\":null,\"dimension\":1,\"grid_line_alpha\":0.25,\"grid_line_color\":\"#E0E0E0\",\"group\":null,\"ticker\":null},\"id\":\"2685\",\"type\":\"Grid\"},{\"attributes\":{},\"id\":\"2746\",\"type\":\"LinearScale\"},{\"attributes\":{\"axis_label_standoff\":10,\"axis_label_text_color\":\"#E0E0E0\",\"axis_label_text_font\":\"Helvetica\",\"axis_label_text_font_size\":\"1.25em\",\"axis_label_text_font_style\":\"normal\",\"axis_line_alpha\":0,\"axis_line_color\":\"#E0E0E0\",\"coordinates\":null,\"formatter\":{\"id\":\"2711\"},\"group\":null,\"major_label_policy\":{\"id\":\"2712\"},\"major_label_text_color\":\"#E0E0E0\",\"major_label_text_font\":\"Helvetica\",\"major_label_text_font_size\":\"1.025em\",\"major_tick_line_alpha\":0,\"major_tick_line_color\":\"#E0E0E0\",\"minor_tick_line_alpha\":0,\"minor_tick_line_color\":\"#E0E0E0\",\"ticker\":{\"id\":\"2679\"}},\"id\":\"2678\",\"type\":\"LinearAxis\"},{\"attributes\":{},\"id\":\"2709\",\"type\":\"AllLabels\"},{\"attributes\":{},\"id\":\"2733\",\"type\":\"UnionRenderers\"},{\"attributes\":{\"axis_label_standoff\":10,\"axis_label_text_color\":\"#E0E0E0\",\"axis_label_text_font\":\"Helvetica\",\"axis_label_text_font_size\":\"1.25em\",\"axis_label_text_font_style\":\"normal\",\"axis_line_alpha\":0,\"axis_line_color\":\"#E0E0E0\",\"coordinates\":null,\"formatter\":{\"id\":\"2904\"},\"group\":null,\"major_label_policy\":{\"id\":\"2905\"},\"major_label_text_color\":\"#E0E0E0\",\"major_label_text_font\":\"Helvetica\",\"major_label_text_font_size\":\"1.025em\",\"major_tick_line_alpha\":0,\"major_tick_line_color\":\"#E0E0E0\",\"minor_tick_line_alpha\":0,\"minor_tick_line_color\":\"#E0E0E0\",\"ticker\":{\"id\":\"2753\"}},\"id\":\"2752\",\"type\":\"LinearAxis\"},{\"attributes\":{\"coordinates\":null,\"data_source\":{\"id\":\"2770\"},\"glyph\":{\"id\":\"2771\"},\"group\":null,\"hover_glyph\":null,\"muted_glyph\":{\"id\":\"2773\"},\"nonselection_glyph\":{\"id\":\"2772\"},\"view\":{\"id\":\"2775\"}},\"id\":\"2774\",\"type\":\"GlyphRenderer\"},{\"attributes\":{\"background_fill_alpha\":0.25,\"background_fill_color\":\"#20262B\",\"border_line_alpha\":0,\"coordinates\":null,\"glyph_width\":15,\"group\":null,\"items\":[{\"id\":\"2717\"},{\"id\":\"2736\"}],\"label_standoff\":8,\"label_text_color\":\"#E0E0E0\",\"label_text_font\":\"Helvetica\",\"label_text_font_size\":\"1.025em\",\"spacing\":8},\"id\":\"2716\",\"type\":\"Legend\"},{\"attributes\":{},\"id\":\"2687\",\"type\":\"WheelZoomTool\"},{\"attributes\":{},\"id\":\"2713\",\"type\":\"UnionRenderers\"},{\"attributes\":{},\"id\":\"2744\",\"type\":\"LinearScale\"},{\"attributes\":{\"data\":{\"x\":{\"__ndarray__\":\"ZmZmZmZmEkAzMzMzMzMTQAAAAAAAABRAzczMzMzMFECamZmZmZkVQGZmZmZmZhZAMzMzMzMzF0AAAAAAAAAYQM3MzMzMzBhAmpmZmZmZGUBmZmZmZmYaQDMzMzMzMxtAAAAAAAAAHEDNzMzMzMwcQJqZmZmZmR1AZmZmZmZmHkAzMzMzMzMfQAAAAAAAACBAZmZmZmZmIEDNzMzMzMwgQDMzMzMzMyFAmpmZmZmZIUAAAAAAAAAiQGZmZmZmZiJAzczMzMzMIkAzMzMzMzMjQJqZmZmZmSNAAAAAAAAAJEBmZmZmZmYkQM3MzMzMzCRAMzMzMzMzJUCamZmZmZklQAAAAAAAACZAZmZmZmZmJkDNzMzMzMwmQDMzMzMzMydAmpmZmZmZJ0AAAAAAAAAoQGZmZmZmZihAzczMzMzMKEAzMzMzMzMpQJqZmZmZmSlAAAAAAAAAKkBmZmZmZmYqQM3MzMzMzCpAMzMzMzMzK0CamZmZmZkrQAAAAAAAACxAZmZmZmZmLEDNzMzMzMwsQDMzMzMzMy1AmpmZmZmZLUAAAAAAAAAuQGZmZmZmZi5AzczMzMzMLkAzMzMzMzMvQJqZmZmZmS9AAAAAAAAAMEAzMzMzMzMwQGZmZmZmZjBAmpmZmZmZMEDNzMzMzMwwQAAAAAAAADFAMzMzMzMzMUBmZmZmZmYxQJqZmZmZmTFAzczMzMzMMUAAAAAAAAAyQDMzMzMzMzJAZmZmZmZmMkCamZmZmZkyQM3MzMzMzDJAAAAAAAAAM0AzMzMzMzMzQGZmZmZmZjNAmpmZmZmZM0DNzMzMzMwzQAAAAAAAADRAMzMzMzMzNEBmZmZmZmY0QJqZmZmZmTRAzczMzMzMNEAAAAAAAAA1QDMzMzMzMzVAZmZmZmZmNUCamZmZmZk1QM3MzMzMzDVAAAAAAAAANkAzMzMzMzM2QGZmZmZmZjZAmpmZmZmZNkDNzMzMzMw2QAAAAAAAADdAMzMzMzMzN0BmZmZmZmY3QJqZmZmZmTdAzczMzMzMN0AAAAAAAAA4QDMzMzMzMzhAZmZmZmZmOECamZmZmZk4QM3MzMzMzDhAAAAAAAAAOUAzMzMzMzM5QGZmZmZmZjlAmpmZmZmZOUDNzMzMzMw5QAAAAAAAADpAMzMzMzMzOkBmZmZmZmY6QJqZmZmZmTpAzczMzMzMOkAAAAAAAAA7QDMzMzMzMztAZmZmZmZmO0CamZmZmZk7QM3MzMzMzDtAAAAAAAAAPEAzMzMzMzM8QGZmZmZmZjxAmpmZmZmZPEDNzMzMzMw8QAAAAAAAAD1AMzMzMzMzPUBmZmZmZmY9QJqZmZmZmT1AzczMzMzMPUAAAAAAAAA+QDMzMzMzMz5AZmZmZmZmPkCamZmZmZk+QM3MzMzMzD5AAAAAAAAAP0AzMzMzMzM/QGZmZmZmZj9AmpmZmZmZP0DNzMzMzMw/QAAAAAAAAEBAmpmZmZkZQEAzMzMzMzNAQM3MzMzMTEBAZmZmZmZmQEAAAAAAAIBAQJqZmZmZmUBAMzMzMzOzQEDNzMzMzMxAQGZmZmZm5kBAAAAAAAAAQUCamZmZmRlBQDMzMzMzM0FAzczMzMxMQUBmZmZmZmZBQAAAAAAAgEFAmpmZmZmZQUAzMzMzM7NBQM3MzMzMzEFAZmZmZmbmQUAAAAAAAABCQJqZmZmZGUJAMzMzMzMzQkDNzMzMzExCQGZmZmZmZkJAAAAAAACAQkCamZmZmZlCQDMzMzMzs0JAzczMzMzMQkBmZmZmZuZCQAAAAAAAAENAmpmZmZkZQ0AzMzMzMzNDQM3MzMzMTENAZmZmZmZmQ0AAAAAAAIBDQJqZmZmZmUNAMzMzMzOzQ0DNzMzMzMxDQGZmZmZm5kNAAAAAAAAARECamZmZmRlEQDMzMzMzM0RAzczMzMxMREBmZmZmZmZEQAAAAAAAgERAmpmZmZmZREAzMzMzM7NEQM3MzMzMzERAZmZmZmbmREAAAAAAAABFQJqZmZmZGUVAMzMzMzMzRUDNzMzMzExFQGZmZmZmZkVAAAAAAACARUCamZmZmZlFQDMzMzMzs0VAzczMzMzMRUBmZmZmZuZFQAAAAAAAAEZAmpmZmZkZRkAzMzMzMzNGQM3MzMzMTEZAZmZmZmZmRkAAAAAAAIBGQJqZmZmZmUZAMzMzMzOzRkDNzMzMzMxGQGZmZmZm5kZAAAAAAAAAR0CamZmZmRlHQDMzMzMzM0dAzczMzMxMR0BmZmZmZmZHQAAAAAAAgEdAmpmZmZmZR0AzMzMzM7NHQM3MzMzMzEdAZmZmZmbmR0AAAAAAAABIQJqZmZmZGUhAMzMzMzMzSEDNzMzMzExIQGZmZmZmZkhAAAAAAACASECamZmZmZlIQDMzMzMzs0hAzczMzMzMSEBmZmZmZuZIQAAAAAAAAElAmpmZmZkZSUAzMzMzMzNJQM3MzMzMTElAZmZmZmZmSUAAAAAAAIBJQJqZmZmZmUlAMzMzMzOzSUDNzMzMzMxJQGZmZmZm5klAAAAAAAAASkCamZmZmRlKQDMzMzMzM0pAzczMzMxMSkBmZmZmZmZKQAAAAAAAgEpAmpmZmZmZSkAzMzMzM7NKQM3MzMzMzEpAZmZmZmbmSkAAAAAAAABLQJqZmZmZGUtAMzMzMzMzS0DNzMzMzExLQGZmZmZmZktAAAAAAACAS0CamZmZmZlLQDMzMzMzs0tAzczMzMzMS0BmZmZmZuZLQAAAAAAAAExAmpmZmZkZTEAzMzMzMzNMQM3MzMzMTExAZmZmZmZmTEAAAAAAAIBMQJqZmZmZmUxAMzMzMzOzTEDNzMzMzMxMQGZmZmZm5kxAAAAAAAAATUCamZmZmRlNQDMzMzMzM01AzczMzMxMTUBmZmZmZmZNQAAAAAAAgE1AmpmZmZmZTUAzMzMzM7NNQM3MzMzMzE1AZmZmZmbmTUAAAAAAAABOQJqZmZmZGU5AMzMzMzMzTkDNzMzMzExOQGZmZmZmZk5AAAAAAACATkCamZmZmZlOQDMzMzMzs05AzczMzMzMTkBmZmZmZuZOQAAAAAAAAE9AmpmZmZkZT0AzMzMzMzNPQM3MzMzMTE9AZmZmZmZmT0AAAAAAAIBPQJqZmZmZmU9AMzMzMzOzT0DNzMzMzMxPQGZmZmZm5k9AAAAAAAAAUEDNzMzMzAxQQJqZmZmZGVBAZmZmZmYmUEAzMzMzMzNQQAAAAAAAQFBAzczMzMxMUECamZmZmVlQQGZmZmZmZlBAMzMzMzNzUEAAAAAAAIBQQM3MzMzMjFBAmpmZmZmZUEBmZmZmZqZQQDMzMzMzs1BAAAAAAADAUEDNzMzMzMxQQJqZmZmZ2VBAZmZmZmbmUEAzMzMzM/NQQAAAAAAAAFFAzczMzMwMUUCamZmZmRlRQGZmZmZmJlFAMzMzMzMzUUAAAAAAAEBRQM3MzMzMTFFAmpmZmZlZUUBmZmZmZmZRQDMzMzMzc1FAAAAAAACAUUDNzMzMzIxRQJqZmZmZmVFAZmZmZmamUUAzMzMzM7NRQAAAAAAAwFFAzczMzMzMUUCamZmZmdlRQGZmZmZm5lFAMzMzMzPzUUAAAAAAAABSQM3MzMzMDFJAmpmZmZkZUkBmZmZmZiZSQDMzMzMzM1JAAAAAAABAUkDNzMzMzExSQJqZmZmZWVJAZmZmZmZmUkAzMzMzM3NSQAAAAAAAgFJAzczMzMyMUkCamZmZmZlSQGZmZmZmplJAMzMzMzOzUkAAAAAAAMBSQM3MzMzMzFJAmpmZmZnZUkBmZmZmZuZSQDMzMzMz81JAAAAAAAAAU0DNzMzMzAxTQJqZmZmZGVNAZmZmZmYmU0AzMzMzMzNTQAAAAAAAQFNAzczMzMxMU0CamZmZmVlTQGZmZmZmZlNAMzMzMzNzU0AAAAAAAIBTQM3MzMzMjFNAmpmZmZmZU0BmZmZmZqZTQDMzMzMzs1NAAAAAAADAU0DNzMzMzMxTQJqZmZmZ2VNAZmZmZmbmU0AzMzMzM/NTQAAAAAAAAFRAzczMzMwMVECamZmZmRlUQGZmZmZmJlRAMzMzMzMzVEAAAAAAAEBUQM3MzMzMTFRAmpmZmZlZVEBmZmZmZmZUQDMzMzMzc1RAAAAAAACAVEA=\",\"dtype\":\"float64\",\"order\":\"little\",\"shape\":[388]},\"y\":{\"__ndarray__\":\"hutRuB61akDQzMzMzGxEwPgoXI/CzWFA+Chcj8IVVUAoXI/C9ZhZQMD1KFyPgjZAULgeheuxS0CQwvUoXN9bQBDXo3A96knAmJmZmZlpXMDgehSuRwFSQFyPwvUomHFAcD0K16PwaED//////1uHQFG4HoXrBpxAmpmZmRlSrEAK16NwPUaqQJqZmZmZqqBA2KNwPQpxiUA4MzMzM1NYQKBH4XoU/l5AkML1KFzXYsCQwvUoXM9kQKCZmZmZ6VhAMFyPwvVIVkBQuB6F60FUQGCPwvUoDF1AuB6F61FYaUBQuB6F69FIQJDC9Shcb1JANDMzMzPjZkAA16NwPUo1wOB6FK5HAUHAZmZmZmZ+YMD4KFyPwpVIQADXo3A9CgNAgArXo3A9FsC8HoXrUZhewAzXo3A9WlnA6FG4HoXrVMAUrkfheuxiwGCPwvUoPFzAPArXo3AVZMAA16NwPQoQwICPwvUoXBxAaGZmZmZGQUAArkfhepQjQEAK16NwPRPAuB6F61FYVcDgUbgehStDQEjhehSuv2NA7FG4HoVfcECYmZmZmYl8QML1KFyPUIRAMjMzMzMJiUAqXI/C9dyHQKVwPQrX9YxAZ2ZmZmbgiEDhehSuRzOAQFS4HoXrsWlAoHA9CtdzXkCkcD0K1yNXwFi4HoXrkUlAuB6F61GYT0BI4XoUridJwNDMzMzMTEBAQOF6FK5HREDsUbgehXN1wHsUrkfhNInAhetRuB5Rk8DrUbgehbmSwKRwPQrXRYbAPgrXo3C1c8DoUbgehYtQwEjhehSuJ1pAfBSuR+HKeUB7FK5H4eeQQFK4HoXrYJ1AKFyPwnVYoECQwvUoXJebQByF61G4eo5A+Chcj8KpeEDoUbgehXtRQEjhehSut1tA4KNwPQr3QMDsUbgehTtVQMBRuB6F6xHAAK5H4XoULEBkZmZmZnZQQKBwPQrXY1BASOF6FK4nZ0A8CtejcO1tQITrUbgeHWFAVLgeheuxZkCI61G4HiVdQKRwPQrX22BAkML1KFwXg0CG61G4HuGLQIbrUbgeMY9ANDMzMzMxjEBdj8L1KMSCQHoUrkfhWnNAehSuR+EKYUAAKVyPwvUZQEjhehSuB0lAAAAAAAC4ZkCOwvUoXLd6QOB6FK5H/YhAPgrXo3AikkApXI/C9VSTQF2PwvUoyJFAo3A9CtcpikBwPQrXo26BQArXo3A9jnxAVLgeheuJekDkehSuRwF9QMD1KFyPmn1AzMzMzMwEd0BkZmZmZupxQAzXo3A9CmNACNejcD3aUUBYuB6F6zFPQJDrUbgexTHAQArXo3C9S0B4PQrXo5BCwEAzMzMzsyTA/P////9/UcDAzMzMzMwewJDC9Shcv1ZAKFyPwvVQY0Bcj8L1KLhxQGZmZmZm1nlAmpmZmZldf0CuR+F6FDJ6QJDC9Shct3ZAAQAAAAAccUBgj8L1KNxXQHA9CtejUFRAIIXrUbheTcDAcD0K16MhwIAUrkfhehbAcD0K16OwSMDQo3A9CtdKQFyPwvUoDGBA8FG4HoXLV0A0MzMzMztnQIzC9Shcj2hASOF6FK7nXkAI16NwPQpnQEAK16NwbVVAoHA9CtfjOkBwPQrXo1BFQPz/////f1BAwPUoXI/CSEA8CtejcL1QQEjhehSuN1pA6FG4HoWrWEDQo3A9CpdQQLgehetROFNANDMzMzPTYUBwPQrXowBeQDgK16NwrVdAKFyPwvW4YUAWrkfhehxjQBKuR+F6TGVAaGZmZmZGb0BI4XoUrrtxQPYoXI/C8XZAzszMzMygfUCkcD0K10WBQIbrUbgeNYJAUbgeheuJgkA+CtejcLuBQEjhehSuv3tARuF6FK5Pd0AAAAAAABBpQChcj8L1IGhA9Chcj8L1Y0BI4XoUrq9nQAAAAAAAzHBAPgrXo3AJdUDqUbgehRt0QJqZmZmZ1XVAUrgehet1dkDsUbgehQd1QJDC9Shcl3VA+Chcj8JVbUAghetRuJ5lQPz/////n1xALFyPwvWoVEBwPQrXo/BOQJiZmZmZYWFA7FG4HoXzY0BwPQrXo6BjQDwK16NwrWpAjML1KFw3aECE61G4HrVpQFC4HoXrsVlAAAAAAAAAU0DwUbgehWtEQKCZmZmZ2URAEK5H4XqUPEBwPQrXo3BDQFC4HoXrcU5ApHA9CtfjVkDco3A9CideQML1KFyPImFAAAAAAAD4YUCwR+F6FG5lQArXo3A9Om5A6lG4HoVTcEDiehSuR61xQBauR+F6+HZASOF6FK7HdEA8CtejcPlzQKRwPQrXG3ZAth6F61HccEBwPQrXo/hyQNijcD0K12dAzMzMzMxsakDE9Shcj2JsQNijcD0Kz25AzMzMzMxkbkCuR+F6FAJxQDQzMzMzE3NAZmZmZmYeckAehetRuOpxQEjhehSuE3BAaGZmZmaebkBoZmZmZn5rQD4K16NwFWhAwvUoXI+ya0AAAAAAAPBdQPYoXI/CPWJApHA9CtdzV0BwPQrXo5BlQNDMzMzMrFdAAAAAAAAQV0BYj8L1KHxKQLgehetReEJAuB6F61G4SECE61G4HlVaQPgoXI/ClU5AaGZmZmYmSEAI16NwPapNQAzXo3A9ylJA+Chcj8K1WkBACtejcN1aQGhmZmZmbmJAVLgehesRXEBSuB6F63FmQFyPwvUoHGNAIIXrUbieYkB8FK5H4ZJlQLgehetRoGZAoJmZmZnpWUBYj8L1KBxTQJiZmZmZSVdAMArXo3AdTUDgehSuR1FWQNDMzMzMLEhAiOtRuB71UEAAAAAAALBUQCCF61G4flhAsEfhehQeWUBsPQrXo4BXQKhwPQrXA1BA9Chcj8ItZUCOwvUoXPdkQOxRuB6F02FAwvUoXI+KY0ByPQrXo9BkQOxRuB6Fe2NA9Chcj8LFZEBQuB6F63FlQMD1KFyP6mRArEfhehQWYEA4CtejcN1fQFC4HoXr+WNA+Chcj8K1XUCwR+F6FI5bQPBRuB6FO1pAeBSuR+F6XECQwvUoXI9aQHA9CtejeGNAxPUoXI/KZEDsUbgehYNiQK5H4XoUdmRAkML1KFxPV0DE9Shcj9JXQFS4HoXrQVJAfBSuR+FKW0B6FK5H4VJgQBiuR+F6hFVA7FG4HoV7V0AchetRuI5SQFS4HoXrgVdAhutRuB5VYUD+//////9kQNSjcD0K52FANDMzMzPTZ0AwMzMzM9NqQLgehetR4GtAfBSuR+E6a0BQuB6F6/FqQMzMzMzM5GpAsEfhehSeaEAAAAAAAABvQJDC9ShcX2lANDMzMzOTZEBACtejcD1mQMT1KFyPWmNAAAAAAABgX0DsUbgehZNoQMD1KFyPol5A+Chcj8L1W0CYmZmZmZlaQJqZmZmZwWBAmJmZmZkhYED0KFyPwmVTQBDXo3A9akpAkML1KFwPUUDgehSuR4FXQLwehetR6FpA4HoUrkcBSkD2KFyPwv1gQFC4HoXr0VVAQOF6FK7nQUDoUbgehftbQGCPwvUoTFxAMDMzMzPzS0CkcD0K1/tiQKhH4XoUfllAcD0K16PAXkDoUbgehXtXQCCF61G4/lxAuB6F61GIWEBgj8L1KFxbQFi4HoXr4VZA9Chcj8J9YEBgZmZmZoZMQDgK16NwPVZA4HoUrkdhOEBAj8L1KFw5QMCjcD0KlzZAoHA9CtfDREAAAAAAAKBHQNDMzMzM7EZAsEfhehRuRUDA9ShcjwJFQBCuR+F6BFZAcD0K16OwRUAwCtejcH1NQEjhehSu511AcBSuR+G6TUAQrkfhejRIQIDrUbgeZUpAgOtRuB6lXEC4HoXrUahSQEAK16NwPUBA9Chcj8I9YED2KFyPwgViQEAzMzMzE0BAgBSuR+F6RUCsR+F6FAZkQAAAAAAAeGZAaGZmZmaWYUD2KFyPwgVjQMD1KFyPwlZA7FG4HoWjYECYmZmZmdlXQBiuR+F69FJAOArXo3CtV0CQwvUoXN9SQMzMzMzMxGBAENejcD0qSkBQuB6F6+FVQEAK16NwHWFAmJmZmZm5V0BoZmZmZgZVQAA+CtejcPm/QOF6FK5nTUAYhetRuL5WQAjXo3A9CldAkJmZmZnZQ0CcmZmZmfliQMDMzMzMzEZAQArXo3CtVkA=\",\"dtype\":\"float64\",\"order\":\"little\",\"shape\":[388]}},\"selected\":{\"id\":\"2714\"},\"selection_policy\":{\"id\":\"2713\"}},\"id\":\"2700\",\"type\":\"ColumnDataSource\"},{\"attributes\":{\"label\":{\"value\":\"U - D\"},\"renderers\":[{\"id\":\"2704\"}]},\"id\":\"2717\",\"type\":\"LegendItem\"},{\"attributes\":{\"tools\":[{\"id\":\"2686\"},{\"id\":\"2687\"},{\"id\":\"2688\"},{\"id\":\"2689\"},{\"id\":\"2690\"},{\"id\":\"2691\"}]},\"id\":\"2693\",\"type\":\"Toolbar\"},{\"attributes\":{\"data\":{\"x\":{\"__ndarray__\":\"ZmZmZmZmEkAzMzMzMzMTQAAAAAAAABRAzczMzMzMFECamZmZmZkVQGZmZmZmZhZAMzMzMzMzF0AAAAAAAAAYQM3MzMzMzBhAmpmZmZmZGUBmZmZmZmYaQDMzMzMzMxtAAAAAAAAAHEDNzMzMzMwcQJqZmZmZmR1AZmZmZmZmHkAzMzMzMzMfQAAAAAAAACBAZmZmZmZmIEDNzMzMzMwgQDMzMzMzMyFAmpmZmZmZIUAAAAAAAAAiQGZmZmZmZiJAzczMzMzMIkAzMzMzMzMjQJqZmZmZmSNAAAAAAAAAJEBmZmZmZmYkQM3MzMzMzCRAMzMzMzMzJUCamZmZmZklQAAAAAAAACZAZmZmZmZmJkDNzMzMzMwmQDMzMzMzMydAmpmZmZmZJ0AAAAAAAAAoQGZmZmZmZihAzczMzMzMKEAzMzMzMzMpQJqZmZmZmSlAAAAAAAAAKkBmZmZmZmYqQM3MzMzMzCpAMzMzMzMzK0CamZmZmZkrQAAAAAAAACxAZmZmZmZmLEDNzMzMzMwsQDMzMzMzMy1AmpmZmZmZLUAAAAAAAAAuQGZmZmZmZi5AzczMzMzMLkAzMzMzMzMvQJqZmZmZmS9AAAAAAAAAMEAzMzMzMzMwQGZmZmZmZjBAmpmZmZmZMEDNzMzMzMwwQAAAAAAAADFAMzMzMzMzMUBmZmZmZmYxQJqZmZmZmTFAzczMzMzMMUAAAAAAAAAyQDMzMzMzMzJAZmZmZmZmMkCamZmZmZkyQM3MzMzMzDJAAAAAAAAAM0AzMzMzMzMzQGZmZmZmZjNAmpmZmZmZM0DNzMzMzMwzQAAAAAAAADRAMzMzMzMzNEBmZmZmZmY0QJqZmZmZmTRAzczMzMzMNEAAAAAAAAA1QDMzMzMzMzVAZmZmZmZmNUCamZmZmZk1QM3MzMzMzDVAAAAAAAAANkAzMzMzMzM2QGZmZmZmZjZAmpmZmZmZNkDNzMzMzMw2QAAAAAAAADdAMzMzMzMzN0BmZmZmZmY3QJqZmZmZmTdAzczMzMzMN0AAAAAAAAA4QDMzMzMzMzhAZmZmZmZmOECamZmZmZk4QM3MzMzMzDhAAAAAAAAAOUAzMzMzMzM5QGZmZmZmZjlAmpmZmZmZOUDNzMzMzMw5QAAAAAAAADpAMzMzMzMzOkBmZmZmZmY6QJqZmZmZmTpAzczMzMzMOkAAAAAAAAA7QDMzMzMzMztAZmZmZmZmO0CamZmZmZk7QM3MzMzMzDtAAAAAAAAAPEAzMzMzMzM8QGZmZmZmZjxAmpmZmZmZPEDNzMzMzMw8QAAAAAAAAD1AMzMzMzMzPUBmZmZmZmY9QJqZmZmZmT1AzczMzMzMPUAAAAAAAAA+QDMzMzMzMz5AZmZmZmZmPkCamZmZmZk+QM3MzMzMzD5AAAAAAAAAP0AzMzMzMzM/QGZmZmZmZj9AmpmZmZmZP0DNzMzMzMw/QAAAAAAAAEBAmpmZmZkZQEAzMzMzMzNAQM3MzMzMTEBAZmZmZmZmQEAAAAAAAIBAQJqZmZmZmUBAMzMzMzOzQEDNzMzMzMxAQGZmZmZm5kBAAAAAAAAAQUCamZmZmRlBQDMzMzMzM0FAzczMzMxMQUBmZmZmZmZBQAAAAAAAgEFAmpmZmZmZQUAzMzMzM7NBQM3MzMzMzEFAZmZmZmbmQUAAAAAAAABCQJqZmZmZGUJAMzMzMzMzQkDNzMzMzExCQGZmZmZmZkJAAAAAAACAQkCamZmZmZlCQDMzMzMzs0JAzczMzMzMQkBmZmZmZuZCQAAAAAAAAENAmpmZmZkZQ0AzMzMzMzNDQM3MzMzMTENAZmZmZmZmQ0AAAAAAAIBDQJqZmZmZmUNAMzMzMzOzQ0DNzMzMzMxDQGZmZmZm5kNAAAAAAAAARECamZmZmRlEQDMzMzMzM0RAzczMzMxMREBmZmZmZmZEQAAAAAAAgERAmpmZmZmZREAzMzMzM7NEQM3MzMzMzERAZmZmZmbmREAAAAAAAABFQJqZmZmZGUVAMzMzMzMzRUDNzMzMzExFQGZmZmZmZkVAAAAAAACARUCamZmZmZlFQDMzMzMzs0VAzczMzMzMRUBmZmZmZuZFQAAAAAAAAEZAmpmZmZkZRkAzMzMzMzNGQM3MzMzMTEZAZmZmZmZmRkAAAAAAAIBGQJqZmZmZmUZAMzMzMzOzRkDNzMzMzMxGQGZmZmZm5kZAAAAAAAAAR0CamZmZmRlHQDMzMzMzM0dAzczMzMxMR0BmZmZmZmZHQAAAAAAAgEdAmpmZmZmZR0AzMzMzM7NHQM3MzMzMzEdAZmZmZmbmR0AAAAAAAABIQJqZmZmZGUhAMzMzMzMzSEDNzMzMzExIQGZmZmZmZkhAAAAAAACASECamZmZmZlIQDMzMzMzs0hAzczMzMzMSEBmZmZmZuZIQAAAAAAAAElAmpmZmZkZSUAzMzMzMzNJQM3MzMzMTElAZmZmZmZmSUAAAAAAAIBJQJqZmZmZmUlAMzMzMzOzSUDNzMzMzMxJQGZmZmZm5klAAAAAAAAASkCamZmZmRlKQDMzMzMzM0pAzczMzMxMSkBmZmZmZmZKQAAAAAAAgEpAmpmZmZmZSkAzMzMzM7NKQM3MzMzMzEpAZmZmZmbmSkAAAAAAAABLQJqZmZmZGUtAMzMzMzMzS0DNzMzMzExLQGZmZmZmZktAAAAAAACAS0CamZmZmZlLQDMzMzMzs0tAzczMzMzMS0BmZmZmZuZLQAAAAAAAAExAmpmZmZkZTEAzMzMzMzNMQM3MzMzMTExAZmZmZmZmTEAAAAAAAIBMQJqZmZmZmUxAMzMzMzOzTEDNzMzMzMxMQGZmZmZm5kxAAAAAAAAATUCamZmZmRlNQDMzMzMzM01AzczMzMxMTUBmZmZmZmZNQAAAAAAAgE1AmpmZmZmZTUAzMzMzM7NNQM3MzMzMzE1AZmZmZmbmTUAAAAAAAABOQJqZmZmZGU5AMzMzMzMzTkDNzMzMzExOQGZmZmZmZk5AAAAAAACATkCamZmZmZlOQDMzMzMzs05AzczMzMzMTkBmZmZmZuZOQAAAAAAAAE9AmpmZmZkZT0AzMzMzMzNPQM3MzMzMTE9AZmZmZmZmT0AAAAAAAIBPQJqZmZmZmU9AMzMzMzOzT0DNzMzMzMxPQGZmZmZm5k9AAAAAAAAAUEDNzMzMzAxQQJqZmZmZGVBAZmZmZmYmUEAzMzMzMzNQQAAAAAAAQFBAzczMzMxMUECamZmZmVlQQGZmZmZmZlBAMzMzMzNzUEAAAAAAAIBQQM3MzMzMjFBAmpmZmZmZUEBmZmZmZqZQQDMzMzMzs1BAAAAAAADAUEDNzMzMzMxQQJqZmZmZ2VBAZmZmZmbmUEAzMzMzM/NQQAAAAAAAAFFAzczMzMwMUUCamZmZmRlRQGZmZmZmJlFAMzMzMzMzUUAAAAAAAEBRQM3MzMzMTFFAmpmZmZlZUUBmZmZmZmZRQDMzMzMzc1FAAAAAAACAUUDNzMzMzIxRQJqZmZmZmVFAZmZmZmamUUAzMzMzM7NRQAAAAAAAwFFAzczMzMzMUUCamZmZmdlRQGZmZmZm5lFAMzMzMzPzUUAAAAAAAABSQM3MzMzMDFJAmpmZmZkZUkBmZmZmZiZSQDMzMzMzM1JAAAAAAABAUkDNzMzMzExSQJqZmZmZWVJAZmZmZmZmUkAzMzMzM3NSQAAAAAAAgFJAzczMzMyMUkCamZmZmZlSQGZmZmZmplJAMzMzMzOzUkAAAAAAAMBSQM3MzMzMzFJAmpmZmZnZUkBmZmZmZuZSQDMzMzMz81JAAAAAAAAAU0DNzMzMzAxTQJqZmZmZGVNAZmZmZmYmU0AzMzMzMzNTQAAAAAAAQFNAzczMzMxMU0CamZmZmVlTQGZmZmZmZlNAMzMzMzNzU0AAAAAAAIBTQM3MzMzMjFNAmpmZmZmZU0BmZmZmZqZTQDMzMzMzs1NAAAAAAADAU0DNzMzMzMxTQJqZmZmZ2VNAZmZmZmbmU0AzMzMzM/NTQAAAAAAAAFRAzczMzMwMVECamZmZmRlUQGZmZmZmJlRAMzMzMzMzVEAAAAAAAEBUQM3MzMzMTFRAmpmZmZlZVEBmZmZmZmZUQDMzMzMzc1RAAAAAAACAVEA=\",\"dtype\":\"float64\",\"order\":\"little\",\"shape\":[388]},\"y\":{\"__ndarray__\":\"7ki14I+baUCqL9Pf1uFIwERNiEU5qWBAwP9hbqe1UkDBUUTMThdXQM3bMVvAfidABnhKpFzNRUCQn+AUyZFYQEeKCKsCxFDA4UMOUFp6YMC4pdIWjrJIQEmDngX6eG9AIB3SVI3TMsDIV1nQuL1UwHzlArwgMXbAoOTyCPzcXEDwa8lV1SBkwIBiu8wXxkDAIJcGATI9NcAMGmisnwFdwKgWuUqcW1NAKPT5TzahZMAQFDmKfYJjQJCqLuZn7lZAwMNwMLu3VEDA65t0ofpSQEK4Ub5g+ltAuKVM1mvjaEBKwyG15jtHQN2lwLXIvFFAUR/gmu+TZkA8tMoj2X83wK5II6lD/UHA+yq5Cfm1YMAlVsAJstZHQMCBUNbQwfI/poj0oCyTGcB+fyUKlR5ewOQEcxJqhlXAqE2doKCsNMAATK4OtyIhQKAw2O0cWmFAAI4DcDJkVEDQFIwaT0thQFy+QjixPE1Ar/ReGVmQRkAYf+iCKf8iQIR9NZ1YZB7A6Qzb4k5KVsDo7c0frEU6QH74vU2oB11AKO9Ru6nBYUBg1Th8s/FqQCArVwk9aXNAiC/+7KdheEAESb9RMuVpQCyEEYHctmhAWBLILQFxWEBIuUyC7s1TQBhgxY1t2jdA6NmX9rqkUUC4q80wJBhawExl5KfIPEhAF1DsMVEST0AiVuoyO85IwHzEiYbIMk5ASorQ6M8SZECA4gy00ksuQFjUVFOze1TAoLEQMa7Rb8AOkXeySfBzwGiSx1De3GfAIO+/Eiy5W8AWD38JHUNGwBB2gy2KZT3AIBrTFWSjTMCAOMGg6UEswFAutH2mM1hAIO6JXjd9V0CQPtwYEUhtQPDGH5feUWRAiF997vKNVkAgardX9LEvwPreJy9Y1VVA5ZwQBTOJRcAYr84a20hTQBIFddkiSDDA6FxBg3k5J8CAJZrfxVITQOgi/t35C0vAwFNQ7S6YIUAQbS6p/aZIQMD3EemfgyjAiDEA+ITHUUCwSjfLrO0lwFR8ypFqtl7AwBoY1pW7W0BAW9iCZdBhQLiKDKs6MWRApOgB2ti6akAEyxTGOm5mQIBs3/kqvVxAHZxPcMUsUED6qVwooJQ7wMDKQGi4pgJArOJQxrKbSEBMISwNxJ9bQMw/2PHexWhAVvo7AZEscUAECNb8Bw9tQDoOgWJCXHBA+CSvWY4EbUDI/uuNap5nQKRjafI1XGhAoPe/Y/nFZEAQU+/9T5tnQJCQTf3HCWxA6IDul4NIZ0C0wTXVtLdmQEREsZ1pk1pAOIizw3CGTkBSpIyeVqBTQAwtkq7QAT9AaTFA6tMZYkAEgOtyRRRXQL6CpSnmYmFAaDPZel/DT0AP2737pstTQFDCyBr59ltAYH8HGvVWWEAD0HdsE2RhQBYGo0oz9GZAyj8R5K6YakBExb/TkmpfQFTXPzGVRl5AbkCB9p25XEAYgNbzbWE2QD/QeB8knFNAjIbsCtO4J8D3Z+B/qL1QQJClHzPcU1NAcO4+odZoLkAG7yixs/BUQHA2eVxKt11A6KkRhPp2SkCoYdepdHxfQGJkJpnz7mBAdP0ppU5WUkCqQSmlaIJiQNyb9MSkIU5A4Jedjb4dFUDc4pq3qe4xQFI8xpIcXUFAoHHTsEfOJkAIlvR8e942QOQ18Q7yLUxAUIFyaEcnR0DAuB6Xd58lQHB+BSAeujNAdK1uswrjVUA4YLieJVVRQGy5Iw3MSUdAxKW+gtRpVkD8Nfkj7/BTQBTXUKPGJlBAdnBvpFVaWEDYbNr8h3pRQNigl4tYx1NAyKlXOzCWWUCgYurzSy1ZQOiEdvRMjFJAKDcjOlivUkD4SRIqsEVXQND80qVEcEtAiFvrLsNLVECAvL86CKodwMhE5x6s5EJAYN/k5bJtOEDwTpPvn7xHQCDQJUd7f1lA7FWsfqU5YUBAEeYtf55VQEAG98nr1lVA5Pr1g/xdVkCkqUP3gcxUQKDzLmPtT2BATvvlSY0tUkDyjiYMzlxQQGghUeHhlUlAyNeFsCg8RkAwvQBlOPs7QNxwCUGRCFdAGG/AT5FwVkDgvYFTZkJQQPSv4JAYLFtAtLcIVX+sVkDM0HMmwwFeQFi2ovxhq0ZAyO9x/CYvSUBobA2p+b5FQABo58bQzk9AQL30t8wPTUCCmuBtIz9QQAabHao3uVJAoMcC+sohVkAUhZEw+ntYQGlOmPwgm1dAJPfzH+Y0VECWuyTg2rNVQFlI7BbTpGBAvjd4oTygX0BgjXTQPmZeQJjoXYug0GZAjFlDow9DYEBEe/YyDSBbQKCsnFEd12FAcJyIw5sKUUBI4cbI4WddQOCOYnnobzZAsC1Id5zxTEDkyoyOpmxUQCBrpB5mOVlASCgN5+B6VkDEIqyScNFaQMDxHKzx8F9AnJeLBO0rWkAwYud9n2lZQNAPz61Il1RAlOdHOtTQVUDA766OTTFVQDqMqM37X1RAjhhOrdaEYEBcqYNCN+JHQOQbE1YooFVA9F8UfjOmRUCAs1gWow9gQFxeyZFlVExACKx138FZTkBs1o5w4/k8QFh7hDy7AjRAtCZPMCA6Q0AkfCU76KdYQEh5ILQu60tAeJxlH9kARUBMYKQtFN1IQHB6G00LNU5AnPNmLQtpVUAQXLoKysxTQAAYHTsK61tAorM1deocUUDuy1M8HQJgQCA/fK/2vldAlKhP59CSVUB8UhHIdB5bQChO9kJp011AGOGvAQkvSEDg2j455/k+QAjTYSdT4U1AQAgG39uWQkD4fSjqB6VTQICTTQiORkZAsJlmELCVUEDUakl3jrFTQMgIcTQg11VAUMvYyFD7U0DszqqHLR9PQEhusVqM1TRAdMitpNXhXEAWch1q1TBaQEL2bECDIVJAbv9Y7AUiVEDQzBF12qBVQGB2kW6MM1JA8O7MK1gjVECoNxc9fwdVQHgOS2HollNAUFYO0whiQ0DQggmtAY5CQGhaL1EOaVFAwLZCbHXGPUBgFy/fOEY3QCCjLkWuyTRA2L00GditQEDQqpmGQNY9QPB4hEQq8lRAoljJS5CuWEAyFRQp30FVQAy2cgMeR1pAcNWkRJ6aQ0BQxjzYka1GQJTVTsqQ7TpA4KCL4dKYUEDDOQ/sdFNWQCZDnYjw3EZAmmWwfuWqSkBw8TOox6Q/QCgl7J1vB0hAPopQCxwGVkBMEN3BbeJbQJQMh/cx9VNAYGXyNWbxXUD4es+m6wBhQA5RHyAIGGFAPO/sGd8gX0Bsiey6jvpcQKg+rSgHqltAaOX+GNxhVkBwx951z3dhQLiQlsl4FlhA4AlW7x/xTkBQHP3q+0NUQEh1/cMiUFBA0IaDC2L+RUDcmsEIc9ZeQMigFUtRlkxAoEWfLsO4SkDIu8J8WQ9LQDyUQnwgq1VAuhEBOMJaVUDMog/Q9FRCQMA9qhZFmCtAoH0LmQl2PkBEy7/UyXBMQEYb7ArjtFFAYNxbxqSmLkBInWqtreVYQMDXBQjYXElAAAQje3r+6L+wiaFoUtRSQGy80qI/J1NAMP9kARB8M0AQxtOKy/JcQCSu7aKjnFBAZJxRyJ0UVkBIRPHQ3j9OQCjJUrtvBFVAsKNRrE0KUUDoOWZgwG9UQHioxBHenlBAfNoFoFRwW0A48XEDEPJCQCT1WSChMFJAIB3p2CgDJkDgJMgwVjQtQGChMu8twStAqM6fpKQnQUC4v91AIYREQEj9sbHRB0RAMJJRBoB5QkAwrNfR/rtBQBAyDxcJHFRAKG1yFlwdQUDwOraBDQ5IQESoQ9OhrVpAgEPDTnAxRkBQ4EiFyBg/QLgAk00oo0BAwOKxgh45V0BYTG4DsF5JQMDVVNE7QxpAWBZQArKMWUAUhq/3BbNcQACv113HEfY/YKHEDMslJkDEOeZ1sOFfQLagfUPDUmJAjC6YojnXWkCoCVSkfsJdQOi4WFvSL01AtF+wFFxLWUDwznyHbhVQQNgE+Mnj4kZAsJdSIxlwUEAYnCsDns5HQIiyNgQ201pAUIPe5ihrOkBAE0Q+3zVPQNj3mev+HFxAMFdQaCK4UUCoKcZGGi5OQHCW1WyUMDnAyFl930aeQUCglA17HdlQQLzrICksHlFA4O6b0o3XL0AUzzTplP5fQOD8dDtA1jVAiEFe1S/IUEA=\",\"dtype\":\"float64\",\"order\":\"little\",\"shape\":[388]}},\"selected\":{\"id\":\"2915\"},\"selection_policy\":{\"id\":\"2914\"}},\"id\":\"2770\",\"type\":\"ColumnDataSource\"},{\"attributes\":{\"line_alpha\":0.1,\"line_color\":\"#99d594\",\"line_width\":2,\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"2772\",\"type\":\"Line\"},{\"attributes\":{\"coordinates\":null,\"group\":null,\"text\":\"Polarization, U - D\",\"text_color\":\"#E0E0E0\",\"text_font\":\"Helvetica\",\"text_font_size\":\"1.15em\"},\"id\":\"2668\",\"type\":\"Title\"},{\"attributes\":{\"axis\":{\"id\":\"2678\"},\"coordinates\":null,\"grid_line_alpha\":0.25,\"grid_line_color\":\"#E0E0E0\",\"group\":null,\"ticker\":null},\"id\":\"2681\",\"type\":\"Grid\"},{\"attributes\":{},\"id\":\"2761\",\"type\":\"HelpTool\"},{\"attributes\":{\"fill_color\":{\"value\":\"#3288bd\"},\"hatch_color\":{\"value\":\"#3288bd\"},\"line_color\":{\"value\":\"#3288bd\"},\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"2701\",\"type\":\"Scatter\"},{\"attributes\":{},\"id\":\"2907\",\"type\":\"BasicTickFormatter\"},{\"attributes\":{},\"id\":\"2734\",\"type\":\"Selection\"},{\"attributes\":{},\"id\":\"2691\",\"type\":\"HelpTool\"},{\"attributes\":{\"coordinates\":null,\"group\":null,\"text\":\"Difference\",\"text_color\":\"#E0E0E0\",\"text_font\":\"Helvetica\",\"text_font_size\":\"1.15em\"},\"id\":\"2738\",\"type\":\"Title\"},{\"attributes\":{},\"id\":\"2742\",\"type\":\"DataRange1d\"},{\"attributes\":{\"line_alpha\":0.1,\"line_color\":\"#d53e4f\",\"line_width\":2,\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"2720\",\"type\":\"Line\"},{\"attributes\":{\"axis_label\":\"Intensity\",\"axis_label_standoff\":10,\"axis_label_text_color\":\"#E0E0E0\",\"axis_label_text_font\":\"Helvetica\",\"axis_label_text_font_size\":\"1.25em\",\"axis_label_text_font_style\":\"normal\",\"axis_line_alpha\":0,\"axis_line_color\":\"#E0E0E0\",\"coordinates\":null,\"formatter\":{\"id\":\"2708\"},\"group\":null,\"major_label_policy\":{\"id\":\"2709\"},\"major_label_text_color\":\"#E0E0E0\",\"major_label_text_font\":\"Helvetica\",\"major_label_text_font_size\":\"1.025em\",\"major_tick_line_alpha\":0,\"major_tick_line_color\":\"#E0E0E0\",\"minor_tick_line_alpha\":0,\"minor_tick_line_color\":\"#E0E0E0\",\"ticker\":{\"id\":\"2683\"}},\"id\":\"2682\",\"type\":\"LinearAxis\"},{\"attributes\":{},\"id\":\"2712\",\"type\":\"AllLabels\"},{\"attributes\":{},\"id\":\"2674\",\"type\":\"LinearScale\"},{\"attributes\":{},\"id\":\"2760\",\"type\":\"ResetTool\"},{\"attributes\":{},\"id\":\"2676\",\"type\":\"LinearScale\"},{\"attributes\":{\"overlay\":{\"id\":\"2692\"}},\"id\":\"2688\",\"type\":\"BoxZoomTool\"},{\"attributes\":{\"line_color\":\"#d53e4f\",\"line_width\":2,\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"2719\",\"type\":\"Line\"},{\"attributes\":{\"line_color\":\"#99d594\",\"line_width\":2,\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"2771\",\"type\":\"Line\"},{\"attributes\":{},\"id\":\"2757\",\"type\":\"WheelZoomTool\"},{\"attributes\":{},\"id\":\"2905\",\"type\":\"AllLabels\"},{\"attributes\":{\"background_fill_color\":\"#3f3f3f\",\"below\":[{\"id\":\"2748\"}],\"border_fill_color\":\"#2f2f2f\",\"center\":[{\"id\":\"2751\"},{\"id\":\"2755\"}],\"height\":150,\"left\":[{\"id\":\"2752\"}],\"min_border\":0,\"outline_line_alpha\":0.25,\"outline_line_color\":\"#E0E0E0\",\"renderers\":[{\"id\":\"2774\"}],\"title\":{\"id\":\"2738\"},\"toolbar\":{\"id\":\"2763\"},\"width\":990,\"x_range\":{\"id\":\"2740\"},\"x_scale\":{\"id\":\"2744\"},\"y_range\":{\"id\":\"2742\"},\"y_scale\":{\"id\":\"2746\"}},\"id\":\"2737\",\"subtype\":\"Figure\",\"type\":\"Plot\"},{\"attributes\":{},\"id\":\"2749\",\"type\":\"BasicTicker\"},{\"attributes\":{},\"id\":\"2672\",\"type\":\"DataRange1d\"},{\"attributes\":{\"axis\":{\"id\":\"2752\"},\"coordinates\":null,\"dimension\":1,\"grid_line_alpha\":0.25,\"grid_line_color\":\"#E0E0E0\",\"group\":null,\"ticker\":null},\"id\":\"2755\",\"type\":\"Grid\"},{\"attributes\":{\"bottom_units\":\"screen\",\"coordinates\":null,\"fill_alpha\":0.5,\"fill_color\":\"lightgrey\",\"group\":null,\"left_units\":\"screen\",\"level\":\"overlay\",\"line_alpha\":1.0,\"line_color\":\"black\",\"line_dash\":[4,4],\"line_width\":2,\"right_units\":\"screen\",\"syncable\":false,\"top_units\":\"screen\"},\"id\":\"2692\",\"type\":\"BoxAnnotation\"},{\"attributes\":{\"bottom_units\":\"screen\",\"coordinates\":null,\"fill_alpha\":0.5,\"fill_color\":\"lightgrey\",\"group\":null,\"left_units\":\"screen\",\"level\":\"overlay\",\"line_alpha\":1.0,\"line_color\":\"black\",\"line_dash\":[4,4],\"line_width\":2,\"right_units\":\"screen\",\"syncable\":false,\"top_units\":\"screen\"},\"id\":\"2762\",\"type\":\"BoxAnnotation\"},{\"attributes\":{\"fill_alpha\":{\"value\":0.1},\"fill_color\":{\"value\":\"#3288bd\"},\"hatch_alpha\":{\"value\":0.1},\"hatch_color\":{\"value\":\"#3288bd\"},\"line_alpha\":{\"value\":0.1},\"line_color\":{\"value\":\"#3288bd\"},\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"2702\",\"type\":\"Scatter\"},{\"attributes\":{\"line_alpha\":0.2,\"line_color\":\"#99d594\",\"line_width\":2,\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"2773\",\"type\":\"Line\"},{\"attributes\":{},\"id\":\"2740\",\"type\":\"DataRange1d\"},{\"attributes\":{},\"id\":\"2679\",\"type\":\"BasicTicker\"},{\"attributes\":{},\"id\":\"2690\",\"type\":\"ResetTool\"},{\"attributes\":{\"background_fill_color\":\"#3f3f3f\",\"below\":[{\"id\":\"2678\"}],\"border_fill_color\":\"#2f2f2f\",\"center\":[{\"id\":\"2681\"},{\"id\":\"2685\"},{\"id\":\"2716\"}],\"height\":300,\"left\":[{\"id\":\"2682\"}],\"min_border\":0,\"outline_line_alpha\":0.25,\"outline_line_color\":\"#E0E0E0\",\"renderers\":[{\"id\":\"2704\"},{\"id\":\"2722\"}],\"title\":{\"id\":\"2668\"},\"toolbar\":{\"id\":\"2693\"},\"width\":990,\"x_range\":{\"id\":\"2670\"},\"x_scale\":{\"id\":\"2674\"},\"y_range\":{\"id\":\"2672\"},\"y_scale\":{\"id\":\"2676\"}},\"id\":\"2667\",\"subtype\":\"Figure\",\"type\":\"Plot\"},{\"attributes\":{},\"id\":\"2915\",\"type\":\"Selection\"},{\"attributes\":{\"coordinates\":null,\"data_source\":{\"id\":\"2700\"},\"glyph\":{\"id\":\"2701\"},\"group\":null,\"hover_glyph\":null,\"muted_glyph\":{\"id\":\"2703\"},\"nonselection_glyph\":{\"id\":\"2702\"},\"view\":{\"id\":\"2705\"}},\"id\":\"2704\",\"type\":\"GlyphRenderer\"},{\"attributes\":{},\"id\":\"2904\",\"type\":\"BasicTickFormatter\"},{\"attributes\":{\"line_alpha\":0.2,\"line_color\":\"#d53e4f\",\"line_width\":2,\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"2721\",\"type\":\"Line\"},{\"attributes\":{\"axis_label\":\"2theta\",\"axis_label_standoff\":10,\"axis_label_text_color\":\"#E0E0E0\",\"axis_label_text_font\":\"Helvetica\",\"axis_label_text_font_size\":\"1.25em\",\"axis_label_text_font_style\":\"normal\",\"axis_line_alpha\":0,\"axis_line_color\":\"#E0E0E0\",\"coordinates\":null,\"formatter\":{\"id\":\"2907\"},\"group\":null,\"major_label_policy\":{\"id\":\"2908\"},\"major_label_text_color\":\"#E0E0E0\",\"major_label_text_font\":\"Helvetica\",\"major_label_text_font_size\":\"1.025em\",\"major_tick_line_alpha\":0,\"major_tick_line_color\":\"#E0E0E0\",\"minor_tick_line_alpha\":0,\"minor_tick_line_color\":\"#E0E0E0\",\"ticker\":{\"id\":\"2749\"}},\"id\":\"2748\",\"type\":\"LinearAxis\"},{\"attributes\":{},\"id\":\"2686\",\"type\":\"PanTool\"}],\"root_ids\":[\"2776\"]},\"title\":\"Bokeh Application\",\"version\":\"2.4.3\"}};\n const render_items = [{\"docid\":\"cbc1eb52-6f47-4934-8458-59b8b9026eb3\",\"root_ids\":[\"2776\"],\"roots\":{\"2776\":\"25246255-9473-4004-8f74-0dda5386dd04\"}}];\n root.Bokeh.embed.embed_items_notebook(docs_json, render_items);\n }\n if (root.Bokeh !== undefined) {\n embed_document(root);\n } else {\n let attempts = 0;\n const timer = setInterval(function(root) {\n if (root.Bokeh !== undefined) {\n clearInterval(timer);\n embed_document(root);\n } else {\n attempts++;\n if (attempts > 100) {\n clearInterval(timer);\n console.log(\"Bokeh: ERROR: Unable to run BokehJS code because BokehJS library is missing\");\n }\n }\n }, 10, root)\n }\n})(window);", - "application/vnd.bokehjs_exec.v0+json": "" - }, - "metadata": { - "application/vnd.bokehjs_exec.v0+json": { - "id": "2776" - } - }, - "output_type": "display_data" - } - ], + }, + "outputs": [], "source": [ "p2 = figure(**opts, title='Polarization, U - D')\n", "p2.scatter(x_[1::2], res.y_obs[1::2], legend='U - D', color=Spectral6[0])\n", @@ -1226,74 +961,35 @@ "p22.line(x_[1::2], res.y_obs[1::2] - res.y_calc[1::2], line_width=2, color=Spectral6[1])\n", "p22.xaxis.axis_label = '2theta'\n", "show(column(p2, p22))" - ], - "metadata": { - "collapsed": false, - "pycharm": { - "name": "#%%\n" - } - } + ] }, { "cell_type": "markdown", - "source": [ - "The optimization results are shown below." - ], "metadata": { "collapsed": false, "pycharm": { "name": "#%% md\n" } - } + }, + "source": [ + "The optimization results are shown below." + ] }, { "cell_type": "code", - "execution_count": 32, - "outputs": [ - { - "name": "stdout", - "output_type": "stream", - "text": [ - "\n", - "\n", - "\n", - "\n", - "\n", - "\n", - "\n", - "\n", - "\n", - "\n", - "\n", - "\n", - "\n", - "\n", - "\n", - "\n", - "\n", - "\n", - "\n", - "\n", - "\n", - "\n", - "\n", - "\n", - "\n", - "\n" - ] - } - ], - "source": [ - "parameters = j2.get_fit_parameters()\n", - "for parameter in parameters:\n", - " print(parameter)" - ], + "execution_count": null, "metadata": { "collapsed": false, "pycharm": { "name": "#%%\n" } - } + }, + "outputs": [], + "source": [ + "parameters = j2.get_fit_parameters()\n", + "for parameter in parameters:\n", + " print(parameter)" + ] } ], "metadata": { @@ -1312,9 +1008,9 @@ "name": "python", "nbconvert_exporter": "python", "pygments_lexer": "ipython3", - "version": "3.9.7" + "version": "3.8.15" } }, "nbformat": 4, "nbformat_minor": 5 -} \ No newline at end of file +} diff --git a/examples/Simulation.ipynb b/examples/Simulation.ipynb index e7b40c76..b3705d7d 100644 --- a/examples/Simulation.ipynb +++ b/examples/Simulation.ipynb @@ -15,23 +15,14 @@ }, { "cell_type": "code", - "execution_count": 1, + "execution_count": null, "id": "9ecc4733", "metadata": { "pycharm": { "name": "#%%\n" } }, - "outputs": [ - { - "name": "stdout", - "output_type": "stream", - "text": [ - "GSAS-II binary directory: /Users/asazonov/Developing/CrossPlatform/easyScience/easyDiffraction/.venv/lib/python3.7/site-packages/GSASII/bindist\n", - "ImportError for wx/mpl in GSASIIctrlGUI: ignore if docs build\n" - ] - } - ], + "outputs": [], "source": [ "# esyScience, technique-independent\n", "from easyCore import np\n", @@ -40,7 +31,8 @@ "from easyDiffractionLib import Site, Phase, Phases\n", "from easyDiffractionLib.sample import Sample as Job\n", "from easyDiffractionLib.interface import InterfaceFactory as Calculator\n", - "from easyDiffractionLib.Elements.Experiments.Pattern import Pattern1D\n", + "from easyDiffractionLib.Jobs import Powder1DCW\n", + "from easyDiffractionLib.Jobs import Powder1DTOF\n", "from easyDiffractionLib.Profiles.P1D import Instrument1DCWParameters as CWParams\n", "from easyDiffractionLib.Profiles.P1D import Instrument1DTOFParameters as TOFParams\n", "from easyDiffractionLib.Profiles.P1D import Powder1DParameters\n", @@ -53,327 +45,14 @@ }, { "cell_type": "code", - "execution_count": 2, + "execution_count": null, "id": "d76d50fc", "metadata": { "pycharm": { "name": "#%%\n" } }, - "outputs": [ - { - "data": { - "text/html": [ - "\n", - "
\n", - " \n", - " Loading BokehJS ...\n", - "
" - ] - }, - "metadata": {}, - "output_type": "display_data" - }, - { - "data": { - "application/javascript": [ - "\n", - "(function(root) {\n", - " function now() {\n", - " return new Date();\n", - " }\n", - "\n", - " const force = true;\n", - "\n", - " if (typeof root._bokeh_onload_callbacks === \"undefined\" || force === true) {\n", - " root._bokeh_onload_callbacks = [];\n", - " root._bokeh_is_loading = undefined;\n", - " }\n", - "\n", - " const JS_MIME_TYPE = 'application/javascript';\n", - " const HTML_MIME_TYPE = 'text/html';\n", - " const EXEC_MIME_TYPE = 'application/vnd.bokehjs_exec.v0+json';\n", - " const CLASS_NAME = 'output_bokeh rendered_html';\n", - "\n", - " /**\n", - " * Render data to the DOM node\n", - " */\n", - " function render(props, node) {\n", - " const script = document.createElement(\"script\");\n", - " node.appendChild(script);\n", - " }\n", - "\n", - " /**\n", - " * Handle when an output is cleared or removed\n", - " */\n", - " function handleClearOutput(event, handle) {\n", - " const cell = handle.cell;\n", - "\n", - " const id = cell.output_area._bokeh_element_id;\n", - " const server_id = cell.output_area._bokeh_server_id;\n", - " // Clean up Bokeh references\n", - " if (id != null && id in Bokeh.index) {\n", - " Bokeh.index[id].model.document.clear();\n", - " delete Bokeh.index[id];\n", - " }\n", - "\n", - " if (server_id !== undefined) {\n", - " // Clean up Bokeh references\n", - " const cmd_clean = \"from bokeh.io.state import curstate; print(curstate().uuid_to_server['\" + server_id + \"'].get_sessions()[0].document.roots[0]._id)\";\n", - " cell.notebook.kernel.execute(cmd_clean, {\n", - " iopub: {\n", - " output: function(msg) {\n", - " const id = msg.content.text.trim();\n", - " if (id in Bokeh.index) {\n", - " Bokeh.index[id].model.document.clear();\n", - " delete Bokeh.index[id];\n", - " }\n", - " }\n", - " }\n", - " });\n", - " // Destroy server and session\n", - " const cmd_destroy = \"import bokeh.io.notebook as ion; ion.destroy_server('\" + server_id + \"')\";\n", - " cell.notebook.kernel.execute(cmd_destroy);\n", - " }\n", - " }\n", - "\n", - " /**\n", - " * Handle when a new output is added\n", - " */\n", - " function handleAddOutput(event, handle) {\n", - " const output_area = handle.output_area;\n", - " const output = handle.output;\n", - "\n", - " // limit handleAddOutput to display_data with EXEC_MIME_TYPE content only\n", - " if ((output.output_type != \"display_data\") || (!Object.prototype.hasOwnProperty.call(output.data, EXEC_MIME_TYPE))) {\n", - " return\n", - " }\n", - "\n", - " const toinsert = output_area.element.find(\".\" + CLASS_NAME.split(' ')[0]);\n", - "\n", - " if (output.metadata[EXEC_MIME_TYPE][\"id\"] !== undefined) {\n", - " toinsert[toinsert.length - 1].firstChild.textContent = output.data[JS_MIME_TYPE];\n", - " // store reference to embed id on output_area\n", - " output_area._bokeh_element_id = output.metadata[EXEC_MIME_TYPE][\"id\"];\n", - " }\n", - " if (output.metadata[EXEC_MIME_TYPE][\"server_id\"] !== undefined) {\n", - " const bk_div = document.createElement(\"div\");\n", - " bk_div.innerHTML = output.data[HTML_MIME_TYPE];\n", - " const script_attrs = bk_div.children[0].attributes;\n", - " for (let i = 0; i < script_attrs.length; i++) {\n", - " toinsert[toinsert.length - 1].firstChild.setAttribute(script_attrs[i].name, script_attrs[i].value);\n", - " toinsert[toinsert.length - 1].firstChild.textContent = bk_div.children[0].textContent\n", - " }\n", - " // store reference to server id on output_area\n", - " output_area._bokeh_server_id = output.metadata[EXEC_MIME_TYPE][\"server_id\"];\n", - " }\n", - " }\n", - "\n", - " function register_renderer(events, OutputArea) {\n", - "\n", - " function append_mime(data, metadata, element) {\n", - " // create a DOM node to render to\n", - " const toinsert = this.create_output_subarea(\n", - " metadata,\n", - " CLASS_NAME,\n", - " EXEC_MIME_TYPE\n", - " );\n", - " this.keyboard_manager.register_events(toinsert);\n", - " // Render to node\n", - " const props = {data: data, metadata: metadata[EXEC_MIME_TYPE]};\n", - " render(props, toinsert[toinsert.length - 1]);\n", - " element.append(toinsert);\n", - " return toinsert\n", - " }\n", - "\n", - " /* Handle when an output is cleared or removed */\n", - " events.on('clear_output.CodeCell', handleClearOutput);\n", - " events.on('delete.Cell', handleClearOutput);\n", - "\n", - " /* Handle when a new output is added */\n", - " events.on('output_added.OutputArea', handleAddOutput);\n", - "\n", - " /**\n", - " * Register the mime type and append_mime function with output_area\n", - " */\n", - " OutputArea.prototype.register_mime_type(EXEC_MIME_TYPE, append_mime, {\n", - " /* Is output safe? */\n", - " safe: true,\n", - " /* Index of renderer in `output_area.display_order` */\n", - " index: 0\n", - " });\n", - " }\n", - "\n", - " // register the mime type if in Jupyter Notebook environment and previously unregistered\n", - " if (root.Jupyter !== undefined) {\n", - " const events = require('base/js/events');\n", - " const OutputArea = require('notebook/js/outputarea').OutputArea;\n", - "\n", - " if (OutputArea.prototype.mime_types().indexOf(EXEC_MIME_TYPE) == -1) {\n", - " register_renderer(events, OutputArea);\n", - " }\n", - " }\n", - "\n", - " \n", - " if (typeof (root._bokeh_timeout) === \"undefined\" || force === true) {\n", - " root._bokeh_timeout = Date.now() + 5000;\n", - " root._bokeh_failed_load = false;\n", - " }\n", - "\n", - " const NB_LOAD_WARNING = {'data': {'text/html':\n", - " \"
\\n\"+\n", - " \"

\\n\"+\n", - " \"BokehJS does not appear to have successfully loaded. If loading BokehJS from CDN, this \\n\"+\n", - " \"may be due to a slow or bad network connection. Possible fixes:\\n\"+\n", - " \"

\\n\"+\n", - " \"
    \\n\"+\n", - " \"
  • re-rerun `output_notebook()` to attempt to load from CDN again, or
  • \\n\"+\n", - " \"
  • use INLINE resources instead, as so:
  • \\n\"+\n", - " \"
\\n\"+\n", - " \"\\n\"+\n", - " \"from bokeh.resources import INLINE\\n\"+\n", - " \"output_notebook(resources=INLINE)\\n\"+\n", - " \"\\n\"+\n", - " \"
\"}};\n", - "\n", - " function display_loaded() {\n", - " const el = document.getElementById(\"1002\");\n", - " if (el != null) {\n", - " el.textContent = \"BokehJS is loading...\";\n", - " }\n", - " if (root.Bokeh !== undefined) {\n", - " if (el != null) {\n", - " el.textContent = \"BokehJS \" + root.Bokeh.version + \" successfully loaded.\";\n", - " }\n", - " } else if (Date.now() < root._bokeh_timeout) {\n", - " setTimeout(display_loaded, 100)\n", - " }\n", - " }\n", - "\n", - "\n", - " function run_callbacks() {\n", - " try {\n", - " root._bokeh_onload_callbacks.forEach(function(callback) {\n", - " if (callback != null)\n", - " callback();\n", - " });\n", - " } finally {\n", - " delete root._bokeh_onload_callbacks\n", - " }\n", - " console.debug(\"Bokeh: all callbacks have finished\");\n", - " }\n", - "\n", - " function load_libs(css_urls, js_urls, callback) {\n", - " if (css_urls == null) css_urls = [];\n", - " if (js_urls == null) js_urls = [];\n", - "\n", - " root._bokeh_onload_callbacks.push(callback);\n", - " if (root._bokeh_is_loading > 0) {\n", - " console.debug(\"Bokeh: BokehJS is being loaded, scheduling callback at\", now());\n", - " return null;\n", - " }\n", - " if (js_urls == null || js_urls.length === 0) {\n", - " run_callbacks();\n", - " return null;\n", - " }\n", - " console.debug(\"Bokeh: BokehJS not loaded, scheduling load and callback at\", now());\n", - " root._bokeh_is_loading = css_urls.length + js_urls.length;\n", - "\n", - " function on_load() {\n", - " root._bokeh_is_loading--;\n", - " if (root._bokeh_is_loading === 0) {\n", - " console.debug(\"Bokeh: all BokehJS libraries/stylesheets loaded\");\n", - " run_callbacks()\n", - " }\n", - " }\n", - "\n", - " function on_error(url) {\n", - " console.error(\"failed to load \" + url);\n", - " }\n", - "\n", - " for (let i = 0; i < css_urls.length; i++) {\n", - " const url = css_urls[i];\n", - " const element = document.createElement(\"link\");\n", - " element.onload = on_load;\n", - " element.onerror = on_error.bind(null, url);\n", - " element.rel = \"stylesheet\";\n", - " element.type = \"text/css\";\n", - " element.href = url;\n", - " console.debug(\"Bokeh: injecting link tag for BokehJS stylesheet: \", url);\n", - " document.body.appendChild(element);\n", - " }\n", - "\n", - " for (let i = 0; i < js_urls.length; i++) {\n", - " const url = js_urls[i];\n", - " const element = document.createElement('script');\n", - " element.onload = on_load;\n", - " element.onerror = on_error.bind(null, url);\n", - " element.async = false;\n", - " element.src = url;\n", - " console.debug(\"Bokeh: injecting script tag for BokehJS library: \", url);\n", - " document.head.appendChild(element);\n", - " }\n", - " };\n", - "\n", - " function inject_raw_css(css) {\n", - " const element = document.createElement(\"style\");\n", - " element.appendChild(document.createTextNode(css));\n", - " document.body.appendChild(element);\n", - " }\n", - "\n", - " \n", - " const js_urls = [\"https://cdn.bokeh.org/bokeh/release/bokeh-2.4.0.min.js\", \"https://cdn.bokeh.org/bokeh/release/bokeh-gl-2.4.0.min.js\", \"https://cdn.bokeh.org/bokeh/release/bokeh-widgets-2.4.0.min.js\", \"https://cdn.bokeh.org/bokeh/release/bokeh-tables-2.4.0.min.js\", \"https://cdn.bokeh.org/bokeh/release/bokeh-mathjax-2.4.0.min.js\"];\n", - " const css_urls = [];\n", - " \n", - "\n", - " const inline_js = [\n", - " function(Bokeh) {\n", - " Bokeh.set_log_level(\"info\");\n", - " },\n", - " function(Bokeh) {\n", - " \n", - " \n", - " }\n", - " ];\n", - "\n", - " function run_inline_js() {\n", - " \n", - " if (root.Bokeh !== undefined || force === true) {\n", - " \n", - " for (let i = 0; i < inline_js.length; i++) {\n", - " inline_js[i].call(root, root.Bokeh);\n", - " }\n", - " if (force === true) {\n", - " display_loaded();\n", - " }} else if (Date.now() < root._bokeh_timeout) {\n", - " setTimeout(run_inline_js, 100);\n", - " } else if (!root._bokeh_failed_load) {\n", - " console.log(\"Bokeh: BokehJS failed to load within specified timeout.\");\n", - " root._bokeh_failed_load = true;\n", - " } else if (force !== true) {\n", - " const cell = $(document.getElementById(\"1002\")).parents('.cell').data().cell;\n", - " cell.output_area.append_execute_result(NB_LOAD_WARNING)\n", - " }\n", - "\n", - " }\n", - "\n", - " if (root._bokeh_is_loading === 0) {\n", - " console.debug(\"Bokeh: BokehJS loaded, going straight to plotting\");\n", - " run_inline_js();\n", - " } else {\n", - " load_libs(css_urls, js_urls, function() {\n", - " console.debug(\"Bokeh: BokehJS plotting callback run at\", now());\n", - " run_inline_js();\n", - " });\n", - " }\n", - "}(window));" - ], - "application/vnd.bokehjs_load.v0+json": "\n(function(root) {\n function now() {\n return new Date();\n }\n\n const force = true;\n\n if (typeof root._bokeh_onload_callbacks === \"undefined\" || force === true) {\n root._bokeh_onload_callbacks = [];\n root._bokeh_is_loading = undefined;\n }\n\n \n\n \n if (typeof (root._bokeh_timeout) === \"undefined\" || force === true) {\n root._bokeh_timeout = Date.now() + 5000;\n root._bokeh_failed_load = false;\n }\n\n const NB_LOAD_WARNING = {'data': {'text/html':\n \"
\\n\"+\n \"

\\n\"+\n \"BokehJS does not appear to have successfully loaded. If loading BokehJS from CDN, this \\n\"+\n \"may be due to a slow or bad network connection. Possible fixes:\\n\"+\n \"

\\n\"+\n \"
    \\n\"+\n \"
  • re-rerun `output_notebook()` to attempt to load from CDN again, or
  • \\n\"+\n \"
  • use INLINE resources instead, as so:
  • \\n\"+\n \"
\\n\"+\n \"\\n\"+\n \"from bokeh.resources import INLINE\\n\"+\n \"output_notebook(resources=INLINE)\\n\"+\n \"\\n\"+\n \"
\"}};\n\n function display_loaded() {\n const el = document.getElementById(\"1002\");\n if (el != null) {\n el.textContent = \"BokehJS is loading...\";\n }\n if (root.Bokeh !== undefined) {\n if (el != null) {\n el.textContent = \"BokehJS \" + root.Bokeh.version + \" successfully loaded.\";\n }\n } else if (Date.now() < root._bokeh_timeout) {\n setTimeout(display_loaded, 100)\n }\n }\n\n\n function run_callbacks() {\n try {\n root._bokeh_onload_callbacks.forEach(function(callback) {\n if (callback != null)\n callback();\n });\n } finally {\n delete root._bokeh_onload_callbacks\n }\n console.debug(\"Bokeh: all callbacks have finished\");\n }\n\n function load_libs(css_urls, js_urls, callback) {\n if (css_urls == null) css_urls = [];\n if (js_urls == null) js_urls = [];\n\n root._bokeh_onload_callbacks.push(callback);\n if (root._bokeh_is_loading > 0) {\n console.debug(\"Bokeh: BokehJS is being loaded, scheduling callback at\", now());\n return null;\n }\n if (js_urls == null || js_urls.length === 0) {\n run_callbacks();\n return null;\n }\n console.debug(\"Bokeh: BokehJS not loaded, scheduling load and callback at\", now());\n root._bokeh_is_loading = css_urls.length + js_urls.length;\n\n function on_load() {\n root._bokeh_is_loading--;\n if (root._bokeh_is_loading === 0) {\n console.debug(\"Bokeh: all BokehJS libraries/stylesheets loaded\");\n run_callbacks()\n }\n }\n\n function on_error(url) {\n console.error(\"failed to load \" + url);\n }\n\n for (let i = 0; i < css_urls.length; i++) {\n const url = css_urls[i];\n const element = document.createElement(\"link\");\n element.onload = on_load;\n element.onerror = on_error.bind(null, url);\n element.rel = \"stylesheet\";\n element.type = \"text/css\";\n element.href = url;\n console.debug(\"Bokeh: injecting link tag for BokehJS stylesheet: \", url);\n document.body.appendChild(element);\n }\n\n for (let i = 0; i < js_urls.length; i++) {\n const url = js_urls[i];\n const element = document.createElement('script');\n element.onload = on_load;\n element.onerror = on_error.bind(null, url);\n element.async = false;\n element.src = url;\n console.debug(\"Bokeh: injecting script tag for BokehJS library: \", url);\n document.head.appendChild(element);\n }\n };\n\n function inject_raw_css(css) {\n const element = document.createElement(\"style\");\n element.appendChild(document.createTextNode(css));\n document.body.appendChild(element);\n }\n\n \n const js_urls = [\"https://cdn.bokeh.org/bokeh/release/bokeh-2.4.0.min.js\", \"https://cdn.bokeh.org/bokeh/release/bokeh-gl-2.4.0.min.js\", \"https://cdn.bokeh.org/bokeh/release/bokeh-widgets-2.4.0.min.js\", \"https://cdn.bokeh.org/bokeh/release/bokeh-tables-2.4.0.min.js\", \"https://cdn.bokeh.org/bokeh/release/bokeh-mathjax-2.4.0.min.js\"];\n const css_urls = [];\n \n\n const inline_js = [\n function(Bokeh) {\n Bokeh.set_log_level(\"info\");\n },\n function(Bokeh) {\n \n \n }\n ];\n\n function run_inline_js() {\n \n if (root.Bokeh !== undefined || force === true) {\n \n for (let i = 0; i < inline_js.length; i++) {\n inline_js[i].call(root, root.Bokeh);\n }\n if (force === true) {\n display_loaded();\n }} else if (Date.now() < root._bokeh_timeout) {\n setTimeout(run_inline_js, 100);\n } else if (!root._bokeh_failed_load) {\n console.log(\"Bokeh: BokehJS failed to load within specified timeout.\");\n root._bokeh_failed_load = true;\n } else if (force !== true) {\n const cell = $(document.getElementById(\"1002\")).parents('.cell').data().cell;\n cell.output_area.append_execute_result(NB_LOAD_WARNING)\n }\n\n }\n\n if (root._bokeh_is_loading === 0) {\n console.debug(\"Bokeh: BokehJS loaded, going straight to plotting\");\n run_inline_js();\n } else {\n load_libs(css_urls, js_urls, function() {\n console.debug(\"Bokeh: BokehJS plotting callback run at\", now());\n run_inline_js();\n });\n }\n}(window));" - }, - "metadata": {}, - "output_type": "display_data" - } - ], + "outputs": [], "source": [ "output_notebook()\n", "FIGURE_WIDTH = 990\n", @@ -406,7 +85,7 @@ }, { "cell_type": "code", - "execution_count": 3, + "execution_count": null, "id": "41020330", "metadata": { "pycharm": { @@ -415,11 +94,11 @@ }, "outputs": [], "source": [ - "atom = Site.from_pars(label=\"Cl\",\n", - " specie=\"Cl\",\n", - " fract_x=0.0,\n", - " fract_y=0.0,\n", - " fract_z=0.0)" + "atom = Site(label=\"Cl\",\n", + " specie=\"Cl\",\n", + " fract_x=0.0,\n", + " fract_y=0.0,\n", + " fract_z=0.0)" ] }, { @@ -436,7 +115,7 @@ }, { "cell_type": "code", - "execution_count": 4, + "execution_count": null, "id": "1e2f3193", "metadata": { "pycharm": { @@ -466,7 +145,7 @@ }, { "cell_type": "code", - "execution_count": 5, + "execution_count": null, "id": "4231d16a", "metadata": { "pycharm": { @@ -492,77 +171,17 @@ }, { "cell_type": "code", - "execution_count": 6, + "execution_count": null, "id": "e68ddbea", "metadata": { "pycharm": { "name": "#%%\n" } }, - "outputs": [ - { - "data": { - "application/3dmoljs_load.v0": "
\n

You appear to be running in JupyterLab (or JavaScript failed to load for some other reason). You need to install the 3dmol extension:
\n jupyter labextension install jupyterlab_3dmol

\n
\n", - "text/html": [ - "
\n", - "

You appear to be running in JupyterLab (or JavaScript failed to load for some other reason). You need to install the 3dmol extension:
\n", - " jupyter labextension install jupyterlab_3dmol

\n", - "
\n", - "" - ] - }, - "metadata": {}, - "output_type": "display_data" - }, - { - "data": { - "text/plain": [ - "" - ] - }, - "execution_count": 6, - "metadata": {}, - "output_type": "execute_result" - } - ], + "outputs": [], "source": [ "viewer = py3Dmol.view()\n", - "viewer.addModel(phase.to_cif_str(),'cif',{'doAssembly':True,'duplicateAssemblyAtoms':True,'normalizeAssembly':True})\n", + "viewer.addModel(phase.cif,'cif',{'doAssembly':True,'duplicateAssemblyAtoms':True,'normalizeAssembly':True})\n", "viewer.setStyle({'sphere':{'colorscheme':'Jmol','scale':.2},'stick':{'colorscheme':'Jmol', 'radius': 0.1}})\n", "viewer.addUnitCell()\n", "viewer.replicateUnitCell(2,2,2)\n", @@ -583,7 +202,7 @@ }, { "cell_type": "code", - "execution_count": 7, + "execution_count": null, "id": "29071aa2", "metadata": { "pycharm": { @@ -622,7 +241,7 @@ }, { "cell_type": "code", - "execution_count": 8, + "execution_count": null, "id": "83e3845f", "metadata": { "pycharm": { @@ -631,7 +250,7 @@ }, "outputs": [], "source": [ - "parameters = CWParams.default()\n", + "parameters = CWParams()\n", "\n", "parameters.resolution_u = 0.1447\n", "parameters.resolution_v = -0.4252\n", @@ -654,7 +273,7 @@ }, { "cell_type": "code", - "execution_count": 9, + "execution_count": null, "id": "70fa1571", "metadata": { "pycharm": { @@ -663,7 +282,7 @@ }, "outputs": [], "source": [ - "pattern = Powder1DParameters.default()\n", + "pattern = Powder1DParameters()\n", "\n", "pattern.zero_shift = 0.0\n", "pattern.scale = 100.0" @@ -671,7 +290,7 @@ }, { "cell_type": "code", - "execution_count": 10, + "execution_count": null, "id": "1ed88f8e", "metadata": { "pycharm": { @@ -685,22 +304,14 @@ }, { "cell_type": "code", - "execution_count": 11, + "execution_count": null, "id": "784fb8e5", "metadata": { "pycharm": { "name": "#%%\n" } }, - "outputs": [ - { - "name": "stdout", - "output_type": "stream", - "text": [ - "Current calculator engine: CrysPy\n" - ] - } - ], + "outputs": [], "source": [ "print(f\"Current calculator engine: {calculator.current_interface_name}\")" ] @@ -719,48 +330,30 @@ }, { "cell_type": "code", - "execution_count": 12, + "execution_count": null, "id": "c90662f7", "metadata": { "pycharm": { "name": "#%%\n" } }, - "outputs": [ - { - "name": "stdout", - "output_type": "stream", - "text": [ - "Temp CIF: /var/folders/5q/6x3b8ryn5cn9hkg4lmlcpjyh0000gn/T/easydiffraction_temp.cif\n" - ] - } - ], + "outputs": [], "source": [ - "job_cw = Job(phases=phases, parameters=parameters, calculator=calculator)" + "job_cw = Powder1DCW(\"salt_cw\", phases=phases, parameters=parameters, interface=calculator)" ] }, { "cell_type": "code", - "execution_count": 13, + "execution_count": null, "id": "210bc79d", "metadata": { "pycharm": { "name": "#%%\n" } }, - "outputs": [ - { - "name": "stdout", - "output_type": "stream", - "text": [ - "Available calculator engines: ['CrysPy', 'CrysFML', 'GSASII']\n", - "Available calculators for CW: ['CrysPy', 'CrysFML', 'GSASII']\n" - ] - } - ], + "outputs": [], "source": [ - "print(f\"Available calculator engines: {calculator.available_interfaces}\")\n", - "print(f\"Available calculators for CW: {calculator.interface_compatability('Npowder1DCW')}\")" + "print(f\"Available calculator engines: {calculator.available_interfaces}\")" ] }, { @@ -790,72 +383,17 @@ }, { "cell_type": "code", - "execution_count": 14, + "execution_count": null, "id": "f556cc94", "metadata": { "pycharm": { "name": "#%%\n" } }, - "outputs": [ - { - "data": { - "text/html": [ - "\n", - "\n", - "\n", - "\n", - "\n", - "\n", - "
\n" - ] - }, - "metadata": {}, - "output_type": "display_data" - }, - { - "data": { - "application/javascript": [ - "(function(root) {\n", - " function embed_document(root) {\n", - " \n", - " const docs_json = {\"83cbabd3-e48f-44be-8746-1e3b42c9584d\":{\"defs\":[],\"roots\":{\"references\":[{\"attributes\":{\"below\":[{\"id\":\"1012\"}],\"center\":[{\"id\":\"1015\"},{\"id\":\"1019\"},{\"id\":\"1051\"}],\"height\":300,\"left\":[{\"id\":\"1016\"}],\"renderers\":[{\"id\":\"1038\"}],\"title\":{\"id\":\"1040\"},\"toolbar\":{\"id\":\"1027\"},\"width\":990,\"x_range\":{\"id\":\"1004\"},\"x_scale\":{\"id\":\"1008\"},\"y_range\":{\"id\":\"1006\"},\"y_scale\":{\"id\":\"1010\"}},\"id\":\"1003\",\"subtype\":\"Figure\",\"type\":\"Plot\"},{\"attributes\":{},\"id\":\"1020\",\"type\":\"PanTool\"},{\"attributes\":{},\"id\":\"1004\",\"type\":\"DataRange1d\"},{\"attributes\":{},\"id\":\"1021\",\"type\":\"WheelZoomTool\"},{\"attributes\":{\"bottom_units\":\"screen\",\"coordinates\":null,\"fill_alpha\":0.5,\"fill_color\":\"lightgrey\",\"group\":null,\"left_units\":\"screen\",\"level\":\"overlay\",\"line_alpha\":1.0,\"line_color\":\"black\",\"line_dash\":[4,4],\"line_width\":2,\"right_units\":\"screen\",\"syncable\":false,\"top_units\":\"screen\"},\"id\":\"1026\",\"type\":\"BoxAnnotation\"},{\"attributes\":{\"overlay\":{\"id\":\"1026\"}},\"id\":\"1022\",\"type\":\"BoxZoomTool\"},{\"attributes\":{},\"id\":\"1023\",\"type\":\"SaveTool\"},{\"attributes\":{},\"id\":\"1006\",\"type\":\"DataRange1d\"},{\"attributes\":{},\"id\":\"1024\",\"type\":\"ResetTool\"},{\"attributes\":{},\"id\":\"1025\",\"type\":\"HelpTool\"},{\"attributes\":{\"coordinates\":null,\"formatter\":{\"id\":\"1043\"},\"group\":null,\"major_label_policy\":{\"id\":\"1044\"},\"ticker\":{\"id\":\"1017\"}},\"id\":\"1016\",\"type\":\"LinearAxis\"},{\"attributes\":{\"axis\":{\"id\":\"1016\"},\"coordinates\":null,\"dimension\":1,\"group\":null,\"ticker\":null},\"id\":\"1019\",\"type\":\"Grid\"},{\"attributes\":{},\"id\":\"1008\",\"type\":\"LinearScale\"},{\"attributes\":{\"coordinates\":null,\"formatter\":{\"id\":\"1046\"},\"group\":null,\"major_label_policy\":{\"id\":\"1047\"},\"ticker\":{\"id\":\"1013\"}},\"id\":\"1012\",\"type\":\"LinearAxis\"},{\"attributes\":{\"tools\":[{\"id\":\"1020\"},{\"id\":\"1021\"},{\"id\":\"1022\"},{\"id\":\"1023\"},{\"id\":\"1024\"},{\"id\":\"1025\"}]},\"id\":\"1027\",\"type\":\"Toolbar\"},{\"attributes\":{},\"id\":\"1010\",\"type\":\"LinearScale\"},{\"attributes\":{},\"id\":\"1046\",\"type\":\"BasicTickFormatter\"},{\"attributes\":{},\"id\":\"1048\",\"type\":\"UnionRenderers\"},{\"attributes\":{},\"id\":\"1013\",\"type\":\"BasicTicker\"},{\"attributes\":{\"coordinates\":null,\"group\":null},\"id\":\"1040\",\"type\":\"Title\"},{\"attributes\":{},\"id\":\"1017\",\"type\":\"BasicTicker\"},{\"attributes\":{\"axis\":{\"id\":\"1012\"},\"coordinates\":null,\"group\":null,\"ticker\":null},\"id\":\"1015\",\"type\":\"Grid\"},{\"attributes\":{\"line_alpha\":0.1,\"line_color\":\"orangered\",\"line_width\":2,\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"1036\",\"type\":\"Line\"},{\"attributes\":{\"data\":{\"x\":{\"__ndarray__\":\"AAAAAAAANECJd00z9Ew0QBLvmmbomTRAm2bomdzmNEAk3jXN0DM1QK1VgwDFgDVANs3QM7nNNUC/RB5nrRo2QEi8a5qhZzZA0TO5zZW0NkBaqwYBigE3QOMiVDR+TjdAbJqhZ3KbN0D1Ee+aZug3QH6JPM5aNThABwGKAU+COECQeNc0Q884QBnwJGg3HDlAomdymytpOUAr37/OH7Y5QLRWDQIUAzpAPc5aNQhQOkDGRaho/Jw6QE+99Zvw6TpA2DRDz+Q2O0BgrJAC2YM7QOoj3jXN0DtAcpsracEdPED8EnmctWo8QISKxs+ptzxADgIUA54EPUCWeWE2klE9QCDxrmmGnj1AqGj8nHrrPUAy4EnQbjg+QLpXlwNjhT5ARM/kNlfSPkDMRjJqSx8/QFa+f50/bD9A3jXN0DO5P0C0Vg0CFANAQHgStBuOKUBAPc5aNQhQQEABigFPgnZAQMZFqGj8nEBAigFPgnbDQEBPvfWb8OlAQBN5nLVqEEFA2DRDz+Q2QUCc8OnoXl1BQGCskALZg0FAJWg3HFOqQUDqI941zdBBQK7fhE9H90FAcpsracEdQkA3V9KCO0RCQPwSeZy1akJAwM4fti+RQkCEisbPqbdCQElGbekj3kJADgIUA54EQ0DSvbocGCtDQJZ5YTaSUUNAWzUIUAx4Q0Ag8a5php5DQOSsVYMAxUNAqGj8nHrrQ0BtJKO29BFEQDLgSdBuOERA9pvw6eheREC6V5cDY4VEQH8TPh3dq0RARM/kNlfSREAIi4tQ0fhEQMxGMmpLH0VAkQLZg8VFRUBWvn+dP2xFQBp6Jre5kkVA3jXN0DO5RUCj8XPqrd9FQGitGgQoBkZALGnBHaIsRkDwJGg3HFNGQLXgDlGWeUZAepy1ahCgRkA+WFyEisZGQAIUA54E7UZAx8+pt34TR0CMi1DR+DlHQFBH9+pyYEdAFAOeBO2GR0DZvkQeZ61HQJ566zfh00dAYjaSUVv6R0Am8jhr1SBIQOut34RPR0hAr2mGnsltSEB0JS24Q5RIQDjh09G9ukhA/Jx66zfhSEDBWCEFsgdJQIYUyB4sLklAStBuOKZUSUAOjBVSIHtJQNNHvGuaoUlAmANjhRTISUBcvwmfju5JQCF7sLgIFUpA5TZX0oI7SkCq8v3r/GFKQG6upAV3iEpAM2pLH/GuSkD3JfI4a9VKQLzhmFLl+0pAgJ0/bF8iS0BFWeaF2UhLQAkVjZ9Tb0tAztAzuc2VS0CSjNrSR7xLQFdIgezB4ktAGwQoBjwJTEDgv84fti9MQKR7dTkwVkxAaTccU6p8TEAt88JsJKNMQPKuaYaeyUxAtmoQoBjwTEB7Jre5khZNQD/iXdMMPU1AA54E7YZjTUDIWasGAYpNQIwVUiB7sE1AUdH4OfXWTUAVjZ9Tb/1NQNpIRm3pI05AngTthmNKTkBjwJOg3XBOQCd8OrpXl05A7Dfh09G9TkCw84ftS+ROQHWvLgfGCk9AOWvVIEAxT0D+Jnw6uldPQMLiIlQ0fk9Ah57Jba6kT0BLWnCHKMtPQBAWF6Gi8U9A6uheXQ4MUEDMRjJqSx9QQK6kBXeIMlBAkQLZg8VFUEBzYKyQAllQQFa+f50/bFBAOBxTqnx/UEAaeia3uZJQQPzX+cP2pVBA3jXN0DO5UEDAk6DdcMxQQKPxc+qt31BAhU9H9+ryUEBorRoEKAZRQEoL7hBlGVFALGnBHaIsUUAOx5Qq3z9RQPAkaDccU1FA0oI7RFlmUUC14A5RlnlRQJc+4l3TjFFAepy1ahCgUUBc+oh3TbNRQD5YXISKxlFAILYvkcfZUUACFAOeBO1RQORx1qpBAFJAx8+pt34TUkCpLX3EuyZSQIyLUNH4OVJAbukj3jVNUkBQR/fqcmBSQDKlyvevc1JAFAOeBO2GUkD2YHERKppSQNm+RB5nrVJAuxwYK6TAUkCeeus34dNSQIDYvkQe51JAYjaSUVv6UkBElGVemA1TQCbyOGvVIFNACFAMeBI0U0Drrd+ET0dTQM0Ls5GMWlNAr2mGnsltU0CSx1mrBoFTQHQlLbhDlFNAVoMAxYCnU0A44dPRvbpTQBo/p976zVNA/Jx66zfhU0Df+k34dPRTQMFYIQWyB1RApLb0Ee8aVECGFMgeLC5UQGhymytpQVRAStBuOKZUVEAsLkJF42dUQA6MFVIge1RA8enoXl2OVEDTR7xrmqFUQLalj3jXtFRAmANjhRTIVEB6YTaSUdtUQFy/CZ+O7lRAPh3dq8sBVUAhe7C4CBVVQAPZg8VFKFVA5TZX0oI7VUDHlCrfv05VQKry/ev8YVVAjFDR+Dl1VUBurqQFd4hVQFAMeBK0m1VAM2pLH/GuVUAVyB4sLsJVQPcl8jhr1VVA2YPFRajoVUC84ZhS5ftVQJ4/bF8iD1ZAgJ0/bF8iVkBi+xJ5nDVWQEVZ5oXZSFZAJ7e5khZcVkAJFY2fU29WQOtyYKyQglZAztAzuc2VVkCwLgfGCqlWQJKM2tJHvFZAdOqt34TPVkBXSIHsweJWQDmmVPn+9VZAGwQoBjwJV0D9YfsSeRxXQOC/zh+2L1dAwh2iLPNCV0Cke3U5MFZXQIbZSEZtaVdAaTccU6p8V0BLle9f549XQC3zwmwko1dAD1GWeWG2V0DyrmmGnslXQNQMPZPb3FdAtmoQoBjwV0CYyOOsVQNYQHsmt7mSFlhAXYSKxs8pWEA/4l3TDD1YQCFAMeBJUFhAA54E7YZjWEDm+9f5w3ZYQMhZqwYBilhAqrd+Ez6dWECMFVIge7BYQG9zJS24w1hAUdH4OfXWWEAzL8xGMupYQBWNn1Nv/VhA+OpyYKwQWUDaSEZt6SNZQLymGXomN1lAngTthmNKWUCBYsCToF1ZQGPAk6DdcFlARR5nrRqEWUAnfDq6V5dZQAraDceUqllA7Dfh09G9WUDOlbTgDtFZQLDzh+1L5FlAk1Fb+oj3WUB1ry4HxgpaQFcNAhQDHlpAOWvVIEAxWkAcyagtfURaQP4mfDq6V1pA4IRPR/dqWkDC4iJUNH5aQKVA9mBxkVpAh57Jba6kWkBp/Jx667daQEtacIcoy1pALrhDlGXeWkAQFhehovFaQPJz6q3fBFtA1NG9uhwYW0C3L5HHWStbQJmNZNSWPltAe+s34dNRW0BdSQvuEGVbQECn3vpNeFtAIgWyB4uLW0AEY4UUyJ5bQObAWCEFsltAyR4sLkLFW0CrfP86f9hbQI3a0ke861tAbzimVPn+W0BSlnlhNhJcQDT0TG5zJVxAFlIge7A4XED4r/OH7UtcQNsNx5QqX1xAvWuaoWdyXECfyW2upIVcQIEnQbvhmFxAZIUUyB6sXEBG4+fUW79cQChBu+GY0lxACp+O7tXlXEDt/GH7EvlcQM9aNQhQDF1AsbgIFY0fXUCTFtwhyjJdQHV0ry4HRl1AWNKCO0RZXUA6MFZIgWxdQByOKVW+f11A/uv8YfuSXUDhSdBuOKZdQMOno3t1uV1ApQV3iLLMXUCHY0qV799dQGrBHaIs811ATB/xrmkGXkAufcS7phleQBDbl8jjLF5A8zhr1SBAXkDVlj7iXVNeQLf0Ee+aZl5AmVLl+9d5XkB8sLgIFY1eQF4OjBVSoF5AQGxfIo+zXkAiyjIvzMZeQAUoBjwJ2l5A54XZSEbtXkDJ46xVgwBfQKtBgGLAE19Ajp9Tb/0mX0Bw/SZ8OjpfQFJb+oh3TV9ANLnNlbRgX0AXF6Gi8XNfQPl0dK8uh19A29JHvGuaX0C9MBvJqK1fQKCO7tXlwF9AguzB4iLUX0BkSpXvX+dfQEaoaPyc+l9AFAOeBO0GYEAGsgeLixBgQPZgcREqGmBA6A/bl8gjYEDZvkQeZy1gQMptrqQFN2BAuxwYK6RAYECsy4GxQkpgQJ566zfhU2BAjilVvn9dYECA2L5EHmdgQHCHKMu8cGBAYjaSUVt6YEBT5fvX+YNgQESUZV6YjWBANUPP5DaXYEAm8jhr1aBgQBihovFzqmBACFAMeBK0YED6/nX+sL1gQOut34RPx2BA3FxJC+7QYEDNC7ORjNpgQL66HBgr5GBAr2mGnsntYECgGPAkaPdgQJLHWasGAWFAgnbDMaUKYUB0JS24QxRhQGXUlj7iHWFAVoMAxYAnYUBHMmpLHzFhQDjh09G9OmFAKpA9WFxEYUAaP6fe+k1hQAzuEGWZV2FA/Jx66zdhYUDuS+Rx1mphQN/6Tfh0dGFA0Km3fhN+YUDBWCEFsodhQLIHi4tQkWFApLb0Ee+aYUCUZV6YjaRhQIYUyB4srmFAd8Mxpcq3YUBocpsracFhQFkhBbIHy2FAStBuOKbUYUA8f9i+RN5hQCwuQkXj52FAHt2ry4HxYUAOjBVSIPthQAA7f9i+BGJA8enoXl0OYkDimFLl+xdiQNNHvGuaIWJAxPYl8jgrYkC2pY941zRiQKZU+f51PmJAmANjhRRIYkCJsswLs1FiQHphNpJRW2JAaxCgGPBkYkBcvwmfjm5iQE5ucyUteGJAPh3dq8uBYkAwzEYyaotiQCF7sLgIlWJAEioaP6eeYkAD2YPFRahiQPSH7UvksWJA5TZX0oK7YkDW5cBYIcViQMeUKt+/zmJAuUOUZV7YYkCq8v3r/OFiQJuhZ3Kb62JAjFDR+Dn1YkB9/zp/2P5iQG6upAV3CGNAX10OjBUSY0BQDHgStBtjQEK74ZhSJWNAM2pLH/EuY0AkGbWljzhjQBXIHiwuQmNABneIssxLY0D3JfI4a1VjQOjUW78JX2NA2YPFRahoY0DKMi/MRnJjQLzhmFLle2NArZAC2YOFY0CeP2xfIo9jQI/u1eXAmGNAgJ0/bF+iY0BxTKny/atjQGL7EnmctWNAU6p8/zq/Y0BFWeaF2chjQDYIUAx40mNAJ7e5khbcY0AYZiMZteVjQAkVjZ9T72NA+sP2JfL4Y0DrcmCskAJkQNwhyjIvDGRAztAzuc0VZEC/f50/bB9kQLAuB8YKKWRAod1wTKkyZECSjNrSRzxkQIM7RFnmRWRAdOqt34RPZEBlmRdmI1lkQFdIgezBYmRASPfqcmBsZEA5plT5/nVkQCpVvn+df2RAGwQoBjyJZEAMs5GM2pJkQP1h+xJ5nGRA7hBlmRemZEDgv84ftq9kQNFuOKZUuWRAwh2iLPPCZECzzAuzkcxkQKR7dTkw1mRAlSrfv87fZECG2UhGbelkQHeIsswL82RAaTccU6r8ZEBa5oXZSAZlQEuV71/nD2VAPERZ5oUZZUAt88JsJCNlQB6iLPPCLGVAD1GWeWE2ZUAAAAAAAEBlQA==\",\"dtype\":\"float64\",\"order\":\"little\",\"shape\":[500]},\"y\":{\"__ndarray__\":\"AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA4PXGYM2z2T8fcJdvRej9PxPMl6nq4+k/1HNfWKmsoD8AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAdLadmZyL0T+2feDjKELzP7rkpnDKIdY/AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAGehThclepk/56Q1M4Fo+T+JQdIURT7kPwAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA7oh5wy490z/4UlnFhUERQBLNKX//trg/AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAO/7g/f1A5c/Udv0pISm8D8Zh/gpKHTcPwAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA==\",\"dtype\":\"float64\",\"order\":\"little\",\"shape\":[500]}},\"selected\":{\"id\":\"1049\"},\"selection_policy\":{\"id\":\"1048\"}},\"id\":\"1034\",\"type\":\"ColumnDataSource\"},{\"attributes\":{\"coordinates\":null,\"data_source\":{\"id\":\"1034\"},\"glyph\":{\"id\":\"1035\"},\"group\":null,\"hover_glyph\":null,\"muted_glyph\":{\"id\":\"1037\"},\"nonselection_glyph\":{\"id\":\"1036\"},\"view\":{\"id\":\"1039\"}},\"id\":\"1038\",\"type\":\"GlyphRenderer\"},{\"attributes\":{\"line_alpha\":0.2,\"line_color\":\"orangered\",\"line_width\":2,\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"1037\",\"type\":\"Line\"},{\"attributes\":{\"source\":{\"id\":\"1034\"}},\"id\":\"1039\",\"type\":\"CDSView\"},{\"attributes\":{},\"id\":\"1043\",\"type\":\"BasicTickFormatter\"},{\"attributes\":{\"label\":{\"value\":\"CW Simulation\"},\"renderers\":[{\"id\":\"1038\"}]},\"id\":\"1052\",\"type\":\"LegendItem\"},{\"attributes\":{},\"id\":\"1049\",\"type\":\"Selection\"},{\"attributes\":{\"line_color\":\"orangered\",\"line_width\":2,\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"1035\",\"type\":\"Line\"},{\"attributes\":{},\"id\":\"1044\",\"type\":\"AllLabels\"},{\"attributes\":{\"coordinates\":null,\"group\":null,\"items\":[{\"id\":\"1052\"}]},\"id\":\"1051\",\"type\":\"Legend\"},{\"attributes\":{},\"id\":\"1047\",\"type\":\"AllLabels\"}],\"root_ids\":[\"1003\"]},\"title\":\"Bokeh Application\",\"version\":\"2.4.0\"}};\n", - " const render_items = [{\"docid\":\"83cbabd3-e48f-44be-8746-1e3b42c9584d\",\"root_ids\":[\"1003\"],\"roots\":{\"1003\":\"f513bb61-7505-4314-b09f-89e47c08d8b1\"}}];\n", - " root.Bokeh.embed.embed_items_notebook(docs_json, render_items);\n", - "\n", - " }\n", - " if (root.Bokeh !== undefined) {\n", - " embed_document(root);\n", - " } else {\n", - " let attempts = 0;\n", - " const timer = setInterval(function(root) {\n", - " if (root.Bokeh !== undefined) {\n", - " clearInterval(timer);\n", - " embed_document(root);\n", - " } else {\n", - " attempts++;\n", - " if (attempts > 100) {\n", - " clearInterval(timer);\n", - " console.log(\"Bokeh: ERROR: Unable to run BokehJS code because BokehJS library is missing\");\n", - " }\n", - " }\n", - " }, 10, root)\n", - " }\n", - "})(window);" - ], - "application/vnd.bokehjs_exec.v0+json": "" - }, - "metadata": { - "application/vnd.bokehjs_exec.v0+json": { - "id": "1003" - } - }, - "output_type": "display_data" - } - ], + "outputs": [], "source": [ "x_data = np.linspace(20, 170, 500)\n", - "y_data = calculator.fit_func(x_data)\n", + "y_data = job_cw.create_simulation(x_data)\n", "\n", "fig = figure(width=FIGURE_WIDTH, height=FIGURE_HEIGHT)\n", "fig.line(x_data, y_data, legend_label='CW Simulation', color='orangered', line_width=2)\n", @@ -888,7 +426,7 @@ }, { "cell_type": "code", - "execution_count": 15, + "execution_count": null, "id": "59381e83", "metadata": { "pycharm": { @@ -897,7 +435,7 @@ }, "outputs": [], "source": [ - "parameters = TOFParams.default()\n", + "parameters = TOFParams()\n", "\n", "parameters.dtt1 = 6167.24700\n", "parameters.dtt2 = -2.28000\n", @@ -918,48 +456,30 @@ }, { "cell_type": "code", - "execution_count": 16, + "execution_count": null, "id": "2aa1648d", "metadata": { "pycharm": { "name": "#%%\n" } }, - "outputs": [ - { - "name": "stdout", - "output_type": "stream", - "text": [ - "Temp CIF: /var/folders/5q/6x3b8ryn5cn9hkg4lmlcpjyh0000gn/T/easydiffraction_temp.cif\n" - ] - } - ], + "outputs": [], "source": [ - "job_tof = Job(phases=phases, parameters=parameters, calculator=calculator)" + "job_tof = Powder1DTOF(\"salt_tof\", phases=phases, parameters=parameters, interface=calculator)" ] }, { "cell_type": "code", - "execution_count": 17, + "execution_count": null, "id": "9d612a23", "metadata": { "pycharm": { "name": "#%%\n" } }, - "outputs": [ - { - "name": "stdout", - "output_type": "stream", - "text": [ - "Available calculator engines: ['CrysPy', 'CrysFML', 'GSASII']\n", - "Available calculators for TOF: ['CrysPy']\n" - ] - } - ], + "outputs": [], "source": [ - "print(f\"Available calculator engines: {calculator.available_interfaces}\")\n", - "print(f\"Available calculators for TOF: {calculator.interface_compatability('Npowder1DTOF')}\")" + "print(f\"Available calculator engines: {calculator.available_interfaces}\")" ] }, { @@ -988,72 +508,17 @@ }, { "cell_type": "code", - "execution_count": 18, + "execution_count": null, "id": "eac224b9", "metadata": { "pycharm": { "name": "#%%\n" } }, - "outputs": [ - { - "data": { - "text/html": [ - "\n", - "\n", - "\n", - "\n", - "\n", - "\n", - "
\n" - ] - }, - "metadata": {}, - "output_type": "display_data" - }, - { - "data": { - "application/javascript": [ - "(function(root) {\n", - " function embed_document(root) {\n", - " \n", - " const docs_json = {\"c9f6111c-7da2-44da-98fe-a9f91823dc2f\":{\"defs\":[],\"roots\":{\"references\":[{\"attributes\":{\"below\":[{\"id\":\"1128\"}],\"center\":[{\"id\":\"1131\"},{\"id\":\"1135\"},{\"id\":\"1167\"}],\"height\":300,\"left\":[{\"id\":\"1132\"}],\"renderers\":[{\"id\":\"1154\"}],\"title\":{\"id\":\"1156\"},\"toolbar\":{\"id\":\"1143\"},\"width\":990,\"x_range\":{\"id\":\"1120\"},\"x_scale\":{\"id\":\"1124\"},\"y_range\":{\"id\":\"1122\"},\"y_scale\":{\"id\":\"1126\"}},\"id\":\"1119\",\"subtype\":\"Figure\",\"type\":\"Plot\"},{\"attributes\":{\"coordinates\":null,\"formatter\":{\"id\":\"1162\"},\"group\":null,\"major_label_policy\":{\"id\":\"1163\"},\"ticker\":{\"id\":\"1129\"}},\"id\":\"1128\",\"type\":\"LinearAxis\"},{\"attributes\":{\"coordinates\":null,\"formatter\":{\"id\":\"1159\"},\"group\":null,\"major_label_policy\":{\"id\":\"1160\"},\"ticker\":{\"id\":\"1133\"}},\"id\":\"1132\",\"type\":\"LinearAxis\"},{\"attributes\":{},\"id\":\"1129\",\"type\":\"BasicTicker\"},{\"attributes\":{},\"id\":\"1124\",\"type\":\"LinearScale\"},{\"attributes\":{\"axis\":{\"id\":\"1132\"},\"coordinates\":null,\"dimension\":1,\"group\":null,\"ticker\":null},\"id\":\"1135\",\"type\":\"Grid\"},{\"attributes\":{\"line_alpha\":0.1,\"line_color\":\"orange\",\"line_width\":2,\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"1152\",\"type\":\"Line\"},{\"attributes\":{},\"id\":\"1141\",\"type\":\"HelpTool\"},{\"attributes\":{\"coordinates\":null,\"group\":null,\"items\":[{\"id\":\"1168\"}]},\"id\":\"1167\",\"type\":\"Legend\"},{\"attributes\":{},\"id\":\"1136\",\"type\":\"PanTool\"},{\"attributes\":{\"overlay\":{\"id\":\"1142\"}},\"id\":\"1138\",\"type\":\"BoxZoomTool\"},{\"attributes\":{\"axis\":{\"id\":\"1128\"},\"coordinates\":null,\"group\":null,\"ticker\":null},\"id\":\"1131\",\"type\":\"Grid\"},{\"attributes\":{},\"id\":\"1160\",\"type\":\"AllLabels\"},{\"attributes\":{\"label\":{\"value\":\"TOF Simulation\"},\"renderers\":[{\"id\":\"1154\"}]},\"id\":\"1168\",\"type\":\"LegendItem\"},{\"attributes\":{},\"id\":\"1122\",\"type\":\"DataRange1d\"},{\"attributes\":{\"bottom_units\":\"screen\",\"coordinates\":null,\"fill_alpha\":0.5,\"fill_color\":\"lightgrey\",\"group\":null,\"left_units\":\"screen\",\"level\":\"overlay\",\"line_alpha\":1.0,\"line_color\":\"black\",\"line_dash\":[4,4],\"line_width\":2,\"right_units\":\"screen\",\"syncable\":false,\"top_units\":\"screen\"},\"id\":\"1142\",\"type\":\"BoxAnnotation\"},{\"attributes\":{},\"id\":\"1139\",\"type\":\"SaveTool\"},{\"attributes\":{\"coordinates\":null,\"group\":null},\"id\":\"1156\",\"type\":\"Title\"},{\"attributes\":{},\"id\":\"1159\",\"type\":\"BasicTickFormatter\"},{\"attributes\":{\"source\":{\"id\":\"1150\"}},\"id\":\"1155\",\"type\":\"CDSView\"},{\"attributes\":{\"line_color\":\"orange\",\"line_width\":2,\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"1151\",\"type\":\"Line\"},{\"attributes\":{},\"id\":\"1164\",\"type\":\"UnionRenderers\"},{\"attributes\":{},\"id\":\"1137\",\"type\":\"WheelZoomTool\"},{\"attributes\":{},\"id\":\"1133\",\"type\":\"BasicTicker\"},{\"attributes\":{},\"id\":\"1163\",\"type\":\"AllLabels\"},{\"attributes\":{\"line_alpha\":0.2,\"line_color\":\"orange\",\"line_width\":2,\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"1153\",\"type\":\"Line\"},{\"attributes\":{},\"id\":\"1162\",\"type\":\"BasicTickFormatter\"},{\"attributes\":{\"coordinates\":null,\"data_source\":{\"id\":\"1150\"},\"glyph\":{\"id\":\"1151\"},\"group\":null,\"hover_glyph\":null,\"muted_glyph\":{\"id\":\"1153\"},\"nonselection_glyph\":{\"id\":\"1152\"},\"view\":{\"id\":\"1155\"}},\"id\":\"1154\",\"type\":\"GlyphRenderer\"},{\"attributes\":{},\"id\":\"1120\",\"type\":\"DataRange1d\"},{\"attributes\":{},\"id\":\"1165\",\"type\":\"Selection\"},{\"attributes\":{\"data\":{\"x\":{\"__ndarray__\":\"AAAAAABwp0C2ahCgGKCnQGvVIEAx0KdAIUAx4EkAqEDWqkGAYjCoQIwVUiB7YKhAQoBiwJOQqED36nJgrMCoQK1VgwDF8KhAYsCToN0gqUAYK6RA9lCpQM6VtOAOgalAgwDFgCexqUA5a9UgQOGpQO7V5cBYEapApED2YHFBqkBaqwYBinGqQA8WF6GioapAxYAnQbvRqkB76zfh0wGrQDBWSIHsMatA5sBYIQViq0CcK2nBHZKrQFGWeWE2wqtABgGKAU/yq0C8a5qhZyKsQHLWqkGAUqxAKEG74ZiCrEDdq8uBsbKsQJMW3CHK4qxASIHsweISrUD+6/xh+0KtQLRWDQIUc61AacEdoiyjrUAfLC5CRdOtQNSWPuJdA65AigFPgnYzrkBAbF8ij2OuQPXWb8Knk65Aq0GAYsDDrkBgrJAC2fOuQBYXoaLxI69AzIGxQgpUr0CB7MHiIoSvQDdX0oI7tK9A7MHiIlTkr0BRlnlhNgqwQKzLgbFCIrBABgGKAU86sEBiNpJRW1KwQLxrmqFnarBAF6Gi8XOCsEBy1qpBgJqwQM0Ls5GMsrBAKEG74ZjKsECCdsMxpeKwQN2ry4Gx+rBAOOHT0b0SsUCTFtwhyiqxQO5L5HHWQrFASIHsweJasUCjtvQR73KxQP7r/GH7irFAWSEFsgejsUC0Vg0CFLuxQA6MFVIg07FAacEdoizrsUDE9iXyOAOyQB8sLkJFG7JAemE2klEzskDUlj7iXUuyQC/MRjJqY7JAigFPgnZ7skDlNlfSgpOyQEBsXyKPq7JAmqFncpvDskD11m/Cp9uyQFAMeBK087JAq0GAYsALs0AGd4iyzCOzQGCskALZO7NAu+GYUuVTs0AWF6Gi8WuzQHFMqfL9g7NAzIGxQgqcs0Amt7mSFrSzQIHsweIizLNA3CHKMi/ks0A3V9KCO/yzQJKM2tJHFLRA7MHiIlQstEBH9+pyYES0QKIs88JsXLRA/WH7Enl0tEBYlwNjhYy0QLLMC7ORpLRADQIUA568tEBoNxxTqtS0QMNsJKO27LRAHqIs88IEtUB41zRDzxy1QNQMPZPbNLVALkJF4+dMtUCJd00z9GS1QOSsVYMAfbVAPuJd0wyVtUCaF2YjGa21QPRMbnMlxbVAT4J2wzHdtUCqt34TPvW1QATthmNKDbZAYCKPs1YltkC6V5cDYz22QBWNn1NvVbZAcMKno3tttkDK96/zh4W2QCYtuEOUnbZAgGLAk6C1tkDbl8jjrM22QDbN0DO55bZAkALZg8X9tkDsN+HT0RW3QEZt6SPeLbdAoaLxc+pFt0D81/nD9l23QFYNAhQDdrdAskIKZA+Ot0AMeBK0G6a3QGetGgQovrdAwuIiVDTWt0AcGCukQO63QHhNM/RMBrhA0oI7RFkeuEAtuEOUZTa4QIjtS+RxTrhA4iJUNH5muEA+WFyEin64QJiNZNSWlrhA88JsJKOuuEBO+HR0r8a4QKgtfcS73rhABGOFFMj2uEBemI1k1A65QLnNlbTgJrlAFAOeBO0+uUBuOKZU+Va5QMptrqQFb7lAJKO29BGHuUB/2L5EHp+5QNoNx5Qqt7lANEPP5DbPuUCQeNc0Q+e5QOqt34RP/7lARePn1FsXukCgGPAkaC+6QPpN+HR0R7pAVoMAxYBfukCwuAgVjXe6QAvuEGWZj7pAZiMZtaWnukDBWCEFsr+6QByOKVW+17pAdsMxpcrvukDR+Dn11ge7QCwuQkXjH7tAh2NKle83u0DimFLl+0+7QDzOWjUIaLtAlwNjhRSAu0DyOGvVIJi7QE1ucyUtsLtAqKN7dTnIu0AC2YPFReC7QF0OjBVS+LtAuEOUZV4QvEATeZy1aii8QG6upAV3QLxAyOOsVYNYvEAjGbWlj3C8QH5OvfWbiLxA2YPFRaigvEA0uc2VtLi8QI7u1eXA0LxA6SPeNc3ovEBEWeaF2QC9QJ+O7tXlGL1A+sP2JfIwvUBU+f51/ki9QK8uB8YKYb1ACmQPFhd5vUBlmRdmI5G9QMDOH7Yvqb1AGgQoBjzBvUB1OTBWSNm9QNBuOKZU8b1AK6RA9mAJvkCG2UhGbSG+QOEOUZZ5Ob5AO0RZ5oVRvkCWeWE2kmm+QPGuaYaegb5ATORx1qqZvkCnGXomt7G+QAFPgnbDyb5AXISKxs/hvkC3uZIW3Pm+QBLvmmboEb9AbSSjtvQpv0DHWasGAUK/QCKPs1YNWr9AfcS7phlyv0DY+cP2JYq/QDMvzEYyor9AjWTUlj66v0DomdzmStK/QEPP5DZX6r9AT4J2wzEBwED8nHrrNw3AQKq3fhM+GcBAV9KCO0QlwEAE7YZjSjHAQLIHi4tQPcBAYCKPs1ZJwEAMPZPbXFXAQLpXlwNjYcBAaHKbK2ltwEAVjZ9Tb3nAQMKno3t1hcBAcMKno3uRwEAd3avLgZ3AQMr3r/OHqcBAeBK0G461wEAmLbhDlMHAQNJHvGuazcBAgGLAk6DZwEAufcS7puXAQNuXyOOs8cBAiLLMC7P9wEA2zdAzuQnBQOPn1Fu/FcFAkALZg8UhwUA+Hd2ryy3BQOw34dPROcFAmVLl+9dFwUBGbekj3lHBQPSH7UvkXcFAoaLxc+ppwUBOvfWb8HXBQPzX+cP2gcFAqfL96/yNwUBWDQIUA5rBQAQoBjwJpsFAskIKZA+ywUBfXQ6MFb7BQAx4ErQbysFAupIW3CHWwUBnrRoEKOLBQBTIHiwu7sFAwuIiVDT6wUBv/SZ8OgbCQBwYK6RAEsJAyjIvzEYewkB4TTP0TCrCQCVoNxxTNsJA0oI7RFlCwkCAnT9sX07CQC24Q5RlWsJA2tJHvGtmwkCI7UvkcXLCQDUIUAx4fsJA4iJUNH6KwkCQPVhchJbCQD5YXISKosJA63JgrJCuwkCYjWTUlrrCQEaoaPycxsJA88JsJKPSwkCg3XBMqd7CQE74dHSv6sJA/BJ5nLX2wkCoLX3EuwLDQFZIgezBDsNABGOFFMgaw0CxfYk8zibDQF6YjWTUMsNADLORjNo+w0C5zZW04ErDQGbomdzmVsNAFAOeBO1iw0DCHaIs827DQG44plT5esNAHFOqfP+Gw0DKba6kBZPDQHeIsswLn8NAJKO29BGrw0DSvbocGLfDQH/YvkQew8NALPPCbCTPw0DaDceUKtvDQIgoy7ww58NANEPP5Dbzw0DiXdMMPf/DQJB41zRDC8RAPZPbXEkXxEDqrd+ETyPEQJjI46xVL8RARePn1Fs7xEDy/ev8YUfEQKAY8CRoU8RATjP0TG5fxED6Tfh0dGvEQKho/Jx6d8RAVoMAxYCDxEADngTtho/EQLC4CBWNm8RAXtMMPZOnxEAL7hBlmbPEQLgIFY2fv8RAZiMZtaXLxEAUPh3dq9fEQMFYIQWy48RAbnMlLbjvxEAcjilVvvvEQMmoLX3EB8VAdsMxpcoTxUAk3jXN0B/FQNH4OfXWK8VAfhM+Hd03xUAsLkJF40PFQNpIRm3pT8VAh2NKle9bxUA0fk699WfFQOKYUuX7c8VAj7NWDQKAxUA8zlo1CIzFQOroXl0OmMVAlwNjhRSkxUBEHmetGrDFQPI4a9UgvMVAoFNv/SbIxUBNbnMlLdTFQPqId00z4MVAqKN7dTnsxUBVvn+dP/jFQALZg8VFBMZAsPOH7UsQxkBdDowVUhzGQAspkD1YKMZAuEOUZV40xkBlXpiNZEDGQBN5nLVqTMZAwJOg3XBYxkBurqQFd2TGQBvJqC19cMZAyOOsVYN8xkB2/rB9iYjGQCMZtaWPlMZA0TO5zZWgxkB+Tr31m6zGQCtpwR2iuMZA2YPFRajExkCGnsltrtDGQDS5zZW03MZA4dPRvbroxkCO7tXlwPTGQDwJ2g3HAMdA6SPeNc0Mx0CXPuJd0xjHQERZ5oXZJMdA8XPqrd8wx0Cfju7V5TzHQEyp8v3rSMdA+sP2JfJUx0Cn3vpN+GDHQFT5/nX+bMdAAhQDngR5x0CvLgfGCoXHQF1JC+4QkcdACmQPFhedx0C3fhM+HanHQGWZF2YjtcdAErQbjinBx0DAzh+2L83HQG3pI9412cdAGgQoBjzlx0DIHiwuQvHHQHU5MFZI/cdAI1Q0fk4JyEDQbjimVBXIQH6JPM5aIchAK6RA9mAtyEDYvkQeZznIQIbZSEZtRchAM/RMbnNRyEDhDlGWeV3IQI4pVb5/achAO0RZ5oV1yEDpXl0OjIHIQJZ5YTaSjchARJRlXpiZyEDxrmmGnqXIQJ7Jba6kschATORx1qq9yED5/nX+sMnIQKcZeia31chAVDR+Tr3hyEABT4J2w+3IQK9php7J+chAXISKxs8FyUAKn47u1RHJQLe5khbcHclAZNSWPuIpyUAS75pm6DXJQL8Jn47uQclAbSSjtvRNyUAaP6fe+lnJQMdZqwYBZslAdXSvLgdyyUAij7NWDX7JQNCpt34TislAfcS7phmWyUAq37/OH6LJQNj5w/YlrslAhRTIHiy6yUAzL8xGMsbJQOBJ0G440slAjWTUlj7eyUA7f9i+ROrJQOiZ3OZK9slAlrTgDlECykBDz+Q2Vw7KQPDp6F5dGspAngTthmMmykBLH/GuaTLKQPk59dZvPspAplT5/nVKykBTb/0mfFbKQAGKAU+CYspArqQFd4huykBcvwmfjnrKQAnaDceUhspAtvQR75qSykBkDxYXoZ7KQBEqGj+nqspAv0QeZ622ykBsXyKPs8LKQBl6Jre5zspAx5Qq37/aykB0ry4HxubKQCLKMi/M8spAz+Q2V9L+ykB8/zp/2ArLQCoaP6feFstA1zRDz+Qiy0CFT0f36i7LQDJqSx/xOstA34RPR/dGy0CNn1Nv/VLLQDq6V5cDX8tA6NRbvwlry0CV71/nD3fLQEIKZA8Wg8tA8CRoNxyPy0CdP2xfIpvLQEtacIcop8tA+HR0ry6zy0Clj3jXNL/LQFOqfP86y8tAAMWAJ0HXy0Cu34RPR+PLQFv6iHdN78tACRWNn1P7y0C2L5HHWQfMQGNKle9fE8xAEWWZF2YfzEC+f50/bCvMQGyaoWdyN8xAGbWlj3hDzEDGz6m3fk/MQHTqrd+EW8xAIQWyB4tnzEDPH7YvkXPMQHw6uleXf8xAKVW+f52LzEDXb8Kno5fMQISKxs+po8xAMqXK96+vzEDfv84ftrvMQIza0ke8x8xAOvXWb8LTzEDnD9uXyN/MQJUq37/O68xAQkXj59T3zEDvX+cP2wPNQJ166zfhD81ASpXvX+cbzUD4r/OH7SfNQKXK96/zM81AUuX71/k/zUAAAAAAAEzNQA==\",\"dtype\":\"float64\",\"order\":\"little\",\"shape\":[500]},\"y\":{\"__ndarray__\":\"SoXpFd+zgDsOLuKoM8/YPP154VmtGy0+Ns8uZraJbT9zBfRLlE6pP4mEJrOZMaQ/x0Tuix2grz/HpM2oXXmFP6JMxjI+hl4/ZtnO8AOnNj/36XB+MIoRP+NbqB0kiIk/ci+ezLaQkT/iR3+8SwNrP2C7vJl4i0U/+GxoaF7KIT9NeRr421z+PsuMzGW2uto+WIES0EM8uD6jRlyT5piWPgVqR129onU+frEY6JA+VT4STHK+q4anPoS/seugcKE/iuXk0flAsj9QRD6szNOQPzaznIsIxW8/y0H6VZawTj+bxHGo200uP3pHLHnsjQ4/6uBo+rZs7z6az6A4qanYPhiCn55+E6M/ZDlvX53SsD9crmy+4RKRPzGY36ZSonE/f1I+nNeHUj+WCGqg/sszP9evFLU8fBU/MjwGIbqr9z5JuDXZkHTaPqWyYR2W+b0+CgdJGGs0oT7DxLFSff+DPuM6wqT1hWc+Iv66xdJvTD7BKRgTveHmPmHrzeCSX64/rp9KTiKctz8S9Dp8E8maP8sEhiZEtH4/Soyp/pXbdT/5GrngPX7EP4XslcPCH6s/teb1YvWsjz/Wvxq8U65yP27fotoRP1Y/Om8FUIi8Oj8OxzYyWjUgP/Boh2uO0QM/PKS5Ngtu6D42GFwzUFnOPpTWWAj0/bI+bDzDucjwlz5s0Ry15GJ+PtKebt+KcGM+GxEeBLwurj6FMeKR0nt2P2Ip2rPgr6g/OJg30t8RkD+vxqLoSQp0P3m8apaTJ1k/fUvuIr/FPz9OEv5o1y8kP32i4SYGzQk/1gNq9oyU8D4abU7RqmzVPpPgEZrR07s+OWq1WX4poj6i+elyStKHPv5ZXTeAY28+MHQC8ZnFVD5wJAfZI5w7Pr+TjYHabCI+vUzGKYCwCD6h0sCA4ZrwPUcaXnX3atY9f/OjPXpfvj1Xtx3uVaWkPflMoaEDKYw9Ljie1AREcz2IrjYwEXFaPVgqDmfeMkI95qgiiGPGKT15sA/nYgWaPX+8sfGH0V0++HHQdW+5Hj/d4HmFVsGqP46O+pIhCLY/xNtIysy7nT9ZXfNS5eGDP9I2NuzCrGo/1i4sCvTyUT/hUYVPJzo4PwLxDrbTZSA/RgpRypKVBj8B9uE4t9tbP+GTUvyQ29A/M8hk6VEg0T+UwPZ/bE63P9avjPW9n58/LgEcKo+ChT/pbIaye1VtP3yZ+s7FDFQ/xvFoqeJ4Oz/iCoViEN0iPxpcZrgk9gk/u9851Cbn8T4fkWV9/73YPp+zbmqKIcE+NZhflJ3Epz4dswUJ2YSQPgiZdfzFAHc+B1gc6k4LYD5fiP3YQmtGPu4uYdfSYC8+Hb4G2G/+FT5HT5FeQ+H+PUvtP0vlteU9ksCKG3GSzj3LqTo8OI61PaVGFY8ecJ49Zr/f/8mEhT1XnshPE3duPYotYFijl1U9Lsq4e+6kPj0sHu5KWMUlPY2creED+A49sV6Ik/IM9jyuKsJcQW/fPNrBluPrbcY8gyrbfhJosDzpN4LGr337PBrIqM0YOJw9pKQko0PdOz63gmUOoyHaPmhVladCwXI/Br4XZ+CZzj+K0l5KAR/QP53Me8J/CLc/rhJJfpgvoD9glySjZcaGPwYx2/6bCnA/8ymHuFmfVj8zBMjKEfA/P/4KQDNvkSY/5qE6OFTtDz+GxMjyJZv2PocZdIeSBeA+3dCnvVu7xj4m83h+EiSwPt4U8wk/8ZY+ONSsf69RgD7MN7qVRDxnPnhP3KsdjlA+oYjHPR+cNz7oHJ6sOtkgPv1goKG5EAg+eDNNwAkz8T1jBkM+MZrYPW28vbWwm8E9d4QNvNI4qT1ngoCtdROSPa1c1TsX7Xk9r2YrgL2aYj2TvBV6ordKPXKKQbAKMjM9dwrDqEGZGz3B4wfU/NkDPSMNWOfqkuw8phfzZ1CT1DxI4NpFvaW9PJLJB/7eXqU8syDIRAHTjjxAwnDBnz12PC+5U+MUDmA8sntAR6gwRzw5YuS1asEwPAbVT6gtORg8DR0jKWiEATyrRIbghVjpO4agjBsLWNI7oIUGcimQujvxQyx7aj2jO+lJaUu14Ys7Hxwqtbc1dDv+xkjx7E5dO4FvQ1VAQkU7gp887LzZLjv1jEDWb2QWO6LLfb4eQgA7IvPipNGd5zotqNHMWijROtQKi1cT8Lg6ratgG88gojp04vEcB12KOjwsQvDSLHM6vXPoZKbmWzqMLTpU2k1EOqKPvcYUjy06PlVhNniFFTpVGdIoo1j/OQ5nWL9g1eY5jdTtlumi0DmKTJTXaz+4OQQ8UXatrKE50YLZ45fFiTl9lYR7FMtyOcCSCrwMals5WjpMW7T/Qznyg2TgHi8tOegZSJJDTBU5rqbK8VIX/ziievTxm7LmONEG+riwktA4VZegYr00uDhdcqdoHa6hOE4ZG97Q1Ik4kvLj54XfcjjYd1+nK5VbOH03wBuhKEQ4OHAdxFJ4LTjyfdz7SIsVON/a+rz+gP83wKTRU30J5zdMwOnUD9nQN9h5kbxmpbg3H+v5yHAHojeZbg9/XGGKNxCzay2vUXM3XSZeTi/0ZDcdIdToIvfENze2+/o5Bz84PtEiTGpmtjh2O02xeXAvOfHgGMuzc6U5tENLJlR4HDqsxAn1gWCSOnxgadocFQc7UnLD3gA3fDt1ymQQAMnwOyWvZDSVcWM8XDDHz97u1Tx5cWF0FRlIPQQqM1cpy7k9u5wPzOPmKj6ga4wsZlibPmWfBiAEDgs/tiLAnUeHdj8jSCj30jfGP2fhfjI9VOI/hQNpqEX91D9yKzrwNuK+P8PqK15DX6Y//LazV5Q1kD9VVCkrPn53P34CEwRLB2E/B1rvo7ywSD8w8932QecxP3xorT4M+Bk/jFImgW3WAj/1YrT4klXrPgcF9eXT1dM+MBwEEdHKvD55SFKejuakPh/gAuRiWY4+poUstssJdj6+AH91gQFgPrlvg0PPQEc+1N1O8cXkMD6WXPz59IwYPnrzQY191wE+/kK33LHv6T2cur94udrSPZGwkBCWars9oL+HwJ7voz0ZmjzRTv+MPfj4FL5nF3U95JDJi6ivXj1QfSOiZVNGPQf6hJDIPjA96IXHHAKlFz3TpoQpjTUBPXgOxCTBDek8hchJMD490jz1ZtbgQo+6PHdfGWkMV6M8jQQDtUUrjDx7XCG+PoR0PJ/D+3ao4108cGoA3TPGRTy+2DHMbLovPN9x6PJjHhc8eTRw2tzYADy1EmmyYo7oO7XvoXIJ5tE7Sm1kEQo5uju0gcUF9r+zO+ASlJta5Ag8oFoulV1mbTwwJmGI1RfRPMoS9wiafDM9zN/jJnjIlT1NdPwAF+H3PZYz1wmprFk+MtXgPfsTuz6tjLTemPsbPzLy+/lDFXo/iYCwwgk/xz8XmSKm5HXwP4yUVXYXMPE/Yhw91U8f3T8Hn+9YVUXFP3C+WU049a4/vT1qc8mHlj8bzAolFmaAP3/2xY3F32c/LptEYldhUT/m9jcY1E45Pz4B/SJ3bSI/altH0o3WCj/SbeOJoIvzPtB2x5KoeNw+3Z2XBRS9xD5pZipf+TauPuoTwtgoA5Y+m+TVVLsJgD7Am4q+Tl9nPjpWn1wdCFE+vD/IrQ/TOD7sEUIfwxciPpww37wRYAo+SKgujOE58z2TR+UoGQjcPaFxOabDb8Q9+3yAggrNrT2aIHMbzLqVPTulbAPtsH89s+Cu+nYcZz2xep6H9tpQPQCV+4hbljg9JwuDcS/vIT2okxg5LioKPTgVfbtgFvM8oy7Ix8LZ2zy/d+LK4FHEPInzan8Op608Bj3Mlh6jlTzdOsGlKpR/PFEpdG+jC2c8L0yRi6vRUDzVpP3mFI04PKV0I4l+6yE8JNaF3TYpCjxnEBMc2RjzOx7Bx7Pt4ds7M2oH4h1bxDtFgImmQLmtO/RL0P/Is5U7moIiVlyxfzvfYLL7cSRnO/Keq75K5lA7TxVMus2uODuLBGHttQYiO6LznqCwVAo7ak9kqEY78zoxqu/dEBjcOkIe5J9shcQ6pJeM4Aj7rTrAA6EPsuaVOkH2QfjZ/386/jb9rL1gZzrdPyiVdxRROtvsPrlU9Tg6PdIUHXA8IjpUM306XaYKOoiMfnU6efM5CIcjXuB13Dn84Qw/VMzEOQicSAgNZq45yw5fuVY3ljlyPT5JnTyAOUxHGsb4u2c5YMxI3/VYUTl1438REVw5OQLV/O9oiSI5MdCWY5gZCzllG3AgaM/zOIHikxys9tw4F7g/438sxTh/ZOffkPWuOFjO6WxZopY4VtKcuFqMgDgtwbvMvDJoOCa7lONasVE4KCAiLZPfOThdfr8rL+siOD3EDz7pqgs4nriT0Fc79DeQlK7M8ZbdN+HhXPxwo8U3m0aniwimrzeP0PHNNCWXNyWC4oda7YA3bXbaiH3CaDfhuSAC1xtSN/AKPu5HfTo3Ipi+Te5fIzdOQ/jBtVcMN+sh/R8wu/Q2iwn7fhBU3jYp4GtFSS/GNtJ3MR9mOrA2aFQvwgW+lzYXSnlqRV6BNjQSUhpTaWk2ePGGlQ+XUjY7H8jEQjM7Nq34y2lI5iM2QiV+zAweDTYb7unyj031NZAwvaISLN81/IUIkKTOxjWpr0MT8a+wNQOYuStla5g1puBochzegTW4ELGd0yVqNXaL6MoDIlM1Hmk7ORcAPDXEsdHtOn0kNeCggYt//A01ChfWI3Px9TS7/8mmww7gNJw4flV9gMc0mPLHxusysTQ2ahNcTCyZNIJdqoklbII0rFoCfvf2ajTf93MC+btTNC15wRm94jw05SaW5wokJTTzR0ODBfIONCRXKqwepvYz6vlbC7OT4DOHw2PAGETIM9m7xULSwrEzGWSR/AAAmjPoGI8w3QeDM16UeTkF3GszA0wVdGxkVDPiUV4ZfNo9M2tA5o022iUzYJiSBej9DzMs8XYQEmv3MgcHEzJ9JOEyf8I1+vcYyTKhNguFS1+yMvf6uTsG5poyp44B9+uwgzJciY1tgtRsMt9jXJAIG1UyS6K6uNzmPjIlWyiIap8mMrg6F3vZjxAyASiujfw/+DEkT3EE6sDhMRahMj3N/skxfmyFuyEIszExEcLCEd6bMYTzcaMeZ4QxVMC/rijgbTEsNx4Snd9VMT6Sw3/OA0Ax3C0M6nlzJzFsjjSylCsRMfcLC/60JPkw3QDu3t1o4jAaW8Chc/XKMIxz1G88vbMw1eOXagPonDD9XeNMYCqFMEdZriTd/m4wFLqqBhmyVjB6EHH/U55AMB7vYylYVigwLMKbeR7SETD4Hfi7Mxn6L8ibgTdVHOMvDCTu7ej8yy/1HfsfnH60Lw==\",\"dtype\":\"float64\",\"order\":\"little\",\"shape\":[500]}},\"selected\":{\"id\":\"1165\"},\"selection_policy\":{\"id\":\"1164\"}},\"id\":\"1150\",\"type\":\"ColumnDataSource\"},{\"attributes\":{\"tools\":[{\"id\":\"1136\"},{\"id\":\"1137\"},{\"id\":\"1138\"},{\"id\":\"1139\"},{\"id\":\"1140\"},{\"id\":\"1141\"}]},\"id\":\"1143\",\"type\":\"Toolbar\"},{\"attributes\":{},\"id\":\"1126\",\"type\":\"LinearScale\"},{\"attributes\":{},\"id\":\"1140\",\"type\":\"ResetTool\"}],\"root_ids\":[\"1119\"]},\"title\":\"Bokeh Application\",\"version\":\"2.4.0\"}};\n", - " const render_items = [{\"docid\":\"c9f6111c-7da2-44da-98fe-a9f91823dc2f\",\"root_ids\":[\"1119\"],\"roots\":{\"1119\":\"61ac9981-dcb7-4887-b768-4ecec10bc3f8\"}}];\n", - " root.Bokeh.embed.embed_items_notebook(docs_json, render_items);\n", - "\n", - " }\n", - " if (root.Bokeh !== undefined) {\n", - " embed_document(root);\n", - " } else {\n", - " let attempts = 0;\n", - " const timer = setInterval(function(root) {\n", - " if (root.Bokeh !== undefined) {\n", - " clearInterval(timer);\n", - " embed_document(root);\n", - " } else {\n", - " attempts++;\n", - " if (attempts > 100) {\n", - " clearInterval(timer);\n", - " console.log(\"Bokeh: ERROR: Unable to run BokehJS code because BokehJS library is missing\");\n", - " }\n", - " }\n", - " }, 10, root)\n", - " }\n", - "})(window);" - ], - "application/vnd.bokehjs_exec.v0+json": "" - }, - "metadata": { - "application/vnd.bokehjs_exec.v0+json": { - "id": "1119" - } - }, - "output_type": "display_data" - } - ], + "outputs": [], "source": [ "x_data = np.linspace(3000, 15000, 500)\n", - "y_data = calculator.fit_func(x_data)\n", + "y_data = job_tof.create_simulation(x_data)\n", "\n", "fig = figure(width=FIGURE_WIDTH, height=FIGURE_HEIGHT)\n", "fig.line(x_data, y_data, legend_label='TOF Simulation', color='orange', line_width=2)\n", @@ -1089,9 +554,9 @@ "name": "python", "nbconvert_exporter": "python", "pygments_lexer": "ipython3", - "version": "3.7.10" + "version": "3.8.15" } }, "nbformat": 4, "nbformat_minor": 5 -} \ No newline at end of file +} From 763f13431e4fdd182c72645f57420f88d2a4fbf0 Mon Sep 17 00:00:00 2001 From: Piotr Rozyczko Date: Mon, 27 Mar 2023 10:46:28 +0200 Subject: [PATCH 52/52] Added minor updates about the current release --- CHANGELOG.md | 14 ++++++++++++++ 1 file changed, 14 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 8b137891..5b87c00a 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1 +1,15 @@ +# Version 0.0.9-beta (28 Mar 2023) + +### New Features + +- Simulating and fitting Pair Distribution Function data using the [PDFFIT](https://github.com/diffpy/diffpy.pdffit2) calculation engine. + +### Changes + +- GSASII calculation engine has been removed. +- Changed API to define `Job` object as no longer based on the `Sample` class. +- [Xarray objects](https://github.com/pydata/xarray) are now used to store the calculation engine results. +- Overall performance has been improved. + +-