code
stringlengths
501
5.19M
package
stringlengths
2
81
path
stringlengths
9
304
filename
stringlengths
4
145
# Yuuno - IPython + VapourSynth # Copyright (C) 2017,2018 StuxCrystal (Roland Netzsch <[email protected]>) # # This program is free software: you can redistribute it and/or modify # it under the terms of the GNU Lesser General Public License as published by # the Free Software Foundation, either version 3 of the License, or # (at your option) any later version. # # This program is distributed in the hope that it will be useful, # but WITHOUT ANY WARRANTY; without even the implied warranty of # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the # GNU Lesser General Public License for more details. # # You should have received a copy of the GNU Lesser General Public License # along with this program. If not, see <http://www.gnu.org/licenses/>. import sys from typing import TYPE_CHECKING from typing import Callable as TCallable, Union as TUnion from typing import List as TList, Optional from traitlets import observe from traitlets import Unicode, DottedObjectName from traitlets import default from traitlets import CInt, CBool from traitlets import Union from traitlets import List from traitlets.config import import_item from yuuno.trait_types import Callable from yuuno.core.extension import Extension from yuuno.core.registry import Registry from yuuno.vs.utils import get_proxy_or_core from yuuno.vs.utils import MessageLevel, is_single from yuuno.vs.flags import Features from yuuno.vs.alpha import AlphaOutputClip from yuuno.multi_scripts.subprocess.provider import ScriptProviderRegistration if TYPE_CHECKING: import vapoursynth as vs from yuuno.multi_scripts.extension import MultiScriptExtension class VapourSynth(Extension): """ Entry-Point for VapourSynth support of Yuuno """ _name = "VapourSynth" hook_messages: bool = CBool(True, help="""Redirect the message handler to this extension so other parts of Yuuno can handle it. Note that this feature is disabled on vsscript-environments (vsedit, vspipe, etc.)""", config=True) yuv_matrix: str = Unicode("709", help="The YUV-Matrix to use when converting to RGB", config=True) prefer_props: bool = CBool(True, help="If set, the data of the video node will be preferred.", config=True) merge_bands: bool = CBool(False, help="Manually extract the planes and merge them using PIL. Defaults to automatically detecting the correct choice.", config=True) post_processor = Union( [DottedObjectName(), Callable()], allow_none=True, default_value=None, help="Define a post-processor function. It gets an RGB24 clip and returns an RGB24 clip.", config=True ) resizer: TUnion[str, TCallable] = Union( [DottedObjectName(), Callable()], default_value="resize.Spline36", help="""Defines the resizer to use when converting from YUV to RGB. It is essentially a function which takes the same arguments as a VapourSynth internal resizer. The clip is passed as the first argument. Yuuno will first try to match it to a VapourSynth-function defined by a plugin before attempting to import it from a module and treat it as a normal function. If the passed object is a callable, it will just use the callable. """, config=True ) push_values: bool = CBool(True, help="""Push vs and the current core instance onto the current environment.""", config=True) core_num_threads: int = CInt(-1, help="""The number of concurrent threads used by the core. Can be set the change the number. Settings to a value less than one makes it default to the number of hardware threads. """, config=True) core_add_cache: bool = CBool(True, help="For debugging purposes only. When set to `False` no caches will be automatically inserted between filters.", config=True) core_accept_lowercase: bool = CBool(False, help="When set to `True` function name lookups in the core are case insensitive. Don't distribute scripts that need it to be set.", config=True) core_max_cache_size: int = CBool(None, allow_none=True, help="Set the upper framebuffer cache size after which memory is aggressively freed. The value is in mediabytes.", config=True) vsscript_environment_wrap: bool = CBool(True, help="Allow Yuuno to automatically wrap the internal frame-extractor into the current environment. Do not disable while running multiple cores at once.", config=True) raw_force_compat: bool = CBool(True, "In raw image exports, force Planar RGB output", config=True) log_handlers: TList[TCallable[[int, str], None]] = List(Callable()) @default("log_handlers") def _default_log_handlers(self): return [] def _update_core_values(name=None): def _func(self, change=None): core = get_proxy_or_core() if name is None: core.num_threads = self.core_num_threads core.add_cache = self.core_add_cache if hasattr(core, 'accept_lowercase'): core.accept_lowercase = self.core_accept_lowercase # There is no obvious default for max_cache_size if self.core_max_cache_size is not None: core.max_cache_size = self.core_max_cache_size elif hasattr(core, name): setattr(core, name, change.new) return _func update_core_values = _update_core_values() _observe_num_threads = observe("core_num_threads")(_update_core_values("num_threads")) _observe_add_cache = observe("core_add_cache")(_update_core_values("add_cache")) _observe_accept_lowercase = observe("core_accept_lowercase")(_update_core_values("accept_lowercase")) _observe_max_cache_size = observe("core_max_cache_size")(_update_core_values("max_cache_size")) @classmethod def is_supported(cls): return not Features.NOT_SUPPORTED @property def resize_filter(self) -> TCallable[['vs.VideoNode', 'int'], 'vs.VideoNode']: """ Loads the resize-filter for any image operations. :return: The returned filter """ from yuuno.vs.utils import filter_or_import if callable(self.resizer): return self.resizer return filter_or_import(self.resizer) @property def processor(self): if self.post_processor is None: return func = self.post_processor if not callable(func): func = import_item(func) return func def _on_vs_log(self, level: MessageLevel, message: str): try: for cb in self.log_handlers: cb(level, message) except Exception as e: import traceback print("During logging of a vapoursynth-message, this exception occured:", file=sys.stderr) traceback.print_exc(file=sys.stderr) @property def can_hook_log(self): return self.hook_messages and is_single() def initialize_hook(self, vapoursynth): if self.can_hook_log: vapoursynth.set_message_handler(self._on_vs_log) elif self.hook_messages: self.parent.log.debug("vsscript-Environment detected. Skipping hook on message-handler.") def initialize_namespace(self, vapoursynth): core = get_proxy_or_core() self.parent.namespace['vs'] = vapoursynth self.parent.namespace['core'] = core def initialize_registry(self): self.parent.log.debug("Registering wrappers.") from vapoursynth import VideoNode, VideoFrame from yuuno.vs.clip import VapourSynthClip, VapourSynthFrame from yuuno.vs.clip import VapourSynthAlphaClip # Detected VSScript. wrapperfunc = lambda cls: cls if self.script_manager is not None and self.vsscript_environment_wrap: wrapperfunc = self.script_manager.env_wrapper_for self.registry = Registry() self.registry.register(wrapperfunc(VapourSynthClip), VideoNode) self.registry.register(wrapperfunc(VapourSynthFrame), VideoFrame) self.registry.register(wrapperfunc(VapourSynthAlphaClip), AlphaOutputClip) if Features.SUPPORT_ALPHA_OUTPUT_TUPLE: # Required so that IPython automatically supports alpha outputs from vapoursynth import AlphaOutputTuple self.registry.register(wrapperfunc(VapourSynthAlphaClip), AlphaOutputTuple) self.parent.registry.add_subregistry(self.registry) def initialize_multi_script(self): self.script_manager = None managers: Optional['MultiScriptExtension'] = self.parent.get_extension('MultiScript') if managers is None: self.parent.log.debug("MultiScript not found. Skipping VSScript.") return managers.register_provider('vapoursynth', ScriptProviderRegistration( providercls="yuuno.vs.provider.VSScriptProvider", extensions=[] )) # Check support for vapoursynth/#389 at R44 if not Features.EXPORT_VSSCRIPT_ENV: self.parent.log.info("Yuuno doesn't support VSScript for VS<R44") return self.parent.log.debug("Enabling VSScript.") from yuuno.vs.vsscript.script import VSScriptManager from yuuno.vs.vsscript.vs_capi import enable_vsscript enable_vsscript() self.script_manager = VSScriptManager() managers.register_manager('VSScript', self.script_manager) self.parent.log.debug("VSScript enabled.") def initialize(self): import vapoursynth self.initialize_hook(vapoursynth) self.initialize_namespace(vapoursynth) self.initialize_multi_script() self.initialize_registry() if self.script_manager is None: self.update_core_values() def deinitialize(self): self.parent.registry.remove_subregistry(self.registry) del self.parent.namespace['vs'] del self.parent.namespace['core'] if self.can_hook_log: import vapoursynth vapoursynth.set_message_handler(None) if Features.EXPORT_VSSCRIPT_ENV and self.script_manager is not None: self.script_manager.disable()
yuuno-core
/yuuno-core-1.3.1.zip/yuuno-core-1.3.1/yuuno/vs/extension.py
extension.py
# Yuuno - IPython + VapourSynth # Copyright (C) 2018 StuxCrystal (Roland Netzsch <[email protected]>) # # This program is free software: you can redistribute it and/or modify # it under the terms of the GNU Lesser General Public License as published by # the Free Software Foundation, either version 3 of the License, or # (at your option) any later version. # # This program is distributed in the hope that it will be useful, # but WITHOUT ANY WARRANTY; without even the implied warranty of # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the # GNU Lesser General Public License for more details. # # You should have received a copy of the GNU Lesser General Public License # along with this program. If not, see <http://www.gnu.org/licenses/>. import enum import platform from operator import or_ from functools import reduce from typing import TYPE_CHECKING if TYPE_CHECKING: import vapoursynth class classproperty(object): __slots__ = ('func',) def __init__(self, func): self.func = func def __get__(self, instance, owner): return self.func(owner) class flag(int): def __new__(cls, val, func=None): f = super(flag, cls).__new__(cls, val) f.func = None f(func) return f def __and__(self, other): if not isinstance(other, flag): return NotImplemented return flag(int(self) & other, lambda *a, **kwa: (self(*a, **kwa) and other(*a, **kwa))) def __or__(self, other): if not isinstance(other, flag): return NotImplemented return flag(int(self) | other, lambda *a, **kwa: (self(*a, **kwa) or other(*a, **kwa))) def __xor__(self, other): if not isinstance(other, flag): return NotImplemented return flag(int(self) ^ other, lambda *a, **kwa: (self(*a, **kwa) == other(*a, **kwa))) def __call__(self, *args, **kwargs): if self.func is None: self.func = args[0] return self return self.func.__get__(None, Features)(*args, **kwargs) class Features(enum.Flag): NOT_SUPPORTED = flag(1, lambda vs: False) @flag(2) @staticmethod def FUNCTIONS_INTROSPECTABLE(vs: 'vapoursynth'): # AT R36 return hasattr(vs, 'construct_signature') @flag(4) @staticmethod def SUPPORT_CORE_PROXY(vs: 'vapoursynth'): # AT R37 return hasattr(vs, 'core') @flag(8) @staticmethod def EXTRACT_VIA_ARRAY(vs: 'vapoursynth'): # AT R37 return hasattr(vs.VideoNode, 'get_read_array') @flag(16) @staticmethod def EXPORT_OUTPUT_DICT(vs: 'vapoursynth'): # AT R39 return hasattr(vs, 'get_outputs') @flag(32) @staticmethod def SUPPORT_ALPHA_OUTPUT_TUPLE(vs: 'vapoursynth'): # AT R43 return hasattr(vs, 'AlphaOutputTuple') @flag(64) @staticmethod def COMPATBGR_IS_XRGB(vs): # AT <=R43 AND DARWIN return platform.system() == 'Darwin' and not hasattr(vs, 'Environment') @flag(128) @staticmethod def EXPORT_VSSCRIPT_ENV(vs): # AT R44 return hasattr(vs, 'Environment') @flag(256) @staticmethod def ENVIRONMENT_POLICIES(vs): # AT R51 return hasattr(vs, 'EnvironmentPolicy') def __bool__(self): return self.value and self in self.current @classproperty def current(cls): try: import vapoursynth except ImportError: return cls.NOT_SUPPORTED cur = reduce(or_, (m for m in cls.__members__.values() if m.value(vapoursynth))) # Don't always calculate the current environments. cls.current = cur return cur
yuuno-core
/yuuno-core-1.3.1.zip/yuuno-core-1.3.1/yuuno/vs/flags.py
flags.py
# Yuuno - IPython + VapourSynth # Copyright (C) 2017,2018 StuxCrystal (Roland Netzsch <[email protected]>) # # This program is free software: you can redistribute it and/or modify # it under the terms of the GNU Lesser General Public License as published by # the Free Software Foundation, either version 3 of the License, or # (at your option) any later version. # # This program is distributed in the hope that it will be useful, # but WITHOUT ANY WARRANTY; without even the implied warranty of # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the # GNU Lesser General Public License for more details. # # You should have received a copy of the GNU Lesser General Public License # along with this program. If not, see <http://www.gnu.org/licenses/>. import ctypes from typing import Tuple, overload from concurrent.futures import Future from PIL import Image from traitlets import HasTraits, Instance, observe import vapoursynth as vs from vapoursynth import VideoNode, VideoFrame from yuuno import Yuuno from yuuno.utils import future_yield_coro, gather from yuuno.clip import Clip, Frame, Size, RawFormat from yuuno.vs.extension import VapourSynth from yuuno.vs.utils import get_proxy_or_core, is_single from yuuno.vs.flags import Features from yuuno.vs.alpha import AlphaOutputClip # On MAC OSX VapourSynth<=R43 is actually returned as XRGB instead of RGBX COMPAT_PIXEL_FORMAT = "XRGB" if Features.COMPATBGR_IS_XRGB else "BGRX" def calculate_size(frame: VideoFrame, planeno: int) -> Tuple[int, int]: """ Calculates the size of the plane :param frame: The frame :param planeno: The plane :return: (width, height) """ width, height = frame.width, frame.height if planeno != 0: width >>= frame.format.subsampling_w height >>= frame.format.subsampling_h return width, height @overload def extract_plane_r36compat(frame: VideoFrame, planeno: int, *, compat: bool=False , direction: int = -1, raw=True) -> bytes: pass @overload def extract_plane_r36compat(frame: VideoFrame, planeno: int, *, compat: bool=False, direction: int = -1, raw=False) -> Image.Image: pass def extract_plane_r36compat(frame, planeno, *, compat=False, direction=-1, raw=False): """ Extracts the plane using the old VapourSynth API for reading a frame. Since we are doing raw memory operations using ctypes, this function has proven to be prone to SIGSEGV while developing. This code will subseqently be dropped from this codebase when VapourSynth r36 is officially dropped with the official release of R39. :param frame: The frame :param planeno: The plane number :param compat: Are we dealing with a compat format. :param direction: -1 bottom to top, 1 top to bottom :param raw: Return bytes instead of an image. :return: The extracted image. """ width, height = calculate_size(frame, planeno) stride = frame.get_stride(planeno) s_plane = height * stride buf = (ctypes.c_byte*s_plane).from_address(frame.get_read_ptr(planeno).value) if raw: return bytes(buf) else: if not compat: return Image.frombuffer('L', (width, height), buf, "raw", "L", stride, direction) else: return Image.frombuffer('RGB', (width, height), buf, "raw", COMPAT_PIXEL_FORMAT, stride, direction) @overload def extract_plane_new(frame: VideoFrame, planeno: int, *, compat: bool=False , direction: int = -1, raw=True) -> bytes: pass @overload def extract_plane_new(frame: VideoFrame, planeno: int, *, compat: bool=False, direction: int = -1, raw=False) -> Image.Image: pass def extract_plane_new(frame, planeno, *, compat=False, direction=-1, raw=False): """ Extracts the plane with the VapourSynth R37+ array-API. :param frame: The frame :param planeno: The plane number :param compat: Are we dealing with a compat format. :param direction: -1 bottom to top, 1 top to bottom :param raw: Return bytes instead of an image. :return: The extracted image. """ arr = frame.get_read_array(planeno) height, width = arr.shape stride = frame.format.bytes_per_sample * width if raw: return bytes(arr) else: if not compat: return Image.frombuffer('L', (width, height), bytes(arr), "raw", "L", stride, direction) else: return Image.frombuffer('RGB', (width, height), bytes(arr), "raw", COMPAT_PIXEL_FORMAT, stride, direction) if Features.EXTRACT_VIA_ARRAY: extract_plane = extract_plane_new else: extract_plane = extract_plane_r36compat class VapourSynthFrameWrapper(HasTraits, Frame): pil_cache: Image.Image = Instance(Image.Image, allow_none=True) frame: VideoFrame = Instance(VideoFrame) rgb_frame: VideoFrame = Instance(VideoFrame) compat_frame: VideoFrame = Instance(VideoFrame) @property def extension(self) -> VapourSynth: return Yuuno.instance().get_extension(VapourSynth) def _extract(self): if self.extension.merge_bands: r = extract_plane(self.rgb_frame, 0, compat=False, direction=1) g = extract_plane(self.rgb_frame, 1, compat=False, direction=1) b = extract_plane(self.rgb_frame, 2, compat=False, direction=1) self.pil_cache = Image.merge('RGB', (r, g, b)) else: self.pil_cache = extract_plane(self.compat_frame, 0, compat=True) def to_pil(self) -> Image.Image: if self.pil_cache is None: self._extract() # noinspection PyTypeChecker return self.pil_cache def size(self) -> Size: return Size(self.frame.width, self.frame.height) def format(self) -> RawFormat: if self.extension.raw_force_compat: frame = self.rgb_frame else: frame = self.frame ff: vs.Format = frame.format samples = RawFormat.SampleType.INTEGER if ff.sample_type==vs.INTEGER else RawFormat.SampleType.FLOAT fam = { vs.RGB: RawFormat.ColorFamily.RGB, vs.GRAY: RawFormat.ColorFamily.GREY, vs.YUV: RawFormat.ColorFamily.YUV, vs.YCOCG: RawFormat.ColorFamily.YUV }[ff.color_family] return RawFormat( sample_type=samples, family=fam, num_planes=ff.num_planes, subsampling_w=ff.subsampling_w, subsampling_h=ff.subsampling_h, bits_per_sample=ff.bits_per_sample ) def to_raw(self): if self.extension.raw_force_compat: frame = self.rgb_frame else: frame = self.frame return b"".join( extract_plane(frame, i, compat=False, raw=True) for i in range(frame.format.num_planes) ) class VapourSynthClipMixin(HasTraits, Clip): clip: VideoNode @property def extension(self) -> VapourSynth: return Yuuno.instance().get_extension(VapourSynth) @staticmethod def _wrap_frame(frame: VideoFrame) -> VideoNode: core = get_proxy_or_core() bc = core.std.BlankClip( width=frame.width, height=frame.height, length=1, fpsnum=1, fpsden=1, format=frame.format.id ) return bc.std.ModifyFrame([bc], lambda n, f: frame.copy()) def _to_rgb32(self, clip: VideoNode) -> VideoNode: if clip.format.color_family == vs.YUV: clip = self.extension.resize_filter( clip, format=vs.RGB24, matrix_in_s=self.extension.yuv_matrix, prefer_props=self.extension.prefer_props ) if clip.format.color_family == vs.RGB or clip.format.bits_per_sample != 8: clip = self.extension.resize_filter(clip, format=vs.RGB24) processor = self.extension.processor if processor is not None: clip = processor(clip) return clip def to_rgb32(self, frame: VideoNode) -> VideoNode: return self._to_rgb32(frame) def to_compat_rgb32(self, frame: VideoNode) -> VideoNode: return self.extension.resize_filter(frame, format=vs.COMPATBGR32) def __len__(self): return len(self.clip) @future_yield_coro def __getitem__(self, item) -> VapourSynthFrameWrapper: if not is_single(): try: get_proxy_or_core().std.BlankClip() except vs.Error: raise RuntimeError("Tried to access clip of a dead core.") from None frame = yield self.clip.get_frame_async(item) wrapped = self._wrap_frame(frame) _rgb24: Future = self.to_rgb32(wrapped) rgb24 = _rgb24.get_frame_async(0) compat: Future = self.to_compat_rgb32(_rgb24).get_frame_async(0) (yield gather([rgb24, compat])) rgb24_frame, compat_frame = rgb24.result(), compat.result() return VapourSynthFrameWrapper( frame=frame, compat_frame=compat_frame, rgb_frame=rgb24_frame ) class VapourSynthClip(VapourSynthClipMixin, HasTraits): clip: VideoNode = Instance(VideoNode) def __init__(self, clip): super(VapourSynthClip, self).__init__(clip) class VapourSynthFrame(VapourSynthClipMixin, HasTraits): frame: VideoFrame = Instance(VideoFrame) clip: VideoNode = Instance(VideoNode, allow_none=True) def __init__(self, frame): super(VapourSynthFrame, self).__init__(None) self.frame = frame @observe("frame") def _frame_observe(self, value): self.clip = self._wrap_frame(value['new']) class VapourSynthAlphaFrameWrapper(HasTraits): clip: VapourSynthFrameWrapper = Instance(VapourSynthFrameWrapper) alpha: VapourSynthFrameWrapper = Instance(VapourSynthFrameWrapper) _cache: Image.Image = Instance(Image.Image, allow_none=True) @property def color(self): return self.clip def to_pil(self): if self._cache is None: color = self.clip.to_pil() alpha = extract_plane(self.alpha.frame, 0, direction=1) color.putalpha(alpha) self._cache = color return self._cache def size(self) -> Size: return self.clip.size() def format(self) -> RawFormat: f = self.clip.format() return RawFormat( bits_per_sample=f.bits_per_sample, family=f.family, num_planes=f.num_planes+1, subsampling_h=f.subsampling_h, subsampling_w=f.subsampling_w, sample_type=f.sample_type ) def to_raw(self): return b"".join([self.clip.to_raw(), self.alpha.to_raw()]) class VapourSynthAlphaClip(Clip): def __init__(self, clip): if not isinstance(clip, AlphaOutputClip): raise ValueError("Passed non Alpha-Clip into the wrapper") self.clip = VapourSynthClip(clip[0]) if clip[1] is None: self.alpha = None else: self.alpha = VapourSynthClip(clip[1]) def __len__(self): if self.alpha is None: return len(self.clip) return min(map(len, (self.clip, self.alpha))) @future_yield_coro def __getitem__(self, item): if self.alpha is None: return (yield self.clip[item]) f1 = yield self.clip[item] f2 = yield self.alpha[item] return VapourSynthAlphaFrameWrapper(clip=f1, alpha=f2)
yuuno-core
/yuuno-core-1.3.1.zip/yuuno-core-1.3.1/yuuno/vs/clip.py
clip.py
# Yuuno - IPython + VapourSynth # Copyright (C) 2018 StuxCrystal (Roland Netzsch <[email protected]>) # # This program is free software: you can redistribute it and/or modify # it under the terms of the GNU Lesser General Public License as published by # the Free Software Foundation, either version 3 of the License, or # (at your option) any later version. # # This program is distributed in the hope that it will be useful, # but WITHOUT ANY WARRANTY; without even the implied warranty of # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the # GNU Lesser General Public License for more details. # # You should have received a copy of the GNU Lesser General Public License # along with this program. If not, see <http://www.gnu.org/licenses/>. import base64 import ctypes import marshal import functools import vapoursynth from yuuno.vs.vsscript.capsules import Capsules from yuuno.vs.flags import Features class Counter(object): def __init__(self): self._counter = 0 def __call__(self): self._counter += 1 return self._counter _run_counter = Counter() _script_counter = Counter() class VPYScriptExport(ctypes.Structure): _fields_ = [ ('pyenvdict', ctypes.py_object), ('errstr', ctypes.c_void_p), ('id', ctypes.c_int) ] class _VapourSynthCAPI(Capsules): _module_ = vapoursynth vpy_initVSScript = ctypes.CFUNCTYPE(ctypes.c_int) vpy_createScript = ctypes.CFUNCTYPE(ctypes.c_int, ctypes.POINTER(VPYScriptExport)) vpy_getError = ctypes.CFUNCTYPE(ctypes.c_char_p, ctypes.POINTER(VPYScriptExport)) vpy_evaluateScript = ctypes.CFUNCTYPE(ctypes.c_int, ctypes.POINTER(VPYScriptExport), ctypes.c_char_p, ctypes.c_char_p, ctypes.c_int) vpy_getVSApi = ctypes.CFUNCTYPE(ctypes.c_void_p) vpy_freeScript = ctypes.CFUNCTYPE(None, ctypes.POINTER(VPYScriptExport)) VapourSynthCAPI = _VapourSynthCAPI() _controlling_vsscript = False def enable_vsscript(): global _controlling_vsscript # VapourSynth R51: # > Fake a reload. if Features.ENVIRONMENT_POLICIES: if _controlling_vsscript: if not vapoursynth._using_vsscript: vapoursynth._using_vsscript = True return if VapourSynthCAPI.vpy_getVSApi() == ctypes.c_void_p(0): raise OSError("Couldn't detect a VapourSynth API Instance") if VapourSynthCAPI.vpy_initVSScript(): raise OSError("Failed to initialize VSScript.") if not vapoursynth._using_vsscript: raise RuntimeError("Failed to enable vsscript.") _controlling_vsscript = True def does_own_vsscript(): global _controlling_vsscript return _controlling_vsscript def disable_vsscript(): if not Features.ENVIRONMENT_POLICIES: return if not vapoursynth._using_vsscript: return vapoursynth._using_vsscript = False def _perform_in_environment(func): @functools.wraps(func) def _wrapper(self, *args, **kwargs): return self.perform(lambda: func(self, *args, **kwargs)) return _wrapper _call_funcs = {} class ScriptEnvironment(object): __slots__ = ('filename', 'id', 'export', '_core', '_outputs', '_env') def __init__(self, filename=None): enable_vsscript() self.filename = filename self.id = _script_counter() self.export = None self._core = None self._outputs = None self._env = None def enable(self): if self.export is not None: return self.export = VPYScriptExport() self.export.pyenvdict = {} self.export.id = self.id if VapourSynthCAPI.vpy_createScript(self._handle): self._raise_error() self._env = self._perform_raw(vapoursynth.vpy_current_environment) @property def _handle(self): if self.export is None: return return ctypes.pointer(self.export) @property def alive(self): return self.export is not None def dispose(self): if self.export is None: return VapourSynthCAPI.vpy_freeScript(self._handle) self.export = None def _raise_error(self): raise vapoursynth.Error(VapourSynthCAPI.vpy_getError(self._handle).decode('utf-8')) def _perform_raw(self, func, counter=None): if self.export is None: raise vapoursynth.Error("Tried to access dead core.") if not counter: counter = _run_counter() name = '__yuuno_%d_run_%d' % (id(self), counter) # This technique allows arbitrary code to be executed # without ever touching the global pyenv-dict. c = compile('''from yuuno.vs.vsscript.vs_capi import _call_funcs; _call_funcs["%s"]()'''%name, filename="<yuuno-bootstrap>", mode="exec") c = marshal.dumps(c) c = base64.b64encode(c) c = c.decode("ascii") c = '(lambda marshal, base64: exec(marshal.loads(base64.b64decode(b"%s")), {}, {}))(__import__("marshal"), __import__("base64"))'%c result = None error = None def _execute_func(): nonlocal result, error try: result = func() except Exception as e: error = e filename = '<Yuuno:%d>' % counter if self.filename: filename = self.filename filename = filename.encode('utf-8') _call_funcs[name] = _execute_func try: if VapourSynthCAPI.vpy_evaluateScript(self._handle, c.encode('ascii'), filename, 0): self._raise_error() finally: del _call_funcs[name] if error is not None: raise error return result def perform(self, func): ewrapper = self._env # R51 requires the use of Environment.use for threadsafe # environment changes. if hasattr(ewrapper, "use"): ewrapper = ewrapper.use() with ewrapper: return func() def exec(self, code): counter = _run_counter() compiled = compile(code, '<Yuuno %r:%d>' % (self.filename, counter), 'exec') def _exec(): exec(compiled, self.export.pyenvdict, {}) self._perform_raw(_exec, counter) @_perform_in_environment def _get_core(self): return vapoursynth.get_core() @property def core(self): if self._core is None: self._core = self._get_core() return self._core @_perform_in_environment def _get_outputs(self): return vapoursynth.get_outputs() @property def outputs(self): if self._outputs is None: self._outputs = self._get_outputs() return self._outputs def get_output(self, index=0): return self.outputs[index] def __del__(self): self.dispose()
yuuno-core
/yuuno-core-1.3.1.zip/yuuno-core-1.3.1/yuuno/vs/vsscript/vs_capi.py
vs_capi.py
# Yuuno - IPython + VapourSynth # Copyright (C) 2018 StuxCrystal (Roland Netzsch <[email protected]>) # # This program is free software: you can redistribute it and/or modify # it under the terms of the GNU Lesser General Public License as published by # the Free Software Foundation, either version 3 of the License, or # (at your option) any later version. # # This program is distributed in the hope that it will be useful, # but WITHOUT ANY WARRANTY; without even the implied warranty of # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the # GNU Lesser General Public License for more details. # # You should have received a copy of the GNU Lesser General Public License # along with this program. If not, see <http://www.gnu.org/licenses/>. import ctypes PyCapsule_GetName = ctypes.pythonapi.PyCapsule_GetName PyCapsule_GetName.argtypes = [ctypes.py_object] PyCapsule_GetName.restype = ctypes.c_char_p PyCapsule_GetPointer = ctypes.pythonapi.PyCapsule_GetPointer PyCapsule_GetPointer.argtypes = [ctypes.py_object, ctypes.c_char_p] PyCapsule_GetPointer.restype = ctypes.c_void_p _CData = ctypes.c_int.mro()[-2] class CapsulesMeta(type): def __new__(cls, name, bases, dict): types = {} for k in tuple(dict): if hasattr(dict[k], "mro") and _CData in dict[k].mro(): types[k] = dict[k] del dict[k] dict['_types_'] = types return type.__new__(cls, name, bases, dict) class Capsules(metaclass=CapsulesMeta): _module_ = None def __init__(self): if not hasattr(self._module_, '__pyx_capi__'): raise ValueError("Not a cython module.") self.module = self._module_ self.capsules = self._module_.__pyx_capi__ self._cache = {} def _convert(self, name, capsule_ptr): return self._types_[name](capsule_ptr) def _extract(self, item): try: capsule = self.capsules[item] except KeyError as e: raise AttributeError(item) from e name = PyCapsule_GetName(capsule) return self._convert(item, PyCapsule_GetPointer(capsule, name)) def __getattr__(self, item): if item not in self._cache: self._cache[item] = self._extract(item) return self._cache[item]
yuuno-core
/yuuno-core-1.3.1.zip/yuuno-core-1.3.1/yuuno/vs/vsscript/capsules.py
capsules.py
# Yuuno - IPython + VapourSynth # Copyright (C) 2018 StuxCrystal (Roland Netzsch <[email protected]>) # # This program is free software: you can redistribute it and/or modify # it under the terms of the GNU Lesser General Public License as published by # the Free Software Foundation, either version 3 of the License, or # (at your option) any later version. # # This program is distributed in the hope that it will be useful, # but WITHOUT ANY WARRANTY; without even the implied warranty of # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the # GNU Lesser General Public License for more details. # # You should have received a copy of the GNU Lesser General Public License # along with this program. If not, see <http://www.gnu.org/licenses/>. from pathlib import Path from typing import Dict, Union, Callable, Any, Optional import vapoursynth from yuuno import Yuuno from yuuno.clip import Clip from yuuno.utils import inline_resolved from yuuno.multi_scripts.script import ScriptManager, Script from yuuno.vs.vsscript.containermodule import create_module from yuuno.vs.vsscript.vs_capi import ScriptEnvironment, does_own_vsscript from yuuno.vs.vsscript.vs_capi import enable_vsscript, disable_vsscript from yuuno.vs.vsscript.clip import WrappedClip from yuuno.vs.utils import is_single class VSScript(Script): def __init__(self, manager, name): self.manager = manager self.name = name self.env = ScriptEnvironment() self.exec_counter = 0 self.module_dict = {} self.manager._on_create(self, self.env.id, self.name) @property def _yuuno(self): return Yuuno.instance() @property def alive(self) -> bool: """ Checks if the environment is still alive. """ return self.env is not None and self.env.alive def initialize(self) -> None: self.env.enable() self.env.perform(lambda: self._yuuno.get_extension('VapourSynth').update_core_values()) def _invoke_exec_counter(self): self.exec_counter += 1 return self.exec_counter def dispose(self) -> None: """ Disposes the script. """ self.manager._on_dispose(self.env.id, self.name) self.env.dispose() @inline_resolved def get_results(self) -> Dict[str, Clip]: """ Returns a dictionary with clips that represent the results of the script. """ return {str(k): WrappedClip(self, self._yuuno.wrap(v)) for k, v in self.env.outputs.items()} @inline_resolved def perform(self, cb: Callable[[], Any]) -> Any: return self.env.perform(cb) @inline_resolved def execute(self, code: Union[str, Path]) -> None: """ Executes the code inside the environment """ filename = "<yuuno %d:%d>" % (self.env.id, self._invoke_exec_counter()) if isinstance(code, Path): filename = str(code) with open(code, "rb") as f: code = f.read() script = compile(code, filename, 'exec', dont_inherit=True) def _run(): exec(script, self.module_dict, {}) self.env.perform(_run) class VSScriptManager(ScriptManager): def __init__(self): self._does_manage_vsscript = False self.envs: Dict[int, VSScript] = {} self.scripts: Dict[str, VSScript] = {} create_module(self._select_current_dict) def _current_script(self): assert hasattr(vapoursynth, 'vpy_current_environment') try: env = vapoursynth.vpy_current_environment() except RuntimeError: return None return self.envs.get(env.env_id, None) def _select_current_dict(self): env = self._current_script() if env is None: return {} return env.module_dict def _on_create(self, script, id, name): self.envs[id] = script self.scripts[name] = script def _on_dispose(self, id, name): del self.envs[id] del self.scripts[name] def env_wrapper_for(self, cls): def _wrapper(*args, **kwargs): current_env = self._current_script() return WrappedClip(current_env, cls(*args, **kwargs)) return _wrapper def create(self, name: str, *, initialize=False) -> Script: """ Creates a new script environment. """ if is_single(): enable_vsscript() self._does_manage_vsscript = True elif does_own_vsscript(): pass # Make sure we have full control of VSScript elif not self._does_manage_vsscript: raise RuntimeError("The script manager does not control VSScript.") if name in self.scripts: raise ValueError("The script already exists.") # Create the core now. script = VSScript(self, name) self.scripts[name] = script if initialize: script.initialize() return script def get(self, name: str) -> Optional[Script]: """ Returns the script with the given name. """ return self.scripts[name] def dispose_all(self) -> None: """ Disposes all scripts """ for script in list(self.scripts.values()): script.dispose() def disable(self) -> None: """ Disposes all scripts and tries to clean up. """ self.dispose_all() if self._does_manage_vsscript: disable_vsscript() self._does_manage_vsscript = False
yuuno-core
/yuuno-core-1.3.1.zip/yuuno-core-1.3.1/yuuno/vs/vsscript/script.py
script.py
# Yuuno - IPython + VapourSynth # Copyright (C) 2018 StuxCrystal (Roland Netzsch <[email protected]>) # # This program is free software: you can redistribute it and/or modify # it under the terms of the GNU Lesser General Public License as published by # the Free Software Foundation, either version 3 of the License, or # (at your option) any later version. # # This program is distributed in the hope that it will be useful, # but WITHOUT ANY WARRANTY; without even the implied warranty of # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the # GNU Lesser General Public License for more details. # # You should have received a copy of the GNU Lesser General Public License # along with this program. If not, see <http://www.gnu.org/licenses/>. from types import ModuleType from typing import Callable, Type, MutableMapping, Any, Dict from collections import ChainMap from importlib.machinery import ModuleSpec, BuiltinImporter from sys import modules def create_module(manager: Callable[[], Dict[str, Any]]) -> Type[ModuleType]: def get_dict() -> MutableMapping[str, Any]: d = manager() return ChainMap(d, { '__name__': '__vapoursynth__', '__spec__': ModuleSpec(name='__vapoursynth__', loader=BuiltinImporter, origin='yuuno'), '__package__': None, '__doc__': None }) class _EnvLocalModule(ModuleType): """ The __vapoursynth__-Module has to be backed by a environment backed dictionary. """ def __getattribute__(self, item): try: get_dict()[item] except KeyError as e: raise AttributeError(item) from e def __setattr__(self, key, value): nonlocal manager get_dict()[key] = value def __delattr__(self, item): d = get_dict() del d[item] def __dir__(self): nonlocal manager return [ "__dir__", "__getattribute__", "__setattr__", "__delattr__", "__repr__" ] + list(manager.keys()) def __repr__(self): return "<module '__vapoursynth__' (provided)>" modules['__vapoursynth__'] = _EnvLocalModule("__vapoursynth__")
yuuno-core
/yuuno-core-1.3.1.zip/yuuno-core-1.3.1/yuuno/vs/vsscript/containermodule.py
containermodule.py
# Yuuno - IPython + VapourSynth # Copyright (C) 2018 StuxCrystal (Roland Netzsch <[email protected]>) # # This program is free software: you can redistribute it and/or modify # it under the terms of the GNU Lesser General Public License as published by # the Free Software Foundation, either version 3 of the License, or # (at your option) any later version. # # This program is distributed in the hope that it will be useful, # but WITHOUT ANY WARRANTY; without even the implied warranty of # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the # GNU Lesser General Public License for more details. # # You should have received a copy of the GNU Lesser General Public License # along with this program. If not, see <http://www.gnu.org/licenses/>. from typing import TYPE_CHECKING, Callable, Any, TypeVar, Generic from yuuno.utils import future_yield_coro, auto_join from yuuno.clip import Clip, Frame if TYPE_CHECKING: from yuuno.vs.vsscript.script import VSScript T = TypeVar("T", Clip, Frame) class WrappedMixin(Generic[T]): env: 'VSScript' parent: T def __init__(self, env: 'VSScript', parent: T): self.env = env self.parent = parent @staticmethod def wrap(name: str) -> Callable[..., Any]: @auto_join @future_yield_coro def _func(self: 'WrappedMixin', *args, **kwargs): func = getattr(self.parent, name) result = yield self.env.perform(lambda: func(*args, **kwargs)) result = yield result if isinstance(result, Frame): result = WrappedFrame(self.env, result) return result return _func @staticmethod def wrap_future(name: str): @future_yield_coro def _func(self: 'WrappedMixin', *args, **kwargs): func = getattr(self.parent, name) result = yield self.env.perform(lambda: func(*args, **kwargs)) result = yield result if isinstance(result, Frame): result = WrappedFrame(self.env, result) return result return _func class WrappedFrame(WrappedMixin[Frame], Frame): to_pil = WrappedMixin.wrap('to_pil') to_raw = WrappedMixin.wrap('to_raw') size = WrappedMixin.wrap('size') format = WrappedMixin.wrap('format') get_raw_data_async = WrappedMixin.wrap_future('get_raw_data_async') class WrappedClip(WrappedMixin[Clip], Clip): __len__ = WrappedMixin.wrap('__len__') __getitem__ = WrappedMixin.wrap_future('__getitem__') @property def clip(self): return self.parent.clip
yuuno-core
/yuuno-core-1.3.1.zip/yuuno-core-1.3.1/yuuno/vs/vsscript/clip.py
clip.py
# Yuuno - IPython + VapourSynth # Copyright (C) 2017 StuxCrystal (Roland Netzsch <[email protected]>) # # This program is free software: you can redistribute it and/or modify # it under the terms of the GNU Lesser General Public License as published by # the Free Software Foundation, either version 3 of the License, or # (at your option) any later version. # # This program is distributed in the hope that it will be useful, # but WITHOUT ANY WARRANTY; without even the implied warranty of # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the # GNU Lesser General Public License for more details. # # You should have received a copy of the GNU Lesser General Public License # along with this program. If not, see <http://www.gnu.org/licenses/>. from typing import List as TList, Callable as TCallable, Dict as TDict from typing import Any as TAny, AnyStr from typing import Iterator, Tuple as TTuple from traitlets import HasTraits, default from traitlets import List, Dict from traitlets import Unicode, Any from yuuno.trait_types import Callable class Namespace(HasTraits): """ Essentially a view of the current variables pushed to the user namespace. """ watchers: TList[TCallable[[AnyStr, TAny, TAny], None]] = List(Callable()) namespace: TDict[AnyStr, TAny] = Dict(key_trait=Unicode(), value_trait= Any()) # Sentinel object Undefined: object = object() @default("watchers") def _watchers_default(self): return [] @default("namespace") def _namespace_default(self): return {} def watch(self, callback: TCallable[[AnyStr, TAny, TAny], None]) -> None: """ Register a new callback that pushes or undefines the object from the actual environmental namespace. :param callback: The callback to run """ self.watchers.append(callback) def unwatch(self, callback: TCallable[[AnyStr, TAny, TAny], None]) -> None: """ Unregister a given callback :param callback: The callback to unregister """ self.watchers.remove(callback) def _notify(self, key: AnyStr, value: TAny, old: TAny): for watcher in self.watchers: watcher(key, value, old) def as_dict(self) -> TDict[AnyStr, TAny]: return self.namespace.copy() def items(self) -> Iterator[TTuple[AnyStr, TAny]]: return self.namespace.items() def __iter__(self): return iter(self.namespace) def __getitem__(self, item: AnyStr) -> TAny: return self.namespace[item] def __setitem__(self, key: AnyStr, value: TAny): old = self.namespace.get(key, self.Undefined) self.namespace[key] = value self._notify(key, value, old) def __delitem__(self, key: AnyStr): old = self.namespace.pop(key) self._notify(key, self.Undefined, old)
yuuno-core
/yuuno-core-1.3.1.zip/yuuno-core-1.3.1/yuuno/core/namespace.py
namespace.py
# Yuuno - IPython + VapourSynth # Copyright (C) 2017,2018 StuxCrystal (Roland Netzsch <[email protected]>) # # This program is free software: you can redistribute it and/or modify # it under the terms of the GNU Lesser General Public License as published by # the Free Software Foundation, either version 3 of the License, or # (at your option) any later version. # # This program is distributed in the hope that it will be useful, # but WITHOUT ANY WARRANTY; without even the implied warranty of # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the # GNU Lesser General Public License for more details. # # You should have received a copy of the GNU Lesser General Public License # along with this program. If not, see <http://www.gnu.org/licenses/>. from traitlets import Type as Class, Dict, List, HasTraits from traitlets import This from traitlets import default from typing import Dict as Dictionary from typing import List as Listing from typing import Type, Optional, Callable, Iterator from yuuno.clip import Clip, T class Registry(HasTraits): """ Stores which Clip-Type is responsible for wrapping specific applications. """ clip_types: Dictionary = Dict(value_trait=Class(klass=Clip), key_trait=Class()) sub_registries: Listing['Registry'] = List(This()) @default("clip_types") def _init_cliptypes(self) -> Dictionary[Type[Clip], Type[T]]: return {} @default("sub_registries") def _init_subregistries(self) -> Listing['Registry']: return [] def all_types(self) -> Iterator[Type]: """ A generator that returns all supported types. """ yield from self.clip_types.keys() for registry in self.sub_registries: yield from registry.all_types() def add_subregistry(self, registry: 'Registry') -> None: """ Adds a subregistry to the registry. These registries can be removed at any time. :param registry: The registry to add """ self.sub_registries.append(registry) def remove_subregistry(self, registry: 'Registry') -> None: """ Removes a subregistry from the registry. :param registry: The registry to remove. """ self.sub_registries.remove(registry) def register(self, base: Type[Clip], type: Type[T]=None) -> Optional[Callable[[Type[Clip]], Type[Clip]]]: """ Registers a new clip type for the given clip. :param base: The clip-type :param type: The type the clip is wrapping. (If omitted it will represent a decorator) :return: A decorator or none. """ # Decorator Syntax if type is None: def _decorator(type: Type[T]) -> Type[T]: self.register(type, base) return type return _decorator # Normal handling self.clip_types[type] = base def get_clip_type_for(self, item: T) -> Optional[Type[Clip]]: """ Returns the clip type for the given object. :param item: The clip to convert. :return: Type clip-type responsible for wrapping the object """ own_result = self._find_own(item) if own_result is not None: return own_result # Then find in foreign for registry in self.sub_registries: result = registry.get_clip_type_for(item) if result is not None: return result return None def _find_own(self, item: T) -> Optional[Type[Clip]]: # Find in own first for cls in type(item).mro(): if cls in self.clip_types: return self.clip_types[cls] for cls in self.clip_types: if isinstance(item, cls): return self.clip_types[cls] return None def wrap(self, item: T) -> Clip: """ Returns a wrapper for the clip type. :param item: The item to convert. :return: The clip wrapping the item. """ clip_type = self.get_clip_type_for(item) if clip_type is None: raise ValueError(f"Unsupported type {type(item)!r}") return clip_type(item)
yuuno-core
/yuuno-core-1.3.1.zip/yuuno-core-1.3.1/yuuno/core/registry.py
registry.py
# Yuuno - IPython + VapourSynth # Copyright (C) 2018 StuxCrystal (Roland Netzsch <[email protected]>) # # This program is free software: you can redistribute it and/or modify # it under the terms of the GNU Lesser General Public License as published by # the Free Software Foundation, either version 3 of the License, or # (at your option) any later version. # # This program is distributed in the hope that it will be useful, # but WITHOUT ANY WARRANTY; without even the implied warranty of # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the # GNU Lesser General Public License for more details. # # You should have received a copy of the GNU Lesser General Public License # along with this program. If not, see <http://www.gnu.org/licenses/>. from typing import Dict, Optional, Union from pathlib import Path from concurrent.futures import Future from yuuno.clip import Clip class Script(object): """ Represents a script. """ @property def alive(self) -> bool: """ Checks if the environment is still alive. """ return False def initialize(self) -> None: """ Called when the script is going to be initialized. We need this to find out if script-creation is actually costly. """ def dispose(self) -> None: """ Disposes the script. """ raise NotImplementedError def get_results(self) -> Future: """ Returns a dictionary with clips that represent the results of the script. """ raise NotImplementedError def execute(self, code: Union[str, Path]) -> Future: """ Executes the code inside the environment """ raise NotImplementedError class ScriptManager(object): """ Manages and creates script-environments. """ def create(self, name: str, *, initialize=False) -> Script: """ Creates a new script environment. """ raise NotImplementedError def get(self, name: str) -> Optional[Script]: """ Returns the script with the given name. """ raise NotImplementedError def dispose_all(self) -> None: """ Disposes all scripts """ raise NotImplementedError def disable(self) -> None: """ Disposes all scripts and tries to clean up. """ raise NotImplementedError
yuuno-core
/yuuno-core-1.3.1.zip/yuuno-core-1.3.1/yuuno/multi_scripts/script.py
script.py
# Yuuno - IPython + VapourSynth # Copyright (C) 2018 StuxCrystal (Roland Netzsch <[email protected]>) # # This program is free software: you can redistribute it and/or modify # it under the terms of the GNU Lesser General Public License as published by # the Free Software Foundation, either version 3 of the License, or # (at your option) any later version. # # This program is distributed in the hope that it will be useful, # but WITHOUT ANY WARRANTY; without even the implied warranty of # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the # GNU Lesser General Public License for more details. # # You should have received a copy of the GNU Lesser General Public License # along with this program. If not, see <http://www.gnu.org/licenses/>. from typing import Dict, Optional, Iterator, TYPE_CHECKING from yuuno.core.extension import Extension if TYPE_CHECKING: from yuuno.multi_scripts.script import ScriptManager from yuuno.multi_scripts.subprocess.provider import ScriptProviderRegistration class MultiScriptExtension(Extension): _name = "MultiScript" managers: Dict[str, 'ScriptManager'] providers: Dict[str, 'ScriptProviderRegistration'] @classmethod def is_supported(self): return True def __init__(self, *args, **kwargs): super(MultiScriptExtension, self).__init__(*args, **kwargs) self.managers = {} self.providers = {} def initialize(self): pass def register_manager(self, name: str, manager: 'ScriptManager'): """ Registers a new manager. :param name: The name of the manager. :param manager: The manager to register. :return: The registered manager. """ if name in self.managers: raise ValueError("A manager with this name already exists.") self.managers[name] = manager def get_manager(self, name: str) -> Optional['ScriptManager']: """ Returns the manager with the givern name. :param name: The name of the manager. :return: The manager that has been registered with this name. """ return self.managers.get(name, None) def get_manager_names(self) -> Iterator[str]: """ Returns all currently registered managers. :return: The currently registered manager. """ yield from self.managers.keys() def register_provider(self, name: str, registration: 'ScriptProviderRegistration') -> None: """ Register a new provider. :param name: The name of the provider. :param registration: The registration. """ if name in self.providers: raise ValueError("A provider with this name has already been registered.") self.providers[name] = registration def get_provider(self, name: str) -> Optional['ScriptProviderRegistration']: """ Get the provider with the given name. :param name: The name of the provider. :return: The registration-information. """ return self.providers.get(name, None) def get_provider_names(self) -> Iterator[str]: """ Returns the name of all provider. :return: The provider """ yield from self.providers.keys() def deinitialize(self): for manager in self.managers.values(): manager.dispose_all() self.managers = {} self.providers = {}
yuuno-core
/yuuno-core-1.3.1.zip/yuuno-core-1.3.1/yuuno/multi_scripts/extension.py
extension.py
# Yuuno - IPython + VapourSynth # Copyright (C) 2018 StuxCrystal (Roland Netzsch <[email protected]>) # # This program is free software: you can redistribute it and/or modify # it under the terms of the GNU Lesser General Public License as published by # the Free Software Foundation, either version 3 of the License, or # (at your option) any later version. # # This program is distributed in the hope that it will be useful, # but WITHOUT ANY WARRANTY; without even the implied warranty of # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the # GNU Lesser General Public License for more details. # # You should have received a copy of the GNU Lesser General Public License # along with this program. If not, see <http://www.gnu.org/licenses/>. from typing import List, NamedTuple, Optional, TYPE_CHECKING, Dict from yuuno import Yuuno if TYPE_CHECKING: from yuuno.multi_scripts.script import ScriptManager, Script from yuuno.multi_scripts.subprocess.process import LocalSubprocessEnvironment class ScriptProviderRegistration(NamedTuple): providercls: str extensions: List[str] def with_config(self, **kwargs: str) -> 'ScriptProviderInfo': return ScriptProviderInfo(*self, providerparams=kwargs) class ScriptProviderInfo(NamedTuple): providercls: str extensions: List[str] providerparams: Dict[str, str] class ScriptProvider(object): """ Provider for single scripts. """ yuuno: Yuuno def __init__(self, yuuno: Yuuno, **kwargs: Dict[str, str]): self.yuuno = yuuno def initialize(self, env: 'LocalSubprocessEnvironment') -> None: """ Called after _all_ extensions have been loaded and the system is ready to be loaded. """ pass def deinitialize(self) -> None: """ Called when the environment is being disabled. """ pass def get_script(self) -> 'Script': """ Returns the script. """ pass class ManagedScriptProvider(ScriptProvider): manager_name: str manager: Optional['ScriptManager'] script: Optional['Script'] def __init__(self, yuuno: Yuuno, *, manager_name: str, **kwargs: Dict[str, str]): super(ManagedScriptProvider, self).__init__(yuuno, **kwargs) self.manager_name = manager_name self.manager = None self.script = None def initialize(self, env: 'LocalSubprocessEnvironment') -> None: mscr = self.yuuno.get_extension('MultiScript') self.manager = mscr.get_manager(self.manager_name) if self.manager is None: raise ValueError("Unknown Script Manager detected.") self.script = self.manager.create('subprocess', initialize=True) def get_script(self) -> 'Script': return self.script
yuuno-core
/yuuno-core-1.3.1.zip/yuuno-core-1.3.1/yuuno/multi_scripts/subprocess/provider.py
provider.py
# Yuuno - IPython + VapourSynth # Copyright (C) 2018 StuxCrystal (Roland Netzsch <[email protected]>) # # This program is free software: you can redistribute it and/or modify # it under the terms of the GNU Lesser General Public License as published by # the Free Software Foundation, either version 3 of the License, or # (at your option) any later version. # # This program is distributed in the hope that it will be useful, # but WITHOUT ANY WARRANTY; without even the implied warranty of # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the # GNU Lesser General Public License for more details. # # You should have received a copy of the GNU Lesser General Public License # along with this program. If not, see <http://www.gnu.org/licenses/>. import os import traceback from multiprocessing.connection import Connection from threading import Thread, RLock as Lock, Event from typing import MutableMapping, Mapping, Optional, Any, Callable, Union from typing import NamedTuple, List from concurrent.futures import Future class Response(NamedTuple): id: int data: Optional[Any] = None error: Optional[Exception] = None traceback: Optional[List[str]] = None protected: bool = False def store(self, fut: Future): if self.error is not None: fut.set_exception(self.error) else: fut.set_result(self.data) class Request(NamedTuple): id: int type: str data: Any protect: bool = False def respond(self, data=None) -> Response: return Response(id=self.id, data=data, protected=self.protect) def fail(self, error=None) -> Response: return Response( id=self.id, error=error, traceback=traceback.format_tb(error.__traceback__), protected=self.protect ) class Handler(Thread): read: Connection write: Connection write_lock: Lock stopped: Event def __init__(self, read: Connection, write: Connection): super(Handler, self).__init__(daemon=True) self.read = read self.write = write self.stopped = Event() self.lock = Lock() def _handle(self, obj: Union[Request, Response]): pass def run(self): while not self.stopped.is_set(): if not self.read.poll(1): continue data = self.read.recv() self._handle(data) def send(self, obj): with self.lock: self.write.send(obj) def stop(self): self.stopped.set() self.join() class Responder(Handler): """ Runs in the subprocess. It responds to the requests of the main-process. """ handlers: Mapping[str, Callable[[Any], Future]] def __init__(self, read: Connection, write: Connection, handlers: Mapping[str, Callable[[Any], Future]]): super(Responder, self).__init__(read, write) self.handlers = handlers def _handle(self, obj: Request): print(os.getpid(), ">", obj) if obj.type not in self.handlers: self._send(obj.fail(NotImplementedError("Request not supported"))) return cb = self.handlers[obj.type] fut = cb(obj.data) fut.add_done_callback(lambda f: self._respond(obj, f)) def _respond(self, req: Request, res: Future): if res.exception(): resp = req.fail(res.exception()) else: resp = req.respond(res.result()) self._send(resp) def _send(self, resp): self.send(resp) if resp.protected: resp = "(protected)" print(os.getpid(), ">", resp) class Requester(Handler): """ Runs in the main process. It waits for responses and sends new requests. """ max_id: int max_id_lock: Lock waiting: MutableMapping[int, Future] def __init__(self, read: Connection, write: Connection): super(Requester, self).__init__(read, write) self.max_id = 0 self.max_id_lock = Lock() self.waiting = {} def _handle(self, obj: Response): if obj.id not in self.waiting: return fut = self.waiting[obj.id] if fut.cancelled(): return obj.store(fut) def _generate_id(self) -> int: with self.max_id_lock: new_id = self.max_id self.max_id += 1 return new_id def submit(self, type: str, data: Any, protect: bool = False) -> Future: req = Request(id=self._generate_id(), type=type, data=data, protect=protect) fut = Future() fut.set_running_or_notify_cancel() self.waiting[req.id] = fut self.send(req) return fut
yuuno-core
/yuuno-core-1.3.1.zip/yuuno-core-1.3.1/yuuno/multi_scripts/subprocess/proxy.py
proxy.py
# Yuuno - IPython + VapourSynth # Copyright (C) 2018 StuxCrystal (Roland Netzsch <[email protected]>) # # This program is free software: you can redistribute it and/or modify # it under the terms of the GNU Lesser General Public License as published by # the Free Software Foundation, either version 3 of the License, or # (at your option) any later version. # # This program is distributed in the hope that it will be useful, # but WITHOUT ANY WARRANTY; without even the implied warranty of # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the # GNU Lesser General Public License for more details. # # You should have received a copy of the GNU Lesser General Public License # along with this program. If not, see <http://www.gnu.org/licenses/>. from typing import Optional, Dict from multiprocessing import Pool, get_context from multiprocessing.context import BaseContext as Context from yuuno.multi_scripts.script import ScriptManager, Script from yuuno.multi_scripts.subprocess.process import Subprocess from yuuno.multi_scripts.subprocess.provider import ScriptProviderInfo class SubprocessScriptManager(ScriptManager): """ Manages and creates script-environments. """ instances: Dict[str, Subprocess] starter: ScriptProviderInfo pool: Pool _next_process: Subprocess def __init__(self, starter: ScriptProviderInfo): self.instances = {} self.starter = starter ctx: Context = get_context("spawn") self.pool = ctx.Pool() self._next_process = None self._checkout_next() def _checkout_next(self): prev = self._next_process self._next_process = Subprocess(self.pool, self.starter) return prev def create(self, name: str, *, initialize=False) -> Script: """ Creates a new script environment. """ if name in self.instances and self.instances[name].alive: raise ValueError("A core with this name already exists.") process = self._checkout_next() self.instances[name] = process if initialize: process.initialize() return process def get(self, name: str) -> Optional[Script]: """ Returns the script with the given name. """ return self.instances.get(name) def dispose_all(self) -> None: """ Disposes all scripts """ for process in list(self.instances.values()): if process.alive: return process.dispose() def disable(self) -> None: """ Disposes all scripts and tries to clean up. """ self.dispose_all() self._next_process.dispose()
yuuno-core
/yuuno-core-1.3.1.zip/yuuno-core-1.3.1/yuuno/multi_scripts/subprocess/manager.py
manager.py
# Yuuno - IPython + VapourSynth # Copyright (C) 2018 StuxCrystal (Roland Netzsch <[email protected]>) # # This program is free software: you can redistribute it and/or modify # it under the terms of the GNU Lesser General Public License as published by # the Free Software Foundation, either version 3 of the License, or # (at your option) any later version. # # This program is distributed in the hope that it will be useful, # but WITHOUT ANY WARRANTY; without even the implied warranty of # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the # GNU Lesser General Public License for more details. # # You should have received a copy of the GNU Lesser General Public License # along with this program. If not, see <http://www.gnu.org/licenses/>. from pathlib import Path from typing import TYPE_CHECKING from yuuno.utils import future_yield_coro from yuuno.multi_scripts.script import Script if TYPE_CHECKING: from yuuno.multi_scripts.subprocess.process import LocalSubprocessEnvironment class BasicCommands(object): script: Script env: 'LocalSubprocessEnvironment' def __init__(self, script: Script, env: 'LocalSubprocessEnvironment'): self.script = script self.env = env @property def commands(self): return { 'script/subprocess/execute': self.execute, 'script/subprocess/results': self.results, 'script/subprocess/results/raw': self.frame_data, 'script/subprocess/results/meta': self.frame_meta } @future_yield_coro def execute(self, type: str, code: str): if type == 'path': code = Path(code) return (yield self.script.execute(code)) @future_yield_coro def results(self): outputs = yield self.script.get_results() return { str(k): len(v) for k, v in outputs.items() } @future_yield_coro def frame_meta(self, id: str, frame: int): outputs = yield self.script.get_results() clip = outputs.get(id, None) if clip is None: return None try: frame = yield clip[frame] except IndexError: return None return frame.size(), frame.format() @future_yield_coro def frame_data(self, id: str, frame: int): outputs = yield self.script.get_results() clip = outputs.get(id, None) if clip is None: return None try: frame = yield clip[frame] except IndexError: return None frame = frame.to_raw() from yuuno.multi_scripts.subprocess.process import FRAME_BUFFER_SIZE if len(frame) > FRAME_BUFFER_SIZE: return frame with self.env.framebuffer() as f: f[:len(frame)] = frame return len(frame)
yuuno-core
/yuuno-core-1.3.1.zip/yuuno-core-1.3.1/yuuno/multi_scripts/subprocess/basic_commands.py
basic_commands.py
# Yuuno - IPython + VapourSynth # Copyright (C) 2018 StuxCrystal (Roland Netzsch <[email protected]>) # # This program is free software: you can redistribute it and/or modify # it under the terms of the GNU Lesser General Public License as published by # the Free Software Foundation, either version 3 of the License, or # (at your option) any later version. # # This program is distributed in the hope that it will be useful, # but WITHOUT ANY WARRANTY; without even the implied warranty of # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the # GNU Lesser General Public License for more details. # # You should have received a copy of the GNU Lesser General Public License # along with this program. If not, see <http://www.gnu.org/licenses/>. import os import functools from pathlib import Path from contextlib import contextmanager from threading import Lock, Event, Thread from queue import Queue, Empty from concurrent.futures import Future from ctypes import c_ubyte from multiprocessing import Pipe, Pool, Process from multiprocessing.sharedctypes import RawArray as Array from multiprocessing.connection import Connection from typing import List, Callable, Any, NamedTuple, Sequence, Dict, Union from typing import TYPE_CHECKING from traitlets.utils.importstring import import_item from traitlets import Instance from yuuno.multi_scripts.subprocess.basic_commands import BasicCommands from yuuno.utils import future_yield_coro from yuuno.core.environment import Environment from yuuno.multi_scripts.utils import ConvertingMappingProxy from yuuno.multi_scripts.script import Script from yuuno.multi_scripts.environments import RequestManager from yuuno.multi_scripts.subprocess.provider import ScriptProviderInfo, ScriptProvider from yuuno.multi_scripts.subprocess.proxy import Responder, Requester from yuuno.multi_scripts.subprocess.clip import ProxyClip if TYPE_CHECKING: from yuuno.clip import Clip # This sets the size of the frame-buffer. # I expect 8K to be enough for now. FRAME_BUFFER_SIZE = 7680*4320*3 class RequestQueueItem(NamedTuple): future: Future cb: Callable[[Any], Any] args: Sequence[Any] class LocalSubprocessEnvironment(RequestManager, Environment): """ Implements functions for a local subprocess environment. """ _provider_meta: ScriptProviderInfo write: Connection read: Connection provider: ScriptProvider = Instance(ScriptProvider) _framebuffer: Array _framebuffer_lock: Lock queue: Queue stopped: Event responder: Responder commands: ConvertingMappingProxy[str, Callable[..., Any], Callable[[Any], Future]] def additional_extensions(self) -> List[str]: """ Defines additional extensions that should be loaded inside the environment """ result = [] for ext in self._provider_meta.extensions: if not ext.startswith("="): ext = "="+ext name, extension = [s.strip() for s in ext.split("=")] extension = import_item(extension) if name: extension._name = name result.append(extension) return result def post_extension_load(self) -> None: """ Called directly after extensions have been loaded (but not enabled) """ self.queue = Queue() self.stopped = Event() self.handlers = {} self.commands = ConvertingMappingProxy(self.handlers, self._wrap2queue) # Let's initialize it here. provider_class = import_item(self._provider_meta.providercls) self.provider = provider_class(self.parent, **self._provider_meta.providerparams) def _wrap2queue(self, unwrapped: Callable[[Any], Any]) -> Callable[[Any], Future]: @functools.wraps(unwrapped) def _wrapper(data: Any) -> Future: fut = Future() self.queue.put(RequestQueueItem(fut, unwrapped, data)) return fut return _wrapper def initialize(self) -> None: """ Called by yuuno to tell it that yuuno has initialized to the point that it can now initialize interoperability for the given environment. """ self.provider.initialize(self) self.handlers.update(BasicCommands(self.provider.get_script(), self).commands) self._framebuffer_lock = Lock() @contextmanager def framebuffer(self): with self._framebuffer_lock: yield memoryview(self._framebuffer).cast("B") def _copy_result(self, source: Future, destination: Future): def _done(_): if source.exception() is not None: destination.set_exception(source.exception()) else: destination.set_result(source.result()) self.queue.task_done() source.add_done_callback(_done) def run(self): """ Wait for commands. """ self.responder = Responder(self.read, self.write, self.commands) self.responder.start() self.responder.send(None) while not self.stopped.set(): try: rqi: RequestQueueItem = self.queue.get(timeout=1) except Empty: continue if not rqi.future.set_running_or_notify_cancel(): continue try: result = rqi.cb(**rqi.args) except KeyboardInterrupt: self.stop() except Exception as e: rqi.future.set_exception(e) else: if not isinstance(result, Future): rqi.future.set_result(result) self.queue.task_done() else: self._copy_result(result, rqi.future) while True: try: rqi: RequestQueueItem = self.queue.get_nowait() except Empty: break rqi.future.set_exception(RuntimeError("System stoppped.")) self.responder.stop() def stop(self): self.stopped.set() def deinitialize(self) -> None: """ Called by yuuno before it deconfigures itself. """ self.provider.deinitialize() @staticmethod def _preload(): print(os.getpid(), ">", "Preloading.") from yuuno import init_standalone y = init_standalone() y.start() y.stop() print(os.getpid(), ">", "Preload complete.") @staticmethod def _check_parent(): import psutil current = psutil.Process() current.parent().wait() print(os.getpid(), ">", "Parent died. Kill own process...") current.kill() @classmethod def execute(cls, read: Connection, write: Connection, framebuffer: Array): cls._preload() Thread(target=cls._check_parent, daemon=True).start() from yuuno import Yuuno yuuno = Yuuno.instance(parent=None) env = cls(parent=yuuno, read=read, write=write) env._framebuffer = framebuffer yuuno.environment = env # Wait for the ProviderMeta to be set. print(os.getpid(), ">", "Ready to deploy!") env._provider_meta = read.recv() yuuno.start() print(os.getpid(), ">", "Deployed", env._provider_meta) # Run the environment env.run() # Stop Yuuno. yuuno.stop() class Subprocess(Script): process: Process self_read: Connection self_write: Connection child_read: Connection child_write: Connection requester: Requester pool: Pool provider_info: ScriptProviderInfo running: bool def __init__(self, pool: Pool, provider_info: ScriptProviderInfo): self.process = None self.pool = pool self.self_read, self.self_write = Pipe(duplex=False) self.child_read, self.child_write = Pipe(duplex=False) self.requester = Requester(self.child_read, self.self_write) self.provider_info = provider_info # Allow an 8K image to be transmitted. # This should be enough. self._fb = Array(c_ubyte, FRAME_BUFFER_SIZE) self._fb_lock = Lock() self._create() self.running = False def _create(self): self.process = self.pool.Process( target=LocalSubprocessEnvironment.execute, args=( self.self_read, self.child_write, # Commands self._fb ) ) self.process.start() @property def alive(self) -> bool: return self.running and self.process is not None and self.process.is_alive() def initialize(self): if self.alive: return if self.running: raise ValueError("Already disposed!") self.self_write.send(self.provider_info) # Block until initialization completes. self.child_read.recv() self.running = True self.requester.start() def dispose(self) -> None: """ Disposes the script. """ if not self.alive: return if self.requester.is_alive(): self.requester.stop() self.requester.join() self.child_write.close() self.child_read.close() self.self_write.close() self.self_read.close() self.process.terminate() def __del__(self): self.dispose() @contextmanager def framebuffer(self): with self._fb_lock: yield memoryview(self._fb).cast("B") @future_yield_coro def get_results(self) -> Dict[str, 'Clip']: """ Returns a dictionary with clips that represent the results of the script. """ indexes = yield self.requester.submit("script/subprocess/results", {}) return {name: ProxyClip(name, length, self) for name, length in indexes.items()} def execute(self, code: Union[str, Path]) -> Future: """ Executes the code inside the environment """ return self.requester.submit("script/subprocess/execute", { "type": "path" if isinstance(code, Path) else "string", "code": str(code) })
yuuno-core
/yuuno-core-1.3.1.zip/yuuno-core-1.3.1/yuuno/multi_scripts/subprocess/process.py
process.py
# Yuuno - IPython + VapourSynth # Copyright (C) 2018 StuxCrystal (Roland Netzsch <[email protected]>) # # This program is free software: you can redistribute it and/or modify # it under the terms of the GNU Lesser General Public License as published by # the Free Software Foundation, either version 3 of the License, or # (at your option) any later version. # # This program is distributed in the hope that it will be useful, # but WITHOUT ANY WARRANTY; without even the implied warranty of # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the # GNU Lesser General Public License for more details. # # You should have received a copy of the GNU Lesser General Public License # along with this program. If not, see <http://www.gnu.org/licenses/>. from typing import TYPE_CHECKING from typing import Optional, Tuple from PIL.Image import Image, frombuffer, merge from yuuno.clip import Clip, Frame, Size, RawFormat from yuuno.utils import future_yield_coro, auto_join, inline_resolved, gather if TYPE_CHECKING: from yuuno.multi_scripts.subprocess.process import Subprocess class ProxyFrame(Frame): clip: str frameno: int script: 'Subprocess' _cached_img: Optional[Image] _cached_meta: Optional[Tuple[Size, RawFormat]] _cached_raw: Optional[bytes] def __init__(self, clip: str, frameno: int, script: 'Subprocess'): self.clip = clip self.frameno = frameno self.script = script self._cached_img = None self._cached_meta = None self._cached_raw = None @future_yield_coro def _meta(self): if self._cached_meta is None: self._cached_meta = yield self.script.requester.submit('script/subprocess/results/meta', { "id": self.clip, "frame": self.frameno }) return self._cached_meta def size(self) -> Size: return self._meta().result()[0] def format(self) -> RawFormat: return self._meta().result()[1] @future_yield_coro def _raw_async(self) -> bytes: if self._cached_raw is None: with self.script.framebuffer() as buf: result = yield self.script.requester.submit('script/subprocess/results/raw', { "id": self.clip, "frame": self.frameno }, protect=True) if isinstance(result, int): self._cached_raw = bytes(buf[:result]) else: # We got the actual object pickled. # This means we are dealing with extremely huge frames self._cached_raw = result return self._cached_raw def to_raw(self) -> bytes: return self._raw_async().result() @auto_join @future_yield_coro def to_pil(self): if self._cached_img is not None: return self._cached_img size, format, raw = yield self.get_raw_data_async() raw = memoryview(raw) index = 0 planes = [] for i in range(format.num_planes): plane = self.plane_size(i) planedata = raw[index:index+plane] planes.append(frombuffer('L', size, planedata, 'raw', "L", 0, 1)) index += plane pil_format = "RGB" if format.num_planes == 4: pil_format += "A" return merge(pil_format, planes) @future_yield_coro def get_raw_data_async(self) -> Tuple[Size, RawFormat, bytes]: m, raw = yield gather([self._meta(), self._raw_async()]) return m[0], m[1], raw class ProxyClip(Clip): script: 'Subprocess' length: int def __init__(self, clip: str, length: int, script: 'Subprocess'): super(ProxyClip, self).__init__(clip) self.script = script self.length = length def __len__(self): return self.length @inline_resolved def __getitem__(self, item): if item >= len(self): raise IndexError("The clip does not have as many frames.") return ProxyFrame(clip=self.clip, frameno=item, script=self.script)
yuuno-core
/yuuno-core-1.3.1.zip/yuuno-core-1.3.1/yuuno/multi_scripts/subprocess/clip.py
clip.py
======= History ======= 1.4.0 (Moscow) --------------- * Reintegrated Yuuno Core into Yuuno proper. * I am using a nix-flakes now. * You don't need to manually install the extension anymore. * It works with APIv4 now. * In %%vspreview if there are only two outputs, automatically start diff-view. * Yuuno now works with JupyterLab * Added rudimentary audio support. You cannot encode audio right now but if it's the output of a cell it will show a simple audio player. It however requires VapourSynth R58 to work. 1.3.0 (Jakarta) ---------------- * We use our own Output Code now. This should allow us more flexibility. 1.2.0 (New York) ---------------- * Added %%vspreview and %%vspipe (which just emulates vspipe for now) implements a new workflow for Yuuno users. * %diff is now an alias for %preview * Previews can now do a diff. * Removed the completely useless %show * Instead of showing the first frame, we are now showing a preview on browsers. It will gracefully degrade. * Auto-Completion for core.* works again! 1.1.0 (Sรฃo Paulo) ----------------- * Removed %inspect and %compare (See deprecation of 1.0.0) * Recreated %encode and %preview in JavaScript. * Added %reattach to reattach to encodes. 1.0.0 (Marun Field) ------------------- * Split up the core-parts of Yuuno into its own repository. * Show log messages sent from VapourSynth * From VapourSynth R44 onwards, we can reset core objects. * Deprecated %inspect and %compare 0.8.0 (Glastig Uaine) --------------------- * Now I name my releases because I feel like it. * Fixed color profile not included in PNGs by default. Do so by emitting an sRGB-chunk. * Completed first version of Comm-Protocol for Yuuno-Kernels. * Added progressbar to %encode-magic. * Added support for R41+ alpha clips. (Also with R43+ AlphaOutputTuple support: vapoursynth/#362) * Use %show for IPython. It will convert the clip to a PIL image. (Can also work for Alpha-Tuples pre R41). 0.7.0 ----- * Added support for clips with variable video formats * Added support for zlib compression and ICCP-chunk on PNG outputter 0.6.0 (2017-07-24) ------------------ * `%runvpy` can now return the outputs of a vapoursynth-script (.vpy) as a dict. * Settings of VapourSynth cores are now exposed as configuration variables * [Misc] Extracted `%encode` and stuck it inside its own sub-package. 0.5.0 (2017-06-18) ------------------ Rewrite of the yuuno codebase to prepare for Yuuno 1.0.0-release. * You don't have to do `%yuuno install` anymore. * To configure settings while in your IPython-shell, use the %config-magic, which is available in any IPython installation. * The minimum Python-version of Yuuno is Python 3.6. Make sure you are running this version when upgrading. * Using `%unload_ext yuuno` you can now completely deactivate Yuuno on your notebook. * The `%encode`-magic has become more robust now. * There is a `%render`-magic now, which does everything %encode does but stores the output into a io.BytesIO. * All interactive applications are now IPython-magics. * %preview returns a Preview-object. By changing the clip-Attribute of these objects, you can change the clip without losing the frame number. 0.4.0 (2017-05-18) ------------------ * Allow `vapoursynth.VideoFrames` to be inline-rendered. * Fixed incorrect aspect-ratio on all `ipywidget` based features. * Add f-string parsing inside `%encode`. (Will fallback to regular string.format for Python < 3.6) [thanks for the idea @๐ŸŽŒeXmendiC] * Switched to Jinja2 Templates for Raw-HTML output * Omit iCCP-chunk since apparently the csp has to be set manually by the user on media players. Of course it can be changed back at any time. 0.3.0 (2017-03-20) ------------------ * An ICCP-chunk is now sent along with the PNG. Currently the default is the 709-CSP ICC. Color-Managed browsers will honor this chunk. * The variables `core` (referencing the current VS-Core) and `vs` (as a referece to the vapoursynth) will now be pushed to the user-namespace on Yuuno activation. * `%yuuno install` is now the installation command * `%yuuno version` shows the current version of yuuno * `%yuuno help` shows the help for Yuuno. * `%yuuno get` and `%yuuno set` can be used for configuring Yuuno. * You have to use `%load_ext yuuno` for initiating yuuno now.
yuuno
/yuuno-1.4.tar.gz/yuuno-1.4/HISTORY.rst
HISTORY.rst
.. highlight:: shell ============ Contributing ============ Contributions are welcome, and they are greatly appreciated! Every little bit helps, and credit will always be given. You can contribute in many ways: Types of Contributions ---------------------- Report Bugs ~~~~~~~~~~~ Report bugs at https://todo.sr.ht/~cid-chan/yuuno If you are reporting a bug, please include: * Your operating system name and version. * Any details about your local setup that might be helpful in troubleshooting. * Detailed steps to reproduce the bug. Fix Bugs ~~~~~~~~ Look through the GitHub issues for bugs. Anything tagged with "bug" and "help wanted" is open to whoever wants to implement it. Implement Features ~~~~~~~~~~~~~~~~~~ Look through the GitHub issues for features. Anything tagged with "enhancement" and "help wanted" is open to whoever wants to implement it. Write Documentation ~~~~~~~~~~~~~~~~~~~ yuuno could always use more documentation, whether as part of the official yuuno docs, in docstrings, or even on the web in blog posts, articles, and such. Submit Feedback ~~~~~~~~~~~~~~~ The best way to send feedback is to send an email to ~cid-chan/[email protected] If you are proposing a feature: * Explain in detail how it would work. * Keep the scope as narrow as possible, to make it easier to implement. * Remember that this is a volunteer-driven project, and that contributions are welcome :)
yuuno
/yuuno-1.4.tar.gz/yuuno-1.4/CONTRIBUTING.rst
CONTRIBUTING.rst
import sys import subprocess def jupyter(): """Commands for Yuuno 4 IPython""" if len(sys.argv) == 1: print("Use 'yuuno jupyter --help' for a full help page.") sys.exit(1) if sys.argv[1] == "--help": print("Yuuno for IPython and Jupyter") print("Usage:") print("\tyuuno jupyter --help\tShow this help page.") print("\tyuuno jupyter run\tRuns the Jupyter notebook.") print("\tyuuno jupyter install\tInstalls and enables all required notebook extensions.") print("\tyuuno jupyter version\tShows the version of Yuuno 4 Jupyter.") return executable = sys.executable if sys.argv[1] == "run": print("Yuuno is now automatically integrating into Jupyter.") print("Run 'jupyter notebook' (without quotes) instead.") sys.exit(1) elif sys.argv[1] == "install": print("Yuuno is now automatically integrating into Jupyter.") print("Nothing to do.") return elif sys.argv[1] == "version": try: import vapoursynth as vs except ImportError: vs_ver = "Failed to import. (Is vapoursynth installed?)" except Exception as e: vs_ver = f"Failed to import: {e!r}" else: if hasattr(vs, "__version__"): vs_ver = f"{vs.__version__[0]}.{vs.__version__[1]}" else: vs_ver = vs.core.version() from yuuno_ipython import __version__ as y4ipy_ver if "--for-debug" in sys.argv: import json from yuuno import __version__ as ycore_ver print( '{', f' "yuuno": "{ycore_ver}",', f' "yuuno-core": "{ycore_ver}",', f' "python": {json.dumps(tuple(sys.version_info))},', f' "vapoursynth": {json.dumps(vs_ver)}', '}', sep="\n") else: print(f"Yuuno for IPython v{y4ipy_ver}") else: print("Command not found.") print("Use 'yuuno jupyter --help' for a full help page.") sys.exit(1)
yuuno
/yuuno-1.4.tar.gz/yuuno-1.4/yuuno_ipython/commands.py
commands.py
# Yuuno - IPython + VapourSynth # Copyright (C) 2017 cid-chan (Sarah <[email protected]>) # # This program is free software: you can redistribute it and/or modify # it under the terms of the GNU Lesser General Public License as published by # the Free Software Foundation, either version 3 of the License, or # (at your option) any later version. # # This program is distributed in the hope that it will be useful, # but WITHOUT ANY WARRANTY; without even the implied warranty of # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the # GNU Lesser General Public License for more details. # # You should have received a copy of the GNU Lesser General Public License # along with this program. If not, see <http://www.gnu.org/licenses/>. from typing import Callable as TCallable from typing import AnyStr, Any from traitlets import default from yuuno.trait_types import Callable from yuuno.core.namespace import Namespace as YuunoNamespace from yuuno_ipython.ipython.feature import Feature class Namespace(Feature): """ Represents the namespace synchronization feature. """ cb: TCallable[[AnyStr, Any], None] = Callable() @default("cb") def _set_cb_unique(self) -> TCallable[[AnyStr, Any], None]: return self.push_value def push_value(self, key: AnyStr, value: Any, old: Any) -> None: if value is YuunoNamespace.Undefined: self.environment.parent.log.debug(f"Popping from user namespace: {key}") self.environment.ipython.drop_by_id({key: old}) else: self.environment.parent.log.debug(f"Pushing to user namespace: {key}: {value!r}") self.environment.ipython.push({key: value}) def initialize(self): namespace = self.environment.parent.namespace namespace.watch(self.cb) for key, value in namespace.items(): self.push_value(key, value, YuunoNamespace.Undefined) def deinitialize(self): namespace = self.environment.parent.namespace for key, value in namespace.items(): self.push_value(key, YuunoNamespace.Undefined, value) namespace.unwatch(self.cb)
yuuno
/yuuno-1.4.tar.gz/yuuno-1.4/yuuno_ipython/ipython/namespace.py
namespace.py
๏ปฟ# -*- encoding: utf-8 -*- # Yuuno - IPython + VapourSynth # Copyright (C) 2017 cid-chan (Sarah <[email protected]>) # # This program is free software: you can redistribute it and/or modify # it under the terms of the GNU Lesser General Public License as published by # the Free Software Foundation, either version 3 of the License, or # (at your option) any later version. # # This program is distributed in the hope that it will be useful, # but WITHOUT ANY WARRANTY; without even the implied warranty of # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the # GNU Lesser General Public License for more details. # # You should have received a copy of the GNU Lesser General Public License # along with this program. If not, see <http://www.gnu.org/licenses/>. from weakref import WeakKeyDictionary from PIL.Image import Image from traitlets import observe, default from traitlets import HasTraits, Instance, Any from IPython.display import Image as IPyImage from yuuno.clip import Clip, Frame from yuuno.audio import Audio from yuuno_ipython.ipython.feature import Feature from yuuno_ipython.ipython.environment import Environment from yuuno_ipython.ipython.apps.preview import Preview from yuuno_ipython.ipython.apps.audio import AudioWidget class AbstractInlineFormat(HasTraits): clip: Clip = Any() environment: Environment = Instance(Environment) REPR_TYPES = { } def _repr_mimebundle_(self, include=None, exclude=None): data_dict = {} md_dict = {} mimes = set(include) if include is not None else set(self.REPR_TYPES.keys()) mimes &= set(self.REPR_TYPES.keys()) if exclude is not None: mimes ^= set(exclude) for mime in mimes: funcname = self.REPR_TYPES[mime] if not hasattr(self, funcname): continue raw = getattr(self, funcname)() if isinstance(raw, tuple) and len(raw) == 2: data, md = raw else: data = raw md = None if data is None: continue data_dict[mime] = data if md is not None: md_dict[mime] = md return data_dict, md_dict class InlineFormatAudio(AbstractInlineFormat): preview: AudioWidget = Instance(AudioWidget, allow_none=True) REPR_TYPES = { "text/plain": "_repr_pretty", 'application/vnd.jupyter.widget-view+json': '_repr_player' } @observe("clip") def _update_initial_frame(self, value): value = value['new'] self.preview.clip = value @default("preview") def _default_preview(self): return AudioWidget(self.clip) def _repr_pretty(self): return f"<Audio {self.clip.format()!r} (backed: {self.clip.clip!r})>" def _repr_player(self): if self.preview._view_name is None: return return self.preview.get_view_spec() class InlineFormatVideo(AbstractInlineFormat): """ Represents an inline formatted object. """ preview: Preview = Instance(Preview, allow_none=True) first_frame: Frame = Any(allow_none=True) _ipy_image_cache: IPyImage = None @observe("clip") def _update_initial_frame(self, value): value = value['new'] self.first_frame = value[0].result() self._ipy_image_cache = None self.preview.clip = value @default("preview") def _default_preview(self): return Preview(self.clip) @property def ipy_image(self) -> IPyImage: """ Converts a clip to an image. """ if self._ipy_image_cache is not None: return self._ipy_image_cache size = self.first_frame.size() raw = self.environment.parent.output.bytes_of(self.first_frame.to_pil()) self._ipy_image_cache = IPyImage( data=raw, format="png", embed=True, unconfined=True, width=size.width, height=size.height ) return self._ipy_image_cache REPR_TYPES = { 'image/png': '_repr_png', 'text/plain': '_repr_pretty', 'application/vnd.jupyter.widget-view+json': '_repr_preview' } def _repr_pretty(self): size = self.first_frame.size() return f"<{self.clip.clip!r} {size.width}x{size.height}, {len(self.clip)} frames>" def _repr_png(self, *args, **kwargs): return self.ipy_image._repr_png_(*args, **kwargs) def _repr_preview(self): if self.preview._view_name is None: return return self.preview.get_view_spec() def InlineFormat(environment, clip): if isinstance(clip, Audio): return InlineFormatAudio(environment=environment, clip=clip) else: return InlineFormatVideo(environment=environment, clip=clip) class Formatter(Feature): cache: WeakKeyDictionary = Instance(WeakKeyDictionary) @default("cache") def _default__cache(self): return WeakKeyDictionary() @property def display_formatters(self): return self.environment.ipython.display_formatter def wrap_cached(self, obj) -> Any: if obj in self.cache: return self.cache[obj] clip = self.environment.parent.registry.wrap(obj) wrapped = InlineFormat(environment=self.environment, clip=clip) self.cache[obj] = wrapped return wrapped def display(self, obj, *args, **kwargs): wrapper = self.wrap_cached(obj) return wrapper._repr_mimebundle_(*args, **kwargs) def initialize(self): for type in self.environment.parent.registry.all_types(): self.environment.parent.log.debug(f"Registering {type!r} to IPython") self.display_formatters.mimebundle_formatter.for_type(type, self.display) def deinitialize(self): for type in self.environment.parent.registry.all_types(): self.environment.parent.log.debug(f"Unregistering {type!r} from IPython") self.display_formatters.mimebundle_formatter.pop(type)
yuuno
/yuuno-1.4.tar.gz/yuuno-1.4/yuuno_ipython/ipython/formatter.py
formatter.py
# Yuuno - IPython + VapourSynth # Copyright (C) 2017 cid-chan (Sarah <[email protected]>) # # This program is free software: you can redistribute it and/or modify # it under the terms of the GNU Lesser General Public License as published by # the Free Software Foundation, either version 3 of the License, or # (at your option) any later version. # # This program is distributed in the hope that it will be useful, # but WITHOUT ANY WARRANTY; without even the implied warranty of # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the # GNU Lesser General Public License for more details. # # You should have received a copy of the GNU Lesser General Public License # along with this program. If not, see <http://www.gnu.org/licenses/>. import ast import time import hashlib import linecache from typing import Callable from yuuno.yuuno import Yuuno EXECUTE_CODE_LINENO = 0 RESULT_VAR = '_yuuno_exec_last_' def _code_name(code, file, number=0): hash_digest = hashlib.sha1(code.encode("utf-8")).hexdigest() return f"<{file}-{number}-{hash_digest[:12]}>" def compile_with_cache(ipython, code, ast, file, symbol): # Increment the cache name. global EXECUTE_CODE_LINENO exec_no = EXECUTE_CODE_LINENO EXECUTE_CODE_LINENO += 1 # Directly drop the fake python file into the cache. name = _code_name(code, file, exec_no) entry = (len(code), time.time(), [line + '\n' for line in code.splitlines()], name) linecache.cache[name] = entry if hasattr(linecache, '_ipython_cache'): linecache._ipython_cache[name] = entry # Compile the code return ipython.compile(ast, name, symbol) def execute_code(expr, file, fail_on_error=True, ns=None): ipy = Yuuno.instance().environment.ipython expr = ipy.input_transformer_manager.transform_cell(expr) expr_ast = ipy.compile.ast_parse(expr) expr_ast = ipy.transform_ast(expr_ast) if len(expr_ast.body) == 0: # There is no code to execute. # Take the fast path and skip executing. return None elif isinstance(expr_ast.body[-1], ast.Expr): last_expr = expr_ast.body[-1] assign = ast.Assign( # _yuuno_exec_last_ = <LAST_EXPR> targets=[ast.Name( id=RESULT_VAR, ctx=ast.Store() )], value=last_expr.value ) expr_ast.body[-1] = assign else: assign = ast.Assign( # _yuuno_exec_last_ = None targets=[ast.Name( id=RESULT_VAR, ctx=ast.Store(), )], value=ast.NameConstant( value=None ) ) expr_ast.body.append(assign) ast.fix_missing_locations(expr_ast) code = compile_with_cache(ipy, expr, expr_ast, file, "exec") if ns is None: ns = ipy.user_ns try: exec(code, ipy.user_ns, ns) result = ipy.user_ns.get(RESULT_VAR, None) finally: ns.pop(RESULT_VAR, None) return result
yuuno
/yuuno-1.4.tar.gz/yuuno-1.4/yuuno_ipython/ipython/utils.py
utils.py
๏ปฟ# -*- encoding: utf-8 -*- # Yuuno - IPython + VapourSynth # Copyright (C) 2017,2018,2022 cid-chan (Sarah <[email protected]>) # # This program is free software: you can redistribute it and/or modify # it under the terms of the GNU Lesser General Public License as published by # the Free Software Foundation, either version 3 of the License, or # (at your option) any later version. # # This program is distributed in the hope that it will be useful, # but WITHOUT ANY WARRANTY; without even the implied warranty of # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the # GNU Lesser General Public License for more details. # # You should have received a copy of the GNU Lesser General Public License # along with this program. If not, see <http://www.gnu.org/licenses/>. from typing import Sequence, Tuple as TTuple from IPython.core.interactiveshell import InteractiveShell from traitlets import Instance from traitlets import List from traitlets import Bool, Integer, Float from traitlets import DottedObjectName from traitlets import CaselessStrEnum from traitlets.utils.importstring import import_item from yuuno_ipython.ipython.feature import Feature from yuuno.core.environment import Environment from yuuno.yuuno import Yuuno class YuunoIPythonEnvironment(Environment): """ Stores the state containing the current """ ipython: InteractiveShell = Instance(InteractiveShell) features: Sequence[Feature] = List(Instance(Feature)) no_env_wrap: bool = Bool(True, help="Overwrite the setting of Yuuno to execute all formatting calls inside the correct environment", config=True) formatter: bool = Bool(True, help="Register IPython-formatters for objects", config=True) namespace: bool = Bool(True, help="Automatically push modules and extensions into the user namespace.", config=True) apps: bool = Bool(True, help="Register interactive apps as line-magics to IPython", config=True) use_vsscript: bool = Bool(True, help="Use VSScript", config=True) feature_classes: Sequence[str] = List(DottedObjectName(), default_value=[ "yuuno_ipython.ipython.formatter.Formatter", "yuuno_ipython.ipython.namespace.Namespace", "yuuno_ipython.ipython.apps.feature.Apps", ], config=True) def init_feature(self, cls): feature_name = cls.feature_name() if not getattr(self, feature_name, False): return None feature = cls(environment=self) feature.initialize() return feature def additional_extensions(self): result = [] result.append("yuuno_ipython.ipy_vs.extension.IPythonVapoursynthExtension") if self.use_vsscript: result.append("yuuno.multi_scripts.extension.MultiScriptExtension") return result def load_features(self): features = [] for feature in self.feature_classes: self.parent.log.debug(f"Loading feature: {feature}") feature_class = import_item(feature) feature_instance = self.init_feature(feature_class) if feature_instance is not None: features.append(feature_instance) self.features = features def unload_features(self): for feature in self.features: feature.deinitialize() def post_extension_load(self): if self.no_env_wrap: vs = self.parent.get_extension('VapourSynth') if vs is not None: vs.vsscript_environment_wrap = False self.parent.log.debug("Disabling Env-Wrapping for VapourSynth clips.") def initialize(self): self.ipython.configurables += [self.parent, self.parent.output] self.ipython.configurables += [self] self.ipython.configurables += self.parent.extensions self.load_features() self.parent.log.debug("Yuuno for IPython configured") def deinitialize(self): self.unload_features() self.ipython.configurables.remove(self) self.ipython.configurables.remove(self.parent) self.ipython.configurables.remove(self.parent.output) for extension in self.parent.extensions: self.ipython.configurables.remove(extension) self.parent.log.debug("Yuuno for IPython unloaded") def load_ipython_extension(ipython: InteractiveShell) -> None: """ Called when IPython load this extension. :param ipython: The current IPython-console instance. """ yuuno = Yuuno.instance(parent=ipython) yuuno.environment = YuunoIPythonEnvironment(parent=yuuno, ipython=ipython) yuuno.start() def unload_ipython_extension(ipython) -> None: """ Called when IPython unloads the extension. """ yuuno = Yuuno.instance() yuuno.stop()
yuuno
/yuuno-1.4.tar.gz/yuuno-1.4/yuuno_ipython/ipython/environment.py
environment.py
# Yuuno - IPython + VapourSynth # Copyright (C) 2017,2022 cid-chan (Sarah <[email protected]>) # # This program is free software: you can redistribute it and/or modify # it under the terms of the GNU Lesser General Public License as published by # the Free Software Foundation, either version 3 of the License, or # (at your option) any later version. # # This program is distributed in the hope that it will be useful, # but WITHOUT ANY WARRANTY; without even the implied warranty of # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the # GNU Lesser General Public License for more details. # # You should have received a copy of the GNU Lesser General Public License # along with this program. If not, see <http://www.gnu.org/licenses/>. from typing import Type as TType from typing import Dict as TDict from traitlets import Dict, Type, Instance from traitlets import default from IPython.core.magic import Magics, magic_kinds from yuuno_ipython.ipython.formatter import Feature class MagicFeature(Feature): magics: TDict[TType[Magics], Magics] = Dict(key_traits=Type(Magics), value_traits=Instance(Magics)) @default("magics") def _default_magics(self): return {} @property def magic_manager(self): return self.environment.ipython.magics_manager def register_magics(self, magic: TType[Magics]) -> None: """ Registers a new magic into the IPython console. :param magic: The magics to use. """ instance = magic(shell=self.environment.ipython) self.magics[magic] = instance self.environment.ipython.register_magics(instance) self.environment.parent.log.debug(f"Registered magics class: {magic.__class__}") def unregister_magics(self, magic: TType[Magics]) -> None: """ Unregisters the magic-type from IPython. Rant: Why the fuck does IPython define it's own unregister function? :param magic: The magics-type you wish to deactivate. """ actual_magics = self.magics[magic].magics for kind in magic_kinds: for key in actual_magics[kind]: self.magic_manager.magics[kind].pop(key, None) del self.magics[magic] self.environment.parent.log.debug(f"Unregistered magics class: {magic}") def deinitialize(self): for magic in tuple(self.magics.keys()): self.unregister_magics(magic)
yuuno
/yuuno-1.4.tar.gz/yuuno-1.4/yuuno_ipython/ipython/magic.py
magic.py
from ipywidgets import DOMWidget from traitlets import Unicode, Any from yuuno.utils import future_yield_coro from yuuno.audio import Audio class AudioWidget(DOMWidget): _view_name = Unicode('AudioPlaybackWidget').tag(sync=True) _view_module = Unicode('@yuuno/jupyter').tag(sync=True) _view_module_version = Unicode('1.2').tag(sync=True) clip: Audio = Any().tag(sync=True, to_json=(lambda v,w: id(v) if v is not None else None), from_json=(lambda v, w: w.clip)) def __init__(self, clip, **kwargs): super(AudioWidget, self).__init__(**kwargs, clip=clip) self.on_msg(self._handle_request_meta) self.on_msg(self._handle_request_render) @future_yield_coro def _handle_request_render(self, _, content, buffers): if content.get("type", "") != "render": return rqid = content.get('id', None) if "payload" not in content: return payload = content["payload"] requested_frame = payload.get("frame", None) if requested_frame is None: self.send({ "type": "failure", "id": rqid, "payload": { "data": "Missing argument: Frame." } }) return try: rendered = yield self.clip[int(requested_frame)] self.send({ "type": "response", "id": rqid, "payload": { "size": len(rendered[0]) // 4 } }, rendered) except Exception as e: import traceback data = traceback.format_exception(type(e), e, e.__traceback__) self.send({ "type": "failure", "id": rqid, "payload": { "data": data } }) return def _handle_request_meta(self, _, content, buffers): if content.get("type", "") != "meta": return rqid = content.get('id', None) format = self.clip.format() self.send({ "type": "response", "id": rqid, "payload": { "channel_count": format.channel_count, "samples_per_second": format.samples_per_second, "frames": format.frames, "sample_count": format.sample_count } })
yuuno
/yuuno-1.4.tar.gz/yuuno-1.4/yuuno_ipython/ipython/apps/audio.py
audio.py
# Yuuno - IPython + VapourSynth # Copyright (C) 2017 cid-chan (Sarah <[email protected]>) # # This program is free software: you can redistribute it and/or modify # it under the terms of the GNU Lesser General Public License as published by # the Free Software Foundation, either version 3 of the License, or # (at your option) any later version. # # This program is distributed in the hope that it will be useful, # but WITHOUT ANY WARRANTY; without even the implied warranty of # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the # GNU Lesser General Public License for more details. # # You should have received a copy of the GNU Lesser General Public License # along with this program. If not, see <http://www.gnu.org/licenses/>. import base64 from typing import Any as TAny from ipywidgets import DOMWidget from traitlets import default, directional_link, observe from traitlets import Any from traitlets import Integer, Unicode, Float from yuuno.clip import Clip from yuuno.utils import future_yield_coro from yuuno import Yuuno EMPTY_IMAGE = base64.b64decode( "iVBORw0KGgoAAAANSUhEUgAAAAEAAAABCAYAAAAfFcSJAAAACklEQVR4nGMAAQAABQABDQottAAAAABJRU5ErkJggg==" ) class _Cache(object): def __init__(self, source, updater): self._cache_obj_id = None self._cache_inst = None self._cache_source = source self._cache_updater = updater def _update(self, obj): self._cache_obj_id = id(obj) self._cache_inst = self._cache_updater(obj) return self._cache_inst def get(self): obj = self._cache_source() if self._cache_obj_id != id(obj): return self._update(obj) return self._cache_inst class Preview(DOMWidget): """ Implements a preview widget .. automethod:: __init__ """ _view_name = Unicode('PreviewWindowWidget').tag(sync=True) _view_module = Unicode('@yuuno/jupyter').tag(sync=True) _view_module_version = Unicode('1.2').tag(sync=True) # Ignore the changes clip: Clip = Any().tag(sync=True, to_json=(lambda v,w: id(v) if v is not None else None), from_json=(lambda v, w: w.clip)) diff: Clip = Any().tag(sync=True, to_json=(lambda v,w: id(v) if v is not None else None), from_json=(lambda v, w: w.diff)) frame = Integer(0).tag(sync=True) zoom = Float(1.0).tag(sync=True) def __init__(self, clip, **kwargs): super(Preview, self).__init__(**kwargs, clip=clip) self._clip_cache = _Cache(lambda: self.clip, self._wrap_for) self._diff_cache = _Cache(lambda: self.diff, self._wrap_for) self.on_msg(self._handle_request_length) self.on_msg(self._handle_request_frame) def _handle_request_length(self, _, content, buffers): if content.get('type', '') != 'length': return rqid = content.get('id', None) target = self._target_for(content) if target is None: self.send({ 'type': 'response', 'id': rqid, 'payload': { 'length': 0 } }) return self.send({ 'type': 'response', 'id': rqid, 'payload': { 'length': len(target) }, }) def _target_for(self, content): if content.get('payload', {}).get('image', 'clip') == "diff": target = self._diff_cache else: target = self._clip_cache return target.get() def _wrap_for(self, target): if target is None: return None elif not isinstance(target, Clip): target = Yuuno.instance().wrap(target) return target @future_yield_coro def _handle_request_frame(self, _, content, buffers): if content.get('type', '') != 'frame': return rqid = content.get('id', None) wrapped = self._target_for(content) if wrapped is None: self.send({ 'type': 'response', 'id': rqid, 'payload': { 'size': [0, 0] } }, [EMPTY_IMAGE]) return frameno = content.get('payload', {}).get('frame', self.frame) if frameno >= len(wrapped): frameno = len(wrapped) - 1 try: frame = yield wrapped[frameno] except Exception as e: import traceback self.send({ 'type': 'failure', 'id': rqid, 'payload': { 'message': ''.join(traceback.format_exception(type(e), e, e.__traceback__)) } }) raise data = Yuuno.instance().output.bytes_of(frame.to_pil()) self.send({ 'type': 'response', 'id': rqid, 'payload': { 'size': frame.size() } }, [data])
yuuno
/yuuno-1.4.tar.gz/yuuno-1.4/yuuno_ipython/ipython/apps/preview.py
preview.py
# Yuuno - IPython + VapourSynth # Copyright (C) 2017 cid-chan (Sarah <[email protected]>) # # This program is free software: you can redistribute it and/or modify # it under the terms of the GNU Lesser General Public License as published by # the Free Software Foundation, either version 3 of the License, or # (at your option) any later version. # # This program is distributed in the hope that it will be useful, # but WITHOUT ANY WARRANTY; without even the implied warranty of # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the # GNU Lesser General Public License for more details. # # You should have received a copy of the GNU Lesser General Public License # along with this program. If not, see <http://www.gnu.org/licenses/>. import runpy from typing import Dict, Optional import vapoursynth from IPython.core.magic import Magics, magics_class from IPython.core.magic import line_magic, line_cell_magic from yuuno import Yuuno from yuuno_ipython.ipython.magic import MagicFeature from yuuno_ipython.ipython.utils import execute_code from yuuno_ipython.ipy_vs.vs_feature import VSFeature from yuuno.vs.utils import VapourSynthEnvironment @magics_class class RunVPyMagic(Magics): """ Implements the Magics """ @property def environment(self): return Yuuno.instance().environment @line_cell_magic def runvpy(self, line: str, cell: Optional[str]=None) -> Dict[int, vapoursynth.VideoNode]: if cell is None: return self.runvpy_line(line) return self.runvpy_cell(line, cell) @line_magic def execvpy(self, line: str): runpy.run_path(line, {}, "__vapoursynth__") def runvpy_line(self, line: str) -> Dict[int, vapoursynth.VideoNode]: outputs = VapourSynthEnvironment() with outputs: self.execvpy(line) return outputs.outputs def runvpy_cell(self, line: str, cell: str) -> Dict[int, vapoursynth.VideoNode]: outputs = VapourSynthEnvironment() with outputs: execute_code(cell, '<yuuno:runvpy>') raw_split = line.split(" ", 2) var_name = raw_split[0] if len(raw_split) == 1: self.environment.ipython.push({var_name: outputs.outputs}) else: index = int(raw_split[1]) self.environment.ipython.push({line.split()[0]: outputs.outputs[index]}) return outputs.outputs class RunVPy(VSFeature, MagicFeature): def initialize(self): self.register_magics(RunVPyMagic)
yuuno
/yuuno-1.4.tar.gz/yuuno-1.4/yuuno_ipython/ipy_vs/runvpy.py
runvpy.py
# Yuuno - IPython + VapourSynth # Copyright (C) 2018,2022 cid-chan (Sarah <[email protected]>) # # This program is free software: you can redistribute it and/or modify # it under the terms of the GNU Lesser General Public License as published by # the Free Software Foundation, either version 3 of the License, or # (at your option) any later version. # # This program is distributed in the hope that it will be useful, # but WITHOUT ANY WARRANTY; without even the implied warranty of # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the # GNU Lesser General Public License for more details. # # You should have received a copy of the GNU Lesser General Public License # along with this program. If not, see <http://www.gnu.org/licenses/>. import typing as t from threading import RLock from concurrent.futures import Future import vapoursynth as vs from yuuno.vs.utils import get_proxy_or_core from yuuno.vs.flags import Features T = t.TypeVar("T") def as_completed(futures: t.Iterable[Future], prefetch: int, backlog: t.Optional[int]=None) -> t.Iterable[T]: if backlog is None: backlog = prefetch*3 if backlog < prefetch: backlog = prefetch enum_fut = enumerate(futures) finished = False running = 0 lock = RLock() reorder = {} def _request_next(): nonlocal finished, running with lock: if finished: return ni = next(enum_fut, None) if ni is None: finished = True return running += 1 idx, fut = ni reorder[idx] = fut fut.add_done_callback(_finished) def _finished(f): nonlocal finished, running with lock: running -= 1 if finished: return if f.exception() is not None: finished = True return _refill() def _refill(): if finished: return with lock: # Two rules: 1. Don't exceed the concurrency barrier. # 2. Don't exceed unused-frames-backlog while (not finished) and (running < prefetch) and len(reorder)<backlog: _request_next() _refill() sidx = 0 fut: Future try: while (not finished) or (len(reorder)>0) or running>0: if sidx not in reorder: # Spin. Reorder being empty should never happen. continue # Get next requested frame fut = reorder[sidx] result = fut.result() del reorder[sidx] _refill() sidx += 1 yield result finally: finished = True def frames(clip, prefetch, backlog): return as_completed((clip.get_frame_async(frameno) for frameno in range(len(clip))), prefetch, backlog) def encode( clip: vs.VideoNode, stream: t.IO[t.ByteString], *, y4m: bool = False, prefetch: t.Optional[int]=None, backlog: t.Optional[int]=None, progress: t.Optional[t.Callable[[int, int], None]]=None ) -> None: if prefetch is None: prefetch = get_proxy_or_core().num_threads if not isinstance(clip, vs.VideoNode): clip = clip[0] if y4m: if clip.format.color_family == vs.GRAY: y4mformat = 'mono' if clip.format.bits_per_sample > 8: y4mformat = y4mformat + str(clip.format.bits_per_sample) elif clip.format.color_family == vs.YUV: if clip.format.subsampling_w == 1 and clip.format.subsampling_h == 1: y4mformat = '420' elif clip.format.subsampling_w == 1 and clip.format.subsampling_h == 0: y4mformat = '422' elif clip.format.subsampling_w == 0 and clip.format.subsampling_h == 0: y4mformat = '444' elif clip.format.subsampling_w == 2 and clip.format.subsampling_h == 2: y4mformat = '410' elif clip.format.subsampling_w == 2 and clip.format.subsampling_h == 0: y4mformat = '411' elif clip.format.subsampling_w == 0 and clip.format.subsampling_h == 1: y4mformat = '440' else: raise ValueError("This is a very strange subsampling config.") if clip.format.bits_per_sample > 8: y4mformat = y4mformat + 'p' + str(clip.format.bits_per_sample) else: raise ValueError("Can only use vs.GRAY and vs.YUV for V4M-Streams") if len(y4mformat) > 0: y4mformat = 'C' + y4mformat data = f'YUV4MPEG2 {y4mformat} W{clip.width} H{clip.height} F{clip.fps_num}:{clip.fps_den} Ip A0:0 XLENGTH={len(clip)}\n' stream.write(data.encode("ascii")) if hasattr(stream, "flush"): stream.flush() frame: vs.VideoFrame for idx, frame in enumerate(frames(clip, prefetch, backlog)): if y4m: stream.write(b"FRAME\n") if Features.API4: iterator = frame else: iterator = frame.planes() for planeno, plane in enumerate(iterator): # This is a quick fix. # Calling bytes(VideoPlane) should make the buffer continuous by # copying the frame to a continous buffer # if the stride does not match the width*bytes_per_sample. try: if frame.get_stride(planeno) != frame.width*clip.format.bytes_per_sample: stream.write(bytes(plane)) else: stream.write(plane) except BrokenPipeError: return if hasattr(stream, "flush"): stream.flush() if progress is not None: progress(idx+1, len(clip)) stream.close()
yuuno
/yuuno-1.4.tar.gz/yuuno-1.4/yuuno_ipython/ipy_vs/outputter.py
outputter.py
๏ปฟ# -*- encoding: utf-8 -*- # Yuuno - IPython + VapourSynth # Copyright (C) 2017 cid-chan (Sarah <[email protected]>) # # This program is free software: you can redistribute it and/or modify # it under the terms of the GNU Lesser General Public License as published by # the Free Software Foundation, either version 3 of the License, or # (at your option) any later version. # # This program is distributed in the hope that it will be useful, # but WITHOUT ANY WARRANTY; without even the implied warranty of # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the # GNU Lesser General Public License for more details. # # You should have received a copy of the GNU Lesser General Public License # along with this program. If not, see <http://www.gnu.org/licenses/>. from typing import NamedTuple import sys import time import shlex import queue import codecs import random import subprocess from threading import Thread, Lock, Event import jinja2 from traitlets import Instance, default from IPython.display import display from IPython.core.magic import Magics, magics_class from IPython.core.magic import line_cell_magic, line_magic from yuuno import Yuuno from yuuno.vs.utils import get_proxy_or_core, get_environment from yuuno.multi_scripts.os import popen, interrupt_process, kill_process from yuuno_ipython.utils import get_data_file, log_errors from yuuno_ipython.ipython.utils import execute_code from yuuno_ipython.ipython.magic import MagicFeature from yuuno_ipython.ipython.environment import YuunoIPythonEnvironment from yuuno_ipython.ipy_vs.vs_feature import VSFeature from collections import deque from ipywidgets import DOMWidget from traitlets import Unicode, Tuple, Integer, Bool _running = {} class EncodeWidget(DOMWidget): _view_name = Unicode('EncodeWindowWidget').tag(sync=True) _view_module = Unicode('@yuuno/jupyter').tag(sync=True) _view_module_version = Unicode('1.2').tag(sync=True) current = Integer(0).tag(sync=True) length = Integer(1).tag(sync=True) terminated = Bool(False).tag(sync=True) commandline = Unicode("").tag(sync=True) start_time = Integer(0).tag(sync=True) end_time = Integer(0).tag(sync=True) _win32 = Bool(sys.platform=="win32").tag(sync=True) def __init__(self, *args, kill, process, commandline, **kwargs): super().__init__(*args, **kwargs) self._lock = Lock() self._kill = kill self._process = process self._commandline = commandline self.commandline = self._commandline self._latest_writes = deque(maxlen=10000) self.start_time = int(time.time()) self.on_msg(self._rcv_message) def write(self, string): string = string.replace("\n", "\r\n") if not string: return with self._lock: self._latest_writes.append(string) self.send({'type': 'write', 'data': string, 'target': 'broadcast'}) def join(self, timeout=None): self._kill.wait(timeout=timeout) def _rcv_message(self, _, content, buffer): cid = content.get("id", None) if content['type'] == "refresh": data = content if "payload" in data: data = data["payload"] with self._lock: writes = ''.join(self._latest_writes) if cid is not None: self.send({'type': 'response', 'id': cid, 'payload': {"data": writes}}) self.send({'type': 'write', 'data': writes, 'target': data['source']}) self.send({'type': 'refresh_finish', 'data': None, 'target': data['source']}) elif content['type'] == 'kill': kill_process(self._process) self._kill.set() with self._lock: self.send({'type': 'response', 'id': cid, 'payload': {}}) elif content['type'] == "interrupt": interrupt_process(self._process) with self._lock: self.send({'type': 'response', 'id': cid, 'payload': {}}) class _EData(NamedTuple): id: str command: str current: int length: int class EncodeData(object): _template_txt = None _template_html = None @classmethod def template_txt(cls): if cls._template_txt is None: path = get_data_file("txt") / "encodes.txt" with open(path, "r") as f: cls._template_txt = jinja2.Template(f.read()) return cls._template_txt @classmethod def template_html(cls): if cls._template_html is None: path = get_data_file("html") / "encodes.html" with open(path, "r") as f: cls._template_html = jinja2.Template(f.read()) return cls._template_html @staticmethod def _map_value(eid, encoder): return _EData( str(eid), encoder._commandline, encoder.current, encoder.length ) def __init__(self, current_encodes): self.current_encodes = current_encodes.copy() def _repr_pretty_(self, p, cycle): p.text(self.template_txt().render({ "encodes": [self._map_value(*i) for i in self.current_encodes.items()] })) def _repr_html_(self): return self.template_html().render({ "random_id": hex(random.randint(0, 2**32))[2:], "encodes": [self._map_value(*i) for i in self.current_encodes.items()] }) @magics_class class EncodeMagic(Magics): """ Encode magics. """ environment: YuunoIPythonEnvironment = Instance(YuunoIPythonEnvironment) @default("environment") def _default_environment(self): return Yuuno.instance().environment @log_errors def _reader(self, dead: Event, process: subprocess.Popen, pipe_r, term_q, encode, after_exit): while process.poll() is None and not dead.is_set(): d = pipe_r.read(1) if d: term_q.put(d) if process.poll() is None: process.terminate() try: process.stdin.close() except OSError: pass if not dead.is_set(): dead.set() encode.end_time = int(time.time()) encode.terminated = True del _running[str(process.pid)] d = pipe_r.read() if d: term_q.put(d) if after_exit is not None: after_exit() term_q.put(b"\n\n[Process Terminated]") term_q.put(None) @log_errors def _terminal_writer(self, term_q, encode: EncodeWidget): decoder = codecs.getincrementaldecoder(sys.getdefaultencoding())('replace') killed = False while not killed: data = [] while not term_q.empty(): raw = term_q.get_nowait() if raw is None: killed = True break data.append(raw) data = b''.join(data) if data: encode.write(decoder.decode(data)) time.sleep(0.1) encode.write(decoder.decode(b'', final=True)) @log_errors def _state_updater(self, dead, encode, state): while not dead.is_set(): encode.current, encode.length = state time.sleep(0.5) encode.current, encode.length = state @log_errors def _clip_output(self, env, clip, dead, encode, stdin, state, y4m): def _progress(current, length): state[0], state[1] = current, length try: from yuuno_ipython.ipy_vs.outputter import encode as raw_encode with env(): raw_encode(clip, stdin, y4m=y4m, progress=_progress) except Exception as e: if dead.is_set(): return encode._process.terminate() raise e try: stdin.close() except OSError: pass def begin_encode(self, clip, commandline, stdout=None, after_exit=None, **kwargs): """ Implements the actual encoding process :param clip: The clip to encode. :param commandline: The command to execute :param stdout: Where to send the stdout. :return: The return code. """ raw = commandline commandline = shlex.split(commandline) shell = kwargs.pop('shell', False) kill = Event() state = [0, len(clip)] process = popen( raw if shell else commandline, stdin=subprocess.PIPE, stdout=subprocess.PIPE, stderr=subprocess.STDOUT, shell=shell, bufsize=0 ) encode = EncodeWidget(kill=kill, process=process, commandline=raw) encode.length = len(clip) _running[str(process.pid)] = encode q = queue.Queue() Thread(target=self._reader, args=(kill, process, process.stdout, q, encode, after_exit), daemon=True).start() Thread(target=self._terminal_writer, args=(q, encode), daemon=True).start() if clip is not None: Thread(target=self._clip_output, args=(get_environment(), clip, kill, encode, process.stdin, state, kwargs.get("y4m", False))).start() Thread(target=self._state_updater, args=(kill, encode, state), daemon=True).start() return encode def prepare_encode(self, line, cell, stdout=None): if cell is None: cell, line = line.split(" ", 1) y4m = False multi = False # Switch to Argparse if this gets more complicated while True: if line.startswith("--y4m"): y4m = True line = line[6:] elif line.startswith("--no-progress"): print("--no-progress has no use anymore and is ignored.") elif line.startswith("--multi"): multi = True line = line[8:] else: break if not multi and len(_running): print(r"You are already running an encode. Use %reattach to view the latest encode or use --multi to run multiple instances") return commandline = self.environment.ipython.var_expand(line) clip = execute_code(cell, '<yuuno:encode>') encode = self.begin_encode(clip, commandline, stdout=stdout, y4m=y4m) return encode @line_magic def reattach(self, line): if not line: if len(_running) != 1: display(EncodeData(_running)) else: return next(iter(_running.values())) elif line not in _running: print("Encode was not found.") else: return _running[line] @line_cell_magic def encode(self, line, cell=None): """ Encodes the video directly displaying the output. :param line: The line :param cell: The cell :return: The result-code """ return self.prepare_encode(line, cell) class Encode(VSFeature, MagicFeature): def initialize(self): self.register_magics(EncodeMagic)
yuuno
/yuuno-1.4.tar.gz/yuuno-1.4/yuuno_ipython/ipy_vs/encode.py
encode.py
๏ปฟ# -*- encoding: utf-8 -*- # Yuuno - IPython + VapourSynth # Copyright (C) 2017,2018 cid-chan (Sarah <[email protected]>) # # This program is free software: you can redistribute it and/or modify # it under the terms of the GNU Lesser General Public License as published by # the Free Software Foundation, either version 3 of the License, or # (at your option) any later version. # # This program is distributed in the hope that it will be useful, # but WITHOUT ANY WARRANTY; without even the implied warranty of # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the # GNU Lesser General Public License for more details. # # You should have received a copy of the GNU Lesser General Public License # along with this program. If not, see <http://www.gnu.org/licenses/>. from typing import List as Listing from traitlets import default from traitlets import Instance, List, DottedObjectName from traitlets.utils.importstring import import_item from yuuno.yuuno import Yuuno from yuuno.core.extension import Extension from yuuno_ipython.ipython.feature import Feature class IPythonVapoursynthExtension(Extension): """ This extension implements VapourSynth-specific features for IPython. """ _name = "ipy_vs" feature_classes: Listing[str] = List(DottedObjectName(), default_value=[ "yuuno_ipython.ipy_vs.log.LogWriterFeature", "yuuno_ipython.ipy_vs.encode.Encode", "yuuno_ipython.ipy_vs.runvpy.RunVPy", "yuuno_ipython.ipy_vs.vsscript.Use_VSScript", "yuuno_ipython.ipy_vs.stateful_editor.StatefulEditorFeature" ], config=True, help="List of additional features to load.") features: Listing[Feature] = List(Instance(Feature)) yuuno: Yuuno = Instance(Yuuno) @default("features") def _default_features(self): return [] @default("yuuno") def _default_yuuno(self): return Yuuno.instance() @classmethod def is_supported(cls): try: import IPython except ImportError: return False from yuuno_ipython.ipython.environment import YuunoIPythonEnvironment if not isinstance(Yuuno.instance().environment, YuunoIPythonEnvironment): return False from yuuno.vs.extension import VapourSynth return VapourSynth.is_supported() def initialize(self): for feature in self.feature_classes: self.yuuno.log.debug(f"Loading feature: {feature}") feature = import_item(feature) feature_inst = feature(extension=self) self.features.append(feature_inst) feature_inst.initialize() def deinitialize(self): for feature in self.features[:]: feature.deinitialize() self.features.remove(feature)
yuuno
/yuuno-1.4.tar.gz/yuuno-1.4/yuuno_ipython/ipy_vs/extension.py
extension.py
# Yuuno - IPython + VapourSynth # Copyright (C) 2018 cid-chan (Sarah <[email protected]>) # # This program is free software: you can redistribute it and/or modify # it under the terms of the GNU Lesser General Public License as published by # the Free Software Foundation, either version 3 of the License, or # (at your option) any later version. # # This program is distributed in the hope that it will be useful, # but WITHOUT ANY WARRANTY; without even the implied warranty of # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the # GNU Lesser General Public License for more details. # # You should have received a copy of the GNU Lesser General Public License # along with this program. If not, see <http://www.gnu.org/licenses/>. from typing import TYPE_CHECKING from contextlib import contextmanager from IPython import InteractiveShell from IPython.core.magic import line_magic, cell_magic, magics_class from yuuno import Yuuno from yuuno_ipython.ipython.magic import MagicFeature, Magics from yuuno_ipython.ipython.utils import execute_code from yuuno_ipython.ipy_vs.vs_feature import VSFeature from yuuno.vs.flags import Features if TYPE_CHECKING: from vapoursynth import Environment from yuuno.vs.vsscript.script import ScriptManager, VSScript _cur_env = None def get_current_env() -> 'Environment': global _cur_env if _cur_env is None: import vapoursynth if Features.ENVIRONMENT_POLICIES: def __new_cur_env(): return vapoursynth.get_current_environment().use() _cur_env = __new_cur_env else: _cur_env = vapoursynth.vpy_current_environment try: return _cur_env() except RuntimeError: return None def env_from_script(script: 'VSScript') -> 'Environment': return script.perform(get_current_env).result() @magics_class class CoreControlMagics(Magics): @property def vsscript_feature(self) -> 'Use_VSScript': for feature in self.yuuno.get_extension('ipy_vs').features: if isinstance(feature, Use_VSScript): return feature raise Exception("Couldn't find Feature Instance? Report this error.") @property def script_manager(self) -> 'ScriptManager': return self.yuuno.get_extension('MultiScript').get_manager('VSScript') @property def yuuno(self): return Yuuno.instance() @cell_magic def isolated_core(self, line, cell): script: VSScript = self.script_manager.create('isolated-1', initialize=True) env = env_from_script(script) try: with env: with self.vsscript_feature.protect(): result = execute_code(cell, '<yuuno:isolated_core>', False) if result is not None: return result finally: script.dispose() @line_magic def reset_core(self, line): self.vsscript_feature.reset_script() class VSScriptWrapper(object): def __init__(self, script): self.script = script self._env = env_from_script(self.script) @classmethod def with_name(cls, name): mgr = Yuuno.instance().get_extension('MultiScript') environment = Yuuno.instance().environment if mgr is None or not environment.use_vsscript: # VSScript is not enabled. Don't do anything. return manager: ScriptManager = mgr.get_manager('VSScript') if manager is None: # VSScript is not enabled. Don't do anything. return return cls(manager.create(name, initialize=True)) def __enter__(self): return self._env.__enter__() def __exit__(self, *args, **kwargs): return self._env.__exit__(*args, **kwargs) def replace(self): """ Replaces the top-most VapourSynth-Environment stack with the given VapourSynth environment. """ cur_env = get_current_env() if get_current_env() != self._env: if not Features.ENVIRONMENT_POLICIES: # Hack to forcibly remove the environment from the stack. if cur_env is not None: cur_env.__exit__() self._env.__enter__() def dispose(self): if get_current_env() == self._env: self._env.__exit__() self.script.dispose() # noinspection PyPep8Naming class Use_VSScript(VSFeature, MagicFeature): def __init__(self, *args, **kwargs): super(Use_VSScript, self).__init__(*args, **kwargs) self.events = {} def initialize(self): mgr = self.environment.parent.get_extension('MultiScript') if mgr is None or not self.environment.use_vsscript: # VSScript is not enabled. Don't do anything. return self.manager: ScriptManager = mgr.get_manager('VSScript') if self.manager is None: # VSScript is not enabled. Don't do anything. return self.events = { 'pre_execute': [self._enter_env], 'post_execute': [self._exit_env] } ipy: InteractiveShell = self.environment.ipython for name, evts in self.events.items(): for evt in evts: ipy.events.register(name, evt) self.register_magics(CoreControlMagics) self._cell_level = 0 self.manager: ScriptManager = mgr.get_manager('VSScript') self.script = None self.reset_script() @contextmanager def protect(self): self._cell_level += 1 try: yield finally: self._cell_level -= 1 def reset_script(self): if self.script is not None: self.script.dispose() self.script: VSScriptWrapper = VSScriptWrapper(self.manager.create('ipython', initialize=True)) self._enter_env() def _enter_env(self): if self._cell_level > 0: return self.script.replace() def _exit_env(self): if self._cell_level > 0: return # Do nothing anymore. def deinitialize(self): if not self.events: return self.manager.dispose_all() ipy: InteractiveShell = self.environment.ipython for name, evts in self.events.items(): for evt in evts: ipy.events.unregister(name, evt) super(Use_VSScript, self).deinitialize()
yuuno
/yuuno-1.4.tar.gz/yuuno-1.4/yuuno_ipython/ipy_vs/vsscript.py
vsscript.py
# Yuuno - IPython + VapourSynth # Copyright (C) 2018,2022 cid-chan (Sarah <[email protected]>) # # This program is free software: you can redistribute it and/or modify # it under the terms of the GNU Lesser General Public License as published by # the Free Software Foundation, either version 3 of the License, or # (at your option) any later version. # # This program is distributed in the hope that it will be useful, # but WITHOUT ANY WARRANTY; without even the implied warranty of # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the # GNU Lesser General Public License for more details. # # You should have received a copy of the GNU Lesser General Public License # along with this program. If not, see <http://www.gnu.org/licenses/>. import shutil from collections import ChainMap from contextlib import contextmanager from IPython.display import display from yuuno_ipython.ipython.apps.preview import Preview from yuuno_ipython.ipy_vs.vs_feature import VSFeature from yuuno_ipython.ipy_vs.encode import EncodeMagic, _running as running_encodes from yuuno_ipython.ipython.magic import MagicFeature from yuuno_ipython.ipython.utils import execute_code from yuuno import Yuuno from yuuno.vs.utils import VapourSynthEnvironment from IPython.core.magic import Magics, magics_class from IPython.core.magic import cell_magic @contextmanager def _noop(): return (yield) @magics_class class EditorMagics(Magics): preview = Preview(None) encode = EncodeMagic() yuuno_header = """ import vapoursynth as vs from vapoursynth import core """ @property def yuuno(self): return Yuuno.instance() @property def vsscript_feature(self) -> 'Use_VSScript': from yuuno_ipython.ipy_vs.vsscript import Use_VSScript for feature in self.yuuno.get_extension('ipy_vs').features: if isinstance(feature, Use_VSScript): return feature return None def parse_parameters(self, line): data = {} current_flag = None current_info = [] rest_type = None rest = None for word in line.split(): if rest is not None: rest.append(word) continue elif word in ("--", '|'): if current_flag is not None: data[current_flag] = current_info current_flag = None rest = [] rest_type = word elif word.startswith("--"): if current_flag is not None: data[current_flag] = current_info current_flag = word[2:] current_info = [] else: current_info.append(word) if rest is not None: data['--'] = rest if current_flag is not None: data[current_flag] = current_info return data @cell_magic def vspipe(self, line, cell): line = self.parse_parameters(line) if "help" in line: print("%%vspipe [--outputindex <OUTPUT-ID>] [OPTIONS] | [commandline]") print() print("%%vspipe emulates the vspipe-binary. It uses %encode under the hood.") print("Note that only one %%vspipe can run at the same time.") print() print("Options special to %%vspipe") print("--outputindex <OUTPUT-ID> - Select output index") print("--y4m - Add YUV4MPEG headers to output") print("--start N - Set the output frame range (first frame)") print("--end N - Set the output frame range (last frame)") print("--requests N - Set the number of concurrent frame requests") print() print("General options") print("--reset-core - Reset the core before running the cell.") print("--isolate-core - Use a temporary core for the encode.") print("--isolate-variables - Make sure that variables set inside this cell do not affect the global environment.") return if len(running_encodes) > 0: print("There is already an encode running.") print("Please stop or finish the encode(s) and try again. Use %reattach to find running encodes.") return if "--" not in line and "|" not in line: print("Please provide a valid command-line.") return main = int(line.get("outputindex", [0])[0]) start = None if "start" in line: start = int(line["start"][0]) end = None if "end" in line: end = int(line["end"][0])+1 requests = None if "requests" in line: requests = int(line["requests"][0]) reset_core = False if self.vsscript_feature is not None and not VapourSynthEnvironment.single() and "reset-core" in line: reset_core = True ns = self.yuuno.environment.ipython.user_ns if "isolate-variables" in line: ns = ChainMap({}, ns) if reset_core: self.vsscript_feature.reset_script() script = _noop() after_exit = None if "isolate-core" in line: from yuuno_ipython.ipy_vs.vsscript import VSScriptWrapper script = VSScriptWrapper.with_name("vspipe-emulation") after_exit = lambda: script.dispose() with script: env = VapourSynthEnvironment() with env: execute_code(cell, "<vspreview>", True, ns=ns) outputs = env.outputs if main not in env.outputs: print("Couldn't find your output. Aborting.") return clip = outputs[main][start:end] encode = self.encode.begin_encode(clip, ' '.join(line['--']), y4m=('y4m' in line), prefetch=requests, after_exit=after_exit) display(encode) @cell_magic def vspreview(self, line, cell): line = self.parse_parameters(line) if "help" in line: print("%%vspreview [--main <OUTPUT-ID>] [--diff <OUTPUT-ID>] [OPTIONS]") print() print("%%vspreview shows a preview of the given script. It can diff two outputs with --diff.") print("It does not modify the outputs of the vapoursynth environment.") print("You can use --isolate-variables to sandbox changes of the environment to the cell. Any changes to variables") print("will not be visible outside the cell.") print() print("--main and --diff are ignored if there are less than 3 output-clips.") print() print("Options special to %%vspreview") print("--main <OUTPUT-ID> - Select the output number to show as the main (defaults to 0 if not given.)") print("--diff <OUTPUT-IDS> - Set the id to compare to") print() print("General options") print("--reset-core - Reset the core.") print("--isolate-variables - Make sure that variables set inside this cell do not affect the global environment.") return reset_core = False if self.vsscript_feature is not None and not VapourSynthEnvironment.single() and "reset-core" in line: reset_core = True diff = None if "diff" in line: diff = 1 if len(line["diff"]) == 0 else int(line["diff"][0]) main = 1 if "main" in line: if len(line["main"]) == 0: raise ValueError("You need to provide an output-id") main = int(line["main"][0]) ns = self.yuuno.environment.ipython.user_ns if "isolate-variables" in line: ns = ChainMap({}, ns) # Reset the actual script if reset_core: self.vsscript_feature.reset_script() env = VapourSynthEnvironment() with env: execute_code(cell, "<vspreview>", True, ns=ns) outputs = env.outputs if len(outputs) == 1: main = next(iter(outputs)) elif len(outputs) == 2: oiter = iter(sorted(iter(outputs))) main = next(oiter) diff = next(oiter) self.preview.clip = outputs.get(main, None) self.preview.diff = None if diff is None else outputs.get(diff, None) display(self.preview) class StatefulEditorFeature(VSFeature, MagicFeature): def initialize(self): self.register_magics(EditorMagics)
yuuno
/yuuno-1.4.tar.gz/yuuno-1.4/yuuno_ipython/ipy_vs/stateful_editor.py
stateful_editor.py
# Yuuno - IPython + VapourSynth # Copyright (C) 2018,2022 cid-chan (Sarah <[email protected]>) # # This program is free software: you can redistribute it and/or modify # it under the terms of the GNU Lesser General Public License as published by # the Free Software Foundation, either version 3 of the License, or # (at your option) any later version. # # This program is distributed in the hope that it will be useful, # but WITHOUT ANY WARRANTY; without even the implied warranty of # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the # GNU Lesser General Public License for more details. # # You should have received a copy of the GNU Lesser General Public License # along with this program. If not, see <http://www.gnu.org/licenses/>. import random import jinja2 from IPython.display import display, HTML from yuuno import Yuuno from yuuno_ipython.utils import get_data_file from yuuno.vs.utils import MessageLevel from yuuno.vs.extension import VapourSynth from yuuno_ipython.ipy_vs.vs_feature import VSFeature class LogMessage(object): _jinja_template = None @classmethod def template(cls): if cls._jinja_template is None: path = get_data_file("html") / "log-message.html" with open(path, "r") as f: cls._jinja_template = jinja2.Template(f.read()) return cls._jinja_template def __init__(self, level, message): self.level = level self.message = message def _repr_html_(self): return self.template().render({ "random_id": hex(random.randint(0, 2**32))[2:], "level_class": self.level.lower(), "level": self.level, "message": self.message }) def _repr_pretty_(self, p, cycle): p.text("[VapourSynth] %s: %s" % (self.level, self.message)) class LogWriterFeature(VSFeature): def _push_log_msg(self, level: MessageLevel, msg: str) -> None: level = level.value if level == MessageLevel.mtDebug: level = "Debug" elif level == MessageLevel.mtInfo: level = "Info" elif level == MessageLevel.mtWarning: level = "Warning" elif level == MessageLevel.mtCritical: level = "Critical" else: level = "Fatal" display(LogMessage(level, msg)) def initialize(self): extension: VapourSynth = Yuuno.instance().get_extension('VapourSynth') if extension is None: return extension.log_handlers.append(self._push_log_msg) def deinitialize(self): extension: VapourSynth = Yuuno.instance().get_extension('VapourSynth') if extension is None: return extension.log_handlers.remove(self._push_log_msg)
yuuno
/yuuno-1.4.tar.gz/yuuno-1.4/yuuno_ipython/ipy_vs/log.py
log.py
"use strict"; (self["webpackChunk_yuuno_jupyterlab"] = self["webpackChunk_yuuno_jupyterlab"] || []).push([["style_index_js"],{ /***/ "./node_modules/css-loader/dist/cjs.js!./style/base.css": /*!**************************************************************!*\ !*** ./node_modules/css-loader/dist/cjs.js!./style/base.css ***! \**************************************************************/ /***/ ((module, __webpack_exports__, __webpack_require__) => { __webpack_require__.r(__webpack_exports__); /* harmony export */ __webpack_require__.d(__webpack_exports__, { /* harmony export */ "default": () => (__WEBPACK_DEFAULT_EXPORT__) /* harmony export */ }); /* harmony import */ var _node_modules_css_loader_dist_runtime_cssWithMappingToString_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../node_modules/css-loader/dist/runtime/cssWithMappingToString.js */ "./node_modules/css-loader/dist/runtime/cssWithMappingToString.js"); /* harmony import */ var _node_modules_css_loader_dist_runtime_cssWithMappingToString_js__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(_node_modules_css_loader_dist_runtime_cssWithMappingToString_js__WEBPACK_IMPORTED_MODULE_0__); /* harmony import */ var _node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../node_modules/css-loader/dist/runtime/api.js */ "./node_modules/css-loader/dist/runtime/api.js"); /* harmony import */ var _node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_1___default = /*#__PURE__*/__webpack_require__.n(_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_1__); // Imports var ___CSS_LOADER_EXPORT___ = _node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_1___default()((_node_modules_css_loader_dist_runtime_cssWithMappingToString_js__WEBPACK_IMPORTED_MODULE_0___default())); // Module ___CSS_LOADER_EXPORT___.push([module.id, "", "",{"version":3,"sources":[],"names":[],"mappings":"","sourceRoot":""}]); // Exports /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (___CSS_LOADER_EXPORT___); /***/ }), /***/ "./style/base.css": /*!************************!*\ !*** ./style/base.css ***! \************************/ /***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) => { __webpack_require__.r(__webpack_exports__); /* harmony export */ __webpack_require__.d(__webpack_exports__, { /* harmony export */ "default": () => (__WEBPACK_DEFAULT_EXPORT__) /* harmony export */ }); /* harmony import */ var _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! !../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js */ "./node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js"); /* harmony import */ var _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(_node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0__); /* harmony import */ var _node_modules_css_loader_dist_cjs_js_base_css__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! !!../node_modules/css-loader/dist/cjs.js!./base.css */ "./node_modules/css-loader/dist/cjs.js!./style/base.css"); var options = {}; options.insert = "head"; options.singleton = false; var update = _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0___default()(_node_modules_css_loader_dist_cjs_js_base_css__WEBPACK_IMPORTED_MODULE_1__["default"], options); /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_css_loader_dist_cjs_js_base_css__WEBPACK_IMPORTED_MODULE_1__["default"].locals || {}); /***/ }), /***/ "./style/index.js": /*!************************!*\ !*** ./style/index.js ***! \************************/ /***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) => { __webpack_require__.r(__webpack_exports__); /* harmony import */ var _base_css__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./base.css */ "./style/base.css"); /***/ }) }]); //# sourceMappingURL=style_index_js.046a091dd193851c3746.js.map
yuuno
/yuuno-1.4.tar.gz/yuuno-1.4/yuuno_jupyterlab/static/static/style_index_js.046a091dd193851c3746.js
style_index_js.046a091dd193851c3746.js
"use strict"; (self["webpackChunk_yuuno_jupyterlab"] = self["webpackChunk_yuuno_jupyterlab"] || []).push([["vendors-node_modules_svelte_index_mjs"],{ /***/ "./node_modules/svelte/index.mjs": /*!***************************************!*\ !*** ./node_modules/svelte/index.mjs ***! \***************************************/ /***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) => { __webpack_require__.r(__webpack_exports__); /* harmony export */ __webpack_require__.d(__webpack_exports__, { /* harmony export */ "SvelteComponent": () => (/* reexport safe */ _internal_index_mjs__WEBPACK_IMPORTED_MODULE_0__.SvelteComponentDev), /* harmony export */ "SvelteComponentTyped": () => (/* reexport safe */ _internal_index_mjs__WEBPACK_IMPORTED_MODULE_0__.SvelteComponentTyped), /* harmony export */ "afterUpdate": () => (/* reexport safe */ _internal_index_mjs__WEBPACK_IMPORTED_MODULE_0__.afterUpdate), /* harmony export */ "beforeUpdate": () => (/* reexport safe */ _internal_index_mjs__WEBPACK_IMPORTED_MODULE_0__.beforeUpdate), /* harmony export */ "createEventDispatcher": () => (/* reexport safe */ _internal_index_mjs__WEBPACK_IMPORTED_MODULE_0__.createEventDispatcher), /* harmony export */ "getAllContexts": () => (/* reexport safe */ _internal_index_mjs__WEBPACK_IMPORTED_MODULE_0__.getAllContexts), /* harmony export */ "getContext": () => (/* reexport safe */ _internal_index_mjs__WEBPACK_IMPORTED_MODULE_0__.getContext), /* harmony export */ "hasContext": () => (/* reexport safe */ _internal_index_mjs__WEBPACK_IMPORTED_MODULE_0__.hasContext), /* harmony export */ "onDestroy": () => (/* reexport safe */ _internal_index_mjs__WEBPACK_IMPORTED_MODULE_0__.onDestroy), /* harmony export */ "onMount": () => (/* reexport safe */ _internal_index_mjs__WEBPACK_IMPORTED_MODULE_0__.onMount), /* harmony export */ "setContext": () => (/* reexport safe */ _internal_index_mjs__WEBPACK_IMPORTED_MODULE_0__.setContext), /* harmony export */ "tick": () => (/* reexport safe */ _internal_index_mjs__WEBPACK_IMPORTED_MODULE_0__.tick) /* harmony export */ }); /* harmony import */ var _internal_index_mjs__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./internal/index.mjs */ "./node_modules/svelte/internal/index.mjs"); /***/ }), /***/ "./node_modules/svelte/internal/index.mjs": /*!************************************************!*\ !*** ./node_modules/svelte/internal/index.mjs ***! \************************************************/ /***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) => { __webpack_require__.r(__webpack_exports__); /* harmony export */ __webpack_require__.d(__webpack_exports__, { /* harmony export */ "HtmlTag": () => (/* binding */ HtmlTag), /* harmony export */ "HtmlTagHydration": () => (/* binding */ HtmlTagHydration), /* harmony export */ "SvelteComponent": () => (/* binding */ SvelteComponent), /* harmony export */ "SvelteComponentDev": () => (/* binding */ SvelteComponentDev), /* harmony export */ "SvelteComponentTyped": () => (/* binding */ SvelteComponentTyped), /* harmony export */ "SvelteElement": () => (/* binding */ SvelteElement), /* harmony export */ "action_destroyer": () => (/* binding */ action_destroyer), /* harmony export */ "add_attribute": () => (/* binding */ add_attribute), /* harmony export */ "add_classes": () => (/* binding */ add_classes), /* harmony export */ "add_flush_callback": () => (/* binding */ add_flush_callback), /* harmony export */ "add_location": () => (/* binding */ add_location), /* harmony export */ "add_render_callback": () => (/* binding */ add_render_callback), /* harmony export */ "add_resize_listener": () => (/* binding */ add_resize_listener), /* harmony export */ "add_transform": () => (/* binding */ add_transform), /* harmony export */ "afterUpdate": () => (/* binding */ afterUpdate), /* harmony export */ "append": () => (/* binding */ append), /* harmony export */ "append_dev": () => (/* binding */ append_dev), /* harmony export */ "append_empty_stylesheet": () => (/* binding */ append_empty_stylesheet), /* harmony export */ "append_hydration": () => (/* binding */ append_hydration), /* harmony export */ "append_hydration_dev": () => (/* binding */ append_hydration_dev), /* harmony export */ "append_styles": () => (/* binding */ append_styles), /* harmony export */ "assign": () => (/* binding */ assign), /* harmony export */ "attr": () => (/* binding */ attr), /* harmony export */ "attr_dev": () => (/* binding */ attr_dev), /* harmony export */ "attribute_to_object": () => (/* binding */ attribute_to_object), /* harmony export */ "beforeUpdate": () => (/* binding */ beforeUpdate), /* harmony export */ "bind": () => (/* binding */ bind), /* harmony export */ "binding_callbacks": () => (/* binding */ binding_callbacks), /* harmony export */ "blank_object": () => (/* binding */ blank_object), /* harmony export */ "bubble": () => (/* binding */ bubble), /* harmony export */ "check_outros": () => (/* binding */ check_outros), /* harmony export */ "children": () => (/* binding */ children), /* harmony export */ "claim_component": () => (/* binding */ claim_component), /* harmony export */ "claim_element": () => (/* binding */ claim_element), /* harmony export */ "claim_html_tag": () => (/* binding */ claim_html_tag), /* harmony export */ "claim_space": () => (/* binding */ claim_space), /* harmony export */ "claim_svg_element": () => (/* binding */ claim_svg_element), /* harmony export */ "claim_text": () => (/* binding */ claim_text), /* harmony export */ "clear_loops": () => (/* binding */ clear_loops), /* harmony export */ "component_subscribe": () => (/* binding */ component_subscribe), /* harmony export */ "compute_rest_props": () => (/* binding */ compute_rest_props), /* harmony export */ "compute_slots": () => (/* binding */ compute_slots), /* harmony export */ "createEventDispatcher": () => (/* binding */ createEventDispatcher), /* harmony export */ "create_animation": () => (/* binding */ create_animation), /* harmony export */ "create_bidirectional_transition": () => (/* binding */ create_bidirectional_transition), /* harmony export */ "create_component": () => (/* binding */ create_component), /* harmony export */ "create_in_transition": () => (/* binding */ create_in_transition), /* harmony export */ "create_out_transition": () => (/* binding */ create_out_transition), /* harmony export */ "create_slot": () => (/* binding */ create_slot), /* harmony export */ "create_ssr_component": () => (/* binding */ create_ssr_component), /* harmony export */ "current_component": () => (/* binding */ current_component), /* harmony export */ "custom_event": () => (/* binding */ custom_event), /* harmony export */ "dataset_dev": () => (/* binding */ dataset_dev), /* harmony export */ "debug": () => (/* binding */ debug), /* harmony export */ "destroy_block": () => (/* binding */ destroy_block), /* harmony export */ "destroy_component": () => (/* binding */ destroy_component), /* harmony export */ "destroy_each": () => (/* binding */ destroy_each), /* harmony export */ "detach": () => (/* binding */ detach), /* harmony export */ "detach_after_dev": () => (/* binding */ detach_after_dev), /* harmony export */ "detach_before_dev": () => (/* binding */ detach_before_dev), /* harmony export */ "detach_between_dev": () => (/* binding */ detach_between_dev), /* harmony export */ "detach_dev": () => (/* binding */ detach_dev), /* harmony export */ "dirty_components": () => (/* binding */ dirty_components), /* harmony export */ "dispatch_dev": () => (/* binding */ dispatch_dev), /* harmony export */ "each": () => (/* binding */ each), /* harmony export */ "element": () => (/* binding */ element), /* harmony export */ "element_is": () => (/* binding */ element_is), /* harmony export */ "empty": () => (/* binding */ empty), /* harmony export */ "end_hydrating": () => (/* binding */ end_hydrating), /* harmony export */ "escape": () => (/* binding */ escape), /* harmony export */ "escape_attribute_value": () => (/* binding */ escape_attribute_value), /* harmony export */ "escape_object": () => (/* binding */ escape_object), /* harmony export */ "escaped": () => (/* binding */ escaped), /* harmony export */ "exclude_internal_props": () => (/* binding */ exclude_internal_props), /* harmony export */ "fix_and_destroy_block": () => (/* binding */ fix_and_destroy_block), /* harmony export */ "fix_and_outro_and_destroy_block": () => (/* binding */ fix_and_outro_and_destroy_block), /* harmony export */ "fix_position": () => (/* binding */ fix_position), /* harmony export */ "flush": () => (/* binding */ flush), /* harmony export */ "getAllContexts": () => (/* binding */ getAllContexts), /* harmony export */ "getContext": () => (/* binding */ getContext), /* harmony export */ "get_all_dirty_from_scope": () => (/* binding */ get_all_dirty_from_scope), /* harmony export */ "get_binding_group_value": () => (/* binding */ get_binding_group_value), /* harmony export */ "get_current_component": () => (/* binding */ get_current_component), /* harmony export */ "get_custom_elements_slots": () => (/* binding */ get_custom_elements_slots), /* harmony export */ "get_root_for_style": () => (/* binding */ get_root_for_style), /* harmony export */ "get_slot_changes": () => (/* binding */ get_slot_changes), /* harmony export */ "get_spread_object": () => (/* binding */ get_spread_object), /* harmony export */ "get_spread_update": () => (/* binding */ get_spread_update), /* harmony export */ "get_store_value": () => (/* binding */ get_store_value), /* harmony export */ "globals": () => (/* binding */ globals), /* harmony export */ "group_outros": () => (/* binding */ group_outros), /* harmony export */ "handle_promise": () => (/* binding */ handle_promise), /* harmony export */ "hasContext": () => (/* binding */ hasContext), /* harmony export */ "has_prop": () => (/* binding */ has_prop), /* harmony export */ "identity": () => (/* binding */ identity), /* harmony export */ "init": () => (/* binding */ init), /* harmony export */ "insert": () => (/* binding */ insert), /* harmony export */ "insert_dev": () => (/* binding */ insert_dev), /* harmony export */ "insert_hydration": () => (/* binding */ insert_hydration), /* harmony export */ "insert_hydration_dev": () => (/* binding */ insert_hydration_dev), /* harmony export */ "intros": () => (/* binding */ intros), /* harmony export */ "invalid_attribute_name_character": () => (/* binding */ invalid_attribute_name_character), /* harmony export */ "is_client": () => (/* binding */ is_client), /* harmony export */ "is_crossorigin": () => (/* binding */ is_crossorigin), /* harmony export */ "is_empty": () => (/* binding */ is_empty), /* harmony export */ "is_function": () => (/* binding */ is_function), /* harmony export */ "is_promise": () => (/* binding */ is_promise), /* harmony export */ "listen": () => (/* binding */ listen), /* harmony export */ "listen_dev": () => (/* binding */ listen_dev), /* harmony export */ "loop": () => (/* binding */ loop), /* harmony export */ "loop_guard": () => (/* binding */ loop_guard), /* harmony export */ "missing_component": () => (/* binding */ missing_component), /* harmony export */ "mount_component": () => (/* binding */ mount_component), /* harmony export */ "noop": () => (/* binding */ noop), /* harmony export */ "not_equal": () => (/* binding */ not_equal), /* harmony export */ "now": () => (/* binding */ now), /* harmony export */ "null_to_empty": () => (/* binding */ null_to_empty), /* harmony export */ "object_without_properties": () => (/* binding */ object_without_properties), /* harmony export */ "onDestroy": () => (/* binding */ onDestroy), /* harmony export */ "onMount": () => (/* binding */ onMount), /* harmony export */ "once": () => (/* binding */ once), /* harmony export */ "outro_and_destroy_block": () => (/* binding */ outro_and_destroy_block), /* harmony export */ "prevent_default": () => (/* binding */ prevent_default), /* harmony export */ "prop_dev": () => (/* binding */ prop_dev), /* harmony export */ "query_selector_all": () => (/* binding */ query_selector_all), /* harmony export */ "raf": () => (/* binding */ raf), /* harmony export */ "run": () => (/* binding */ run), /* harmony export */ "run_all": () => (/* binding */ run_all), /* harmony export */ "safe_not_equal": () => (/* binding */ safe_not_equal), /* harmony export */ "schedule_update": () => (/* binding */ schedule_update), /* harmony export */ "select_multiple_value": () => (/* binding */ select_multiple_value), /* harmony export */ "select_option": () => (/* binding */ select_option), /* harmony export */ "select_options": () => (/* binding */ select_options), /* harmony export */ "select_value": () => (/* binding */ select_value), /* harmony export */ "self": () => (/* binding */ self), /* harmony export */ "setContext": () => (/* binding */ setContext), /* harmony export */ "set_attributes": () => (/* binding */ set_attributes), /* harmony export */ "set_current_component": () => (/* binding */ set_current_component), /* harmony export */ "set_custom_element_data": () => (/* binding */ set_custom_element_data), /* harmony export */ "set_data": () => (/* binding */ set_data), /* harmony export */ "set_data_dev": () => (/* binding */ set_data_dev), /* harmony export */ "set_input_type": () => (/* binding */ set_input_type), /* harmony export */ "set_input_value": () => (/* binding */ set_input_value), /* harmony export */ "set_now": () => (/* binding */ set_now), /* harmony export */ "set_raf": () => (/* binding */ set_raf), /* harmony export */ "set_store_value": () => (/* binding */ set_store_value), /* harmony export */ "set_style": () => (/* binding */ set_style), /* harmony export */ "set_svg_attributes": () => (/* binding */ set_svg_attributes), /* harmony export */ "space": () => (/* binding */ space), /* harmony export */ "spread": () => (/* binding */ spread), /* harmony export */ "src_url_equal": () => (/* binding */ src_url_equal), /* harmony export */ "start_hydrating": () => (/* binding */ start_hydrating), /* harmony export */ "stop_propagation": () => (/* binding */ stop_propagation), /* harmony export */ "subscribe": () => (/* binding */ subscribe), /* harmony export */ "svg_element": () => (/* binding */ svg_element), /* harmony export */ "text": () => (/* binding */ text), /* harmony export */ "tick": () => (/* binding */ tick), /* harmony export */ "time_ranges_to_array": () => (/* binding */ time_ranges_to_array), /* harmony export */ "to_number": () => (/* binding */ to_number), /* harmony export */ "toggle_class": () => (/* binding */ toggle_class), /* harmony export */ "transition_in": () => (/* binding */ transition_in), /* harmony export */ "transition_out": () => (/* binding */ transition_out), /* harmony export */ "trusted": () => (/* binding */ trusted), /* harmony export */ "update_await_block_branch": () => (/* binding */ update_await_block_branch), /* harmony export */ "update_keyed_each": () => (/* binding */ update_keyed_each), /* harmony export */ "update_slot": () => (/* binding */ update_slot), /* harmony export */ "update_slot_base": () => (/* binding */ update_slot_base), /* harmony export */ "validate_component": () => (/* binding */ validate_component), /* harmony export */ "validate_each_argument": () => (/* binding */ validate_each_argument), /* harmony export */ "validate_each_keys": () => (/* binding */ validate_each_keys), /* harmony export */ "validate_slots": () => (/* binding */ validate_slots), /* harmony export */ "validate_store": () => (/* binding */ validate_store), /* harmony export */ "xlink_attr": () => (/* binding */ xlink_attr) /* harmony export */ }); function noop() { } const identity = x => x; function assign(tar, src) { // @ts-ignore for (const k in src) tar[k] = src[k]; return tar; } function is_promise(value) { return value && typeof value === 'object' && typeof value.then === 'function'; } function add_location(element, file, line, column, char) { element.__svelte_meta = { loc: { file, line, column, char } }; } function run(fn) { return fn(); } function blank_object() { return Object.create(null); } function run_all(fns) { fns.forEach(run); } function is_function(thing) { return typeof thing === 'function'; } function safe_not_equal(a, b) { return a != a ? b == b : a !== b || ((a && typeof a === 'object') || typeof a === 'function'); } let src_url_equal_anchor; function src_url_equal(element_src, url) { if (!src_url_equal_anchor) { src_url_equal_anchor = document.createElement('a'); } src_url_equal_anchor.href = url; return element_src === src_url_equal_anchor.href; } function not_equal(a, b) { return a != a ? b == b : a !== b; } function is_empty(obj) { return Object.keys(obj).length === 0; } function validate_store(store, name) { if (store != null && typeof store.subscribe !== 'function') { throw new Error(`'${name}' is not a store with a 'subscribe' method`); } } function subscribe(store, ...callbacks) { if (store == null) { return noop; } const unsub = store.subscribe(...callbacks); return unsub.unsubscribe ? () => unsub.unsubscribe() : unsub; } function get_store_value(store) { let value; subscribe(store, _ => value = _)(); return value; } function component_subscribe(component, store, callback) { component.$$.on_destroy.push(subscribe(store, callback)); } function create_slot(definition, ctx, $$scope, fn) { if (definition) { const slot_ctx = get_slot_context(definition, ctx, $$scope, fn); return definition[0](slot_ctx); } } function get_slot_context(definition, ctx, $$scope, fn) { return definition[1] && fn ? assign($$scope.ctx.slice(), definition[1](fn(ctx))) : $$scope.ctx; } function get_slot_changes(definition, $$scope, dirty, fn) { if (definition[2] && fn) { const lets = definition[2](fn(dirty)); if ($$scope.dirty === undefined) { return lets; } if (typeof lets === 'object') { const merged = []; const len = Math.max($$scope.dirty.length, lets.length); for (let i = 0; i < len; i += 1) { merged[i] = $$scope.dirty[i] | lets[i]; } return merged; } return $$scope.dirty | lets; } return $$scope.dirty; } function update_slot_base(slot, slot_definition, ctx, $$scope, slot_changes, get_slot_context_fn) { if (slot_changes) { const slot_context = get_slot_context(slot_definition, ctx, $$scope, get_slot_context_fn); slot.p(slot_context, slot_changes); } } function update_slot(slot, slot_definition, ctx, $$scope, dirty, get_slot_changes_fn, get_slot_context_fn) { const slot_changes = get_slot_changes(slot_definition, $$scope, dirty, get_slot_changes_fn); update_slot_base(slot, slot_definition, ctx, $$scope, slot_changes, get_slot_context_fn); } function get_all_dirty_from_scope($$scope) { if ($$scope.ctx.length > 32) { const dirty = []; const length = $$scope.ctx.length / 32; for (let i = 0; i < length; i++) { dirty[i] = -1; } return dirty; } return -1; } function exclude_internal_props(props) { const result = {}; for (const k in props) if (k[0] !== '$') result[k] = props[k]; return result; } function compute_rest_props(props, keys) { const rest = {}; keys = new Set(keys); for (const k in props) if (!keys.has(k) && k[0] !== '$') rest[k] = props[k]; return rest; } function compute_slots(slots) { const result = {}; for (const key in slots) { result[key] = true; } return result; } function once(fn) { let ran = false; return function (...args) { if (ran) return; ran = true; fn.call(this, ...args); }; } function null_to_empty(value) { return value == null ? '' : value; } function set_store_value(store, ret, value) { store.set(value); return ret; } const has_prop = (obj, prop) => Object.prototype.hasOwnProperty.call(obj, prop); function action_destroyer(action_result) { return action_result && is_function(action_result.destroy) ? action_result.destroy : noop; } const is_client = typeof window !== 'undefined'; let now = is_client ? () => window.performance.now() : () => Date.now(); let raf = is_client ? cb => requestAnimationFrame(cb) : noop; // used internally for testing function set_now(fn) { now = fn; } function set_raf(fn) { raf = fn; } const tasks = new Set(); function run_tasks(now) { tasks.forEach(task => { if (!task.c(now)) { tasks.delete(task); task.f(); } }); if (tasks.size !== 0) raf(run_tasks); } /** * For testing purposes only! */ function clear_loops() { tasks.clear(); } /** * Creates a new task that runs on each raf frame * until it returns a falsy value or is aborted */ function loop(callback) { let task; if (tasks.size === 0) raf(run_tasks); return { promise: new Promise(fulfill => { tasks.add(task = { c: callback, f: fulfill }); }), abort() { tasks.delete(task); } }; } // Track which nodes are claimed during hydration. Unclaimed nodes can then be removed from the DOM // at the end of hydration without touching the remaining nodes. let is_hydrating = false; function start_hydrating() { is_hydrating = true; } function end_hydrating() { is_hydrating = false; } function upper_bound(low, high, key, value) { // Return first index of value larger than input value in the range [low, high) while (low < high) { const mid = low + ((high - low) >> 1); if (key(mid) <= value) { low = mid + 1; } else { high = mid; } } return low; } function init_hydrate(target) { if (target.hydrate_init) return; target.hydrate_init = true; // We know that all children have claim_order values since the unclaimed have been detached if target is not <head> let children = target.childNodes; // If target is <head>, there may be children without claim_order if (target.nodeName === 'HEAD') { const myChildren = []; for (let i = 0; i < children.length; i++) { const node = children[i]; if (node.claim_order !== undefined) { myChildren.push(node); } } children = myChildren; } /* * Reorder claimed children optimally. * We can reorder claimed children optimally by finding the longest subsequence of * nodes that are already claimed in order and only moving the rest. The longest * subsequence subsequence of nodes that are claimed in order can be found by * computing the longest increasing subsequence of .claim_order values. * * This algorithm is optimal in generating the least amount of reorder operations * possible. * * Proof: * We know that, given a set of reordering operations, the nodes that do not move * always form an increasing subsequence, since they do not move among each other * meaning that they must be already ordered among each other. Thus, the maximal * set of nodes that do not move form a longest increasing subsequence. */ // Compute longest increasing subsequence // m: subsequence length j => index k of smallest value that ends an increasing subsequence of length j const m = new Int32Array(children.length + 1); // Predecessor indices + 1 const p = new Int32Array(children.length); m[0] = -1; let longest = 0; for (let i = 0; i < children.length; i++) { const current = children[i].claim_order; // Find the largest subsequence length such that it ends in a value less than our current value // upper_bound returns first greater value, so we subtract one // with fast path for when we are on the current longest subsequence const seqLen = ((longest > 0 && children[m[longest]].claim_order <= current) ? longest + 1 : upper_bound(1, longest, idx => children[m[idx]].claim_order, current)) - 1; p[i] = m[seqLen] + 1; const newLen = seqLen + 1; // We can guarantee that current is the smallest value. Otherwise, we would have generated a longer sequence. m[newLen] = i; longest = Math.max(newLen, longest); } // The longest increasing subsequence of nodes (initially reversed) const lis = []; // The rest of the nodes, nodes that will be moved const toMove = []; let last = children.length - 1; for (let cur = m[longest] + 1; cur != 0; cur = p[cur - 1]) { lis.push(children[cur - 1]); for (; last >= cur; last--) { toMove.push(children[last]); } last--; } for (; last >= 0; last--) { toMove.push(children[last]); } lis.reverse(); // We sort the nodes being moved to guarantee that their insertion order matches the claim order toMove.sort((a, b) => a.claim_order - b.claim_order); // Finally, we move the nodes for (let i = 0, j = 0; i < toMove.length; i++) { while (j < lis.length && toMove[i].claim_order >= lis[j].claim_order) { j++; } const anchor = j < lis.length ? lis[j] : null; target.insertBefore(toMove[i], anchor); } } function append(target, node) { target.appendChild(node); } function append_styles(target, style_sheet_id, styles) { const append_styles_to = get_root_for_style(target); if (!append_styles_to.getElementById(style_sheet_id)) { const style = element('style'); style.id = style_sheet_id; style.textContent = styles; append_stylesheet(append_styles_to, style); } } function get_root_for_style(node) { if (!node) return document; const root = node.getRootNode ? node.getRootNode() : node.ownerDocument; if (root && root.host) { return root; } return node.ownerDocument; } function append_empty_stylesheet(node) { const style_element = element('style'); append_stylesheet(get_root_for_style(node), style_element); return style_element; } function append_stylesheet(node, style) { append(node.head || node, style); } function append_hydration(target, node) { if (is_hydrating) { init_hydrate(target); if ((target.actual_end_child === undefined) || ((target.actual_end_child !== null) && (target.actual_end_child.parentElement !== target))) { target.actual_end_child = target.firstChild; } // Skip nodes of undefined ordering while ((target.actual_end_child !== null) && (target.actual_end_child.claim_order === undefined)) { target.actual_end_child = target.actual_end_child.nextSibling; } if (node !== target.actual_end_child) { // We only insert if the ordering of this node should be modified or the parent node is not target if (node.claim_order !== undefined || node.parentNode !== target) { target.insertBefore(node, target.actual_end_child); } } else { target.actual_end_child = node.nextSibling; } } else if (node.parentNode !== target || node.nextSibling !== null) { target.appendChild(node); } } function insert(target, node, anchor) { target.insertBefore(node, anchor || null); } function insert_hydration(target, node, anchor) { if (is_hydrating && !anchor) { append_hydration(target, node); } else if (node.parentNode !== target || node.nextSibling != anchor) { target.insertBefore(node, anchor || null); } } function detach(node) { node.parentNode.removeChild(node); } function destroy_each(iterations, detaching) { for (let i = 0; i < iterations.length; i += 1) { if (iterations[i]) iterations[i].d(detaching); } } function element(name) { return document.createElement(name); } function element_is(name, is) { return document.createElement(name, { is }); } function object_without_properties(obj, exclude) { const target = {}; for (const k in obj) { if (has_prop(obj, k) // @ts-ignore && exclude.indexOf(k) === -1) { // @ts-ignore target[k] = obj[k]; } } return target; } function svg_element(name) { return document.createElementNS('http://www.w3.org/2000/svg', name); } function text(data) { return document.createTextNode(data); } function space() { return text(' '); } function empty() { return text(''); } function listen(node, event, handler, options) { node.addEventListener(event, handler, options); return () => node.removeEventListener(event, handler, options); } function prevent_default(fn) { return function (event) { event.preventDefault(); // @ts-ignore return fn.call(this, event); }; } function stop_propagation(fn) { return function (event) { event.stopPropagation(); // @ts-ignore return fn.call(this, event); }; } function self(fn) { return function (event) { // @ts-ignore if (event.target === this) fn.call(this, event); }; } function trusted(fn) { return function (event) { // @ts-ignore if (event.isTrusted) fn.call(this, event); }; } function attr(node, attribute, value) { if (value == null) node.removeAttribute(attribute); else if (node.getAttribute(attribute) !== value) node.setAttribute(attribute, value); } function set_attributes(node, attributes) { // @ts-ignore const descriptors = Object.getOwnPropertyDescriptors(node.__proto__); for (const key in attributes) { if (attributes[key] == null) { node.removeAttribute(key); } else if (key === 'style') { node.style.cssText = attributes[key]; } else if (key === '__value') { node.value = node[key] = attributes[key]; } else if (descriptors[key] && descriptors[key].set) { node[key] = attributes[key]; } else { attr(node, key, attributes[key]); } } } function set_svg_attributes(node, attributes) { for (const key in attributes) { attr(node, key, attributes[key]); } } function set_custom_element_data(node, prop, value) { if (prop in node) { node[prop] = typeof node[prop] === 'boolean' && value === '' ? true : value; } else { attr(node, prop, value); } } function xlink_attr(node, attribute, value) { node.setAttributeNS('http://www.w3.org/1999/xlink', attribute, value); } function get_binding_group_value(group, __value, checked) { const value = new Set(); for (let i = 0; i < group.length; i += 1) { if (group[i].checked) value.add(group[i].__value); } if (!checked) { value.delete(__value); } return Array.from(value); } function to_number(value) { return value === '' ? null : +value; } function time_ranges_to_array(ranges) { const array = []; for (let i = 0; i < ranges.length; i += 1) { array.push({ start: ranges.start(i), end: ranges.end(i) }); } return array; } function children(element) { return Array.from(element.childNodes); } function init_claim_info(nodes) { if (nodes.claim_info === undefined) { nodes.claim_info = { last_index: 0, total_claimed: 0 }; } } function claim_node(nodes, predicate, processNode, createNode, dontUpdateLastIndex = false) { // Try to find nodes in an order such that we lengthen the longest increasing subsequence init_claim_info(nodes); const resultNode = (() => { // We first try to find an element after the previous one for (let i = nodes.claim_info.last_index; i < nodes.length; i++) { const node = nodes[i]; if (predicate(node)) { const replacement = processNode(node); if (replacement === undefined) { nodes.splice(i, 1); } else { nodes[i] = replacement; } if (!dontUpdateLastIndex) { nodes.claim_info.last_index = i; } return node; } } // Otherwise, we try to find one before // We iterate in reverse so that we don't go too far back for (let i = nodes.claim_info.last_index - 1; i >= 0; i--) { const node = nodes[i]; if (predicate(node)) { const replacement = processNode(node); if (replacement === undefined) { nodes.splice(i, 1); } else { nodes[i] = replacement; } if (!dontUpdateLastIndex) { nodes.claim_info.last_index = i; } else if (replacement === undefined) { // Since we spliced before the last_index, we decrease it nodes.claim_info.last_index--; } return node; } } // If we can't find any matching node, we create a new one return createNode(); })(); resultNode.claim_order = nodes.claim_info.total_claimed; nodes.claim_info.total_claimed += 1; return resultNode; } function claim_element_base(nodes, name, attributes, create_element) { return claim_node(nodes, (node) => node.nodeName === name, (node) => { const remove = []; for (let j = 0; j < node.attributes.length; j++) { const attribute = node.attributes[j]; if (!attributes[attribute.name]) { remove.push(attribute.name); } } remove.forEach(v => node.removeAttribute(v)); return undefined; }, () => create_element(name)); } function claim_element(nodes, name, attributes) { return claim_element_base(nodes, name, attributes, element); } function claim_svg_element(nodes, name, attributes) { return claim_element_base(nodes, name, attributes, svg_element); } function claim_text(nodes, data) { return claim_node(nodes, (node) => node.nodeType === 3, (node) => { const dataStr = '' + data; if (node.data.startsWith(dataStr)) { if (node.data.length !== dataStr.length) { return node.splitText(dataStr.length); } } else { node.data = dataStr; } }, () => text(data), true // Text nodes should not update last index since it is likely not worth it to eliminate an increasing subsequence of actual elements ); } function claim_space(nodes) { return claim_text(nodes, ' '); } function find_comment(nodes, text, start) { for (let i = start; i < nodes.length; i += 1) { const node = nodes[i]; if (node.nodeType === 8 /* comment node */ && node.textContent.trim() === text) { return i; } } return nodes.length; } function claim_html_tag(nodes) { // find html opening tag const start_index = find_comment(nodes, 'HTML_TAG_START', 0); const end_index = find_comment(nodes, 'HTML_TAG_END', start_index); if (start_index === end_index) { return new HtmlTagHydration(); } init_claim_info(nodes); const html_tag_nodes = nodes.splice(start_index, end_index + 1); detach(html_tag_nodes[0]); detach(html_tag_nodes[html_tag_nodes.length - 1]); const claimed_nodes = html_tag_nodes.slice(1, html_tag_nodes.length - 1); for (const n of claimed_nodes) { n.claim_order = nodes.claim_info.total_claimed; nodes.claim_info.total_claimed += 1; } return new HtmlTagHydration(claimed_nodes); } function set_data(text, data) { data = '' + data; if (text.wholeText !== data) text.data = data; } function set_input_value(input, value) { input.value = value == null ? '' : value; } function set_input_type(input, type) { try { input.type = type; } catch (e) { // do nothing } } function set_style(node, key, value, important) { node.style.setProperty(key, value, important ? 'important' : ''); } function select_option(select, value) { for (let i = 0; i < select.options.length; i += 1) { const option = select.options[i]; if (option.__value === value) { option.selected = true; return; } } select.selectedIndex = -1; // no option should be selected } function select_options(select, value) { for (let i = 0; i < select.options.length; i += 1) { const option = select.options[i]; option.selected = ~value.indexOf(option.__value); } } function select_value(select) { const selected_option = select.querySelector(':checked') || select.options[0]; return selected_option && selected_option.__value; } function select_multiple_value(select) { return [].map.call(select.querySelectorAll(':checked'), option => option.__value); } // unfortunately this can't be a constant as that wouldn't be tree-shakeable // so we cache the result instead let crossorigin; function is_crossorigin() { if (crossorigin === undefined) { crossorigin = false; try { if (typeof window !== 'undefined' && window.parent) { void window.parent.document; } } catch (error) { crossorigin = true; } } return crossorigin; } function add_resize_listener(node, fn) { const computed_style = getComputedStyle(node); if (computed_style.position === 'static') { node.style.position = 'relative'; } const iframe = element('iframe'); iframe.setAttribute('style', 'display: block; position: absolute; top: 0; left: 0; width: 100%; height: 100%; ' + 'overflow: hidden; border: 0; opacity: 0; pointer-events: none; z-index: -1;'); iframe.setAttribute('aria-hidden', 'true'); iframe.tabIndex = -1; const crossorigin = is_crossorigin(); let unsubscribe; if (crossorigin) { iframe.src = "data:text/html,<script>onresize=function(){parent.postMessage(0,'*')}</script>"; unsubscribe = listen(window, 'message', (event) => { if (event.source === iframe.contentWindow) fn(); }); } else { iframe.src = 'about:blank'; iframe.onload = () => { unsubscribe = listen(iframe.contentWindow, 'resize', fn); }; } append(node, iframe); return () => { if (crossorigin) { unsubscribe(); } else if (unsubscribe && iframe.contentWindow) { unsubscribe(); } detach(iframe); }; } function toggle_class(element, name, toggle) { element.classList[toggle ? 'add' : 'remove'](name); } function custom_event(type, detail, bubbles = false) { const e = document.createEvent('CustomEvent'); e.initCustomEvent(type, bubbles, false, detail); return e; } function query_selector_all(selector, parent = document.body) { return Array.from(parent.querySelectorAll(selector)); } class HtmlTag { constructor() { this.e = this.n = null; } c(html) { this.h(html); } m(html, target, anchor = null) { if (!this.e) { this.e = element(target.nodeName); this.t = target; this.c(html); } this.i(anchor); } h(html) { this.e.innerHTML = html; this.n = Array.from(this.e.childNodes); } i(anchor) { for (let i = 0; i < this.n.length; i += 1) { insert(this.t, this.n[i], anchor); } } p(html) { this.d(); this.h(html); this.i(this.a); } d() { this.n.forEach(detach); } } class HtmlTagHydration extends HtmlTag { constructor(claimed_nodes) { super(); this.e = this.n = null; this.l = claimed_nodes; } c(html) { if (this.l) { this.n = this.l; } else { super.c(html); } } i(anchor) { for (let i = 0; i < this.n.length; i += 1) { insert_hydration(this.t, this.n[i], anchor); } } } function attribute_to_object(attributes) { const result = {}; for (const attribute of attributes) { result[attribute.name] = attribute.value; } return result; } function get_custom_elements_slots(element) { const result = {}; element.childNodes.forEach((node) => { result[node.slot || 'default'] = true; }); return result; } const active_docs = new Set(); let active = 0; // https://github.com/darkskyapp/string-hash/blob/master/index.js function hash(str) { let hash = 5381; let i = str.length; while (i--) hash = ((hash << 5) - hash) ^ str.charCodeAt(i); return hash >>> 0; } function create_rule(node, a, b, duration, delay, ease, fn, uid = 0) { const step = 16.666 / duration; let keyframes = '{\n'; for (let p = 0; p <= 1; p += step) { const t = a + (b - a) * ease(p); keyframes += p * 100 + `%{${fn(t, 1 - t)}}\n`; } const rule = keyframes + `100% {${fn(b, 1 - b)}}\n}`; const name = `__svelte_${hash(rule)}_${uid}`; const doc = get_root_for_style(node); active_docs.add(doc); const stylesheet = doc.__svelte_stylesheet || (doc.__svelte_stylesheet = append_empty_stylesheet(node).sheet); const current_rules = doc.__svelte_rules || (doc.__svelte_rules = {}); if (!current_rules[name]) { current_rules[name] = true; stylesheet.insertRule(`@keyframes ${name} ${rule}`, stylesheet.cssRules.length); } const animation = node.style.animation || ''; node.style.animation = `${animation ? `${animation}, ` : ''}${name} ${duration}ms linear ${delay}ms 1 both`; active += 1; return name; } function delete_rule(node, name) { const previous = (node.style.animation || '').split(', '); const next = previous.filter(name ? anim => anim.indexOf(name) < 0 // remove specific animation : anim => anim.indexOf('__svelte') === -1 // remove all Svelte animations ); const deleted = previous.length - next.length; if (deleted) { node.style.animation = next.join(', '); active -= deleted; if (!active) clear_rules(); } } function clear_rules() { raf(() => { if (active) return; active_docs.forEach(doc => { const stylesheet = doc.__svelte_stylesheet; let i = stylesheet.cssRules.length; while (i--) stylesheet.deleteRule(i); doc.__svelte_rules = {}; }); active_docs.clear(); }); } function create_animation(node, from, fn, params) { if (!from) return noop; const to = node.getBoundingClientRect(); if (from.left === to.left && from.right === to.right && from.top === to.top && from.bottom === to.bottom) return noop; const { delay = 0, duration = 300, easing = identity, // @ts-ignore todo: should this be separated from destructuring? Or start/end added to public api and documentation? start: start_time = now() + delay, // @ts-ignore todo: end = start_time + duration, tick = noop, css } = fn(node, { from, to }, params); let running = true; let started = false; let name; function start() { if (css) { name = create_rule(node, 0, 1, duration, delay, easing, css); } if (!delay) { started = true; } } function stop() { if (css) delete_rule(node, name); running = false; } loop(now => { if (!started && now >= start_time) { started = true; } if (started && now >= end) { tick(1, 0); stop(); } if (!running) { return false; } if (started) { const p = now - start_time; const t = 0 + 1 * easing(p / duration); tick(t, 1 - t); } return true; }); start(); tick(0, 1); return stop; } function fix_position(node) { const style = getComputedStyle(node); if (style.position !== 'absolute' && style.position !== 'fixed') { const { width, height } = style; const a = node.getBoundingClientRect(); node.style.position = 'absolute'; node.style.width = width; node.style.height = height; add_transform(node, a); } } function add_transform(node, a) { const b = node.getBoundingClientRect(); if (a.left !== b.left || a.top !== b.top) { const style = getComputedStyle(node); const transform = style.transform === 'none' ? '' : style.transform; node.style.transform = `${transform} translate(${a.left - b.left}px, ${a.top - b.top}px)`; } } let current_component; function set_current_component(component) { current_component = component; } function get_current_component() { if (!current_component) throw new Error('Function called outside component initialization'); return current_component; } function beforeUpdate(fn) { get_current_component().$$.before_update.push(fn); } function onMount(fn) { get_current_component().$$.on_mount.push(fn); } function afterUpdate(fn) { get_current_component().$$.after_update.push(fn); } function onDestroy(fn) { get_current_component().$$.on_destroy.push(fn); } function createEventDispatcher() { const component = get_current_component(); return (type, detail) => { const callbacks = component.$$.callbacks[type]; if (callbacks) { // TODO are there situations where events could be dispatched // in a server (non-DOM) environment? const event = custom_event(type, detail); callbacks.slice().forEach(fn => { fn.call(component, event); }); } }; } function setContext(key, context) { get_current_component().$$.context.set(key, context); } function getContext(key) { return get_current_component().$$.context.get(key); } function getAllContexts() { return get_current_component().$$.context; } function hasContext(key) { return get_current_component().$$.context.has(key); } // TODO figure out if we still want to support // shorthand events, or if we want to implement // a real bubbling mechanism function bubble(component, event) { const callbacks = component.$$.callbacks[event.type]; if (callbacks) { // @ts-ignore callbacks.slice().forEach(fn => fn.call(this, event)); } } const dirty_components = []; const intros = { enabled: false }; const binding_callbacks = []; const render_callbacks = []; const flush_callbacks = []; const resolved_promise = Promise.resolve(); let update_scheduled = false; function schedule_update() { if (!update_scheduled) { update_scheduled = true; resolved_promise.then(flush); } } function tick() { schedule_update(); return resolved_promise; } function add_render_callback(fn) { render_callbacks.push(fn); } function add_flush_callback(fn) { flush_callbacks.push(fn); } // flush() calls callbacks in this order: // 1. All beforeUpdate callbacks, in order: parents before children // 2. All bind:this callbacks, in reverse order: children before parents. // 3. All afterUpdate callbacks, in order: parents before children. EXCEPT // for afterUpdates called during the initial onMount, which are called in // reverse order: children before parents. // Since callbacks might update component values, which could trigger another // call to flush(), the following steps guard against this: // 1. During beforeUpdate, any updated components will be added to the // dirty_components array and will cause a reentrant call to flush(). Because // the flush index is kept outside the function, the reentrant call will pick // up where the earlier call left off and go through all dirty components. The // current_component value is saved and restored so that the reentrant call will // not interfere with the "parent" flush() call. // 2. bind:this callbacks cannot trigger new flush() calls. // 3. During afterUpdate, any updated components will NOT have their afterUpdate // callback called a second time; the seen_callbacks set, outside the flush() // function, guarantees this behavior. const seen_callbacks = new Set(); let flushidx = 0; // Do *not* move this inside the flush() function function flush() { const saved_component = current_component; do { // first, call beforeUpdate functions // and update components while (flushidx < dirty_components.length) { const component = dirty_components[flushidx]; flushidx++; set_current_component(component); update(component.$$); } set_current_component(null); dirty_components.length = 0; flushidx = 0; while (binding_callbacks.length) binding_callbacks.pop()(); // then, once components are updated, call // afterUpdate functions. This may cause // subsequent updates... for (let i = 0; i < render_callbacks.length; i += 1) { const callback = render_callbacks[i]; if (!seen_callbacks.has(callback)) { // ...so guard against infinite loops seen_callbacks.add(callback); callback(); } } render_callbacks.length = 0; } while (dirty_components.length); while (flush_callbacks.length) { flush_callbacks.pop()(); } update_scheduled = false; seen_callbacks.clear(); set_current_component(saved_component); } function update($$) { if ($$.fragment !== null) { $$.update(); run_all($$.before_update); const dirty = $$.dirty; $$.dirty = [-1]; $$.fragment && $$.fragment.p($$.ctx, dirty); $$.after_update.forEach(add_render_callback); } } let promise; function wait() { if (!promise) { promise = Promise.resolve(); promise.then(() => { promise = null; }); } return promise; } function dispatch(node, direction, kind) { node.dispatchEvent(custom_event(`${direction ? 'intro' : 'outro'}${kind}`)); } const outroing = new Set(); let outros; function group_outros() { outros = { r: 0, c: [], p: outros // parent group }; } function check_outros() { if (!outros.r) { run_all(outros.c); } outros = outros.p; } function transition_in(block, local) { if (block && block.i) { outroing.delete(block); block.i(local); } } function transition_out(block, local, detach, callback) { if (block && block.o) { if (outroing.has(block)) return; outroing.add(block); outros.c.push(() => { outroing.delete(block); if (callback) { if (detach) block.d(1); callback(); } }); block.o(local); } } const null_transition = { duration: 0 }; function create_in_transition(node, fn, params) { let config = fn(node, params); let running = false; let animation_name; let task; let uid = 0; function cleanup() { if (animation_name) delete_rule(node, animation_name); } function go() { const { delay = 0, duration = 300, easing = identity, tick = noop, css } = config || null_transition; if (css) animation_name = create_rule(node, 0, 1, duration, delay, easing, css, uid++); tick(0, 1); const start_time = now() + delay; const end_time = start_time + duration; if (task) task.abort(); running = true; add_render_callback(() => dispatch(node, true, 'start')); task = loop(now => { if (running) { if (now >= end_time) { tick(1, 0); dispatch(node, true, 'end'); cleanup(); return running = false; } if (now >= start_time) { const t = easing((now - start_time) / duration); tick(t, 1 - t); } } return running; }); } let started = false; return { start() { if (started) return; started = true; delete_rule(node); if (is_function(config)) { config = config(); wait().then(go); } else { go(); } }, invalidate() { started = false; }, end() { if (running) { cleanup(); running = false; } } }; } function create_out_transition(node, fn, params) { let config = fn(node, params); let running = true; let animation_name; const group = outros; group.r += 1; function go() { const { delay = 0, duration = 300, easing = identity, tick = noop, css } = config || null_transition; if (css) animation_name = create_rule(node, 1, 0, duration, delay, easing, css); const start_time = now() + delay; const end_time = start_time + duration; add_render_callback(() => dispatch(node, false, 'start')); loop(now => { if (running) { if (now >= end_time) { tick(0, 1); dispatch(node, false, 'end'); if (!--group.r) { // this will result in `end()` being called, // so we don't need to clean up here run_all(group.c); } return false; } if (now >= start_time) { const t = easing((now - start_time) / duration); tick(1 - t, t); } } return running; }); } if (is_function(config)) { wait().then(() => { // @ts-ignore config = config(); go(); }); } else { go(); } return { end(reset) { if (reset && config.tick) { config.tick(1, 0); } if (running) { if (animation_name) delete_rule(node, animation_name); running = false; } } }; } function create_bidirectional_transition(node, fn, params, intro) { let config = fn(node, params); let t = intro ? 0 : 1; let running_program = null; let pending_program = null; let animation_name = null; function clear_animation() { if (animation_name) delete_rule(node, animation_name); } function init(program, duration) { const d = (program.b - t); duration *= Math.abs(d); return { a: t, b: program.b, d, duration, start: program.start, end: program.start + duration, group: program.group }; } function go(b) { const { delay = 0, duration = 300, easing = identity, tick = noop, css } = config || null_transition; const program = { start: now() + delay, b }; if (!b) { // @ts-ignore todo: improve typings program.group = outros; outros.r += 1; } if (running_program || pending_program) { pending_program = program; } else { // if this is an intro, and there's a delay, we need to do // an initial tick and/or apply CSS animation immediately if (css) { clear_animation(); animation_name = create_rule(node, t, b, duration, delay, easing, css); } if (b) tick(0, 1); running_program = init(program, duration); add_render_callback(() => dispatch(node, b, 'start')); loop(now => { if (pending_program && now > pending_program.start) { running_program = init(pending_program, duration); pending_program = null; dispatch(node, running_program.b, 'start'); if (css) { clear_animation(); animation_name = create_rule(node, t, running_program.b, running_program.duration, 0, easing, config.css); } } if (running_program) { if (now >= running_program.end) { tick(t = running_program.b, 1 - t); dispatch(node, running_program.b, 'end'); if (!pending_program) { // we're done if (running_program.b) { // intro โ€” we can tidy up immediately clear_animation(); } else { // outro โ€” needs to be coordinated if (!--running_program.group.r) run_all(running_program.group.c); } } running_program = null; } else if (now >= running_program.start) { const p = now - running_program.start; t = running_program.a + running_program.d * easing(p / running_program.duration); tick(t, 1 - t); } } return !!(running_program || pending_program); }); } } return { run(b) { if (is_function(config)) { wait().then(() => { // @ts-ignore config = config(); go(b); }); } else { go(b); } }, end() { clear_animation(); running_program = pending_program = null; } }; } function handle_promise(promise, info) { const token = info.token = {}; function update(type, index, key, value) { if (info.token !== token) return; info.resolved = value; let child_ctx = info.ctx; if (key !== undefined) { child_ctx = child_ctx.slice(); child_ctx[key] = value; } const block = type && (info.current = type)(child_ctx); let needs_flush = false; if (info.block) { if (info.blocks) { info.blocks.forEach((block, i) => { if (i !== index && block) { group_outros(); transition_out(block, 1, 1, () => { if (info.blocks[i] === block) { info.blocks[i] = null; } }); check_outros(); } }); } else { info.block.d(1); } block.c(); transition_in(block, 1); block.m(info.mount(), info.anchor); needs_flush = true; } info.block = block; if (info.blocks) info.blocks[index] = block; if (needs_flush) { flush(); } } if (is_promise(promise)) { const current_component = get_current_component(); promise.then(value => { set_current_component(current_component); update(info.then, 1, info.value, value); set_current_component(null); }, error => { set_current_component(current_component); update(info.catch, 2, info.error, error); set_current_component(null); if (!info.hasCatch) { throw error; } }); // if we previously had a then/catch block, destroy it if (info.current !== info.pending) { update(info.pending, 0); return true; } } else { if (info.current !== info.then) { update(info.then, 1, info.value, promise); return true; } info.resolved = promise; } } function update_await_block_branch(info, ctx, dirty) { const child_ctx = ctx.slice(); const { resolved } = info; if (info.current === info.then) { child_ctx[info.value] = resolved; } if (info.current === info.catch) { child_ctx[info.error] = resolved; } info.block.p(child_ctx, dirty); } const globals = (typeof window !== 'undefined' ? window : typeof globalThis !== 'undefined' ? globalThis : __webpack_require__.g); function destroy_block(block, lookup) { block.d(1); lookup.delete(block.key); } function outro_and_destroy_block(block, lookup) { transition_out(block, 1, 1, () => { lookup.delete(block.key); }); } function fix_and_destroy_block(block, lookup) { block.f(); destroy_block(block, lookup); } function fix_and_outro_and_destroy_block(block, lookup) { block.f(); outro_and_destroy_block(block, lookup); } function update_keyed_each(old_blocks, dirty, get_key, dynamic, ctx, list, lookup, node, destroy, create_each_block, next, get_context) { let o = old_blocks.length; let n = list.length; let i = o; const old_indexes = {}; while (i--) old_indexes[old_blocks[i].key] = i; const new_blocks = []; const new_lookup = new Map(); const deltas = new Map(); i = n; while (i--) { const child_ctx = get_context(ctx, list, i); const key = get_key(child_ctx); let block = lookup.get(key); if (!block) { block = create_each_block(key, child_ctx); block.c(); } else if (dynamic) { block.p(child_ctx, dirty); } new_lookup.set(key, new_blocks[i] = block); if (key in old_indexes) deltas.set(key, Math.abs(i - old_indexes[key])); } const will_move = new Set(); const did_move = new Set(); function insert(block) { transition_in(block, 1); block.m(node, next); lookup.set(block.key, block); next = block.first; n--; } while (o && n) { const new_block = new_blocks[n - 1]; const old_block = old_blocks[o - 1]; const new_key = new_block.key; const old_key = old_block.key; if (new_block === old_block) { // do nothing next = new_block.first; o--; n--; } else if (!new_lookup.has(old_key)) { // remove old block destroy(old_block, lookup); o--; } else if (!lookup.has(new_key) || will_move.has(new_key)) { insert(new_block); } else if (did_move.has(old_key)) { o--; } else if (deltas.get(new_key) > deltas.get(old_key)) { did_move.add(new_key); insert(new_block); } else { will_move.add(old_key); o--; } } while (o--) { const old_block = old_blocks[o]; if (!new_lookup.has(old_block.key)) destroy(old_block, lookup); } while (n) insert(new_blocks[n - 1]); return new_blocks; } function validate_each_keys(ctx, list, get_context, get_key) { const keys = new Set(); for (let i = 0; i < list.length; i++) { const key = get_key(get_context(ctx, list, i)); if (keys.has(key)) { throw new Error('Cannot have duplicate keys in a keyed each'); } keys.add(key); } } function get_spread_update(levels, updates) { const update = {}; const to_null_out = {}; const accounted_for = { $$scope: 1 }; let i = levels.length; while (i--) { const o = levels[i]; const n = updates[i]; if (n) { for (const key in o) { if (!(key in n)) to_null_out[key] = 1; } for (const key in n) { if (!accounted_for[key]) { update[key] = n[key]; accounted_for[key] = 1; } } levels[i] = n; } else { for (const key in o) { accounted_for[key] = 1; } } } for (const key in to_null_out) { if (!(key in update)) update[key] = undefined; } return update; } function get_spread_object(spread_props) { return typeof spread_props === 'object' && spread_props !== null ? spread_props : {}; } // source: https://html.spec.whatwg.org/multipage/indices.html const boolean_attributes = new Set([ 'allowfullscreen', 'allowpaymentrequest', 'async', 'autofocus', 'autoplay', 'checked', 'controls', 'default', 'defer', 'disabled', 'formnovalidate', 'hidden', 'ismap', 'loop', 'multiple', 'muted', 'nomodule', 'novalidate', 'open', 'playsinline', 'readonly', 'required', 'reversed', 'selected' ]); const invalid_attribute_name_character = /[\s'">/=\u{FDD0}-\u{FDEF}\u{FFFE}\u{FFFF}\u{1FFFE}\u{1FFFF}\u{2FFFE}\u{2FFFF}\u{3FFFE}\u{3FFFF}\u{4FFFE}\u{4FFFF}\u{5FFFE}\u{5FFFF}\u{6FFFE}\u{6FFFF}\u{7FFFE}\u{7FFFF}\u{8FFFE}\u{8FFFF}\u{9FFFE}\u{9FFFF}\u{AFFFE}\u{AFFFF}\u{BFFFE}\u{BFFFF}\u{CFFFE}\u{CFFFF}\u{DFFFE}\u{DFFFF}\u{EFFFE}\u{EFFFF}\u{FFFFE}\u{FFFFF}\u{10FFFE}\u{10FFFF}]/u; // https://html.spec.whatwg.org/multipage/syntax.html#attributes-2 // https://infra.spec.whatwg.org/#noncharacter function spread(args, classes_to_add) { const attributes = Object.assign({}, ...args); if (classes_to_add) { if (attributes.class == null) { attributes.class = classes_to_add; } else { attributes.class += ' ' + classes_to_add; } } let str = ''; Object.keys(attributes).forEach(name => { if (invalid_attribute_name_character.test(name)) return; const value = attributes[name]; if (value === true) str += ' ' + name; else if (boolean_attributes.has(name.toLowerCase())) { if (value) str += ' ' + name; } else if (value != null) { str += ` ${name}="${value}"`; } }); return str; } const escaped = { '"': '&quot;', "'": '&#39;', '&': '&amp;', '<': '&lt;', '>': '&gt;' }; function escape(html) { return String(html).replace(/["'&<>]/g, match => escaped[match]); } function escape_attribute_value(value) { return typeof value === 'string' ? escape(value) : value; } function escape_object(obj) { const result = {}; for (const key in obj) { result[key] = escape_attribute_value(obj[key]); } return result; } function each(items, fn) { let str = ''; for (let i = 0; i < items.length; i += 1) { str += fn(items[i], i); } return str; } const missing_component = { $$render: () => '' }; function validate_component(component, name) { if (!component || !component.$$render) { if (name === 'svelte:component') name += ' this={...}'; throw new Error(`<${name}> is not a valid SSR component. You may need to review your build config to ensure that dependencies are compiled, rather than imported as pre-compiled modules`); } return component; } function debug(file, line, column, values) { console.log(`{@debug} ${file ? file + ' ' : ''}(${line}:${column})`); // eslint-disable-line no-console console.log(values); // eslint-disable-line no-console return ''; } let on_destroy; function create_ssr_component(fn) { function $$render(result, props, bindings, slots, context) { const parent_component = current_component; const $$ = { on_destroy, context: new Map(context || (parent_component ? parent_component.$$.context : [])), // these will be immediately discarded on_mount: [], before_update: [], after_update: [], callbacks: blank_object() }; set_current_component({ $$ }); const html = fn(result, props, bindings, slots); set_current_component(parent_component); return html; } return { render: (props = {}, { $$slots = {}, context = new Map() } = {}) => { on_destroy = []; const result = { title: '', head: '', css: new Set() }; const html = $$render(result, props, {}, $$slots, context); run_all(on_destroy); return { html, css: { code: Array.from(result.css).map(css => css.code).join('\n'), map: null // TODO }, head: result.title + result.head }; }, $$render }; } function add_attribute(name, value, boolean) { if (value == null || (boolean && !value)) return ''; return ` ${name}${value === true ? '' : `=${typeof value === 'string' ? JSON.stringify(escape(value)) : `"${value}"`}`}`; } function add_classes(classes) { return classes ? ` class="${classes}"` : ''; } function bind(component, name, callback) { const index = component.$$.props[name]; if (index !== undefined) { component.$$.bound[index] = callback; callback(component.$$.ctx[index]); } } function create_component(block) { block && block.c(); } function claim_component(block, parent_nodes) { block && block.l(parent_nodes); } function mount_component(component, target, anchor, customElement) { const { fragment, on_mount, on_destroy, after_update } = component.$$; fragment && fragment.m(target, anchor); if (!customElement) { // onMount happens before the initial afterUpdate add_render_callback(() => { const new_on_destroy = on_mount.map(run).filter(is_function); if (on_destroy) { on_destroy.push(...new_on_destroy); } else { // Edge case - component was destroyed immediately, // most likely as a result of a binding initialising run_all(new_on_destroy); } component.$$.on_mount = []; }); } after_update.forEach(add_render_callback); } function destroy_component(component, detaching) { const $$ = component.$$; if ($$.fragment !== null) { run_all($$.on_destroy); $$.fragment && $$.fragment.d(detaching); // TODO null out other refs, including component.$$ (but need to // preserve final state?) $$.on_destroy = $$.fragment = null; $$.ctx = []; } } function make_dirty(component, i) { if (component.$$.dirty[0] === -1) { dirty_components.push(component); schedule_update(); component.$$.dirty.fill(0); } component.$$.dirty[(i / 31) | 0] |= (1 << (i % 31)); } function init(component, options, instance, create_fragment, not_equal, props, append_styles, dirty = [-1]) { const parent_component = current_component; set_current_component(component); const $$ = component.$$ = { fragment: null, ctx: null, // state props, update: noop, not_equal, bound: blank_object(), // lifecycle on_mount: [], on_destroy: [], on_disconnect: [], before_update: [], after_update: [], context: new Map(options.context || (parent_component ? parent_component.$$.context : [])), // everything else callbacks: blank_object(), dirty, skip_bound: false, root: options.target || parent_component.$$.root }; append_styles && append_styles($$.root); let ready = false; $$.ctx = instance ? instance(component, options.props || {}, (i, ret, ...rest) => { const value = rest.length ? rest[0] : ret; if ($$.ctx && not_equal($$.ctx[i], $$.ctx[i] = value)) { if (!$$.skip_bound && $$.bound[i]) $$.bound[i](value); if (ready) make_dirty(component, i); } return ret; }) : []; $$.update(); ready = true; run_all($$.before_update); // `false` as a special case of no DOM component $$.fragment = create_fragment ? create_fragment($$.ctx) : false; if (options.target) { if (options.hydrate) { start_hydrating(); const nodes = children(options.target); // eslint-disable-next-line @typescript-eslint/no-non-null-assertion $$.fragment && $$.fragment.l(nodes); nodes.forEach(detach); } else { // eslint-disable-next-line @typescript-eslint/no-non-null-assertion $$.fragment && $$.fragment.c(); } if (options.intro) transition_in(component.$$.fragment); mount_component(component, options.target, options.anchor, options.customElement); end_hydrating(); flush(); } set_current_component(parent_component); } let SvelteElement; if (typeof HTMLElement === 'function') { SvelteElement = class extends HTMLElement { constructor() { super(); this.attachShadow({ mode: 'open' }); } connectedCallback() { const { on_mount } = this.$$; this.$$.on_disconnect = on_mount.map(run).filter(is_function); // @ts-ignore todo: improve typings for (const key in this.$$.slotted) { // @ts-ignore todo: improve typings this.appendChild(this.$$.slotted[key]); } } attributeChangedCallback(attr, _oldValue, newValue) { this[attr] = newValue; } disconnectedCallback() { run_all(this.$$.on_disconnect); } $destroy() { destroy_component(this, 1); this.$destroy = noop; } $on(type, callback) { // TODO should this delegate to addEventListener? const callbacks = (this.$$.callbacks[type] || (this.$$.callbacks[type] = [])); callbacks.push(callback); return () => { const index = callbacks.indexOf(callback); if (index !== -1) callbacks.splice(index, 1); }; } $set($$props) { if (this.$$set && !is_empty($$props)) { this.$$.skip_bound = true; this.$$set($$props); this.$$.skip_bound = false; } } }; } /** * Base class for Svelte components. Used when dev=false. */ class SvelteComponent { $destroy() { destroy_component(this, 1); this.$destroy = noop; } $on(type, callback) { const callbacks = (this.$$.callbacks[type] || (this.$$.callbacks[type] = [])); callbacks.push(callback); return () => { const index = callbacks.indexOf(callback); if (index !== -1) callbacks.splice(index, 1); }; } $set($$props) { if (this.$$set && !is_empty($$props)) { this.$$.skip_bound = true; this.$$set($$props); this.$$.skip_bound = false; } } } function dispatch_dev(type, detail) { document.dispatchEvent(custom_event(type, Object.assign({ version: '3.44.3' }, detail), true)); } function append_dev(target, node) { dispatch_dev('SvelteDOMInsert', { target, node }); append(target, node); } function append_hydration_dev(target, node) { dispatch_dev('SvelteDOMInsert', { target, node }); append_hydration(target, node); } function insert_dev(target, node, anchor) { dispatch_dev('SvelteDOMInsert', { target, node, anchor }); insert(target, node, anchor); } function insert_hydration_dev(target, node, anchor) { dispatch_dev('SvelteDOMInsert', { target, node, anchor }); insert_hydration(target, node, anchor); } function detach_dev(node) { dispatch_dev('SvelteDOMRemove', { node }); detach(node); } function detach_between_dev(before, after) { while (before.nextSibling && before.nextSibling !== after) { detach_dev(before.nextSibling); } } function detach_before_dev(after) { while (after.previousSibling) { detach_dev(after.previousSibling); } } function detach_after_dev(before) { while (before.nextSibling) { detach_dev(before.nextSibling); } } function listen_dev(node, event, handler, options, has_prevent_default, has_stop_propagation) { const modifiers = options === true ? ['capture'] : options ? Array.from(Object.keys(options)) : []; if (has_prevent_default) modifiers.push('preventDefault'); if (has_stop_propagation) modifiers.push('stopPropagation'); dispatch_dev('SvelteDOMAddEventListener', { node, event, handler, modifiers }); const dispose = listen(node, event, handler, options); return () => { dispatch_dev('SvelteDOMRemoveEventListener', { node, event, handler, modifiers }); dispose(); }; } function attr_dev(node, attribute, value) { attr(node, attribute, value); if (value == null) dispatch_dev('SvelteDOMRemoveAttribute', { node, attribute }); else dispatch_dev('SvelteDOMSetAttribute', { node, attribute, value }); } function prop_dev(node, property, value) { node[property] = value; dispatch_dev('SvelteDOMSetProperty', { node, property, value }); } function dataset_dev(node, property, value) { node.dataset[property] = value; dispatch_dev('SvelteDOMSetDataset', { node, property, value }); } function set_data_dev(text, data) { data = '' + data; if (text.wholeText === data) return; dispatch_dev('SvelteDOMSetData', { node: text, data }); text.data = data; } function validate_each_argument(arg) { if (typeof arg !== 'string' && !(arg && typeof arg === 'object' && 'length' in arg)) { let msg = '{#each} only iterates over array-like objects.'; if (typeof Symbol === 'function' && arg && Symbol.iterator in arg) { msg += ' You can use a spread to convert this iterable into an array.'; } throw new Error(msg); } } function validate_slots(name, slot, keys) { for (const slot_key of Object.keys(slot)) { if (!~keys.indexOf(slot_key)) { console.warn(`<${name}> received an unexpected slot "${slot_key}".`); } } } /** * Base class for Svelte components with some minor dev-enhancements. Used when dev=true. */ class SvelteComponentDev extends SvelteComponent { constructor(options) { if (!options || (!options.target && !options.$$inline)) { throw new Error("'target' is a required option"); } super(); } $destroy() { super.$destroy(); this.$destroy = () => { console.warn('Component was already destroyed'); // eslint-disable-line no-console }; } $capture_state() { } $inject_state() { } } /** * Base class to create strongly typed Svelte components. * This only exists for typing purposes and should be used in `.d.ts` files. * * ### Example: * * You have component library on npm called `component-library`, from which * you export a component called `MyComponent`. For Svelte+TypeScript users, * you want to provide typings. Therefore you create a `index.d.ts`: * ```ts * import { SvelteComponentTyped } from "svelte"; * export class MyComponent extends SvelteComponentTyped<{foo: string}> {} * ``` * Typing this makes it possible for IDEs like VS Code with the Svelte extension * to provide intellisense and to use the component like this in a Svelte file * with TypeScript: * ```svelte * <script lang="ts"> * import { MyComponent } from "component-library"; * </script> * <MyComponent foo={'bar'} /> * ``` * * #### Why not make this part of `SvelteComponent(Dev)`? * Because * ```ts * class ASubclassOfSvelteComponent extends SvelteComponent<{foo: string}> {} * const component: typeof SvelteComponent = ASubclassOfSvelteComponent; * ``` * will throw a type error, so we need to separate the more strictly typed class. */ class SvelteComponentTyped extends SvelteComponentDev { constructor(options) { super(options); } } function loop_guard(timeout) { const start = Date.now(); return () => { if (Date.now() - start > timeout) { throw new Error('Infinite loop detected'); } }; } /***/ }) }]); //# sourceMappingURL=vendors-node_modules_svelte_index_mjs.8c87196f35a3feefaf57.js.map
yuuno
/yuuno-1.4.tar.gz/yuuno-1.4/yuuno_jupyterlab/static/static/vendors-node_modules_svelte_index_mjs.8c87196f35a3feefaf57.js
vendors-node_modules_svelte_index_mjs.8c87196f35a3feefaf57.js
"use strict"; (self["webpackChunk_yuuno_jupyterlab"] = self["webpackChunk_yuuno_jupyterlab"] || []).push([["vendors-node_modules_css-loader_dist_runtime_api_js-node_modules_css-loader_dist_runtime_cssW-72eba1"],{ /***/ "./node_modules/css-loader/dist/runtime/api.js": /*!*****************************************************!*\ !*** ./node_modules/css-loader/dist/runtime/api.js ***! \*****************************************************/ /***/ ((module) => { /* MIT License http://www.opensource.org/licenses/mit-license.php Author Tobias Koppers @sokra */ // css base code, injected by the css-loader // eslint-disable-next-line func-names module.exports = function (cssWithMappingToString) { var list = []; // return the list of modules as css string list.toString = function toString() { return this.map(function (item) { var content = cssWithMappingToString(item); if (item[2]) { return "@media ".concat(item[2], " {").concat(content, "}"); } return content; }).join(""); }; // import a list of modules into the list // eslint-disable-next-line func-names list.i = function (modules, mediaQuery, dedupe) { if (typeof modules === "string") { // eslint-disable-next-line no-param-reassign modules = [[null, modules, ""]]; } var alreadyImportedModules = {}; if (dedupe) { for (var i = 0; i < this.length; i++) { // eslint-disable-next-line prefer-destructuring var id = this[i][0]; if (id != null) { alreadyImportedModules[id] = true; } } } for (var _i = 0; _i < modules.length; _i++) { var item = [].concat(modules[_i]); if (dedupe && alreadyImportedModules[item[0]]) { // eslint-disable-next-line no-continue continue; } if (mediaQuery) { if (!item[2]) { item[2] = mediaQuery; } else { item[2] = "".concat(mediaQuery, " and ").concat(item[2]); } } list.push(item); } }; return list; }; /***/ }), /***/ "./node_modules/css-loader/dist/runtime/cssWithMappingToString.js": /*!************************************************************************!*\ !*** ./node_modules/css-loader/dist/runtime/cssWithMappingToString.js ***! \************************************************************************/ /***/ ((module) => { function _slicedToArray(arr, i) { return _arrayWithHoles(arr) || _iterableToArrayLimit(arr, i) || _unsupportedIterableToArray(arr, i) || _nonIterableRest(); } function _nonIterableRest() { throw new TypeError("Invalid attempt to destructure non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method."); } function _unsupportedIterableToArray(o, minLen) { if (!o) return; if (typeof o === "string") return _arrayLikeToArray(o, minLen); var n = Object.prototype.toString.call(o).slice(8, -1); if (n === "Object" && o.constructor) n = o.constructor.name; if (n === "Map" || n === "Set") return Array.from(o); if (n === "Arguments" || /^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n)) return _arrayLikeToArray(o, minLen); } function _arrayLikeToArray(arr, len) { if (len == null || len > arr.length) len = arr.length; for (var i = 0, arr2 = new Array(len); i < len; i++) { arr2[i] = arr[i]; } return arr2; } function _iterableToArrayLimit(arr, i) { var _i = arr && (typeof Symbol !== "undefined" && arr[Symbol.iterator] || arr["@@iterator"]); if (_i == null) return; var _arr = []; var _n = true; var _d = false; var _s, _e; try { for (_i = _i.call(arr); !(_n = (_s = _i.next()).done); _n = true) { _arr.push(_s.value); if (i && _arr.length === i) break; } } catch (err) { _d = true; _e = err; } finally { try { if (!_n && _i["return"] != null) _i["return"](); } finally { if (_d) throw _e; } } return _arr; } function _arrayWithHoles(arr) { if (Array.isArray(arr)) return arr; } module.exports = function cssWithMappingToString(item) { var _item = _slicedToArray(item, 4), content = _item[1], cssMapping = _item[3]; if (!cssMapping) { return content; } if (typeof btoa === "function") { // eslint-disable-next-line no-undef var base64 = btoa(unescape(encodeURIComponent(JSON.stringify(cssMapping)))); var data = "sourceMappingURL=data:application/json;charset=utf-8;base64,".concat(base64); var sourceMapping = "/*# ".concat(data, " */"); var sourceURLs = cssMapping.sources.map(function (source) { return "/*# sourceURL=".concat(cssMapping.sourceRoot || "").concat(source, " */"); }); return [content].concat(sourceURLs).concat([sourceMapping]).join("\n"); } return [content].join("\n"); }; /***/ }), /***/ "./node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js": /*!****************************************************************************!*\ !*** ./node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js ***! \****************************************************************************/ /***/ ((module, __unused_webpack_exports, __webpack_require__) => { var isOldIE = function isOldIE() { var memo; return function memorize() { if (typeof memo === 'undefined') { // Test for IE <= 9 as proposed by Browserhacks // @see http://browserhacks.com/#hack-e71d8692f65334173fee715c222cb805 // Tests for existence of standard globals is to allow style-loader // to operate correctly into non-standard environments // @see https://github.com/webpack-contrib/style-loader/issues/177 memo = Boolean(window && document && document.all && !window.atob); } return memo; }; }(); var getTarget = function getTarget() { var memo = {}; return function memorize(target) { if (typeof memo[target] === 'undefined') { var styleTarget = document.querySelector(target); // Special case to return head of iframe instead of iframe itself if (window.HTMLIFrameElement && styleTarget instanceof window.HTMLIFrameElement) { try { // This will throw an exception if access to iframe is blocked // due to cross-origin restrictions styleTarget = styleTarget.contentDocument.head; } catch (e) { // istanbul ignore next styleTarget = null; } } memo[target] = styleTarget; } return memo[target]; }; }(); var stylesInDom = []; function getIndexByIdentifier(identifier) { var result = -1; for (var i = 0; i < stylesInDom.length; i++) { if (stylesInDom[i].identifier === identifier) { result = i; break; } } return result; } function modulesToDom(list, options) { var idCountMap = {}; var identifiers = []; for (var i = 0; i < list.length; i++) { var item = list[i]; var id = options.base ? item[0] + options.base : item[0]; var count = idCountMap[id] || 0; var identifier = "".concat(id, " ").concat(count); idCountMap[id] = count + 1; var index = getIndexByIdentifier(identifier); var obj = { css: item[1], media: item[2], sourceMap: item[3] }; if (index !== -1) { stylesInDom[index].references++; stylesInDom[index].updater(obj); } else { stylesInDom.push({ identifier: identifier, updater: addStyle(obj, options), references: 1 }); } identifiers.push(identifier); } return identifiers; } function insertStyleElement(options) { var style = document.createElement('style'); var attributes = options.attributes || {}; if (typeof attributes.nonce === 'undefined') { var nonce = true ? __webpack_require__.nc : 0; if (nonce) { attributes.nonce = nonce; } } Object.keys(attributes).forEach(function (key) { style.setAttribute(key, attributes[key]); }); if (typeof options.insert === 'function') { options.insert(style); } else { var target = getTarget(options.insert || 'head'); if (!target) { throw new Error("Couldn't find a style target. This probably means that the value for the 'insert' parameter is invalid."); } target.appendChild(style); } return style; } function removeStyleElement(style) { // istanbul ignore if if (style.parentNode === null) { return false; } style.parentNode.removeChild(style); } /* istanbul ignore next */ var replaceText = function replaceText() { var textStore = []; return function replace(index, replacement) { textStore[index] = replacement; return textStore.filter(Boolean).join('\n'); }; }(); function applyToSingletonTag(style, index, remove, obj) { var css = remove ? '' : obj.media ? "@media ".concat(obj.media, " {").concat(obj.css, "}") : obj.css; // For old IE /* istanbul ignore if */ if (style.styleSheet) { style.styleSheet.cssText = replaceText(index, css); } else { var cssNode = document.createTextNode(css); var childNodes = style.childNodes; if (childNodes[index]) { style.removeChild(childNodes[index]); } if (childNodes.length) { style.insertBefore(cssNode, childNodes[index]); } else { style.appendChild(cssNode); } } } function applyToTag(style, options, obj) { var css = obj.css; var media = obj.media; var sourceMap = obj.sourceMap; if (media) { style.setAttribute('media', media); } else { style.removeAttribute('media'); } if (sourceMap && typeof btoa !== 'undefined') { css += "\n/*# sourceMappingURL=data:application/json;base64,".concat(btoa(unescape(encodeURIComponent(JSON.stringify(sourceMap)))), " */"); } // For old IE /* istanbul ignore if */ if (style.styleSheet) { style.styleSheet.cssText = css; } else { while (style.firstChild) { style.removeChild(style.firstChild); } style.appendChild(document.createTextNode(css)); } } var singleton = null; var singletonCounter = 0; function addStyle(obj, options) { var style; var update; var remove; if (options.singleton) { var styleIndex = singletonCounter++; style = singleton || (singleton = insertStyleElement(options)); update = applyToSingletonTag.bind(null, style, styleIndex, false); remove = applyToSingletonTag.bind(null, style, styleIndex, true); } else { style = insertStyleElement(options); update = applyToTag.bind(null, style, options); remove = function remove() { removeStyleElement(style); }; } update(obj); return function updateStyle(newObj) { if (newObj) { if (newObj.css === obj.css && newObj.media === obj.media && newObj.sourceMap === obj.sourceMap) { return; } update(obj = newObj); } else { remove(); } }; } module.exports = function (list, options) { options = options || {}; // Force single-tag solution on IE6-9, which has a hard limit on the # of <style> // tags it will allow on a page if (!options.singleton && typeof options.singleton !== 'boolean') { options.singleton = isOldIE(); } list = list || []; var lastIdentifiers = modulesToDom(list, options); return function update(newList) { newList = newList || []; if (Object.prototype.toString.call(newList) !== '[object Array]') { return; } for (var i = 0; i < lastIdentifiers.length; i++) { var identifier = lastIdentifiers[i]; var index = getIndexByIdentifier(identifier); stylesInDom[index].references--; } var newLastIdentifiers = modulesToDom(newList, options); for (var _i = 0; _i < lastIdentifiers.length; _i++) { var _identifier = lastIdentifiers[_i]; var _index = getIndexByIdentifier(_identifier); if (stylesInDom[_index].references === 0) { stylesInDom[_index].updater(); stylesInDom.splice(_index, 1); } } lastIdentifiers = newLastIdentifiers; }; }; /***/ }) }]); //# sourceMappingURL=vendors-node_modules_css-loader_dist_runtime_api_js-node_modules_css-loader_dist_runtime_cssW-72eba1.1ec5ea217651b461b775.js.map
yuuno
/yuuno-1.4.tar.gz/yuuno-1.4/yuuno_jupyterlab/static/static/vendors-node_modules_css-loader_dist_runtime_api_js-node_modules_css-loader_dist_runtime_cssW-72eba1.1ec5ea217651b461b775.js
vendors-node_modules_css-loader_dist_runtime_api_js-node_modules_css-loader_dist_runtime_cssW-72eba1.1ec5ea217651b461b775.js
(self["webpackChunk_yuuno_jupyterlab"] = self["webpackChunk_yuuno_jupyterlab"] || []).push([["node_modules_xterm-addon-fit_lib_xterm-addon-fit_js"],{ /***/ "./node_modules/xterm-addon-fit/lib/xterm-addon-fit.js": /*!*************************************************************!*\ !*** ./node_modules/xterm-addon-fit/lib/xterm-addon-fit.js ***! \*************************************************************/ /***/ ((module) => { !function(e,t){ true?module.exports=t():0}(self,(function(){return(()=>{"use strict";var e={775:(e,t)=>{Object.defineProperty(t,"__esModule",{value:!0}),t.FitAddon=void 0;var r=function(){function e(){}return e.prototype.activate=function(e){this._terminal=e},e.prototype.dispose=function(){},e.prototype.fit=function(){var e=this.proposeDimensions();if(e&&this._terminal){var t=this._terminal._core;this._terminal.rows===e.rows&&this._terminal.cols===e.cols||(t._renderService.clear(),this._terminal.resize(e.cols,e.rows))}},e.prototype.proposeDimensions=function(){if(this._terminal&&this._terminal.element&&this._terminal.element.parentElement){var e=this._terminal._core;if(0!==e._renderService.dimensions.actualCellWidth&&0!==e._renderService.dimensions.actualCellHeight){var t=window.getComputedStyle(this._terminal.element.parentElement),r=parseInt(t.getPropertyValue("height")),i=Math.max(0,parseInt(t.getPropertyValue("width"))),n=window.getComputedStyle(this._terminal.element),o=r-(parseInt(n.getPropertyValue("padding-top"))+parseInt(n.getPropertyValue("padding-bottom"))),a=i-(parseInt(n.getPropertyValue("padding-right"))+parseInt(n.getPropertyValue("padding-left")))-e.viewport.scrollBarWidth;return{cols:Math.max(2,Math.floor(a/e._renderService.dimensions.actualCellWidth)),rows:Math.max(1,Math.floor(o/e._renderService.dimensions.actualCellHeight))}}}},e}();t.FitAddon=r}},t={};return function r(i){if(t[i])return t[i].exports;var n=t[i]={exports:{}};return e[i](n,n.exports,r),n.exports}(775)})()})); //# sourceMappingURL=xterm-addon-fit.js.map /***/ }) }]); //# sourceMappingURL=node_modules_xterm-addon-fit_lib_xterm-addon-fit_js.d5085c68658a9a02c319.js.map
yuuno
/yuuno-1.4.tar.gz/yuuno-1.4/yuuno_jupyterlab/static/static/node_modules_xterm-addon-fit_lib_xterm-addon-fit_js.d5085c68658a9a02c319.js
node_modules_xterm-addon-fit_lib_xterm-addon-fit_js.d5085c68658a9a02c319.js
"use strict"; (self["webpackChunk_yuuno_jupyterlab"] = self["webpackChunk_yuuno_jupyterlab"] || []).push([["lib_index_js"],{ /***/ "./lib/index.js": /*!**********************!*\ !*** ./lib/index.js ***! \**********************/ /***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) => { __webpack_require__.r(__webpack_exports__); /* harmony export */ __webpack_require__.d(__webpack_exports__, { /* harmony export */ "default": () => (__WEBPACK_DEFAULT_EXPORT__) /* harmony export */ }); /* harmony import */ var _jupyterlab_settingregistry__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! @jupyterlab/settingregistry */ "webpack/sharing/consume/default/@jupyterlab/settingregistry"); /* harmony import */ var _jupyterlab_settingregistry__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(_jupyterlab_settingregistry__WEBPACK_IMPORTED_MODULE_0__); /* harmony import */ var _jupyter_widgets_base__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! @jupyter-widgets/base */ "webpack/sharing/consume/default/@jupyter-widgets/base"); /* harmony import */ var _jupyter_widgets_base__WEBPACK_IMPORTED_MODULE_1___default = /*#__PURE__*/__webpack_require__.n(_jupyter_widgets_base__WEBPACK_IMPORTED_MODULE_1__); /* harmony import */ var _widgets_preview_index__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./widgets/preview/index */ "./lib/widgets/preview/index.js"); /* harmony import */ var _widgets_encode_index__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ./widgets/encode/index */ "./lib/widgets/encode/index.js"); /* harmony import */ var _widgets_audio_index__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ./widgets/audio/index */ "./lib/widgets/audio/index.js"); /** * Initialization data for the @yuuno/jupyterlab extension. */ const plugin = { id: '@yuuno/jupyterlab:plugin', autoStart: true, requires: [_jupyter_widgets_base__WEBPACK_IMPORTED_MODULE_1__.IJupyterWidgetRegistry], optional: [_jupyterlab_settingregistry__WEBPACK_IMPORTED_MODULE_0__.ISettingRegistry], activate: (app, widgets, settingRegistry) => { console.log('JupyterLab extension @yuuno/jupyterlab is activated!'); widgets.registerWidget({ name: "@yuuno/jupyter", version: "1.2.0", exports: { PreviewWindowWidget: _widgets_preview_index__WEBPACK_IMPORTED_MODULE_2__.PreviewWindowWidget, EncodeWindowWidget: _widgets_encode_index__WEBPACK_IMPORTED_MODULE_3__.EncodeWindowWidget, AudioPlaybackWidget: _widgets_audio_index__WEBPACK_IMPORTED_MODULE_4__.AudioPlaybackWidget } }); console.log('@yuuno/jupyterlab: Widgets registered.'); if (settingRegistry) { settingRegistry .load(plugin.id) .then(settings => { console.log('@yuuno/jupyterlab settings loaded:', settings.composite); }) .catch(reason => { console.error('Failed to load settings for @yuuno/jupyterlab.', reason); }); } // requestAPI<any>('get_example') // .then(data => { // console.log(data); // }) // .catch(reason => { // console.error( // `The yuuno_jupyterlab server extension appears to be missing.\n${reason}` // ); // }); } }; /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (plugin); /***/ }), /***/ "./lib/model-rpc.js": /*!**************************!*\ !*** ./lib/model-rpc.js ***! \**************************/ /***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) => { __webpack_require__.r(__webpack_exports__); /* harmony export */ __webpack_require__.d(__webpack_exports__, { /* harmony export */ "WidgetChannel": () => (/* binding */ WidgetChannel) /* harmony export */ }); class WidgetChannel { constructor(model) { this.model = model; } /** * Sends a message through this channel. */ async send(message) { const buffers = ("buffers" in message ? message.buffers : []) || []; if ("buffers" in message) delete message["buffers"]; this.model.send(message, buffers); } /** * Subscribe to messages. */ subscribe(subscriber) { const cb = (content, buffers) => { if (buffers.length > 0) { content.buffers = buffers.map((b) => { if (b instanceof ArrayBuffer) { return b; } else { var dst = new ArrayBuffer(b.byteLength); new Uint8Array(dst).set(new Uint8Array(b.buffer)); return dst; } }); } subscriber(content); }; this.model.on("msg:custom", cb); return () => { this.model.off("msg:custom", cb); }; } ; } /***/ }), /***/ "./lib/rpc.js": /*!********************!*\ !*** ./lib/rpc.js ***! \********************/ /***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) => { __webpack_require__.r(__webpack_exports__); /* harmony export */ __webpack_require__.d(__webpack_exports__, { /* harmony export */ "RPCServer": () => (/* binding */ RPCServer), /* harmony export */ "RPCClient": () => (/* binding */ RPCClient), /* harmony export */ "timeout": () => (/* binding */ timeout), /* harmony export */ "race": () => (/* binding */ race) /* harmony export */ }); let _instance_counter = 0; class RPCServer { constructor(functions, channel) { this.functions = functions; this.channel = channel; this.subscription = null; } _closeSubscription() { if (this.subscription !== null) { this.subscription(); this.subscription = null; } } open() { this._closeSubscription(); this.subscription = this.channel.subscribe((p) => this._receive(p).catch(console.log)); } close() { this._closeSubscription(); } async _send(packet) { if (this.subscription === null) return; this.channel.send(packet); } async _receive(packet) { if (!packet.id) { await this._send({ id: "", type: "failure", payload: "Unknown ID" }); return; } if (!packet.type) { await this._send({ id: packet.id, type: "failure", payload: "No method called." }); return; } if (!(packet.type in this.functions)) { await this._send({ id: packet.id, type: "failure", payload: "Unknown method." }); return; } let input_buffers = []; if (!!packet.buffers) { input_buffers = packet.buffers; delete packet.buffers; } let result = undefined; try { let raw_result = this.functions[packet.type]; let p_result = raw_result(packet.payload, input_buffers); if ("then" in p_result) result = await p_result; else result = raw_result; } catch (e) { await this._send({ id: packet.id, type: "failure", payload: e.toString() }); return; } let buffers = []; if ("buffers" in result) { buffers = result.buffers; delete result["buffers"]; } await this._send({ id: packet.id, type: "response", payload: result, buffers: buffers }); } } class RPCClient { constructor(channel) { this._requests = new Map(); this._instance_number = _instance_counter++; this._current_packet_counter = 0; this.channel = channel; this.subscription = null; } _closeSubscription() { if (this.subscription !== null) { this.subscription(); this.subscription = null; } } open() { this._closeSubscription(); this.subscription = this.channel.subscribe((pkt) => this._receive(pkt)); } _receive(packet) { // Drop packets not for us. if (!this._requests.has(packet.id)) return; const awaiter = this._requests.get(packet.id); this._requests.delete(packet.id); awaiter(packet); } makeProxy(cancel) { const cache = { open: () => this.open(), close: () => this.close() }; return new Proxy(cache, { get: (_, name) => { return name in cache ? cache[name] : (cache[name] = (payload = {}, buffers = undefined) => { return this.request(name.toString(), payload, buffers, cancel); }); } }); } request(name, payload, buffers = undefined, cancel) { const id = `${this._instance_number}--${this._current_packet_counter++}`; return new Promise((rs, rj) => { let finished = () => { }; const awaiter = (packet) => { if (packet === null) { rj(new Error("Client closed.")); return; } finished(); if (!!packet.buffers) { packet.payload.buffers = packet.buffers; } if (packet.type == "failure") { rj(packet.payload); } else { rs(packet.payload); } }; if (cancel !== undefined) { finished = cancel(() => { this._requests.delete(id); rj(new Error("Request timed out.")); }); } this._requests.set(id, awaiter); this.channel.send({ id, type: name, payload, buffers }); }); } close() { this._closeSubscription(); const awaiters = [...this._requests.values()]; this._requests.clear(); for (let awaiter of awaiters) awaiter(null); } } function timeout(time) { return (cancel) => { const id = setTimeout(() => cancel(), time); return () => clearTimeout(id); }; } function race(other) { return (cancel) => { other.then(() => cancel(), () => cancel()); return () => { }; }; } /***/ }), /***/ "./lib/svelte-widget.js": /*!******************************!*\ !*** ./lib/svelte-widget.js ***! \******************************/ /***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) => { __webpack_require__.r(__webpack_exports__); /* harmony export */ __webpack_require__.d(__webpack_exports__, { /* harmony export */ "SvelteWidgetView": () => (/* binding */ SvelteWidgetView), /* harmony export */ "widgetFor": () => (/* binding */ widgetFor) /* harmony export */ }); /* harmony import */ var _jupyter_widgets_base__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! @jupyter-widgets/base */ "webpack/sharing/consume/default/@jupyter-widgets/base"); /* harmony import */ var _jupyter_widgets_base__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(_jupyter_widgets_base__WEBPACK_IMPORTED_MODULE_0__); /** * Simple Wrapper-Type for Svelte Components. */ class SvelteWidgetView extends _jupyter_widgets_base__WEBPACK_IMPORTED_MODULE_0__.DOMWidgetView { constructor() { super(...arguments); this.component = null; } /** * Destroys a svelte component. */ _destroyComponent() { if (this.component !== null) { this.component.$destroy(); this.component = null; } } /** * Renders the svelte component. * * Svelte will subscribe to model changes it cares about by itself. */ render() { this._destroyComponent(); this.component = this.buildComponent(); } /** * Unmounts a svelte component. */ remove() { this._destroyComponent(); return super.remove(); } } /** * Creates a new class for a specific widget. */ function widgetFor(c) { return class SvelteWidgetImpl extends SvelteWidgetView { buildComponent() { return new c({ target: this.el, props: { component: this.model } }); } }; } /***/ }), /***/ "./lib/utils.js": /*!**********************!*\ !*** ./lib/utils.js ***! \**********************/ /***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) => { __webpack_require__.r(__webpack_exports__); /* harmony export */ __webpack_require__.d(__webpack_exports__, { /* harmony export */ "model_attribute": () => (/* binding */ model_attribute), /* harmony export */ "debounce": () => (/* binding */ debounce) /* harmony export */ }); /** * Creates a Svelte-Store out of a backbone model attribute. * * @param model The backbone model this to attach * @param name The name of the attribute to watch. */ function model_attribute(model, name) { return { // Just set the value set(value) { model.set(name, value); model.save(); }, // Change the value. update(updater) { model.set(name, updater(model.get(name))); }, // Subscribe to changes to the value. subscribe(subscriber) { // Create our own function instance to make sure // one can remove it again with the Unsubscriber. const cb = (_, value) => { subscriber(value); }; model.on(`change:${name}`, cb); subscriber(model.get(name)); return () => { model.off(`change:${name}`, cb); }; } }; } function debounce(time, parent) { let currentId = -1; return { set(value) { if (currentId != -1) clearTimeout(currentId); currentId = setTimeout(() => { currentId = -1; parent.set(value); }, time); }, update(update) { parent.update(update); }, subscribe(subscriber) { return parent.subscribe(subscriber); } }; } /***/ }), /***/ "./lib/widgets/audio/index.js": /*!************************************!*\ !*** ./lib/widgets/audio/index.js ***! \************************************/ /***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) => { __webpack_require__.r(__webpack_exports__); /* harmony export */ __webpack_require__.d(__webpack_exports__, { /* harmony export */ "AudioPlaybackWidget": () => (/* binding */ AudioPlaybackWidget) /* harmony export */ }); /* harmony import */ var _Widget_svelte__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./Widget.svelte */ "./lib/widgets/audio/Widget.svelte"); /* harmony import */ var _svelte_widget__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../svelte-widget */ "./lib/svelte-widget.js"); const AudioPlaybackWidget = (0,_svelte_widget__WEBPACK_IMPORTED_MODULE_0__.widgetFor)(_Widget_svelte__WEBPACK_IMPORTED_MODULE_1__["default"]); /***/ }), /***/ "./lib/widgets/audio/player.js": /*!*************************************!*\ !*** ./lib/widgets/audio/player.js ***! \*************************************/ /***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) => { __webpack_require__.r(__webpack_exports__); /* harmony export */ __webpack_require__.d(__webpack_exports__, { /* harmony export */ "AudioPlayer": () => (/* binding */ AudioPlayer) /* harmony export */ }); const COMBINED_FRAMES = 24; const SAMPLES_PER_VS_FRAME = 3072; const SAMPLES_PER_REQUEST = COMBINED_FRAMES * SAMPLES_PER_VS_FRAME; // How many seconds should be loaded before // playback should resume. const PREFETCH_SECONDS = 5; // How many seconds can be buffered before we // pause requesting new chunks every second. const BUFFER_HIGH_MARK_SECONDS = 30; // How many seconds should be left before we // suspend the audio. const BUFFER_LOW_MARK_SECONDS = 2; function calculatePosition(sample) { const frame = Math.floor(sample / SAMPLES_PER_REQUEST); const offset = sample % SAMPLES_PER_REQUEST; return [frame, offset]; } async function clock(tickTime, tick) { let skipped = 0; let shouldContinue = true; do { const start = new Date().valueOf(); shouldContinue = await tick(skipped); const end = new Date().valueOf(); const dT = end - start; if (dT < tickTime) { skipped = 0; if (tickTime - dT < 100) continue; // Increase stability by skipping timeout on short times. await new Promise(rs => setTimeout(rs, tickTime - dT)); } else { skipped = Math.ceil(tickTime / dT); } } while (shouldContinue); } function microtask(func) { new Promise(rs => rs()).then(() => func()); } class AudioPlayer { constructor(source) { this._paused = true; this._onpause = null; this.ontick = () => { }; this.source = source; } get playable() { return this._onpause === null; } async play(startAt = 0) { if (!this._paused) return; if (this._onpause !== null) return; this._paused = false; // Ensure we have a full integer start at. startAt = Math.floor(startAt); // Make sure the metadata is loaded. await this.source.loadMetadata(); // Create a new audio context and suspend it until we got the data we need. const ctx = new AudioContext(); await ctx.suspend(); // Register the neccessary callbacks. this._onpause = () => ctx.suspend(); // Find out where the seeked position starts at. let [nextFrame, currentOffset] = calculatePosition(startAt); // Calculation for the UI. let currentSecond = 0; const startSecond = startAt / this.source.sample_rate; const maxLength = (this.source.samples - startAt) / this.source.sample_rate; // Schedule a callback to inform the UI of the new state. let lastCurrentTime = 0; clock(500, async () => { if (ctx.state !== "closed") lastCurrentTime = ctx.currentTime; const event = { currentTime: Math.min(lastCurrentTime, maxLength) + startSecond, bufferSecond: Math.min(currentSecond, maxLength) + startSecond, playing: !this._paused }; microtask(() => { this.ontick(event); }); return !this._paused; }).catch(console.error); let lastBuffers; if (SAMPLES_PER_REQUEST - currentOffset > this.source.sample_rate) { // 1. >1 second left at the sample to start: // Make the offset negative to cause the initial buffer to // take from beyond the start of b2 below. // // <OFFSET> // SECOND |----------------| // BUFFER |-----------------------------|:-----.... // // or before: lastBuffers = new Array(this.source.channels); lastBuffers.fill(new ArrayBuffer(SAMPLES_PER_REQUEST * 4)); currentOffset *= -1; } else { // 2. <1 second left: // Prefetch the buffer and set it as the last buffer. // <-- OFFSET --> // SECOND |----------------| // BUFFER |-----------------------------|:-----.... await this.source.render(nextFrame, (_, __, buffers) => { lastBuffers = buffers; return false; }); nextFrame++; currentOffset = SAMPLES_PER_REQUEST - currentOffset; } try { await clock(1000, async (skipped) => { if (this._paused) return false; // If we finished rendering the node, play to the end. if (nextFrame >= this.source.frames) { return currentSecond >= ctx.currentTime; } // Stop rendering after having buffered for 30 seconds and we did not skip any ticks. if (skipped == 0 && currentSecond - ctx.currentTime > BUFFER_HIGH_MARK_SECONDS) return true; // All other cases: Process additional frames await this.source.render(nextFrame, (frameNo, _, buffers) => { // Bail on pausing. if (this._paused) return false; if (currentSecond - ctx.currentTime < BUFFER_LOW_MARK_SECONDS) { ctx.suspend(); } // Advance the frame counter. nextFrame = frameNo + 1; // Build the AudioBuffer instances that we can construct. // All of them are for exactly one full second. const result = buildBuffer(this.source, lastBuffers, buffers, currentOffset, this.source.sample_rate); currentOffset = result[1]; lastBuffers = buffers; // Queue the samples. for (let audio of result[0]) { const node = new AudioBufferSourceNode(ctx, { buffer: audio }); node.connect(ctx.destination); node.start(currentSecond++); } // Stop fetching additional chunks if we step over prefetch. return currentSecond - ctx.currentTime < PREFETCH_SECONDS; }); if (ctx.state === "suspended" && !this._paused) await ctx.resume(); return !this._paused; }); } finally { ctx.close(); this._onpause = null; this._paused = true; } } pause() { if (!!this._onpause) this._onpause(); this._paused = true; } async open() { this.source.open(); await this.source.loadMetadata(); } } function buildBuffer(source, buffer1, buffer2, offset, length) { const b1 = buffer1[0].byteLength / 4; const b2 = buffer2[0].byteLength / 4; const lb = length - offset; let rest = b2 - lb; const result = []; if (offset >= 0) { const buffer = new AudioBuffer({ length, sampleRate: source.sample_rate, numberOfChannels: source.channels }); result.push(buffer); if (offset > 0) { copyFromBuffers(buffer, buffer1, b1 - offset, 0); } copyFromBuffers(buffer, buffer2, 0, offset); } while (rest > length) { const buffer = new AudioBuffer({ length, sampleRate: source.sample_rate, numberOfChannels: source.channels }); result.push(buffer); copyFromBuffers(buffer, buffer2, b2 - rest, 0); rest -= length; } return [result, rest]; } function copyFromBuffers(buffer, channels, channelOffset, startOffset) { for (let channel = 0; channel < channels.length; channel++) { buffer.copyToChannel(new Float32Array(channels[channel], channelOffset * 4), channel, startOffset); } } /***/ }), /***/ "./lib/widgets/audio/rpc.js": /*!**********************************!*\ !*** ./lib/widgets/audio/rpc.js ***! \**********************************/ /***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) => { __webpack_require__.r(__webpack_exports__); /* harmony export */ __webpack_require__.d(__webpack_exports__, { /* harmony export */ "AudioSource": () => (/* binding */ AudioSource) /* harmony export */ }); /* harmony import */ var _rpc__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../rpc */ "./lib/rpc.js"); /* harmony import */ var _model_rpc__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../model-rpc */ "./lib/model-rpc.js"); class AudioSource { constructor(model) { this._open = false; this._channels = 0; this._frames = 0; this._loaded = 0; this._samples = 0; this._sample_rate = 0; this.ondata = () => { }; this.rpc = new _rpc__WEBPACK_IMPORTED_MODULE_0__.RPCClient(new _model_rpc__WEBPACK_IMPORTED_MODULE_1__.WidgetChannel(model)).makeProxy((0,_rpc__WEBPACK_IMPORTED_MODULE_0__.timeout)(10000)); } open() { this.rpc.open(); this._open = true; } close() { this._open = false; this.rpc.close(); } get channels() { return this._channels; } get loaded() { return this._loaded; } get samples() { return this._samples; } get sample_rate() { return this._sample_rate; } get frames() { return this._frames; } get duration() { return this._samples / this._sample_rate; } async loadMetadata() { if (this._frames === 0) { const { frames, channel_count, samples_per_second, sample_count } = await this.rpc.meta(); this._frames = frames; this._sample_rate = samples_per_second; this._samples = sample_count; this._channels = channel_count; } this.ondata(); } async render(start, received) { if (this._frames === 0) await this.loadMetadata(); for (let frame = start; frame < this._frames; frame++) { if (!this._open) break; const { size, buffers } = await this.rpc.render({ frame }); this._loaded += size; if (!received(frame, size, buffers)) break; } } } /***/ }), /***/ "./lib/widgets/encode/index.js": /*!*************************************!*\ !*** ./lib/widgets/encode/index.js ***! \*************************************/ /***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) => { __webpack_require__.r(__webpack_exports__); /* harmony export */ __webpack_require__.d(__webpack_exports__, { /* harmony export */ "EncodeWindowWidget": () => (/* binding */ EncodeWindowWidget) /* harmony export */ }); /* harmony import */ var _Widget_svelte__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./Widget.svelte */ "./lib/widgets/encode/Widget.svelte"); /* harmony import */ var _svelte_widget__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../svelte-widget */ "./lib/svelte-widget.js"); const EncodeWindowWidget = (0,_svelte_widget__WEBPACK_IMPORTED_MODULE_0__.widgetFor)(_Widget_svelte__WEBPACK_IMPORTED_MODULE_1__["default"]); /***/ }), /***/ "./lib/widgets/encode/rpc.js": /*!***********************************!*\ !*** ./lib/widgets/encode/rpc.js ***! \***********************************/ /***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) => { __webpack_require__.r(__webpack_exports__); /* harmony export */ __webpack_require__.d(__webpack_exports__, { /* harmony export */ "getRPCForModel": () => (/* binding */ getRPCForModel) /* harmony export */ }); /* harmony import */ var _rpc__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../rpc */ "./lib/rpc.js"); /* harmony import */ var _model_rpc__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../model-rpc */ "./lib/model-rpc.js"); function getRPCForModel(model) { const channel = new _model_rpc__WEBPACK_IMPORTED_MODULE_0__.WidgetChannel(model); return new _rpc__WEBPACK_IMPORTED_MODULE_1__.RPCClient(channel).makeProxy((0,_rpc__WEBPACK_IMPORTED_MODULE_1__.timeout)(10000)); } /***/ }), /***/ "./lib/widgets/preview/index.js": /*!**************************************!*\ !*** ./lib/widgets/preview/index.js ***! \**************************************/ /***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) => { __webpack_require__.r(__webpack_exports__); /* harmony export */ __webpack_require__.d(__webpack_exports__, { /* harmony export */ "PreviewWindowWidget": () => (/* binding */ PreviewWindowWidget) /* harmony export */ }); /* harmony import */ var _Widget_svelte__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./Widget.svelte */ "./lib/widgets/preview/Widget.svelte"); /* harmony import */ var _svelte_widget__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../svelte-widget */ "./lib/svelte-widget.js"); const PreviewWindowWidget = (0,_svelte_widget__WEBPACK_IMPORTED_MODULE_0__.widgetFor)(_Widget_svelte__WEBPACK_IMPORTED_MODULE_1__["default"]); /***/ }), /***/ "./lib/widgets/preview/rpc.js": /*!************************************!*\ !*** ./lib/widgets/preview/rpc.js ***! \************************************/ /***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) => { __webpack_require__.r(__webpack_exports__); /* harmony export */ __webpack_require__.d(__webpack_exports__, { /* harmony export */ "getRPCForModel": () => (/* binding */ getRPCForModel) /* harmony export */ }); /* harmony import */ var _rpc__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../rpc */ "./lib/rpc.js"); /* harmony import */ var _model_rpc__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../model-rpc */ "./lib/model-rpc.js"); class CachedPreviewRPC { constructor(parent, model) { this._cache = new Map(); this._lru = []; this.parent = parent; this.model = model; } clear() { this._cache.clear(); } open() { this.parent.open(); } close() { this.parent.close(); } length() { return this.parent.length(); } frame({ frame, image }) { if (!image) image = "clip"; const _lru_id = `${this.model.get(image + "Id")}--${image}--${frame}`; if (!this._cache.has(_lru_id)) { this._evict(); this._cache.set(_lru_id, this.parent.frame({ frame, image })); } this._hit(_lru_id); return this._cache.get(_lru_id); } _hit(id) { if (this._lru.indexOf(id) == 0) return; this._lru = [id, ...this._lru.filter(f => f != id)]; } _evict() { if (this._lru.length <= 10) return; const evicted = this._lru.pop(); this._cache.delete(evicted); } } function getRPCForModel(model) { const channel = new _model_rpc__WEBPACK_IMPORTED_MODULE_0__.WidgetChannel(model); return new CachedPreviewRPC(new _rpc__WEBPACK_IMPORTED_MODULE_1__.RPCClient(channel).makeProxy((0,_rpc__WEBPACK_IMPORTED_MODULE_1__.timeout)(10000)), model); } /***/ }), /***/ "./lib/widgets/audio/BufferSlider.svelte": /*!***********************************************!*\ !*** ./lib/widgets/audio/BufferSlider.svelte ***! \***********************************************/ /***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) => { __webpack_require__.r(__webpack_exports__); /* harmony export */ __webpack_require__.d(__webpack_exports__, { /* harmony export */ "default": () => (__WEBPACK_DEFAULT_EXPORT__) /* harmony export */ }); /* harmony import */ var svelte_internal__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! svelte/internal */ "./node_modules/svelte/internal/index.mjs"); /* harmony import */ var svelte__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! svelte */ "./node_modules/svelte/index.mjs"); /* lib/widgets/audio/BufferSlider.svelte generated by Svelte v3.44.3 */ function add_css(target) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append_styles)(target, "svelte-1035j7a", ".buffer-slider.svelte-1035j7a.svelte-1035j7a{position:relative;width:100%;height:100%;display:block;border-left:var(--jp-border-width) solid var(--jp-cell-editor-border-color);border-right:var(--jp-border-width) solid var(--jp-cell-editor-border-color)}.buffer-slider.svelte-1035j7a>.svelte-1035j7a{position:absolute;height:20%;bottom:40%}.past.svelte-1035j7a.svelte-1035j7a{left:0;background-color:var(--jp-brand-color1);z-index:1}.buffered.svelte-1035j7a.svelte-1035j7a{left:0;background-color:var(--jp-cell-editor-border-color)}.select.svelte-1035j7a.svelte-1035j7a,.proposed.svelte-1035j7a.svelte-1035j7a{height:100%;top:0;width:var(--jp-border-width);background-color:var(--jp-brand-color1);z-index:2}"); } // (5:4) {:else} function create_else_block(ctx) { let div; return { c() { div = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("div"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(div, "class", "proposed svelte-1035j7a"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.set_style)(div, "left", /*proposedPerc*/ ctx[1] * 100 + "%"); }, m(target, anchor) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, div, anchor); }, p(ctx, dirty) { if (dirty & /*proposedPerc*/ 2) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.set_style)(div, "left", /*proposedPerc*/ ctx[1] * 100 + "%"); } }, d(detaching) { if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(div); } }; } // (3:4) {#if proposedValue === null} function create_if_block(ctx) { let div; return { c() { div = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("div"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(div, "class", "select svelte-1035j7a"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.set_style)(div, "left", /*percPast*/ ctx[4] * 100 + "%"); }, m(target, anchor) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, div, anchor); }, p(ctx, dirty) { if (dirty & /*percPast*/ 16) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.set_style)(div, "left", /*percPast*/ ctx[4] * 100 + "%"); } }, d(detaching) { if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(div); } }; } function create_fragment(ctx) { let div2; let div0; let t0; let t1; let div1; let mounted; let dispose; function select_block_type(ctx, dirty) { if (/*proposedValue*/ ctx[0] === null) return create_if_block; return create_else_block; } let current_block_type = select_block_type(ctx, -1); let if_block = current_block_type(ctx); return { c() { div2 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("div"); div0 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("div"); t0 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.space)(); if_block.c(); t1 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.space)(); div1 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("div"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(div0, "class", "past svelte-1035j7a"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.set_style)(div0, "width", /*percPast*/ ctx[4] * 100 + "%"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(div1, "class", "buffered svelte-1035j7a"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.set_style)(div1, "width", /*percFuture*/ ctx[3] * 100 + "%"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(div2, "class", "buffer-slider svelte-1035j7a"); }, m(target, anchor) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, div2, anchor); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div2, div0); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div2, t0); if_block.m(div2, null); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div2, t1); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div2, div1); /*div2_binding*/ ctx[14](div2); if (!mounted) { dispose = [ (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.listen)(div2, "mouseenter", /*enter*/ ctx[5]), (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.listen)(div2, "mouseleave", /*leave*/ ctx[6]), (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.listen)(div2, "mousemove", /*move*/ ctx[7]), (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.listen)(div2, "click", /*submit*/ ctx[8]) ]; mounted = true; } }, p(ctx, [dirty]) { if (dirty & /*percPast*/ 16) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.set_style)(div0, "width", /*percPast*/ ctx[4] * 100 + "%"); } if (current_block_type === (current_block_type = select_block_type(ctx, dirty)) && if_block) { if_block.p(ctx, dirty); } else { if_block.d(1); if_block = current_block_type(ctx); if (if_block) { if_block.c(); if_block.m(div2, t1); } } if (dirty & /*percFuture*/ 8) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.set_style)(div1, "width", /*percFuture*/ ctx[3] * 100 + "%"); } }, i: svelte_internal__WEBPACK_IMPORTED_MODULE_0__.noop, o: svelte_internal__WEBPACK_IMPORTED_MODULE_0__.noop, d(detaching) { if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(div2); if_block.d(); /*div2_binding*/ ctx[14](null); mounted = false; (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.run_all)(dispose); } }; } function clamp(v, ma, mi) { return Math.max(Math.min(v, ma), mi); } function instance($$self, $$props, $$invalidate) { let span; let percPast; let percFuture; let { value = 0 } = $$props; let { max = 1 } = $$props; let { min = 0 } = $$props; let { buffered = 0 } = $$props; let { proposedValue = null } = $$props; let { proposedPerc = null } = $$props; const dispatch = (0,svelte__WEBPACK_IMPORTED_MODULE_1__.createEventDispatcher)(); let myself; function enter(event) { $$invalidate(0, proposedValue = min); move(event); } function leave() { $$invalidate(0, proposedValue = null); } function move(event) { const { pageX, pageY } = event; const { left, top, right } = myself.getBoundingClientRect(); const width = right - left; const vX = pageX - left; $$invalidate(1, proposedPerc = vX / width); const rawProposal = proposedPerc * span + min; $$invalidate(0, proposedValue = Math.round(rawProposal)); } function submit() { dispatch('update', { old: value, new: proposedValue }); $$invalidate(9, value = proposedValue); } function div2_binding($$value) { svelte_internal__WEBPACK_IMPORTED_MODULE_0__.binding_callbacks[$$value ? 'unshift' : 'push'](() => { myself = $$value; $$invalidate(2, myself); }); } $$self.$$set = $$props => { if ('value' in $$props) $$invalidate(9, value = $$props.value); if ('max' in $$props) $$invalidate(10, max = $$props.max); if ('min' in $$props) $$invalidate(11, min = $$props.min); if ('buffered' in $$props) $$invalidate(12, buffered = $$props.buffered); if ('proposedValue' in $$props) $$invalidate(0, proposedValue = $$props.proposedValue); if ('proposedPerc' in $$props) $$invalidate(1, proposedPerc = $$props.proposedPerc); }; $$self.$$.update = () => { if ($$self.$$.dirty & /*max, min*/ 3072) { $: $$invalidate(13, span = max - min); } if ($$self.$$.dirty & /*value, min, span*/ 10752) { $: $$invalidate(4, percPast = clamp((value - min) / span, 1, 0)); } if ($$self.$$.dirty & /*buffered, min, span*/ 14336) { $: $$invalidate(3, percFuture = clamp((buffered - min) / span, 1, 0)); } }; return [ proposedValue, proposedPerc, myself, percFuture, percPast, enter, leave, move, submit, value, max, min, buffered, span, div2_binding ]; } class BufferSlider extends svelte_internal__WEBPACK_IMPORTED_MODULE_0__.SvelteComponent { constructor(options) { super(); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.init)( this, options, instance, create_fragment, svelte_internal__WEBPACK_IMPORTED_MODULE_0__.safe_not_equal, { value: 9, max: 10, min: 11, buffered: 12, proposedValue: 0, proposedPerc: 1 }, add_css ); } } /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (BufferSlider); /***/ }), /***/ "./lib/widgets/audio/Widget.svelte": /*!*****************************************!*\ !*** ./lib/widgets/audio/Widget.svelte ***! \*****************************************/ /***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) => { __webpack_require__.r(__webpack_exports__); /* harmony export */ __webpack_require__.d(__webpack_exports__, { /* harmony export */ "default": () => (__WEBPACK_DEFAULT_EXPORT__) /* harmony export */ }); /* harmony import */ var svelte_internal__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! svelte/internal */ "./node_modules/svelte/internal/index.mjs"); /* harmony import */ var _BufferSlider_svelte__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ./BufferSlider.svelte */ "./lib/widgets/audio/BufferSlider.svelte"); /* harmony import */ var _rpc__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ./rpc */ "./lib/widgets/audio/rpc.js"); /* harmony import */ var _player__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ./player */ "./lib/widgets/audio/player.js"); /* harmony import */ var svelte__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! svelte */ "./node_modules/svelte/index.mjs"); /* harmony import */ var _jupyterlab_ui_components__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! @jupyterlab/ui-components */ "webpack/sharing/consume/default/@jupyterlab/ui-components"); /* harmony import */ var _jupyterlab_ui_components__WEBPACK_IMPORTED_MODULE_2___default = /*#__PURE__*/__webpack_require__.n(_jupyterlab_ui_components__WEBPACK_IMPORTED_MODULE_2__); /* lib/widgets/audio/Widget.svelte generated by Svelte v3.44.3 */ function add_css(target) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append_styles)(target, "svelte-62r26p", ".audio.svelte-62r26p.svelte-62r26p{border:var(--jp-border-width) solid var(--jp-cell-editor-border-color);border-radius:0px;background:var(--jp-cell-editor-background);display:flex;height:28px}.audio.svelte-62r26p>.svelte-62r26p{padding:0px 10px}.audio.svelte-62r26p>.svelte-62r26p:not(:last-child){border-right:var(--jp-border-width) solid var(--jp-cell-editor-border-color)}.audio.svelte-62r26p>.meta.svelte-62r26p{line-height:28px}.audio.svelte-62r26p>.slider.svelte-62r26p{padding:0;flex-grow:1;flex-shrink:1}.toolbar.svelte-62r26p.svelte-62r26p{border:0;background:transparent;margin:0;padding:0;line-height:35px}.toolbar.svelte-62r26p.svelte-62r26p:not(:last-child){padding-right:5px}"); } // (11:8) {:else} function create_else_block(ctx) { let button; let mounted; let dispose; return { c() { button = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("button"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(button, "class", "toolbar svelte-62r26p"); }, m(target, anchor) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, button, anchor); /*button_binding_1*/ ctx[25](button); if (!mounted) { dispose = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.listen)(button, "click", /*click_handler_1*/ ctx[24]); mounted = true; } }, p: svelte_internal__WEBPACK_IMPORTED_MODULE_0__.noop, d(detaching) { if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(button); /*button_binding_1*/ ctx[25](null); mounted = false; dispose(); } }; } // (9:8) {#if playing} function create_if_block(ctx) { let button; let mounted; let dispose; return { c() { button = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("button"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(button, "class", "toolbar svelte-62r26p"); }, m(target, anchor) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, button, anchor); /*button_binding*/ ctx[23](button); if (!mounted) { dispose = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.listen)(button, "click", /*click_handler*/ ctx[22]); mounted = true; } }, p: svelte_internal__WEBPACK_IMPORTED_MODULE_0__.noop, d(detaching) { if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(button); /*button_binding*/ ctx[23](null); mounted = false; dispose(); } }; } function create_fragment(ctx) { let div3; let div0; let t0; let t1; let div1; let bufferslider; let updating_value; let updating_proposedValue; let t2; let div2; let t3; let button; let current; let mounted; let dispose; function bufferslider_value_binding(value) { /*bufferslider_value_binding*/ ctx[20](value); } function bufferslider_proposedValue_binding(value) { /*bufferslider_proposedValue_binding*/ ctx[21](value); } let bufferslider_props = { buffered: /*loaded*/ ctx[3], samples: /*samples*/ ctx[2], max: /*sample_count*/ ctx[8] }; if (/*playhead*/ ctx[0] !== void 0) { bufferslider_props.value = /*playhead*/ ctx[0]; } if (/*proposed*/ ctx[1] !== void 0) { bufferslider_props.proposedValue = /*proposed*/ ctx[1]; } bufferslider = new _BufferSlider_svelte__WEBPACK_IMPORTED_MODULE_3__["default"]({ props: bufferslider_props }); svelte_internal__WEBPACK_IMPORTED_MODULE_0__.binding_callbacks.push(() => (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.bind)(bufferslider, 'value', bufferslider_value_binding)); svelte_internal__WEBPACK_IMPORTED_MODULE_0__.binding_callbacks.push(() => (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.bind)(bufferslider, 'proposedValue', bufferslider_proposedValue_binding)); bufferslider.$on("update", /*seek*/ ctx[11]); function select_block_type(ctx, dirty) { if (/*playing*/ ctx[9]) return create_if_block; return create_else_block; } let current_block_type = select_block_type(ctx, [-1, -1]); let if_block = current_block_type(ctx); return { c() { div3 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("div"); div0 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("div"); t0 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.text)(/*displayTime*/ ctx[10]); t1 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.space)(); div1 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("div"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.create_component)(bufferslider.$$.fragment); t2 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.space)(); div2 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("div"); if_block.c(); t3 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.space)(); button = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("button"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(div0, "class", "meta svelte-62r26p"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(div1, "class", "slider svelte-62r26p"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(button, "class", "toolbar svelte-62r26p"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(div2, "class", " svelte-62r26p"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(div3, "class", "audio svelte-62r26p"); }, m(target, anchor) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, div3, anchor); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div3, div0); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div0, t0); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div3, t1); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div3, div1); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.mount_component)(bufferslider, div1, null); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div3, t2); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div3, div2); if_block.m(div2, null); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div2, t3); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div2, button); /*button_binding_2*/ ctx[27](button); current = true; if (!mounted) { dispose = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.listen)(button, "click", /*click_handler_2*/ ctx[26]); mounted = true; } }, p(ctx, dirty) { if (!current || dirty[0] & /*displayTime*/ 1024) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.set_data)(t0, /*displayTime*/ ctx[10]); const bufferslider_changes = {}; if (dirty[0] & /*loaded*/ 8) bufferslider_changes.buffered = /*loaded*/ ctx[3]; if (dirty[0] & /*samples*/ 4) bufferslider_changes.samples = /*samples*/ ctx[2]; if (dirty[0] & /*sample_count*/ 256) bufferslider_changes.max = /*sample_count*/ ctx[8]; if (!updating_value && dirty[0] & /*playhead*/ 1) { updating_value = true; bufferslider_changes.value = /*playhead*/ ctx[0]; (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.add_flush_callback)(() => updating_value = false); } if (!updating_proposedValue && dirty[0] & /*proposed*/ 2) { updating_proposedValue = true; bufferslider_changes.proposedValue = /*proposed*/ ctx[1]; (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.add_flush_callback)(() => updating_proposedValue = false); } bufferslider.$set(bufferslider_changes); if (current_block_type === (current_block_type = select_block_type(ctx, dirty)) && if_block) { if_block.p(ctx, dirty); } else { if_block.d(1); if_block = current_block_type(ctx); if (if_block) { if_block.c(); if_block.m(div2, t3); } } }, i(local) { if (current) return; (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.transition_in)(bufferslider.$$.fragment, local); current = true; }, o(local) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.transition_out)(bufferslider.$$.fragment, local); current = false; }, d(detaching) { if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(div3); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.destroy_component)(bufferslider); if_block.d(); /*button_binding_2*/ ctx[27](null); mounted = false; dispose(); } }; } function instance($$self, $$props, $$invalidate) { let percBuffered; let displaySamples; let raw_seconds; let seconds; let minutes; let hours; let displayTimeMinutes; let displayTime; let { component } = $$props; let myself; const audioSource = new _rpc__WEBPACK_IMPORTED_MODULE_4__.AudioSource(component); const player = new _player__WEBPACK_IMPORTED_MODULE_5__.AudioPlayer(audioSource); let playhead = 0; let proposed = null; let sample_count = 0; let sample_rate = 0; let samples = 1; let loaded = 0; let seeking = false; let playing = false; (0,svelte__WEBPACK_IMPORTED_MODULE_1__.onMount)(async () => { audioSource.open(); audioSource.loadMetadata(); audioSource.ondata = () => { $$invalidate(8, sample_count = audioSource.samples); $$invalidate(13, sample_rate = audioSource.sample_rate); $$invalidate(2, samples = audioSource.samples); }; $$invalidate( 7, player.ontick = event => { if (seeking) return; $$invalidate(9, playing = event.playing); $$invalidate(0, playhead = event.currentTime * audioSource.sample_rate); $$invalidate(3, loaded = event.bufferSecond * audioSource.sample_rate); }, player ); }); (0,svelte__WEBPACK_IMPORTED_MODULE_1__.onDestroy)(() => { audioSource.close(); player.pause(); }); async function seek(event) { // Run as expected if we are not playing back. if (!playing) return; // Pause and restart at the desired position. seeking = true; player.pause(); while (!player.playable) { await new Promise(rs => setTimeout(rs, 1)); } seeking = false; player.play(event.detail.new); } let playBtn, pauseBtn, stopBtn; function bufferslider_value_binding(value) { playhead = value; $$invalidate(0, playhead); } function bufferslider_proposedValue_binding(value) { proposed = value; $$invalidate(1, proposed); } const click_handler = () => { player.pause(); }; function button_binding($$value) { svelte_internal__WEBPACK_IMPORTED_MODULE_0__.binding_callbacks[$$value ? 'unshift' : 'push'](() => { pauseBtn = $$value; $$invalidate(5, pauseBtn); }); } const click_handler_1 = () => { player.play(playhead); }; function button_binding_1($$value) { svelte_internal__WEBPACK_IMPORTED_MODULE_0__.binding_callbacks[$$value ? 'unshift' : 'push'](() => { playBtn = $$value; $$invalidate(4, playBtn); }); } const click_handler_2 = () => { player.pause(); $$invalidate(0, playhead = 0); }; function button_binding_2($$value) { svelte_internal__WEBPACK_IMPORTED_MODULE_0__.binding_callbacks[$$value ? 'unshift' : 'push'](() => { stopBtn = $$value; $$invalidate(6, stopBtn); }); } $$self.$$set = $$props => { if ('component' in $$props) $$invalidate(12, component = $$props.component); }; $$self.$$.update = () => { if ($$self.$$.dirty[0] & /*samples, loaded*/ 12) { $: percBuffered = samples / loaded; } if ($$self.$$.dirty[0] & /*proposed, playhead*/ 3) { $: $$invalidate(19, displaySamples = proposed === null ? playhead : proposed); } if ($$self.$$.dirty[0] & /*displaySamples, sample_rate*/ 532480) { $: $$invalidate(18, raw_seconds = Math.round(displaySamples / sample_rate)); } if ($$self.$$.dirty[0] & /*raw_seconds*/ 262144) { $: $$invalidate(16, seconds = raw_seconds % 60); } if ($$self.$$.dirty[0] & /*raw_seconds*/ 262144) { $: $$invalidate(17, minutes = Math.floor(raw_seconds / 60) % 60); } if ($$self.$$.dirty[0] & /*raw_seconds*/ 262144) { $: $$invalidate(15, hours = Math.floor(raw_seconds / 3600)); } if ($$self.$$.dirty[0] & /*minutes, seconds*/ 196608) { $: $$invalidate(14, displayTimeMinutes = `${(minutes + "").padStart(2, "0")}:${(seconds + "").padStart(2, "0")}`); } if ($$self.$$.dirty[0] & /*hours, displayTimeMinutes*/ 49152) { $: $$invalidate(10, displayTime = hours < 1 ? displayTimeMinutes : `${hours}:${displayTimeMinutes}`); } if ($$self.$$.dirty[0] & /*stopBtn*/ 64) { $: if (!!stopBtn) _jupyterlab_ui_components__WEBPACK_IMPORTED_MODULE_2__.refreshIcon.element({ container: stopBtn, width: '16px', height: '16px', marginLeft: '2px' }); } if ($$self.$$.dirty[0] & /*playBtn*/ 16) { $: if (!!playBtn) _jupyterlab_ui_components__WEBPACK_IMPORTED_MODULE_2__.runIcon.element({ container: playBtn, width: '16px', height: '16px', marginLeft: '2px' }); } if ($$self.$$.dirty[0] & /*pauseBtn*/ 32) { $: if (!!pauseBtn) _jupyterlab_ui_components__WEBPACK_IMPORTED_MODULE_2__.stopIcon.element({ container: pauseBtn, width: '16px', height: '16px', marginLeft: '2px' }); } }; return [ playhead, proposed, samples, loaded, playBtn, pauseBtn, stopBtn, player, sample_count, playing, displayTime, seek, component, sample_rate, displayTimeMinutes, hours, seconds, minutes, raw_seconds, displaySamples, bufferslider_value_binding, bufferslider_proposedValue_binding, click_handler, button_binding, click_handler_1, button_binding_1, click_handler_2, button_binding_2 ]; } class Widget extends svelte_internal__WEBPACK_IMPORTED_MODULE_0__.SvelteComponent { constructor(options) { super(); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.init)(this, options, instance, create_fragment, svelte_internal__WEBPACK_IMPORTED_MODULE_0__.safe_not_equal, { component: 12 }, add_css, [-1, -1]); } } /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (Widget); /***/ }), /***/ "./lib/widgets/encode/Clock.svelte": /*!*****************************************!*\ !*** ./lib/widgets/encode/Clock.svelte ***! \*****************************************/ /***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) => { __webpack_require__.r(__webpack_exports__); /* harmony export */ __webpack_require__.d(__webpack_exports__, { /* harmony export */ "default": () => (__WEBPACK_DEFAULT_EXPORT__) /* harmony export */ }); /* harmony import */ var svelte_internal__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! svelte/internal */ "./node_modules/svelte/internal/index.mjs"); /* harmony import */ var svelte__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! svelte */ "./node_modules/svelte/index.mjs"); /* lib/widgets/encode/Clock.svelte generated by Svelte v3.44.3 */ function create_fragment(ctx) { let span; let t; return { c() { span = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("span"); t = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.text)(/*running_time*/ ctx[0]); }, m(target, anchor) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, span, anchor); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(span, t); }, p(ctx, [dirty]) { if (dirty & /*running_time*/ 1) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.set_data)(t, /*running_time*/ ctx[0]); }, i: svelte_internal__WEBPACK_IMPORTED_MODULE_0__.noop, o: svelte_internal__WEBPACK_IMPORTED_MODULE_0__.noop, d(detaching) { if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(span); } }; } function instance($$self, $$props, $$invalidate) { let current_time; let dTime; let seconds; let minutes; let hours; let days; let intra_day; let running_time; let { end_time } = $$props; let { start_time } = $$props; let { terminated } = $$props; let clock = new Date().valueOf(); let interval = setInterval( () => { $$invalidate(4, clock = new Date().valueOf()); }, 1000 ); (0,svelte__WEBPACK_IMPORTED_MODULE_1__.onDestroy)(() => { clearInterval(interval); }); $$self.$$set = $$props => { if ('end_time' in $$props) $$invalidate(1, end_time = $$props.end_time); if ('start_time' in $$props) $$invalidate(2, start_time = $$props.start_time); if ('terminated' in $$props) $$invalidate(3, terminated = $$props.terminated); }; $$self.$$.update = () => { if ($$self.$$.dirty & /*terminated, end_time, clock*/ 26) { $: $$invalidate(11, current_time = terminated ? end_time : Math.round(clock / 1000)); } if ($$self.$$.dirty & /*current_time, start_time*/ 2052) { $: $$invalidate(10, dTime = current_time - start_time); } if ($$self.$$.dirty & /*dTime*/ 1024) { $: $$invalidate(8, seconds = dTime % 60); } if ($$self.$$.dirty & /*dTime*/ 1024) { $: $$invalidate(9, minutes = Math.round(dTime / 60) % 60); } if ($$self.$$.dirty & /*dTime*/ 1024) { $: $$invalidate(6, hours = Math.round(dTime / 3600) % 24); } if ($$self.$$.dirty & /*dTime*/ 1024) { $: $$invalidate(7, days = Math.round(dTime / 86400)); } if ($$self.$$.dirty & /*minutes, seconds*/ 768) { $: $$invalidate(5, intra_day = `${(minutes + "").padStart(2, "0")}:${(seconds + "").padStart(2, "0")}`); } if ($$self.$$.dirty & /*days, hours, intra_day*/ 224) { $: $$invalidate(0, running_time = days > 0 ? `${days + ""}:${(hours + "").padStart(2, "0")}:${intra_day}` : `${hours + ""}:${intra_day}`); } }; return [ running_time, end_time, start_time, terminated, clock, intra_day, hours, days, seconds, minutes, dTime, current_time ]; } class Clock extends svelte_internal__WEBPACK_IMPORTED_MODULE_0__.SvelteComponent { constructor(options) { super(); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.init)(this, options, instance, create_fragment, svelte_internal__WEBPACK_IMPORTED_MODULE_0__.safe_not_equal, { end_time: 1, start_time: 2, terminated: 3 }); } } /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (Clock); /***/ }), /***/ "./lib/widgets/encode/Header.svelte": /*!******************************************!*\ !*** ./lib/widgets/encode/Header.svelte ***! \******************************************/ /***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) => { __webpack_require__.r(__webpack_exports__); /* harmony export */ __webpack_require__.d(__webpack_exports__, { /* harmony export */ "default": () => (__WEBPACK_DEFAULT_EXPORT__) /* harmony export */ }); /* harmony import */ var svelte_internal__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! svelte/internal */ "./node_modules/svelte/internal/index.mjs"); /* harmony import */ var _Progress_svelte__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./Progress.svelte */ "./lib/widgets/encode/Progress.svelte"); /* harmony import */ var _Clock_svelte__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ./Clock.svelte */ "./lib/widgets/encode/Clock.svelte"); /* harmony import */ var _jupyterlab_ui_components__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! @jupyterlab/ui-components */ "webpack/sharing/consume/default/@jupyterlab/ui-components"); /* harmony import */ var _jupyterlab_ui_components__WEBPACK_IMPORTED_MODULE_1___default = /*#__PURE__*/__webpack_require__.n(_jupyterlab_ui_components__WEBPACK_IMPORTED_MODULE_1__); /* harmony import */ var _utils__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../utils */ "./lib/utils.js"); /* harmony import */ var _rpc__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ./rpc */ "./lib/widgets/encode/rpc.js"); /* lib/widgets/encode/Header.svelte generated by Svelte v3.44.3 */ function add_css(target) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append_styles)(target, "svelte-14bawlj", ".header.svelte-14bawlj.svelte-14bawlj{width:100%}.top-bg.svelte-14bawlj.svelte-14bawlj{width:100%;top:0;left:0}.top.svelte-14bawlj.svelte-14bawlj{display:flex;line-height:27px;height:27px}.top.svelte-14bawlj>.svelte-14bawlj{padding:0px 10px}.top.svelte-14bawlj>.svelte-14bawlj:not(:last-child){border-right:var(--jp-border-width) solid var(--jp-cell-editor-border-color)}.spacer.svelte-14bawlj.svelte-14bawlj{flex-grow:1;flex-shrink:1}.toolbar.svelte-14bawlj.svelte-14bawlj{border:0;background:transparent;margin:0;padding:0;line-height:35px}.toolbar.svelte-14bawlj.svelte-14bawlj:not(:last-child){padding-right:5px}"); } // (13:8) {:else} function create_else_block(ctx) { let div; let t; let button; let mounted; let dispose; let if_block = !/*$_w32*/ ctx[9] && create_if_block_1(ctx); return { c() { div = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("div"); if (if_block) if_block.c(); t = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.space)(); button = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("button"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(button, "class", "toolbar svelte-14bawlj"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(div, "class", "svelte-14bawlj"); }, m(target, anchor) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, div, anchor); if (if_block) if_block.m(div, null); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div, t); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div, button); /*button_binding_1*/ ctx[21](button); if (!mounted) { dispose = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.listen)(button, "click", /*click_handler_1*/ ctx[20]); mounted = true; } }, p(ctx, dirty) { if (!/*$_w32*/ ctx[9]) { if (if_block) { if_block.p(ctx, dirty); } else { if_block = create_if_block_1(ctx); if_block.c(); if_block.m(div, t); } } else if (if_block) { if_block.d(1); if_block = null; } }, d(detaching) { if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(div); if (if_block) if_block.d(); /*button_binding_1*/ ctx[21](null); mounted = false; dispose(); } }; } // (11:8) {#if $terminated} function create_if_block(ctx) { let div; return { c() { div = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("div"); div.textContent = "Terminated"; (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(div, "class", "svelte-14bawlj"); }, m(target, anchor) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, div, anchor); }, p: svelte_internal__WEBPACK_IMPORTED_MODULE_0__.noop, d(detaching) { if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(div); } }; } // (15:16) {#if !$_w32} function create_if_block_1(ctx) { let button; let mounted; let dispose; return { c() { button = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("button"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(button, "class", "toolbar svelte-14bawlj"); }, m(target, anchor) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, button, anchor); /*button_binding*/ ctx[19](button); if (!mounted) { dispose = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.listen)(button, "click", /*click_handler*/ ctx[18]); mounted = true; } }, p: svelte_internal__WEBPACK_IMPORTED_MODULE_0__.noop, d(detaching) { if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(button); /*button_binding*/ ctx[19](null); mounted = false; dispose(); } }; } function create_fragment(ctx) { let div5; let div0; let progress; let t0; let div4; let div1; let t1; let t2; let t3; let t4; let div2; let clock; let t5; let div3; let t6; let t7; let current; progress = new _Progress_svelte__WEBPACK_IMPORTED_MODULE_2__["default"]({ props: { min: 0, max: /*$length*/ ctx[3], value: /*$current*/ ctx[4] } }); clock = new _Clock_svelte__WEBPACK_IMPORTED_MODULE_3__["default"]({ props: { start_time: /*$start_time*/ ctx[5], end_time: /*$end_time*/ ctx[6], terminated: /*$terminated*/ ctx[7] } }); function select_block_type(ctx, dirty) { if (/*$terminated*/ ctx[7]) return create_if_block; return create_else_block; } let current_block_type = select_block_type(ctx, -1); let if_block = current_block_type(ctx); return { c() { div5 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("div"); div0 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("div"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.create_component)(progress.$$.fragment); t0 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.space)(); div4 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("div"); div1 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("div"); t1 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.text)(/*$current*/ ctx[4]); t2 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.text)(" / "); t3 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.text)(/*$length*/ ctx[3]); t4 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.space)(); div2 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("div"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.create_component)(clock.$$.fragment); t5 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.space)(); div3 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("div"); t6 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.text)(/*$commandline*/ ctx[8]); t7 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.space)(); if_block.c(); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(div0, "class", "top-bg svelte-14bawlj"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(div1, "class", "svelte-14bawlj"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(div2, "class", "svelte-14bawlj"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(div3, "class", "spacer svelte-14bawlj"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(div4, "class", "top svelte-14bawlj"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(div5, "class", "header svelte-14bawlj"); }, m(target, anchor) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, div5, anchor); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div5, div0); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.mount_component)(progress, div0, null); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div5, t0); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div5, div4); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div4, div1); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div1, t1); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div1, t2); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div1, t3); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div4, t4); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div4, div2); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.mount_component)(clock, div2, null); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div4, t5); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div4, div3); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div3, t6); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div4, t7); if_block.m(div4, null); current = true; }, p(ctx, [dirty]) { const progress_changes = {}; if (dirty & /*$length*/ 8) progress_changes.max = /*$length*/ ctx[3]; if (dirty & /*$current*/ 16) progress_changes.value = /*$current*/ ctx[4]; progress.$set(progress_changes); if (!current || dirty & /*$current*/ 16) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.set_data)(t1, /*$current*/ ctx[4]); if (!current || dirty & /*$length*/ 8) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.set_data)(t3, /*$length*/ ctx[3]); const clock_changes = {}; if (dirty & /*$start_time*/ 32) clock_changes.start_time = /*$start_time*/ ctx[5]; if (dirty & /*$end_time*/ 64) clock_changes.end_time = /*$end_time*/ ctx[6]; if (dirty & /*$terminated*/ 128) clock_changes.terminated = /*$terminated*/ ctx[7]; clock.$set(clock_changes); if (!current || dirty & /*$commandline*/ 256) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.set_data)(t6, /*$commandline*/ ctx[8]); if (current_block_type === (current_block_type = select_block_type(ctx, dirty)) && if_block) { if_block.p(ctx, dirty); } else { if_block.d(1); if_block = current_block_type(ctx); if (if_block) { if_block.c(); if_block.m(div4, null); } } }, i(local) { if (current) return; (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.transition_in)(progress.$$.fragment, local); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.transition_in)(clock.$$.fragment, local); current = true; }, o(local) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.transition_out)(progress.$$.fragment, local); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.transition_out)(clock.$$.fragment, local); current = false; }, d(detaching) { if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(div5); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.destroy_component)(progress); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.destroy_component)(clock); if_block.d(); } }; } function instance($$self, $$props, $$invalidate) { let rpc; let $length; let $current; let $start_time; let $end_time; let $terminated; let $commandline; let $_w32; let { component } = $$props; let interruptBtn, stopBtn; const commandline = (0,_utils__WEBPACK_IMPORTED_MODULE_4__.model_attribute)(component, "commandline"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.component_subscribe)($$self, commandline, value => $$invalidate(8, $commandline = value)); const current = (0,_utils__WEBPACK_IMPORTED_MODULE_4__.model_attribute)(component, "current"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.component_subscribe)($$self, current, value => $$invalidate(4, $current = value)); const length = (0,_utils__WEBPACK_IMPORTED_MODULE_4__.model_attribute)(component, "length"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.component_subscribe)($$self, length, value => $$invalidate(3, $length = value)); const terminated = (0,_utils__WEBPACK_IMPORTED_MODULE_4__.model_attribute)(component, "terminated"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.component_subscribe)($$self, terminated, value => $$invalidate(7, $terminated = value)); const start_time = (0,_utils__WEBPACK_IMPORTED_MODULE_4__.model_attribute)(component, "start_time"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.component_subscribe)($$self, start_time, value => $$invalidate(5, $start_time = value)); const end_time = (0,_utils__WEBPACK_IMPORTED_MODULE_4__.model_attribute)(component, "end_time"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.component_subscribe)($$self, end_time, value => $$invalidate(6, $end_time = value)); const _w32 = (0,_utils__WEBPACK_IMPORTED_MODULE_4__.model_attribute)(component, "_w32"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.component_subscribe)($$self, _w32, value => $$invalidate(9, $_w32 = value)); const click_handler = () => { rpc.interrupt(); }; function button_binding($$value) { svelte_internal__WEBPACK_IMPORTED_MODULE_0__.binding_callbacks[$$value ? 'unshift' : 'push'](() => { interruptBtn = $$value; $$invalidate(0, interruptBtn); }); } const click_handler_1 = () => { rpc.kill(); }; function button_binding_1($$value) { svelte_internal__WEBPACK_IMPORTED_MODULE_0__.binding_callbacks[$$value ? 'unshift' : 'push'](() => { stopBtn = $$value; $$invalidate(1, stopBtn); }); } $$self.$$set = $$props => { if ('component' in $$props) $$invalidate(17, component = $$props.component); }; $$self.$$.update = () => { if ($$self.$$.dirty & /*component*/ 131072) { $: $$invalidate(2, rpc = (0,_rpc__WEBPACK_IMPORTED_MODULE_5__.getRPCForModel)(component)); } if ($$self.$$.dirty & /*interruptBtn*/ 1) { $: [interruptBtn].forEach(e => { if (!!e) _jupyterlab_ui_components__WEBPACK_IMPORTED_MODULE_1__.closeIcon.element({ container: e, width: '16px', height: '16px', marginLeft: '2px' }); }); } if ($$self.$$.dirty & /*stopBtn*/ 2) { $: [stopBtn].forEach(e => { if (!!e) _jupyterlab_ui_components__WEBPACK_IMPORTED_MODULE_1__.stopIcon.element({ container: e, width: '16px', height: '16px', marginLeft: '2px' }); }); } }; return [ interruptBtn, stopBtn, rpc, $length, $current, $start_time, $end_time, $terminated, $commandline, $_w32, commandline, current, length, terminated, start_time, end_time, _w32, component, click_handler, button_binding, click_handler_1, button_binding_1 ]; } class Header extends svelte_internal__WEBPACK_IMPORTED_MODULE_0__.SvelteComponent { constructor(options) { super(); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.init)(this, options, instance, create_fragment, svelte_internal__WEBPACK_IMPORTED_MODULE_0__.safe_not_equal, { component: 17 }, add_css); } } /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (Header); /***/ }), /***/ "./lib/widgets/encode/Progress.svelte": /*!********************************************!*\ !*** ./lib/widgets/encode/Progress.svelte ***! \********************************************/ /***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) => { __webpack_require__.r(__webpack_exports__); /* harmony export */ __webpack_require__.d(__webpack_exports__, { /* harmony export */ "default": () => (__WEBPACK_DEFAULT_EXPORT__) /* harmony export */ }); /* harmony import */ var svelte_internal__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! svelte/internal */ "./node_modules/svelte/internal/index.mjs"); /* lib/widgets/encode/Progress.svelte generated by Svelte v3.44.3 */ function add_css(target) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append_styles)(target, "svelte-1f3ta7d", ".progress.svelte-1f3ta7d.svelte-1f3ta7d{display:block;border-left:var(--jp-border-width) solid var(--jp-cell-editor-border-color);border-right:var(--jp-border-width) solid var(--jp-cell-editor-border-color)}.progress.svelte-1f3ta7d>.svelte-1f3ta7d{position:absolute;height:2px;top:0}.past.svelte-1f3ta7d.svelte-1f3ta7d{left:0;background-color:var(--jp-brand-color1)}"); } function create_fragment(ctx) { let div1; let div0; return { c() { div1 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("div"); div0 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("div"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(div0, "class", "past svelte-1f3ta7d"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.set_style)(div0, "width", /*percPast*/ ctx[0] * 100 + "%"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(div1, "class", "progress svelte-1f3ta7d"); }, m(target, anchor) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, div1, anchor); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div1, div0); }, p(ctx, [dirty]) { if (dirty & /*percPast*/ 1) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.set_style)(div0, "width", /*percPast*/ ctx[0] * 100 + "%"); } }, i: svelte_internal__WEBPACK_IMPORTED_MODULE_0__.noop, o: svelte_internal__WEBPACK_IMPORTED_MODULE_0__.noop, d(detaching) { if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(div1); } }; } function instance($$self, $$props, $$invalidate) { let span; let percPast; let { value = 0 } = $$props; let { max = 100 } = $$props; let { min = 0 } = $$props; $$self.$$set = $$props => { if ('value' in $$props) $$invalidate(1, value = $$props.value); if ('max' in $$props) $$invalidate(2, max = $$props.max); if ('min' in $$props) $$invalidate(3, min = $$props.min); }; $$self.$$.update = () => { if ($$self.$$.dirty & /*max, min*/ 12) { $: $$invalidate(4, span = max - min); } if ($$self.$$.dirty & /*value, min, span*/ 26) { $: $$invalidate(0, percPast = (value - min) / span); } }; return [percPast, value, max, min, span]; } class Progress extends svelte_internal__WEBPACK_IMPORTED_MODULE_0__.SvelteComponent { constructor(options) { super(); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.init)(this, options, instance, create_fragment, svelte_internal__WEBPACK_IMPORTED_MODULE_0__.safe_not_equal, { value: 1, max: 2, min: 3 }, add_css); } } /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (Progress); /***/ }), /***/ "./lib/widgets/encode/Terminal.svelte": /*!********************************************!*\ !*** ./lib/widgets/encode/Terminal.svelte ***! \********************************************/ /***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) => { __webpack_require__.r(__webpack_exports__); /* harmony export */ __webpack_require__.d(__webpack_exports__, { /* harmony export */ "default": () => (__WEBPACK_DEFAULT_EXPORT__) /* harmony export */ }); /* harmony import */ var svelte_internal__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! svelte/internal */ "./node_modules/svelte/internal/index.mjs"); /* harmony import */ var svelte__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! svelte */ "./node_modules/svelte/index.mjs"); /* harmony import */ var xterm__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! xterm */ "webpack/sharing/consume/default/xterm/xterm"); /* harmony import */ var xterm__WEBPACK_IMPORTED_MODULE_2___default = /*#__PURE__*/__webpack_require__.n(xterm__WEBPACK_IMPORTED_MODULE_2__); /* harmony import */ var xterm_addon_fit__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! xterm-addon-fit */ "webpack/sharing/consume/default/xterm-addon-fit/xterm-addon-fit"); /* harmony import */ var xterm_addon_fit__WEBPACK_IMPORTED_MODULE_3___default = /*#__PURE__*/__webpack_require__.n(xterm_addon_fit__WEBPACK_IMPORTED_MODULE_3__); /* harmony import */ var _rpc__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ./rpc */ "./lib/widgets/encode/rpc.js"); /* lib/widgets/encode/Terminal.svelte generated by Svelte v3.44.3 */ function add_css(target) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append_styles)(target, "svelte-1kwq8fs", ".terminal.svelte-1kwq8fs{width:100%;min-height:480px\n }"); } function create_fragment(ctx) { let div; return { c() { div = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("div"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(div, "class", "terminal svelte-1kwq8fs"); }, m(target, anchor) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, div, anchor); /*div_binding*/ ctx[2](div); }, p: svelte_internal__WEBPACK_IMPORTED_MODULE_0__.noop, i: svelte_internal__WEBPACK_IMPORTED_MODULE_0__.noop, o: svelte_internal__WEBPACK_IMPORTED_MODULE_0__.noop, d(detaching) { if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(div); /*div_binding*/ ctx[2](null); } }; } let self_id = 0; function instance($$self, $$props, $$invalidate) { let { component } = $$props; const myOwnId = `terminal-${self_id}`; let target; let state = "attaching"; const terminal = new xterm__WEBPACK_IMPORTED_MODULE_2__.Terminal(); const fit = new xterm_addon_fit__WEBPACK_IMPORTED_MODULE_3__.FitAddon(); terminal.loadAddon(fit); const rpc = (0,_rpc__WEBPACK_IMPORTED_MODULE_4__.getRPCForModel)(component); const cb = msg => { if (msg.type !== "write") return; if (state !== "ready") return; if (msg.target !== "broadcast") return; terminal.write(msg.data); }; (0,svelte__WEBPACK_IMPORTED_MODULE_1__.onMount)(async () => { rpc.open(); component.on("msg:custom", cb); terminal.write((await rpc.refresh({ source: myOwnId })).data); state = "ready"; }); (0,svelte__WEBPACK_IMPORTED_MODULE_1__.onMount)(async () => { // Let's do our best to enforce style calculations. await new Promise(rs => requestAnimationFrame(rs)); await new Promise(rs => requestAnimationFrame(rs)); // This is a trick. window.getComputedStyle(target).width; // Now fit the terminal size. fit.fit(); }); (0,svelte__WEBPACK_IMPORTED_MODULE_1__.onDestroy)(() => { component.off("msg:custom", cb); rpc.close(); }); function div_binding($$value) { svelte_internal__WEBPACK_IMPORTED_MODULE_0__.binding_callbacks[$$value ? 'unshift' : 'push'](() => { target = $$value; $$invalidate(0, target); }); } $$self.$$set = $$props => { if ('component' in $$props) $$invalidate(1, component = $$props.component); }; $$self.$$.update = () => { if ($$self.$$.dirty & /*target*/ 1) { $: if (!!target) terminal.open(target); } }; return [target, component, div_binding]; } class Terminal_1 extends svelte_internal__WEBPACK_IMPORTED_MODULE_0__.SvelteComponent { constructor(options) { super(); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.init)(this, options, instance, create_fragment, svelte_internal__WEBPACK_IMPORTED_MODULE_0__.safe_not_equal, { component: 1 }, add_css); } } /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (Terminal_1); /***/ }), /***/ "./lib/widgets/encode/Widget.svelte": /*!******************************************!*\ !*** ./lib/widgets/encode/Widget.svelte ***! \******************************************/ /***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) => { __webpack_require__.r(__webpack_exports__); /* harmony export */ __webpack_require__.d(__webpack_exports__, { /* harmony export */ "default": () => (__WEBPACK_DEFAULT_EXPORT__) /* harmony export */ }); /* harmony import */ var svelte_internal__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! svelte/internal */ "./node_modules/svelte/internal/index.mjs"); /* harmony import */ var _Header_svelte__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./Header.svelte */ "./lib/widgets/encode/Header.svelte"); /* harmony import */ var _Terminal_svelte__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./Terminal.svelte */ "./lib/widgets/encode/Terminal.svelte"); /* lib/widgets/encode/Widget.svelte generated by Svelte v3.44.3 */ function add_css(target) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append_styles)(target, "svelte-1vyoag3", ".encode.svelte-1vyoag3.svelte-1vyoag3{border:var(--jp-border-width) solid var(--jp-cell-editor-border-color);border-radius:0px;background:var(--jp-cell-editor-background);display:flex;flex-direction:column}.encode.svelte-1vyoag3>.svelte-1vyoag3{width:100%}"); } function create_fragment(ctx) { let div2; let div0; let header; let t; let div1; let terminal; let current; header = new _Header_svelte__WEBPACK_IMPORTED_MODULE_1__["default"]({ props: { component: /*component*/ ctx[0] } }); terminal = new _Terminal_svelte__WEBPACK_IMPORTED_MODULE_2__["default"]({ props: { component: /*component*/ ctx[0] } }); return { c() { div2 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("div"); div0 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("div"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.create_component)(header.$$.fragment); t = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.space)(); div1 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("div"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.create_component)(terminal.$$.fragment); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(div0, "class", "svelte-1vyoag3"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(div1, "class", "svelte-1vyoag3"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(div2, "class", "encode svelte-1vyoag3"); }, m(target, anchor) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, div2, anchor); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div2, div0); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.mount_component)(header, div0, null); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div2, t); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div2, div1); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.mount_component)(terminal, div1, null); current = true; }, p(ctx, [dirty]) { const header_changes = {}; if (dirty & /*component*/ 1) header_changes.component = /*component*/ ctx[0]; header.$set(header_changes); const terminal_changes = {}; if (dirty & /*component*/ 1) terminal_changes.component = /*component*/ ctx[0]; terminal.$set(terminal_changes); }, i(local) { if (current) return; (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.transition_in)(header.$$.fragment, local); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.transition_in)(terminal.$$.fragment, local); current = true; }, o(local) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.transition_out)(header.$$.fragment, local); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.transition_out)(terminal.$$.fragment, local); current = false; }, d(detaching) { if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(div2); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.destroy_component)(header); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.destroy_component)(terminal); } }; } function instance($$self, $$props, $$invalidate) { let { component } = $$props; $$self.$$set = $$props => { if ('component' in $$props) $$invalidate(0, component = $$props.component); }; return [component]; } class Widget extends svelte_internal__WEBPACK_IMPORTED_MODULE_0__.SvelteComponent { constructor(options) { super(); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.init)(this, options, instance, create_fragment, svelte_internal__WEBPACK_IMPORTED_MODULE_0__.safe_not_equal, { component: 0 }, add_css); } } /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (Widget); /***/ }), /***/ "./lib/widgets/preview/Footer.svelte": /*!*******************************************!*\ !*** ./lib/widgets/preview/Footer.svelte ***! \*******************************************/ /***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) => { __webpack_require__.r(__webpack_exports__); /* harmony export */ __webpack_require__.d(__webpack_exports__, { /* harmony export */ "default": () => (__WEBPACK_DEFAULT_EXPORT__) /* harmony export */ }); /* harmony import */ var svelte_internal__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! svelte/internal */ "./node_modules/svelte/internal/index.mjs"); /* harmony import */ var _LineSlider_svelte__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./LineSlider.svelte */ "./lib/widgets/preview/LineSlider.svelte"); /* harmony import */ var _JupyterSelect_svelte__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./JupyterSelect.svelte */ "./lib/widgets/preview/JupyterSelect.svelte"); /* lib/widgets/preview/Footer.svelte generated by Svelte v3.44.3 */ function add_css(target) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append_styles)(target, "svelte-1uhq7gv", ".bottom.svelte-1uhq7gv.svelte-1uhq7gv{display:flex}.current-frame.svelte-1uhq7gv.svelte-1uhq7gv{line-height:100%;padding-top:4px;padding-right:5px}.current-frame.svelte-1uhq7gv>input.svelte-1uhq7gv{border:0;width:50px;text-align:right;background:transparent;color:var(--jp-widgets-color)}.line-slider.svelte-1uhq7gv.svelte-1uhq7gv{flex-grow:1;flex-shrink:1}"); } // (5:8) {:else} function create_else_block(ctx) { let input; let mounted; let dispose; return { c() { input = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("input"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(input, "type", "number"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(input, "class", "svelte-1uhq7gv"); }, m(target, anchor) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, input, anchor); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.set_input_value)(input, /*proposedValue*/ ctx[3]); if (!mounted) { dispose = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.listen)(input, "input", /*input_input_handler_1*/ ctx[5]); mounted = true; } }, p(ctx, dirty) { if (dirty & /*proposedValue*/ 8 && (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.to_number)(input.value) !== /*proposedValue*/ ctx[3]) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.set_input_value)(input, /*proposedValue*/ ctx[3]); } }, d(detaching) { if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(input); mounted = false; dispose(); } }; } // (3:8) {#if proposedValue === null} function create_if_block(ctx) { let input; let mounted; let dispose; return { c() { input = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("input"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(input, "type", "number"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(input, "class", "svelte-1uhq7gv"); }, m(target, anchor) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, input, anchor); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.set_input_value)(input, /*frame*/ ctx[0]); if (!mounted) { dispose = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.listen)(input, "input", /*input_input_handler*/ ctx[4]); mounted = true; } }, p(ctx, dirty) { if (dirty & /*frame*/ 1 && (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.to_number)(input.value) !== /*frame*/ ctx[0]) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.set_input_value)(input, /*frame*/ ctx[0]); } }, d(detaching) { if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(input); mounted = false; dispose(); } }; } // (15:8) <JupyterSelect bind:value={ zoom }> function create_default_slot(ctx) { let option0; let option0_value_value; let t1; let option1; let option1_value_value; let t3; let option2; let option2_value_value; let t5; let option3; let option3_value_value; let t7; let option4; let option4_value_value; let t9; let option5; let option5_value_value; let t11; let option6; let option6_value_value; return { c() { option0 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("option"); option0.textContent = "25%"; t1 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.space)(); option1 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("option"); option1.textContent = "50%"; t3 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.space)(); option2 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("option"); option2.textContent = "75%"; t5 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.space)(); option3 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("option"); option3.textContent = "100%"; t7 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.space)(); option4 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("option"); option4.textContent = "150%"; t9 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.space)(); option5 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("option"); option5.textContent = "200%"; t11 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.space)(); option6 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("option"); option6.textContent = "300%"; option0.__value = option0_value_value = .25; option0.value = option0.__value; option1.__value = option1_value_value = .50; option1.value = option1.__value; option2.__value = option2_value_value = .70; option2.value = option2.__value; option3.__value = option3_value_value = 1; option3.value = option3.__value; option4.__value = option4_value_value = 1.5; option4.value = option4.__value; option5.__value = option5_value_value = 2.0; option5.value = option5.__value; option6.__value = option6_value_value = 3.0; option6.value = option6.__value; }, m(target, anchor) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, option0, anchor); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, t1, anchor); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, option1, anchor); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, t3, anchor); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, option2, anchor); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, t5, anchor); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, option3, anchor); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, t7, anchor); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, option4, anchor); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, t9, anchor); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, option5, anchor); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, t11, anchor); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, option6, anchor); }, d(detaching) { if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(option0); if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(t1); if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(option1); if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(t3); if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(option2); if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(t5); if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(option3); if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(t7); if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(option4); if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(t9); if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(option5); if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(t11); if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(option6); } }; } function create_fragment(ctx) { let div3; let div0; let t0; let t1; let t2; let div1; let lineslider; let updating_value; let updating_proposedValue; let t3; let div2; let jupyterselect; let updating_value_1; let current; function select_block_type(ctx, dirty) { if (/*proposedValue*/ ctx[3] === null) return create_if_block; return create_else_block; } let current_block_type = select_block_type(ctx, -1); let if_block = current_block_type(ctx); function lineslider_value_binding(value) { /*lineslider_value_binding*/ ctx[6](value); } function lineslider_proposedValue_binding(value) { /*lineslider_proposedValue_binding*/ ctx[7](value); } let lineslider_props = { min: 0, max: /*length*/ ctx[2] }; if (/*frame*/ ctx[0] !== void 0) { lineslider_props.value = /*frame*/ ctx[0]; } if (/*proposedValue*/ ctx[3] !== void 0) { lineslider_props.proposedValue = /*proposedValue*/ ctx[3]; } lineslider = new _LineSlider_svelte__WEBPACK_IMPORTED_MODULE_1__["default"]({ props: lineslider_props }); svelte_internal__WEBPACK_IMPORTED_MODULE_0__.binding_callbacks.push(() => (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.bind)(lineslider, 'value', lineslider_value_binding)); svelte_internal__WEBPACK_IMPORTED_MODULE_0__.binding_callbacks.push(() => (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.bind)(lineslider, 'proposedValue', lineslider_proposedValue_binding)); function jupyterselect_value_binding(value) { /*jupyterselect_value_binding*/ ctx[8](value); } let jupyterselect_props = { $$slots: { default: [create_default_slot] }, $$scope: { ctx } }; if (/*zoom*/ ctx[1] !== void 0) { jupyterselect_props.value = /*zoom*/ ctx[1]; } jupyterselect = new _JupyterSelect_svelte__WEBPACK_IMPORTED_MODULE_2__["default"]({ props: jupyterselect_props }); svelte_internal__WEBPACK_IMPORTED_MODULE_0__.binding_callbacks.push(() => (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.bind)(jupyterselect, 'value', jupyterselect_value_binding)); return { c() { div3 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("div"); div0 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("div"); if_block.c(); t0 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.text)("\n /\n "); t1 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.text)(/*length*/ ctx[2]); t2 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.space)(); div1 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("div"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.create_component)(lineslider.$$.fragment); t3 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.space)(); div2 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("div"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.create_component)(jupyterselect.$$.fragment); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(div0, "class", "current-frame svelte-1uhq7gv"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(div1, "class", "line-slider svelte-1uhq7gv"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(div2, "class", "zoom"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(div3, "class", "bottom svelte-1uhq7gv"); }, m(target, anchor) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, div3, anchor); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div3, div0); if_block.m(div0, null); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div0, t0); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div0, t1); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div3, t2); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div3, div1); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.mount_component)(lineslider, div1, null); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div3, t3); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div3, div2); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.mount_component)(jupyterselect, div2, null); current = true; }, p(ctx, [dirty]) { if (current_block_type === (current_block_type = select_block_type(ctx, dirty)) && if_block) { if_block.p(ctx, dirty); } else { if_block.d(1); if_block = current_block_type(ctx); if (if_block) { if_block.c(); if_block.m(div0, t0); } } if (!current || dirty & /*length*/ 4) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.set_data)(t1, /*length*/ ctx[2]); const lineslider_changes = {}; if (dirty & /*length*/ 4) lineslider_changes.max = /*length*/ ctx[2]; if (!updating_value && dirty & /*frame*/ 1) { updating_value = true; lineslider_changes.value = /*frame*/ ctx[0]; (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.add_flush_callback)(() => updating_value = false); } if (!updating_proposedValue && dirty & /*proposedValue*/ 8) { updating_proposedValue = true; lineslider_changes.proposedValue = /*proposedValue*/ ctx[3]; (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.add_flush_callback)(() => updating_proposedValue = false); } lineslider.$set(lineslider_changes); const jupyterselect_changes = {}; if (dirty & /*$$scope*/ 512) { jupyterselect_changes.$$scope = { dirty, ctx }; } if (!updating_value_1 && dirty & /*zoom*/ 2) { updating_value_1 = true; jupyterselect_changes.value = /*zoom*/ ctx[1]; (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.add_flush_callback)(() => updating_value_1 = false); } jupyterselect.$set(jupyterselect_changes); }, i(local) { if (current) return; (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.transition_in)(lineslider.$$.fragment, local); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.transition_in)(jupyterselect.$$.fragment, local); current = true; }, o(local) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.transition_out)(lineslider.$$.fragment, local); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.transition_out)(jupyterselect.$$.fragment, local); current = false; }, d(detaching) { if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(div3); if_block.d(); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.destroy_component)(lineslider); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.destroy_component)(jupyterselect); } }; } function instance($$self, $$props, $$invalidate) { let { frame } = $$props; let { length } = $$props; let { zoom } = $$props; let proposedValue; function input_input_handler() { frame = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.to_number)(this.value); $$invalidate(0, frame); } function input_input_handler_1() { proposedValue = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.to_number)(this.value); $$invalidate(3, proposedValue); } function lineslider_value_binding(value) { frame = value; $$invalidate(0, frame); } function lineslider_proposedValue_binding(value) { proposedValue = value; $$invalidate(3, proposedValue); } function jupyterselect_value_binding(value) { zoom = value; $$invalidate(1, zoom); } $$self.$$set = $$props => { if ('frame' in $$props) $$invalidate(0, frame = $$props.frame); if ('length' in $$props) $$invalidate(2, length = $$props.length); if ('zoom' in $$props) $$invalidate(1, zoom = $$props.zoom); }; return [ frame, zoom, length, proposedValue, input_input_handler, input_input_handler_1, lineslider_value_binding, lineslider_proposedValue_binding, jupyterselect_value_binding ]; } class Footer extends svelte_internal__WEBPACK_IMPORTED_MODULE_0__.SvelteComponent { constructor(options) { super(); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.init)(this, options, instance, create_fragment, svelte_internal__WEBPACK_IMPORTED_MODULE_0__.safe_not_equal, { frame: 0, length: 2, zoom: 1 }, add_css); } } /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (Footer); /***/ }), /***/ "./lib/widgets/preview/Header.svelte": /*!*******************************************!*\ !*** ./lib/widgets/preview/Header.svelte ***! \*******************************************/ /***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) => { __webpack_require__.r(__webpack_exports__); /* harmony export */ __webpack_require__.d(__webpack_exports__, { /* harmony export */ "default": () => (__WEBPACK_DEFAULT_EXPORT__) /* harmony export */ }); /* harmony import */ var svelte_internal__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! svelte/internal */ "./node_modules/svelte/internal/index.mjs"); /* harmony import */ var _jupyterlab_ui_components__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! @jupyterlab/ui-components */ "webpack/sharing/consume/default/@jupyterlab/ui-components"); /* harmony import */ var _jupyterlab_ui_components__WEBPACK_IMPORTED_MODULE_1___default = /*#__PURE__*/__webpack_require__.n(_jupyterlab_ui_components__WEBPACK_IMPORTED_MODULE_1__); /* harmony import */ var svelte__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! svelte */ "./node_modules/svelte/index.mjs"); /* lib/widgets/preview/Header.svelte generated by Svelte v3.44.3 */ function add_css(target) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append_styles)(target, "svelte-1b04bb5", ".top.svelte-1b04bb5.svelte-1b04bb5{display:flex;line-height:27px;height:27px}.top.svelte-1b04bb5>.svelte-1b04bb5:not(.spacer){padding:0px 10px}.top.svelte-1b04bb5>.svelte-1b04bb5:not(:last-child){border-right:var(--jp-border-width) solid var(--jp-cell-editor-border-color)}.spacer.svelte-1b04bb5.svelte-1b04bb5{flex-grow:1;flex-shrink:1}.toolbar.svelte-1b04bb5.svelte-1b04bb5{border:0;background:transparent;margin:0;padding:0;line-height:35px}.toolbar.svelte-1b04bb5.svelte-1b04bb5:not(:last-child){padding-right:5px}"); } // (26:4) {:else} function create_else_block(ctx) { let div0; let t1; let promise; let t2; let div1; let button0; let t3; let div2; let t4; let div3; let promise_1; let t5; let div4; let t6; let div5; let button1; let t7; let promise_2; let t8; let div6; let mounted; let dispose; let info = { ctx, current: null, token: null, hasCatch: true, pending: create_pending_block_4, then: create_then_block_4, catch: create_catch_block_4, value: 16 }; (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.handle_promise)(promise = /*frameDataPromiseLeft*/ ctx[5], info); let info_1 = { ctx, current: null, token: null, hasCatch: false, pending: create_pending_block_3, then: create_then_block_3, catch: create_catch_block_3, value: 17 }; (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.handle_promise)(promise_1 = /*lengthPromise*/ ctx[6], info_1); let info_2 = { ctx, current: null, token: null, hasCatch: true, pending: create_pending_block_2, then: create_then_block_2, catch: create_catch_block_2, value: 16 }; (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.handle_promise)(promise_2 = /*frameDataPromiseRight*/ ctx[4], info_2); return { c() { div0 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("div"); div0.textContent = "A"; t1 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.space)(); info.block.c(); t2 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.space)(); div1 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("div"); button0 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("button"); t3 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.space)(); div2 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("div"); t4 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.space)(); div3 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("div"); info_1.block.c(); t5 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.space)(); div4 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("div"); t6 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.space)(); div5 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("div"); button1 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("button"); t7 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.space)(); info_2.block.c(); t8 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.space)(); div6 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("div"); div6.textContent = "B"; (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(div0, "class", "svelte-1b04bb5"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(button0, "class", "toolbar svelte-1b04bb5"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(div1, "class", "svelte-1b04bb5"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(div2, "class", "spacer svelte-1b04bb5"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(div3, "class", "svelte-1b04bb5"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(div4, "class", "spacer svelte-1b04bb5"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(button1, "class", "toolbar svelte-1b04bb5"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(div5, "class", "svelte-1b04bb5"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(div6, "class", "svelte-1b04bb5"); }, m(target, anchor) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, div0, anchor); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, t1, anchor); info.block.m(target, info.anchor = anchor); info.mount = () => t2.parentNode; info.anchor = t2; (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, t2, anchor); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, div1, anchor); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div1, button0); /*button0_binding*/ ctx[13](button0); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, t3, anchor); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, div2, anchor); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, t4, anchor); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, div3, anchor); info_1.block.m(div3, info_1.anchor = null); info_1.mount = () => div3; info_1.anchor = null; (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, t5, anchor); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, div4, anchor); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, t6, anchor); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, div5, anchor); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div5, button1); /*button1_binding*/ ctx[15](button1); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, t7, anchor); info_2.block.m(target, info_2.anchor = anchor); info_2.mount = () => t8.parentNode; info_2.anchor = t8; (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, t8, anchor); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, div6, anchor); if (!mounted) { dispose = [ (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.listen)(button0, "click", /*click_handler_1*/ ctx[12]('clip')), (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.listen)(button1, "click", /*click_handler_2*/ ctx[14]('diff')) ]; mounted = true; } }, p(new_ctx, dirty) { ctx = new_ctx; info.ctx = ctx; if (dirty & /*frameDataPromiseLeft*/ 32 && promise !== (promise = /*frameDataPromiseLeft*/ ctx[5]) && (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.handle_promise)(promise, info)) { } else { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.update_await_block_branch)(info, ctx, dirty); } info_1.ctx = ctx; if (dirty & /*lengthPromise*/ 64 && promise_1 !== (promise_1 = /*lengthPromise*/ ctx[6]) && (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.handle_promise)(promise_1, info_1)) { } else { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.update_await_block_branch)(info_1, ctx, dirty); } info_2.ctx = ctx; if (dirty & /*frameDataPromiseRight*/ 16 && promise_2 !== (promise_2 = /*frameDataPromiseRight*/ ctx[4]) && (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.handle_promise)(promise_2, info_2)) { } else { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.update_await_block_branch)(info_2, ctx, dirty); } }, d(detaching) { if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(div0); if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(t1); info.block.d(detaching); info.token = null; info = null; if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(t2); if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(div1); /*button0_binding*/ ctx[13](null); if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(t3); if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(div2); if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(t4); if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(div3); info_1.block.d(); info_1.token = null; info_1 = null; if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(t5); if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(div4); if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(t6); if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(div5); /*button1_binding*/ ctx[15](null); if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(t7); info_2.block.d(detaching); info_2.token = null; info_2 = null; if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(t8); if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(div6); mounted = false; (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.run_all)(dispose); } }; } // (4:30) function create_if_block_1(ctx) { let div0; let promise; let t0; let promise_1; let t1; let div1; let t2; let div2; let button; let mounted; let dispose; let info = { ctx, current: null, token: null, hasCatch: false, pending: create_pending_block_1, then: create_then_block_1, catch: create_catch_block_1, value: 17 }; (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.handle_promise)(promise = /*lengthPromise*/ ctx[6], info); let info_1 = { ctx, current: null, token: null, hasCatch: true, pending: create_pending_block, then: create_then_block, catch: create_catch_block, value: 16 }; (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.handle_promise)(promise_1 = /*frameDataPromiseLeft*/ ctx[5], info_1); return { c() { div0 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("div"); info.block.c(); t0 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.space)(); info_1.block.c(); t1 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.space)(); div1 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("div"); t2 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.space)(); div2 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("div"); button = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("button"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(div0, "class", "svelte-1b04bb5"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(div1, "class", "spacer svelte-1b04bb5"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(button, "class", "toolbar svelte-1b04bb5"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(div2, "class", "svelte-1b04bb5"); }, m(target, anchor) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, div0, anchor); info.block.m(div0, info.anchor = null); info.mount = () => div0; info.anchor = null; (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, t0, anchor); info_1.block.m(target, info_1.anchor = anchor); info_1.mount = () => t1.parentNode; info_1.anchor = t1; (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, t1, anchor); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, div1, anchor); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, t2, anchor); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, div2, anchor); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div2, button); /*button_binding*/ ctx[11](button); if (!mounted) { dispose = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.listen)(button, "click", /*click_handler*/ ctx[10]('clip')); mounted = true; } }, p(new_ctx, dirty) { ctx = new_ctx; info.ctx = ctx; if (dirty & /*lengthPromise*/ 64 && promise !== (promise = /*lengthPromise*/ ctx[6]) && (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.handle_promise)(promise, info)) { } else { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.update_await_block_branch)(info, ctx, dirty); } info_1.ctx = ctx; if (dirty & /*frameDataPromiseLeft*/ 32 && promise_1 !== (promise_1 = /*frameDataPromiseLeft*/ ctx[5]) && (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.handle_promise)(promise_1, info_1)) { } else { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.update_await_block_branch)(info_1, ctx, dirty); } }, d(detaching) { if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(div0); info.block.d(); info.token = null; info = null; if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(t0); info_1.block.d(detaching); info_1.token = null; info_1 = null; if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(t1); if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(div1); if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(t2); if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(div2); /*button_binding*/ ctx[11](null); mounted = false; dispose(); } }; } // (2:4) {#if clip_id == null} function create_if_block(ctx) { let div; return { c() { div = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("div"); div.textContent = "No image"; (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(div, "class", "svelte-1b04bb5"); }, m(target, anchor) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, div, anchor); }, p: svelte_internal__WEBPACK_IMPORTED_MODULE_0__.noop, d(detaching) { if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(div); } }; } // (36:8) {:catch} function create_catch_block_4(ctx) { let div; return { c() { div = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("div"); div.textContent = "Error"; (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(div, "class", "svelte-1b04bb5"); }, m(target, anchor) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, div, anchor); }, p: svelte_internal__WEBPACK_IMPORTED_MODULE_0__.noop, d(detaching) { if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(div); } }; } // (34:8) {:then frameData} function create_then_block_4(ctx) { let div; let t0_value = /*frameData*/ ctx[16].size[0] + ""; let t0; let t1; let t2_value = /*frameData*/ ctx[16].size[1] + ""; let t2; let t3; return { c() { div = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("div"); t0 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.text)(t0_value); t1 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.text)("px ร— "); t2 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.text)(t2_value); t3 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.text)("px"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(div, "class", "svelte-1b04bb5"); }, m(target, anchor) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, div, anchor); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div, t0); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div, t1); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div, t2); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div, t3); }, p(ctx, dirty) { if (dirty & /*frameDataPromiseLeft*/ 32 && t0_value !== (t0_value = /*frameData*/ ctx[16].size[0] + "")) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.set_data)(t0, t0_value); if (dirty & /*frameDataPromiseLeft*/ 32 && t2_value !== (t2_value = /*frameData*/ ctx[16].size[1] + "")) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.set_data)(t2, t2_value); }, d(detaching) { if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(div); } }; } // (32:37) <div>Updating ...</div> {:then frameData} function create_pending_block_4(ctx) { let div; return { c() { div = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("div"); div.textContent = "Updating ..."; (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(div, "class", "svelte-1b04bb5"); }, m(target, anchor) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, div, anchor); }, p: svelte_internal__WEBPACK_IMPORTED_MODULE_0__.noop, d(detaching) { if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(div); } }; } // (1:0) <div class="top"> {#if clip_id == null} function create_catch_block_3(ctx) { return { c: svelte_internal__WEBPACK_IMPORTED_MODULE_0__.noop, m: svelte_internal__WEBPACK_IMPORTED_MODULE_0__.noop, p: svelte_internal__WEBPACK_IMPORTED_MODULE_0__.noop, d: svelte_internal__WEBPACK_IMPORTED_MODULE_0__.noop }; } // (49:12) {:then length} function create_then_block_3(ctx) { let t0_value = /*length*/ ctx[17].length + ""; let t0; let t1; return { c() { t0 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.text)(t0_value); t1 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.text)(" frames"); }, m(target, anchor) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, t0, anchor); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, t1, anchor); }, p(ctx, dirty) { if (dirty & /*lengthPromise*/ 64 && t0_value !== (t0_value = /*length*/ ctx[17].length + "")) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.set_data)(t0, t0_value); }, d(detaching) { if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(t0); if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(t1); } }; } // (47:34) ... frames {:then length} function create_pending_block_3(ctx) { let t; return { c() { t = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.text)("... frames"); }, m(target, anchor) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, t, anchor); }, p: svelte_internal__WEBPACK_IMPORTED_MODULE_0__.noop, d(detaching) { if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(t); } }; } // (63:8) {:catch} function create_catch_block_2(ctx) { let div; return { c() { div = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("div"); div.textContent = "Error"; (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(div, "class", "svelte-1b04bb5"); }, m(target, anchor) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, div, anchor); }, p: svelte_internal__WEBPACK_IMPORTED_MODULE_0__.noop, d(detaching) { if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(div); } }; } // (61:8) {:then frameData} function create_then_block_2(ctx) { let div; let t0_value = /*frameData*/ ctx[16].size[0] + ""; let t0; let t1; let t2_value = /*frameData*/ ctx[16].size[1] + ""; let t2; let t3; return { c() { div = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("div"); t0 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.text)(t0_value); t1 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.text)("px ร— "); t2 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.text)(t2_value); t3 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.text)("px"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(div, "class", "svelte-1b04bb5"); }, m(target, anchor) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, div, anchor); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div, t0); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div, t1); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div, t2); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div, t3); }, p(ctx, dirty) { if (dirty & /*frameDataPromiseRight*/ 16 && t0_value !== (t0_value = /*frameData*/ ctx[16].size[0] + "")) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.set_data)(t0, t0_value); if (dirty & /*frameDataPromiseRight*/ 16 && t2_value !== (t2_value = /*frameData*/ ctx[16].size[1] + "")) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.set_data)(t2, t2_value); }, d(detaching) { if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(div); } }; } // (59:38) <div>Updating ...</div> {:then frameData} function create_pending_block_2(ctx) { let div; return { c() { div = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("div"); div.textContent = "Updating ..."; (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(div, "class", "svelte-1b04bb5"); }, m(target, anchor) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, div, anchor); }, p: svelte_internal__WEBPACK_IMPORTED_MODULE_0__.noop, d(detaching) { if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(div); } }; } // (1:0) <div class="top"> {#if clip_id == null} function create_catch_block_1(ctx) { return { c: svelte_internal__WEBPACK_IMPORTED_MODULE_0__.noop, m: svelte_internal__WEBPACK_IMPORTED_MODULE_0__.noop, p: svelte_internal__WEBPACK_IMPORTED_MODULE_0__.noop, d: svelte_internal__WEBPACK_IMPORTED_MODULE_0__.noop }; } // (8:12) {:then length} function create_then_block_1(ctx) { let t0_value = /*length*/ ctx[17].length + ""; let t0; let t1; return { c() { t0 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.text)(t0_value); t1 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.text)(" frames"); }, m(target, anchor) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, t0, anchor); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, t1, anchor); }, p(ctx, dirty) { if (dirty & /*lengthPromise*/ 64 && t0_value !== (t0_value = /*length*/ ctx[17].length + "")) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.set_data)(t0, t0_value); }, d(detaching) { if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(t0); if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(t1); } }; } // (6:34) ... frames {:then length} function create_pending_block_1(ctx) { let t; return { c() { t = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.text)("... frames"); }, m(target, anchor) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, t, anchor); }, p: svelte_internal__WEBPACK_IMPORTED_MODULE_0__.noop, d(detaching) { if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(t); } }; } // (16:8) {:catch} function create_catch_block(ctx) { let div; return { c() { div = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("div"); div.textContent = "Error"; (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(div, "class", "svelte-1b04bb5"); }, m(target, anchor) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, div, anchor); }, p: svelte_internal__WEBPACK_IMPORTED_MODULE_0__.noop, d(detaching) { if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(div); } }; } // (14:8) {:then frameData} function create_then_block(ctx) { let div; let t0_value = /*frameData*/ ctx[16].size[0] + ""; let t0; let t1; let t2_value = /*frameData*/ ctx[16].size[1] + ""; let t2; let t3; return { c() { div = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("div"); t0 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.text)(t0_value); t1 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.text)("px ร— "); t2 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.text)(t2_value); t3 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.text)("px"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(div, "class", "svelte-1b04bb5"); }, m(target, anchor) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, div, anchor); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div, t0); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div, t1); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div, t2); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div, t3); }, p(ctx, dirty) { if (dirty & /*frameDataPromiseLeft*/ 32 && t0_value !== (t0_value = /*frameData*/ ctx[16].size[0] + "")) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.set_data)(t0, t0_value); if (dirty & /*frameDataPromiseLeft*/ 32 && t2_value !== (t2_value = /*frameData*/ ctx[16].size[1] + "")) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.set_data)(t2, t2_value); }, d(detaching) { if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(div); } }; } // (12:37) <div>Updating ...</div> {:then frameData} function create_pending_block(ctx) { let div; return { c() { div = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("div"); div.textContent = "Updating ..."; (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(div, "class", "svelte-1b04bb5"); }, m(target, anchor) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, div, anchor); }, p: svelte_internal__WEBPACK_IMPORTED_MODULE_0__.noop, d(detaching) { if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(div); } }; } function create_fragment(ctx) { let div; function select_block_type(ctx, dirty) { if (/*clip_id*/ ctx[0] == null) return create_if_block; if (/*diff_id*/ ctx[1] == null) return create_if_block_1; return create_else_block; } let current_block_type = select_block_type(ctx, -1); let if_block = current_block_type(ctx); return { c() { div = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("div"); if_block.c(); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(div, "class", "top svelte-1b04bb5"); }, m(target, anchor) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, div, anchor); if_block.m(div, null); }, p(ctx, [dirty]) { if (current_block_type === (current_block_type = select_block_type(ctx, dirty)) && if_block) { if_block.p(ctx, dirty); } else { if_block.d(1); if_block = current_block_type(ctx); if (if_block) { if_block.c(); if_block.m(div, null); } } }, i: svelte_internal__WEBPACK_IMPORTED_MODULE_0__.noop, o: svelte_internal__WEBPACK_IMPORTED_MODULE_0__.noop, d(detaching) { if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(div); if_block.d(); } }; } function instance($$self, $$props, $$invalidate) { let lengthPromise; let frameDataPromiseLeft; let frameDataPromiseRight; let { rpc } = $$props; let { frame } = $$props; let { clip_id } = $$props; let { diff_id } = $$props; let diffDLIcon, clipDLIcon; async function download(type) { const rawFrame = await rpc.frame({ frame, image: type }); const blob = URL.createObjectURL(new Blob([rawFrame.buffers[0]], { type: 'image/png' })); const a = document.createElement("a"); document.body.append(a); a.href = blob; a.download = `Image-${type}-${frame}.png`; a.click(); await (0,svelte__WEBPACK_IMPORTED_MODULE_2__.tick)(); URL.revokeObjectURL(blob); a.remove(); } const click_handler = ty => () => download(ty); function button_binding($$value) { svelte_internal__WEBPACK_IMPORTED_MODULE_0__.binding_callbacks[$$value ? 'unshift' : 'push'](() => { clipDLIcon = $$value; $$invalidate(3, clipDLIcon); }); } const click_handler_1 = ty => () => download(ty); function button0_binding($$value) { svelte_internal__WEBPACK_IMPORTED_MODULE_0__.binding_callbacks[$$value ? 'unshift' : 'push'](() => { clipDLIcon = $$value; $$invalidate(3, clipDLIcon); }); } const click_handler_2 = ty => () => download(ty); function button1_binding($$value) { svelte_internal__WEBPACK_IMPORTED_MODULE_0__.binding_callbacks[$$value ? 'unshift' : 'push'](() => { diffDLIcon = $$value; $$invalidate(2, diffDLIcon); }); } $$self.$$set = $$props => { if ('rpc' in $$props) $$invalidate(8, rpc = $$props.rpc); if ('frame' in $$props) $$invalidate(9, frame = $$props.frame); if ('clip_id' in $$props) $$invalidate(0, clip_id = $$props.clip_id); if ('diff_id' in $$props) $$invalidate(1, diff_id = $$props.diff_id); }; $$self.$$.update = () => { if ($$self.$$.dirty & /*diff_id, clip_id, rpc*/ 259) { $: $$invalidate(6, lengthPromise = [diff_id, clip_id, rpc.length()][2]); } if ($$self.$$.dirty & /*diff_id, clip_id, rpc, frame*/ 771) { $: $$invalidate(5, frameDataPromiseLeft = [diff_id, clip_id, rpc.frame({ frame })][2]); } if ($$self.$$.dirty & /*diff_id, clip_id, rpc, frame*/ 771) { $: $$invalidate(4, frameDataPromiseRight = [diff_id, clip_id, rpc.frame({ frame, image: "diff" })][2]); } if ($$self.$$.dirty & /*diffDLIcon, clipDLIcon*/ 12) { $: [diffDLIcon, clipDLIcon].forEach(e => { if (!!e) _jupyterlab_ui_components__WEBPACK_IMPORTED_MODULE_1__.downloadIcon.element({ container: e, width: '16px', height: '16px', marginLeft: '2px' }); }); } }; return [ clip_id, diff_id, diffDLIcon, clipDLIcon, frameDataPromiseRight, frameDataPromiseLeft, lengthPromise, download, rpc, frame, click_handler, button_binding, click_handler_1, button0_binding, click_handler_2, button1_binding ]; } class Header extends svelte_internal__WEBPACK_IMPORTED_MODULE_0__.SvelteComponent { constructor(options) { super(); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.init)(this, options, instance, create_fragment, svelte_internal__WEBPACK_IMPORTED_MODULE_0__.safe_not_equal, { rpc: 8, frame: 9, clip_id: 0, diff_id: 1 }, add_css); } } /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (Header); /***/ }), /***/ "./lib/widgets/preview/Image.svelte": /*!******************************************!*\ !*** ./lib/widgets/preview/Image.svelte ***! \******************************************/ /***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) => { __webpack_require__.r(__webpack_exports__); /* harmony export */ __webpack_require__.d(__webpack_exports__, { /* harmony export */ "default": () => (__WEBPACK_DEFAULT_EXPORT__) /* harmony export */ }); /* harmony import */ var svelte_internal__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! svelte/internal */ "./node_modules/svelte/internal/index.mjs"); /* harmony import */ var svelte__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! svelte */ "./node_modules/svelte/index.mjs"); /* lib/widgets/preview/Image.svelte generated by Svelte v3.44.3 */ function add_css(target) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append_styles)(target, "svelte-30pkt", "img.zoomed.svelte-30pkt{image-rendering:pixelated}"); } function create_fragment(ctx) { let img; let img_src_value; let img_alt_value; let img_width_value; let img_height_value; let img_class_value; return { c() { img = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("img"); if (!(0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.src_url_equal)(img.src, img_src_value = /*currentImageURL*/ ctx[1])) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(img, "src", img_src_value); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(img, "alt", img_alt_value = "Frame: " + /*frame*/ ctx[0]); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(img, "width", img_width_value = "" + (/*size*/ ctx[3][0] + "px")); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(img, "height", img_height_value = "" + (/*size*/ ctx[3][1] + "px")); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(img, "class", img_class_value = "" + ((0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.null_to_empty)(/*extraZoomClass*/ ctx[2]) + " svelte-30pkt")); }, m(target, anchor) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, img, anchor); }, p(ctx, [dirty]) { if (dirty & /*currentImageURL*/ 2 && !(0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.src_url_equal)(img.src, img_src_value = /*currentImageURL*/ ctx[1])) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(img, "src", img_src_value); } if (dirty & /*frame*/ 1 && img_alt_value !== (img_alt_value = "Frame: " + /*frame*/ ctx[0])) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(img, "alt", img_alt_value); } if (dirty & /*size*/ 8 && img_width_value !== (img_width_value = "" + (/*size*/ ctx[3][0] + "px"))) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(img, "width", img_width_value); } if (dirty & /*size*/ 8 && img_height_value !== (img_height_value = "" + (/*size*/ ctx[3][1] + "px"))) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(img, "height", img_height_value); } if (dirty & /*extraZoomClass*/ 4 && img_class_value !== (img_class_value = "" + ((0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.null_to_empty)(/*extraZoomClass*/ ctx[2]) + " svelte-30pkt"))) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(img, "class", img_class_value); } }, i: svelte_internal__WEBPACK_IMPORTED_MODULE_0__.noop, o: svelte_internal__WEBPACK_IMPORTED_MODULE_0__.noop, d(detaching) { if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(img); } }; } function scaleSize(sz, factor) { return [ Math.max(1, Math.floor(sz[0] * factor)), Math.max(1, Math.floor(sz[1] * factor)) ]; } function instance($$self, $$props, $$invalidate) { let zoomFactor; let size; let extraZoomClass; let { rpc } = $$props; let { frame } = $$props; let { type = "clip" } = $$props; let { zoom = 1 } = $$props; let currentSize = [1, 1]; let currentImageURL = null; let nextRequestFrame = null; let currentPromise = null; let pixelRatio = window.devicePixelRatio; let pixelRatioInterval = setInterval(1000, () => { $$invalidate(8, pixelRatio = window.devicePixelRatio); }); function updateByFrameNo() { nextRequestFrame = frame; requestNext(); } function requestNext() { if (currentPromise !== null) return; const currentFrame = nextRequestFrame; currentPromise = rpc.frame({ frame, image: type }); currentPromise.then(() => { currentPromise = null; if (nextRequestFrame === currentFrame) return; requestNext(); }); currentPromise.then(({ size, buffers }) => { destroyExistingBlob(); $$invalidate(1, currentImageURL = URL.createObjectURL(new Blob([buffers[0]], { type: "application/json" }))); $$invalidate(7, currentSize = size); }); currentPromise.catch(console.error); } function destroyExistingBlob() { if (currentImageURL !== null) { URL.revokeObjectURL(currentImageURL); $$invalidate(1, currentImageURL = null); } } (0,svelte__WEBPACK_IMPORTED_MODULE_1__.onDestroy)(() => { destroyExistingBlob(); clearInterval(pixelRatioInterval); }); $$self.$$set = $$props => { if ('rpc' in $$props) $$invalidate(4, rpc = $$props.rpc); if ('frame' in $$props) $$invalidate(0, frame = $$props.frame); if ('type' in $$props) $$invalidate(5, type = $$props.type); if ('zoom' in $$props) $$invalidate(6, zoom = $$props.zoom); }; $$self.$$.update = () => { if ($$self.$$.dirty & /*frame*/ 1) { $: updateByFrameNo(frame); } if ($$self.$$.dirty & /*zoom, pixelRatio*/ 320) { $: $$invalidate(9, zoomFactor = zoom / pixelRatio); } if ($$self.$$.dirty & /*currentSize, zoomFactor*/ 640) { $: $$invalidate(3, size = scaleSize(currentSize, zoomFactor)); } if ($$self.$$.dirty & /*zoom*/ 64) { $: $$invalidate(2, extraZoomClass = zoom != 1 ? "zoomed" : ""); } }; return [ frame, currentImageURL, extraZoomClass, size, rpc, type, zoom, currentSize, pixelRatio, zoomFactor ]; } class Image extends svelte_internal__WEBPACK_IMPORTED_MODULE_0__.SvelteComponent { constructor(options) { super(); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.init)(this, options, instance, create_fragment, svelte_internal__WEBPACK_IMPORTED_MODULE_0__.safe_not_equal, { rpc: 4, frame: 0, type: 5, zoom: 6 }, add_css); } } /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (Image); /***/ }), /***/ "./lib/widgets/preview/JupyterSelect.svelte": /*!**************************************************!*\ !*** ./lib/widgets/preview/JupyterSelect.svelte ***! \**************************************************/ /***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) => { __webpack_require__.r(__webpack_exports__); /* harmony export */ __webpack_require__.d(__webpack_exports__, { /* harmony export */ "default": () => (__WEBPACK_DEFAULT_EXPORT__) /* harmony export */ }); /* harmony import */ var svelte_internal__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! svelte/internal */ "./node_modules/svelte/internal/index.mjs"); /* harmony import */ var _jupyterlab_ui_components__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! @jupyterlab/ui-components */ "webpack/sharing/consume/default/@jupyterlab/ui-components"); /* harmony import */ var _jupyterlab_ui_components__WEBPACK_IMPORTED_MODULE_1___default = /*#__PURE__*/__webpack_require__.n(_jupyterlab_ui_components__WEBPACK_IMPORTED_MODULE_1__); /* lib/widgets/preview/JupyterSelect.svelte generated by Svelte v3.44.3 */ function add_css(target) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append_styles)(target, "svelte-1gk8783", ".yuuno-fake.svelte-1gk8783{display:flex}"); } function create_fragment(ctx) { let div; let select; let t; let span; let current; let mounted; let dispose; const default_slot_template = /*#slots*/ ctx[4].default; const default_slot = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.create_slot)(default_slot_template, ctx, /*$$scope*/ ctx[3], null); return { c() { div = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("div"); select = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("select"); if (default_slot) default_slot.c(); t = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.space)(); span = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("span"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(select, "title", /*title*/ ctx[1]); if (/*value*/ ctx[0] === void 0) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.add_render_callback)(() => /*select_change_handler*/ ctx[5].call(select)); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(div, "class", "jp-HTMLSelect jp-DefaultStyle jp-Notebook-toolbarCellTypeDropdown yuuno-fake svelte-1gk8783"); }, m(target, anchor) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, div, anchor); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div, select); if (default_slot) { default_slot.m(select, null); } (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.select_option)(select, /*value*/ ctx[0]); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div, t); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div, span); /*span_binding*/ ctx[6](span); current = true; if (!mounted) { dispose = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.listen)(select, "change", /*select_change_handler*/ ctx[5]); mounted = true; } }, p(ctx, [dirty]) { if (default_slot) { if (default_slot.p && (!current || dirty & /*$$scope*/ 8)) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.update_slot_base)( default_slot, default_slot_template, ctx, /*$$scope*/ ctx[3], !current ? (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.get_all_dirty_from_scope)(/*$$scope*/ ctx[3]) : (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.get_slot_changes)(default_slot_template, /*$$scope*/ ctx[3], dirty, null), null ); } } if (!current || dirty & /*title*/ 2) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(select, "title", /*title*/ ctx[1]); } if (dirty & /*value*/ 1) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.select_option)(select, /*value*/ ctx[0]); } }, i(local) { if (current) return; (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.transition_in)(default_slot, local); current = true; }, o(local) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.transition_out)(default_slot, local); current = false; }, d(detaching) { if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(div); if (default_slot) default_slot.d(detaching); /*span_binding*/ ctx[6](null); mounted = false; dispose(); } }; } function instance($$self, $$props, $$invalidate) { let { $$slots: slots = {}, $$scope } = $$props; let { title = "" } = $$props; let { value } = $$props; let iconTarget; function select_change_handler() { value = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.select_value)(this); $$invalidate(0, value); } function span_binding($$value) { svelte_internal__WEBPACK_IMPORTED_MODULE_0__.binding_callbacks[$$value ? 'unshift' : 'push'](() => { iconTarget = $$value; $$invalidate(2, iconTarget); }); } $$self.$$set = $$props => { if ('title' in $$props) $$invalidate(1, title = $$props.title); if ('value' in $$props) $$invalidate(0, value = $$props.value); if ('$$scope' in $$props) $$invalidate(3, $$scope = $$props.$$scope); }; $$self.$$.update = () => { if ($$self.$$.dirty & /*iconTarget*/ 4) { $: _jupyterlab_ui_components__WEBPACK_IMPORTED_MODULE_1__.caretDownEmptyIcon.element({ container: iconTarget, width: '16px', height: '16px', marginLeft: '2px' }); } }; return [value, title, iconTarget, $$scope, slots, select_change_handler, span_binding]; } class JupyterSelect extends svelte_internal__WEBPACK_IMPORTED_MODULE_0__.SvelteComponent { constructor(options) { super(); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.init)(this, options, instance, create_fragment, svelte_internal__WEBPACK_IMPORTED_MODULE_0__.safe_not_equal, { title: 1, value: 0 }, add_css); } } /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (JupyterSelect); /***/ }), /***/ "./lib/widgets/preview/LineSlider.svelte": /*!***********************************************!*\ !*** ./lib/widgets/preview/LineSlider.svelte ***! \***********************************************/ /***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) => { __webpack_require__.r(__webpack_exports__); /* harmony export */ __webpack_require__.d(__webpack_exports__, { /* harmony export */ "default": () => (__WEBPACK_DEFAULT_EXPORT__) /* harmony export */ }); /* harmony import */ var svelte_internal__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! svelte/internal */ "./node_modules/svelte/internal/index.mjs"); /* lib/widgets/preview/LineSlider.svelte generated by Svelte v3.44.3 */ function add_css(target) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append_styles)(target, "svelte-kk8zs1", ".line-slider.svelte-kk8zs1.svelte-kk8zs1{position:relative;width:100%;height:100%;display:block;border-left:var(--jp-border-width) solid var(--jp-cell-editor-border-color);border-right:var(--jp-border-width) solid var(--jp-cell-editor-border-color)}.line-slider.svelte-kk8zs1>.svelte-kk8zs1{position:absolute;height:20%;bottom:0}.past.svelte-kk8zs1.svelte-kk8zs1{left:0;background-color:var(--jp-brand-color1)}.future.svelte-kk8zs1.svelte-kk8zs1{right:0;background-color:var(--jp-cell-editor-border-color)}.select.svelte-kk8zs1.svelte-kk8zs1,.proposed.svelte-kk8zs1.svelte-kk8zs1{height:100%;top:0;width:var(--jp-border-width);background-color:var(--jp-brand-color1)}"); } // (5:4) {:else} function create_else_block(ctx) { let div; return { c() { div = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("div"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(div, "class", "proposed svelte-kk8zs1"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.set_style)(div, "left", /*proposedPerc*/ ctx[1] * 100 + "%"); }, m(target, anchor) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, div, anchor); }, p(ctx, dirty) { if (dirty & /*proposedPerc*/ 2) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.set_style)(div, "left", /*proposedPerc*/ ctx[1] * 100 + "%"); } }, d(detaching) { if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(div); } }; } // (3:4) {#if proposedValue === null} function create_if_block(ctx) { let div; return { c() { div = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("div"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(div, "class", "select svelte-kk8zs1"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.set_style)(div, "left", /*percPast*/ ctx[2] * 100 + "%"); }, m(target, anchor) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, div, anchor); }, p(ctx, dirty) { if (dirty & /*percPast*/ 4) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.set_style)(div, "left", /*percPast*/ ctx[2] * 100 + "%"); } }, d(detaching) { if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(div); } }; } function create_fragment(ctx) { let div2; let div0; let t0; let t1; let div1; let mounted; let dispose; function select_block_type(ctx, dirty) { if (/*proposedValue*/ ctx[0] === null) return create_if_block; return create_else_block; } let current_block_type = select_block_type(ctx, -1); let if_block = current_block_type(ctx); return { c() { div2 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("div"); div0 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("div"); t0 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.space)(); if_block.c(); t1 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.space)(); div1 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("div"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(div0, "class", "past svelte-kk8zs1"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.set_style)(div0, "width", /*percPast*/ ctx[2] * 100 + "%"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(div1, "class", "future svelte-kk8zs1"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.set_style)(div1, "width", /*percFuture*/ ctx[4] * 100 + "%"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(div2, "class", "line-slider svelte-kk8zs1"); }, m(target, anchor) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, div2, anchor); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div2, div0); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div2, t0); if_block.m(div2, null); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div2, t1); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div2, div1); /*div2_binding*/ ctx[13](div2); if (!mounted) { dispose = [ (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.listen)(div2, "mouseenter", /*enter*/ ctx[5]), (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.listen)(div2, "mouseleave", /*leave*/ ctx[6]), (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.listen)(div2, "mousemove", /*move*/ ctx[7]), (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.listen)(div2, "click", /*submit*/ ctx[8]) ]; mounted = true; } }, p(ctx, [dirty]) { if (dirty & /*percPast*/ 4) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.set_style)(div0, "width", /*percPast*/ ctx[2] * 100 + "%"); } if (current_block_type === (current_block_type = select_block_type(ctx, dirty)) && if_block) { if_block.p(ctx, dirty); } else { if_block.d(1); if_block = current_block_type(ctx); if (if_block) { if_block.c(); if_block.m(div2, t1); } } if (dirty & /*percFuture*/ 16) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.set_style)(div1, "width", /*percFuture*/ ctx[4] * 100 + "%"); } }, i: svelte_internal__WEBPACK_IMPORTED_MODULE_0__.noop, o: svelte_internal__WEBPACK_IMPORTED_MODULE_0__.noop, d(detaching) { if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(div2); if_block.d(); /*div2_binding*/ ctx[13](null); mounted = false; (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.run_all)(dispose); } }; } function instance($$self, $$props, $$invalidate) { let span; let percPast; let percFuture; let { value = 0 } = $$props; let { max = 100 } = $$props; let { min = 0 } = $$props; let { proposedValue = null } = $$props; let { proposedPerc = null } = $$props; let myself; function enter(event) { $$invalidate(0, proposedValue = min); move(event); } function leave() { $$invalidate(0, proposedValue = null); } function move(event) { const { pageX, pageY } = event; const { left, top, right } = myself.getBoundingClientRect(); const width = right - left; const vX = pageX - left; $$invalidate(1, proposedPerc = vX / width); const rawProposal = proposedPerc * span + min; $$invalidate(0, proposedValue = Math.round(rawProposal)); } function submit() { $$invalidate(9, value = proposedValue); } function div2_binding($$value) { svelte_internal__WEBPACK_IMPORTED_MODULE_0__.binding_callbacks[$$value ? 'unshift' : 'push'](() => { myself = $$value; $$invalidate(3, myself); }); } $$self.$$set = $$props => { if ('value' in $$props) $$invalidate(9, value = $$props.value); if ('max' in $$props) $$invalidate(10, max = $$props.max); if ('min' in $$props) $$invalidate(11, min = $$props.min); if ('proposedValue' in $$props) $$invalidate(0, proposedValue = $$props.proposedValue); if ('proposedPerc' in $$props) $$invalidate(1, proposedPerc = $$props.proposedPerc); }; $$self.$$.update = () => { if ($$self.$$.dirty & /*max, min*/ 3072) { $: $$invalidate(12, span = max - min); } if ($$self.$$.dirty & /*value, min, span*/ 6656) { $: $$invalidate(2, percPast = (value - min) / span); } if ($$self.$$.dirty & /*percPast*/ 4) { $: $$invalidate(4, percFuture = 1 - percPast); } }; return [ proposedValue, proposedPerc, percPast, myself, percFuture, enter, leave, move, submit, value, max, min, span, div2_binding ]; } class LineSlider extends svelte_internal__WEBPACK_IMPORTED_MODULE_0__.SvelteComponent { constructor(options) { super(); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.init)( this, options, instance, create_fragment, svelte_internal__WEBPACK_IMPORTED_MODULE_0__.safe_not_equal, { value: 9, max: 10, min: 11, proposedValue: 0, proposedPerc: 1 }, add_css ); } } /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (LineSlider); /***/ }), /***/ "./lib/widgets/preview/Viewport.svelte": /*!*********************************************!*\ !*** ./lib/widgets/preview/Viewport.svelte ***! \*********************************************/ /***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) => { __webpack_require__.r(__webpack_exports__); /* harmony export */ __webpack_require__.d(__webpack_exports__, { /* harmony export */ "default": () => (__WEBPACK_DEFAULT_EXPORT__) /* harmony export */ }); /* harmony import */ var svelte_internal__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! svelte/internal */ "./node_modules/svelte/internal/index.mjs"); /* harmony import */ var _Image_svelte__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./Image.svelte */ "./lib/widgets/preview/Image.svelte"); /* lib/widgets/preview/Viewport.svelte generated by Svelte v3.44.3 */ function add_css(target) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append_styles)(target, "svelte-19n1gk", ".viewport.svelte-19n1gk.svelte-19n1gk{display:flex;flex-grow:1;flex-shrink:1;background-image:linear-gradient(45deg, #808080 25%, transparent 25%),\n linear-gradient(-45deg, #808080 25%, transparent 25%),\n linear-gradient(45deg, transparent 75%, #808080 75%),\n linear-gradient(-45deg, transparent 75%, #808080 75%);background-size:20px 20px;background-position:0 0, 0 10px, 10px -10px, -10px 0px;overflow:auto}.zero-sizer.svelte-19n1gk.svelte-19n1gk{position:relative;width:0;height:0}.zero-sizer.svelte-19n1gk>.item.svelte-19n1gk{position:absolute;top:0;left:0}.item.main.svelte-19n1gk.svelte-19n1gk,.item.diff.svelte-19n1gk.svelte-19n1gk{display:none}.main.svelte-19n1gk>.item.main.svelte-19n1gk{display:block}.diff.svelte-19n1gk>.item.diff.svelte-19n1gk{display:block}"); } // (3:8) {#if clip_id !== null} function create_if_block_1(ctx) { let div; let image; let current; image = new _Image_svelte__WEBPACK_IMPORTED_MODULE_1__["default"]({ props: { rpc: /*rpc*/ ctx[0], frame: /*frame*/ ctx[1], zoom: /*zoom*/ ctx[2], type: "clip" } }); return { c() { div = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("div"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.create_component)(image.$$.fragment); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(div, "class", "item main svelte-19n1gk"); }, m(target, anchor) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, div, anchor); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.mount_component)(image, div, null); current = true; }, p(ctx, dirty) { const image_changes = {}; if (dirty & /*rpc*/ 1) image_changes.rpc = /*rpc*/ ctx[0]; if (dirty & /*frame*/ 2) image_changes.frame = /*frame*/ ctx[1]; if (dirty & /*zoom*/ 4) image_changes.zoom = /*zoom*/ ctx[2]; image.$set(image_changes); }, i(local) { if (current) return; (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.transition_in)(image.$$.fragment, local); current = true; }, o(local) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.transition_out)(image.$$.fragment, local); current = false; }, d(detaching) { if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(div); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.destroy_component)(image); } }; } // (9:8) {#if diff_id !== null} function create_if_block(ctx) { let div; let image; let current; image = new _Image_svelte__WEBPACK_IMPORTED_MODULE_1__["default"]({ props: { rpc: /*rpc*/ ctx[0], frame: /*frame*/ ctx[1], zoom: /*zoom*/ ctx[2], type: "diff" } }); return { c() { div = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("div"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.create_component)(image.$$.fragment); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(div, "class", "item diff svelte-19n1gk"); }, m(target, anchor) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, div, anchor); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.mount_component)(image, div, null); current = true; }, p(ctx, dirty) { const image_changes = {}; if (dirty & /*rpc*/ 1) image_changes.rpc = /*rpc*/ ctx[0]; if (dirty & /*frame*/ 2) image_changes.frame = /*frame*/ ctx[1]; if (dirty & /*zoom*/ 4) image_changes.zoom = /*zoom*/ ctx[2]; image.$set(image_changes); }, i(local) { if (current) return; (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.transition_in)(image.$$.fragment, local); current = true; }, o(local) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.transition_out)(image.$$.fragment, local); current = false; }, d(detaching) { if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(div); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.destroy_component)(image); } }; } function create_fragment(ctx) { let div1; let div0; let t; let div0_class_value; let current; let mounted; let dispose; let if_block0 = /*clip_id*/ ctx[3] !== null && create_if_block_1(ctx); let if_block1 = /*diff_id*/ ctx[4] !== null && create_if_block(ctx); return { c() { div1 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("div"); div0 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("div"); if (if_block0) if_block0.c(); t = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.space)(); if (if_block1) if_block1.c(); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(div0, "class", div0_class_value = "zero-sizer " + /*mode*/ ctx[6] + " svelte-19n1gk"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(div1, "class", "viewport svelte-19n1gk"); }, m(target, anchor) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, div1, anchor); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div1, div0); if (if_block0) if_block0.m(div0, null); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div0, t); if (if_block1) if_block1.m(div0, null); /*div1_binding*/ ctx[16](div1); current = true; if (!mounted) { dispose = [ (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.listen)(div1, "mouseenter", /*enter*/ ctx[7]), (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.listen)(div1, "mouseleave", /*leave*/ ctx[8]), (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.listen)(div1, "mousedown", (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.stop_propagation)((0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.prevent_default)(/*down*/ ctx[9])), true), (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.listen)(div1, "mouseup", (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.stop_propagation)((0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.prevent_default)(/*up*/ ctx[10])), true), (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.listen)(div1, "mousemove", /*move*/ ctx[11]) ]; mounted = true; } }, p(ctx, [dirty]) { if (/*clip_id*/ ctx[3] !== null) { if (if_block0) { if_block0.p(ctx, dirty); if (dirty & /*clip_id*/ 8) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.transition_in)(if_block0, 1); } } else { if_block0 = create_if_block_1(ctx); if_block0.c(); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.transition_in)(if_block0, 1); if_block0.m(div0, t); } } else if (if_block0) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.group_outros)(); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.transition_out)(if_block0, 1, 1, () => { if_block0 = null; }); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.check_outros)(); } if (/*diff_id*/ ctx[4] !== null) { if (if_block1) { if_block1.p(ctx, dirty); if (dirty & /*diff_id*/ 16) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.transition_in)(if_block1, 1); } } else { if_block1 = create_if_block(ctx); if_block1.c(); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.transition_in)(if_block1, 1); if_block1.m(div0, null); } } else if (if_block1) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.group_outros)(); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.transition_out)(if_block1, 1, 1, () => { if_block1 = null; }); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.check_outros)(); } if (!current || dirty & /*mode*/ 64 && div0_class_value !== (div0_class_value = "zero-sizer " + /*mode*/ ctx[6] + " svelte-19n1gk")) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(div0, "class", div0_class_value); } }, i(local) { if (current) return; (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.transition_in)(if_block0); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.transition_in)(if_block1); current = true; }, o(local) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.transition_out)(if_block0); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.transition_out)(if_block1); current = false; }, d(detaching) { if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(div1); if (if_block0) if_block0.d(); if (if_block1) if_block1.d(); /*div1_binding*/ ctx[16](null); mounted = false; (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.run_all)(dispose); } }; } function instance($$self, $$props, $$invalidate) { let single_clip; let single_clip_mode; let multi_clip_mode; let mode; let { rpc } = $$props; let { frame } = $$props; let { zoom = 1 } = $$props; let { clip_id, diff_id } = $$props; let myself; let entered = false; function enter() { $$invalidate(12, entered = true); } function leave() { $$invalidate(12, entered = false); } let panning = null; function down(event) { panning = [event.screenX, event.screenY, myself.scrollLeft, myself.scrollTop]; } function up() { panning = null; } function move(event) { if (panning === null) return; const { screenX, screenY } = event; const [startX, startY, scrollLeft, scrollTop] = panning; const dX = startX - screenX; const dY = startY - screenY; $$invalidate(5, myself.scrollLeft = scrollLeft + dX, myself); $$invalidate(5, myself.scrollTop = scrollTop + dY, myself); } function div1_binding($$value) { svelte_internal__WEBPACK_IMPORTED_MODULE_0__.binding_callbacks[$$value ? 'unshift' : 'push'](() => { myself = $$value; $$invalidate(5, myself); }); } $$self.$$set = $$props => { if ('rpc' in $$props) $$invalidate(0, rpc = $$props.rpc); if ('frame' in $$props) $$invalidate(1, frame = $$props.frame); if ('zoom' in $$props) $$invalidate(2, zoom = $$props.zoom); if ('clip_id' in $$props) $$invalidate(3, clip_id = $$props.clip_id); if ('diff_id' in $$props) $$invalidate(4, diff_id = $$props.diff_id); }; $$self.$$.update = () => { if ($$self.$$.dirty & /*clip_id, diff_id*/ 24) { $: $$invalidate(15, single_clip = clip_id === null != (diff_id === null)); } if ($$self.$$.dirty & /*clip_id*/ 8) { $: $$invalidate(14, single_clip_mode = clip_id !== null ? "main" : "diff"); } if ($$self.$$.dirty & /*entered*/ 4096) { $: $$invalidate(13, multi_clip_mode = entered ? "diff" : "main"); } if ($$self.$$.dirty & /*single_clip, single_clip_mode, multi_clip_mode*/ 57344) { $: $$invalidate(6, mode = single_clip ? single_clip_mode : multi_clip_mode); } }; return [ rpc, frame, zoom, clip_id, diff_id, myself, mode, enter, leave, down, up, move, entered, multi_clip_mode, single_clip_mode, single_clip, div1_binding ]; } class Viewport extends svelte_internal__WEBPACK_IMPORTED_MODULE_0__.SvelteComponent { constructor(options) { super(); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.init)( this, options, instance, create_fragment, svelte_internal__WEBPACK_IMPORTED_MODULE_0__.safe_not_equal, { rpc: 0, frame: 1, zoom: 2, clip_id: 3, diff_id: 4 }, add_css ); } } /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (Viewport); /***/ }), /***/ "./lib/widgets/preview/Widget.svelte": /*!*******************************************!*\ !*** ./lib/widgets/preview/Widget.svelte ***! \*******************************************/ /***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) => { __webpack_require__.r(__webpack_exports__); /* harmony export */ __webpack_require__.d(__webpack_exports__, { /* harmony export */ "default": () => (__WEBPACK_DEFAULT_EXPORT__) /* harmony export */ }); /* harmony import */ var svelte_internal__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! svelte/internal */ "./node_modules/svelte/internal/index.mjs"); /* harmony import */ var _Header_svelte__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./Header.svelte */ "./lib/widgets/preview/Header.svelte"); /* harmony import */ var _Viewport_svelte__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ./Viewport.svelte */ "./lib/widgets/preview/Viewport.svelte"); /* harmony import */ var _Footer_svelte__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ./Footer.svelte */ "./lib/widgets/preview/Footer.svelte"); /* harmony import */ var _utils__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../utils */ "./lib/utils.js"); /* harmony import */ var _rpc__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ./rpc */ "./lib/widgets/preview/rpc.js"); /* harmony import */ var svelte__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! svelte */ "./node_modules/svelte/index.mjs"); /* lib/widgets/preview/Widget.svelte generated by Svelte v3.44.3 */ function add_css(target) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append_styles)(target, "svelte-1nz724k", ".preview.svelte-1nz724k.svelte-1nz724k{border:var(--jp-border-width) solid var(--jp-cell-editor-border-color);border-radius:0px;background:var(--jp-cell-editor-background);display:flex;flex-direction:column}.preview.svelte-1nz724k>.svelte-1nz724k{width:100%}.viewport.svelte-1nz724k.svelte-1nz724k{min-height:640px;flex-grow:1;flex-shrink:1;display:flex;flex-direction:column}"); } // (1:0) {#await currentPreview} function create_catch_block(ctx) { return { c: svelte_internal__WEBPACK_IMPORTED_MODULE_0__.noop, m: svelte_internal__WEBPACK_IMPORTED_MODULE_0__.noop, p: svelte_internal__WEBPACK_IMPORTED_MODULE_0__.noop, i: svelte_internal__WEBPACK_IMPORTED_MODULE_0__.noop, o: svelte_internal__WEBPACK_IMPORTED_MODULE_0__.noop, d: svelte_internal__WEBPACK_IMPORTED_MODULE_0__.noop }; } // (4:0) {:then length} function create_then_block(ctx) { let div3; let div0; let header; let t0; let div1; let viewport; let t1; let div2; let footer; let updating_frame; let updating_zoom; let current; header = new _Header_svelte__WEBPACK_IMPORTED_MODULE_2__["default"]({ props: { clip_id: /*$clip_id*/ ctx[1], diff_id: /*$diff_id*/ ctx[0], rpc: /*preview*/ ctx[9], frame: /*$frame*/ ctx[3] } }); viewport = new _Viewport_svelte__WEBPACK_IMPORTED_MODULE_3__["default"]({ props: { clip_id: /*$clip_id*/ ctx[1], diff_id: /*$diff_id*/ ctx[0], rpc: /*preview*/ ctx[9], frame: /*$frame*/ ctx[3], zoom: /*$zoom*/ ctx[4] } }); function footer_frame_binding(value) { /*footer_frame_binding*/ ctx[11](value); } function footer_zoom_binding(value) { /*footer_zoom_binding*/ ctx[12](value); } let footer_props = { length: /*length*/ ctx[14].length }; if (/*$frame*/ ctx[3] !== void 0) { footer_props.frame = /*$frame*/ ctx[3]; } if (/*$zoom*/ ctx[4] !== void 0) { footer_props.zoom = /*$zoom*/ ctx[4]; } footer = new _Footer_svelte__WEBPACK_IMPORTED_MODULE_4__["default"]({ props: footer_props }); svelte_internal__WEBPACK_IMPORTED_MODULE_0__.binding_callbacks.push(() => (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.bind)(footer, 'frame', footer_frame_binding)); svelte_internal__WEBPACK_IMPORTED_MODULE_0__.binding_callbacks.push(() => (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.bind)(footer, 'zoom', footer_zoom_binding)); return { c() { div3 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("div"); div0 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("div"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.create_component)(header.$$.fragment); t0 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.space)(); div1 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("div"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.create_component)(viewport.$$.fragment); t1 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.space)(); div2 = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("div"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.create_component)(footer.$$.fragment); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(div0, "class", "header svelte-1nz724k"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(div1, "class", "viewport svelte-1nz724k"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(div2, "class", "footer svelte-1nz724k"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.attr)(div3, "class", "preview svelte-1nz724k"); }, m(target, anchor) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, div3, anchor); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div3, div0); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.mount_component)(header, div0, null); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div3, t0); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div3, div1); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.mount_component)(viewport, div1, null); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div3, t1); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.append)(div3, div2); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.mount_component)(footer, div2, null); current = true; }, p(ctx, dirty) { const header_changes = {}; if (dirty & /*$clip_id*/ 2) header_changes.clip_id = /*$clip_id*/ ctx[1]; if (dirty & /*$diff_id*/ 1) header_changes.diff_id = /*$diff_id*/ ctx[0]; if (dirty & /*$frame*/ 8) header_changes.frame = /*$frame*/ ctx[3]; header.$set(header_changes); const viewport_changes = {}; if (dirty & /*$clip_id*/ 2) viewport_changes.clip_id = /*$clip_id*/ ctx[1]; if (dirty & /*$diff_id*/ 1) viewport_changes.diff_id = /*$diff_id*/ ctx[0]; if (dirty & /*$frame*/ 8) viewport_changes.frame = /*$frame*/ ctx[3]; if (dirty & /*$zoom*/ 16) viewport_changes.zoom = /*$zoom*/ ctx[4]; viewport.$set(viewport_changes); const footer_changes = {}; if (dirty & /*currentPreview*/ 4) footer_changes.length = /*length*/ ctx[14].length; if (!updating_frame && dirty & /*$frame*/ 8) { updating_frame = true; footer_changes.frame = /*$frame*/ ctx[3]; (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.add_flush_callback)(() => updating_frame = false); } if (!updating_zoom && dirty & /*$zoom*/ 16) { updating_zoom = true; footer_changes.zoom = /*$zoom*/ ctx[4]; (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.add_flush_callback)(() => updating_zoom = false); } footer.$set(footer_changes); }, i(local) { if (current) return; (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.transition_in)(header.$$.fragment, local); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.transition_in)(viewport.$$.fragment, local); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.transition_in)(footer.$$.fragment, local); current = true; }, o(local) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.transition_out)(header.$$.fragment, local); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.transition_out)(viewport.$$.fragment, local); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.transition_out)(footer.$$.fragment, local); current = false; }, d(detaching) { if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(div3); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.destroy_component)(header); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.destroy_component)(viewport); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.destroy_component)(footer); } }; } // (2:23) <div>Loading ...</div> {:then length} function create_pending_block(ctx) { let div; return { c() { div = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.element)("div"); div.textContent = "Loading ..."; }, m(target, anchor) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, div, anchor); }, p: svelte_internal__WEBPACK_IMPORTED_MODULE_0__.noop, i: svelte_internal__WEBPACK_IMPORTED_MODULE_0__.noop, o: svelte_internal__WEBPACK_IMPORTED_MODULE_0__.noop, d(detaching) { if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(div); } }; } function create_fragment(ctx) { let await_block_anchor; let promise; let current; let info = { ctx, current: null, token: null, hasCatch: false, pending: create_pending_block, then: create_then_block, catch: create_catch_block, value: 14, blocks: [,,,] }; (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.handle_promise)(promise = /*currentPreview*/ ctx[2], info); return { c() { await_block_anchor = (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.empty)(); info.block.c(); }, m(target, anchor) { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.insert)(target, await_block_anchor, anchor); info.block.m(target, info.anchor = anchor); info.mount = () => await_block_anchor.parentNode; info.anchor = await_block_anchor; current = true; }, p(new_ctx, [dirty]) { ctx = new_ctx; info.ctx = ctx; if (dirty & /*currentPreview*/ 4 && promise !== (promise = /*currentPreview*/ ctx[2]) && (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.handle_promise)(promise, info)) { } else { (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.update_await_block_branch)(info, ctx, dirty); } }, i(local) { if (current) return; (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.transition_in)(info.block); current = true; }, o(local) { for (let i = 0; i < 3; i += 1) { const block = info.blocks[i]; (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.transition_out)(block); } current = false; }, d(detaching) { if (detaching) (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.detach)(await_block_anchor); info.block.d(detaching); info.token = null; info = null; } }; } function instance($$self, $$props, $$invalidate) { let currentPreview; let $diff_id; let $clip_id; let $frame; let $zoom; let { component } = $$props; const frame = (0,_utils__WEBPACK_IMPORTED_MODULE_5__.model_attribute)(component, "frame"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.component_subscribe)($$self, frame, value => $$invalidate(3, $frame = value)); const zoom = (0,_utils__WEBPACK_IMPORTED_MODULE_5__.model_attribute)(component, "zoom"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.component_subscribe)($$self, zoom, value => $$invalidate(4, $zoom = value)); const clip_id = (0,_utils__WEBPACK_IMPORTED_MODULE_5__.model_attribute)(component, "clip"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.component_subscribe)($$self, clip_id, value => $$invalidate(1, $clip_id = value)); const diff_id = (0,_utils__WEBPACK_IMPORTED_MODULE_5__.model_attribute)(component, "diff"); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.component_subscribe)($$self, diff_id, value => $$invalidate(0, $diff_id = value)); const debouncedFrame = (0,_utils__WEBPACK_IMPORTED_MODULE_5__.debounce)(100, frame); const preview = (0,_rpc__WEBPACK_IMPORTED_MODULE_6__.getRPCForModel)(component); preview.open(); (0,svelte__WEBPACK_IMPORTED_MODULE_1__.onDestroy)(() => preview.close()); function footer_frame_binding(value) { $frame = value; frame.set($frame); } function footer_zoom_binding(value) { $zoom = value; zoom.set($zoom); } $$self.$$set = $$props => { if ('component' in $$props) $$invalidate(10, component = $$props.component); }; $$self.$$.update = () => { if ($$self.$$.dirty & /*$clip_id, $diff_id*/ 3) { $: $$invalidate(2, currentPreview = [$clip_id, $diff_id, preview.length()][2]); } if ($$self.$$.dirty & /*component*/ 1024) { $: console.log(component); } }; return [ $diff_id, $clip_id, currentPreview, $frame, $zoom, frame, zoom, clip_id, diff_id, preview, component, footer_frame_binding, footer_zoom_binding ]; } class Widget extends svelte_internal__WEBPACK_IMPORTED_MODULE_0__.SvelteComponent { constructor(options) { super(); (0,svelte_internal__WEBPACK_IMPORTED_MODULE_0__.init)(this, options, instance, create_fragment, svelte_internal__WEBPACK_IMPORTED_MODULE_0__.safe_not_equal, { component: 10 }, add_css); } } /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (Widget); /***/ }) }]); //# sourceMappingURL=lib_index_js.8261d50cfcdd262765d1.js.map
yuuno
/yuuno-1.4.tar.gz/yuuno-1.4/yuuno_jupyterlab/static/static/lib_index_js.8261d50cfcdd262765d1.js
lib_index_js.8261d50cfcdd262765d1.js
var _JUPYTERLAB; /******/ (() => { // webpackBootstrap /******/ "use strict"; /******/ var __webpack_modules__ = ({ /***/ "webpack/container/entry/@yuuno/jupyterlab": /*!***********************!*\ !*** container entry ***! \***********************/ /***/ ((__unused_webpack_module, exports, __webpack_require__) => { var moduleMap = { "./index": () => { return Promise.all([__webpack_require__.e("vendors-node_modules_svelte_index_mjs"), __webpack_require__.e("lib_index_js")]).then(() => (() => ((__webpack_require__(/*! ./lib/index.js */ "./lib/index.js"))))); }, "./extension": () => { return Promise.all([__webpack_require__.e("vendors-node_modules_svelte_index_mjs"), __webpack_require__.e("lib_index_js")]).then(() => (() => ((__webpack_require__(/*! ./lib/index.js */ "./lib/index.js"))))); }, "./style": () => { return Promise.all([__webpack_require__.e("vendors-node_modules_css-loader_dist_runtime_api_js-node_modules_css-loader_dist_runtime_cssW-72eba1"), __webpack_require__.e("style_index_js")]).then(() => (() => ((__webpack_require__(/*! ./style/index.js */ "./style/index.js"))))); } }; var get = (module, getScope) => { __webpack_require__.R = getScope; getScope = ( __webpack_require__.o(moduleMap, module) ? moduleMap[module]() : Promise.resolve().then(() => { throw new Error('Module "' + module + '" does not exist in container.'); }) ); __webpack_require__.R = undefined; return getScope; }; var init = (shareScope, initScope) => { if (!__webpack_require__.S) return; var name = "default" var oldScope = __webpack_require__.S[name]; if(oldScope && oldScope !== shareScope) throw new Error("Container initialization failed as it has already been initialized with a different share scope"); __webpack_require__.S[name] = shareScope; return __webpack_require__.I(name, initScope); }; // This exports getters to disallow modifications __webpack_require__.d(exports, { get: () => (get), init: () => (init) }); /***/ }) /******/ }); /************************************************************************/ /******/ // The module cache /******/ var __webpack_module_cache__ = {}; /******/ /******/ // The require function /******/ function __webpack_require__(moduleId) { /******/ // Check if module is in cache /******/ var cachedModule = __webpack_module_cache__[moduleId]; /******/ if (cachedModule !== undefined) { /******/ return cachedModule.exports; /******/ } /******/ // Create a new module (and put it into the cache) /******/ var module = __webpack_module_cache__[moduleId] = { /******/ id: moduleId, /******/ // no module.loaded needed /******/ exports: {} /******/ }; /******/ /******/ // Execute the module function /******/ __webpack_modules__[moduleId](module, module.exports, __webpack_require__); /******/ /******/ // Return the exports of the module /******/ return module.exports; /******/ } /******/ /******/ // expose the modules object (__webpack_modules__) /******/ __webpack_require__.m = __webpack_modules__; /******/ /******/ // expose the module cache /******/ __webpack_require__.c = __webpack_module_cache__; /******/ /************************************************************************/ /******/ /* webpack/runtime/compat get default export */ /******/ (() => { /******/ // getDefaultExport function for compatibility with non-harmony modules /******/ __webpack_require__.n = (module) => { /******/ var getter = module && module.__esModule ? /******/ () => (module['default']) : /******/ () => (module); /******/ __webpack_require__.d(getter, { a: getter }); /******/ return getter; /******/ }; /******/ })(); /******/ /******/ /* webpack/runtime/define property getters */ /******/ (() => { /******/ // define getter functions for harmony exports /******/ __webpack_require__.d = (exports, definition) => { /******/ for(var key in definition) { /******/ if(__webpack_require__.o(definition, key) && !__webpack_require__.o(exports, key)) { /******/ Object.defineProperty(exports, key, { enumerable: true, get: definition[key] }); /******/ } /******/ } /******/ }; /******/ })(); /******/ /******/ /* webpack/runtime/ensure chunk */ /******/ (() => { /******/ __webpack_require__.f = {}; /******/ // This file contains only the entry chunk. /******/ // The chunk loading function for additional chunks /******/ __webpack_require__.e = (chunkId) => { /******/ return Promise.all(Object.keys(__webpack_require__.f).reduce((promises, key) => { /******/ __webpack_require__.f[key](chunkId, promises); /******/ return promises; /******/ }, [])); /******/ }; /******/ })(); /******/ /******/ /* webpack/runtime/get javascript chunk filename */ /******/ (() => { /******/ // This function allow to reference async chunks /******/ __webpack_require__.u = (chunkId) => { /******/ // return url for filenames based on template /******/ return "" + chunkId + "." + {"vendors-node_modules_svelte_index_mjs":"8c87196f35a3feefaf57","lib_index_js":"8261d50cfcdd262765d1","vendors-node_modules_css-loader_dist_runtime_api_js-node_modules_css-loader_dist_runtime_cssW-72eba1":"1ec5ea217651b461b775","style_index_js":"046a091dd193851c3746","node_modules_xterm-addon-fit_lib_xterm-addon-fit_js":"d5085c68658a9a02c319","vendors-node_modules_xterm_lib_xterm_js":"ce6747742315951ea661"}[chunkId] + ".js"; /******/ }; /******/ })(); /******/ /******/ /* webpack/runtime/global */ /******/ (() => { /******/ __webpack_require__.g = (function() { /******/ if (typeof globalThis === 'object') return globalThis; /******/ try { /******/ return this || new Function('return this')(); /******/ } catch (e) { /******/ if (typeof window === 'object') return window; /******/ } /******/ })(); /******/ })(); /******/ /******/ /* webpack/runtime/hasOwnProperty shorthand */ /******/ (() => { /******/ __webpack_require__.o = (obj, prop) => (Object.prototype.hasOwnProperty.call(obj, prop)) /******/ })(); /******/ /******/ /* webpack/runtime/load script */ /******/ (() => { /******/ var inProgress = {}; /******/ var dataWebpackPrefix = "@yuuno/jupyterlab:"; /******/ // loadScript function to load a script via script tag /******/ __webpack_require__.l = (url, done, key, chunkId) => { /******/ if(inProgress[url]) { inProgress[url].push(done); return; } /******/ var script, needAttach; /******/ if(key !== undefined) { /******/ var scripts = document.getElementsByTagName("script"); /******/ for(var i = 0; i < scripts.length; i++) { /******/ var s = scripts[i]; /******/ if(s.getAttribute("src") == url || s.getAttribute("data-webpack") == dataWebpackPrefix + key) { script = s; break; } /******/ } /******/ } /******/ if(!script) { /******/ needAttach = true; /******/ script = document.createElement('script'); /******/ /******/ script.charset = 'utf-8'; /******/ script.timeout = 120; /******/ if (__webpack_require__.nc) { /******/ script.setAttribute("nonce", __webpack_require__.nc); /******/ } /******/ script.setAttribute("data-webpack", dataWebpackPrefix + key); /******/ script.src = url; /******/ } /******/ inProgress[url] = [done]; /******/ var onScriptComplete = (prev, event) => { /******/ // avoid mem leaks in IE. /******/ script.onerror = script.onload = null; /******/ clearTimeout(timeout); /******/ var doneFns = inProgress[url]; /******/ delete inProgress[url]; /******/ script.parentNode && script.parentNode.removeChild(script); /******/ doneFns && doneFns.forEach((fn) => (fn(event))); /******/ if(prev) return prev(event); /******/ } /******/ ; /******/ var timeout = setTimeout(onScriptComplete.bind(null, undefined, { type: 'timeout', target: script }), 120000); /******/ script.onerror = onScriptComplete.bind(null, script.onerror); /******/ script.onload = onScriptComplete.bind(null, script.onload); /******/ needAttach && document.head.appendChild(script); /******/ }; /******/ })(); /******/ /******/ /* webpack/runtime/make namespace object */ /******/ (() => { /******/ // define __esModule on exports /******/ __webpack_require__.r = (exports) => { /******/ if(typeof Symbol !== 'undefined' && Symbol.toStringTag) { /******/ Object.defineProperty(exports, Symbol.toStringTag, { value: 'Module' }); /******/ } /******/ Object.defineProperty(exports, '__esModule', { value: true }); /******/ }; /******/ })(); /******/ /******/ /* webpack/runtime/sharing */ /******/ (() => { /******/ __webpack_require__.S = {}; /******/ var initPromises = {}; /******/ var initTokens = {}; /******/ __webpack_require__.I = (name, initScope) => { /******/ if(!initScope) initScope = []; /******/ // handling circular init calls /******/ var initToken = initTokens[name]; /******/ if(!initToken) initToken = initTokens[name] = {}; /******/ if(initScope.indexOf(initToken) >= 0) return; /******/ initScope.push(initToken); /******/ // only runs once /******/ if(initPromises[name]) return initPromises[name]; /******/ // creates a new share scope if needed /******/ if(!__webpack_require__.o(__webpack_require__.S, name)) __webpack_require__.S[name] = {}; /******/ // runs all init snippets from all modules reachable /******/ var scope = __webpack_require__.S[name]; /******/ var warn = (msg) => (typeof console !== "undefined" && console.warn && console.warn(msg)); /******/ var uniqueName = "@yuuno/jupyterlab"; /******/ var register = (name, version, factory, eager) => { /******/ var versions = scope[name] = scope[name] || {}; /******/ var activeVersion = versions[version]; /******/ if(!activeVersion || (!activeVersion.loaded && (!eager != !activeVersion.eager ? eager : uniqueName > activeVersion.from))) versions[version] = { get: factory, from: uniqueName, eager: !!eager }; /******/ }; /******/ var initExternal = (id) => { /******/ var handleError = (err) => (warn("Initialization of sharing external failed: " + err)); /******/ try { /******/ var module = __webpack_require__(id); /******/ if(!module) return; /******/ var initFn = (module) => (module && module.init && module.init(__webpack_require__.S[name], initScope)) /******/ if(module.then) return promises.push(module.then(initFn, handleError)); /******/ var initResult = initFn(module); /******/ if(initResult && initResult.then) return promises.push(initResult['catch'](handleError)); /******/ } catch(err) { handleError(err); } /******/ } /******/ var promises = []; /******/ switch(name) { /******/ case "default": { /******/ register("@yuuno/jupyterlab", "1.4.0", () => (Promise.all([__webpack_require__.e("vendors-node_modules_svelte_index_mjs"), __webpack_require__.e("lib_index_js")]).then(() => (() => (__webpack_require__(/*! ./lib/index.js */ "./lib/index.js")))))); /******/ register("xterm-addon-fit", "0.5.0", () => (__webpack_require__.e("node_modules_xterm-addon-fit_lib_xterm-addon-fit_js").then(() => (() => (__webpack_require__(/*! ./node_modules/xterm-addon-fit/lib/xterm-addon-fit.js */ "./node_modules/xterm-addon-fit/lib/xterm-addon-fit.js")))))); /******/ register("xterm", "4.16.0", () => (__webpack_require__.e("vendors-node_modules_xterm_lib_xterm_js").then(() => (() => (__webpack_require__(/*! ./node_modules/xterm/lib/xterm.js */ "./node_modules/xterm/lib/xterm.js")))))); /******/ } /******/ break; /******/ } /******/ if(!promises.length) return initPromises[name] = 1; /******/ return initPromises[name] = Promise.all(promises).then(() => (initPromises[name] = 1)); /******/ }; /******/ })(); /******/ /******/ /* webpack/runtime/publicPath */ /******/ (() => { /******/ var scriptUrl; /******/ if (__webpack_require__.g.importScripts) scriptUrl = __webpack_require__.g.location + ""; /******/ var document = __webpack_require__.g.document; /******/ if (!scriptUrl && document) { /******/ if (document.currentScript) /******/ scriptUrl = document.currentScript.src /******/ if (!scriptUrl) { /******/ var scripts = document.getElementsByTagName("script"); /******/ if(scripts.length) scriptUrl = scripts[scripts.length - 1].src /******/ } /******/ } /******/ // When supporting browsers where an automatic publicPath is not supported you must specify an output.publicPath manually via configuration /******/ // or pass an empty string ("") and set the __webpack_public_path__ variable from your code to use your own logic. /******/ if (!scriptUrl) throw new Error("Automatic publicPath is not supported in this browser"); /******/ scriptUrl = scriptUrl.replace(/#.*$/, "").replace(/\?.*$/, "").replace(/\/[^\/]+$/, "/"); /******/ __webpack_require__.p = scriptUrl; /******/ })(); /******/ /******/ /* webpack/runtime/consumes */ /******/ (() => { /******/ var parseVersion = (str) => { /******/ // see webpack/lib/util/semver.js for original code /******/ var p=p=>{return p.split(".").map((p=>{return+p==p?+p:p}))},n=/^([^-+]+)?(?:-([^+]+))?(?:\+(.+))?$/.exec(str),r=n[1]?p(n[1]):[];return n[2]&&(r.length++,r.push.apply(r,p(n[2]))),n[3]&&(r.push([]),r.push.apply(r,p(n[3]))),r; /******/ } /******/ var versionLt = (a, b) => { /******/ // see webpack/lib/util/semver.js for original code /******/ a=parseVersion(a),b=parseVersion(b);for(var r=0;;){if(r>=a.length)return r<b.length&&"u"!=(typeof b[r])[0];var e=a[r],n=(typeof e)[0];if(r>=b.length)return"u"==n;var t=b[r],f=(typeof t)[0];if(n!=f)return"o"==n&&"n"==f||("s"==f||"u"==n);if("o"!=n&&"u"!=n&&e!=t)return e<t;r++} /******/ } /******/ var rangeToString = (range) => { /******/ // see webpack/lib/util/semver.js for original code /******/ var r=range[0],n="";if(1===range.length)return"*";if(r+.5){n+=0==r?">=":-1==r?"<":1==r?"^":2==r?"~":r>0?"=":"!=";for(var e=1,a=1;a<range.length;a++){e--,n+="u"==(typeof(t=range[a]))[0]?"-":(e>0?".":"")+(e=2,t)}return n}var g=[];for(a=1;a<range.length;a++){var t=range[a];g.push(0===t?"not("+o()+")":1===t?"("+o()+" || "+o()+")":2===t?g.pop()+" "+g.pop():rangeToString(t))}return o();function o(){return g.pop().replace(/^\((.+)\)$/,"$1")} /******/ } /******/ var satisfy = (range, version) => { /******/ // see webpack/lib/util/semver.js for original code /******/ if(0 in range){version=parseVersion(version);var e=range[0],r=e<0;r&&(e=-e-1);for(var n=0,i=1,a=!0;;i++,n++){var f,s,g=i<range.length?(typeof range[i])[0]:"";if(n>=version.length||"o"==(s=(typeof(f=version[n]))[0]))return!a||("u"==g?i>e&&!r:""==g!=r);if("u"==s){if(!a||"u"!=g)return!1}else if(a)if(g==s)if(i<=e){if(f!=range[i])return!1}else{if(r?f>range[i]:f<range[i])return!1;f!=range[i]&&(a=!1)}else if("s"!=g&&"n"!=g){if(r||i<=e)return!1;a=!1,i--}else{if(i<=e||s<g!=r)return!1;a=!1}else"s"!=g&&"n"!=g&&(a=!1,i--)}}var t=[],o=t.pop.bind(t);for(n=1;n<range.length;n++){var u=range[n];t.push(1==u?o()|o():2==u?o()&o():u?satisfy(u,version):!o())}return!!o(); /******/ } /******/ var ensureExistence = (scopeName, key) => { /******/ var scope = __webpack_require__.S[scopeName]; /******/ if(!scope || !__webpack_require__.o(scope, key)) throw new Error("Shared module " + key + " doesn't exist in shared scope " + scopeName); /******/ return scope; /******/ }; /******/ var findVersion = (scope, key) => { /******/ var versions = scope[key]; /******/ var key = Object.keys(versions).reduce((a, b) => { /******/ return !a || versionLt(a, b) ? b : a; /******/ }, 0); /******/ return key && versions[key] /******/ }; /******/ var findSingletonVersionKey = (scope, key) => { /******/ var versions = scope[key]; /******/ return Object.keys(versions).reduce((a, b) => { /******/ return !a || (!versions[a].loaded && versionLt(a, b)) ? b : a; /******/ }, 0); /******/ }; /******/ var getInvalidSingletonVersionMessage = (scope, key, version, requiredVersion) => { /******/ return "Unsatisfied version " + version + " from " + (version && scope[key][version].from) + " of shared singleton module " + key + " (required " + rangeToString(requiredVersion) + ")" /******/ }; /******/ var getSingleton = (scope, scopeName, key, requiredVersion) => { /******/ var version = findSingletonVersionKey(scope, key); /******/ return get(scope[key][version]); /******/ }; /******/ var getSingletonVersion = (scope, scopeName, key, requiredVersion) => { /******/ var version = findSingletonVersionKey(scope, key); /******/ if (!satisfy(requiredVersion, version)) typeof console !== "undefined" && console.warn && console.warn(getInvalidSingletonVersionMessage(scope, key, version, requiredVersion)); /******/ return get(scope[key][version]); /******/ }; /******/ var getStrictSingletonVersion = (scope, scopeName, key, requiredVersion) => { /******/ var version = findSingletonVersionKey(scope, key); /******/ if (!satisfy(requiredVersion, version)) throw new Error(getInvalidSingletonVersionMessage(scope, key, version, requiredVersion)); /******/ return get(scope[key][version]); /******/ }; /******/ var findValidVersion = (scope, key, requiredVersion) => { /******/ var versions = scope[key]; /******/ var key = Object.keys(versions).reduce((a, b) => { /******/ if (!satisfy(requiredVersion, b)) return a; /******/ return !a || versionLt(a, b) ? b : a; /******/ }, 0); /******/ return key && versions[key] /******/ }; /******/ var getInvalidVersionMessage = (scope, scopeName, key, requiredVersion) => { /******/ var versions = scope[key]; /******/ return "No satisfying version (" + rangeToString(requiredVersion) + ") of shared module " + key + " found in shared scope " + scopeName + ".\n" + /******/ "Available versions: " + Object.keys(versions).map((key) => { /******/ return key + " from " + versions[key].from; /******/ }).join(", "); /******/ }; /******/ var getValidVersion = (scope, scopeName, key, requiredVersion) => { /******/ var entry = findValidVersion(scope, key, requiredVersion); /******/ if(entry) return get(entry); /******/ throw new Error(getInvalidVersionMessage(scope, scopeName, key, requiredVersion)); /******/ }; /******/ var warnInvalidVersion = (scope, scopeName, key, requiredVersion) => { /******/ typeof console !== "undefined" && console.warn && console.warn(getInvalidVersionMessage(scope, scopeName, key, requiredVersion)); /******/ }; /******/ var get = (entry) => { /******/ entry.loaded = 1; /******/ return entry.get() /******/ }; /******/ var init = (fn) => (function(scopeName, a, b, c) { /******/ var promise = __webpack_require__.I(scopeName); /******/ if (promise && promise.then) return promise.then(fn.bind(fn, scopeName, __webpack_require__.S[scopeName], a, b, c)); /******/ return fn(scopeName, __webpack_require__.S[scopeName], a, b, c); /******/ }); /******/ /******/ var load = /*#__PURE__*/ init((scopeName, scope, key) => { /******/ ensureExistence(scopeName, key); /******/ return get(findVersion(scope, key)); /******/ }); /******/ var loadFallback = /*#__PURE__*/ init((scopeName, scope, key, fallback) => { /******/ return scope && __webpack_require__.o(scope, key) ? get(findVersion(scope, key)) : fallback(); /******/ }); /******/ var loadVersionCheck = /*#__PURE__*/ init((scopeName, scope, key, version) => { /******/ ensureExistence(scopeName, key); /******/ return get(findValidVersion(scope, key, version) || warnInvalidVersion(scope, scopeName, key, version) || findVersion(scope, key)); /******/ }); /******/ var loadSingleton = /*#__PURE__*/ init((scopeName, scope, key) => { /******/ ensureExistence(scopeName, key); /******/ return getSingleton(scope, scopeName, key); /******/ }); /******/ var loadSingletonVersionCheck = /*#__PURE__*/ init((scopeName, scope, key, version) => { /******/ ensureExistence(scopeName, key); /******/ return getSingletonVersion(scope, scopeName, key, version); /******/ }); /******/ var loadStrictVersionCheck = /*#__PURE__*/ init((scopeName, scope, key, version) => { /******/ ensureExistence(scopeName, key); /******/ return getValidVersion(scope, scopeName, key, version); /******/ }); /******/ var loadStrictSingletonVersionCheck = /*#__PURE__*/ init((scopeName, scope, key, version) => { /******/ ensureExistence(scopeName, key); /******/ return getStrictSingletonVersion(scope, scopeName, key, version); /******/ }); /******/ var loadVersionCheckFallback = /*#__PURE__*/ init((scopeName, scope, key, version, fallback) => { /******/ if(!scope || !__webpack_require__.o(scope, key)) return fallback(); /******/ return get(findValidVersion(scope, key, version) || warnInvalidVersion(scope, scopeName, key, version) || findVersion(scope, key)); /******/ }); /******/ var loadSingletonFallback = /*#__PURE__*/ init((scopeName, scope, key, fallback) => { /******/ if(!scope || !__webpack_require__.o(scope, key)) return fallback(); /******/ return getSingleton(scope, scopeName, key); /******/ }); /******/ var loadSingletonVersionCheckFallback = /*#__PURE__*/ init((scopeName, scope, key, version, fallback) => { /******/ if(!scope || !__webpack_require__.o(scope, key)) return fallback(); /******/ return getSingletonVersion(scope, scopeName, key, version); /******/ }); /******/ var loadStrictVersionCheckFallback = /*#__PURE__*/ init((scopeName, scope, key, version, fallback) => { /******/ var entry = scope && __webpack_require__.o(scope, key) && findValidVersion(scope, key, version); /******/ return entry ? get(entry) : fallback(); /******/ }); /******/ var loadStrictSingletonVersionCheckFallback = /*#__PURE__*/ init((scopeName, scope, key, version, fallback) => { /******/ if(!scope || !__webpack_require__.o(scope, key)) return fallback(); /******/ return getStrictSingletonVersion(scope, scopeName, key, version); /******/ }); /******/ var installedModules = {}; /******/ var moduleToHandlerMapping = { /******/ "webpack/sharing/consume/default/@jupyterlab/settingregistry": () => (loadSingletonVersionCheck("default", "@jupyterlab/settingregistry", [1,3,2,8])), /******/ "webpack/sharing/consume/default/@jupyter-widgets/base": () => (loadSingletonVersionCheck("default", "@jupyter-widgets/base", [1,4,0,0])), /******/ "webpack/sharing/consume/default/@jupyterlab/ui-components": () => (loadSingletonVersionCheck("default", "@jupyterlab/ui-components", [1,3,2,8])), /******/ "webpack/sharing/consume/default/xterm/xterm": () => (loadStrictVersionCheckFallback("default", "xterm", [1,4,16,0], () => (__webpack_require__.e("vendors-node_modules_xterm_lib_xterm_js").then(() => (() => (__webpack_require__(/*! xterm */ "./node_modules/xterm/lib/xterm.js"))))))), /******/ "webpack/sharing/consume/default/xterm-addon-fit/xterm-addon-fit": () => (loadStrictVersionCheckFallback("default", "xterm-addon-fit", [2,0,5,0], () => (__webpack_require__.e("node_modules_xterm-addon-fit_lib_xterm-addon-fit_js").then(() => (() => (__webpack_require__(/*! xterm-addon-fit */ "./node_modules/xterm-addon-fit/lib/xterm-addon-fit.js"))))))) /******/ }; /******/ // no consumes in initial chunks /******/ var chunkMapping = { /******/ "lib_index_js": [ /******/ "webpack/sharing/consume/default/@jupyterlab/settingregistry", /******/ "webpack/sharing/consume/default/@jupyter-widgets/base", /******/ "webpack/sharing/consume/default/@jupyterlab/ui-components", /******/ "webpack/sharing/consume/default/xterm/xterm", /******/ "webpack/sharing/consume/default/xterm-addon-fit/xterm-addon-fit" /******/ ] /******/ }; /******/ __webpack_require__.f.consumes = (chunkId, promises) => { /******/ if(__webpack_require__.o(chunkMapping, chunkId)) { /******/ chunkMapping[chunkId].forEach((id) => { /******/ if(__webpack_require__.o(installedModules, id)) return promises.push(installedModules[id]); /******/ var onFactory = (factory) => { /******/ installedModules[id] = 0; /******/ __webpack_require__.m[id] = (module) => { /******/ delete __webpack_require__.c[id]; /******/ module.exports = factory(); /******/ } /******/ }; /******/ var onError = (error) => { /******/ delete installedModules[id]; /******/ __webpack_require__.m[id] = (module) => { /******/ delete __webpack_require__.c[id]; /******/ throw error; /******/ } /******/ }; /******/ try { /******/ var promise = moduleToHandlerMapping[id](); /******/ if(promise.then) { /******/ promises.push(installedModules[id] = promise.then(onFactory)['catch'](onError)); /******/ } else onFactory(promise); /******/ } catch(e) { onError(e); } /******/ }); /******/ } /******/ } /******/ })(); /******/ /******/ /* webpack/runtime/jsonp chunk loading */ /******/ (() => { /******/ // no baseURI /******/ /******/ // object to store loaded and loading chunks /******/ // undefined = chunk not loaded, null = chunk preloaded/prefetched /******/ // [resolve, reject, Promise] = chunk loading, 0 = chunk loaded /******/ var installedChunks = { /******/ "@yuuno/jupyterlab": 0 /******/ }; /******/ /******/ __webpack_require__.f.j = (chunkId, promises) => { /******/ // JSONP chunk loading for javascript /******/ var installedChunkData = __webpack_require__.o(installedChunks, chunkId) ? installedChunks[chunkId] : undefined; /******/ if(installedChunkData !== 0) { // 0 means "already installed". /******/ /******/ // a Promise means "currently loading". /******/ if(installedChunkData) { /******/ promises.push(installedChunkData[2]); /******/ } else { /******/ if(true) { // all chunks have JS /******/ // setup Promise in chunk cache /******/ var promise = new Promise((resolve, reject) => (installedChunkData = installedChunks[chunkId] = [resolve, reject])); /******/ promises.push(installedChunkData[2] = promise); /******/ /******/ // start chunk loading /******/ var url = __webpack_require__.p + __webpack_require__.u(chunkId); /******/ // create error before stack unwound to get useful stacktrace later /******/ var error = new Error(); /******/ var loadingEnded = (event) => { /******/ if(__webpack_require__.o(installedChunks, chunkId)) { /******/ installedChunkData = installedChunks[chunkId]; /******/ if(installedChunkData !== 0) installedChunks[chunkId] = undefined; /******/ if(installedChunkData) { /******/ var errorType = event && (event.type === 'load' ? 'missing' : event.type); /******/ var realSrc = event && event.target && event.target.src; /******/ error.message = 'Loading chunk ' + chunkId + ' failed.\n(' + errorType + ': ' + realSrc + ')'; /******/ error.name = 'ChunkLoadError'; /******/ error.type = errorType; /******/ error.request = realSrc; /******/ installedChunkData[1](error); /******/ } /******/ } /******/ }; /******/ __webpack_require__.l(url, loadingEnded, "chunk-" + chunkId, chunkId); /******/ } else installedChunks[chunkId] = 0; /******/ } /******/ } /******/ }; /******/ /******/ // no prefetching /******/ /******/ // no preloaded /******/ /******/ // no HMR /******/ /******/ // no HMR manifest /******/ /******/ // no on chunks loaded /******/ /******/ // install a JSONP callback for chunk loading /******/ var webpackJsonpCallback = (parentChunkLoadingFunction, data) => { /******/ var [chunkIds, moreModules, runtime] = data; /******/ // add "moreModules" to the modules object, /******/ // then flag all "chunkIds" as loaded and fire callback /******/ var moduleId, chunkId, i = 0; /******/ if(chunkIds.some((id) => (installedChunks[id] !== 0))) { /******/ for(moduleId in moreModules) { /******/ if(__webpack_require__.o(moreModules, moduleId)) { /******/ __webpack_require__.m[moduleId] = moreModules[moduleId]; /******/ } /******/ } /******/ if(runtime) var result = runtime(__webpack_require__); /******/ } /******/ if(parentChunkLoadingFunction) parentChunkLoadingFunction(data); /******/ for(;i < chunkIds.length; i++) { /******/ chunkId = chunkIds[i]; /******/ if(__webpack_require__.o(installedChunks, chunkId) && installedChunks[chunkId]) { /******/ installedChunks[chunkId][0](); /******/ } /******/ installedChunks[chunkIds[i]] = 0; /******/ } /******/ /******/ } /******/ /******/ var chunkLoadingGlobal = self["webpackChunk_yuuno_jupyterlab"] = self["webpackChunk_yuuno_jupyterlab"] || []; /******/ chunkLoadingGlobal.forEach(webpackJsonpCallback.bind(null, 0)); /******/ chunkLoadingGlobal.push = webpackJsonpCallback.bind(null, chunkLoadingGlobal.push.bind(chunkLoadingGlobal)); /******/ })(); /******/ /************************************************************************/ /******/ /******/ // module cache are used so entry inlining is disabled /******/ // startup /******/ // Load entry module and return exports /******/ var __webpack_exports__ = __webpack_require__("webpack/container/entry/@yuuno/jupyterlab"); /******/ (_JUPYTERLAB = typeof _JUPYTERLAB === "undefined" ? {} : _JUPYTERLAB)["@yuuno/jupyterlab"] = __webpack_exports__; /******/ /******/ })() ; //# sourceMappingURL=remoteEntry.4159836c3d9a8dde01b9.js.map
yuuno
/yuuno-1.4.tar.gz/yuuno-1.4/yuuno_jupyterlab/static/static/remoteEntry.4159836c3d9a8dde01b9.js
remoteEntry.4159836c3d9a8dde01b9.js
<div align="center"> <img align="center" src="logo.png" width="520" alt=โ€œYUVIOโ€ /> </div> Welcome to **yuvio**, a python package for reading and writing uncompressed yuv image and video data. **yuvio** supports many pixel formats specified by ffmpeg. And if it doesn't, it's fast and easy to add support for your own pixel formats. ## Install `yuvio` is easily installed using python's `pip` package manager. ```sh pip install yuvio ``` ## Usage To read and write yuv files, `yuvio` provides the functions `imread`, `imwrite`, `mimread` and `mimwrite` for single and multiple frames, respectively. Both require the specification of a pixel format to use for the yuv data. ```python import yuvio yuv_frame = yuvio.imread("example_yuv420p.yuv", 1920, 1080, "yuv420p") yuvio.imwrite("example_yuv420p_copy.yuv", yuv_frame) yuv_frames = yuvio.mimread("example_yuv420p.yuv", 1920, 1080, "yuv420p") yuvio.mimwrite("example_yuv420p_copy.yuv", yuv_frames) ``` Thereby, `yuvio` is not restricted to file objects and can read and write from/to other `io` streams as well. For example, this allows to conveniently unpack the individual yuv planes from interleaved yuv data available in memory. ```python import io import yuvio data = ... # e.g. np.ndarray buffer = io.BytesIO(data) yuv_frame = yuvio.imread(buffer, 1920, 1080, "yuyv422") y = yuv_frame.y u = yuv_frame.u v = yuv_frame.v ``` For advanced use cases, `yuvio` also provides direct access to the `Reader` and `Writer` objects. This allows sequential reading and writing from/to yuv files and may be beneficial for iterating over large files without keeping all frames in memory. ```python import yuvio reader = yuvio.get_reader("example_yuv420p.yuv", 1920, 1080, "yuv420p") writer = yuvio.get_writer("example_yuv420p_copy.yuv", 1920, 1080, "yuv420p") for yuv_frame in reader: writer.write(yuv_frame) ``` To create custom yuv data, `yuvio` provides access to convenient yuv frame initializers `empty`, `zeros` and `ones` similar to numpys convenience array initializers. ```python import yuvio empty = yuvio.empty(1920, 1080, "yuv420p") zeros = yuvio.zeros(1920, 1080, "yuv420p") ones = yuvio.ones(1920, 1080, "yuv420p") ``` For advanced use cases, `yuvio` also allows direct yuv frame initialization from custom data using the `frame` initializer. ```python import yuvio import numpy as np y = 255 * np.ones((1920, 1080), dtype=np.uint8) u = np.zeros((960, 540), dtype=np.uint8) v = np.zeros((960, 540), dtype=np.uint8) frame_420 = yuvio.frame((y, u, v), "yuv420p") frame_400 = yuvio.frame((y, None, None), "gray") ``` ## Formats Print a complete list of available pixel formats using `print(yuvio.pixel_formats)`. To get detailed information on the IO format of a specific `pix_fmt` use `print(yuvio.pixel_formats[pix_fmt].io_info())`. Currently, the following pixel formats (`pix_fmt`) are available: * `'gray'` * `'gray10le'` * `'gray10be'` * `'gray16le'` * `'gray16be'` * `'gray9le'` * `'gray9be'` * `'gray12le'` * `'gray12be'` * `'gray14le'` * `'gray14be'` * `'yuv420p'` * `'yuv420p10le'` * `'yuv420p10be'` * `'yuv420p16le'` * `'yuv420p16be'` * `'yuv420p9le'` * `'yuv420p9be'` * `'yuv420p12le'` * `'yuv420p12be'` * `'yuv420p14le'` * `'yuv420p14be'` * `'yuv422p'` * `'yuv422p10le'` * `'yuv422p10be'` * `'yuv422p16le'` * `'yuv422p16be'` * `'yuv422p9le'` * `'yuv422p9be'` * `'yuv422p12le'` * `'yuv422p12be'` * `'yuv422p14le'` * `'yuv422p14be'` * `'yuv444p'` * `'yuv444p10le'` * `'yuv444p10be'` * `'yuv444p16le'` * `'yuv444p16be'` * `'yuv444p9le'` * `'yuv444p9be'` * `'yuv444p12le'` * `'yuv444p12be'` * `'yuv444p14le'` * `'yuv444p14be'` * `'yuyv422'` * `'uyvy422'` * `'yvyu422'`
yuvio
/yuvio-1.1.tar.gz/yuvio-1.1/README.md
README.md
# Yuyu Scanner Packages ## A simple package to make your own Information Gathering Scanner Create your Hacking Tools with Yuyu Scanner Packages. Yuyu Scanner was created by @justakazh using the python programming language which is integrated with several tools including: - nmap - wappalyzer - whois Yuyu uses several public APIs to get fast and maximum results, including: - Subdomain ``` https://threatcrowd.org/ https://urlscan.io/ https://rapiddns.io/ https://otx.alienvault.com/ https://dnsdumpster.com/ https://crt.sh/ https://api.threatminer.org/ https://api.certspotter.com/ https://api.hackertarget.com/ https://riddler.io/ http://index.commoncrawl.org/ ``` - Collect URL ``` http://web.archive.org/ ``` - Reverse IP ``` https://hackertarget.com/ ``` - Email Discovery ``` https://hunter.io ``` ## Features - Subdomain Enumeration - Port Scanner - Find Sensitive Files - Check for live host - Collect Information From Website (Technology used) - Collect URL From Waybackurl - Reverse IP - WHOIS - Find Email Address > Reconnaissance Is Key For Hacking ## Installation Requirements: ```sh sudo apt install nmap sudo apt install whois pip install yuyu ``` ## Usage ### Subdomain Enumeration Collecting subdomain from Public API ```python from yuyu_scanner import subdomain target = "target.domain" get = subdomain.check(target).result # get list of subdomain are found #['subdomain1.target.domain', 'subdomain2.target.domain', 'subdomain3.target.domain'] ``` ### Check Host Checking host if live or die ```python from yuyu_scanner import host lst_domain = ['target1.site', 'target2.site'] get = host.check(lst_domain) get_All = get.result # get all host with ip/status #[['target1.site', '0.0.0.0'], ['target2.site', '0.0.0.0']] get_Live = get.live # get host are live #['target1.site', 'target2.site'] ``` ### Collecting Information From Website Collecting Information from website target (title, technology, technology version, ip address) ```python from yuyu_scanner import information lst_domain = ['target1.site', 'target2.site'] get = information.check(lst_domain).result # get list information found #[['target1.site', {'Bootstrap': {'versions': ['5.1.3']}, 'Google Tag Manager': {'versions': []}, 'jsDelivr': {'versions': []}, 'DoubleClick for Publishers (DFP)': {'versions': []}, 'Nginx': {'versions': []}, 'jQuery': {'versions': ['3.6.0']}}, 'WEBSITE TITLE'], ['target2.site', {'Bootstrap': {'versions': ['5.1.3']}, 'Google Tag Manager': {'versions': []}, 'jsDelivr': {'versions': []}, 'DoubleClick for Publishers (DFP)': {'versions': []}, 'Nginx': {'versions': []}, 'jQuery': {'versions': ['3.6.0']}}, 'WEBSITE TITLE']] ``` ### Reverse IP Reverse IP from hackertarget API ```python from yuyu_scanner import reverse_ip target = "target.domain" apikey = "" #you can blank it for trial get = reverse_ip.check(target, apikey).result #get list of result reverse ip #['reverse.target.domain', 'randomdomain.domain'] ``` ### WHOIS Whois for find information about domain created, registry, owner name, email, address, phone ```python from yuyu_scanner import whois target = "example.com" get = whois.check(target).result #get result of whois #Domain Name: EXAMPLE.COM\n Registry Domain ID: 2336799_DOMAIN_COM-VRSN\n Registrar WHOIS Server: whois.iana.org\n Registrar URL: http://res-dom.iana.org\n Updated Date: 2021-08-14T07:01:44Z\n Creation Date: 1995-08-14T04:00:00Z\n Registry Expiry Date: 2022-08-13T04:00:00Z\n Registrar: RESERVED-Internet Assigned Numbers Authority\n Registrar IANA ID: 376\n Registrar Abuse Contact Email:\n Registrar Abuse Contact Phone:\n Domain Status: clientDeleteProhibited https://icann.org/epp#clientDeleteProhibited\n Domain Status: clientTransferProhibited https://icann.org/epp#clientTransferProhibited\n Domain Status: clientUpdateProhibited https://icann.org/epp#clientUpdateProhibited\n Name Server: A.IANA-SERVERS.NET\n Name Server: B.IANA-SERVERS.NET\n DNSSEC: signedDelegation\n DNSSEC DS Data: 31589 8 1 3490A6806D47F17A34C29E2CE80E8A999FFBE4BE\n DNSSEC DS Data: 31589 8 2 CDE0D742D6998AA554A92D890F8184C698CFAC8A26FA59875A990C03E576343C\n DNSSEC DS Data: 43547 8 1 B6225AB2CC613E0DCA7962BDC2342EA4F1B56083\n DNSSEC DS Data: 43547 8 2 615A64233543F66F44D68933625B17497C89A70E858ED76A2145997EDF96A918\n DNSSEC DS Data: 31406 8 1 189968811E6EBA862DD6C209F75623D8D9ED9142\n DNSSEC DS Data: 31406 8 2 F78CF3344F72137235098ECBBD08947C2C9001C7F6A085A17F518B5D8F6B916D\n URL of the ICANN Whois Inaccuracy Complaint Form: https://www.icann.org/wicf/\n' ``` ### Collecting URL Collection URL from Public API (waybackurl) ```python from yuyu_scanner import collect_url target = "target.domain" get = collect_url.check(target).result #get list of result url #['https://subdo.target.domain/?url', 'https://target.domain/path'] ``` ### Find Email Address Find Email address from Public API ```python from yuyu_scanner import email target = "target.domain" apikey = "" #required! get your apikey from hunter.io get = email.check(target, apikey).result #get list of result Email #['[email protected]', '[email protected]'] ``` ### Scan Port Scanning common port (21,22,23,25,53,80,110,115,135,139,143,194,443,445,1433,3306,3389,5632,5900,25565) ```python from yuyu_scanner import scan_port lst_target = ['target1.domain', 'target2.domain'] get = scan_port.check(lst_target).result #get list of result scan port #[['139.162.2.200', [['21', 'ftp', 'open'], ['53', 'domain', 'open'], ['80', 'http', 'open'], ['110', 'pop3', 'open'], ['143', 'imap', 'open'], ['443', 'https', 'open']]], ['172.67.136.101', [['53', 'domain', 'open'], ['80', 'http', 'open'], ['443', 'https', 'open']]]] ``` ### Find Sensitive Files Find Sensitive Files - /.git/config - /.git/HEAD - /.env - /.env.bak - /xmlrpc.php - /robots.txt - /.svg ```python from yuyu_scanner import files lst_target = ['target1.domain', 'target2.domain'] get = files.check(lst_target).result #get list of result scan port # ['http://target1.domain/.git/HEAD', 'http://target1.domain/.env'] ``` ## Yuyu Scanner Tool Web Information Gathering And Analyst - https://github.com/justakazh/Yuyu_Scanner/ ## Publication - https://www.researchgate.net/publication/352295423_PENGEMBANGAN_APLIKASI_INFORMATION_GATHERING_MENGGUNAKAN_METODE_HYBRID_SCAN_BERBASIS_GRAPHICAL_USER_INTERFACE ## Contact me - [akazh](https://twitter.com/akazh18/) - Twitter ## References - https://github.com/screetsec/Sudomy - https://github.com/aboul3la/Sublist3r ## Credits & Thanks - [Deddy Hariyadi](https://www.instagram.com/milisd4d/) - [Redho Maland](https://github.com/screetsec/)
yuyu
/yuyu-0.4.4.tar.gz/yuyu-0.4.4/README.md
README.md
import requests import sys import json import re import threading import os import warnings warnings.filterwarnings("ignore") from requests.packages.urllib3.exceptions import InsecureRequestWarning requests.packages.urllib3.disable_warnings(InsecureRequestWarning) class check: def __init__(self, target): self.subdomain = [] self.result = [] self.timeout = 5 self.ua = "Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/97.0.4692.71 Safari/537.36" target = target.replace("https://", "").replace("http://", "").replace("www.", "").replace("/", "").strip() self._findSubdomain(target) asw = [] liss = [i.strip() for i in self.subdomain] for i in liss: if target not in i: pass else: asw.append(i) subdomain = list(dict.fromkeys(asw)) self.subdomain.clear() for subdo in subdomain: if subdo != "" and "*." not in subdo and ":" not in subdo and "\n" not in subdo and "\r" not in subdo and "@" not in subdo and "?" not in subdo : self.result.append(subdo) def _findSubdomain(self, target): self.alienvault(target) self.certspotter(target) self.commoncrawl(target) self.crt(target) self.dnsdumpster(target) self.hackertarget(target) self.rapiddns(target) self.riddler(target) self.threatminer(target) self.threatcrowd(target) self.urlscan(target) self.omnisint(target) def alienvault(self, domain): try: # print("alienvault") s = requests.session() r = s.get("https://otx.alienvault.com/api/v1/indicators/domain/"+domain+"/passive_dns", timeout=self.timeout, headers={"User-Agent": self.ua}).text d = json.loads(r) for i in d['passive_dns']: self.subdomain.append(i['hostname']) except Exception as e: # print( e) pass def certspotter(self, domain): try: # print("certspotter") s = requests.session() r = s.get("https://api.certspotter.com/v1/issuances?domain="+domain+"&include_subdomains=true&expand=dns_names", timeout=self.timeout, headers={"User-Agent": self.ua}).text d = json.loads(r) for i in d: self.subdomain.append(i['dns_names'][0]) except Exception as e: # print( e) pass def commoncrawl(self, domain): try: # print("commoncrawl") s = requests.session() r = s.get("http://index.commoncrawl.org/CC-MAIN-2020-50-index?url=*."+domain+"&output=json", timeout=self.timeout, headers={"User-Agent": self.ua}).text get = re.findall('"url": "(.*?)"', r) for i in get: s = i.split("/") self.subdomain.append(s[2]) except Exception as e: # print( e) pass def crt(self, domain): try: # print("crt") s = requests.session() r = s.get("https://crt.sh/?q="+domain+"&output=json", timeout=self.timeout, headers={"User-Agent": self.ua}).text d = json.loads(r) for i in d: self.subdomain.append(i['name_value']) except Exception as e: # print( e) pass def dnsdumpster(self, domain): try: # print("dnsdumpster") s = requests.session() get_token = s.get("https://dnsdumpster.com/") csrftoken = re.findall("csrftoken=(.*?);", get_token.headers['Set-Cookie'])[0] token = re.findall('<form role="form" action="." method="post"><input type="hidden" name="csrfmiddlewaretoken" value="(.*?)">', get_token.text)[0] data = { "csrfmiddlewaretoken":token, "targetip":domain, "user":"free", } headers={ "csrftoken": csrftoken, "Referer":"https://dnsdumpster.com/" } r = s.post("https://dnsdumpster.com/", data=data, headers=headers, timeout=self.timeout).text get_all = re.findall('<a class="external nounderline" data-toggle="modal" href="(.*?)" data-target="#myModal"><span class="glyphicon glyphicon-globe" data-toggle="tooltip" data-placement="top" title="Get HTTP Headers"></span></a>', r) for i in get_all: filters = i.split("https://api.hackertarget.com/httpheaders/?q=")[1] filtersproto = filters.split("/") self.subdomain.append(filtersproto[2]) except Exception as e: # print( e) pass def hackertarget(self, domain): try: # print("hackertarget") s = requests.session() r = s.get("https://api.hackertarget.com/hostsearch/?q="+domain, timeout=self.timeout, headers={"User-Agent": self.ua}).text d = r.split("\n") for i in d: if "API count exceeded " in i: pass else: filters = i.split(",") self.subdomain.append(filters[0]) except Exception as e: # print( e) pass def rapiddns(self, domain): try: # print("rapiddns") s = requests.session() r = s.get("https://rapiddns.io/subdomain/"+domain, timeout=self.timeout, headers={"User-Agent": self.ua}).text get = re.findall('<tr>\n<th scope="row ">(.*?)</th>\n<td>(.*?)</td>\n', r) for i in get: self.subdomain.append(i[1]) except Exception as e: # print( e) pass def riddler(self, domain): try: # print("riddler") s = requests.session() r = s.get("https://riddler.io/search/exportcsv?q=pld:"+domain, timeout=self.timeout, headers={"User-Agent": self.ua}).text ss = r.split("\n") for i in ss: s = re.findall(',(.*?),', r) self.subdomain.append(s[5]) except Exception as e: # print( e) pass def threatminer(self, domain): try: # print("threatminer") s = requests.session() r = s.get("https://api.threatminer.org/v2/domain.php?q="+domain+"&rt=5", timeout=self.timeout, headers={"User-Agent": self.ua}).text d = json.loads(r) for i in d: self.subdomain.append(i['name_value']) except Exception as e: # print( e) pass def threatcrowd(self, domain): try: # print("threatcrowd") s = requests.session() r = s.get("https://threatcrowd.org/searchApi/v2/domain/report/?domain="+domain, timeout=self.timeout, headers={"User-Agent": self.ua}).text d = json.loads(r) for i in d['subdomains']: self.subdomain.append(i) except Exception as e: # print( e) pass def urlscan(self, domain): try: # print("urlscan") s = requests.session() r = s.get("https://urlscan.io/api/v1/search/?q="+domain, timeout=self.timeout, headers={"User-Agent": self.ua}).text d = json.loads(r) for i in d['results']: self.subdomain.append(i['task']['domain']) except Exception as e: # print( e) pass def omnisint(self, domain): try: # print("urlscan") s = requests.session() r = s.get("https://sonar.omnisint.io/subdomains/"+domain, timeout=self.timeout, headers={"User-Agent": self.ua}).text d = json.loads(r) for i in d: self.subdomain.append(i) except Exception as e: # print( e) pass
yuyu
/yuyu-0.4.4.tar.gz/yuyu-0.4.4/yuyu_scanner/subdomain.py
subdomain.py
# yuzu Tired of spinning around in your chair while your feature attribution calculations slowly churn away? Introducing Yuzu, a compressed sensing approach that can make in-silico mutagenesis calculations on DNA, RNA, and proteins an order of magnitude faster, and enable breezy interactive exploration! Yuzu can be run on any sequential PyTorch model that takes a biological sequence as input (no graph structures or multi-input/output supported yet) on either a CPU or GPU, and exhibits large speedups in both settings. ### How fast is it? ### How does it work? Yuzu relies on two complimentary components: computing only on deltas, and compressed sensing. (1) The first component, computing only on deltas, speeds up the process because each mutated sequences contains only a single mutation and that mutation's effect on the output from each layer in the model is limited by the receptive field of that layer. For example, a convolution layer with a kernel size of 7 applied to a sequence with a single mutation in it will exhibit the same output as the original sequence outside the 13-bp window (6 bp in either direction and the central bp) will not exhibit changes in the output 7 bp in either direction from a mutation in the input. (2) The second component, compressed sensing, speeds up the process by compressing these deltas from one span per mutated sequence into a small set of dense "probes." Each probe contains a Gaussian random projection of the deltas from all of the mutated sequences. Although the principles of compressed sensing are for linear models, and neural networks are notoriously non-linear, each layer before the activation is a linear operation. So, for each convolution in the model, Yuzu constructs probes from the delta matrix, runs them through a compressed convolution operation, and decodes the outputs back into a new delta matrix. When activation layers are encountered, the reference sequence is added to the delta matrix to recover the original values, the non-linear operation is applied, and the deltas are re-extracted. ### Installation `pip install yuzu-ism` ### Usage Yuzu has two steps: (1) a precomputation step where statistics about a model, and the sequence length being considered, are cached, and (2) the calculation step for an example. Although the first step takes time equivalent to a traditional ISM run on a single example, it only has to be run once. Then, the second step is run on each example (or batch of examples) that you want to calculate saliency for! ``` from yuzu import precompute from yuzu import yuzu_ism from yuzu.models import ToyNet # An example model with three convolution layers # Create toy sequences that are one-hot encoded # The sequences should have shape (n_seqs, n_characters, seq_len) idxs = numpy.random.RandomState(0).randn(3, 4, 1000).argmax(axis=1) X_0 = numpy.zeros((3, 4, 1000), dtype='float32') for i in range(3): X_0[i, idxs[i], numpy.arange(1000)] = 1 model = ToyNet(n_inputs=4, seq_len=1000) # Do the precomputation once or load your previously-calculated precomputation yuzu_stats = precompute(model, X_0[:1], device='cpu') # Run yuzu_ism on as many sequences as you'd like. yuzu_ism, layer_timings, within_layer_timings = yuzu_ism(model, X_0, *yuzu_stats, device='cpu') ``` ### Limitations Currently, Yuzu can only be run on models of modest size (unfortunately, no Bassenji- or Enformer-scale models quite yet). This is because a limitation of the compressed sensing formulation is that all mutated sequences must be solved simultaneously. However, remember that the mutated sequences are compressed into a much smaller set of probes. A GPU with 12GB of memory can easily handle a Basset-sized model with a sequence length of 2,000 (6,000 sequences decoded simultaneously) because Yuzu only operates on the compressed probes directly. A second limitation is that Yuzu requires that, when the model is specified, that each operation is listed sequentially in the order that it is executed in the forward pass and that no operations other than these layers are performed in the forward pass. This is because Yuzu sequentially iterates over the layers of the model using the `model.children()` function rather than through the forward function. So, if the data is resized or flattened, it must be done through a custom layer that wraps the operation.
yuzu-ism
/yuzu-ism-0.0.1.tar.gz/yuzu-ism-0.0.1/README.md
README.md
import numpy import pickle import torch import random from .models import Flatten from .utils import calculate_flanks from .utils import perturbations from .naive_ism import naive_ism from .yuzu_ism import yuzu_ism global use_layers, ignore_layers use_layers = torch.nn.Conv1d, torch.nn.MaxPool1d, torch.nn.AvgPool1d ignore_layers = torch.nn.ReLU, torch.nn.BatchNorm1d, torch.nn.LogSoftmax class Precomputation(object): """A container for all of the precomputed statistics for Yuzu. This object will store all the statistics that are calculated during the precompute step, as well as methods for saving and loading the statistics to disk so that they don't need to be redone. Parameters ---------- As: list of torch.Tensor, shape=(n_probes, n) A list of tensors containing the random Gaussian values for the sensing matrix that compresses the sequences into probes. Each layer in the model that can be sped up using this approach has a different A tensor. This list of tensors is precomputed as part of the `precompute` function. betas: list of torch.Tensor A list of tensor containing slices of the A matrix that are ready to be used to solve a regression task. This list of tensors is precomputed as part of the `precompute` function. masks: list of tuples of torch.Tensor A list of tuples of tensors containing a mask of the receptive field for each example. This mask is empirically derived by running the examples through the network and recording where positions change with respect to the reference. The first tuple contains the mask before the layer is applied and the second tuple contains the mask after the layer is applied. Within those tuples, the first item is a list of the masks applied to the edges of the sequence and the second item is a mask to be applied to the middle of the sequence. receptive_fields: list of tuple of ints or None A list of tuples of integers showing the maximum receptive field size for each layer before (first element) and after (second element) applying each layer. The receptive field is the span from the left-most sequence position to the right-most sequence position that are changed in the given sequences, even if some of the internal positions are not changed. This list of values is precomputed as part of the `precompute` function. n_probes: list of ints or None A list of values showing the number of probes to construct for each layer that is being compressed. This list of values is precomputed as part of the `precompute` function. seq_lens: list of tuples of ints A list of tuples showing the length of the sequence before applying the layer (first element) and after applying the layer (second element). n_nonzeros: list of tuples of ints A list of tuples showing the maximum number of nonzero elements per column before applying the layer (first element) and after applying the layer (second element). """ def __init__(self, As, betas, masks, receptive_fields, n_probes, seq_lens, n_nonzeros): self.As = As self.betas = betas self.masks = masks self.receptive_fields = receptive_fields self.n_probes = n_probes self.seq_lens = seq_lens self.n_nonzeros = n_nonzeros def save(self, filename): with open(filename, "w") as outfile: pickle.dump(self, outfile) @classmethod def load(self, filename, device): with open(filename, "r") as infile: stats = pickle.load(infile) return stats @torch.inference_mode() def precompute_mask(model, X_0, use_layers, ignore_layers, device, random_state, verbose): """This function will empirically calculate the mask for each layer. This function calculates the empirical mask specifying where deltas are non-zero between the mutated sequences and the original sequence. From this mask, it also calculates other properties, such as the receptive field and the number of non-zero elements per row. Note: This function does not calculate the statistics required for compressed sensing. Parameters ---------- model: torch.nn.Module A PyTorch model that can contain any number and types of layers. However, this model must be defined in a particular way. Specifically, all of the operations must be defined -in order- in the `__init__` function. No operations can be performed outside of the context of a layer in the forward function, such as reshaping or applying activation functions. See `models.py` for examples. X_0: numpy.ndarray A randomly generated, one-hot encoded sequence to operate on. use_layers: tuple A tuple of the layers that the compressed sensing algorithm should be applied to. These layers should only have sparse differences in activation when mutated sequences are run through, such as a convolution. ignore_layers: tuple, optional Layers to ignore when passing through. ReLU layers, in particular, can cause trouble in determining the mask when paired with max pooling layers. Default is an empty tuple. device: str, either 'cpu' or 'cuda', optional The device to save the operations to, in terms of PyTorch contexts. random_state: int or None, optional The seed to use for the random state. Use None for no random seed to be set. Default is None. verbose: bool, optional Whether to print out statements showing timings and the progression of the computation. Returns ------- masks: list of tuples of torch.tensors A list of the empirically calculated masks. The shape is: [(before_operation_flanks, before_operation_core), (after_operation_flanks, after_operation_core)] where before/after operation indicate the mask before or after the layer at the same index as the mask is in the list. receptive_fields: list of tuples of ints A list of the receptive fields, where each tuple contains the receptive field before and after the layer is applied. seq_lens: list of tuples of ints A list of the sequence lengths, where each tuple contains the sequence length before and after the layer is applied. n_nonzeros: list of tuples of ints A list of the maximum number of nonzero elements at each position in the sequence before and after the layer is applied. """ masks, receptive_fields, seq_lens, n_nonzeros = [], [], [], [] # Generate all the single edit mutations of that sequence X = perturbations(X_0)[0] X_0 = torch.from_numpy(X_0) n_seqs, n_choices, seq_len = X.shape for l, layer in enumerate(model.children()): # Replace convolution weights with a range to ensure differences # are observed in intermediate values between differing inputs # or just ones if it's an intermediary convolution to propogate # those differences forward. if isinstance(layer, torch.nn.Conv1d): layer = torch.nn.Conv1d(in_channels=layer.in_channels, out_channels=layer.out_channels, kernel_size=layer.kernel_size, padding=layer.padding, dilation=layer.dilation, groups=layer.groups, bias=False, padding_mode=layer.padding_mode) if l == 0: w = torch.arange(layer.in_channels) w = torch.tile(w, (layer.out_channels, layer.kernel_size[0], 1)) layer.weight[:] = w.permute(0, 2, 1) else: layer.weight[:] = 1 # For the purpose of empirically defining the receptive field, # replace max pools by average pools because max pools can be # effected solely by values outside the known receptive field. if isinstance(layer, torch.nn.MaxPool1d): layer = torch.nn.AvgPool1d(kernel_size=layer.kernel_size, stride=layer.stride, padding=layer.padding, ceil_mode=layer.ceil_mode) # Only go through manually specified layers. if isinstance(layer, use_layers) and not isinstance(layer, ignore_layers): X_delta = torch.abs(X - X_0).max(axis=1).values before_mask = (X_delta >= 1).type(dtype=torch.bool) bn_nonzero = int(before_mask.sum(dim=0).max()) bseq_len = X_0.shape[-1] b_receptive_field = 0 rows, cols = torch.where(before_mask == True) for row in torch.unique(rows): col_idxs = cols[rows == row] field = col_idxs.max() - col_idxs.min() + 1 b_receptive_field = max(b_receptive_field, field.item()) bfl, bfr, bidxs = calculate_flanks(bseq_len, b_receptive_field) ### X_0, X = layer(X_0), layer(X) # Ensure that the average can't go below if the kernel size # of the max pooling layer goes over the receptive field. if isinstance(layer, torch.nn.AvgPool1d): X_0 = X_0 * layer.kernel_size[0] X = X * layer.kernel_size[0] X = X - X_0 X_0 = X_0 - X_0 X_delta = torch.abs(X).max(axis=1).values mask = (X_delta >= 1).type(dtype=torch.bool) n_nonzero = int(mask.sum(dim=0).max()) seq_len = X_0.shape[2] receptive_field = 0 rows, cols = torch.where(mask == True) for row in torch.unique(rows): col_idxs = cols[rows == row] field = col_idxs.max() - col_idxs.min() + 1 receptive_field = max(receptive_field, field.item()) fl, fr, idxs = calculate_flanks(seq_len, receptive_field) receptive_field_ = (b_receptive_field, receptive_field) seq_lens_ = (bseq_len, seq_len) n_nonzeros_ = (bn_nonzero, n_nonzero) # Calculate clipped masks (ignoring edges) if device[:4] == 'cuda': before_mask = before_mask.cuda() mask = mask.cuda() clipped_before_mask = torch.clone(before_mask) clipped_before_mask[:, :bfl] = False clipped_before_mask[:, bseq_len-bfr:] = False clipped_mask = torch.clone(mask) clipped_mask[:, :fl] = False clipped_mask[:, seq_len-fr:] = False mask_ = [([], torch.where(clipped_before_mask.T == True)), ([], torch.where(clipped_mask.T == True))] # Calculate masks in edges for i, idx in enumerate(bidxs): m = torch.where(before_mask[:, idx] == True)[0] mask_[0][0].append(m) for i, idx in enumerate(idxs): m = torch.where(mask[:, idx] == True)[0] mask_[1][0].append(m) del mask, clipped_mask, X_delta else: # If the layer shouldn't be ignored but also won't be applied # to the deltas and so doesn't need anything special (e.g., # a flatten or unsqueeze layer) then run it through as normal. if not isinstance(layer, ignore_layers): bseq_len = X.shape[-1] X_0, X = layer(X_0), layer(X) X_delta = torch.abs(X - X_0) # Depending on the layer, modify the deltas and extract # the sequence length. if len(X_delta.shape) > 2: X_delta = X_delta.max(axis=1).values seq_len = X_0.shape[-1] else: seq_len = seq_lens_[1] mask = (X_delta >= 1).type(dtype=torch.bool) n_nonzero = mask.sum(dim=0).max() seq_lens_ = bseq_len, seq_len del X_delta else: seq_lens_ = seq_lens_[1], seq_lens_[1] receptive_field_ = receptive_field_[1], receptive_field_[1] mask_ = mask_[1], mask_[1] if verbose: print(l, layer, receptive_field_, seq_lens_, n_nonzeros_) masks.append(mask_) receptive_fields.append(receptive_field_) seq_lens.append(seq_lens_) n_nonzeros.append(n_nonzeros_) if device[:4] == 'cuda': torch.cuda.synchronize() torch.cuda.empty_cache() return masks, receptive_fields, seq_lens, n_nonzeros @torch.inference_mode() def precompute_alpha(model, n_seqs, alpha, precomputation, device, random_state, verbose): """Calculate the compressed sensing-associated statistics. Given an alpha and a set of mask-associated statistics stored in the precomputation object, generate the sensing matrix/tensor, the regression coefficients tensor, and the number of probes needed for each layer. Because this function does not involve computation from the model, it enables alpha-associated statistics to be generated and evaluated quickly. Parameters ---------- model: torch.nn.Module A PyTorch model that can contain any number and types of layers. However, this model must be defined in a particular way. Specifically, all of the operations must be defined -in order- in the `__init__` function. No operations can be performed outside of the context of a layer in the forward function, such as reshaping or applying activation functions. See `models.py` for examples. alpha: float A multiplier on the number of nonzero values per position to specify the number of probes. precomputation: yuzu.precompute.Precomputation An object that caches the calculated statistics. device: str, either 'cpu' or 'cuda', optional The device to save the operations to, in terms of PyTorch contexts. random_state: int or None, optional The seed to use for the random state. Use None for no random seed to be set. Default is None. verbose: bool, optional Whether to print out statements showing timings and the progression of the computation. Returns ------- As: list of torch.tensors A list of the sensing tensors used to construct the probes, one for each convolution layer. betas: list of torch.tensors A list of the regression coefficients used in the decoding step, one for each convolution layer n_probes: list of integers A list of the number of probes necessary for each layer. """ As, betas, n_probess = [], [], [] for l, layer in enumerate(model.children()): n_probes = int(precomputation.n_nonzeros[l][1] * alpha) # If the layer is a convolution layer, pre-compute the # random values and regression coefficients. if isinstance(layer, torch.nn.Conv1d): A = torch.FloatTensor(n_seqs, n_probes).normal_(0, 1) A = A.to(device) mask = precomputation.masks[l] n_nonzero = precomputation.n_nonzeros[l][1] seq_len = precomputation.seq_lens[l][1] fl, fr, idxs = calculate_flanks(seq_len, precomputation.receptive_fields[l][1]) # Calculate regression statistics for the middle of the # sequences where a constant number of features are present phis = A[mask[1][1][1]].reshape(seq_len-fl-fr, n_nonzero, n_probes) phis = phis.to(device) # Calculate betas, the regression coefficients beta = torch.zeros(seq_len, n_nonzero, n_probes, device=device) for i, idx in enumerate(idxs): m = mask[1][0][i] p = A[m] beta[idx, :len(m)] = torch.linalg.inv(p.matmul(p.T)).matmul(p) grams = torch.bmm(phis, phis.permute(0, 2, 1)) beta[fl:seq_len-fr] = torch.linalg.inv(grams).bmm(phis) # Compact alphas n_nonzero = precomputation.n_nonzeros[l][0] seq_len = precomputation.seq_lens[l][0] fl, fr, idxs = calculate_flanks(seq_len, precomputation.receptive_fields[l][0]) A_ = torch.empty(seq_len, n_probes, n_nonzero, device=device) A_[fl:seq_len-fr] = A[mask[0][1][1]].reshape( seq_len-fl-fr, n_nonzero, n_probes).permute(0, 2, 1) for i, idx in enumerate(idxs): m = mask[0][0][i] A_[idx, :, :len(m)] = A[m].T del A else: A_, beta = False, False As.append(A_) betas.append(beta) n_probess.append(n_probes) return As, betas, n_probess @torch.inference_mode() def precompute(model, seq_len, n_choices=4, alpha=None, threshold=0.9999, use_layers=use_layers, ignore_layers=ignore_layers, device='cpu', random_state=None, verbose=False): """Precomputing properties of the model for a Yuzu-ISM run. This function will take in a model, a reference sequence, and a set of sequences that each contain perturbations from the reference, and return a set of tensors that encode properties of the model that can speed up subsequent calculation. Because one of these properties is the empirical receptive field, this function will take time equal to one full ISM run. However, it only needs to be performed once per model and alpha setting and the properties can be re-used for any subsequent reference sequence. Parameters ---------- model: torch.nn.Module A PyTorch model that can contain any number and types of layers. However, this model must be defined in a particular way. Specifically, all of the operations must be defined -in order- in the `__init__` function. No operations can be performed outside of the context of a layer in the forward function, such as reshaping or applying activation functions. See `models.py` for examples. seq_len: int The length of the sequences to operate on. n_choices: int, optional The number of categories in the input sequence. This should be 4 for DNA and 20 for protein inputs. alpha: float, optional A multiplier on the number of nonzero values per position to specify the number of probes. Default is 1.5. use_layers: tuple A tuple of the layers that the compressed sensing algorithm should be applied to. These layers should only have sparse differences in activation when mutated sequences are run through, such as a convolution. ignore_layers: tuple, optional Layers to ignore when passing through. ReLU layers, in particular, can cause trouble in determining the mask when paired with max pooling layers. Default is an empty tuple. device: str, either 'cpu' or 'cuda', optional The device to save the operations to, in terms of PyTorch contexts. random_state: int or None, optional The seed to use for the random state. Use None for no random seed to be set. Default is None. verbose: bool, optional Whether to print out statements showing timings and the progression of the computation. Returns ------- precomputation: yuzu.precompute.Precomputation An object storing all the precomputation statistics. """ if random_state is not None: random.seed(random_state) torch.manual_seed(random_state) if alpha is None: alphas = numpy.arange(1, 1.5, 0.01) elif isinstance(alpha, (int, float)): alphas = numpy.array([alpha]) elif isinstance(alpha, list): alphas = numpy.array(alpha) elif isinstance(alpha, numpy.ndarray): alphas = alpha else: raise ValueError("Cannot interpret alpha value. Must be integer, float, list, or numpy.ndarray.") # Generate a random sequence of the desired shape idxs = numpy.random.RandomState(0).randn(n_choices, seq_len).argmax(axis=0) X_0 = numpy.zeros((1, n_choices, seq_len), dtype='float32') X_0[0, idxs, numpy.arange(seq_len)] = 1 masks, receptive_fields, seq_lens, n_nonzeros = precompute_mask( model=model, X_0=X_0, use_layers=use_layers, ignore_layers=ignore_layers, device=device, random_state=random_state, verbose=verbose) precomputation = Precomputation(As=None, betas=None, masks=masks, receptive_fields=receptive_fields, n_probes=None, seq_lens=seq_lens, n_nonzeros=n_nonzeros) ## Evaluation suite. model = model.to(device) naive_isms = naive_ism(model, X_0, batch_size=128, device='cpu') results = [] for alpha in alphas: As, betas, n_probes = precompute_alpha(model=model, n_seqs=3*seq_len, alpha=alpha, precomputation=precomputation, device=device, random_state=random_state, verbose=verbose) precomputation.As = As precomputation.betas = betas precomputation.n_probes = n_probes precomputation.alpha = alpha yuzu_isms = yuzu_ism(model, X_0, precomputation, device=device) x = naive_isms.flatten() y = yuzu_isms.flatten() mae = numpy.abs(x - y).mean() pcorr = numpy.corrcoef(x, y)[0, 1] results.append([alpha, mae, pcorr]) if verbose: print(alpha, mae, pcorr) if pcorr > threshold: break precomputation.results = numpy.array(results) return precomputation
yuzu-ism
/yuzu-ism-0.0.1.tar.gz/yuzu-ism-0.0.1/yuzu/precompute.py
precompute.py
import time import numpy import torch from .models import Flatten from .models import Unsqueeze from .utils import safe_to_device from .utils import calculate_flanks from .utils import delta_perturbations global use_layers, ignore_layers, terminal_layers use_layers = torch.nn.Conv1d, torch.nn.MaxPool1d, torch.nn.AvgPool1d ignore_layers = torch.nn.ReLU, torch.nn.BatchNorm1d, torch.nn.LogSoftmax terminal_layers = Unsqueeze, Flatten @torch.inference_mode() def _compressed_sensing_convolution(layer, X_delta, A, beta, mask, n_probes, return_timings=False, verbose=False): """Calculate the output of a single layer using compressed sensing. This function will take a single layer, the input to that layer from a reference sequence, and the input to that layer from a set of sequences that each contain perturbations from the reference, and return the output of the layer for each of the sequences. Naively, this can be done by simply calling the layer on the sequences, i.e., `layer(X)`. This method will speed up the computation by using compressed sensing and a reference sequence to perform a significantly smaller number of calculations. Specifically, rather than running `X.shape[0]` sequences through the layer, this approach runs `n_probes` sequences through the layer. Parameters ---------- layer: torch.nn.Module A layer in a PyTorch model. X_0: torch.Tensor, shape=(1, n_filters, seq_len) A tensor containing the input to the layer from the reference sequence that ISM is being performed on. X: torch.Tensor, shape=(n, n_filters, seq_len) A tensor containing the input to the layer for each sequence being evaluated. A: torch.Tensor, shape=(n_probes, n) A tensor of random Gaussian values for the sensing matrix that compresses the sequences into probes. betas: torch.Tensor A tensor containing slices of the A matrix that are ready to be used to solve a regression task. masks: torch.Tensor A tensors containing a mask of the receptive field for each example. This mask is empirically derived by running the examples through the network and recording where positions change with respect to the reference. n_probes: int The number of probes to construct from the total number of sequences passed in. verbose: bool, optional Whether to print out statements showing timings and the progression of the computation. Returns ------- X: torch.Tensor The output of the model after `X` is passed through all of the layers, as if one had simply run `model(X)`. """ device = str(X_delta.device)[:4] if verbose: overall_tic = time.time() tic = time.time() bias = torch.clone(layer.bias[:]) layer.bias[:] = 0 n_seqs, n_nonzero, in_filters, seq_len = X_delta.shape # Construct the probes using the sparse contributions X_probe = A.matmul(X_delta.permute(0, 3, 1, 2)).permute(0, 2, 3, 1) X_probe = X_probe.reshape(-1, in_filters, seq_len).contiguous() if verbose: if device == 'cuda': torch.cuda.synchronize() tic_a = time.time() - tic tic = time.time() # Run the probes, and the original sequence, through the convolution Y = layer(X_probe) Y = Y.reshape(n_seqs, -1, Y.shape[1], seq_len) Y = Y.permute(0, 3, 1, 2).contiguous() if verbose: if device == 'cuda': torch.cuda.synchronize() tic_b = time.time() - tic tic = time.time() X = torch.matmul(beta, Y).permute(0, 2, 3, 1) if verbose: if device == 'cuda': torch.cuda.synchronize() tic_c = time.time() - tic tic = time.time() if verbose: if device == 'cuda': torch.cuda.synchronize() final_tic = time.time() - overall_tic print("A:{:3.3}\tB:{:3.3}\tC:{:3.3}\tTot:{:3.3}\t".format(tic_a, tic_b, tic_c, final_tic)) layer.bias[:] = bias if return_timings == True: t = tic_a, tic_b, tic_c, final_tic return X, t return X @torch.inference_mode() def _delta_pooling(layer, X_0, X_delta, masks, receptive_fields, n_probes, seq_lens, n_nonzeros, n_perturbs): """Performs an exact pooling operation given only the deltas. This function will take in the reference sequence and the delta matrix and will perform an exact pooling layer without reconstructing the sequences in their entirety. Unlike the compressed convolution layer this operation is exact and accounts for instances where the kernel width of the pooling operation falls outside the receptive field. This function works for any type of pooling layer, not just max-pooling. Parameters ---------- layer: torch.nn.Module The pooling operation to be applied. X_0: torch.Tensor, shape=(1, n_filters, seq_lens[0]) A tensor containing the input to the layer from the reference sequence that ISM is being performed on. X_delta: torch.Tensor, shape=(n, n_nonzeros[0], seq_lens[0]) A tensor containing only the deltas between the reference sequence and the perturbed sequences. This can be thought of as taking the values that are within the receptive field, a diagonal band along the original set of sequences, and pushing them up into a long skinny matrix. masks: tuple list of torch.Tensor A list of tensors containing a mask of the receptive field for each example. This mask is empirically derived by running the examples through the network and recording where positions change with respect to the reference. The first element in the tuple contains the masks before the pooling operation is applied and the second element contains the masks after the pooling operation is applied. These values are precomputed as part of the `precompute` function. receptive_fields: tuple A tuple of integers indicating the maximum receptive field size before and after the layer is applied. The receptive field is the span from the left-most sequence position to the right-most sequence position that are changed in the given sequences, even if some of the internal positions are not changed. These values are precomputed as part of the `precompute` function. """ n_seqs, n_filters, _ = X_0.shape device = str(X_delta.device) seq_len0, seq_len1 = seq_lens rf0, rf1 = receptive_fields fl0, fr0, idxs0 = calculate_flanks(seq_len0, rf0) fl1, fr1, idxs1 = calculate_flanks(seq_len1, rf1) ks = layer.kernel_size size = int((numpy.ceil(rf0 / ks) + 1) * ks) step = (n_nonzeros[0] // rf0) * ks offset = n_nonzeros[0] - fl0 * n_nonzeros[0] // rf0 ## mask_map = numpy.maximum(numpy.arange(n_perturbs) - offset, 0) // step * ks mask_map2 = numpy.maximum(numpy.arange(n_perturbs) - offset, 0) // step row_mask0 = safe_to_device(masks[0][1][0], 'cpu') col_mask0 = safe_to_device(masks[0][1][1], 'cpu') row_mask1 = safe_to_device(masks[1][1][0], 'cpu') col_mask1 = safe_to_device(masks[1][1][1], 'cpu') row_mask00 = row_mask0 - mask_map[col_mask0] row_mask10 = row_mask1 - mask_map2[col_mask1] rows = torch.repeat_interleave(torch.arange(n_perturbs), size) rows = rows.reshape(n_perturbs, size) t_min = torch.tensor(seq_len0-1).expand(n_perturbs, size) cols = torch.tile(torch.arange(size), dims=(n_perturbs, 1)) cols = torch.minimum((cols.T + mask_map[rows[:,0]]).T, t_min) ## # .permute(0, 2, 1) -> 0, 2, 1 # .permute(1, 0, 2) -> 2, 0, 1 X1 = X_0.unsqueeze(1).expand(-1, n_perturbs, -1, -1).permute(1, 3, 0, 2) X1 = X1[(rows, cols)].permute(1, 0, 2, 3) #X1 = X1.reshape(X1.shape[0]*X1.shape[1], X1.shape[2], X1.shape[3]) for j, idx in enumerate(idxs0): r = safe_to_device(masks[0][0][j], "cpu") c = torch.full_like(r, idx) - mask_map[r] X1[(c, r)] += X_delta[:, :len(r), :, idx].permute(1, 0, 2) X_update = X_delta[:, :, :, fl0:seq_len0-fr0] # .permute(2, 0, 1).reshape(-1, X_update.shape[1]) X_update = X_update.permute(3, 1, 0, 2).reshape(-1, n_seqs, n_filters) X1[(row_mask00, col_mask0)] += X_update # .permute(1, 2, 0) X1 = X1.permute(2, 1, 3, 0).reshape(n_perturbs*n_seqs, n_filters, -1) ## X_0 = layer(X_0) # .permute(2, 0, 1) X_1 = X_0.unsqueeze(1).expand(-1, n_perturbs, -1, -1).permute(3, 1, 0, 2) # .permute(2, 0, 1) X1 = layer(X1) X1 = X1.reshape(n_seqs, n_perturbs, n_filters, -1).permute(3, 1, 0, 2) X_delta_ = X1[(row_mask10, col_mask1)] - X_1[(row_mask1, col_mask1)] X_delta_ = X_delta_.reshape(seq_len1-fl1-fr1, n_nonzeros[1], n_seqs, n_filters) X_delta_ = X_delta_.permute(1, 0, 2, 3) X_delta = torch.zeros(n_nonzeros[1], seq_len1, n_seqs, n_filters, device=device) X_delta[:, fl1:seq_len1-fr1] = X_delta_ for j, idx in enumerate(idxs1): r = safe_to_device(masks[1][0][j], "cpu") c = torch.full_like(r, idx) - mask_map2[r] X_delta[:len(r), idx] = X1[(c, r)] - X_0[:, :, idx].unsqueeze(0) X_delta = X_delta.permute(2, 0, 3, 1).contiguous() del X_update, X1, rows, cols return X_0, X_delta @torch.inference_mode() def _yuzu_ism(model, X_0, precomputation, device='cpu', use_layers=use_layers, ignore_layers=ignore_layers, terminal_layers=terminal_layers, verbose=False): """Perform ISM using compressed sensing to reduce the necessary compute. This function will take a model, a reference sequence, and a set of sequences that each contain pertubations from the reference, and return predicted outputs from the model for each of those sequences. Naively, this can be done by simply calling the model on the sequences, i.e., `model(X)`. This approach uses compressed sensing to leverage the sparsity pattern in the difference between the reference the and perturbed sequence at each intermediary layer to speed up computations. Specifically, rather than running `X.shape[0]` sequences through each layer, this approach runs `n_probess[i]` sequences through layer i. Parameters ---------- model: torch.nn.Module A PyTorch model that can contain any number and types of layers. However, this model must be defined in a particular way. Specifically, all of the operations must be defined -in order- in the `__init__` function. No operations can be performed outside of the context of a layer in the forward function, such as reshaping or applying activation functions. See `models.py` for examples. X_0: torch.Tensor, shape=(1, n_filters, seq_len) A tensor containing the reference sequence that ISM is being performed on. precomputation: yuzu.Precomputation An object containing the precomputation performed using the `yuzu.precompute` function. use_layers: tuple, optional The layer classes to apply compressed sensing to. ignore_layers: tuple, optional The layer classes to ignore when iterating through the layers. terminal_layers: tuple, optional The layer classes that, when encountered, cause the method to stop making calculations with the deltas. The calculations will return to the original space and layers will be applied normally from this point. verbose: bool, optional Whether to print out statements showing timings and the progression of the computation. Default is False. Returns ------- X: torch.Tensor The output of the model after `X` is passed through all of the layers, as if one had simply run `model(X)`. """ layer_timings, within_layer_timings = [], [] n_seqs, n_choices, seq_len = X_0.shape X_idxs = X_0.argmax(axis=1) X_delta = delta_perturbations(X_0) X_0 = torch.from_numpy(X_0) model = safe_to_device(model, device) X_delta = safe_to_device(X_delta, device) X_0 = safe_to_device(X_0, device) n_perturbs = X_delta.shape[1] * X_delta.shape[-1] _, n_nonzero, in_filters, seq_len = X_delta.shape deltas = True for i, layer in enumerate(model.children()): tic = time.time() within_layer_times = None n_probes = precomputation.n_probes[i] # If it is not computationally efficient to use deltas and the deltas # have already been decoded back to the full sequences, simply pass # those sequences through the next layer. # X_i -> X_i+1 if deltas == False: X_0 = layer(X_0) X = X.reshape(X.shape[0]*X.shape[1], *X.shape[2:]) X = layer(X) X = X.reshape(n_seqs, -1, *X.shape[1:]) if verbose: print("A", layer, time.time() - tic) # If the layer is a Flatten operation, run the reference sequence # through the layer but ignore the deltas. We are assuming that the # Flatten layer will come after a convolution layer but before a # dense layer, and we have an efficient way for decoding those. elif isinstance(layer, Flatten): X_0 = layer(X_0) if verbose: print("F", layer, time.time() - tic) # If the layer is a linear layer and we still have deltas then we # can calculate the output of the linear layer using the sparse # deltas and the weight matrix of the linear layer in a fairly # easy manner. # X_conv_out -> X_dense_out elif isinstance(layer, torch.nn.Linear): X_0 = layer(X_0) X = torch.tile(X_0.unsqueeze(1), (1, n_perturbs, 1)) _, _, n_filters, seq_len = X_delta.shape fl, fr, idxs = calculate_flanks(seq_len, precomputation.receptive_fields[i][0]) n_out = layer.weight.shape[0] weight = layer.weight.reshape(n_out, seq_len, n_filters) weight = weight.permute(1, 2, 0).contiguous() # .permute(2, 0, 1) X_delta = X_delta.permute(0, 3, 1, 2).contiguous() X_update = torch.matmul(X_delta, weight) mask = precomputation.masks[i][0][1][1] mask = mask.expand(n_seqs, n_out, -1).permute(0, 2, 1) X.scatter_add_(1, mask, X_update[:, fl:seq_len-fr].reshape(n_seqs, -1, n_out)) for j, idx in enumerate(idxs): m = precomputation.masks[i][0][0][j] X[:, m] += X_update[:, idx, :len(m)] deltas = False del X_delta, X_update if verbose: print("Z", layer, time.time() - tic) # If it previously was computationally efficient to operate on deltas # but is now no longer, or if you've hit a terminal layer where the # deltas can't be used anymore, decode the full sequences from the deltas and # pass them through the next layer. # X_dense -> X elif n_probes > n_perturbs or isinstance(layer, terminal_layers): _, n_filters, seq_len = X_0.shape fl, fr, idxs = calculate_flanks(seq_len, precomputation.receptive_fields[i][0]) X = torch.tile(X_0.unsqueeze(1), dims=(1, n_perturbs, 1, 1)) for j, idx in enumerate(idxs): m = precomputation.masks[i][0][0][j] X[:, m, :, idx] += X_delta[:, :len(m), :, idx] X_update = X_delta[:, :, :, fl:seq_len-fr].permute(3, 1, 0, 2) mask = precomputation.masks[i][0][1] X = X.permute(3, 1, 0, 2) X[mask] += X_update.reshape(-1, n_seqs, n_filters) X = X.permute(2, 1, 3, 0) X = X.reshape(n_seqs*n_perturbs, n_filters, seq_len) # X_0 = layer(X_0) X = layer(X) _, n_filters, seq_len = X.shape X = X.reshape(n_seqs, n_perturbs, n_filters, seq_len) deltas = False del X_delta, X_update if verbose: print("B", layer, time.time() - tic) # If you're still operating on the deltas but encounter a max pooling # layer, decode the full sequences from the deltas, pass them through # the max pooling layer, and recover the deltas on the other side. elif isinstance(layer, torch.nn.MaxPool1d): X_0, X_delta = _delta_pooling(layer=layer, X_0=X_0, X_delta=X_delta, masks=precomputation.masks[i], receptive_fields=precomputation.receptive_fields[i], n_probes=precomputation.n_probes[i], seq_lens=precomputation.seq_lens[i], n_nonzeros=precomputation.n_nonzeros[i], n_perturbs=n_perturbs) if verbose: print("M", layer, time.time() - tic) # If it is still computationally efficient to operate on deltas # and the layer is a type that can be quickly processed using # compressed sensing then use the Yuzu-ISM procedure elif isinstance(layer, use_layers): X_0 = layer(X_0) X_delta = _compressed_sensing_convolution(layer=layer, X_delta=X_delta, A=precomputation.As[i], beta=precomputation.betas[i], mask=precomputation.masks[i], n_probes=precomputation.n_probes[i], return_timings=verbose, verbose=verbose) if verbose: within_layer_times = X_delta[1] X_delta = X_delta[0] print("D", layer, time.time() - tic) # If it is still computationally efficient to operate on deltas # but the layer is a pass-through layer, e.g. activations, then # add the reference in, pass through the layer, and subtract # the reference out # X_dense -> X_dense else: X_delta += X_0.unsqueeze(1) X_delta = X_delta.reshape(-1, X_0.shape[1], X_0.shape[2]) X_delta = layer(X_delta) X_0 = layer(X_0) X_delta = X_delta.reshape(n_seqs, -1, X_0.shape[1], X_0.shape[2]) X_delta -= X_0.unsqueeze(1) if verbose: print("E", layer, time.time() - tic) within_layer_timings.append(within_layer_times) layer_timings.append(time.time() - tic) if deltas == False: seq_len = precomputation.seq_lens[0][0] Xfs = torch.square(X - X_0.unsqueeze(1)).sum(axis=-1) if len(Xfs.shape) == 3: Xfs = torch.sum(Xfs, axis=-1) Xfs = torch.sqrt(Xfs).reshape(n_seqs, seq_len, n_choices-1) else: ### Calculate ISM scores seq_len = precomputation.seq_lens[-1][1] fl, fr, idxs = calculate_flanks(seq_len, precomputation.receptive_fields[-1][1]) X_ism = torch.sum(torch.square(X_delta), dim=2) Xfs = torch.zeros(n_seqs, n_perturbs, device=device) mask = precomputation.masks[-1][1][1][1] X_ism_ = X_ism[:, :, fl:seq_len-fr] X_ism_ = X_ism_.permute(0, 2, 1).reshape(n_seqs, -1) Xfs.scatter_add_(1, mask.expand(n_seqs, -1), X_ism_) for i, idx in enumerate(idxs): m = precomputation.masks[-1][1][0][i] Xfs[:, m] += X_ism[:, :len(m), idx] seq_len = precomputation.seq_lens[0][0] Xfs = torch.sqrt(Xfs) Xfs = Xfs.reshape(n_seqs, seq_len, n_choices-1) seq_len = precomputation.seq_lens[0][0] j_idxs = torch.arange(n_seqs*seq_len) X_ism = torch.zeros(n_seqs*seq_len, n_choices, device=device) for i in range(1, n_choices): i_idxs = (X_idxs.flatten() + i) % n_choices X_ism[j_idxs, i_idxs] = Xfs[:, :, i-1].flatten() X_ism = X_ism.reshape(n_seqs, seq_len, n_choices).permute(0, 2, 1) X_ism = safe_to_device(X_ism, "cpu").numpy() #print("AFTER TIME: {:4.4} {:4.4} {:4.4}".format(time.time() - tic, toc - tic, time.time() - toc)) return X_ism, layer_timings, within_layer_timings def yuzu_ism(model, X_0, precomputation, batch_size=1, device='cpu', use_layers=use_layers, ignore_layers=ignore_layers, terminal_layers=terminal_layers, return_timings=False, verbose=False): """Perform ISM using compressed sensing to reduce the necessary compute. This function will take a model, a reference sequence, and a set of sequences that each contain pertubations from the reference, and return predicted outputs from the model for each of those sequences. Naively, this can be done by simply calling the model on the sequences, i.e., `model(X)`. This approach uses compressed sensing to leverage the sparsity pattern in the difference between the reference the and perturbed sequence at each intermediary layer to speed up computations. Specifically, rather than running `X.shape[0]` sequences through each layer, this approach runs `n_probess[i]` sequences through layer i. Parameters ---------- model: torch.nn.Module A PyTorch model that can contain any number and types of layers. However, this model must be defined in a particular way. Specifically, all of the operations must be defined -in order- in the `__init__` function. No operations can be performed outside of the context of a layer in the forward function, such as reshaping or applying activation functions. See `models.py` for examples. X_0: torch.Tensor, shape=(1, n_filters, seq_len) A tensor containing the reference sequence that ISM is being performed on. precomputation: yuzu.Precomputation An object containing the precomputation performed using the `yuzu.precompute` function. batch_size: int, optional The number of sequences to decode at the same time. Default is 1. use_layers: tuple, optional The layer classes to apply compressed sensing to. ignore_layers: tuple, optional The layer classes to ignore when iterating through the layers. terminal_layers: tuple, optional The layer classes that, when encountered, cause the method to stop making calculations with the deltas. The calculations will return to the original space and layers will be applied normally from this point. verbose: bool, optional Whether to print out statements showing timings and the progression of the computation. Default is False. Returns ------- X: torch.Tensor The output of the model after `X` is passed through all of the layers, as if one had simply run `model(X)`. """ X_ism, layer_timings, within_layer_timings = [], [], [] model = model.eval() starts = numpy.arange(0, len(X_0), batch_size) for start in starts: X = X_0[start:start+batch_size] X_ism_, layer_timings_, within_layer_timings_ = _yuzu_ism(model=model, X_0=X, precomputation=precomputation, device=device, use_layers=use_layers, ignore_layers=ignore_layers, terminal_layers=terminal_layers, verbose=verbose) X_ism.append(X_ism_) layer_timings.append(layer_timings_) within_layer_timings.append(within_layer_timings_) if return_timings: return numpy.vstack(X_ism), layer_timings, within_layer_timings return numpy.vstack(X_ism)
yuzu-ism
/yuzu-ism-0.0.1.tar.gz/yuzu-ism-0.0.1/yuzu/yuzu_ism.py
yuzu_ism.py
import time import numpy import torch import itertools as it try: import tensorflow as tf except: pass def perturbations(X_0): """Produce all edit-distance-one pertuabtions of a sequence. This function will take in a single one-hot encoded sequence of length N and return a batch of N*(n_choices-1) sequences, each containing a single perturbation from the given sequence. Parameters ---------- X_0: numpy.ndarray, shape=(n_seqs, n_choices, seq_len) A one-hot encoded sequence to generate all potential perturbations. Returns ------- X: torch.Tensor, shape=(n_seqs, (n_choices-1)*seq_len, n_choices, seq_len) Each single-position perturbation of seq. """ if not isinstance(X_0, numpy.ndarray): raise ValueError("X_0 must be of type numpy.ndarray, not {}".format(type(X_0))) if len(X_0.shape) != 3: raise ValueError("X_0 must have three dimensions: (n_seqs, n_choices, seq_len).") n_seqs, n_choices, seq_len = X_0.shape idxs = X_0.argmax(axis=1) X_0 = torch.from_numpy(X_0) n = seq_len*(n_choices-1) X = torch.tile(X_0, (n, 1, 1)) X = X.reshape(n, n_seqs, n_choices, seq_len).permute(1, 0, 2, 3) for i in range(n_seqs): for k in range(1, n_choices): idx = numpy.arange(seq_len)*(n_choices-1) + (k-1) X[i, idx, idxs[i], numpy.arange(seq_len)] = 0 X[i, idx, (idxs[i]+k) % n_choices, numpy.arange(seq_len)] = 1 return X def delta_perturbations(X_0): """Produce the deltas of all edit-distance-one perturbations of a sequence. This function is similar to the `perturbation` function except that, rather than returning the entire sequence, it returns a compressed version of the deltas, i.e., where the sequence is changing. Parameters ---------- X_0: numpy.ndarray, shape=(n_seqs, n_choices, seq_len) A one-hot encoded sequence to generate all potential perturbations. Returns ------- X: torch.Tensor, shape=(n_seqs, (n_choices-1)*seq_len, n_choices, seq_len) Each single-position perturbation of seq. """ if not isinstance(X_0, numpy.ndarray): raise ValueError("X_0 must be of type numpy.ndarray, not {}".format(type(X_0))) if len(X_0.shape) != 3: raise ValueError("X_0 must have three dimensions: (n_seqs, n_choices, seq_len).") n_seqs, n_choices, seq_len = X_0.shape idxs = X_0.argmax(axis=1) X = numpy.zeros((n_seqs, n_choices-1, n_choices, seq_len), dtype='float32') for i in range(n_seqs): for k in range(n_choices-1): X[i, k, idxs[i], numpy.arange(seq_len)] = -1 X[i, k, (idxs[i] + k + 1) % n_choices, numpy.arange(seq_len)] = 1 return torch.from_numpy(X) def calculate_flanks(seq_len, receptive_field): """A helper function to calculate the flanking regions. This function will return the flanking regions given a receptive field and a sequence length. The flanking regions are those where the receptive field falls off the side of the sequence length which makes normal tensor operations not work. Instead, we have to handle these positions one at a time. Parameters ---------- seq_len: int The length of the sequence we are calculating the flanking regions for. receptive_field: int The receptive field of the model. Returns ------- fl: int The flanking region on the left side. fr: int The flanking region on the right side. idxs: list The position indexes of the flanking regions. """ fl = receptive_field // 2 fr = receptive_field - fl - receptive_field % 2 idxs = list(it.chain(range(fl), range(seq_len-fr, seq_len))) return fl, fr, idxs def safe_to_device(X, device): """Move the tensor or model to the device if it doesn't already live there. This function will avoid copying if the object already lives in the correct context. Works on PyTorch tensors and PyTorch models that inherit from the torch.nn.Module class. Parameters ---------- X: torch.tensor The tensor to move to a device. device: str The PyTorch context to move the tensor to. Returns ------- X: torch.tensor The tensor on the desired device. """ if isinstance(X, torch.Tensor): if X.device == device: return X return X.to(device) elif isinstance(X, torch.nn.Module): if next(X.parameters()).device == device: return X return X.to(device) def tensorflow_to_pytorch(tf_model, torch_model): """Copy the weights from a Tensorflow model to a PyTorch model. This function will take in a Tensorflow model and a PyTorch model with the same architecture and will transfer the weights from the TensorFlow model to the PyTorch model. It will disable additional functionality provided by PyTorch or Tensorflow to ensure that the models are equivalent. Parameters ---------- tf_model: tf.keras.Model A model implemented in Tensorflow torch_model: torch.nn.Module A model implemented in PyTorch Returns ------- torch_model: torch.nn.Module A model implemented in PyTorch with the weights transferred from the Tensorflow model. """ try: tf_use_layers = (tf.keras.layers.Conv1D, tf.keras.layers.BatchNormalization, tf.keras.layers.Dense) except: raise ValueError("TensorFlow must be installed to use this function.") torch_use_layers = (torch.nn.Conv1d, torch.nn.BatchNorm1d, torch.nn.Linear) model2_layers = list(torch_model.children()) with torch.no_grad(): i, j = -1, -1 while i < len(tf_model.layers) - 1 and j < len(model2_layers) - 1: while i < len(tf_model.layers) - 1: i += 1 if isinstance(tf_model.layers[i], tf_use_layers): break while j < len(model2_layers) - 1: j += 1 if isinstance(model2_layers[j], torch_use_layers): break if isinstance(tf_model.layers[i], tf_use_layers[0]): weight = numpy.array(tf_model.layers[i].weights[0]) weight = weight.transpose(2, 1, 0) bias = numpy.array(tf_model.layers[i].weights[1]) model2_layers[j].weight[:] = torch.tensor(weight) model2_layers[j].bias[:] = torch.tensor(bias) elif isinstance(tf_model.layers[i], tf_use_layers[1]): mu = numpy.array(tf_model.layers[i].weights[2]) sigma = numpy.array(tf_model.layers[i].weights[3]) model2_layers[j].affine = False model2_layers[j].eps = tf_model.layers[i].epsilon model2_layers[j].running_mean[:] = torch.tensor(mu) model2_layers[j].running_var[:] = torch.tensor(sigma) elif isinstance(tf_model.layers[i], tf_use_layers[2]): weight = numpy.array(tf_model.layers[i].weights[0]) bias = numpy.array(tf_model.layers[i].weights[1]) model2_layers[j].weight[:] = torch.tensor(weight.T) model2_layers[j].bias[:] = torch.tensor(bias) return torch_model
yuzu-ism
/yuzu-ism-0.0.1.tar.gz/yuzu-ism-0.0.1/yuzu/utils.py
utils.py
import numpy import torch from .utils import perturbations @torch.inference_mode() def naive_ism(model, X_0, batch_size=128, device='cpu'): """In-silico mutagenesis saliency scores. This function will perform in-silico mutagenesis in a naive manner, i.e., where each input sequence has a single mutation in it and the entirety of the sequence is run through the given model. It returns the ISM score, which is a vector of the L2 difference between the reference sequence and the perturbed sequences with one value for each output of the model. Parameters ---------- model: torch.nn.Module The model to use. X_0: numpy.ndarray The one-hot encoded sequence to calculate saliency for. batch_size: int, optional The size of the batches. device: str, optional Whether to use a 'cpu' or 'gpu'. Returns ------- X_ism: numpy.ndarray The saliency score for each perturbation. """ n_seqs, n_choices, seq_len = X_0.shape X_idxs = X_0.argmax(axis=1) X = perturbations(X_0) X_0 = torch.from_numpy(X_0) if device[:4] != str(next(model.parameters()).device): model = model.to(device) if device[:4] != X_0.device: X_0 = X_0.to(device) model = model.eval() reference = model(X_0).unsqueeze(1) starts = numpy.arange(0, X.shape[1], batch_size) isms = [] for i in range(n_seqs): y = [] for start in starts: X_ = X[i, start:start+batch_size] if device[:4] == 'cuda': X_ = X_.to(device) y_ = model(X_) y.append(y_) del X_ y = torch.cat(y) ism = torch.square(y - reference[i]).sum(axis=-1) if len(ism.shape) == 2: ism = ism.sum(axis=-1) ism = torch.sqrt(ism) isms.append(ism) if device[:4] == 'cuda': torch.cuda.synchronize() torch.cuda.empty_cache() isms = torch.stack(isms) isms = isms.reshape(n_seqs, seq_len, n_choices-1) j_idxs = torch.arange(n_seqs*seq_len) X_ism = torch.zeros(n_seqs*seq_len, n_choices, device=device) for i in range(1, n_choices): i_idxs = (X_idxs.flatten() + i) % n_choices X_ism[j_idxs, i_idxs] = isms[:, :, i-1].flatten() X_ism = X_ism.reshape(n_seqs, seq_len, n_choices).permute(0, 2, 1) if device[:4] == 'cuda': X_ism = X_ism.cpu() X_ism = X_ism.numpy() return X_ism
yuzu-ism
/yuzu-ism-0.0.1.tar.gz/yuzu-ism-0.0.1/yuzu/naive_ism.py
naive_ism.py
import time import numpy import torch import random class Flatten(torch.nn.Module): def __init__(self): super(Flatten, self).__init__() def forward(self, x): return x.permute(0, 2, 1).contiguous().view(x.shape[0], -1) class Unsqueeze(torch.nn.Module): def __init__(self, dim): super(Unsqueeze, self).__init__() self.dim = dim def forward(self, x): return x.unsqueeze(self.dim) class OneLayer(torch.nn.Module): def __init__(self, n_inputs, n_filters=64, kernel_size=7, seq_len=None, random_state=0): super(OneLayer, self).__init__() torch.manual_seed(random_state) self.conv = torch.nn.Conv1d(n_inputs, n_filters, kernel_size=kernel_size, padding=kernel_size // 2) def forward(self, X): with torch.no_grad(): return self.conv(X) class ToyNet(torch.nn.Module): def __init__(self, n_inputs, n_filters=32, kernel_size=7, seq_len=None, random_state=0): super(ToyNet, self).__init__() torch.manual_seed(random_state) self.conv1 = torch.nn.Conv1d(n_inputs, n_filters, kernel_size=kernel_size, padding=kernel_size // 2) self.relu1 = torch.nn.ReLU() self.conv2 = torch.nn.Conv1d(n_filters, n_filters, kernel_size=kernel_size, padding=kernel_size // 2) self.relu2 = torch.nn.ReLU() self.conv3 = torch.nn.Conv1d(n_filters, 2, kernel_size=kernel_size, padding=kernel_size // 2) def forward(self, X): with torch.no_grad(): return self.conv3(self.relu2(self.conv2(self.relu1(self.conv1(X))))) class DeepSEA(torch.nn.Module): def __init__(self, n_inputs, seq_len=None, random_state=0): super(DeepSEA, self).__init__() torch.manual_seed(random_state) k = 4 self.conv1 = torch.nn.Conv1d(4, 320, kernel_size=2*k+1, padding=k) self.relu1 = torch.nn.ReLU() self.mp1 = torch.nn.MaxPool1d(k) self.conv2 = torch.nn.Conv1d(320, 480, kernel_size=2*k+1, padding=k) self.relu2 = torch.nn.ReLU() self.mp2 = torch.nn.MaxPool1d(k) self.conv3 = torch.nn.Conv1d(480, 960, kernel_size=2*k+1, padding=k) self.relu3 = torch.nn.ReLU() self.reshape = Flatten() self.fc = torch.nn.Linear((seq_len // k // k) * 960, 925) self.sigmoid = torch.nn.Sigmoid() self.unsqueeze = Unsqueeze(1) def forward(self, X): with torch.no_grad(): X = self.mp1(self.relu1(self.conv1(X))) X = self.mp2(self.relu2(self.conv2(X))) X = self.relu3(self.conv3(X)) X = self.reshape(X) X = self.sigmoid(self.fc(X)) X = self.unsqueeze(X) return X class Basset(torch.nn.Module): def __init__(self, n_inputs, seq_len=None, random_state=0): super(Basset, self).__init__() torch.manual_seed(random_state) self.conv1 = torch.nn.Conv1d(4, 300, kernel_size=19, padding=9) self.relu1 = torch.nn.ReLU() self.bn1 = torch.nn.BatchNorm1d(300) self.maxpool1 = torch.nn.MaxPool1d(3) self.conv2 = torch.nn.Conv1d(300, 200, kernel_size=11, padding=5) self.relu2 = torch.nn.ReLU() self.bn2 = torch.nn.BatchNorm1d(200) self.maxpool2 = torch.nn.MaxPool1d(4) self.conv3 = torch.nn.Conv1d(200, 200, kernel_size=7, padding=3) self.relu3 = torch.nn.ReLU() self.bn3 = torch.nn.BatchNorm1d(200) self.maxpool3 = torch.nn.MaxPool1d(4) self.reshape = Flatten() self.fc1 = torch.nn.Linear((seq_len // 3 // 4 // 4) * 200, 1000) self.relu4 = torch.nn.ReLU() self.bn4 = torch.nn.BatchNorm1d(1000) self.fc2 = torch.nn.Linear(1000, 1000) self.relu5 = torch.nn.ReLU() self.bn5 = torch.nn.BatchNorm1d(1000) self.fc3 = torch.nn.Linear(1000, 164) self.unsqueeze = Unsqueeze(1) def forward(self, X): with torch.no_grad(): X = self.maxpool1(self.bn1(self.relu1(self.conv1(X)))) X = self.maxpool2(self.bn2(self.relu2(self.conv2(X)))) X = self.maxpool3(self.bn3(self.relu3(self.conv3(X)))) X = self.reshape(X) X = self.bn4(self.relu4(self.fc1(X))) X = self.bn5(self.relu5(self.fc2(X))) X = self.fc3(X) X = self.unsqueeze(X) return X class FactorizedBasset(torch.nn.Module): def __init__(self, n_inputs, seq_len=None, random_state=0): super(FactorizedBasset, self).__init__() torch.manual_seed(random_state) # self.conv11 = torch.nn.Conv1d(n_inputs, 48, kernel_size=3, padding=1) self.bn11 = torch.nn.BatchNorm1d(48) self.relu11 = torch.nn.ReLU() self.conv12 = torch.nn.Conv1d(48, 64, kernel_size=3, padding=1) self.bn12 = torch.nn.BatchNorm1d(64) self.relu12 = torch.nn.ReLU() self.conv13 = torch.nn.Conv1d(64, 100, kernel_size=3, padding=1) self.bn13 = torch.nn.BatchNorm1d(100) self.relu13 = torch.nn.ReLU() self.conv14 = torch.nn.Conv1d(100, 150, kernel_size=7, padding=3) self.bn14 = torch.nn.BatchNorm1d(150) self.relu14 = torch.nn.ReLU() self.conv15 = torch.nn.Conv1d(150, 300, kernel_size=7, padding=3) self.bn15 = torch.nn.BatchNorm1d(300) self.relu15 = torch.nn.ReLU() self.mp1 = torch.nn.MaxPool1d(3) # self.conv21 = torch.nn.Conv1d(300, 200, kernel_size=7, padding=3) self.bn21 = torch.nn.BatchNorm1d(200) self.relu21 = torch.nn.ReLU() self.conv22 = torch.nn.Conv1d(200, 200, kernel_size=3, padding=1) self.bn22 = torch.nn.BatchNorm1d(200) self.relu22 = torch.nn.ReLU() self.conv23 = torch.nn.Conv1d(200, 200, kernel_size=3, padding=1) self.bn23 = torch.nn.BatchNorm1d(200) self.relu23 = torch.nn.ReLU() self.mp2 = torch.nn.MaxPool1d(4) # self.conv3 = torch.nn.Conv1d(200, 200, kernel_size=7, padding=3) self.bn3 = torch.nn.BatchNorm1d(200) self.relu3 = torch.nn.ReLU() self.mp3 = torch.nn.MaxPool1d(4) self.flatten = Flatten() self.fc1 = torch.nn.Linear((seq_len // 3 // 4 // 4) * 200, 1000) self.relu4 = torch.nn.ReLU() self.bn4 = torch.nn.BatchNorm1d(1000) self.fc2 = torch.nn.Linear(1000, 1000) self.relu5 = torch.nn.ReLU() self.bn5 = torch.nn.BatchNorm1d(1000) self.fc3 = torch.nn.Linear(1000, 1) self.unsqueeze = Unsqueeze(1) def forward(self, x): with torch.no_grad(): x = self.relu11(self.bn11(self.conv11(x))) x = self.relu12(self.bn12(self.conv12(x))) x = self.relu13(self.bn13(self.conv13(x))) x = self.relu14(self.bn14(self.conv14(x))) x = self.relu15(self.bn15(self.conv15(x))) x = self.mp1(x) x = self.relu21(self.bn21(self.conv21(x))) x = self.relu22(self.bn22(self.conv22(x))) x = self.relu23(self.bn23(self.conv23(x))) x = self.mp2(x) x = self.relu3(self.bn3(self.conv3(x))) x = self.mp3(x) x = self.flatten(x) x = self.bn4(self.relu4(self.fc1(x))) x = self.bn5(self.relu5(self.fc2(x))) x = self.fc3(x) x = self.unsqueeze(x) return x class BPNet(torch.nn.Module): def __init__(self, n_inputs, n_filters=64, kernel_size=21, seq_len=None, n_layers=4, random_state=0): super(BPNet, self).__init__() torch.manual_seed(random_state) self.iconv = torch.nn.Conv1d(n_inputs, n_filters, kernel_size=21, padding=10) self.irelu = torch.nn.ReLU() self.dconv1 = torch.nn.Conv1d(n_filters, n_filters, kernel_size=3, padding=2, dilation=2) self.drelu1 = torch.nn.ReLU() self.dconv2 = torch.nn.Conv1d(n_filters, n_filters, kernel_size=3, padding=4, dilation=4) self.drelu2 = torch.nn.ReLU() self.dconv3 = torch.nn.Conv1d(n_filters, n_filters, kernel_size=3, padding=8, dilation=8) self.drelu3 = torch.nn.ReLU() #self.dconv4 = torch.nn.Conv1d(n_filters, n_filters, kernel_size=3, padding=16, dilation=16) #self.drelu4 = torch.nn.ReLU() #self.dconv5 = torch.nn.Conv1d(n_filters, n_filters, kernel_size=3, padding=32, dilation=32) #self.drelu5 = torch.nn.ReLU() #self.dconv6 = torch.nn.Conv1d(n_filters, n_filters, kernel_size=3, padding=64, dilation=64) #self.drelu6 = torch.nn.ReLU() #self.dconv7 = torch.nn.Conv1d(n_filters, n_filters, kernel_size=3, padding=128, dilation=128) #self.drelu7 = torch.nn.ReLU() self.fconv = torch.nn.Conv1d(n_filters, 1, kernel_size=75, padding=37) #self.logsoftmax = torch.nn.LogSoftmax(dim=-1) def forward(self, X): with torch.no_grad(): X = self.irelu(self.iconv(X)) X = self.drelu1(self.dconv1(X)) X = self.drelu2(self.dconv2(X)) X = self.drelu3(self.dconv3(X)) X = self.fconv(X) #X = self.logsoftmax(self.fconv(X)) return X
yuzu-ism
/yuzu-ism-0.0.1.tar.gz/yuzu-ism-0.0.1/yuzu/models.py
models.py
============== yuzu ============== .. image:: https://img.shields.io/pypi/v/yuzu.svg :target: https://pypi.python.org/pypi/yuzu .. image:: https://readthedocs.org/projects/yuzu-python/badge/?version=latest :target: https://yuzu-python.readthedocs.io/en/latest/?badge=latest :alt: Documentation Status Lightweight and useful annotation package for logging and caching * Free software: MIT license * Documentation: https://yuzu-python.readthedocs.io. Features -------- * TODO - write document Credits -------
yuzu
/yuzu-4.1.1.tar.gz/yuzu-4.1.1/README.rst
README.rst
from tqdm.auto import tqdm import multiprocessing as mp import numpy as np import pandas as pd import os from datetime import datetime import pytz import gc """ ENV SETUP """ pd.set_option('display.max_rows', 500) pd.set_option('display.max_columns', 500) pd.set_option('display.width', 1000) import warnings warnings.filterwarnings('ignore') """ VERIFICATION UTILS """ def run_sample_tqdm(): for i in tqdm(range(100000)): pass """ PANDAS CODE """ def _initialize_mp(): cores = mp.cpu_count() print(f"Making processes faster with {cores} cores!") return cores def pd_parallel_apply(Series, fun): cores = _initialize_mp() split_ser = np.array_split(Series, cores) with mp.Pool(cores) as p: app = pd.concat(p.map(fun, split_ser), axis=0) return app def reduce_memory(df): for col in df.columns: col_type = df[col].dtypes if col_type != object: cmin = df[col].min() cmax = df[col].max() if str(col_type)[:3] == 'int': if cmin > np.iinfo(np.int8).min and cmax < np.iinfo(np.int8).max: df[col] = df[col].astype(np.int8) elif cmin > np.iinfo(np.int16).min and cmax < np.iinfo(np.int16).max: df[col] = df[col].astype(np.int16) elif cmin > np.iinfo(np.int32).min and cmax < np.iinfo(np.int32).max: df[col] = df[col].astype(np.int32) elif cmin > np.iinfo(np.int64).min and cmax < np.iinfo(np.int64).max: df[col] = df[col].astype(np.int64) else: if cmin > np.finfo(np.float16).min and cmax < np.finfo(np.float16).max: df[col] = df[col].astype(np.float16) elif cmin > np.finfo(np.float32).min and cmax < np.finfo(np.float32).max: df[col] = df[col].astype(np.float32) else: df[col] = df[col].astype(np.float64) return df """ SEAMLESS PYTHON EXPERIENCE """ # downloads content from drive def download_drive(id, name): os.system(f"sudo wget --load-cookies /tmp/cookies.txt 'https://docs.google.com/uc?export=download&confirm=t&id={id}' -O {name} && rm -rf /tmp/cookies.txt") def get_current_time(utc=False): TZ = pytz.timezone('Asia/Kolkata') if not utc else pytz.utc return datetime.now(TZ).strftime('%Y:%m:%d %H:%M:%S %Z %z') # garbage collect def gc_clear(): gc.collect() for _ in range(10): s = gc.collect()
yv-utils
/yv_utils-1.11.tar.gz/yv_utils-1.11/src/yv_utils/main/main.py
main.py
from .infrastructure import SuperMap # ไปฃ่กจไธ€ไธช(็œ๏ผŒๅธ‚๏ผŒๅŒบ)็ป„ๆˆ็š„ๅœฐ็‚น class Location: # ็›ด่พ–ๅธ‚ # municipality = ["ๅŒ—ไบฌๅธ‚", "ๅคฉๆดฅๅธ‚", "ไธŠๆตทๅธ‚", "้‡ๅบ†ๅธ‚"] def __init__(self): self.province = Province() self.city = City() self.area = Area() def setPlace(self, name, place_type): if not hasattr(self, place_type): from .exceptions import PlaceTypeNotExistException raise PlaceTypeNotExistException(place_type + " ๅœฐๅŒบ็ฑปๅž‹ไธๅญ˜ๅœจ") if getattr(self, place_type).isEmpty(): getattr(self, place_type).setPlace(name) def pca_map(self, umap): if self.area.isEmpty(): self.__city_and_province() else: if (self.area.name not in SuperMap.rep_areas) or (umap.get(self.area.name)): if umap.get(self.area.name): tmp = umap.get(self.area.name) else: tmp = SuperMap.area_city_mapper.get(self.area.name) if self.city.isEmpty() or self.city.precision == 0: self.city.setPlace(tmp) elif self.city.isNotEmpty() and self.city.precision == 1: if not self.area.isBlong(self.city.name) \ and umap.get(self.area.name) != self.city.name: self.area.reset() self.__city_and_province() else: # ้‡ๅคๅŒบๅ ไปฃ็ ๆ‰ง่กŒ่ทฏๅพ„ import logging SuperMap.rep_area_set.add(self.area.name) if self.city.isNotEmpty(): self.__city_and_province() if self.city.name.isdigit(): self.city.reset() import pandas as pd # ็ป„่ฃ…ๆˆDataFrame return pd.DataFrame({"็œ": [self.province.name], "ๅธ‚": [self.city.name], \ "ๅŒบ": [self.area.name]}) def __city_and_province(self): if self.city.isNotEmpty() and self.province.isNotEmpty(): if not self.city.isBlong(self.province.name): if self.city.precision > self.province.precision: self.province.name = self.city.belong else: self.city.reset() elif self.city.isNotEmpty() and self.province.isEmpty(): self.province.name = self.city.belong class Place: def __init__(self, name=""): self.name = name self.precision = 1 def reset(self): self.name = "" def isBlong(self, mayBe): return self.belong == mayBe def isEmpty(self): return False if self.name else True def isNotEmpty(self): return True if self.name else False class City(Place): def __init__(self, name=""): super().__init__() def __getBlong(self): return SuperMap.city_province_mapper.get(self.name) def setPlace(self, name): self.name, isfilled = SuperMap.fillCity(name) if isfilled: # ๅฆ‚ๆžœๆ˜ฏ้œ€่ฆ่กฅๅ……ๅญ—็š„๏ผŒๅˆ™่ฎคไธบ่ฟ™ไธชๅŒน้…ๅ‡†็กฎ็އๆฏ”่พƒไฝŽ self.precision = 0 self.belong = self.__getBlong() class Province(Place): def __init__(self, name=""): super().__init__() def __getBlong(self): return SuperMap.province_country_mapper.get(self.name) def setPlace(self, name): self.name, isfilled = SuperMap.fillProvince(name) if isfilled: # ๅฆ‚ๆžœๆ˜ฏ้œ€่ฆ่กฅๅ……ๅญ—็š„๏ผŒๅˆ™่ฎคไธบ่ฟ™ไธชๅŒน้…ๅ‡†็กฎ็އๆฏ”่พƒไฝŽ self.precision = 0 self.belong = self.__getBlong() class Area(Place): def __init__(self, name=""): super().__init__() def __getBlong(self): return SuperMap.area_city_mapper.get(self.name) def setPlace(self, name): self.name = name self.precision = 1 self.belong = self.__getBlong()
yve
/yve-0.0.21-py3-none-any.whl/mapper/domain.py
domain.py
area_city_mapper = { 'ไธœๅŸŽๅŒบ':'ๅŒ—ไบฌๅธ‚', '่ฅฟๅŸŽๅŒบ':'ๅŒ—ไบฌๅธ‚', 'ๅด‡ๆ–‡ๅŒบ':'ๅŒ—ไบฌๅธ‚', 'ๅฎฃๆญฆๅŒบ':'ๅŒ—ไบฌๅธ‚', 'ๆœ้˜ณๅŒบ':'ๅŒ—ไบฌๅธ‚', 'ไธฐๅฐๅŒบ':'ๅŒ—ไบฌๅธ‚', '็Ÿณๆ™ฏๅฑฑๅŒบ':'ๅŒ—ไบฌๅธ‚', 'ๆตทๆท€ๅŒบ':'ๅŒ—ไบฌๅธ‚', '้—จๅคดๆฒŸๅŒบ':'ๅŒ—ไบฌๅธ‚', 'ๆˆฟๅฑฑๅŒบ':'ๅŒ—ไบฌๅธ‚', '้€šๅทžๅŒบ':'ๅŒ—ไบฌๅธ‚', '้กบไน‰ๅŒบ':'ๅŒ—ไบฌๅธ‚', 'ๆ˜ŒๅนณๅŒบ':'ๅŒ—ไบฌๅธ‚', 'ๅคงๅ…ดๅŒบ':'ๅŒ—ไบฌๅธ‚', 'ๆ€€ๆŸ”ๅŒบ':'ๅŒ—ไบฌๅธ‚', 'ๅนณ่ฐทๅŒบ':'ๅŒ—ไบฌๅธ‚', 'ๅฏ†ไบ‘ๅŽฟ':'ๅŒ—ไบฌๅธ‚', 'ๅปถๅบ†ๅŽฟ':'ๅŒ—ไบฌๅธ‚', 'ๅ’ŒๅนณๅŒบ':'ๅคฉๆดฅๅธ‚', 'ๆฒณไธœๅŒบ':'ๅคฉๆดฅๅธ‚', 'ๆฒณ่ฅฟๅŒบ':'ๅคฉๆดฅๅธ‚', 'ๅ—ๅผ€ๅŒบ':'ๅคฉๆดฅๅธ‚', 'ๆฒณๅŒ—ๅŒบ':'ๅคฉๆดฅๅธ‚', '็บขๆกฅๅŒบ':'ๅคฉๆดฅๅธ‚', 'ๅก˜ๆฒฝๅŒบ':'ๅคฉๆดฅๅธ‚', 'ๆฑ‰ๆฒฝๅŒบ':'ๅคฉๆดฅๅธ‚', 'ๅคงๆธฏๅŒบ':'ๅคฉๆดฅๅธ‚', 'ไธœไธฝๅŒบ':'ๅคฉๆดฅๅธ‚', '่ฅฟ้’ๅŒบ':'ๅคฉๆดฅๅธ‚', 'ๆดฅๅ—ๅŒบ':'ๅคฉๆดฅๅธ‚', 'ๅŒ—่พฐๅŒบ':'ๅคฉๆดฅๅธ‚', 'ๆญฆๆธ…ๅŒบ':'ๅคฉๆดฅๅธ‚', 'ๅฎๅปๅŒบ':'ๅคฉๆดฅๅธ‚', 'ๅฎๆฒณๅŽฟ':'ๅคฉๆดฅๅธ‚', '้™ๆตทๅŽฟ':'ๅคฉๆดฅๅธ‚', '่“ŸๅŽฟ':'ๅคฉๆดฅๅธ‚', 'ๅธ‚่พ–ๅŒบ':'็Ÿณๅฎถๅบ„ๅธ‚', '้•ฟๅฎ‰ๅŒบ':'็Ÿณๅฎถๅบ„ๅธ‚', 'ๆกฅไธœๅŒบ':'็Ÿณๅฎถๅบ„ๅธ‚', 'ๆกฅ่ฅฟๅŒบ':'็Ÿณๅฎถๅบ„ๅธ‚', 'ๆ–ฐๅŽๅŒบ':'็Ÿณๅฎถๅบ„ๅธ‚', 'ไบ•้™‰็ŸฟๅŒบ':'็Ÿณๅฎถๅบ„ๅธ‚', '่ฃ•ๅŽๅŒบ':'็Ÿณๅฎถๅบ„ๅธ‚', 'ไบ•้™‰ๅŽฟ':'็Ÿณๅฎถๅบ„ๅธ‚', 'ๆญฃๅฎšๅŽฟ':'็Ÿณๅฎถๅบ„ๅธ‚', 'ๆ พๅŸŽๅŽฟ':'็Ÿณๅฎถๅบ„ๅธ‚', '่กŒๅ”ๅŽฟ':'็Ÿณๅฎถๅบ„ๅธ‚', '็ตๅฏฟๅŽฟ':'็Ÿณๅฎถๅบ„ๅธ‚', '้ซ˜้‚‘ๅŽฟ':'็Ÿณๅฎถๅบ„ๅธ‚', 'ๆทฑๆณฝๅŽฟ':'็Ÿณๅฎถๅบ„ๅธ‚', '่ตž็š‡ๅŽฟ':'็Ÿณๅฎถๅบ„ๅธ‚', 'ๆ— ๆžๅŽฟ':'็Ÿณๅฎถๅบ„ๅธ‚', 'ๅนณๅฑฑๅŽฟ':'็Ÿณๅฎถๅบ„ๅธ‚', 'ๅ…ƒๆฐๅŽฟ':'็Ÿณๅฎถๅบ„ๅธ‚', '่ตตๅŽฟ':'็Ÿณๅฎถๅบ„ๅธ‚', '่พ›้›†ๅธ‚':'็Ÿณๅฎถๅบ„ๅธ‚', '่—ๅŸŽๅธ‚':'็Ÿณๅฎถๅบ„ๅธ‚', 'ๆ™‹ๅทžๅธ‚':'็Ÿณๅฎถๅบ„ๅธ‚', 'ๆ–ฐไนๅธ‚':'็Ÿณๅฎถๅบ„ๅธ‚', '้นฟๆณ‰ๅธ‚':'็Ÿณๅฎถๅบ„ๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅ”ๅฑฑๅธ‚', '่ทฏๅ—ๅŒบ':'ๅ”ๅฑฑๅธ‚', '่ทฏๅŒ—ๅŒบ':'ๅ”ๅฑฑๅธ‚', 'ๅคๅ†ถๅŒบ':'ๅ”ๅฑฑๅธ‚', 'ๅผ€ๅนณๅŒบ':'ๅ”ๅฑฑๅธ‚', 'ไธฐๅ—ๅŒบ':'ๅ”ๅฑฑๅธ‚', 'ไธฐๆถฆๅŒบ':'ๅ”ๅฑฑๅธ‚', 'ๆปฆๅŽฟ':'ๅ”ๅฑฑๅธ‚', 'ๆปฆๅ—ๅŽฟ':'ๅ”ๅฑฑๅธ‚', 'ไนไบญๅŽฟ':'ๅ”ๅฑฑๅธ‚', '่ฟ่ฅฟๅŽฟ':'ๅ”ๅฑฑๅธ‚', '็މ็”ฐๅŽฟ':'ๅ”ๅฑฑๅธ‚', 'ๅ”ๆตทๅŽฟ':'ๅ”ๅฑฑๅธ‚', '้ตๅŒ–ๅธ‚':'ๅ”ๅฑฑๅธ‚', '่ฟๅฎ‰ๅธ‚':'ๅ”ๅฑฑๅธ‚', 'ๅธ‚่พ–ๅŒบ':'็งฆ็š‡ๅฒ›ๅธ‚', 'ๆตทๆธฏๅŒบ':'็งฆ็š‡ๅฒ›ๅธ‚', 'ๅฑฑๆตทๅ…ณๅŒบ':'็งฆ็š‡ๅฒ›ๅธ‚', 'ๅŒ—ๆˆดๆฒณๅŒบ':'็งฆ็š‡ๅฒ›ๅธ‚', '้’้พ™ๆปกๆ—่‡ชๆฒปๅŽฟ':'็งฆ็š‡ๅฒ›ๅธ‚', 'ๆ˜Œ้ปŽๅŽฟ':'็งฆ็š‡ๅฒ›ๅธ‚', 'ๆŠšๅฎๅŽฟ':'็งฆ็š‡ๅฒ›ๅธ‚', 'ๅข้พ™ๅŽฟ':'็งฆ็š‡ๅฒ›ๅธ‚', 'ๅธ‚่พ–ๅŒบ':'้‚ฏ้ƒธๅธ‚', '้‚ฏๅฑฑๅŒบ':'้‚ฏ้ƒธๅธ‚', 'ไธ›ๅฐๅŒบ':'้‚ฏ้ƒธๅธ‚', 'ๅคๅ…ดๅŒบ':'้‚ฏ้ƒธๅธ‚', 'ๅณฐๅณฐ็ŸฟๅŒบ':'้‚ฏ้ƒธๅธ‚', '้‚ฏ้ƒธๅŽฟ':'้‚ฏ้ƒธๅธ‚', 'ไธดๆผณๅŽฟ':'้‚ฏ้ƒธๅธ‚', 'ๆˆๅฎ‰ๅŽฟ':'้‚ฏ้ƒธๅธ‚', 'ๅคงๅๅŽฟ':'้‚ฏ้ƒธๅธ‚', 'ๆถ‰ๅŽฟ':'้‚ฏ้ƒธๅธ‚', '็ฃๅŽฟ':'้‚ฏ้ƒธๅธ‚', '่‚ฅไนกๅŽฟ':'้‚ฏ้ƒธๅธ‚', 'ๆฐธๅนดๅŽฟ':'้‚ฏ้ƒธๅธ‚', '้‚ฑๅŽฟ':'้‚ฏ้ƒธๅธ‚', '้ธกๆณฝๅŽฟ':'้‚ฏ้ƒธๅธ‚', 'ๅนฟๅนณๅŽฟ':'้‚ฏ้ƒธๅธ‚', '้ฆ†้™ถๅŽฟ':'้‚ฏ้ƒธๅธ‚', '้ญๅŽฟ':'้‚ฏ้ƒธๅธ‚', 'ๆ›ฒๅ‘จๅŽฟ':'้‚ฏ้ƒธๅธ‚', 'ๆญฆๅฎ‰ๅธ‚':'้‚ฏ้ƒธๅธ‚', 'ๅธ‚่พ–ๅŒบ':'้‚ขๅฐๅธ‚', 'ๆกฅไธœๅŒบ':'้‚ขๅฐๅธ‚', 'ๆกฅ่ฅฟๅŒบ':'้‚ขๅฐๅธ‚', '้‚ขๅฐๅŽฟ':'้‚ขๅฐๅธ‚', 'ไธดๅŸŽๅŽฟ':'้‚ขๅฐๅธ‚', 'ๅ†…ไธ˜ๅŽฟ':'้‚ขๅฐๅธ‚', 'ๆŸไนกๅŽฟ':'้‚ขๅฐๅธ‚', '้š†ๅฐงๅŽฟ':'้‚ขๅฐๅธ‚', 'ไปปๅŽฟ':'้‚ขๅฐๅธ‚', 'ๅ—ๅ’ŒๅŽฟ':'้‚ขๅฐๅธ‚', 'ๅฎๆ™‹ๅŽฟ':'้‚ขๅฐๅธ‚', 'ๅทจ้นฟๅŽฟ':'้‚ขๅฐๅธ‚', 'ๆ–ฐๆฒณๅŽฟ':'้‚ขๅฐๅธ‚', 'ๅนฟๅฎ—ๅŽฟ':'้‚ขๅฐๅธ‚', 'ๅนณไนกๅŽฟ':'้‚ขๅฐๅธ‚', 'ๅจๅŽฟ':'้‚ขๅฐๅธ‚', 'ๆธ…ๆฒณๅŽฟ':'้‚ขๅฐๅธ‚', 'ไธด่ฅฟๅŽฟ':'้‚ขๅฐๅธ‚', 'ๅ—ๅฎซๅธ‚':'้‚ขๅฐๅธ‚', 'ๆฒ™ๆฒณๅธ‚':'้‚ขๅฐๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ไฟๅฎšๅธ‚', 'ๆ–ฐๅธ‚ๅŒบ':'ไฟๅฎšๅธ‚', 'ๅŒ—ๅธ‚ๅŒบ':'ไฟๅฎšๅธ‚', 'ๅ—ๅธ‚ๅŒบ':'ไฟๅฎšๅธ‚', 'ๆปกๅŸŽๅŽฟ':'ไฟๅฎšๅธ‚', 'ๆธ…่‹‘ๅŽฟ':'ไฟๅฎšๅธ‚', 'ๆถžๆฐดๅŽฟ':'ไฟๅฎšๅธ‚', '้˜œๅนณๅŽฟ':'ไฟๅฎšๅธ‚', 'ๅพๆฐดๅŽฟ':'ไฟๅฎšๅธ‚', 'ๅฎšๅ…ดๅŽฟ':'ไฟๅฎšๅธ‚', 'ๅ”ๅŽฟ':'ไฟๅฎšๅธ‚', '้ซ˜้˜ณๅŽฟ':'ไฟๅฎšๅธ‚', 'ๅฎนๅŸŽๅŽฟ':'ไฟๅฎšๅธ‚', 'ๆถžๆบๅŽฟ':'ไฟๅฎšๅธ‚', 'ๆœ›้ƒฝๅŽฟ':'ไฟๅฎšๅธ‚', 'ๅฎ‰ๆ–ฐๅŽฟ':'ไฟๅฎšๅธ‚', 'ๆ˜“ๅŽฟ':'ไฟๅฎšๅธ‚', 'ๆ›ฒ้˜ณๅŽฟ':'ไฟๅฎšๅธ‚', '่ กๅŽฟ':'ไฟๅฎšๅธ‚', '้กบๅนณๅŽฟ':'ไฟๅฎšๅธ‚', 'ๅš้‡ŽๅŽฟ':'ไฟๅฎšๅธ‚', '้›„ๅŽฟ':'ไฟๅฎšๅธ‚', 'ๆถฟๅทžๅธ‚':'ไฟๅฎšๅธ‚', 'ๅฎšๅทžๅธ‚':'ไฟๅฎšๅธ‚', 'ๅฎ‰ๅ›ฝๅธ‚':'ไฟๅฎšๅธ‚', '้ซ˜็ข‘ๅบ—ๅธ‚':'ไฟๅฎšๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅผ ๅฎถๅฃๅธ‚', 'ๆกฅไธœๅŒบ':'ๅผ ๅฎถๅฃๅธ‚', 'ๆกฅ่ฅฟๅŒบ':'ๅผ ๅฎถๅฃๅธ‚', 'ๅฎฃๅŒ–ๅŒบ':'ๅผ ๅฎถๅฃๅธ‚', 'ไธ‹่Šฑๅ›ญๅŒบ':'ๅผ ๅฎถๅฃๅธ‚', 'ๅฎฃๅŒ–ๅŽฟ':'ๅผ ๅฎถๅฃๅธ‚', 'ๅผ ๅŒ—ๅŽฟ':'ๅผ ๅฎถๅฃๅธ‚', 'ๅบทไฟๅŽฟ':'ๅผ ๅฎถๅฃๅธ‚', 'ๆฒฝๆบๅŽฟ':'ๅผ ๅฎถๅฃๅธ‚', 'ๅฐšไน‰ๅŽฟ':'ๅผ ๅฎถๅฃๅธ‚', '่”šๅŽฟ':'ๅผ ๅฎถๅฃๅธ‚', '้˜ณๅŽŸๅŽฟ':'ๅผ ๅฎถๅฃๅธ‚', 'ๆ€€ๅฎ‰ๅŽฟ':'ๅผ ๅฎถๅฃๅธ‚', 'ไธ‡ๅ…จๅŽฟ':'ๅผ ๅฎถๅฃๅธ‚', 'ๆ€€ๆฅๅŽฟ':'ๅผ ๅฎถๅฃๅธ‚', 'ๆถฟ้นฟๅŽฟ':'ๅผ ๅฎถๅฃๅธ‚', '่ตคๅŸŽๅŽฟ':'ๅผ ๅฎถๅฃๅธ‚', 'ๅด‡็คผๅŽฟ':'ๅผ ๅฎถๅฃๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆ‰ฟๅพทๅธ‚', 'ๅŒๆกฅๅŒบ':'ๆ‰ฟๅพทๅธ‚', 'ๅŒๆปฆๅŒบ':'ๆ‰ฟๅพทๅธ‚', '้นฐๆ‰‹่ฅๅญ็ŸฟๅŒบ':'ๆ‰ฟๅพทๅธ‚', 'ๆ‰ฟๅพทๅŽฟ':'ๆ‰ฟๅพทๅธ‚', 'ๅ…ด้š†ๅŽฟ':'ๆ‰ฟๅพทๅธ‚', 'ๅนณๆณ‰ๅŽฟ':'ๆ‰ฟๅพทๅธ‚', 'ๆปฆๅนณๅŽฟ':'ๆ‰ฟๅพทๅธ‚', '้š†ๅŒ–ๅŽฟ':'ๆ‰ฟๅพทๅธ‚', 'ไธฐๅฎๆปกๆ—่‡ชๆฒปๅŽฟ':'ๆ‰ฟๅพทๅธ‚', 'ๅฎฝๅŸŽๆปกๆ—่‡ชๆฒปๅŽฟ':'ๆ‰ฟๅพทๅธ‚', 'ๅ›ดๅœบๆปกๆ—่’™ๅคๆ—่‡ชๆฒปๅŽฟ':'ๆ‰ฟๅพทๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆฒงๅทžๅธ‚', 'ๆ–ฐๅŽๅŒบ':'ๆฒงๅทžๅธ‚', '่ฟๆฒณๅŒบ':'ๆฒงๅทžๅธ‚', 'ๆฒงๅŽฟ':'ๆฒงๅทžๅธ‚', '้’ๅŽฟ':'ๆฒงๅทžๅธ‚', 'ไธœๅ…‰ๅŽฟ':'ๆฒงๅทžๅธ‚', 'ๆตทๅ…ดๅŽฟ':'ๆฒงๅทžๅธ‚', '็›ๅฑฑๅŽฟ':'ๆฒงๅทžๅธ‚', '่‚ƒๅฎๅŽฟ':'ๆฒงๅทžๅธ‚', 'ๅ—็šฎๅŽฟ':'ๆฒงๅทžๅธ‚', 'ๅดๆกฅๅŽฟ':'ๆฒงๅทžๅธ‚', '็ŒฎๅŽฟ':'ๆฒงๅทžๅธ‚', 'ๅญŸๆ‘ๅ›žๆ—่‡ชๆฒปๅŽฟ':'ๆฒงๅทžๅธ‚', 'ๆณŠๅคดๅธ‚':'ๆฒงๅทžๅธ‚', 'ไปปไธ˜ๅธ‚':'ๆฒงๅทžๅธ‚', '้ป„้ช…ๅธ‚':'ๆฒงๅทžๅธ‚', 'ๆฒณ้—ดๅธ‚':'ๆฒงๅทžๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅปŠๅŠๅธ‚', 'ๅฎ‰ๆฌกๅŒบ':'ๅปŠๅŠๅธ‚', 'ๅนฟ้˜ณๅŒบ':'ๅปŠๅŠๅธ‚', 'ๅ›บๅฎ‰ๅŽฟ':'ๅปŠๅŠๅธ‚', 'ๆฐธๆธ…ๅŽฟ':'ๅปŠๅŠๅธ‚', '้ฆ™ๆฒณๅŽฟ':'ๅปŠๅŠๅธ‚', 'ๅคงๅŸŽๅŽฟ':'ๅปŠๅŠๅธ‚', 'ๆ–‡ๅฎ‰ๅŽฟ':'ๅปŠๅŠๅธ‚', 'ๅคงๅŽ‚ๅ›žๆ—่‡ชๆฒปๅŽฟ':'ๅปŠๅŠๅธ‚', '้œธๅทžๅธ‚':'ๅปŠๅŠๅธ‚', 'ไธ‰ๆฒณๅธ‚':'ๅปŠๅŠๅธ‚', 'ๅธ‚่พ–ๅŒบ':'่กกๆฐดๅธ‚', 'ๆกƒๅŸŽๅŒบ':'่กกๆฐดๅธ‚', 'ๆžฃๅผบๅŽฟ':'่กกๆฐดๅธ‚', 'ๆญฆ้‚‘ๅŽฟ':'่กกๆฐดๅธ‚', 'ๆญฆๅผบๅŽฟ':'่กกๆฐดๅธ‚', '้ฅถ้˜ณๅŽฟ':'่กกๆฐดๅธ‚', 'ๅฎ‰ๅนณๅŽฟ':'่กกๆฐดๅธ‚', 'ๆ•…ๅŸŽๅŽฟ':'่กกๆฐดๅธ‚', 'ๆ™ฏๅŽฟ':'่กกๆฐดๅธ‚', '้˜œๅŸŽๅŽฟ':'่กกๆฐดๅธ‚', 'ๅ†€ๅทžๅธ‚':'่กกๆฐดๅธ‚', 'ๆทฑๅทžๅธ‚':'่กกๆฐดๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅคชๅŽŸๅธ‚', 'ๅฐๅบ—ๅŒบ':'ๅคชๅŽŸๅธ‚', '่ฟŽๆณฝๅŒบ':'ๅคชๅŽŸๅธ‚', 'ๆ่ŠฑๅฒญๅŒบ':'ๅคชๅŽŸๅธ‚', 'ๅฐ–่‰ๅชๅŒบ':'ๅคชๅŽŸๅธ‚', 'ไธ‡ๆŸๆž—ๅŒบ':'ๅคชๅŽŸๅธ‚', 'ๆ™‹ๆบๅŒบ':'ๅคชๅŽŸๅธ‚', 'ๆธ…ๅพๅŽฟ':'ๅคชๅŽŸๅธ‚', '้˜ณๆ›ฒๅŽฟ':'ๅคชๅŽŸๅธ‚', 'ๅจ„็ƒฆๅŽฟ':'ๅคชๅŽŸๅธ‚', 'ๅคไบคๅธ‚':'ๅคชๅŽŸๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅคงๅŒๅธ‚', 'ๅŸŽๅŒบ':'ๅคงๅŒๅธ‚', '็ŸฟๅŒบ':'ๅคงๅŒๅธ‚', 'ๅ—้ƒŠๅŒบ':'ๅคงๅŒๅธ‚', 'ๆ–ฐ่ฃๅŒบ':'ๅคงๅŒๅธ‚', '้˜ณ้ซ˜ๅŽฟ':'ๅคงๅŒๅธ‚', 'ๅคฉ้•‡ๅŽฟ':'ๅคงๅŒๅธ‚', 'ๅนฟ็ตๅŽฟ':'ๅคงๅŒๅธ‚', '็ตไธ˜ๅŽฟ':'ๅคงๅŒๅธ‚', 'ๆต‘ๆบๅŽฟ':'ๅคงๅŒๅธ‚', 'ๅทฆไบ‘ๅŽฟ':'ๅคงๅŒๅธ‚', 'ๅคงๅŒๅŽฟ':'ๅคงๅŒๅธ‚', 'ๅธ‚่พ–ๅŒบ':'้˜ณๆณ‰ๅธ‚', 'ๅŸŽๅŒบ':'้˜ณๆณ‰ๅธ‚', '็ŸฟๅŒบ':'้˜ณๆณ‰ๅธ‚', '้ƒŠๅŒบ':'้˜ณๆณ‰ๅธ‚', 'ๅนณๅฎšๅŽฟ':'้˜ณๆณ‰ๅธ‚', '็›‚ๅŽฟ':'้˜ณๆณ‰ๅธ‚', 'ๅธ‚่พ–ๅŒบ':'้•ฟๆฒปๅธ‚', 'ๅŸŽๅŒบ':'้•ฟๆฒปๅธ‚', '้ƒŠๅŒบ':'้•ฟๆฒปๅธ‚', '้•ฟๆฒปๅŽฟ':'้•ฟๆฒปๅธ‚', '่ฅ„ๅžฃๅŽฟ':'้•ฟๆฒปๅธ‚', 'ๅฑฏ็•™ๅŽฟ':'้•ฟๆฒปๅธ‚', 'ๅนณ้กบๅŽฟ':'้•ฟๆฒปๅธ‚', '้ปŽๅŸŽๅŽฟ':'้•ฟๆฒปๅธ‚', 'ๅฃถๅ…ณๅŽฟ':'้•ฟๆฒปๅธ‚', '้•ฟๅญๅŽฟ':'้•ฟๆฒปๅธ‚', 'ๆญฆไนกๅŽฟ':'้•ฟๆฒปๅธ‚', 'ๆฒๅŽฟ':'้•ฟๆฒปๅธ‚', 'ๆฒๆบๅŽฟ':'้•ฟๆฒปๅธ‚', 'ๆฝžๅŸŽๅธ‚':'้•ฟๆฒปๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆ™‹ๅŸŽๅธ‚', 'ๅŸŽๅŒบ':'ๆ™‹ๅŸŽๅธ‚', 'ๆฒๆฐดๅŽฟ':'ๆ™‹ๅŸŽๅธ‚', '้˜ณๅŸŽๅŽฟ':'ๆ™‹ๅŸŽๅธ‚', '้™ตๅทๅŽฟ':'ๆ™‹ๅŸŽๅธ‚', 'ๆณฝๅทžๅŽฟ':'ๆ™‹ๅŸŽๅธ‚', '้ซ˜ๅนณๅธ‚':'ๆ™‹ๅŸŽๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆœ”ๅทžๅธ‚', 'ๆœ”ๅŸŽๅŒบ':'ๆœ”ๅทžๅธ‚', 'ๅนณ้ฒๅŒบ':'ๆœ”ๅทžๅธ‚', 'ๅฑฑ้˜ดๅŽฟ':'ๆœ”ๅทžๅธ‚', 'ๅบ”ๅŽฟ':'ๆœ”ๅทžๅธ‚', 'ๅณ็މๅŽฟ':'ๆœ”ๅทžๅธ‚', 'ๆ€€ไปๅŽฟ':'ๆœ”ๅทžๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆ™‹ไธญๅธ‚', 'ๆฆ†ๆฌกๅŒบ':'ๆ™‹ไธญๅธ‚', 'ๆฆ†็คพๅŽฟ':'ๆ™‹ไธญๅธ‚', 'ๅทฆๆƒๅŽฟ':'ๆ™‹ไธญๅธ‚', 'ๅ’Œ้กบๅŽฟ':'ๆ™‹ไธญๅธ‚', 'ๆ˜”้˜ณๅŽฟ':'ๆ™‹ไธญๅธ‚', 'ๅฏฟ้˜ณๅŽฟ':'ๆ™‹ไธญๅธ‚', 'ๅคช่ฐทๅŽฟ':'ๆ™‹ไธญๅธ‚', '็ฅๅŽฟ':'ๆ™‹ไธญๅธ‚', 'ๅนณ้ฅๅŽฟ':'ๆ™‹ไธญๅธ‚', '็ต็ŸณๅŽฟ':'ๆ™‹ไธญๅธ‚', 'ไป‹ไผ‘ๅธ‚':'ๆ™‹ไธญๅธ‚', 'ๅธ‚่พ–ๅŒบ':'่ฟๅŸŽๅธ‚', '็›ๆน–ๅŒบ':'่ฟๅŸŽๅธ‚', 'ไธด็Œ—ๅŽฟ':'่ฟๅŸŽๅธ‚', 'ไธ‡่ฃๅŽฟ':'่ฟๅŸŽๅธ‚', '้—ปๅ–œๅŽฟ':'่ฟๅŸŽๅธ‚', '็จทๅฑฑๅŽฟ':'่ฟๅŸŽๅธ‚', 'ๆ–ฐ็ป›ๅŽฟ':'่ฟๅŸŽๅธ‚', '็ป›ๅŽฟ':'่ฟๅŸŽๅธ‚', 'ๅžฃๆ›ฒๅŽฟ':'่ฟๅŸŽๅธ‚', 'ๅคๅŽฟ':'่ฟๅŸŽๅธ‚', 'ๅนณ้™†ๅŽฟ':'่ฟๅŸŽๅธ‚', '่ŠฎๅŸŽๅŽฟ':'่ฟๅŸŽๅธ‚', 'ๆฐธๆตŽๅธ‚':'่ฟๅŸŽๅธ‚', 'ๆฒณๆดฅๅธ‚':'่ฟๅŸŽๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅฟปๅทžๅธ‚', 'ๅฟปๅบœๅŒบ':'ๅฟปๅทžๅธ‚', 'ๅฎš่ฅ„ๅŽฟ':'ๅฟปๅทžๅธ‚', 'ไบ”ๅฐๅŽฟ':'ๅฟปๅทžๅธ‚', 'ไปฃๅŽฟ':'ๅฟปๅทžๅธ‚', '็นๅณ™ๅŽฟ':'ๅฟปๅทžๅธ‚', 'ๅฎๆญฆๅŽฟ':'ๅฟปๅทžๅธ‚', '้™ไนๅŽฟ':'ๅฟปๅทžๅธ‚', '็ฅžๆฑ ๅŽฟ':'ๅฟปๅทžๅธ‚', 'ไบ”ๅฏจๅŽฟ':'ๅฟปๅทžๅธ‚', 'ๅฒขๅฒšๅŽฟ':'ๅฟปๅทžๅธ‚', 'ๆฒณๆ›ฒๅŽฟ':'ๅฟปๅทžๅธ‚', 'ไฟๅพทๅŽฟ':'ๅฟปๅทžๅธ‚', 'ๅๅ…ณๅŽฟ':'ๅฟปๅทžๅธ‚', 'ๅŽŸๅนณๅธ‚':'ๅฟปๅทžๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ไธดๆฑพๅธ‚', 'ๅฐง้ƒฝๅŒบ':'ไธดๆฑพๅธ‚', 'ๆ›ฒๆฒƒๅŽฟ':'ไธดๆฑพๅธ‚', '็ฟผๅŸŽๅŽฟ':'ไธดๆฑพๅธ‚', '่ฅ„ๆฑพๅŽฟ':'ไธดๆฑพๅธ‚', 'ๆดชๆดžๅŽฟ':'ไธดๆฑพๅธ‚', 'ๅคๅŽฟ':'ไธดๆฑพๅธ‚', 'ๅฎ‰ๆณฝๅŽฟ':'ไธดๆฑพๅธ‚', 'ๆตฎๅฑฑๅŽฟ':'ไธดๆฑพๅธ‚', 'ๅ‰ๅŽฟ':'ไธดๆฑพๅธ‚', 'ไนกๅฎๅŽฟ':'ไธดๆฑพๅธ‚', 'ๅคงๅฎๅŽฟ':'ไธดๆฑพๅธ‚', '้šฐๅŽฟ':'ไธดๆฑพๅธ‚', 'ๆฐธๅ’ŒๅŽฟ':'ไธดๆฑพๅธ‚', '่’ฒๅŽฟ':'ไธดๆฑพๅธ‚', 'ๆฑพ่ฅฟๅŽฟ':'ไธดๆฑพๅธ‚', 'ไพฏ้ฉฌๅธ‚':'ไธดๆฑพๅธ‚', '้œๅทžๅธ‚':'ไธดๆฑพๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅ•ๆขๅธ‚', '็ฆป็ŸณๅŒบ':'ๅ•ๆขๅธ‚', 'ๆ–‡ๆฐดๅŽฟ':'ๅ•ๆขๅธ‚', 'ไบคๅŸŽๅŽฟ':'ๅ•ๆขๅธ‚', 'ๅ…ดๅŽฟ':'ๅ•ๆขๅธ‚', 'ไธดๅŽฟ':'ๅ•ๆขๅธ‚', 'ๆŸณๆž—ๅŽฟ':'ๅ•ๆขๅธ‚', '็ŸณๆฅผๅŽฟ':'ๅ•ๆขๅธ‚', 'ๅฒšๅŽฟ':'ๅ•ๆขๅธ‚', 'ๆ–นๅฑฑๅŽฟ':'ๅ•ๆขๅธ‚', 'ไธญ้˜ณๅŽฟ':'ๅ•ๆขๅธ‚', 'ไบคๅฃๅŽฟ':'ๅ•ๆขๅธ‚', 'ๅญไน‰ๅธ‚':'ๅ•ๆขๅธ‚', 'ๆฑพ้˜ณๅธ‚':'ๅ•ๆขๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅ‘ผๅ’Œๆตฉ็‰นๅธ‚', 'ๆ–ฐๅŸŽๅŒบ':'ๅ‘ผๅ’Œๆตฉ็‰นๅธ‚', 'ๅ›žๆฐ‘ๅŒบ':'ๅ‘ผๅ’Œๆตฉ็‰นๅธ‚', '็މๆณ‰ๅŒบ':'ๅ‘ผๅ’Œๆตฉ็‰นๅธ‚', '่ต›็ฝ•ๅŒบ':'ๅ‘ผๅ’Œๆตฉ็‰นๅธ‚', 'ๅœŸ้ป˜็‰นๅทฆๆ——':'ๅ‘ผๅ’Œๆตฉ็‰นๅธ‚', 'ๆ‰˜ๅ…‹ๆ‰˜ๅŽฟ':'ๅ‘ผๅ’Œๆตฉ็‰นๅธ‚', 'ๅ’Œๆž—ๆ ผๅฐ”ๅŽฟ':'ๅ‘ผๅ’Œๆตฉ็‰นๅธ‚', 'ๆธ…ๆฐดๆฒณๅŽฟ':'ๅ‘ผๅ’Œๆตฉ็‰นๅธ‚', 'ๆญฆๅทๅŽฟ':'ๅ‘ผๅ’Œๆตฉ็‰นๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅŒ…ๅคดๅธ‚', 'ไธœๆฒณๅŒบ':'ๅŒ…ๅคดๅธ‚', 'ๆ˜†้ƒฝไป‘ๅŒบ':'ๅŒ…ๅคดๅธ‚', '้’ๅฑฑๅŒบ':'ๅŒ…ๅคดๅธ‚', '็Ÿณๆ‹ๅŒบ':'ๅŒ…ๅคดๅธ‚', '็™ฝไบ‘็ŸฟๅŒบ':'ๅŒ…ๅคดๅธ‚', 'ไนๅŽŸๅŒบ':'ๅŒ…ๅคดๅธ‚', 'ๅœŸ้ป˜็‰นๅณๆ——':'ๅŒ…ๅคดๅธ‚', 'ๅ›บ้˜ณๅŽฟ':'ๅŒ…ๅคดๅธ‚', '่พพๅฐ”็ฝ•่Œ‚ๆ˜Žๅฎ‰่”ๅˆๆ——':'ๅŒ…ๅคดๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ไนŒๆตทๅธ‚', 'ๆตทๅ‹ƒๆนพๅŒบ':'ไนŒๆตทๅธ‚', 'ๆตทๅ—ๅŒบ':'ไนŒๆตทๅธ‚', 'ไนŒ่พพๅŒบ':'ไนŒๆตทๅธ‚', 'ๅธ‚่พ–ๅŒบ':'่ตคๅณฐๅธ‚', '็บขๅฑฑๅŒบ':'่ตคๅณฐๅธ‚', 'ๅ…ƒๅฎๅฑฑๅŒบ':'่ตคๅณฐๅธ‚', 'ๆพๅฑฑๅŒบ':'่ตคๅณฐๅธ‚', '้˜ฟ้ฒ็ง‘ๅฐ”ๆฒๆ——':'่ตคๅณฐๅธ‚', 'ๅทดๆž—ๅทฆๆ——':'่ตคๅณฐๅธ‚', 'ๅทดๆž—ๅณๆ——':'่ตคๅณฐๅธ‚', 'ๆž—่ฅฟๅŽฟ':'่ตคๅณฐๅธ‚', 'ๅ…‹ไป€ๅ…‹่…พๆ——':'่ตคๅณฐๅธ‚', '็ฟ็‰›็‰นๆ——':'่ตคๅณฐๅธ‚', 'ๅ–€ๅ–‡ๆฒๆ——':'่ตคๅณฐๅธ‚', 'ๅฎๅŸŽๅŽฟ':'่ตคๅณฐๅธ‚', 'ๆ•–ๆฑ‰ๆ——':'่ตคๅณฐๅธ‚', 'ๅธ‚่พ–ๅŒบ':'้€š่พฝๅธ‚', '็ง‘ๅฐ”ๆฒๅŒบ':'้€š่พฝๅธ‚', '็ง‘ๅฐ”ๆฒๅทฆ็ฟผไธญๆ——':'้€š่พฝๅธ‚', '็ง‘ๅฐ”ๆฒๅทฆ็ฟผๅŽๆ——':'้€š่พฝๅธ‚', 'ๅผ€้ฒๅŽฟ':'้€š่พฝๅธ‚', 'ๅบ“ไผฆๆ——':'้€š่พฝๅธ‚', 'ๅฅˆๆ›ผๆ——':'้€š่พฝๅธ‚', 'ๆ‰Ž้ฒ็‰นๆ——':'้€š่พฝๅธ‚', '้œๆž—้ƒญๅ‹’ๅธ‚':'้€š่พฝๅธ‚', 'ไธœ่ƒœๅŒบ':'้„‚ๅฐ”ๅคšๆ–ฏๅธ‚', '่พพๆ‹‰็‰นๆ——':'้„‚ๅฐ”ๅคšๆ–ฏๅธ‚', 'ๅ‡†ๆ ผๅฐ”ๆ——':'้„‚ๅฐ”ๅคšๆ–ฏๅธ‚', '้„‚ๆ‰˜ๅ…‹ๅ‰ๆ——':'้„‚ๅฐ”ๅคšๆ–ฏๅธ‚', '้„‚ๆ‰˜ๅ…‹ๆ——':'้„‚ๅฐ”ๅคšๆ–ฏๅธ‚', 'ๆญ้”ฆๆ——':'้„‚ๅฐ”ๅคšๆ–ฏๅธ‚', 'ไนŒๅฎกๆ——':'้„‚ๅฐ”ๅคšๆ–ฏๅธ‚', 'ไผŠ้‡‘้œๆด›ๆ——':'้„‚ๅฐ”ๅคšๆ–ฏๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅ‘ผไผฆ่ดๅฐ”ๅธ‚', 'ๆตทๆ‹‰ๅฐ”ๅŒบ':'ๅ‘ผไผฆ่ดๅฐ”ๅธ‚', '้˜ฟ่ฃๆ——':'ๅ‘ผไผฆ่ดๅฐ”ๅธ‚', '่ŽซๅŠ›่พพ็“ฆ่พพๆ–กๅฐ”ๆ—่‡ชๆฒปๆ——':'ๅ‘ผไผฆ่ดๅฐ”ๅธ‚', '้„‚ไผฆๆ˜ฅ่‡ชๆฒปๆ——':'ๅ‘ผไผฆ่ดๅฐ”ๅธ‚', '้„‚ๆธฉๅ…‹ๆ—่‡ชๆฒปๆ——':'ๅ‘ผไผฆ่ดๅฐ”ๅธ‚', '้™ˆๅทดๅฐ”่™Žๆ——':'ๅ‘ผไผฆ่ดๅฐ”ๅธ‚', 'ๆ–ฐๅทดๅฐ”่™Žๅทฆๆ——':'ๅ‘ผไผฆ่ดๅฐ”ๅธ‚', 'ๆ–ฐๅทดๅฐ”่™Žๅณๆ——':'ๅ‘ผไผฆ่ดๅฐ”ๅธ‚', 'ๆปกๆดฒ้‡Œๅธ‚':'ๅ‘ผไผฆ่ดๅฐ”ๅธ‚', '็‰™ๅ…‹็Ÿณๅธ‚':'ๅ‘ผไผฆ่ดๅฐ”ๅธ‚', 'ๆ‰Žๅ…ฐๅฑฏๅธ‚':'ๅ‘ผไผฆ่ดๅฐ”ๅธ‚', '้ขๅฐ”ๅค็บณๅธ‚':'ๅ‘ผไผฆ่ดๅฐ”ๅธ‚', 'ๆ นๆฒณๅธ‚':'ๅ‘ผไผฆ่ดๅฐ”ๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅทดๅฝฆๆท–ๅฐ”ๅธ‚', 'ไธดๆฒณๅŒบ':'ๅทดๅฝฆๆท–ๅฐ”ๅธ‚', 'ไบ”ๅŽŸๅŽฟ':'ๅทดๅฝฆๆท–ๅฐ”ๅธ‚', '็ฃดๅฃๅŽฟ':'ๅทดๅฝฆๆท–ๅฐ”ๅธ‚', 'ไนŒๆ‹‰็‰นๅ‰ๆ——':'ๅทดๅฝฆๆท–ๅฐ”ๅธ‚', 'ไนŒๆ‹‰็‰นไธญๆ——':'ๅทดๅฝฆๆท–ๅฐ”ๅธ‚', 'ไนŒๆ‹‰็‰นๅŽๆ——':'ๅทดๅฝฆๆท–ๅฐ”ๅธ‚', 'ๆญ้”ฆๅŽๆ——':'ๅทดๅฝฆๆท–ๅฐ”ๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ไนŒๅ…ฐๅฏŸๅธƒๅธ‚', '้›†ๅฎๅŒบ':'ไนŒๅ…ฐๅฏŸๅธƒๅธ‚', 'ๅ“่ต„ๅŽฟ':'ไนŒๅ…ฐๅฏŸๅธƒๅธ‚', 'ๅŒ–ๅพทๅŽฟ':'ไนŒๅ…ฐๅฏŸๅธƒๅธ‚', 'ๅ•†้ƒฝๅŽฟ':'ไนŒๅ…ฐๅฏŸๅธƒๅธ‚', 'ๅ…ดๅ’ŒๅŽฟ':'ไนŒๅ…ฐๅฏŸๅธƒๅธ‚', 'ๅ‡‰ๅŸŽๅŽฟ':'ไนŒๅ…ฐๅฏŸๅธƒๅธ‚', 'ๅฏŸๅ“ˆๅฐ”ๅณ็ฟผๅ‰ๆ——':'ไนŒๅ…ฐๅฏŸๅธƒๅธ‚', 'ๅฏŸๅ“ˆๅฐ”ๅณ็ฟผไธญๆ——':'ไนŒๅ…ฐๅฏŸๅธƒๅธ‚', 'ๅฏŸๅ“ˆๅฐ”ๅณ็ฟผๅŽๆ——':'ไนŒๅ…ฐๅฏŸๅธƒๅธ‚', 'ๅ››ๅญ็Ž‹ๆ——':'ไนŒๅ…ฐๅฏŸๅธƒๅธ‚', 'ไธฐ้•‡ๅธ‚':'ไนŒๅ…ฐๅฏŸๅธƒๅธ‚', 'ไนŒๅ…ฐๆตฉ็‰นๅธ‚':'ๅ…ดๅฎ‰็›Ÿ', '้˜ฟๅฐ”ๅฑฑๅธ‚':'ๅ…ดๅฎ‰็›Ÿ', '็ง‘ๅฐ”ๆฒๅณ็ฟผๅ‰ๆ——':'ๅ…ดๅฎ‰็›Ÿ', '็ง‘ๅฐ”ๆฒๅณ็ฟผไธญๆ——':'ๅ…ดๅฎ‰็›Ÿ', 'ๆ‰Ž่ต‰็‰นๆ——':'ๅ…ดๅฎ‰็›Ÿ', '็ชๆณ‰ๅŽฟ':'ๅ…ดๅฎ‰็›Ÿ', 'ไบŒ่ฟžๆตฉ็‰นๅธ‚':'้”กๆž—้ƒญๅ‹’็›Ÿ', '้”กๆž—ๆตฉ็‰นๅธ‚':'้”กๆž—้ƒญๅ‹’็›Ÿ', '้˜ฟๅทดๅ˜Žๆ——':'้”กๆž—้ƒญๅ‹’็›Ÿ', '่‹ๅฐผ็‰นๅทฆๆ——':'้”กๆž—้ƒญๅ‹’็›Ÿ', '่‹ๅฐผ็‰นๅณๆ——':'้”กๆž—้ƒญๅ‹’็›Ÿ', 'ไธœไนŒ็ ็ฉ†ๆฒๆ——':'้”กๆž—้ƒญๅ‹’็›Ÿ', '่ฅฟไนŒ็ ็ฉ†ๆฒๆ——':'้”กๆž—้ƒญๅ‹’็›Ÿ', 'ๅคชไป†ๅฏบๆ——':'้”กๆž—้ƒญๅ‹’็›Ÿ', '้•ถ้ป„ๆ——':'้”กๆž—้ƒญๅ‹’็›Ÿ', 'ๆญฃ้•ถ็™ฝๆ——':'้”กๆž—้ƒญๅ‹’็›Ÿ', 'ๆญฃ่“ๆ——':'้”กๆž—้ƒญๅ‹’็›Ÿ', 'ๅคšไผฆๅŽฟ':'้”กๆž—้ƒญๅ‹’็›Ÿ', '้˜ฟๆ‹‰ๅ–„ๅทฆๆ——':'้˜ฟๆ‹‰ๅ–„็›Ÿ', '้˜ฟๆ‹‰ๅ–„ๅณๆ——':'้˜ฟๆ‹‰ๅ–„็›Ÿ', '้ขๆตŽ็บณๆ——':'้˜ฟๆ‹‰ๅ–„็›Ÿ', 'ๅธ‚่พ–ๅŒบ':'ๆฒˆ้˜ณๅธ‚', 'ๅ’ŒๅนณๅŒบ':'ๆฒˆ้˜ณๅธ‚', 'ๆฒˆๆฒณๅŒบ':'ๆฒˆ้˜ณๅธ‚', 'ๅคงไธœๅŒบ':'ๆฒˆ้˜ณๅธ‚', '็š‡ๅง‘ๅŒบ':'ๆฒˆ้˜ณๅธ‚', '้“่ฅฟๅŒบ':'ๆฒˆ้˜ณๅธ‚', '่‹ๅฎถๅฑฏๅŒบ':'ๆฒˆ้˜ณๅธ‚', 'ไธœ้™ตๅŒบ':'ๆฒˆ้˜ณๅธ‚', 'ๆ–ฐๅŸŽๅญๅŒบ':'ๆฒˆ้˜ณๅธ‚', 'ไบŽๆดชๅŒบ':'ๆฒˆ้˜ณๅธ‚', '่พฝไธญๅŽฟ':'ๆฒˆ้˜ณๅธ‚', 'ๅบทๅนณๅŽฟ':'ๆฒˆ้˜ณๅธ‚', 'ๆณ•ๅบ“ๅŽฟ':'ๆฒˆ้˜ณๅธ‚', 'ๆ–ฐๆฐ‘ๅธ‚':'ๆฒˆ้˜ณๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅคง่ฟžๅธ‚', 'ไธญๅฑฑๅŒบ':'ๅคง่ฟžๅธ‚', '่ฅฟๅฒ—ๅŒบ':'ๅคง่ฟžๅธ‚', 'ๆฒ™ๆฒณๅฃๅŒบ':'ๅคง่ฟžๅธ‚', '็”˜ไบ•ๅญๅŒบ':'ๅคง่ฟžๅธ‚', 'ๆ—…้กบๅฃๅŒบ':'ๅคง่ฟžๅธ‚', '้‡‘ๅทžๅŒบ':'ๅคง่ฟžๅธ‚', '้•ฟๆตทๅŽฟ':'ๅคง่ฟžๅธ‚', '็“ฆๆˆฟๅบ—ๅธ‚':'ๅคง่ฟžๅธ‚', 'ๆ™ฎๅ…ฐๅบ—ๅธ‚':'ๅคง่ฟžๅธ‚', 'ๅบ„ๆฒณๅธ‚':'ๅคง่ฟžๅธ‚', 'ๅธ‚่พ–ๅŒบ':'้žๅฑฑๅธ‚', '้“ไธœๅŒบ':'้žๅฑฑๅธ‚', '้“่ฅฟๅŒบ':'้žๅฑฑๅธ‚', '็ซ‹ๅฑฑๅŒบ':'้žๅฑฑๅธ‚', 'ๅƒๅฑฑๅŒบ':'้žๅฑฑๅธ‚', 'ๅฐๅฎ‰ๅŽฟ':'้žๅฑฑๅธ‚', 'ๅฒซๅฒฉๆปกๆ—่‡ชๆฒปๅŽฟ':'้žๅฑฑๅธ‚', 'ๆตทๅŸŽๅธ‚':'้žๅฑฑๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆŠš้กบๅธ‚', 'ๆ–ฐๆŠšๅŒบ':'ๆŠš้กบๅธ‚', 'ไธœๆดฒๅŒบ':'ๆŠš้กบๅธ‚', 'ๆœ›่ŠฑๅŒบ':'ๆŠš้กบๅธ‚', '้กบๅŸŽๅŒบ':'ๆŠš้กบๅธ‚', 'ๆŠš้กบๅŽฟ':'ๆŠš้กบๅธ‚', 'ๆ–ฐๅฎพๆปกๆ—่‡ชๆฒปๅŽฟ':'ๆŠš้กบๅธ‚', 'ๆธ…ๅŽŸๆปกๆ—่‡ชๆฒปๅŽฟ':'ๆŠš้กบๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆœฌๆบชๅธ‚', 'ๅนณๅฑฑๅŒบ':'ๆœฌๆบชๅธ‚', 'ๆบชๆน–ๅŒบ':'ๆœฌๆบชๅธ‚', 'ๆ˜ŽๅฑฑๅŒบ':'ๆœฌๆบชๅธ‚', 'ๅ—่ŠฌๅŒบ':'ๆœฌๆบชๅธ‚', 'ๆœฌๆบชๆปกๆ—่‡ชๆฒปๅŽฟ':'ๆœฌๆบชๅธ‚', 'ๆก“ไปๆปกๆ—่‡ชๆฒปๅŽฟ':'ๆœฌๆบชๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ไธนไธœๅธ‚', 'ๅ…ƒๅฎๅŒบ':'ไธนไธœๅธ‚', 'ๆŒฏๅ…ดๅŒบ':'ไธนไธœๅธ‚', 'ๆŒฏๅฎ‰ๅŒบ':'ไธนไธœๅธ‚', 'ๅฎฝ็”ธๆปกๆ—่‡ชๆฒปๅŽฟ':'ไธนไธœๅธ‚', 'ไธœๆธฏๅธ‚':'ไธนไธœๅธ‚', 'ๅ‡คๅŸŽๅธ‚':'ไธนไธœๅธ‚', 'ๅธ‚่พ–ๅŒบ':'้”ฆๅทžๅธ‚', 'ๅคๅก”ๅŒบ':'้”ฆๅทžๅธ‚', 'ๅ‡ŒๆฒณๅŒบ':'้”ฆๅทžๅธ‚', 'ๅคชๅ’ŒๅŒบ':'้”ฆๅทžๅธ‚', '้ป‘ๅฑฑๅŽฟ':'้”ฆๅทžๅธ‚', 'ไน‰ๅŽฟ':'้”ฆๅทžๅธ‚', 'ๅ‡Œๆตทๅธ‚':'้”ฆๅทžๅธ‚', 'ๅŒ—ๅฎๅธ‚':'้”ฆๅทžๅธ‚', 'ๅธ‚่พ–ๅŒบ':'่ฅๅฃๅธ‚', '็ซ™ๅ‰ๅŒบ':'่ฅๅฃๅธ‚', '่ฅฟๅธ‚ๅŒบ':'่ฅๅฃๅธ‚', '้ฒ…้ฑผๅœˆๅŒบ':'่ฅๅฃๅธ‚', '่€่พนๅŒบ':'่ฅๅฃๅธ‚', '็›–ๅทžๅธ‚':'่ฅๅฃๅธ‚', 'ๅคง็Ÿณๆกฅๅธ‚':'่ฅๅฃๅธ‚', 'ๅธ‚่พ–ๅŒบ':'้˜œๆ–ฐๅธ‚', 'ๆตทๅทžๅŒบ':'้˜œๆ–ฐๅธ‚', 'ๆ–ฐ้‚ฑๅŒบ':'้˜œๆ–ฐๅธ‚', 'ๅคชๅนณๅŒบ':'้˜œๆ–ฐๅธ‚', 'ๆธ…ๆฒณ้—จๅŒบ':'้˜œๆ–ฐๅธ‚', '็ป†ๆฒณๅŒบ':'้˜œๆ–ฐๅธ‚', '้˜œๆ–ฐ่’™ๅคๆ—่‡ชๆฒปๅŽฟ':'้˜œๆ–ฐๅธ‚', 'ๅฝฐๆญฆๅŽฟ':'้˜œๆ–ฐๅธ‚', 'ๅธ‚่พ–ๅŒบ':'่พฝ้˜ณๅธ‚', '็™ฝๅก”ๅŒบ':'่พฝ้˜ณๅธ‚', 'ๆ–‡ๅœฃๅŒบ':'่พฝ้˜ณๅธ‚', 'ๅฎไผŸๅŒบ':'่พฝ้˜ณๅธ‚', 'ๅผ“้•ฟๅฒญๅŒบ':'่พฝ้˜ณๅธ‚', 'ๅคชๅญๆฒณๅŒบ':'่พฝ้˜ณๅธ‚', '่พฝ้˜ณๅŽฟ':'่พฝ้˜ณๅธ‚', '็ฏๅก”ๅธ‚':'่พฝ้˜ณๅธ‚', 'ๅธ‚่พ–ๅŒบ':'็›˜้”ฆๅธ‚', 'ๅŒๅฐๅญๅŒบ':'็›˜้”ฆๅธ‚', 'ๅ…ด้š†ๅฐๅŒบ':'็›˜้”ฆๅธ‚', 'ๅคงๆดผๅŽฟ':'็›˜้”ฆๅธ‚', '็›˜ๅฑฑๅŽฟ':'็›˜้”ฆๅธ‚', 'ๅธ‚่พ–ๅŒบ':'้“ๅฒญๅธ‚', '้“ถๅทžๅŒบ':'้“ๅฒญๅธ‚', 'ๆธ…ๆฒณๅŒบ':'้“ๅฒญๅธ‚', '้“ๅฒญๅŽฟ':'้“ๅฒญๅธ‚', '่ฅฟไธฐๅŽฟ':'้“ๅฒญๅธ‚', 'ๆ˜Œๅ›พๅŽฟ':'้“ๅฒญๅธ‚', '่ฐƒๅ…ตๅฑฑๅธ‚':'้“ๅฒญๅธ‚', 'ๅผ€ๅŽŸๅธ‚':'้“ๅฒญๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆœ้˜ณๅธ‚', 'ๅŒๅก”ๅŒบ':'ๆœ้˜ณๅธ‚', '้พ™ๅŸŽๅŒบ':'ๆœ้˜ณๅธ‚', 'ๆœ้˜ณๅŽฟ':'ๆœ้˜ณๅธ‚', 'ๅปบๅนณๅŽฟ':'ๆœ้˜ณๅธ‚', 'ๅ–€ๅ–‡ๆฒๅทฆ็ฟผ่’™ๅคๆ—่‡ชๆฒปๅŽฟ':'ๆœ้˜ณๅธ‚', 'ๅŒ—็ฅจๅธ‚':'ๆœ้˜ณๅธ‚', 'ๅ‡Œๆบๅธ‚':'ๆœ้˜ณๅธ‚', 'ๅธ‚่พ–ๅŒบ':'่‘ซ่Šฆๅฒ›ๅธ‚', '่ฟžๅฑฑๅŒบ':'่‘ซ่Šฆๅฒ›ๅธ‚', '้พ™ๆธฏๅŒบ':'่‘ซ่Šฆๅฒ›ๅธ‚', 'ๅ—็ฅจๅŒบ':'่‘ซ่Šฆๅฒ›ๅธ‚', '็ปฅไธญๅŽฟ':'่‘ซ่Šฆๅฒ›ๅธ‚', 'ๅปบๆ˜ŒๅŽฟ':'่‘ซ่Šฆๅฒ›ๅธ‚', 'ๅ…ดๅŸŽๅธ‚':'่‘ซ่Šฆๅฒ›ๅธ‚', 'ๅธ‚่พ–ๅŒบ':'้•ฟๆ˜ฅๅธ‚', 'ๅ—ๅ…ณๅŒบ':'้•ฟๆ˜ฅๅธ‚', 'ๅฎฝๅŸŽๅŒบ':'้•ฟๆ˜ฅๅธ‚', 'ๆœ้˜ณๅŒบ':'้•ฟๆ˜ฅๅธ‚', 'ไบŒ้“ๅŒบ':'้•ฟๆ˜ฅๅธ‚', '็ปฟๅ›ญๅŒบ':'้•ฟๆ˜ฅๅธ‚', 'ๅŒ้˜ณๅŒบ':'้•ฟๆ˜ฅๅธ‚', 'ๅ†œๅฎ‰ๅŽฟ':'้•ฟๆ˜ฅๅธ‚', 'ไนๅฐๅธ‚':'้•ฟๆ˜ฅๅธ‚', 'ๆฆ†ๆ ‘ๅธ‚':'้•ฟๆ˜ฅๅธ‚', 'ๅพทๆƒ ๅธ‚':'้•ฟๆ˜ฅๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅ‰ๆž—ๅธ‚', 'ๆ˜Œ้‚‘ๅŒบ':'ๅ‰ๆž—ๅธ‚', '้พ™ๆฝญๅŒบ':'ๅ‰ๆž—ๅธ‚', '่ˆน่ฅๅŒบ':'ๅ‰ๆž—ๅธ‚', 'ไธฐๆปกๅŒบ':'ๅ‰ๆž—ๅธ‚', 'ๆฐธๅ‰ๅŽฟ':'ๅ‰ๆž—ๅธ‚', '่›Ÿๆฒณๅธ‚':'ๅ‰ๆž—ๅธ‚', 'ๆกฆ็”ธๅธ‚':'ๅ‰ๆž—ๅธ‚', '่ˆ’ๅ…ฐๅธ‚':'ๅ‰ๆž—ๅธ‚', '็ฃ็Ÿณๅธ‚':'ๅ‰ๆž—ๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅ››ๅนณๅธ‚', '้“่ฅฟๅŒบ':'ๅ››ๅนณๅธ‚', '้“ไธœๅŒบ':'ๅ››ๅนณๅธ‚', 'ๆขจๆ ‘ๅŽฟ':'ๅ››ๅนณๅธ‚', 'ไผŠ้€šๆปกๆ—่‡ชๆฒปๅŽฟ':'ๅ››ๅนณๅธ‚', 'ๅ…ฌไธปๅฒญๅธ‚':'ๅ››ๅนณๅธ‚', 'ๅŒ่พฝๅธ‚':'ๅ››ๅนณๅธ‚', 'ๅธ‚่พ–ๅŒบ':'่พฝๆบๅธ‚', '้พ™ๅฑฑๅŒบ':'่พฝๆบๅธ‚', '่ฅฟๅฎ‰ๅŒบ':'่พฝๆบๅธ‚', 'ไธœไธฐๅŽฟ':'่พฝๆบๅธ‚', 'ไธœ่พฝๅŽฟ':'่พฝๆบๅธ‚', 'ๅธ‚่พ–ๅŒบ':'้€šๅŒ–ๅธ‚', 'ไธœๆ˜ŒๅŒบ':'้€šๅŒ–ๅธ‚', 'ไบŒ้“ๆฑŸๅŒบ':'้€šๅŒ–ๅธ‚', '้€šๅŒ–ๅŽฟ':'้€šๅŒ–ๅธ‚', '่พ‰ๅ—ๅŽฟ':'้€šๅŒ–ๅธ‚', 'ๆŸณๆฒณๅŽฟ':'้€šๅŒ–ๅธ‚', 'ๆข…ๆฒณๅฃๅธ‚':'้€šๅŒ–ๅธ‚', '้›†ๅฎ‰ๅธ‚':'้€šๅŒ–ๅธ‚', 'ๅธ‚่พ–ๅŒบ':'็™ฝๅฑฑๅธ‚', 'ๅ…ซ้“ๆฑŸๅŒบ':'็™ฝๅฑฑๅธ‚', 'ๆŠšๆพๅŽฟ':'็™ฝๅฑฑๅธ‚', '้–ๅฎ‡ๅŽฟ':'็™ฝๅฑฑๅธ‚', '้•ฟ็™ฝๆœ้ฒœๆ—่‡ชๆฒปๅŽฟ':'็™ฝๅฑฑๅธ‚', 'ๆฑŸๆบๅŽฟ':'็™ฝๅฑฑๅธ‚', 'ไธดๆฑŸๅธ‚':'็™ฝๅฑฑๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆพๅŽŸๅธ‚', 'ๅฎๆฑŸๅŒบ':'ๆพๅŽŸๅธ‚', 'ๅ‰้ƒญๅฐ”็ฝ—ๆ–ฏ่’™ๅคๆ—่‡ชๆฒปๅŽฟ':'ๆพๅŽŸๅธ‚', '้•ฟๅฒญๅŽฟ':'ๆพๅŽŸๅธ‚', 'ไนพๅฎ‰ๅŽฟ':'ๆพๅŽŸๅธ‚', 'ๆ‰ถไฝ™ๅŽฟ':'ๆพๅŽŸๅธ‚', 'ๅธ‚่พ–ๅŒบ':'็™ฝๅŸŽๅธ‚', 'ๆดฎๅŒ—ๅŒบ':'็™ฝๅŸŽๅธ‚', '้•‡่ต‰ๅŽฟ':'็™ฝๅŸŽๅธ‚', '้€šๆฆ†ๅŽฟ':'็™ฝๅŸŽๅธ‚', 'ๆดฎๅ—ๅธ‚':'็™ฝๅŸŽๅธ‚', 'ๅคงๅฎ‰ๅธ‚':'็™ฝๅŸŽๅธ‚', 'ๅปถๅ‰ๅธ‚':'ๅปถ่พนๆœ้ฒœๆ—่‡ชๆฒปๅทž', 'ๅ›พไปฌๅธ‚':'ๅปถ่พนๆœ้ฒœๆ—่‡ชๆฒปๅทž', 'ๆ•ฆๅŒ–ๅธ‚':'ๅปถ่พนๆœ้ฒœๆ—่‡ชๆฒปๅทž', '็ฒๆ˜ฅๅธ‚':'ๅปถ่พนๆœ้ฒœๆ—่‡ชๆฒปๅทž', '้พ™ไบ•ๅธ‚':'ๅปถ่พนๆœ้ฒœๆ—่‡ชๆฒปๅทž', 'ๅ’Œ้พ™ๅธ‚':'ๅปถ่พนๆœ้ฒœๆ—่‡ชๆฒปๅทž', 'ๆฑชๆธ…ๅŽฟ':'ๅปถ่พนๆœ้ฒœๆ—่‡ชๆฒปๅทž', 'ๅฎ‰ๅ›พๅŽฟ':'ๅปถ่พนๆœ้ฒœๆ—่‡ชๆฒปๅทž', 'ๅธ‚่พ–ๅŒบ':'ๅ“ˆๅฐ”ๆปจๅธ‚', '้“้‡ŒๅŒบ':'ๅ“ˆๅฐ”ๆปจๅธ‚', 'ๅ—ๅฒ—ๅŒบ':'ๅ“ˆๅฐ”ๆปจๅธ‚', '้“ๅค–ๅŒบ':'ๅ“ˆๅฐ”ๆปจๅธ‚', '้ฆ™ๅŠๅŒบ':'ๅ“ˆๅฐ”ๆปจๅธ‚', 'ๅŠจๅŠ›ๅŒบ':'ๅ“ˆๅฐ”ๆปจๅธ‚', 'ๅนณๆˆฟๅŒบ':'ๅ“ˆๅฐ”ๆปจๅธ‚', 'ๆพๅŒ—ๅŒบ':'ๅ“ˆๅฐ”ๆปจๅธ‚', 'ๅ‘ผๅ…ฐๅŒบ':'ๅ“ˆๅฐ”ๆปจๅธ‚', 'ไพๅ…ฐๅŽฟ':'ๅ“ˆๅฐ”ๆปจๅธ‚', 'ๆ–นๆญฃๅŽฟ':'ๅ“ˆๅฐ”ๆปจๅธ‚', 'ๅฎพๅŽฟ':'ๅ“ˆๅฐ”ๆปจๅธ‚', 'ๅทดๅฝฆๅŽฟ':'ๅ“ˆๅฐ”ๆปจๅธ‚', 'ๆœจๅ…ฐๅŽฟ':'ๅ“ˆๅฐ”ๆปจๅธ‚', '้€šๆฒณๅŽฟ':'ๅ“ˆๅฐ”ๆปจๅธ‚', 'ๅปถๅฏฟๅŽฟ':'ๅ“ˆๅฐ”ๆปจๅธ‚', '้˜ฟๅŸŽๅธ‚':'ๅ“ˆๅฐ”ๆปจๅธ‚', 'ๅŒๅŸŽๅธ‚':'ๅ“ˆๅฐ”ๆปจๅธ‚', 'ๅฐšๅฟ—ๅธ‚':'ๅ“ˆๅฐ”ๆปจๅธ‚', 'ไบ”ๅธธๅธ‚':'ๅ“ˆๅฐ”ๆปจๅธ‚', 'ๅธ‚่พ–ๅŒบ':'้ฝ้ฝๅ“ˆๅฐ”ๅธ‚', '้พ™ๆฒ™ๅŒบ':'้ฝ้ฝๅ“ˆๅฐ”ๅธ‚', 'ๅปบๅŽๅŒบ':'้ฝ้ฝๅ“ˆๅฐ”ๅธ‚', '้“้”‹ๅŒบ':'้ฝ้ฝๅ“ˆๅฐ”ๅธ‚', 'ๆ˜‚ๆ˜‚ๆบชๅŒบ':'้ฝ้ฝๅ“ˆๅฐ”ๅธ‚', 'ๅฏŒๆ‹‰ๅฐ”ๅŸบๅŒบ':'้ฝ้ฝๅ“ˆๅฐ”ๅธ‚', '็ขพๅญๅฑฑๅŒบ':'้ฝ้ฝๅ“ˆๅฐ”ๅธ‚', 'ๆข…้‡Œๆ–ฏ่พพๆ–กๅฐ”ๆ—ๅŒบ':'้ฝ้ฝๅ“ˆๅฐ”ๅธ‚', '้พ™ๆฑŸๅŽฟ':'้ฝ้ฝๅ“ˆๅฐ”ๅธ‚', 'ไพๅฎ‰ๅŽฟ':'้ฝ้ฝๅ“ˆๅฐ”ๅธ‚', 'ๆณฐๆฅๅŽฟ':'้ฝ้ฝๅ“ˆๅฐ”ๅธ‚', '็”˜ๅ—ๅŽฟ':'้ฝ้ฝๅ“ˆๅฐ”ๅธ‚', 'ๅฏŒ่ฃ•ๅŽฟ':'้ฝ้ฝๅ“ˆๅฐ”ๅธ‚', 'ๅ…‹ๅฑฑๅŽฟ':'้ฝ้ฝๅ“ˆๅฐ”ๅธ‚', 'ๅ…‹ไธœๅŽฟ':'้ฝ้ฝๅ“ˆๅฐ”ๅธ‚', 'ๆ‹œๆณ‰ๅŽฟ':'้ฝ้ฝๅ“ˆๅฐ”ๅธ‚', '่ฎทๆฒณๅธ‚':'้ฝ้ฝๅ“ˆๅฐ”ๅธ‚', 'ๅธ‚่พ–ๅŒบ':'้ธก่ฅฟๅธ‚', '้ธกๅ† ๅŒบ':'้ธก่ฅฟๅธ‚', 'ๆ’ๅฑฑๅŒบ':'้ธก่ฅฟๅธ‚', 'ๆปด้“ๅŒบ':'้ธก่ฅฟๅธ‚', 'ๆขจๆ ‘ๅŒบ':'้ธก่ฅฟๅธ‚', 'ๅŸŽๅญๆฒณๅŒบ':'้ธก่ฅฟๅธ‚', '้บปๅฑฑๅŒบ':'้ธก่ฅฟๅธ‚', '้ธกไธœๅŽฟ':'้ธก่ฅฟๅธ‚', '่™Žๆž—ๅธ‚':'้ธก่ฅฟๅธ‚', 'ๅฏ†ๅฑฑๅธ‚':'้ธก่ฅฟๅธ‚', 'ๅธ‚่พ–ๅŒบ':'้นคๅฒ—ๅธ‚', 'ๅ‘้˜ณๅŒบ':'้นคๅฒ—ๅธ‚', 'ๅทฅๅ†œๅŒบ':'้นคๅฒ—ๅธ‚', 'ๅ—ๅฑฑๅŒบ':'้นคๅฒ—ๅธ‚', 'ๅ…ดๅฎ‰ๅŒบ':'้นคๅฒ—ๅธ‚', 'ไธœๅฑฑๅŒบ':'้นคๅฒ—ๅธ‚', 'ๅ…ดๅฑฑๅŒบ':'้นคๅฒ—ๅธ‚', '่ๅŒ—ๅŽฟ':'้นคๅฒ—ๅธ‚', '็ปฅๆปจๅŽฟ':'้นคๅฒ—ๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅŒ้ธญๅฑฑๅธ‚', 'ๅฐ–ๅฑฑๅŒบ':'ๅŒ้ธญๅฑฑๅธ‚', 'ๅฒญไธœๅŒบ':'ๅŒ้ธญๅฑฑๅธ‚', 'ๅ››ๆ–นๅฐๅŒบ':'ๅŒ้ธญๅฑฑๅธ‚', 'ๅฎๅฑฑๅŒบ':'ๅŒ้ธญๅฑฑๅธ‚', '้›†่ดคๅŽฟ':'ๅŒ้ธญๅฑฑๅธ‚', 'ๅ‹่ฐŠๅŽฟ':'ๅŒ้ธญๅฑฑๅธ‚', 'ๅฎๆธ…ๅŽฟ':'ๅŒ้ธญๅฑฑๅธ‚', '้ฅถๆฒณๅŽฟ':'ๅŒ้ธญๅฑฑๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅคงๅบ†ๅธ‚', '่จๅฐ”ๅ›พๅŒบ':'ๅคงๅบ†ๅธ‚', '้พ™ๅ‡คๅŒบ':'ๅคงๅบ†ๅธ‚', '่ฎฉ่ƒก่ทฏๅŒบ':'ๅคงๅบ†ๅธ‚', '็บขๅฒ—ๅŒบ':'ๅคงๅบ†ๅธ‚', 'ๅคงๅŒๅŒบ':'ๅคงๅบ†ๅธ‚', '่‚‡ๅทžๅŽฟ':'ๅคงๅบ†ๅธ‚', '่‚‡ๆบๅŽฟ':'ๅคงๅบ†ๅธ‚', 'ๆž—็”ธๅŽฟ':'ๅคงๅบ†ๅธ‚', 'ๆœๅฐ”ไผฏ็‰น่’™ๅคๆ—่‡ชๆฒปๅŽฟ':'ๅคงๅบ†ๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ไผŠๆ˜ฅๅธ‚', 'ไผŠๆ˜ฅๅŒบ':'ไผŠๆ˜ฅๅธ‚', 'ๅ—ๅฒ”ๅŒบ':'ไผŠๆ˜ฅๅธ‚', 'ๅ‹ๅฅฝๅŒบ':'ไผŠๆ˜ฅๅธ‚', '่ฅฟๆž—ๅŒบ':'ไผŠๆ˜ฅๅธ‚', '็ฟ ๅณฆๅŒบ':'ไผŠๆ˜ฅๅธ‚', 'ๆ–ฐ้’ๅŒบ':'ไผŠๆ˜ฅๅธ‚', '็พŽๆบชๅŒบ':'ไผŠๆ˜ฅๅธ‚', '้‡‘ๅฑฑๅฑฏๅŒบ':'ไผŠๆ˜ฅๅธ‚', 'ไบ”่ฅๅŒบ':'ไผŠๆ˜ฅๅธ‚', 'ไนŒ้ฉฌๆฒณๅŒบ':'ไผŠๆ˜ฅๅธ‚', 'ๆฑคๆ—บๆฒณๅŒบ':'ไผŠๆ˜ฅๅธ‚', 'ๅธฆๅฒญๅŒบ':'ไผŠๆ˜ฅๅธ‚', 'ไนŒไผŠๅฒญๅŒบ':'ไผŠๆ˜ฅๅธ‚', '็บขๆ˜ŸๅŒบ':'ไผŠๆ˜ฅๅธ‚', 'ไธŠ็”˜ๅฒญๅŒบ':'ไผŠๆ˜ฅๅธ‚', 'ๅ˜‰่ซๅŽฟ':'ไผŠๆ˜ฅๅธ‚', '้“ๅŠ›ๅธ‚':'ไผŠๆ˜ฅๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ไฝณๆœจๆ–ฏๅธ‚', 'ๆฐธ็บขๅŒบ':'ไฝณๆœจๆ–ฏๅธ‚', 'ๅ‘้˜ณๅŒบ':'ไฝณๆœจๆ–ฏๅธ‚', 'ๅ‰่ฟ›ๅŒบ':'ไฝณๆœจๆ–ฏๅธ‚', 'ไธœ้ฃŽๅŒบ':'ไฝณๆœจๆ–ฏๅธ‚', '้ƒŠๅŒบ':'ไฝณๆœจๆ–ฏๅธ‚', 'ๆกฆๅ—ๅŽฟ':'ไฝณๆœจๆ–ฏๅธ‚', 'ๆกฆๅทๅŽฟ':'ไฝณๆœจๆ–ฏๅธ‚', 'ๆฑคๅŽŸๅŽฟ':'ไฝณๆœจๆ–ฏๅธ‚', 'ๆŠš่ฟœๅŽฟ':'ไฝณๆœจๆ–ฏๅธ‚', 'ๅŒๆฑŸๅธ‚':'ไฝณๆœจๆ–ฏๅธ‚', 'ๅฏŒ้”ฆๅธ‚':'ไฝณๆœจๆ–ฏๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ไธƒๅฐๆฒณๅธ‚', 'ๆ–ฐๅ…ดๅŒบ':'ไธƒๅฐๆฒณๅธ‚', 'ๆกƒๅฑฑๅŒบ':'ไธƒๅฐๆฒณๅธ‚', '่Œ„ๅญๆฒณๅŒบ':'ไธƒๅฐๆฒณๅธ‚', 'ๅ‹ƒๅˆฉๅŽฟ':'ไธƒๅฐๆฒณๅธ‚', 'ๅธ‚่พ–ๅŒบ':'็‰กไธนๆฑŸๅธ‚', 'ไธœๅฎ‰ๅŒบ':'็‰กไธนๆฑŸๅธ‚', '้˜ณๆ˜ŽๅŒบ':'็‰กไธนๆฑŸๅธ‚', '็ˆฑๆฐ‘ๅŒบ':'็‰กไธนๆฑŸๅธ‚', '่ฅฟๅฎ‰ๅŒบ':'็‰กไธนๆฑŸๅธ‚', 'ไธœๅฎๅŽฟ':'็‰กไธนๆฑŸๅธ‚', 'ๆž—ๅฃๅŽฟ':'็‰กไธนๆฑŸๅธ‚', '็ปฅ่Šฌๆฒณๅธ‚':'็‰กไธนๆฑŸๅธ‚', 'ๆตทๆž—ๅธ‚':'็‰กไธนๆฑŸๅธ‚', 'ๅฎๅฎ‰ๅธ‚':'็‰กไธนๆฑŸๅธ‚', '็ฉ†ๆฃฑๅธ‚':'็‰กไธนๆฑŸๅธ‚', 'ๅธ‚่พ–ๅŒบ':'้ป‘ๆฒณๅธ‚', '็ˆฑ่พ‰ๅŒบ':'้ป‘ๆฒณๅธ‚', 'ๅซฉๆฑŸๅŽฟ':'้ป‘ๆฒณๅธ‚', '้€Šๅ…‹ๅŽฟ':'้ป‘ๆฒณๅธ‚', 'ๅญ™ๅดๅŽฟ':'้ป‘ๆฒณๅธ‚', 'ๅŒ—ๅฎ‰ๅธ‚':'้ป‘ๆฒณๅธ‚', 'ไบ”ๅคง่ฟžๆฑ ๅธ‚':'้ป‘ๆฒณๅธ‚', 'ๅธ‚่พ–ๅŒบ':'็ปฅๅŒ–ๅธ‚', 'ๅŒ—ๆž—ๅŒบ':'็ปฅๅŒ–ๅธ‚', 'ๆœ›ๅฅŽๅŽฟ':'็ปฅๅŒ–ๅธ‚', 'ๅ…ฐ่ฅฟๅŽฟ':'็ปฅๅŒ–ๅธ‚', '้’ๅ†ˆๅŽฟ':'็ปฅๅŒ–ๅธ‚', 'ๅบ†ๅฎ‰ๅŽฟ':'็ปฅๅŒ–ๅธ‚', 'ๆ˜ŽๆฐดๅŽฟ':'็ปฅๅŒ–ๅธ‚', '็ปฅๆฃฑๅŽฟ':'็ปฅๅŒ–ๅธ‚', 'ๅฎ‰่พพๅธ‚':'็ปฅๅŒ–ๅธ‚', '่‚‡ไธœๅธ‚':'็ปฅๅŒ–ๅธ‚', 'ๆตทไผฆๅธ‚':'็ปฅๅŒ–ๅธ‚', 'ๅ‘ผ็Ž›ๅŽฟ':'ๅคงๅ…ดๅฎ‰ๅฒญๅœฐๅŒบ', 'ๅก”ๆฒณๅŽฟ':'ๅคงๅ…ดๅฎ‰ๅฒญๅœฐๅŒบ', 'ๆผ ๆฒณๅŽฟ':'ๅคงๅ…ดๅฎ‰ๅฒญๅœฐๅŒบ', '้ป„ๆตฆๅŒบ':'ไธŠๆตทๅธ‚', 'ๅขๆนพๅŒบ':'ไธŠๆตทๅธ‚', 'ๅพๆฑ‡ๅŒบ':'ไธŠๆตทๅธ‚', '้•ฟๅฎๅŒบ':'ไธŠๆตทๅธ‚', '้™ๅฎ‰ๅŒบ':'ไธŠๆตทๅธ‚', 'ๆ™ฎ้™€ๅŒบ':'ไธŠๆตทๅธ‚', '้—ธๅŒ—ๅŒบ':'ไธŠๆตทๅธ‚', '่™นๅฃๅŒบ':'ไธŠๆตทๅธ‚', 'ๆจๆตฆๅŒบ':'ไธŠๆตทๅธ‚', '้—ต่กŒๅŒบ':'ไธŠๆตทๅธ‚', 'ๅฎๅฑฑๅŒบ':'ไธŠๆตทๅธ‚', 'ๅ˜‰ๅฎšๅŒบ':'ไธŠๆตทๅธ‚', 'ๆตฆไธœๆ–ฐๅŒบ':'ไธŠๆตทๅธ‚', '้‡‘ๅฑฑๅŒบ':'ไธŠๆตทๅธ‚', 'ๆพๆฑŸๅŒบ':'ไธŠๆตทๅธ‚', '้’ๆตฆๅŒบ':'ไธŠๆตทๅธ‚', 'ๅ—ๆฑ‡ๅŒบ':'ไธŠๆตทๅธ‚', 'ๅฅ‰่ดคๅŒบ':'ไธŠๆตทๅธ‚', 'ๅด‡ๆ˜ŽๅŽฟ':'ไธŠๆตทๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅ—ไบฌๅธ‚', '็Ž„ๆญฆๅŒบ':'ๅ—ไบฌๅธ‚', '็™ฝไธ‹ๅŒบ':'ๅ—ไบฌๅธ‚', '็งฆๆทฎๅŒบ':'ๅ—ไบฌๅธ‚', 'ๅปบ้‚บๅŒบ':'ๅ—ไบฌๅธ‚', '้ผ“ๆฅผๅŒบ':'ๅ—ไบฌๅธ‚', 'ไธ‹ๅ…ณๅŒบ':'ๅ—ไบฌๅธ‚', 'ๆตฆๅฃๅŒบ':'ๅ—ไบฌๅธ‚', 'ๆ –้œžๅŒบ':'ๅ—ไบฌๅธ‚', '้›จ่ŠฑๅฐๅŒบ':'ๅ—ไบฌๅธ‚', 'ๆฑŸๅฎๅŒบ':'ๅ—ไบฌๅธ‚', 'ๅ…ญๅˆๅŒบ':'ๅ—ไบฌๅธ‚', 'ๆบงๆฐดๅŽฟ':'ๅ—ไบฌๅธ‚', '้ซ˜ๆทณๅŽฟ':'ๅ—ไบฌๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆ— ้”กๅธ‚', 'ๅด‡ๅฎ‰ๅŒบ':'ๆ— ้”กๅธ‚', 'ๅ—้•ฟๅŒบ':'ๆ— ้”กๅธ‚', 'ๅŒ—ๅก˜ๅŒบ':'ๆ— ้”กๅธ‚', '้”กๅฑฑๅŒบ':'ๆ— ้”กๅธ‚', 'ๆƒ ๅฑฑๅŒบ':'ๆ— ้”กๅธ‚', 'ๆปจๆน–ๅŒบ':'ๆ— ้”กๅธ‚', 'ๆฑŸ้˜ดๅธ‚':'ๆ— ้”กๅธ‚', 'ๅฎœๅ…ดๅธ‚':'ๆ— ้”กๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅพๅทžๅธ‚', '้ผ“ๆฅผๅŒบ':'ๅพๅทžๅธ‚', 'ไบ‘้พ™ๅŒบ':'ๅพๅทžๅธ‚', 'ไน้‡ŒๅŒบ':'ๅพๅทžๅธ‚', '่ดพๆฑชๅŒบ':'ๅพๅทžๅธ‚', 'ๆณ‰ๅฑฑๅŒบ':'ๅพๅทžๅธ‚', 'ไธฐๅŽฟ':'ๅพๅทžๅธ‚', 'ๆฒ›ๅŽฟ':'ๅพๅทžๅธ‚', '้“œๅฑฑๅŽฟ':'ๅพๅทžๅธ‚', '็ขๅฎๅŽฟ':'ๅพๅทžๅธ‚', 'ๆ–ฐๆฒ‚ๅธ‚':'ๅพๅทžๅธ‚', '้‚ณๅทžๅธ‚':'ๅพๅทžๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅธธๅทžๅธ‚', 'ๅคฉๅฎๅŒบ':'ๅธธๅทžๅธ‚', '้’ŸๆฅผๅŒบ':'ๅธธๅทžๅธ‚', 'ๆˆšๅข…ๅ ฐๅŒบ':'ๅธธๅทžๅธ‚', 'ๆ–ฐๅŒ—ๅŒบ':'ๅธธๅทžๅธ‚', 'ๆญฆ่ฟ›ๅŒบ':'ๅธธๅทžๅธ‚', 'ๆบง้˜ณๅธ‚':'ๅธธๅทžๅธ‚', '้‡‘ๅ›ๅธ‚':'ๅธธๅทžๅธ‚', 'ๅธ‚่พ–ๅŒบ':'่‹ๅทžๅธ‚', 'ๆฒงๆตชๅŒบ':'่‹ๅทžๅธ‚', 'ๅนณๆฑŸๅŒบ':'่‹ๅทžๅธ‚', '้‡‘้˜ŠๅŒบ':'่‹ๅทžๅธ‚', '่™Žไธ˜ๅŒบ':'่‹ๅทžๅธ‚', 'ๅดไธญๅŒบ':'่‹ๅทžๅธ‚', '็›ธๅŸŽๅŒบ':'่‹ๅทžๅธ‚', 'ๅธธ็†Ÿๅธ‚':'่‹ๅทžๅธ‚', 'ๅผ ๅฎถๆธฏๅธ‚':'่‹ๅทžๅธ‚', 'ๆ˜†ๅฑฑๅธ‚':'่‹ๅทžๅธ‚', 'ๅดๆฑŸๅธ‚':'่‹ๅทžๅธ‚', 'ๅคชไป“ๅธ‚':'่‹ๅทžๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅ—้€šๅธ‚', 'ๅด‡ๅทๅŒบ':'ๅ—้€šๅธ‚', 'ๆธฏ้—ธๅŒบ':'ๅ—้€šๅธ‚', 'ๆตทๅฎ‰ๅŽฟ':'ๅ—้€šๅธ‚', 'ๅฆ‚ไธœๅŽฟ':'ๅ—้€šๅธ‚', 'ๅฏไธœๅธ‚':'ๅ—้€šๅธ‚', 'ๅฆ‚็š‹ๅธ‚':'ๅ—้€šๅธ‚', '้€šๅทžๅธ‚':'ๅ—้€šๅธ‚', 'ๆตท้—จๅธ‚':'ๅ—้€šๅธ‚', 'ๅธ‚่พ–ๅŒบ':'่ฟžไบ‘ๆธฏๅธ‚', '่ฟžไบ‘ๅŒบ':'่ฟžไบ‘ๆธฏๅธ‚', 'ๆ–ฐๆตฆๅŒบ':'่ฟžไบ‘ๆธฏๅธ‚', 'ๆตทๅทžๅŒบ':'่ฟžไบ‘ๆธฏๅธ‚', '่ตฃๆฆ†ๅŽฟ':'่ฟžไบ‘ๆธฏๅธ‚', 'ไธœๆตทๅŽฟ':'่ฟžไบ‘ๆธฏๅธ‚', '็Œไบ‘ๅŽฟ':'่ฟžไบ‘ๆธฏๅธ‚', '็Œๅ—ๅŽฟ':'่ฟžไบ‘ๆธฏๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆทฎๅฎ‰ๅธ‚', 'ๆธ…ๆฒณๅŒบ':'ๆทฎๅฎ‰ๅธ‚', 'ๆฅšๅทžๅŒบ':'ๆทฎๅฎ‰ๅธ‚', 'ๆทฎ้˜ดๅŒบ':'ๆทฎๅฎ‰ๅธ‚', 'ๆธ…ๆตฆๅŒบ':'ๆทฎๅฎ‰ๅธ‚', 'ๆถŸๆฐดๅŽฟ':'ๆทฎๅฎ‰ๅธ‚', 'ๆดชๆณฝๅŽฟ':'ๆทฎๅฎ‰ๅธ‚', '็›ฑ็œ™ๅŽฟ':'ๆทฎๅฎ‰ๅธ‚', '้‡‘ๆน–ๅŽฟ':'ๆทฎๅฎ‰ๅธ‚', 'ๅธ‚่พ–ๅŒบ':'็›ๅŸŽๅธ‚', 'ไบญๆน–ๅŒบ':'็›ๅŸŽๅธ‚', '็›้ƒฝๅŒบ':'็›ๅŸŽๅธ‚', 'ๅ“ๆฐดๅŽฟ':'็›ๅŸŽๅธ‚', 'ๆปจๆตทๅŽฟ':'็›ๅŸŽๅธ‚', '้˜œๅฎๅŽฟ':'็›ๅŸŽๅธ‚', 'ๅฐ„้˜ณๅŽฟ':'็›ๅŸŽๅธ‚', 'ๅปบๆน–ๅŽฟ':'็›ๅŸŽๅธ‚', 'ไธœๅฐๅธ‚':'็›ๅŸŽๅธ‚', 'ๅคงไธฐๅธ‚':'็›ๅŸŽๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆ‰ฌๅทžๅธ‚', 'ๅนฟ้™ตๅŒบ':'ๆ‰ฌๅทžๅธ‚', '้‚—ๆฑŸๅŒบ':'ๆ‰ฌๅทžๅธ‚', '้ƒŠๅŒบ':'ๆ‰ฌๅทžๅธ‚', 'ๅฎๅบ”ๅŽฟ':'ๆ‰ฌๅทžๅธ‚', 'ไปชๅพๅธ‚':'ๆ‰ฌๅทžๅธ‚', '้ซ˜้‚ฎๅธ‚':'ๆ‰ฌๅทžๅธ‚', 'ๆฑŸ้ƒฝๅธ‚':'ๆ‰ฌๅทžๅธ‚', 'ๅธ‚่พ–ๅŒบ':'้•‡ๆฑŸๅธ‚', 'ไบฌๅฃๅŒบ':'้•‡ๆฑŸๅธ‚', 'ๆถฆๅทžๅŒบ':'้•‡ๆฑŸๅธ‚', 'ไธนๅพ’ๅŒบ':'้•‡ๆฑŸๅธ‚', 'ไธน้˜ณๅธ‚':'้•‡ๆฑŸๅธ‚', 'ๆ‰ฌไธญๅธ‚':'้•‡ๆฑŸๅธ‚', 'ๅฅๅฎนๅธ‚':'้•‡ๆฑŸๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆณฐๅทžๅธ‚', 'ๆตท้™ตๅŒบ':'ๆณฐๅทžๅธ‚', '้ซ˜ๆธฏๅŒบ':'ๆณฐๅทžๅธ‚', 'ๅ…ดๅŒ–ๅธ‚':'ๆณฐๅทžๅธ‚', '้–ๆฑŸๅธ‚':'ๆณฐๅทžๅธ‚', 'ๆณฐๅ…ดๅธ‚':'ๆณฐๅทžๅธ‚', 'ๅงœๅ ฐๅธ‚':'ๆณฐๅทžๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅฎฟ่ฟๅธ‚', 'ๅฎฟๅŸŽๅŒบ':'ๅฎฟ่ฟๅธ‚', 'ๅฎฟ่ฑซๅŒบ':'ๅฎฟ่ฟๅธ‚', 'ๆฒญ้˜ณๅŽฟ':'ๅฎฟ่ฟๅธ‚', 'ๆณ—้˜ณๅŽฟ':'ๅฎฟ่ฟๅธ‚', 'ๆณ—ๆดชๅŽฟ':'ๅฎฟ่ฟๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆญๅทžๅธ‚', 'ไธŠๅŸŽๅŒบ':'ๆญๅทžๅธ‚', 'ไธ‹ๅŸŽๅŒบ':'ๆญๅทžๅธ‚', 'ๆฑŸๅนฒๅŒบ':'ๆญๅทžๅธ‚', 'ๆ‹ฑๅข…ๅŒบ':'ๆญๅทžๅธ‚', '่ฅฟๆน–ๅŒบ':'ๆญๅทžๅธ‚', 'ๆปจๆฑŸๅŒบ':'ๆญๅทžๅธ‚', '่งๅฑฑๅŒบ':'ๆญๅทžๅธ‚', 'ไฝ™ๆญๅŒบ':'ๆญๅทžๅธ‚', 'ๆกๅบๅŽฟ':'ๆญๅทžๅธ‚', 'ๆทณๅฎ‰ๅŽฟ':'ๆญๅทžๅธ‚', 'ๅปบๅพทๅธ‚':'ๆญๅทžๅธ‚', 'ๅฏŒ้˜ณๅธ‚':'ๆญๅทžๅธ‚', 'ไธดๅฎ‰ๅธ‚':'ๆญๅทžๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅฎๆณขๅธ‚', 'ๆตทๆ›™ๅŒบ':'ๅฎๆณขๅธ‚', 'ๆฑŸไธœๅŒบ':'ๅฎๆณขๅธ‚', 'ๆฑŸๅŒ—ๅŒบ':'ๅฎๆณขๅธ‚', 'ๅŒ—ไป‘ๅŒบ':'ๅฎๆณขๅธ‚', '้•‡ๆตทๅŒบ':'ๅฎๆณขๅธ‚', '้„žๅทžๅŒบ':'ๅฎๆณขๅธ‚', '่ฑกๅฑฑๅŽฟ':'ๅฎๆณขๅธ‚', 'ๅฎๆตทๅŽฟ':'ๅฎๆณขๅธ‚', 'ไฝ™ๅงšๅธ‚':'ๅฎๆณขๅธ‚', 'ๆ…ˆๆบชๅธ‚':'ๅฎๆณขๅธ‚', 'ๅฅ‰ๅŒ–ๅธ‚':'ๅฎๆณขๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆธฉๅทžๅธ‚', '้นฟๅŸŽๅŒบ':'ๆธฉๅทžๅธ‚', '้พ™ๆนพๅŒบ':'ๆธฉๅทžๅธ‚', '็“ฏๆตทๅŒบ':'ๆธฉๅทžๅธ‚', 'ๆดžๅคดๅŽฟ':'ๆธฉๅทžๅธ‚', 'ๆฐธๅ˜‰ๅŽฟ':'ๆธฉๅทžๅธ‚', 'ๅนณ้˜ณๅŽฟ':'ๆธฉๅทžๅธ‚', '่‹ๅ—ๅŽฟ':'ๆธฉๅทžๅธ‚', 'ๆ–‡ๆˆๅŽฟ':'ๆธฉๅทžๅธ‚', 'ๆณฐ้กบๅŽฟ':'ๆธฉๅทžๅธ‚', '็‘žๅฎ‰ๅธ‚':'ๆธฉๅทžๅธ‚', 'ไนๆธ…ๅธ‚':'ๆธฉๅทžๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅ˜‰ๅ…ดๅธ‚', '็ง€ๅŸŽๅŒบ':'ๅ˜‰ๅ…ดๅธ‚', '็ง€ๆดฒๅŒบ':'ๅ˜‰ๅ…ดๅธ‚', 'ๅ˜‰ๅ–„ๅŽฟ':'ๅ˜‰ๅ…ดๅธ‚', 'ๆตท็›ๅŽฟ':'ๅ˜‰ๅ…ดๅธ‚', 'ๆตทๅฎๅธ‚':'ๅ˜‰ๅ…ดๅธ‚', 'ๅนณๆน–ๅธ‚':'ๅ˜‰ๅ…ดๅธ‚', 'ๆกไนกๅธ‚':'ๅ˜‰ๅ…ดๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆน–ๅทžๅธ‚', 'ๅดๅ…ดๅŒบ':'ๆน–ๅทžๅธ‚', 'ๅ—ๆต”ๅŒบ':'ๆน–ๅทžๅธ‚', 'ๅพทๆธ…ๅŽฟ':'ๆน–ๅทžๅธ‚', '้•ฟๅ…ดๅŽฟ':'ๆน–ๅทžๅธ‚', 'ๅฎ‰ๅ‰ๅŽฟ':'ๆน–ๅทžๅธ‚', 'ๅธ‚่พ–ๅŒบ':'็ปๅ…ดๅธ‚', '่ถŠๅŸŽๅŒบ':'็ปๅ…ดๅธ‚', '็ปๅ…ดๅŽฟ':'็ปๅ…ดๅธ‚', 'ๆ–ฐๆ˜ŒๅŽฟ':'็ปๅ…ดๅธ‚', '่ฏธๆšจๅธ‚':'็ปๅ…ดๅธ‚', 'ไธŠ่™žๅธ‚':'็ปๅ…ดๅธ‚', 'ๅตŠๅทžๅธ‚':'็ปๅ…ดๅธ‚', 'ๅธ‚่พ–ๅŒบ':'้‡‘ๅŽๅธ‚', 'ๅฉบๅŸŽๅŒบ':'้‡‘ๅŽๅธ‚', '้‡‘ไธœๅŒบ':'้‡‘ๅŽๅธ‚', 'ๆญฆไน‰ๅŽฟ':'้‡‘ๅŽๅธ‚', 'ๆตฆๆฑŸๅŽฟ':'้‡‘ๅŽๅธ‚', '็ฃๅฎ‰ๅŽฟ':'้‡‘ๅŽๅธ‚', 'ๅ…ฐๆบชๅธ‚':'้‡‘ๅŽๅธ‚', 'ไน‰ไนŒๅธ‚':'้‡‘ๅŽๅธ‚', 'ไธœ้˜ณๅธ‚':'้‡‘ๅŽๅธ‚', 'ๆฐธๅบทๅธ‚':'้‡‘ๅŽๅธ‚', 'ๅธ‚่พ–ๅŒบ':'่กขๅทžๅธ‚', 'ๆŸฏๅŸŽๅŒบ':'่กขๅทžๅธ‚', '่กขๆฑŸๅŒบ':'่กขๅทžๅธ‚', 'ๅธธๅฑฑๅŽฟ':'่กขๅทžๅธ‚', 'ๅผ€ๅŒ–ๅŽฟ':'่กขๅทžๅธ‚', '้พ™ๆธธๅŽฟ':'่กขๅทžๅธ‚', 'ๆฑŸๅฑฑๅธ‚':'่กขๅทžๅธ‚', 'ๅธ‚่พ–ๅŒบ':'่ˆŸๅฑฑๅธ‚', 'ๅฎšๆตทๅŒบ':'่ˆŸๅฑฑๅธ‚', 'ๆ™ฎ้™€ๅŒบ':'่ˆŸๅฑฑๅธ‚', 'ๅฒฑๅฑฑๅŽฟ':'่ˆŸๅฑฑๅธ‚', 'ๅตŠๆณ—ๅŽฟ':'่ˆŸๅฑฑๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅฐๅทžๅธ‚', 'ๆค’ๆฑŸๅŒบ':'ๅฐๅทžๅธ‚', '้ป„ๅฒฉๅŒบ':'ๅฐๅทžๅธ‚', '่ทฏๆกฅๅŒบ':'ๅฐๅทžๅธ‚', '็މ็ŽฏๅŽฟ':'ๅฐๅทžๅธ‚', 'ไธ‰้—จๅŽฟ':'ๅฐๅทžๅธ‚', 'ๅคฉๅฐๅŽฟ':'ๅฐๅทžๅธ‚', 'ไป™ๅฑ…ๅŽฟ':'ๅฐๅทžๅธ‚', 'ๆธฉๅฒญๅธ‚':'ๅฐๅทžๅธ‚', 'ไธดๆตทๅธ‚':'ๅฐๅทžๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ไธฝๆฐดๅธ‚', '่Žฒ้ƒฝๅŒบ':'ไธฝๆฐดๅธ‚', '้’็”ฐๅŽฟ':'ไธฝๆฐดๅธ‚', '็ผ™ไบ‘ๅŽฟ':'ไธฝๆฐดๅธ‚', '้‚ๆ˜ŒๅŽฟ':'ไธฝๆฐดๅธ‚', 'ๆพ้˜ณๅŽฟ':'ไธฝๆฐดๅธ‚', 'ไบ‘ๅ’ŒๅŽฟ':'ไธฝๆฐดๅธ‚', 'ๅบ†ๅ…ƒๅŽฟ':'ไธฝๆฐดๅธ‚', 'ๆ™ฏๅฎ็•ฒๆ—่‡ชๆฒปๅŽฟ':'ไธฝๆฐดๅธ‚', '้พ™ๆณ‰ๅธ‚':'ไธฝๆฐดๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅˆ่‚ฅๅธ‚', '็‘ถๆตทๅŒบ':'ๅˆ่‚ฅๅธ‚', 'ๅบ้˜ณๅŒบ':'ๅˆ่‚ฅๅธ‚', '่œ€ๅฑฑๅŒบ':'ๅˆ่‚ฅๅธ‚', 'ๅŒ…ๆฒณๅŒบ':'ๅˆ่‚ฅๅธ‚', '้•ฟไธฐๅŽฟ':'ๅˆ่‚ฅๅธ‚', '่‚ฅไธœๅŽฟ':'ๅˆ่‚ฅๅธ‚', '่‚ฅ่ฅฟๅŽฟ':'ๅˆ่‚ฅๅธ‚', 'ๅธ‚่พ–ๅŒบ':'่Šœๆน–ๅธ‚', '้•œๆน–ๅŒบ':'่Šœๆน–ๅธ‚', '้ฉฌๅก˜ๅŒบ':'่Šœๆน–ๅธ‚', 'ๆ–ฐ่ŠœๅŒบ':'่Šœๆน–ๅธ‚', '้ธ ๆฑŸๅŒบ':'่Šœๆน–ๅธ‚', '่Šœๆน–ๅŽฟ':'่Šœๆน–ๅธ‚', '็นๆ˜ŒๅŽฟ':'่Šœๆน–ๅธ‚', 'ๅ—้™ตๅŽฟ':'่Šœๆน–ๅธ‚', 'ๅธ‚่พ–ๅŒบ':'่šŒๅŸ ๅธ‚', '้พ™ๅญๆน–ๅŒบ':'่šŒๅŸ ๅธ‚', '่šŒๅฑฑๅŒบ':'่šŒๅŸ ๅธ‚', '็ฆนไผšๅŒบ':'่šŒๅŸ ๅธ‚', 'ๆทฎไธŠๅŒบ':'่šŒๅŸ ๅธ‚', 'ๆ€€่ฟœๅŽฟ':'่šŒๅŸ ๅธ‚', 'ไบ”ๆฒณๅŽฟ':'่šŒๅŸ ๅธ‚', 'ๅ›บ้•‡ๅŽฟ':'่šŒๅŸ ๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆทฎๅ—ๅธ‚', 'ๅคง้€šๅŒบ':'ๆทฎๅ—ๅธ‚', '็”ฐๅฎถๅบตๅŒบ':'ๆทฎๅ—ๅธ‚', '่ฐขๅฎถ้›†ๅŒบ':'ๆทฎๅ—ๅธ‚', 'ๅ…ซๅ…ฌๅฑฑๅŒบ':'ๆทฎๅ—ๅธ‚', 'ๆฝ˜้›†ๅŒบ':'ๆทฎๅ—ๅธ‚', 'ๅ‡คๅฐๅŽฟ':'ๆทฎๅ—ๅธ‚', 'ๅธ‚่พ–ๅŒบ':'้ฉฌ้žๅฑฑๅธ‚', '้‡‘ๅฎถๅบ„ๅŒบ':'้ฉฌ้žๅฑฑๅธ‚', '่ŠฑๅฑฑๅŒบ':'้ฉฌ้žๅฑฑๅธ‚', '้›จๅฑฑๅŒบ':'้ฉฌ้žๅฑฑๅธ‚', 'ๅฝ“ๆถ‚ๅŽฟ':'้ฉฌ้žๅฑฑๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆทฎๅŒ—ๅธ‚', 'ๆœ้›†ๅŒบ':'ๆทฎๅŒ—ๅธ‚', '็›ธๅฑฑๅŒบ':'ๆทฎๅŒ—ๅธ‚', '็ƒˆๅฑฑๅŒบ':'ๆทฎๅŒ—ๅธ‚', 'ๆฟ‰ๆบชๅŽฟ':'ๆทฎๅŒ—ๅธ‚', 'ๅธ‚่พ–ๅŒบ':'้“œ้™ตๅธ‚', '้“œๅฎ˜ๅฑฑๅŒบ':'้“œ้™ตๅธ‚', '็‹ฎๅญๅฑฑๅŒบ':'้“œ้™ตๅธ‚', '้ƒŠๅŒบ':'้“œ้™ตๅธ‚', '้“œ้™ตๅŽฟ':'้“œ้™ตๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅฎ‰ๅบ†ๅธ‚', '่ฟŽๆฑŸๅŒบ':'ๅฎ‰ๅบ†ๅธ‚', 'ๅคง่ง‚ๅŒบ':'ๅฎ‰ๅบ†ๅธ‚', '้ƒŠๅŒบ':'ๅฎ‰ๅบ†ๅธ‚', 'ๆ€€ๅฎๅŽฟ':'ๅฎ‰ๅบ†ๅธ‚', 'ๆžž้˜ณๅŽฟ':'ๅฎ‰ๅบ†ๅธ‚', 'ๆฝœๅฑฑๅŽฟ':'ๅฎ‰ๅบ†ๅธ‚', 'ๅคชๆน–ๅŽฟ':'ๅฎ‰ๅบ†ๅธ‚', 'ๅฎฟๆพๅŽฟ':'ๅฎ‰ๅบ†ๅธ‚', 'ๆœ›ๆฑŸๅŽฟ':'ๅฎ‰ๅบ†ๅธ‚', 'ๅฒณ่ฅฟๅŽฟ':'ๅฎ‰ๅบ†ๅธ‚', 'ๆกๅŸŽๅธ‚':'ๅฎ‰ๅบ†ๅธ‚', 'ๅธ‚่พ–ๅŒบ':'้ป„ๅฑฑๅธ‚', 'ๅฑฏๆบชๅŒบ':'้ป„ๅฑฑๅธ‚', '้ป„ๅฑฑๅŒบ':'้ป„ๅฑฑๅธ‚', 'ๅพฝๅทžๅŒบ':'้ป„ๅฑฑๅธ‚', 'ๆญ™ๅŽฟ':'้ป„ๅฑฑๅธ‚', 'ไผ‘ๅฎๅŽฟ':'้ป„ๅฑฑๅธ‚', '้ปŸๅŽฟ':'้ป„ๅฑฑๅธ‚', '็ฅ้—จๅŽฟ':'้ป„ๅฑฑๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆปๅทžๅธ‚', '็…็ŠๅŒบ':'ๆปๅทžๅธ‚', 'ๅ—่ฐฏๅŒบ':'ๆปๅทžๅธ‚', 'ๆฅๅฎ‰ๅŽฟ':'ๆปๅทžๅธ‚', 'ๅ…จๆค’ๅŽฟ':'ๆปๅทžๅธ‚', 'ๅฎš่ฟœๅŽฟ':'ๆปๅทžๅธ‚', 'ๅ‡ค้˜ณๅŽฟ':'ๆปๅทžๅธ‚', 'ๅคฉ้•ฟๅธ‚':'ๆปๅทžๅธ‚', 'ๆ˜Žๅ…‰ๅธ‚':'ๆปๅทžๅธ‚', 'ๅธ‚่พ–ๅŒบ':'้˜œ้˜ณๅธ‚', '้ขๅทžๅŒบ':'้˜œ้˜ณๅธ‚', '้ขไธœๅŒบ':'้˜œ้˜ณๅธ‚', '้ขๆณ‰ๅŒบ':'้˜œ้˜ณๅธ‚', 'ไธดๆณ‰ๅŽฟ':'้˜œ้˜ณๅธ‚', 'ๅคชๅ’ŒๅŽฟ':'้˜œ้˜ณๅธ‚', '้˜œๅ—ๅŽฟ':'้˜œ้˜ณๅธ‚', '้ขไธŠๅŽฟ':'้˜œ้˜ณๅธ‚', '็•Œ้ฆ–ๅธ‚':'้˜œ้˜ณๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅฎฟๅทžๅธ‚', 'ๅข‰ๆกฅๅŒบ':'ๅฎฟๅทžๅธ‚', '็ €ๅฑฑๅŽฟ':'ๅฎฟๅทžๅธ‚', '่งๅŽฟ':'ๅฎฟๅทžๅธ‚', '็ต็’งๅŽฟ':'ๅฎฟๅทžๅธ‚', 'ๆณ—ๅŽฟ':'ๅฎฟๅทžๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅทขๆน–ๅธ‚', 'ๅฑ…ๅทขๅŒบ':'ๅทขๆน–ๅธ‚', 'ๅบๆฑŸๅŽฟ':'ๅทขๆน–ๅธ‚', 'ๆ— ไธบๅŽฟ':'ๅทขๆน–ๅธ‚', 'ๅซๅฑฑๅŽฟ':'ๅทขๆน–ๅธ‚', 'ๅ’ŒๅŽฟ':'ๅทขๆน–ๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅ…ญๅฎ‰ๅธ‚', '้‡‘ๅฎ‰ๅŒบ':'ๅ…ญๅฎ‰ๅธ‚', '่ฃ•ๅฎ‰ๅŒบ':'ๅ…ญๅฎ‰ๅธ‚', 'ๅฏฟๅŽฟ':'ๅ…ญๅฎ‰ๅธ‚', '้œ้‚ฑๅŽฟ':'ๅ…ญๅฎ‰ๅธ‚', '่ˆ’ๅŸŽๅŽฟ':'ๅ…ญๅฎ‰ๅธ‚', '้‡‘ๅฏจๅŽฟ':'ๅ…ญๅฎ‰ๅธ‚', '้œๅฑฑๅŽฟ':'ๅ…ญๅฎ‰ๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ไบณๅทžๅธ‚', '่ฐฏๅŸŽๅŒบ':'ไบณๅทžๅธ‚', 'ๆถก้˜ณๅŽฟ':'ไบณๅทžๅธ‚', '่’™ๅŸŽๅŽฟ':'ไบณๅทžๅธ‚', 'ๅˆฉ่พ›ๅŽฟ':'ไบณๅทžๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆฑ ๅทžๅธ‚', '่ดตๆฑ ๅŒบ':'ๆฑ ๅทžๅธ‚', 'ไธœ่‡ณๅŽฟ':'ๆฑ ๅทžๅธ‚', '็ŸณๅฐๅŽฟ':'ๆฑ ๅทžๅธ‚', '้’้˜ณๅŽฟ':'ๆฑ ๅทžๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅฎฃๅŸŽๅธ‚', 'ๅฎฃๅทžๅŒบ':'ๅฎฃๅŸŽๅธ‚', '้ƒŽๆบชๅŽฟ':'ๅฎฃๅŸŽๅธ‚', 'ๅนฟๅพทๅŽฟ':'ๅฎฃๅŸŽๅธ‚', 'ๆณพๅŽฟ':'ๅฎฃๅŸŽๅธ‚', '็ปฉๆบชๅŽฟ':'ๅฎฃๅŸŽๅธ‚', 'ๆ—ŒๅพทๅŽฟ':'ๅฎฃๅŸŽๅธ‚', 'ๅฎๅ›ฝๅธ‚':'ๅฎฃๅŸŽๅธ‚', 'ๅธ‚่พ–ๅŒบ':'็ฆๅทžๅธ‚', '้ผ“ๆฅผๅŒบ':'็ฆๅทžๅธ‚', 'ๅฐๆฑŸๅŒบ':'็ฆๅทžๅธ‚', 'ไป“ๅฑฑๅŒบ':'็ฆๅทžๅธ‚', '้ฉฌๅฐพๅŒบ':'็ฆๅทžๅธ‚', 'ๆ™‹ๅฎ‰ๅŒบ':'็ฆๅทžๅธ‚', '้—ฝไพฏๅŽฟ':'็ฆๅทžๅธ‚', '่ฟžๆฑŸๅŽฟ':'็ฆๅทžๅธ‚', '็ฝ—ๆบๅŽฟ':'็ฆๅทžๅธ‚', '้—ฝๆธ…ๅŽฟ':'็ฆๅทžๅธ‚', 'ๆฐธๆณฐๅŽฟ':'็ฆๅทžๅธ‚', 'ๅนณๆฝญๅŽฟ':'็ฆๅทžๅธ‚', '็ฆๆธ…ๅธ‚':'็ฆๅทžๅธ‚', '้•ฟไนๅธ‚':'็ฆๅทžๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅŽฆ้—จๅธ‚', 'ๆ€ๆ˜ŽๅŒบ':'ๅŽฆ้—จๅธ‚', 'ๆตทๆฒงๅŒบ':'ๅŽฆ้—จๅธ‚', 'ๆน–้‡ŒๅŒบ':'ๅŽฆ้—จๅธ‚', '้›†็พŽๅŒบ':'ๅŽฆ้—จๅธ‚', 'ๅŒๅฎ‰ๅŒบ':'ๅŽฆ้—จๅธ‚', '็ฟ”ๅฎ‰ๅŒบ':'ๅŽฆ้—จๅธ‚', 'ๅธ‚่พ–ๅŒบ':'่ކ็”ฐๅธ‚', 'ๅŸŽๅŽขๅŒบ':'่ކ็”ฐๅธ‚', 'ๆถตๆฑŸๅŒบ':'่ކ็”ฐๅธ‚', '่”ๅŸŽๅŒบ':'่ކ็”ฐๅธ‚', '็ง€ๅฑฟๅŒบ':'่ކ็”ฐๅธ‚', 'ไป™ๆธธๅŽฟ':'่ކ็”ฐๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ไธ‰ๆ˜Žๅธ‚', 'ๆข…ๅˆ—ๅŒบ':'ไธ‰ๆ˜Žๅธ‚', 'ไธ‰ๅ…ƒๅŒบ':'ไธ‰ๆ˜Žๅธ‚', 'ๆ˜ŽๆบชๅŽฟ':'ไธ‰ๆ˜Žๅธ‚', 'ๆธ…ๆตๅŽฟ':'ไธ‰ๆ˜Žๅธ‚', 'ๅฎๅŒ–ๅŽฟ':'ไธ‰ๆ˜Žๅธ‚', 'ๅคง็”ฐๅŽฟ':'ไธ‰ๆ˜Žๅธ‚', 'ๅฐคๆบชๅŽฟ':'ไธ‰ๆ˜Žๅธ‚', 'ๆฒ™ๅŽฟ':'ไธ‰ๆ˜Žๅธ‚', 'ๅฐ†ไนๅŽฟ':'ไธ‰ๆ˜Žๅธ‚', 'ๆณฐๅฎๅŽฟ':'ไธ‰ๆ˜Žๅธ‚', 'ๅปบๅฎๅŽฟ':'ไธ‰ๆ˜Žๅธ‚', 'ๆฐธๅฎ‰ๅธ‚':'ไธ‰ๆ˜Žๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆณ‰ๅทžๅธ‚', '้ฒคๅŸŽๅŒบ':'ๆณ‰ๅทžๅธ‚', 'ไธฐๆณฝๅŒบ':'ๆณ‰ๅทžๅธ‚', 'ๆด›ๆฑŸๅŒบ':'ๆณ‰ๅทžๅธ‚', 'ๆณ‰ๆธฏๅŒบ':'ๆณ‰ๅทžๅธ‚', 'ๆƒ ๅฎ‰ๅŽฟ':'ๆณ‰ๅทžๅธ‚', 'ๅฎ‰ๆบชๅŽฟ':'ๆณ‰ๅทžๅธ‚', 'ๆฐธๆ˜ฅๅŽฟ':'ๆณ‰ๅทžๅธ‚', 'ๅพทๅŒ–ๅŽฟ':'ๆณ‰ๅทžๅธ‚', '้‡‘้—จๅŽฟ':'ๆณ‰ๅทžๅธ‚', '็Ÿณ็‹ฎๅธ‚':'ๆณ‰ๅทžๅธ‚', 'ๆ™‹ๆฑŸๅธ‚':'ๆณ‰ๅทžๅธ‚', 'ๅ—ๅฎ‰ๅธ‚':'ๆณ‰ๅทžๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆผณๅทžๅธ‚', '่Š—ๅŸŽๅŒบ':'ๆผณๅทžๅธ‚', '้พ™ๆ–‡ๅŒบ':'ๆผณๅทžๅธ‚', 'ไบ‘้œ„ๅŽฟ':'ๆผณๅทžๅธ‚', 'ๆผณๆตฆๅŽฟ':'ๆผณๅทžๅธ‚', '่ฏๅฎ‰ๅŽฟ':'ๆผณๅทžๅธ‚', '้•ฟๆณฐๅŽฟ':'ๆผณๅทžๅธ‚', 'ไธœๅฑฑๅŽฟ':'ๆผณๅทžๅธ‚', 'ๅ—้–ๅŽฟ':'ๆผณๅทžๅธ‚', 'ๅนณๅ’ŒๅŽฟ':'ๆผณๅทžๅธ‚', 'ๅŽๅฎ‰ๅŽฟ':'ๆผณๅทžๅธ‚', '้พ™ๆตทๅธ‚':'ๆผณๅทžๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅ—ๅนณๅธ‚', 'ๅปถๅนณๅŒบ':'ๅ—ๅนณๅธ‚', '้กบๆ˜ŒๅŽฟ':'ๅ—ๅนณๅธ‚', 'ๆตฆๅŸŽๅŽฟ':'ๅ—ๅนณๅธ‚', 'ๅ…‰ๆณฝๅŽฟ':'ๅ—ๅนณๅธ‚', 'ๆพๆบชๅŽฟ':'ๅ—ๅนณๅธ‚', 'ๆ”ฟๅ’ŒๅŽฟ':'ๅ—ๅนณๅธ‚', '้‚ตๆญฆๅธ‚':'ๅ—ๅนณๅธ‚', 'ๆญฆๅคทๅฑฑๅธ‚':'ๅ—ๅนณๅธ‚', 'ๅปบ็“ฏๅธ‚':'ๅ—ๅนณๅธ‚', 'ๅปบ้˜ณๅธ‚':'ๅ—ๅนณๅธ‚', 'ๅธ‚่พ–ๅŒบ':'้พ™ๅฒฉๅธ‚', 'ๆ–ฐ็ฝ—ๅŒบ':'้พ™ๅฒฉๅธ‚', '้•ฟๆฑ€ๅŽฟ':'้พ™ๅฒฉๅธ‚', 'ๆฐธๅฎšๅŽฟ':'้พ™ๅฒฉๅธ‚', 'ไธŠๆญๅŽฟ':'้พ™ๅฒฉๅธ‚', 'ๆญฆๅนณๅŽฟ':'้พ™ๅฒฉๅธ‚', '่ฟžๅŸŽๅŽฟ':'้พ™ๅฒฉๅธ‚', 'ๆผณๅนณๅธ‚':'้พ™ๅฒฉๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅฎๅพทๅธ‚', '่•‰ๅŸŽๅŒบ':'ๅฎๅพทๅธ‚', '้œžๆตฆๅŽฟ':'ๅฎๅพทๅธ‚', 'ๅค็”ฐๅŽฟ':'ๅฎๅพทๅธ‚', 'ๅฑๅ—ๅŽฟ':'ๅฎๅพทๅธ‚', 'ๅฏฟๅฎๅŽฟ':'ๅฎๅพทๅธ‚', 'ๅ‘จๅฎๅŽฟ':'ๅฎๅพทๅธ‚', 'ๆŸ˜่ฃๅŽฟ':'ๅฎๅพทๅธ‚', '็ฆๅฎ‰ๅธ‚':'ๅฎๅพทๅธ‚', '็ฆ้ผŽๅธ‚':'ๅฎๅพทๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅ—ๆ˜Œๅธ‚', 'ไธœๆน–ๅŒบ':'ๅ—ๆ˜Œๅธ‚', '่ฅฟๆน–ๅŒบ':'ๅ—ๆ˜Œๅธ‚', '้’ไบ‘่ฐฑๅŒบ':'ๅ—ๆ˜Œๅธ‚', 'ๆนพ้‡ŒๅŒบ':'ๅ—ๆ˜Œๅธ‚', '้’ๅฑฑๆน–ๅŒบ':'ๅ—ๆ˜Œๅธ‚', 'ๅ—ๆ˜ŒๅŽฟ':'ๅ—ๆ˜Œๅธ‚', 'ๆ–ฐๅปบๅŽฟ':'ๅ—ๆ˜Œๅธ‚', 'ๅฎ‰ไน‰ๅŽฟ':'ๅ—ๆ˜Œๅธ‚', '่ฟ›่ดคๅŽฟ':'ๅ—ๆ˜Œๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆ™ฏๅพท้•‡ๅธ‚', 'ๆ˜ŒๆฑŸๅŒบ':'ๆ™ฏๅพท้•‡ๅธ‚', '็ ๅฑฑๅŒบ':'ๆ™ฏๅพท้•‡ๅธ‚', 'ๆตฎๆขๅŽฟ':'ๆ™ฏๅพท้•‡ๅธ‚', 'ไนๅนณๅธ‚':'ๆ™ฏๅพท้•‡ๅธ‚', 'ๅธ‚่พ–ๅŒบ':'่ไนกๅธ‚', 'ๅฎ‰ๆบๅŒบ':'่ไนกๅธ‚', 'ๆน˜ไธœๅŒบ':'่ไนกๅธ‚', '่Žฒ่ŠฑๅŽฟ':'่ไนกๅธ‚', 'ไธŠๆ —ๅŽฟ':'่ไนกๅธ‚', '่ŠฆๆบชๅŽฟ':'่ไนกๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ไนๆฑŸๅธ‚', 'ๅบๅฑฑๅŒบ':'ไนๆฑŸๅธ‚', 'ๆต”้˜ณๅŒบ':'ไนๆฑŸๅธ‚', 'ไนๆฑŸๅŽฟ':'ไนๆฑŸๅธ‚', 'ๆญฆๅฎๅŽฟ':'ไนๆฑŸๅธ‚', 'ไฟฎๆฐดๅŽฟ':'ไนๆฑŸๅธ‚', 'ๆฐธไฟฎๅŽฟ':'ไนๆฑŸๅธ‚', 'ๅพทๅฎ‰ๅŽฟ':'ไนๆฑŸๅธ‚', 'ๆ˜ŸๅญๅŽฟ':'ไนๆฑŸๅธ‚', '้ƒฝๆ˜ŒๅŽฟ':'ไนๆฑŸๅธ‚', 'ๆน–ๅฃๅŽฟ':'ไนๆฑŸๅธ‚', 'ๅฝญๆณฝๅŽฟ':'ไนๆฑŸๅธ‚', '็‘žๆ˜Œๅธ‚':'ไนๆฑŸๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆ–ฐไฝ™ๅธ‚', 'ๆธๆฐดๅŒบ':'ๆ–ฐไฝ™ๅธ‚', 'ๅˆ†ๅฎœๅŽฟ':'ๆ–ฐไฝ™ๅธ‚', 'ๅธ‚่พ–ๅŒบ':'้นฐๆฝญๅธ‚', 'ๆœˆๆน–ๅŒบ':'้นฐๆฝญๅธ‚', 'ไฝ™ๆฑŸๅŽฟ':'้นฐๆฝญๅธ‚', '่ดตๆบชๅธ‚':'้นฐๆฝญๅธ‚', 'ๅธ‚่พ–ๅŒบ':'่ตฃๅทžๅธ‚', '็ซ ่ดกๅŒบ':'่ตฃๅทžๅธ‚', '่ตฃๅŽฟ':'่ตฃๅทžๅธ‚', 'ไฟกไธฐๅŽฟ':'่ตฃๅทžๅธ‚', 'ๅคงไฝ™ๅŽฟ':'่ตฃๅทžๅธ‚', 'ไธŠ็ŠนๅŽฟ':'่ตฃๅทžๅธ‚', 'ๅด‡ไน‰ๅŽฟ':'่ตฃๅทžๅธ‚', 'ๅฎ‰่ฟœๅŽฟ':'่ตฃๅทžๅธ‚', '้พ™ๅ—ๅŽฟ':'่ตฃๅทžๅธ‚', 'ๅฎšๅ—ๅŽฟ':'่ตฃๅทžๅธ‚', 'ๅ…จๅ—ๅŽฟ':'่ตฃๅทžๅธ‚', 'ๅฎ้ƒฝๅŽฟ':'่ตฃๅทžๅธ‚', 'ไบŽ้ƒฝๅŽฟ':'่ตฃๅทžๅธ‚', 'ๅ…ดๅ›ฝๅŽฟ':'่ตฃๅทžๅธ‚', 'ไผšๆ˜ŒๅŽฟ':'่ตฃๅทžๅธ‚', 'ๅฏปไนŒๅŽฟ':'่ตฃๅทžๅธ‚', '็ŸณๅŸŽๅŽฟ':'่ตฃๅทžๅธ‚', '็‘ž้‡‘ๅธ‚':'่ตฃๅทžๅธ‚', 'ๅ—ๅบทๅธ‚':'่ตฃๅทžๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅ‰ๅฎ‰ๅธ‚', 'ๅ‰ๅทžๅŒบ':'ๅ‰ๅฎ‰ๅธ‚', '้’ๅŽŸๅŒบ':'ๅ‰ๅฎ‰ๅธ‚', 'ๅ‰ๅฎ‰ๅŽฟ':'ๅ‰ๅฎ‰ๅธ‚', 'ๅ‰ๆฐดๅŽฟ':'ๅ‰ๅฎ‰ๅธ‚', 'ๅณกๆฑŸๅŽฟ':'ๅ‰ๅฎ‰ๅธ‚', 'ๆ–ฐๅนฒๅŽฟ':'ๅ‰ๅฎ‰ๅธ‚', 'ๆฐธไธฐๅŽฟ':'ๅ‰ๅฎ‰ๅธ‚', 'ๆณฐๅ’ŒๅŽฟ':'ๅ‰ๅฎ‰ๅธ‚', '้‚ๅทๅŽฟ':'ๅ‰ๅฎ‰ๅธ‚', 'ไธ‡ๅฎ‰ๅŽฟ':'ๅ‰ๅฎ‰ๅธ‚', 'ๅฎ‰็ฆๅŽฟ':'ๅ‰ๅฎ‰ๅธ‚', 'ๆฐธๆ–ฐๅŽฟ':'ๅ‰ๅฎ‰ๅธ‚', 'ไบ•ๅ†ˆๅฑฑๅธ‚':'ๅ‰ๅฎ‰ๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅฎœๆ˜ฅๅธ‚', '่ขๅทžๅŒบ':'ๅฎœๆ˜ฅๅธ‚', 'ๅฅ‰ๆ–ฐๅŽฟ':'ๅฎœๆ˜ฅๅธ‚', 'ไธ‡่ฝฝๅŽฟ':'ๅฎœๆ˜ฅๅธ‚', 'ไธŠ้ซ˜ๅŽฟ':'ๅฎœๆ˜ฅๅธ‚', 'ๅฎœไธฐๅŽฟ':'ๅฎœๆ˜ฅๅธ‚', '้–ๅฎ‰ๅŽฟ':'ๅฎœๆ˜ฅๅธ‚', '้“œ้ผ“ๅŽฟ':'ๅฎœๆ˜ฅๅธ‚', 'ไธฐๅŸŽๅธ‚':'ๅฎœๆ˜ฅๅธ‚', 'ๆจŸๆ ‘ๅธ‚':'ๅฎœๆ˜ฅๅธ‚', '้ซ˜ๅฎ‰ๅธ‚':'ๅฎœๆ˜ฅๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆŠšๅทžๅธ‚', 'ไธดๅทๅŒบ':'ๆŠšๅทžๅธ‚', 'ๅ—ๅŸŽๅŽฟ':'ๆŠšๅทžๅธ‚', '้ปŽๅทๅŽฟ':'ๆŠšๅทžๅธ‚', 'ๅ—ไธฐๅŽฟ':'ๆŠšๅทžๅธ‚', 'ๅด‡ไปๅŽฟ':'ๆŠšๅทžๅธ‚', 'ไนๅฎ‰ๅŽฟ':'ๆŠšๅทžๅธ‚', 'ๅฎœ้ป„ๅŽฟ':'ๆŠšๅทžๅธ‚', '้‡‘ๆบชๅŽฟ':'ๆŠšๅทžๅธ‚', '่ต„ๆบชๅŽฟ':'ๆŠšๅทžๅธ‚', 'ไธœไนกๅŽฟ':'ๆŠšๅทžๅธ‚', 'ๅนฟๆ˜ŒๅŽฟ':'ๆŠšๅทžๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ไธŠ้ฅถๅธ‚', 'ไฟกๅทžๅŒบ':'ไธŠ้ฅถๅธ‚', 'ไธŠ้ฅถๅŽฟ':'ไธŠ้ฅถๅธ‚', 'ๅนฟไธฐๅŽฟ':'ไธŠ้ฅถๅธ‚', '็މๅฑฑๅŽฟ':'ไธŠ้ฅถๅธ‚', '้“…ๅฑฑๅŽฟ':'ไธŠ้ฅถๅธ‚', 'ๆจชๅณฐๅŽฟ':'ไธŠ้ฅถๅธ‚', 'ๅผ‹้˜ณๅŽฟ':'ไธŠ้ฅถๅธ‚', 'ไฝ™ๅนฒๅŽฟ':'ไธŠ้ฅถๅธ‚', '้„ฑ้˜ณๅŽฟ':'ไธŠ้ฅถๅธ‚', 'ไธ‡ๅนดๅŽฟ':'ไธŠ้ฅถๅธ‚', 'ๅฉบๆบๅŽฟ':'ไธŠ้ฅถๅธ‚', 'ๅพทๅ…ดๅธ‚':'ไธŠ้ฅถๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆตŽๅ—ๅธ‚', 'ๅކไธ‹ๅŒบ':'ๆตŽๅ—ๅธ‚', 'ๅธ‚ไธญๅŒบ':'ๆตŽๅ—ๅธ‚', 'ๆง่ซๅŒบ':'ๆตŽๅ—ๅธ‚', 'ๅคฉๆกฅๅŒบ':'ๆตŽๅ—ๅธ‚', 'ๅކๅŸŽๅŒบ':'ๆตŽๅ—ๅธ‚', '้•ฟๆธ…ๅŒบ':'ๆตŽๅ—ๅธ‚', 'ๅนณ้˜ดๅŽฟ':'ๆตŽๅ—ๅธ‚', 'ๆตŽ้˜ณๅŽฟ':'ๆตŽๅ—ๅธ‚', 'ๅ•†ๆฒณๅŽฟ':'ๆตŽๅ—ๅธ‚', '็ซ ไธ˜ๅธ‚':'ๆตŽๅ—ๅธ‚', 'ๅธ‚่พ–ๅŒบ':'้’ๅฒ›ๅธ‚', 'ๅธ‚ๅ—ๅŒบ':'้’ๅฒ›ๅธ‚', 'ๅธ‚ๅŒ—ๅŒบ':'้’ๅฒ›ๅธ‚', 'ๅ››ๆ–นๅŒบ':'้’ๅฒ›ๅธ‚', '้ป„ๅฒ›ๅŒบ':'้’ๅฒ›ๅธ‚', 'ๅด‚ๅฑฑๅŒบ':'้’ๅฒ›ๅธ‚', 'ๆŽๆฒงๅŒบ':'้’ๅฒ›ๅธ‚', 'ๅŸŽ้˜ณๅŒบ':'้’ๅฒ›ๅธ‚', '่ƒถๅทžๅธ‚':'้’ๅฒ›ๅธ‚', 'ๅณๅขจๅธ‚':'้’ๅฒ›ๅธ‚', 'ๅนณๅบฆๅธ‚':'้’ๅฒ›ๅธ‚', '่ƒถๅ—ๅธ‚':'้’ๅฒ›ๅธ‚', '่Žฑ่ฅฟๅธ‚':'้’ๅฒ›ๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆท„ๅšๅธ‚', 'ๆท„ๅทๅŒบ':'ๆท„ๅšๅธ‚', 'ๅผ ๅบ—ๅŒบ':'ๆท„ๅšๅธ‚', 'ๅšๅฑฑๅŒบ':'ๆท„ๅšๅธ‚', 'ไธดๆท„ๅŒบ':'ๆท„ๅšๅธ‚', 'ๅ‘จๆ‘ๅŒบ':'ๆท„ๅšๅธ‚', 'ๆก“ๅฐๅŽฟ':'ๆท„ๅšๅธ‚', '้ซ˜้’ๅŽฟ':'ๆท„ๅšๅธ‚', 'ๆฒ‚ๆบๅŽฟ':'ๆท„ๅšๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆžฃๅบ„ๅธ‚', 'ๅธ‚ไธญๅŒบ':'ๆžฃๅบ„ๅธ‚', '่–›ๅŸŽๅŒบ':'ๆžฃๅบ„ๅธ‚', 'ๅณ„ๅŸŽๅŒบ':'ๆžฃๅบ„ๅธ‚', 'ๅฐๅ„ฟๅบ„ๅŒบ':'ๆžฃๅบ„ๅธ‚', 'ๅฑฑไบญๅŒบ':'ๆžฃๅบ„ๅธ‚', 'ๆป•ๅทžๅธ‚':'ๆžฃๅบ„ๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ไธœ่ฅๅธ‚', 'ไธœ่ฅๅŒบ':'ไธœ่ฅๅธ‚', 'ๆฒณๅฃๅŒบ':'ไธœ่ฅๅธ‚', 'ๅžฆๅˆฉๅŽฟ':'ไธœ่ฅๅธ‚', 'ๅˆฉๆดฅๅŽฟ':'ไธœ่ฅๅธ‚', 'ๅนฟ้ฅถๅŽฟ':'ไธœ่ฅๅธ‚', 'ๅธ‚่พ–ๅŒบ':'็ƒŸๅฐๅธ‚', '่Š็ฝ˜ๅŒบ':'็ƒŸๅฐๅธ‚', '็ฆๅฑฑๅŒบ':'็ƒŸๅฐๅธ‚', '็‰ŸๅนณๅŒบ':'็ƒŸๅฐๅธ‚', '่ŽฑๅฑฑๅŒบ':'็ƒŸๅฐๅธ‚', '้•ฟๅฒ›ๅŽฟ':'็ƒŸๅฐๅธ‚', '้พ™ๅฃๅธ‚':'็ƒŸๅฐๅธ‚', '่Žฑ้˜ณๅธ‚':'็ƒŸๅฐๅธ‚', '่Žฑๅทžๅธ‚':'็ƒŸๅฐๅธ‚', '่“ฌ่Žฑๅธ‚':'็ƒŸๅฐๅธ‚', 'ๆ‹›่ฟœๅธ‚':'็ƒŸๅฐๅธ‚', 'ๆ –้œžๅธ‚':'็ƒŸๅฐๅธ‚', 'ๆตท้˜ณๅธ‚':'็ƒŸๅฐๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆฝๅŠๅธ‚', 'ๆฝๅŸŽๅŒบ':'ๆฝๅŠๅธ‚', 'ๅฏ’ไบญๅŒบ':'ๆฝๅŠๅธ‚', 'ๅŠๅญๅŒบ':'ๆฝๅŠๅธ‚', 'ๅฅŽๆ–‡ๅŒบ':'ๆฝๅŠๅธ‚', 'ไธดๆœๅŽฟ':'ๆฝๅŠๅธ‚', 'ๆ˜ŒไนๅŽฟ':'ๆฝๅŠๅธ‚', '้’ๅทžๅธ‚':'ๆฝๅŠๅธ‚', '่ฏธๅŸŽๅธ‚':'ๆฝๅŠๅธ‚', 'ๅฏฟๅ…‰ๅธ‚':'ๆฝๅŠๅธ‚', 'ๅฎ‰ไธ˜ๅธ‚':'ๆฝๅŠๅธ‚', '้ซ˜ๅฏ†ๅธ‚':'ๆฝๅŠๅธ‚', 'ๆ˜Œ้‚‘ๅธ‚':'ๆฝๅŠๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆตŽๅฎๅธ‚', 'ๅธ‚ไธญๅŒบ':'ๆตŽๅฎๅธ‚', 'ไปปๅŸŽๅŒบ':'ๆตŽๅฎๅธ‚', 'ๅพฎๅฑฑๅŽฟ':'ๆตŽๅฎๅธ‚', '้ฑผๅฐๅŽฟ':'ๆตŽๅฎๅธ‚', '้‡‘ไนกๅŽฟ':'ๆตŽๅฎๅธ‚', 'ๅ˜‰็ฅฅๅŽฟ':'ๆตŽๅฎๅธ‚', 'ๆฑถไธŠๅŽฟ':'ๆตŽๅฎๅธ‚', 'ๆณ—ๆฐดๅŽฟ':'ๆตŽๅฎๅธ‚', 'ๆขๅฑฑๅŽฟ':'ๆตŽๅฎๅธ‚', 'ๆ›ฒ้˜œๅธ‚':'ๆตŽๅฎๅธ‚', 'ๅ…–ๅทžๅธ‚':'ๆตŽๅฎๅธ‚', '้‚นๅŸŽๅธ‚':'ๆตŽๅฎๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆณฐๅฎ‰ๅธ‚', 'ๆณฐๅฑฑๅŒบ':'ๆณฐๅฎ‰ๅธ‚', 'ๅฒฑๅฒณๅŒบ':'ๆณฐๅฎ‰ๅธ‚', 'ๅฎ้˜ณๅŽฟ':'ๆณฐๅฎ‰ๅธ‚', 'ไธœๅนณๅŽฟ':'ๆณฐๅฎ‰ๅธ‚', 'ๆ–ฐๆณฐๅธ‚':'ๆณฐๅฎ‰ๅธ‚', '่‚ฅๅŸŽๅธ‚':'ๆณฐๅฎ‰ๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅจๆตทๅธ‚', '็Žฏ็ฟ ๅŒบ':'ๅจๆตทๅธ‚', 'ๆ–‡็™ปๅธ‚':'ๅจๆตทๅธ‚', '่ฃๆˆๅธ‚':'ๅจๆตทๅธ‚', 'ไนณๅฑฑๅธ‚':'ๅจๆตทๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆ—ฅ็…งๅธ‚', 'ไธœๆธฏๅŒบ':'ๆ—ฅ็…งๅธ‚', 'ๅฒšๅฑฑๅŒบ':'ๆ—ฅ็…งๅธ‚', 'ไบ”่ŽฒๅŽฟ':'ๆ—ฅ็…งๅธ‚', '่Ž’ๅŽฟ':'ๆ—ฅ็…งๅธ‚', 'ๅธ‚่พ–ๅŒบ':'่Žฑ่Šœๅธ‚', '่ŽฑๅŸŽๅŒบ':'่Žฑ่Šœๅธ‚', '้’ขๅŸŽๅŒบ':'่Žฑ่Šœๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ไธดๆฒ‚ๅธ‚', 'ๅ…ฐๅฑฑๅŒบ':'ไธดๆฒ‚ๅธ‚', '็ฝ—ๅบ„ๅŒบ':'ไธดๆฒ‚ๅธ‚', 'ๆฒณไธœๅŒบ':'ไธดๆฒ‚ๅธ‚', 'ๆฒ‚ๅ—ๅŽฟ':'ไธดๆฒ‚ๅธ‚', '้ƒฏๅŸŽๅŽฟ':'ไธดๆฒ‚ๅธ‚', 'ๆฒ‚ๆฐดๅŽฟ':'ไธดๆฒ‚ๅธ‚', '่‹ๅฑฑๅŽฟ':'ไธดๆฒ‚ๅธ‚', '่ดนๅŽฟ':'ไธดๆฒ‚ๅธ‚', 'ๅนณ้‚‘ๅŽฟ':'ไธดๆฒ‚ๅธ‚', '่Ž’ๅ—ๅŽฟ':'ไธดๆฒ‚ๅธ‚', '่’™้˜ดๅŽฟ':'ไธดๆฒ‚ๅธ‚', 'ไธดๆฒญๅŽฟ':'ไธดๆฒ‚ๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅพทๅทžๅธ‚', 'ๅพทๅŸŽๅŒบ':'ๅพทๅทžๅธ‚', '้™ตๅŽฟ':'ๅพทๅทžๅธ‚', 'ๅฎๆดฅๅŽฟ':'ๅพทๅทžๅธ‚', 'ๅบ†ไบ‘ๅŽฟ':'ๅพทๅทžๅธ‚', 'ไธด้‚‘ๅŽฟ':'ๅพทๅทžๅธ‚', '้ฝๆฒณๅŽฟ':'ๅพทๅทžๅธ‚', 'ๅนณๅŽŸๅŽฟ':'ๅพทๅทžๅธ‚', 'ๅคๆดฅๅŽฟ':'ๅพทๅทžๅธ‚', 'ๆญฆๅŸŽๅŽฟ':'ๅพทๅทžๅธ‚', 'ไน้™ตๅธ‚':'ๅพทๅทžๅธ‚', '็ฆนๅŸŽๅธ‚':'ๅพทๅทžๅธ‚', 'ๅธ‚่พ–ๅŒบ':'่ŠๅŸŽๅธ‚', 'ไธœๆ˜ŒๅบœๅŒบ':'่ŠๅŸŽๅธ‚', '้˜ณ่ฐทๅŽฟ':'่ŠๅŸŽๅธ‚', '่Ž˜ๅŽฟ':'่ŠๅŸŽๅธ‚', '่ŒŒๅนณๅŽฟ':'่ŠๅŸŽๅธ‚', 'ไธœ้˜ฟๅŽฟ':'่ŠๅŸŽๅธ‚', 'ๅ† ๅŽฟ':'่ŠๅŸŽๅธ‚', '้ซ˜ๅ”ๅŽฟ':'่ŠๅŸŽๅธ‚', 'ไธดๆธ…ๅธ‚':'่ŠๅŸŽๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆปจๅทžๅธ‚', 'ๆปจๅŸŽๅŒบ':'ๆปจๅทžๅธ‚', 'ๆƒ ๆฐ‘ๅŽฟ':'ๆปจๅทžๅธ‚', '้˜ณไฟกๅŽฟ':'ๆปจๅทžๅธ‚', 'ๆ— ๆฃฃๅŽฟ':'ๆปจๅทžๅธ‚', 'ๆฒพๅŒ–ๅŽฟ':'ๆปจๅทžๅธ‚', 'ๅšๅ…ดๅŽฟ':'ๆปจๅทžๅธ‚', '้‚นๅนณๅŽฟ':'ๆปจๅทžๅธ‚', 'ๅธ‚่พ–ๅŒบ':'่ทๆณฝๅธ‚', '็‰กไธนๅŒบ':'่ทๆณฝๅธ‚', 'ๆ›นๅŽฟ':'่ทๆณฝๅธ‚', 'ๅ•ๅŽฟ':'่ทๆณฝๅธ‚', 'ๆˆๆญฆๅŽฟ':'่ทๆณฝๅธ‚', 'ๅทจ้‡ŽๅŽฟ':'่ทๆณฝๅธ‚', '้ƒ“ๅŸŽๅŽฟ':'่ทๆณฝๅธ‚', '้„„ๅŸŽๅŽฟ':'่ทๆณฝๅธ‚', 'ๅฎš้™ถๅŽฟ':'่ทๆณฝๅธ‚', 'ไธœๆ˜ŽๅŽฟ':'่ทๆณฝๅธ‚', 'ๅธ‚่พ–ๅŒบ':'้ƒ‘ๅทžๅธ‚', 'ไธญๅŽŸๅŒบ':'้ƒ‘ๅทžๅธ‚', 'ไบŒไธƒๅŒบ':'้ƒ‘ๅทžๅธ‚', '็ฎกๅŸŽๅ›žๆ—ๅŒบ':'้ƒ‘ๅทžๅธ‚', '้‡‘ๆฐดๅŒบ':'้ƒ‘ๅทžๅธ‚', 'ไธŠ่ก—ๅŒบ':'้ƒ‘ๅทžๅธ‚', '้‚™ๅฑฑๅŒบ':'้ƒ‘ๅทžๅธ‚', 'ไธญ็‰ŸๅŽฟ':'้ƒ‘ๅทžๅธ‚', 'ๅทฉไน‰ๅธ‚':'้ƒ‘ๅทžๅธ‚', '่ฅ้˜ณๅธ‚':'้ƒ‘ๅทžๅธ‚', 'ๆ–ฐๅฏ†ๅธ‚':'้ƒ‘ๅทžๅธ‚', 'ๆ–ฐ้ƒ‘ๅธ‚':'้ƒ‘ๅทžๅธ‚', '็™ปๅฐๅธ‚':'้ƒ‘ๅทžๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅผ€ๅฐๅธ‚', '้พ™ไบญๅŒบ':'ๅผ€ๅฐๅธ‚', '้กบๆฒณๅ›žๆ—ๅŒบ':'ๅผ€ๅฐๅธ‚', '้ผ“ๆฅผๅŒบ':'ๅผ€ๅฐๅธ‚', 'ๅ—ๅ…ณๅŒบ':'ๅผ€ๅฐๅธ‚', '้ƒŠๅŒบ':'ๅผ€ๅฐๅธ‚', 'ๆžๅŽฟ':'ๅผ€ๅฐๅธ‚', '้€š่ฎธๅŽฟ':'ๅผ€ๅฐๅธ‚', 'ๅฐ‰ๆฐๅŽฟ':'ๅผ€ๅฐๅธ‚', 'ๅผ€ๅฐๅŽฟ':'ๅผ€ๅฐๅธ‚', 'ๅ…ฐ่€ƒๅŽฟ':'ๅผ€ๅฐๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆด›้˜ณๅธ‚', '่€ๅŸŽๅŒบ':'ๆด›้˜ณๅธ‚', '่ฅฟๅทฅๅŒบ':'ๆด›้˜ณๅธ‚', 'ๅป›ๆฒณๅ›žๆ—ๅŒบ':'ๆด›้˜ณๅธ‚', 'ๆถง่ฅฟๅŒบ':'ๆด›้˜ณๅธ‚', 'ๅ‰ๅˆฉๅŒบ':'ๆด›้˜ณๅธ‚', 'ๆด›้พ™ๅŒบ':'ๆด›้˜ณๅธ‚', 'ๅญŸๆดฅๅŽฟ':'ๆด›้˜ณๅธ‚', 'ๆ–ฐๅฎ‰ๅŽฟ':'ๆด›้˜ณๅธ‚', 'ๆ พๅทๅŽฟ':'ๆด›้˜ณๅธ‚', 'ๅตฉๅŽฟ':'ๆด›้˜ณๅธ‚', 'ๆฑ้˜ณๅŽฟ':'ๆด›้˜ณๅธ‚', 'ๅฎœ้˜ณๅŽฟ':'ๆด›้˜ณๅธ‚', 'ๆด›ๅฎๅŽฟ':'ๆด›้˜ณๅธ‚', 'ไผŠๅทๅŽฟ':'ๆด›้˜ณๅธ‚', 'ๅƒๅธˆๅธ‚':'ๆด›้˜ณๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅนณ้กถๅฑฑๅธ‚', 'ๆ–ฐๅŽๅŒบ':'ๅนณ้กถๅฑฑๅธ‚', 'ๅซไธœๅŒบ':'ๅนณ้กถๅฑฑๅธ‚', '็Ÿณ้พ™ๅŒบ':'ๅนณ้กถๅฑฑๅธ‚', 'ๆน›ๆฒณๅŒบ':'ๅนณ้กถๅฑฑๅธ‚', 'ๅฎไธฐๅŽฟ':'ๅนณ้กถๅฑฑๅธ‚', 'ๅถๅŽฟ':'ๅนณ้กถๅฑฑๅธ‚', '้ฒๅฑฑๅŽฟ':'ๅนณ้กถๅฑฑๅธ‚', '้ƒๅŽฟ':'ๅนณ้กถๅฑฑๅธ‚', '่ˆž้’ขๅธ‚':'ๅนณ้กถๅฑฑๅธ‚', 'ๆฑๅทžๅธ‚':'ๅนณ้กถๅฑฑๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅฎ‰้˜ณๅธ‚', 'ๆ–‡ๅณฐๅŒบ':'ๅฎ‰้˜ณๅธ‚', 'ๅŒ—ๅ…ณๅŒบ':'ๅฎ‰้˜ณๅธ‚', 'ๆฎท้ƒฝๅŒบ':'ๅฎ‰้˜ณๅธ‚', '้พ™ๅฎ‰ๅŒบ':'ๅฎ‰้˜ณๅธ‚', 'ๅฎ‰้˜ณๅŽฟ':'ๅฎ‰้˜ณๅธ‚', 'ๆฑค้˜ดๅŽฟ':'ๅฎ‰้˜ณๅธ‚', 'ๆป‘ๅŽฟ':'ๅฎ‰้˜ณๅธ‚', 'ๅ†…้ป„ๅŽฟ':'ๅฎ‰้˜ณๅธ‚', 'ๆž—ๅทžๅธ‚':'ๅฎ‰้˜ณๅธ‚', 'ๅธ‚่พ–ๅŒบ':'้นคๅฃๅธ‚', '้นคๅฑฑๅŒบ':'้นคๅฃๅธ‚', 'ๅฑฑๅŸŽๅŒบ':'้นคๅฃๅธ‚', 'ๆท‡ๆปจๅŒบ':'้นคๅฃๅธ‚', 'ๆตšๅŽฟ':'้นคๅฃๅธ‚', 'ๆท‡ๅŽฟ':'้นคๅฃๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆ–ฐไนกๅธ‚', '็บขๆ——ๅŒบ':'ๆ–ฐไนกๅธ‚', 'ๅซๆปจๅŒบ':'ๆ–ฐไนกๅธ‚', 'ๅ‡คๆณ‰ๅŒบ':'ๆ–ฐไนกๅธ‚', '็‰ง้‡ŽๅŒบ':'ๆ–ฐไนกๅธ‚', 'ๆ–ฐไนกๅŽฟ':'ๆ–ฐไนกๅธ‚', '่Žทๅ˜‰ๅŽฟ':'ๆ–ฐไนกๅธ‚', 'ๅŽŸ้˜ณๅŽฟ':'ๆ–ฐไนกๅธ‚', 'ๅปถๆดฅๅŽฟ':'ๆ–ฐไนกๅธ‚', 'ๅฐไธ˜ๅŽฟ':'ๆ–ฐไนกๅธ‚', '้•ฟๅžฃๅŽฟ':'ๆ–ฐไนกๅธ‚', 'ๅซ่พ‰ๅธ‚':'ๆ–ฐไนกๅธ‚', '่พ‰ๅŽฟๅธ‚':'ๆ–ฐไนกๅธ‚', 'ๅธ‚่พ–ๅŒบ':'็„ฆไฝœๅธ‚', '่งฃๆ”พๅŒบ':'็„ฆไฝœๅธ‚', 'ไธญ็ซ™ๅŒบ':'็„ฆไฝœๅธ‚', '้ฉฌๆ‘ๅŒบ':'็„ฆไฝœๅธ‚', 'ๅฑฑ้˜ณๅŒบ':'็„ฆไฝœๅธ‚', 'ไฟฎๆญฆๅŽฟ':'็„ฆไฝœๅธ‚', 'ๅš็ˆฑๅŽฟ':'็„ฆไฝœๅธ‚', 'ๆญฆ้™ŸๅŽฟ':'็„ฆไฝœๅธ‚', 'ๆธฉๅŽฟ':'็„ฆไฝœๅธ‚', 'ๆตŽๆบๅธ‚':'็„ฆไฝœๅธ‚', 'ๆฒ้˜ณๅธ‚':'็„ฆไฝœๅธ‚', 'ๅญŸๅทžๅธ‚':'็„ฆไฝœๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆฟฎ้˜ณๅธ‚', 'ๅŽ้พ™ๅŒบ':'ๆฟฎ้˜ณๅธ‚', 'ๆธ…ไธฐๅŽฟ':'ๆฟฎ้˜ณๅธ‚', 'ๅ—ไนๅŽฟ':'ๆฟฎ้˜ณๅธ‚', '่ŒƒๅŽฟ':'ๆฟฎ้˜ณๅธ‚', 'ๅฐๅ‰ๅŽฟ':'ๆฟฎ้˜ณๅธ‚', 'ๆฟฎ้˜ณๅŽฟ':'ๆฟฎ้˜ณๅธ‚', 'ๅธ‚่พ–ๅŒบ':'่ฎธๆ˜Œๅธ‚', '้ญ้ƒฝๅŒบ':'่ฎธๆ˜Œๅธ‚', '่ฎธๆ˜ŒๅŽฟ':'่ฎธๆ˜Œๅธ‚', '้„ข้™ตๅŽฟ':'่ฎธๆ˜Œๅธ‚', '่ฅ„ๅŸŽๅŽฟ':'่ฎธๆ˜Œๅธ‚', '็ฆนๅทžๅธ‚':'่ฎธๆ˜Œๅธ‚', '้•ฟ่‘›ๅธ‚':'่ฎธๆ˜Œๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆผฏๆฒณๅธ‚', 'ๆบๆฑ‡ๅŒบ':'ๆผฏๆฒณๅธ‚', '้ƒพๅŸŽๅŒบ':'ๆผฏๆฒณๅธ‚', 'ๅฌ้™ตๅŒบ':'ๆผฏๆฒณๅธ‚', '่ˆž้˜ณๅŽฟ':'ๆผฏๆฒณๅธ‚', 'ไธด้ขๅŽฟ':'ๆผฏๆฒณๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ไธ‰้—จๅณกๅธ‚', 'ๆน–ๆปจๅŒบ':'ไธ‰้—จๅณกๅธ‚', 'ๆธ‘ๆฑ ๅŽฟ':'ไธ‰้—จๅณกๅธ‚', '้™•ๅŽฟ':'ไธ‰้—จๅณกๅธ‚', 'ๅขๆฐๅŽฟ':'ไธ‰้—จๅณกๅธ‚', 'ไน‰้ฉฌๅธ‚':'ไธ‰้—จๅณกๅธ‚', '็ตๅฎๅธ‚':'ไธ‰้—จๅณกๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅ—้˜ณๅธ‚', 'ๅฎ›ๅŸŽๅŒบ':'ๅ—้˜ณๅธ‚', 'ๅง้พ™ๅŒบ':'ๅ—้˜ณๅธ‚', 'ๅ—ๅฌๅŽฟ':'ๅ—้˜ณๅธ‚', 'ๆ–นๅŸŽๅŽฟ':'ๅ—้˜ณๅธ‚', '่ฅฟๅณกๅŽฟ':'ๅ—้˜ณๅธ‚', '้•‡ๅนณๅŽฟ':'ๅ—้˜ณๅธ‚', 'ๅ†…ไนกๅŽฟ':'ๅ—้˜ณๅธ‚', 'ๆท…ๅทๅŽฟ':'ๅ—้˜ณๅธ‚', '็คพๆ——ๅŽฟ':'ๅ—้˜ณๅธ‚', 'ๅ”ๆฒณๅŽฟ':'ๅ—้˜ณๅธ‚', 'ๆ–ฐ้‡ŽๅŽฟ':'ๅ—้˜ณๅธ‚', 'ๆกๆŸๅŽฟ':'ๅ—้˜ณๅธ‚', '้‚“ๅทžๅธ‚':'ๅ—้˜ณๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅ•†ไธ˜ๅธ‚', 'ๆขๅ›ญๅŒบ':'ๅ•†ไธ˜ๅธ‚', '็ข้˜ณๅŒบ':'ๅ•†ไธ˜ๅธ‚', 'ๆฐ‘ๆƒๅŽฟ':'ๅ•†ไธ˜ๅธ‚', '็ขๅŽฟ':'ๅ•†ไธ˜ๅธ‚', 'ๅฎ้™ตๅŽฟ':'ๅ•†ไธ˜ๅธ‚', 'ๆŸ˜ๅŸŽๅŽฟ':'ๅ•†ไธ˜ๅธ‚', '่™žๅŸŽๅŽฟ':'ๅ•†ไธ˜ๅธ‚', 'ๅค้‚‘ๅŽฟ':'ๅ•†ไธ˜ๅธ‚', 'ๆฐธๅŸŽๅธ‚':'ๅ•†ไธ˜ๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ไฟก้˜ณๅธ‚', 'ๅธˆๆฒณๅŒบ':'ไฟก้˜ณๅธ‚', 'ๅนณๆกฅๅŒบ':'ไฟก้˜ณๅธ‚', '็ฝ—ๅฑฑๅŽฟ':'ไฟก้˜ณๅธ‚', 'ๅ…‰ๅฑฑๅŽฟ':'ไฟก้˜ณๅธ‚', 'ๆ–ฐๅŽฟ':'ไฟก้˜ณๅธ‚', 'ๅ•†ๅŸŽๅŽฟ':'ไฟก้˜ณๅธ‚', 'ๅ›บๅง‹ๅŽฟ':'ไฟก้˜ณๅธ‚', 'ๆฝขๅทๅŽฟ':'ไฟก้˜ณๅธ‚', 'ๆทฎๆปจๅŽฟ':'ไฟก้˜ณๅธ‚', 'ๆฏๅŽฟ':'ไฟก้˜ณๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅ‘จๅฃๅธ‚', 'ๅทๆฑ‡ๅŒบ':'ๅ‘จๅฃๅธ‚', 'ๆ‰ถๆฒŸๅŽฟ':'ๅ‘จๅฃๅธ‚', '่ฅฟๅŽๅŽฟ':'ๅ‘จๅฃๅธ‚', 'ๅ•†ๆฐดๅŽฟ':'ๅ‘จๅฃๅธ‚', 'ๆฒˆไธ˜ๅŽฟ':'ๅ‘จๅฃๅธ‚', '้ƒธๅŸŽๅŽฟ':'ๅ‘จๅฃๅธ‚', 'ๆทฎ้˜ณๅŽฟ':'ๅ‘จๅฃๅธ‚', 'ๅคชๅบทๅŽฟ':'ๅ‘จๅฃๅธ‚', '้นฟ้‚‘ๅŽฟ':'ๅ‘จๅฃๅธ‚', '้กนๅŸŽๅธ‚':'ๅ‘จๅฃๅธ‚', 'ๅธ‚่พ–ๅŒบ':'้ฉป้ฉฌๅบ—ๅธ‚', '้ฉฟๅŸŽๅŒบ':'้ฉป้ฉฌๅบ—ๅธ‚', '่ฅฟๅนณๅŽฟ':'้ฉป้ฉฌๅบ—ๅธ‚', 'ไธŠ่”กๅŽฟ':'้ฉป้ฉฌๅบ—ๅธ‚', 'ๅนณ่ˆ†ๅŽฟ':'้ฉป้ฉฌๅบ—ๅธ‚', 'ๆญฃ้˜ณๅŽฟ':'้ฉป้ฉฌๅบ—ๅธ‚', '็กฎๅฑฑๅŽฟ':'้ฉป้ฉฌๅบ—ๅธ‚', 'ๆณŒ้˜ณๅŽฟ':'้ฉป้ฉฌๅบ—ๅธ‚', 'ๆฑๅ—ๅŽฟ':'้ฉป้ฉฌๅบ—ๅธ‚', '้‚ๅนณๅŽฟ':'้ฉป้ฉฌๅบ—ๅธ‚', 'ๆ–ฐ่”กๅŽฟ':'้ฉป้ฉฌๅบ—ๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆญฆๆฑ‰ๅธ‚', 'ๆฑŸๅฒธๅŒบ':'ๆญฆๆฑ‰ๅธ‚', 'ๆฑŸๆฑ‰ๅŒบ':'ๆญฆๆฑ‰ๅธ‚', 'ไน”ๅฃๅŒบ':'ๆญฆๆฑ‰ๅธ‚', 'ๆฑ‰้˜ณๅŒบ':'ๆญฆๆฑ‰ๅธ‚', 'ๆญฆๆ˜ŒๅŒบ':'ๆญฆๆฑ‰ๅธ‚', '้’ๅฑฑๅŒบ':'ๆญฆๆฑ‰ๅธ‚', 'ๆดชๅฑฑๅŒบ':'ๆญฆๆฑ‰ๅธ‚', 'ไธœ่ฅฟๆน–ๅŒบ':'ๆญฆๆฑ‰ๅธ‚', 'ๆฑ‰ๅ—ๅŒบ':'ๆญฆๆฑ‰ๅธ‚', '่”ก็”ธๅŒบ':'ๆญฆๆฑ‰ๅธ‚', 'ๆฑŸๅคๅŒบ':'ๆญฆๆฑ‰ๅธ‚', '้ป„้™‚ๅŒบ':'ๆญฆๆฑ‰ๅธ‚', 'ๆ–ฐๆดฒๅŒบ':'ๆญฆๆฑ‰ๅธ‚', 'ๅธ‚่พ–ๅŒบ':'้ป„็Ÿณๅธ‚', '้ป„็ŸณๆธฏๅŒบ':'้ป„็Ÿณๅธ‚', '่ฅฟๅกžๅฑฑๅŒบ':'้ป„็Ÿณๅธ‚', 'ไธ‹้™†ๅŒบ':'้ป„็Ÿณๅธ‚', '้“ๅฑฑๅŒบ':'้ป„็Ÿณๅธ‚', '้˜ณๆ–ฐๅŽฟ':'้ป„็Ÿณๅธ‚', 'ๅคงๅ†ถๅธ‚':'้ป„็Ÿณๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅๅ ฐๅธ‚', '่Œ…็ฎญๅŒบ':'ๅๅ ฐๅธ‚', 'ๅผ ๆนพๅŒบ':'ๅๅ ฐๅธ‚', '้ƒงๅŽฟ':'ๅๅ ฐๅธ‚', '้ƒง่ฅฟๅŽฟ':'ๅๅ ฐๅธ‚', '็ซนๅฑฑๅŽฟ':'ๅๅ ฐๅธ‚', '็ซนๆบชๅŽฟ':'ๅๅ ฐๅธ‚', 'ๆˆฟๅŽฟ':'ๅๅ ฐๅธ‚', 'ไธนๆฑŸๅฃๅธ‚':'ๅๅ ฐๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅฎœๆ˜Œๅธ‚', '่ฅฟ้™ตๅŒบ':'ๅฎœๆ˜Œๅธ‚', 'ไผๅฎถๅฒ—ๅŒบ':'ๅฎœๆ˜Œๅธ‚', '็‚นๅ†›ๅŒบ':'ๅฎœๆ˜Œๅธ‚', '็Œ‡ไบญๅŒบ':'ๅฎœๆ˜Œๅธ‚', 'ๅคท้™ตๅŒบ':'ๅฎœๆ˜Œๅธ‚', '่ฟœๅฎ‰ๅŽฟ':'ๅฎœๆ˜Œๅธ‚', 'ๅ…ดๅฑฑๅŽฟ':'ๅฎœๆ˜Œๅธ‚', '็งญๅฝ’ๅŽฟ':'ๅฎœๆ˜Œๅธ‚', '้•ฟ้˜ณๅœŸๅฎถๆ—่‡ชๆฒปๅŽฟ':'ๅฎœๆ˜Œๅธ‚', 'ไบ”ๅณฐๅœŸๅฎถๆ—่‡ชๆฒปๅŽฟ':'ๅฎœๆ˜Œๅธ‚', 'ๅฎœ้ƒฝๅธ‚':'ๅฎœๆ˜Œๅธ‚', 'ๅฝ“้˜ณๅธ‚':'ๅฎœๆ˜Œๅธ‚', 'ๆžๆฑŸๅธ‚':'ๅฎœๆ˜Œๅธ‚', 'ๅธ‚่พ–ๅŒบ':'่ฅ„ๆจŠๅธ‚', '่ฅ„ๅŸŽๅŒบ':'่ฅ„ๆจŠๅธ‚', 'ๆจŠๅŸŽๅŒบ':'่ฅ„ๆจŠๅธ‚', '่ฅ„้˜ณๅŒบ':'่ฅ„ๆจŠๅธ‚', 'ๅ—ๆผณๅŽฟ':'่ฅ„ๆจŠๅธ‚', '่ฐทๅŸŽๅŽฟ':'่ฅ„ๆจŠๅธ‚', 'ไฟๅบทๅŽฟ':'่ฅ„ๆจŠๅธ‚', '่€ๆฒณๅฃๅธ‚':'่ฅ„ๆจŠๅธ‚', 'ๆžฃ้˜ณๅธ‚':'่ฅ„ๆจŠๅธ‚', 'ๅฎœๅŸŽๅธ‚':'่ฅ„ๆจŠๅธ‚', 'ๅธ‚่พ–ๅŒบ':'้„‚ๅทžๅธ‚', 'ๆขๅญๆน–ๅŒบ':'้„‚ๅทžๅธ‚', 'ๅŽๅฎนๅŒบ':'้„‚ๅทžๅธ‚', '้„‚ๅŸŽๅŒบ':'้„‚ๅทžๅธ‚', 'ๅธ‚่พ–ๅŒบ':'่†้—จๅธ‚', 'ไธœๅฎๅŒบ':'่†้—จๅธ‚', 'ๆއๅˆ€ๅŒบ':'่†้—จๅธ‚', 'ไบฌๅฑฑๅŽฟ':'่†้—จๅธ‚', 'ๆฒ™ๆด‹ๅŽฟ':'่†้—จๅธ‚', '้’Ÿ็ฅฅๅธ‚':'่†้—จๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅญๆ„Ÿๅธ‚', 'ๅญๅ—ๅŒบ':'ๅญๆ„Ÿๅธ‚', 'ๅญๆ˜ŒๅŽฟ':'ๅญๆ„Ÿๅธ‚', 'ๅคงๆ‚ŸๅŽฟ':'ๅญๆ„Ÿๅธ‚', 'ไบ‘ๆขฆๅŽฟ':'ๅญๆ„Ÿๅธ‚', 'ๅบ”ๅŸŽๅธ‚':'ๅญๆ„Ÿๅธ‚', 'ๅฎ‰้™†ๅธ‚':'ๅญๆ„Ÿๅธ‚', 'ๆฑ‰ๅทๅธ‚':'ๅญๆ„Ÿๅธ‚', 'ๅธ‚่พ–ๅŒบ':'่†ๅทžๅธ‚', 'ๆฒ™ๅธ‚ๅŒบ':'่†ๅทžๅธ‚', '่†ๅทžๅŒบ':'่†ๅทžๅธ‚', 'ๅ…ฌๅฎ‰ๅŽฟ':'่†ๅทžๅธ‚', '็›‘ๅˆฉๅŽฟ':'่†ๅทžๅธ‚', 'ๆฑŸ้™ตๅŽฟ':'่†ๅทžๅธ‚', '็Ÿณ้ฆ–ๅธ‚':'่†ๅทžๅธ‚', 'ๆดชๆน–ๅธ‚':'่†ๅทžๅธ‚', 'ๆพๆป‹ๅธ‚':'่†ๅทžๅธ‚', 'ๅธ‚่พ–ๅŒบ':'้ป„ๅ†ˆๅธ‚', '้ป„ๅทžๅŒบ':'้ป„ๅ†ˆๅธ‚', 'ๅ›ข้ฃŽๅŽฟ':'้ป„ๅ†ˆๅธ‚', '็บขๅฎ‰ๅŽฟ':'้ป„ๅ†ˆๅธ‚', '็ฝ—็”ฐๅŽฟ':'้ป„ๅ†ˆๅธ‚', '่‹ฑๅฑฑๅŽฟ':'้ป„ๅ†ˆๅธ‚', 'ๆต ๆฐดๅŽฟ':'้ป„ๅ†ˆๅธ‚', '่•ฒๆ˜ฅๅŽฟ':'้ป„ๅ†ˆๅธ‚', '้ป„ๆข…ๅŽฟ':'้ป„ๅ†ˆๅธ‚', '้บปๅŸŽๅธ‚':'้ป„ๅ†ˆๅธ‚', 'ๆญฆ็ฉดๅธ‚':'้ป„ๅ†ˆๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅ’ธๅฎๅธ‚', 'ๅ’ธๅฎ‰ๅŒบ':'ๅ’ธๅฎๅธ‚', 'ๅ˜‰้ฑผๅŽฟ':'ๅ’ธๅฎๅธ‚', '้€šๅŸŽๅŽฟ':'ๅ’ธๅฎๅธ‚', 'ๅด‡้˜ณๅŽฟ':'ๅ’ธๅฎๅธ‚', '้€šๅฑฑๅŽฟ':'ๅ’ธๅฎๅธ‚', '่ตคๅฃๅธ‚':'ๅ’ธๅฎๅธ‚', 'ๅธ‚่พ–ๅŒบ':'้šๅทžๅธ‚', 'ๆ›พ้ƒฝๅŒบ':'้šๅทžๅธ‚', 'ๅนฟๆฐดๅธ‚':'้šๅทžๅธ‚', 'ๆฉๆ–ฝๅธ‚':'ๆฉๆ–ฝๅœŸๅฎถๆ—่‹—ๆ—่‡ชๆฒปๅทž', 'ๅˆฉๅทๅธ‚':'ๆฉๆ–ฝๅœŸๅฎถๆ—่‹—ๆ—่‡ชๆฒปๅทž', 'ๅปบๅง‹ๅŽฟ':'ๆฉๆ–ฝๅœŸๅฎถๆ—่‹—ๆ—่‡ชๆฒปๅทž', 'ๅทดไธœๅŽฟ':'ๆฉๆ–ฝๅœŸๅฎถๆ—่‹—ๆ—่‡ชๆฒปๅทž', 'ๅฎฃๆฉๅŽฟ':'ๆฉๆ–ฝๅœŸๅฎถๆ—่‹—ๆ—่‡ชๆฒปๅทž', 'ๅ’ธไธฐๅŽฟ':'ๆฉๆ–ฝๅœŸๅฎถๆ—่‹—ๆ—่‡ชๆฒปๅทž', 'ๆฅๅ‡คๅŽฟ':'ๆฉๆ–ฝๅœŸๅฎถๆ—่‹—ๆ—่‡ชๆฒปๅทž', '้นคๅณฐๅŽฟ':'ๆฉๆ–ฝๅœŸๅฎถๆ—่‹—ๆ—่‡ชๆฒปๅทž', 'ไป™ๆกƒๅธ‚':'429000', 'ๆฝœๆฑŸๅธ‚':'429000', 'ๅคฉ้—จๅธ‚':'429000', '็ฅžๅ†œๆžถๆž—ๅŒบ':'429000', 'ๅธ‚่พ–ๅŒบ':'้•ฟๆฒ™ๅธ‚', '่Š™่“‰ๅŒบ':'้•ฟๆฒ™ๅธ‚', 'ๅคฉๅฟƒๅŒบ':'้•ฟๆฒ™ๅธ‚', 'ๅฒณ้บ“ๅŒบ':'้•ฟๆฒ™ๅธ‚', 'ๅผ€็ฆๅŒบ':'้•ฟๆฒ™ๅธ‚', '้›จ่ŠฑๅŒบ':'้•ฟๆฒ™ๅธ‚', '้•ฟๆฒ™ๅŽฟ':'้•ฟๆฒ™ๅธ‚', 'ๆœ›ๅŸŽๅŽฟ':'้•ฟๆฒ™ๅธ‚', 'ๅฎไนกๅŽฟ':'้•ฟๆฒ™ๅธ‚', 'ๆต้˜ณๅธ‚':'้•ฟๆฒ™ๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆ ชๆดฒๅธ‚', '่ทๅก˜ๅŒบ':'ๆ ชๆดฒๅธ‚', '่ŠฆๆทžๅŒบ':'ๆ ชๆดฒๅธ‚', '็ŸณๅณฐๅŒบ':'ๆ ชๆดฒๅธ‚', 'ๅคฉๅ…ƒๅŒบ':'ๆ ชๆดฒๅธ‚', 'ๆ ชๆดฒๅŽฟ':'ๆ ชๆดฒๅธ‚', 'ๆ”ธๅŽฟ':'ๆ ชๆดฒๅธ‚', '่Œถ้™ตๅŽฟ':'ๆ ชๆดฒๅธ‚', '็‚Ž้™ตๅŽฟ':'ๆ ชๆดฒๅธ‚', '้†ด้™ตๅธ‚':'ๆ ชๆดฒๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆน˜ๆฝญๅธ‚', '้›จๆน–ๅŒบ':'ๆน˜ๆฝญๅธ‚', 'ๅฒณๅก˜ๅŒบ':'ๆน˜ๆฝญๅธ‚', 'ๆน˜ๆฝญๅŽฟ':'ๆน˜ๆฝญๅธ‚', 'ๆน˜ไนกๅธ‚':'ๆน˜ๆฝญๅธ‚', '้Ÿถๅฑฑๅธ‚':'ๆน˜ๆฝญๅธ‚', 'ๅธ‚่พ–ๅŒบ':'่กก้˜ณๅธ‚', '็ ๆ™–ๅŒบ':'่กก้˜ณๅธ‚', '้›ๅณฐๅŒบ':'่กก้˜ณๅธ‚', '็Ÿณ้ผ“ๅŒบ':'่กก้˜ณๅธ‚', '่’ธๆน˜ๅŒบ':'่กก้˜ณๅธ‚', 'ๅ—ๅฒณๅŒบ':'่กก้˜ณๅธ‚', '่กก้˜ณๅŽฟ':'่กก้˜ณๅธ‚', '่กกๅ—ๅŽฟ':'่กก้˜ณๅธ‚', '่กกๅฑฑๅŽฟ':'่กก้˜ณๅธ‚', '่กกไธœๅŽฟ':'่กก้˜ณๅธ‚', '็ฅไธœๅŽฟ':'่กก้˜ณๅธ‚', '่€’้˜ณๅธ‚':'่กก้˜ณๅธ‚', 'ๅธธๅฎๅธ‚':'่กก้˜ณๅธ‚', 'ๅธ‚่พ–ๅŒบ':'้‚ต้˜ณๅธ‚', 'ๅŒๆธ…ๅŒบ':'้‚ต้˜ณๅธ‚', 'ๅคง็ฅฅๅŒบ':'้‚ต้˜ณๅธ‚', 'ๅŒ—ๅก”ๅŒบ':'้‚ต้˜ณๅธ‚', '้‚ตไธœๅŽฟ':'้‚ต้˜ณๅธ‚', 'ๆ–ฐ้‚ตๅŽฟ':'้‚ต้˜ณๅธ‚', '้‚ต้˜ณๅŽฟ':'้‚ต้˜ณๅธ‚', '้š†ๅ›žๅŽฟ':'้‚ต้˜ณๅธ‚', 'ๆดžๅฃๅŽฟ':'้‚ต้˜ณๅธ‚', '็ปฅๅฎๅŽฟ':'้‚ต้˜ณๅธ‚', 'ๆ–ฐๅฎๅŽฟ':'้‚ต้˜ณๅธ‚', 'ๅŸŽๆญฅ่‹—ๆ—่‡ชๆฒปๅŽฟ':'้‚ต้˜ณๅธ‚', 'ๆญฆๅ†ˆๅธ‚':'้‚ต้˜ณๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅฒณ้˜ณๅธ‚', 'ๅฒณ้˜ณๆฅผๅŒบ':'ๅฒณ้˜ณๅธ‚', 'ไบ‘ๆบชๅŒบ':'ๅฒณ้˜ณๅธ‚', 'ๅ›ๅฑฑๅŒบ':'ๅฒณ้˜ณๅธ‚', 'ๅฒณ้˜ณๅŽฟ':'ๅฒณ้˜ณๅธ‚', 'ๅŽๅฎนๅŽฟ':'ๅฒณ้˜ณๅธ‚', 'ๆน˜้˜ดๅŽฟ':'ๅฒณ้˜ณๅธ‚', 'ๅนณๆฑŸๅŽฟ':'ๅฒณ้˜ณๅธ‚', 'ๆฑจ็ฝ—ๅธ‚':'ๅฒณ้˜ณๅธ‚', 'ไธดๆน˜ๅธ‚':'ๅฒณ้˜ณๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅธธๅพทๅธ‚', 'ๆญฆ้™ตๅŒบ':'ๅธธๅพทๅธ‚', '้ผŽๅŸŽๅŒบ':'ๅธธๅพทๅธ‚', 'ๅฎ‰ไนกๅŽฟ':'ๅธธๅพทๅธ‚', 'ๆฑ‰ๅฏฟๅŽฟ':'ๅธธๅพทๅธ‚', 'ๆพงๅŽฟ':'ๅธธๅพทๅธ‚', 'ไธดๆพงๅŽฟ':'ๅธธๅพทๅธ‚', 'ๆกƒๆบๅŽฟ':'ๅธธๅพทๅธ‚', '็Ÿณ้—จๅŽฟ':'ๅธธๅพทๅธ‚', 'ๆดฅๅธ‚ๅธ‚':'ๅธธๅพทๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅผ ๅฎถ็•Œๅธ‚', 'ๆฐธๅฎšๅŒบ':'ๅผ ๅฎถ็•Œๅธ‚', 'ๆญฆ้™ตๆบๅŒบ':'ๅผ ๅฎถ็•Œๅธ‚', 'ๆ…ˆๅˆฉๅŽฟ':'ๅผ ๅฎถ็•Œๅธ‚', 'ๆก‘ๆคๅŽฟ':'ๅผ ๅฎถ็•Œๅธ‚', 'ๅธ‚่พ–ๅŒบ':'็›Š้˜ณๅธ‚', '่ต„้˜ณๅŒบ':'็›Š้˜ณๅธ‚', '่ตซๅฑฑๅŒบ':'็›Š้˜ณๅธ‚', 'ๅ—ๅŽฟ':'็›Š้˜ณๅธ‚', 'ๆกƒๆฑŸๅŽฟ':'็›Š้˜ณๅธ‚', 'ๅฎ‰ๅŒ–ๅŽฟ':'็›Š้˜ณๅธ‚', 'ๆฒ…ๆฑŸๅธ‚':'็›Š้˜ณๅธ‚', 'ๅธ‚่พ–ๅŒบ':'้ƒดๅทžๅธ‚', 'ๅŒ—ๆน–ๅŒบ':'้ƒดๅทžๅธ‚', '่‹ไป™ๅŒบ':'้ƒดๅทžๅธ‚', 'ๆก‚้˜ณๅŽฟ':'้ƒดๅทžๅธ‚', 'ๅฎœ็ซ ๅŽฟ':'้ƒดๅทžๅธ‚', 'ๆฐธๅ…ดๅŽฟ':'้ƒดๅทžๅธ‚', 'ๅ˜‰็ฆพๅŽฟ':'้ƒดๅทžๅธ‚', 'ไธดๆญฆๅŽฟ':'้ƒดๅทžๅธ‚', 'ๆฑๅŸŽๅŽฟ':'้ƒดๅทžๅธ‚', 'ๆก‚ไธœๅŽฟ':'้ƒดๅทžๅธ‚', 'ๅฎ‰ไปๅŽฟ':'้ƒดๅทžๅธ‚', '่ต„ๅ…ดๅธ‚':'้ƒดๅทžๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆฐธๅทžๅธ‚', '่ŠๅฑฑๅŒบ':'ๆฐธๅทžๅธ‚', 'ๅ†ทๆฐดๆปฉๅŒบ':'ๆฐธๅทžๅธ‚', '็ฅ้˜ณๅŽฟ':'ๆฐธๅทžๅธ‚', 'ไธœๅฎ‰ๅŽฟ':'ๆฐธๅทžๅธ‚', 'ๅŒ็‰ŒๅŽฟ':'ๆฐธๅทžๅธ‚', '้“ๅŽฟ':'ๆฐธๅทžๅธ‚', 'ๆฑŸๆฐธๅŽฟ':'ๆฐธๅทžๅธ‚', 'ๅฎ่ฟœๅŽฟ':'ๆฐธๅทžๅธ‚', '่“ๅฑฑๅŽฟ':'ๆฐธๅทžๅธ‚', 'ๆ–ฐ็”ฐๅŽฟ':'ๆฐธๅทžๅธ‚', 'ๆฑŸๅŽ็‘ถๆ—่‡ชๆฒปๅŽฟ':'ๆฐธๅทžๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆ€€ๅŒ–ๅธ‚', '้นคๅŸŽๅŒบ':'ๆ€€ๅŒ–ๅธ‚', 'ไธญๆ–นๅŽฟ':'ๆ€€ๅŒ–ๅธ‚', 'ๆฒ…้™ตๅŽฟ':'ๆ€€ๅŒ–ๅธ‚', '่พฐๆบชๅŽฟ':'ๆ€€ๅŒ–ๅธ‚', 'ๆบ†ๆตฆๅŽฟ':'ๆ€€ๅŒ–ๅธ‚', 'ไผšๅŒๅŽฟ':'ๆ€€ๅŒ–ๅธ‚', '้บป้˜ณ่‹—ๆ—่‡ชๆฒปๅŽฟ':'ๆ€€ๅŒ–ๅธ‚', 'ๆ–ฐๆ™ƒไพ—ๆ—่‡ชๆฒปๅŽฟ':'ๆ€€ๅŒ–ๅธ‚', '่ŠทๆฑŸไพ—ๆ—่‡ชๆฒปๅŽฟ':'ๆ€€ๅŒ–ๅธ‚', '้–ๅทž่‹—ๆ—ไพ—ๆ—่‡ชๆฒปๅŽฟ':'ๆ€€ๅŒ–ๅธ‚', '้€š้“ไพ—ๆ—่‡ชๆฒปๅŽฟ':'ๆ€€ๅŒ–ๅธ‚', 'ๆดชๆฑŸๅธ‚':'ๆ€€ๅŒ–ๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅจ„ๅบ•ๅธ‚', 'ๅจ„ๆ˜ŸๅŒบ':'ๅจ„ๅบ•ๅธ‚', 'ๅŒๅณฐๅŽฟ':'ๅจ„ๅบ•ๅธ‚', 'ๆ–ฐๅŒ–ๅŽฟ':'ๅจ„ๅบ•ๅธ‚', 'ๅ†ทๆฐดๆฑŸๅธ‚':'ๅจ„ๅบ•ๅธ‚', 'ๆถŸๆบๅธ‚':'ๅจ„ๅบ•ๅธ‚', 'ๅ‰้ฆ–ๅธ‚':'ๆน˜่ฅฟๅœŸๅฎถๆ—่‹—ๆ—่‡ชๆฒปๅทž', 'ๆณธๆบชๅŽฟ':'ๆน˜่ฅฟๅœŸๅฎถๆ—่‹—ๆ—่‡ชๆฒปๅทž', 'ๅ‡คๅ‡ฐๅŽฟ':'ๆน˜่ฅฟๅœŸๅฎถๆ—่‹—ๆ—่‡ชๆฒปๅทž', '่ŠฑๅžฃๅŽฟ':'ๆน˜่ฅฟๅœŸๅฎถๆ—่‹—ๆ—่‡ชๆฒปๅทž', 'ไฟ้–ๅŽฟ':'ๆน˜่ฅฟๅœŸๅฎถๆ—่‹—ๆ—่‡ชๆฒปๅทž', 'ๅคไธˆๅŽฟ':'ๆน˜่ฅฟๅœŸๅฎถๆ—่‹—ๆ—่‡ชๆฒปๅทž', 'ๆฐธ้กบๅŽฟ':'ๆน˜่ฅฟๅœŸๅฎถๆ—่‹—ๆ—่‡ชๆฒปๅทž', '้พ™ๅฑฑๅŽฟ':'ๆน˜่ฅฟๅœŸๅฎถๆ—่‹—ๆ—่‡ชๆฒปๅทž', 'ๅธ‚่พ–ๅŒบ':'ๅนฟๅทžๅธ‚', 'ไธœๅฑฑๅŒบ':'ๅนฟๅทžๅธ‚', '่”ๆนพๅŒบ':'ๅนฟๅทžๅธ‚', '่ถŠ็ง€ๅŒบ':'ๅนฟๅทžๅธ‚', 'ๆตท็ ๅŒบ':'ๅนฟๅทžๅธ‚', 'ๅคฉๆฒณๅŒบ':'ๅนฟๅทžๅธ‚', '่Šณๆ‘ๅŒบ':'ๅนฟๅทžๅธ‚', '็™ฝไบ‘ๅŒบ':'ๅนฟๅทžๅธ‚', '้ป„ๅŸ”ๅŒบ':'ๅนฟๅทžๅธ‚', '็•ช็ฆบๅŒบ':'ๅนฟๅทžๅธ‚', '่Šฑ้ƒฝๅŒบ':'ๅนฟๅทžๅธ‚', 'ๅขžๅŸŽๅธ‚':'ๅนฟๅทžๅธ‚', 'ไปŽๅŒ–ๅธ‚':'ๅนฟๅทžๅธ‚', 'ๅธ‚่พ–ๅŒบ':'้Ÿถๅ…ณๅธ‚', 'ๆญฆๆฑŸๅŒบ':'้Ÿถๅ…ณๅธ‚', 'ๆตˆๆฑŸๅŒบ':'้Ÿถๅ…ณๅธ‚', 'ๆ›ฒๆฑŸๅŒบ':'้Ÿถๅ…ณๅธ‚', 'ๅง‹ๅ…ดๅŽฟ':'้Ÿถๅ…ณๅธ‚', 'ไปๅŒ–ๅŽฟ':'้Ÿถๅ…ณๅธ‚', '็ฟๆบๅŽฟ':'้Ÿถๅ…ณๅธ‚', 'ไนณๆบ็‘ถๆ—่‡ชๆฒปๅŽฟ':'้Ÿถๅ…ณๅธ‚', 'ๆ–ฐไธฐๅŽฟ':'้Ÿถๅ…ณๅธ‚', 'ไนๆ˜Œๅธ‚':'้Ÿถๅ…ณๅธ‚', 'ๅ—้›„ๅธ‚':'้Ÿถๅ…ณๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆทฑๅœณๅธ‚', '็ฝ—ๆน–ๅŒบ':'ๆทฑๅœณๅธ‚', '็ฆ็”ฐๅŒบ':'ๆทฑๅœณๅธ‚', 'ๅ—ๅฑฑๅŒบ':'ๆทฑๅœณๅธ‚', 'ๅฎๅฎ‰ๅŒบ':'ๆทฑๅœณๅธ‚', '้พ™ๅฒ—ๅŒบ':'ๆทฑๅœณๅธ‚', '็›็”ฐๅŒบ':'ๆทฑๅœณๅธ‚', '้พ™ๅŽๅŒบ':'ๆทฑๅœณๅธ‚', 'ๅธ‚่พ–ๅŒบ':'็ ๆตทๅธ‚', '้ฆ™ๆดฒๅŒบ':'็ ๆตทๅธ‚', 'ๆ–—้—จๅŒบ':'็ ๆตทๅธ‚', '้‡‘ๆนพๅŒบ':'็ ๆตทๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆฑ•ๅคดๅธ‚', '้พ™ๆน–ๅŒบ':'ๆฑ•ๅคดๅธ‚', '้‡‘ๅนณๅŒบ':'ๆฑ•ๅคดๅธ‚', 'ๆฟ ๆฑŸๅŒบ':'ๆฑ•ๅคดๅธ‚', 'ๆฝฎ้˜ณๅŒบ':'ๆฑ•ๅคดๅธ‚', 'ๆฝฎๅ—ๅŒบ':'ๆฑ•ๅคดๅธ‚', 'ๆพ„ๆตทๅŒบ':'ๆฑ•ๅคดๅธ‚', 'ๅ—ๆพณๅŽฟ':'ๆฑ•ๅคดๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ไฝ›ๅฑฑๅธ‚', '็ฆ…ๅŸŽๅŒบ':'ไฝ›ๅฑฑๅธ‚', 'ๅ—ๆตทๅŒบ':'ไฝ›ๅฑฑๅธ‚', '้กบๅพทๅŒบ':'ไฝ›ๅฑฑๅธ‚', 'ไธ‰ๆฐดๅŒบ':'ไฝ›ๅฑฑๅธ‚', '้ซ˜ๆ˜ŽๅŒบ':'ไฝ›ๅฑฑๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆฑŸ้—จๅธ‚', '่“ฌๆฑŸๅŒบ':'ๆฑŸ้—จๅธ‚', 'ๆฑŸๆตทๅŒบ':'ๆฑŸ้—จๅธ‚', 'ๆ–ฐไผšๅŒบ':'ๆฑŸ้—จๅธ‚', 'ๅฐๅฑฑๅธ‚':'ๆฑŸ้—จๅธ‚', 'ๅผ€ๅนณๅธ‚':'ๆฑŸ้—จๅธ‚', '้นคๅฑฑๅธ‚':'ๆฑŸ้—จๅธ‚', 'ๆฉๅนณๅธ‚':'ๆฑŸ้—จๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆน›ๆฑŸๅธ‚', '่ตคๅŽๅŒบ':'ๆน›ๆฑŸๅธ‚', '้œžๅฑฑๅŒบ':'ๆน›ๆฑŸๅธ‚', 'ๅกๅคดๅŒบ':'ๆน›ๆฑŸๅธ‚', '้บป็ซ ๅŒบ':'ๆน›ๆฑŸๅธ‚', '้‚ๆบชๅŽฟ':'ๆน›ๆฑŸๅธ‚', 'ๅพ้—ปๅŽฟ':'ๆน›ๆฑŸๅธ‚', 'ๅป‰ๆฑŸๅธ‚':'ๆน›ๆฑŸๅธ‚', '้›ทๅทžๅธ‚':'ๆน›ๆฑŸๅธ‚', 'ๅดๅทๅธ‚':'ๆน›ๆฑŸๅธ‚', 'ๅธ‚่พ–ๅŒบ':'่Œ‚ๅๅธ‚', '่Œ‚ๅ—ๅŒบ':'่Œ‚ๅๅธ‚', '่Œ‚ๆธฏๅŒบ':'่Œ‚ๅๅธ‚', '็”ต็™ฝๅŽฟ':'่Œ‚ๅๅธ‚', '้ซ˜ๅทžๅธ‚':'่Œ‚ๅๅธ‚', 'ๅŒ–ๅทžๅธ‚':'่Œ‚ๅๅธ‚', 'ไฟกๅฎœๅธ‚':'่Œ‚ๅๅธ‚', 'ๅธ‚่พ–ๅŒบ':'่‚‡ๅบ†ๅธ‚', '็ซฏๅทžๅŒบ':'่‚‡ๅบ†ๅธ‚', '้ผŽๆน–ๅŒบ':'่‚‡ๅบ†ๅธ‚', 'ๅนฟๅฎๅŽฟ':'่‚‡ๅบ†ๅธ‚', 'ๆ€€้›†ๅŽฟ':'่‚‡ๅบ†ๅธ‚', 'ๅฐๅผ€ๅŽฟ':'่‚‡ๅบ†ๅธ‚', 'ๅพทๅบ†ๅŽฟ':'่‚‡ๅบ†ๅธ‚', '้ซ˜่ฆๅธ‚':'่‚‡ๅบ†ๅธ‚', 'ๅ››ไผšๅธ‚':'่‚‡ๅบ†ๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆƒ ๅทžๅธ‚', 'ๆƒ ๅŸŽๅŒบ':'ๆƒ ๅทžๅธ‚', 'ๆƒ ้˜ณๅŒบ':'ๆƒ ๅทžๅธ‚', 'ๅš็ฝ—ๅŽฟ':'ๆƒ ๅทžๅธ‚', 'ๆƒ ไธœๅŽฟ':'ๆƒ ๅทžๅธ‚', '้พ™้—จๅŽฟ':'ๆƒ ๅทžๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆข…ๅทžๅธ‚', 'ๆข…ๆฑŸๅŒบ':'ๆข…ๅทžๅธ‚', 'ๆข…ๅŽฟ':'ๆข…ๅทžๅธ‚', 'ๅคงๅŸ”ๅŽฟ':'ๆข…ๅทžๅธ‚', 'ไธฐ้กบๅŽฟ':'ๆข…ๅทžๅธ‚', 'ไบ”ๅŽๅŽฟ':'ๆข…ๅทžๅธ‚', 'ๅนณ่ฟœๅŽฟ':'ๆข…ๅทžๅธ‚', '่•‰ๅฒญๅŽฟ':'ๆข…ๅทžๅธ‚', 'ๅ…ดๅฎๅธ‚':'ๆข…ๅทžๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆฑ•ๅฐพๅธ‚', 'ๅŸŽๅŒบ':'ๆฑ•ๅฐพๅธ‚', 'ๆตทไธฐๅŽฟ':'ๆฑ•ๅฐพๅธ‚', '้™†ๆฒณๅŽฟ':'ๆฑ•ๅฐพๅธ‚', '้™†ไธฐๅธ‚':'ๆฑ•ๅฐพๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆฒณๆบๅธ‚', 'ๆบๅŸŽๅŒบ':'ๆฒณๆบๅธ‚', '็ดซ้‡‘ๅŽฟ':'ๆฒณๆบๅธ‚', '้พ™ๅทๅŽฟ':'ๆฒณๆบๅธ‚', '่ฟžๅนณๅŽฟ':'ๆฒณๆบๅธ‚', 'ๅ’ŒๅนณๅŽฟ':'ๆฒณๆบๅธ‚', 'ไธœๆบๅŽฟ':'ๆฒณๆบๅธ‚', 'ๅธ‚่พ–ๅŒบ':'้˜ณๆฑŸๅธ‚', 'ๆฑŸๅŸŽๅŒบ':'้˜ณๆฑŸๅธ‚', '้˜ณ่ฅฟๅŽฟ':'้˜ณๆฑŸๅธ‚', '้˜ณไธœๅŽฟ':'้˜ณๆฑŸๅธ‚', '้˜ณๆ˜ฅๅธ‚':'้˜ณๆฑŸๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆธ…่ฟœๅธ‚', 'ๆธ…ๅŸŽๅŒบ':'ๆธ…่ฟœๅธ‚', 'ไฝ›ๅ†ˆๅŽฟ':'ๆธ…่ฟœๅธ‚', '้˜ณๅฑฑๅŽฟ':'ๆธ…่ฟœๅธ‚', '่ฟžๅฑฑๅฃฎๆ—็‘ถๆ—่‡ชๆฒปๅŽฟ':'ๆธ…่ฟœๅธ‚', '่ฟžๅ—็‘ถๆ—่‡ชๆฒปๅŽฟ':'ๆธ…่ฟœๅธ‚', 'ๆธ…ๆ–ฐๅŽฟ':'ๆธ…่ฟœๅธ‚', '่‹ฑๅพทๅธ‚':'ๆธ…่ฟœๅธ‚', '่ฟžๅทžๅธ‚':'ๆธ…่ฟœๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆฝฎๅทžๅธ‚', 'ๆน˜ๆกฅๅŒบ':'ๆฝฎๅทžๅธ‚', 'ๆฝฎๅฎ‰ๅŽฟ':'ๆฝฎๅทžๅธ‚', '้ฅถๅนณๅŽฟ':'ๆฝฎๅทžๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆญ้˜ณๅธ‚', 'ๆฆ•ๅŸŽๅŒบ':'ๆญ้˜ณๅธ‚', 'ๆญไธœๅŽฟ':'ๆญ้˜ณๅธ‚', 'ๆญ่ฅฟๅŽฟ':'ๆญ้˜ณๅธ‚', 'ๆƒ ๆฅๅŽฟ':'ๆญ้˜ณๅธ‚', 'ๆ™ฎๅฎๅธ‚':'ๆญ้˜ณๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ไบ‘ๆตฎๅธ‚', 'ไบ‘ๅŸŽๅŒบ':'ไบ‘ๆตฎๅธ‚', 'ๆ–ฐๅ…ดๅŽฟ':'ไบ‘ๆตฎๅธ‚', '้ƒๅ—ๅŽฟ':'ไบ‘ๆตฎๅธ‚', 'ไบ‘ๅฎ‰ๅŽฟ':'ไบ‘ๆตฎๅธ‚', '็ฝ—ๅฎšๅธ‚':'ไบ‘ๆตฎๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅ—ๅฎๅธ‚', 'ๅ…ดๅฎๅŒบ':'ๅ—ๅฎๅธ‚', '้’็ง€ๅŒบ':'ๅ—ๅฎๅธ‚', 'ๆฑŸๅ—ๅŒบ':'ๅ—ๅฎๅธ‚', '่ฅฟไนกๅก˜ๅŒบ':'ๅ—ๅฎๅธ‚', '่‰ฏๅบ†ๅŒบ':'ๅ—ๅฎๅธ‚', '้‚•ๅฎๅŒบ':'ๅ—ๅฎๅธ‚', 'ๆญฆ้ธฃๅŽฟ':'ๅ—ๅฎๅธ‚', '้š†ๅฎ‰ๅŽฟ':'ๅ—ๅฎๅธ‚', '้ฉฌๅฑฑๅŽฟ':'ๅ—ๅฎๅธ‚', 'ไธŠๆž—ๅŽฟ':'ๅ—ๅฎๅธ‚', 'ๅฎพ้˜ณๅŽฟ':'ๅ—ๅฎๅธ‚', 'ๆจชๅŽฟ':'ๅ—ๅฎๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆŸณๅทžๅธ‚', 'ๅŸŽไธญๅŒบ':'ๆŸณๅทžๅธ‚', '้ฑผๅณฐๅŒบ':'ๆŸณๅทžๅธ‚', 'ๆŸณๅ—ๅŒบ':'ๆŸณๅทžๅธ‚', 'ๆŸณๅŒ—ๅŒบ':'ๆŸณๅทžๅธ‚', 'ๆŸณๆฑŸๅŽฟ':'ๆŸณๅทžๅธ‚', 'ๆŸณๅŸŽๅŽฟ':'ๆŸณๅทžๅธ‚', '้นฟๅฏจๅŽฟ':'ๆŸณๅทžๅธ‚', '่žๅฎ‰ๅŽฟ':'ๆŸณๅทžๅธ‚', '่žๆฐด่‹—ๆ—่‡ชๆฒปๅŽฟ':'ๆŸณๅทžๅธ‚', 'ไธ‰ๆฑŸไพ—ๆ—่‡ชๆฒปๅŽฟ':'ๆŸณๅทžๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆก‚ๆž—ๅธ‚', '็ง€ๅณฐๅŒบ':'ๆก‚ๆž—ๅธ‚', 'ๅ ๅฝฉๅŒบ':'ๆก‚ๆž—ๅธ‚', '่ฑกๅฑฑๅŒบ':'ๆก‚ๆž—ๅธ‚', 'ไธƒๆ˜ŸๅŒบ':'ๆก‚ๆž—ๅธ‚', '้›ๅฑฑๅŒบ':'ๆก‚ๆž—ๅธ‚', '้˜ณๆœ”ๅŽฟ':'ๆก‚ๆž—ๅธ‚', 'ไธดๆก‚ๅŽฟ':'ๆก‚ๆž—ๅธ‚', '็ตๅทๅŽฟ':'ๆก‚ๆž—ๅธ‚', 'ๅ…จๅทžๅŽฟ':'ๆก‚ๆž—ๅธ‚', 'ๅ…ดๅฎ‰ๅŽฟ':'ๆก‚ๆž—ๅธ‚', 'ๆฐธ็ฆๅŽฟ':'ๆก‚ๆž—ๅธ‚', '็Œ้˜ณๅŽฟ':'ๆก‚ๆž—ๅธ‚', '้พ™่ƒœๅ„ๆ—่‡ชๆฒปๅŽฟ':'ๆก‚ๆž—ๅธ‚', '่ต„ๆบๅŽฟ':'ๆก‚ๆž—ๅธ‚', 'ๅนณไนๅŽฟ':'ๆก‚ๆž—ๅธ‚', '่”่’ฒๅŽฟ':'ๆก‚ๆž—ๅธ‚', 'ๆญๅŸŽ็‘ถๆ—่‡ชๆฒปๅŽฟ':'ๆก‚ๆž—ๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆขงๅทžๅธ‚', 'ไธ‡็ง€ๅŒบ':'ๆขงๅทžๅธ‚', '่ถๅฑฑๅŒบ':'ๆขงๅทžๅธ‚', '้•ฟๆดฒๅŒบ':'ๆขงๅทžๅธ‚', '่‹ๆขงๅŽฟ':'ๆขงๅทžๅธ‚', '่—คๅŽฟ':'ๆขงๅทžๅธ‚', '่’™ๅฑฑๅŽฟ':'ๆขงๅทžๅธ‚', 'ๅฒ‘ๆบชๅธ‚':'ๆขงๅทžๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅŒ—ๆตทๅธ‚', 'ๆตทๅŸŽๅŒบ':'ๅŒ—ๆตทๅธ‚', '้“ถๆตทๅŒบ':'ๅŒ—ๆตทๅธ‚', '้“ๅฑฑๆธฏๅŒบ':'ๅŒ—ๆตทๅธ‚', 'ๅˆๆตฆๅŽฟ':'ๅŒ—ๆตทๅธ‚', 'ๅธ‚่พ–ๅŒบ':'้˜ฒๅŸŽๆธฏๅธ‚', 'ๆธฏๅฃๅŒบ':'้˜ฒๅŸŽๆธฏๅธ‚', '้˜ฒๅŸŽๅŒบ':'้˜ฒๅŸŽๆธฏๅธ‚', 'ไธŠๆ€ๅŽฟ':'้˜ฒๅŸŽๆธฏๅธ‚', 'ไธœๅ…ดๅธ‚':'้˜ฒๅŸŽๆธฏๅธ‚', 'ๅธ‚่พ–ๅŒบ':'้’ฆๅทžๅธ‚', '้’ฆๅ—ๅŒบ':'้’ฆๅทžๅธ‚', '้’ฆๅŒ—ๅŒบ':'้’ฆๅทžๅธ‚', '็ตๅฑฑๅŽฟ':'้’ฆๅทžๅธ‚', 'ๆตฆๅŒ—ๅŽฟ':'้’ฆๅทžๅธ‚', 'ๅธ‚่พ–ๅŒบ':'่ดตๆธฏๅธ‚', 'ๆธฏๅŒ—ๅŒบ':'่ดตๆธฏๅธ‚', 'ๆธฏๅ—ๅŒบ':'่ดตๆธฏๅธ‚', '่ฆƒๅก˜ๅŒบ':'่ดตๆธฏๅธ‚', 'ๅนณๅ—ๅŽฟ':'่ดตๆธฏๅธ‚', 'ๆก‚ๅนณๅธ‚':'่ดตๆธฏๅธ‚', 'ๅธ‚่พ–ๅŒบ':'็މๆž—ๅธ‚', '็މๅทžๅŒบ':'็މๆž—ๅธ‚', 'ๅฎนๅŽฟ':'็މๆž—ๅธ‚', '้™†ๅทๅŽฟ':'็މๆž—ๅธ‚', 'ๅš็™ฝๅŽฟ':'็މๆž—ๅธ‚', 'ๅ…ดไธšๅŽฟ':'็މๆž—ๅธ‚', 'ๅŒ—ๆตๅธ‚':'็މๆž—ๅธ‚', 'ๅธ‚่พ–ๅŒบ':'็™พ่‰ฒๅธ‚', 'ๅณๆฑŸๅŒบ':'็™พ่‰ฒๅธ‚', '็”ฐ้˜ณๅŽฟ':'็™พ่‰ฒๅธ‚', '็”ฐไธœๅŽฟ':'็™พ่‰ฒๅธ‚', 'ๅนณๆžœๅŽฟ':'็™พ่‰ฒๅธ‚', 'ๅพทไฟๅŽฟ':'็™พ่‰ฒๅธ‚', '้–่ฅฟๅŽฟ':'็™พ่‰ฒๅธ‚', '้‚ฃๅกๅŽฟ':'็™พ่‰ฒๅธ‚', 'ๅ‡Œไบ‘ๅŽฟ':'็™พ่‰ฒๅธ‚', 'ไนไธšๅŽฟ':'็™พ่‰ฒๅธ‚', '็”ฐๆž—ๅŽฟ':'็™พ่‰ฒๅธ‚', '่ฅฟๆž—ๅŽฟ':'็™พ่‰ฒๅธ‚', '้š†ๆž—ๅ„ๆ—่‡ชๆฒปๅŽฟ':'็™พ่‰ฒๅธ‚', 'ๅธ‚่พ–ๅŒบ':'่ดบๅทžๅธ‚', 'ๅ…ซๆญฅๅŒบ':'่ดบๅทžๅธ‚', 'ๆ˜ญๅนณๅŽฟ':'่ดบๅทžๅธ‚', '้’ŸๅฑฑๅŽฟ':'่ดบๅทžๅธ‚', 'ๅฏŒๅท็‘ถๆ—่‡ชๆฒปๅŽฟ':'่ดบๅทžๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆฒณๆฑ ๅธ‚', '้‡‘ๅŸŽๆฑŸๅŒบ':'ๆฒณๆฑ ๅธ‚', 'ๅ—ไธนๅŽฟ':'ๆฒณๆฑ ๅธ‚', 'ๅคฉๅณจๅŽฟ':'ๆฒณๆฑ ๅธ‚', 'ๅ‡คๅฑฑๅŽฟ':'ๆฒณๆฑ ๅธ‚', 'ไธœๅ…ฐๅŽฟ':'ๆฒณๆฑ ๅธ‚', '็ฝ—ๅŸŽไปซไฝฌๆ—่‡ชๆฒปๅŽฟ':'ๆฒณๆฑ ๅธ‚', '็ŽฏๆฑŸๆฏ›ๅ—ๆ—่‡ชๆฒปๅŽฟ':'ๆฒณๆฑ ๅธ‚', 'ๅทด้ฉฌ็‘ถๆ—่‡ชๆฒปๅŽฟ':'ๆฒณๆฑ ๅธ‚', '้ƒฝๅฎ‰็‘ถๆ—่‡ชๆฒปๅŽฟ':'ๆฒณๆฑ ๅธ‚', 'ๅคงๅŒ–็‘ถๆ—่‡ชๆฒปๅŽฟ':'ๆฒณๆฑ ๅธ‚', 'ๅฎœๅทžๅธ‚':'ๆฒณๆฑ ๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆฅๅฎพๅธ‚', 'ๅ…ดๅฎพๅŒบ':'ๆฅๅฎพๅธ‚', 'ๅฟปๅŸŽๅŽฟ':'ๆฅๅฎพๅธ‚', '่ฑกๅทžๅŽฟ':'ๆฅๅฎพๅธ‚', 'ๆญฆๅฎฃๅŽฟ':'ๆฅๅฎพๅธ‚', '้‡‘็ง€็‘ถๆ—่‡ชๆฒปๅŽฟ':'ๆฅๅฎพๅธ‚', 'ๅˆๅฑฑๅธ‚':'ๆฅๅฎพๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅด‡ๅทฆๅธ‚', 'ๆฑŸๆดฒๅŒบ':'ๅด‡ๅทฆๅธ‚', 'ๆ‰ถ็ปฅๅŽฟ':'ๅด‡ๅทฆๅธ‚', 'ๅฎๆ˜ŽๅŽฟ':'ๅด‡ๅทฆๅธ‚', '้พ™ๅทžๅŽฟ':'ๅด‡ๅทฆๅธ‚', 'ๅคงๆ–ฐๅŽฟ':'ๅด‡ๅทฆๅธ‚', 'ๅคฉ็ญ‰ๅŽฟ':'ๅด‡ๅทฆๅธ‚', 'ๅ‡ญ็ฅฅๅธ‚':'ๅด‡ๅทฆๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆตทๅฃๅธ‚', '็ง€่‹ฑๅŒบ':'ๆตทๅฃๅธ‚', '้พ™ๅŽๅŒบ':'ๆตทๅฃๅธ‚', '็ผๅฑฑๅŒบ':'ๆตทๅฃๅธ‚', '็พŽๅ…ฐๅŒบ':'ๆตทๅฃๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ไธ‰ไบšๅธ‚', 'ไบ”ๆŒ‡ๅฑฑๅธ‚':'็œ็›ด่พ–ๅŽฟ็บง่กŒๆ”ฟๅ•ไฝ', '็ผๆตทๅธ‚':'็œ็›ด่พ–ๅŽฟ็บง่กŒๆ”ฟๅ•ไฝ', 'ๅ„‹ๅทžๅธ‚':'็œ็›ด่พ–ๅŽฟ็บง่กŒๆ”ฟๅ•ไฝ', 'ๆ–‡ๆ˜Œๅธ‚':'็œ็›ด่พ–ๅŽฟ็บง่กŒๆ”ฟๅ•ไฝ', 'ไธ‡ๅฎๅธ‚':'็œ็›ด่พ–ๅŽฟ็บง่กŒๆ”ฟๅ•ไฝ', 'ไธœๆ–นๅธ‚':'็œ็›ด่พ–ๅŽฟ็บง่กŒๆ”ฟๅ•ไฝ', 'ๅฎšๅฎ‰ๅŽฟ':'็œ็›ด่พ–ๅŽฟ็บง่กŒๆ”ฟๅ•ไฝ', 'ๅฑฏๆ˜ŒๅŽฟ':'็œ็›ด่พ–ๅŽฟ็บง่กŒๆ”ฟๅ•ไฝ', 'ๆพ„่ฟˆๅŽฟ':'็œ็›ด่พ–ๅŽฟ็บง่กŒๆ”ฟๅ•ไฝ', 'ไธด้ซ˜ๅŽฟ':'็œ็›ด่พ–ๅŽฟ็บง่กŒๆ”ฟๅ•ไฝ', '็™ฝๆฒ™้ปŽๆ—่‡ชๆฒปๅŽฟ':'็œ็›ด่พ–ๅŽฟ็บง่กŒๆ”ฟๅ•ไฝ', 'ๆ˜ŒๆฑŸ้ปŽๆ—่‡ชๆฒปๅŽฟ':'็œ็›ด่พ–ๅŽฟ็บง่กŒๆ”ฟๅ•ไฝ', 'ไนไธœ้ปŽๆ—่‡ชๆฒปๅŽฟ':'็œ็›ด่พ–ๅŽฟ็บง่กŒๆ”ฟๅ•ไฝ', '้™ตๆฐด้ปŽๆ—่‡ชๆฒปๅŽฟ':'็œ็›ด่พ–ๅŽฟ็บง่กŒๆ”ฟๅ•ไฝ', 'ไฟไบญ้ปŽๆ—่‹—ๆ—่‡ชๆฒปๅŽฟ':'็œ็›ด่พ–ๅŽฟ็บง่กŒๆ”ฟๅ•ไฝ', '็ผไธญ้ปŽๆ—่‹—ๆ—่‡ชๆฒปๅŽฟ':'็œ็›ด่พ–ๅŽฟ็บง่กŒๆ”ฟๅ•ไฝ', '่ฅฟๆฒ™็พคๅฒ›':'็œ็›ด่พ–ๅŽฟ็บง่กŒๆ”ฟๅ•ไฝ', 'ๅ—ๆฒ™็พคๅฒ›':'็œ็›ด่พ–ๅŽฟ็บง่กŒๆ”ฟๅ•ไฝ', 'ไธญๆฒ™็พคๅฒ›็š„ๅฒ›็คๅŠๅ…ถๆตทๅŸŸ':'็œ็›ด่พ–ๅŽฟ็บง่กŒๆ”ฟๅ•ไฝ', 'ไธ‡ๅทžๅŒบ':'้‡ๅบ†ๅธ‚', 'ๆถช้™ตๅŒบ':'้‡ๅบ†ๅธ‚', 'ๆธไธญๅŒบ':'้‡ๅบ†ๅธ‚', 'ๅคงๆธกๅฃๅŒบ':'้‡ๅบ†ๅธ‚', 'ๆฑŸๅŒ—ๅŒบ':'้‡ๅบ†ๅธ‚', 'ๆฒ™ๅชๅๅŒบ':'้‡ๅบ†ๅธ‚', 'ไน้พ™ๅกๅŒบ':'้‡ๅบ†ๅธ‚', 'ๅ—ๅฒธๅŒบ':'้‡ๅบ†ๅธ‚', 'ๅŒ—็ขšๅŒบ':'้‡ๅบ†ๅธ‚', 'ไธ‡็››ๅŒบ':'้‡ๅบ†ๅธ‚', 'ๅŒๆกฅๅŒบ':'้‡ๅบ†ๅธ‚', 'ๆธๅŒ—ๅŒบ':'้‡ๅบ†ๅธ‚', 'ๅทดๅ—ๅŒบ':'้‡ๅบ†ๅธ‚', '้ป”ๆฑŸๅŒบ':'้‡ๅบ†ๅธ‚', '้•ฟๅฏฟๅŒบ':'้‡ๅบ†ๅธ‚', '็ถฆๆฑŸๅŽฟ':'้‡ๅบ†ๅธ‚', 'ๆฝผๅ—ๅŽฟ':'้‡ๅบ†ๅธ‚', '้“œๆขๅŽฟ':'้‡ๅบ†ๅธ‚', 'ๅคง่ถณๅŽฟ':'้‡ๅบ†ๅธ‚', '่ฃๆ˜ŒๅŽฟ':'้‡ๅบ†ๅธ‚', '็’งๅฑฑๅŽฟ':'้‡ๅบ†ๅธ‚', 'ๆขๅนณๅŽฟ':'้‡ๅบ†ๅธ‚', 'ๅŸŽๅฃๅŽฟ':'้‡ๅบ†ๅธ‚', 'ไธฐ้ƒฝๅŽฟ':'้‡ๅบ†ๅธ‚', 'ๅžซๆฑŸๅŽฟ':'้‡ๅบ†ๅธ‚', 'ๆญฆ้š†ๅŽฟ':'้‡ๅบ†ๅธ‚', 'ๅฟ ๅŽฟ':'้‡ๅบ†ๅธ‚', 'ๅผ€ๅŽฟ':'้‡ๅบ†ๅธ‚', 'ไบ‘้˜ณๅŽฟ':'้‡ๅบ†ๅธ‚', 'ๅฅ‰่Š‚ๅŽฟ':'้‡ๅบ†ๅธ‚', 'ๅทซๅฑฑๅŽฟ':'้‡ๅบ†ๅธ‚', 'ๅทซๆบชๅŽฟ':'้‡ๅบ†ๅธ‚', '็ŸณๆŸฑๅœŸๅฎถๆ—่‡ชๆฒปๅŽฟ':'้‡ๅบ†ๅธ‚', '็ง€ๅฑฑๅœŸๅฎถๆ—่‹—ๆ—่‡ชๆฒปๅŽฟ':'้‡ๅบ†ๅธ‚', '้…‰้˜ณๅœŸๅฎถๆ—่‹—ๆ—่‡ชๆฒปๅŽฟ':'้‡ๅบ†ๅธ‚', 'ๅฝญๆฐด่‹—ๆ—ๅœŸๅฎถๆ—่‡ชๆฒปๅŽฟ':'้‡ๅบ†ๅธ‚', 'ๆฑŸๆดฅๅธ‚':'้‡ๅบ†ๅธ‚', 'ๅˆๅทๅธ‚':'้‡ๅบ†ๅธ‚', 'ๆฐธๅทๅธ‚':'้‡ๅบ†ๅธ‚', 'ๅ—ๅทๅธ‚':'้‡ๅบ†ๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆˆ้ƒฝๅธ‚', '้”ฆๆฑŸๅŒบ':'ๆˆ้ƒฝๅธ‚', '้’็พŠๅŒบ':'ๆˆ้ƒฝๅธ‚', '้‡‘็‰›ๅŒบ':'ๆˆ้ƒฝๅธ‚', 'ๆญฆไพฏๅŒบ':'ๆˆ้ƒฝๅธ‚', 'ๆˆๅŽๅŒบ':'ๆˆ้ƒฝๅธ‚', '้พ™ๆณ‰้ฉฟๅŒบ':'ๆˆ้ƒฝๅธ‚', '้’็™ฝๆฑŸๅŒบ':'ๆˆ้ƒฝๅธ‚', 'ๆ–ฐ้ƒฝๅŒบ':'ๆˆ้ƒฝๅธ‚', 'ๆธฉๆฑŸๅŒบ':'ๆˆ้ƒฝๅธ‚', '้‡‘ๅ ‚ๅŽฟ':'ๆˆ้ƒฝๅธ‚', 'ๅŒๆตๅŽฟ':'ๆˆ้ƒฝๅธ‚', '้ƒซๅŽฟ':'ๆˆ้ƒฝๅธ‚', 'ๅคง้‚‘ๅŽฟ':'ๆˆ้ƒฝๅธ‚', '่’ฒๆฑŸๅŽฟ':'ๆˆ้ƒฝๅธ‚', 'ๆ–ฐๆดฅๅŽฟ':'ๆˆ้ƒฝๅธ‚', '้ƒฝๆฑŸๅ ฐๅธ‚':'ๆˆ้ƒฝๅธ‚', 'ๅฝญๅทžๅธ‚':'ๆˆ้ƒฝๅธ‚', '้‚›ๅดƒๅธ‚':'ๆˆ้ƒฝๅธ‚', 'ๅด‡ๅทžๅธ‚':'ๆˆ้ƒฝๅธ‚', 'ๅธ‚่พ–ๅŒบ':'่‡ช่ดกๅธ‚', '่‡ชๆตไบ•ๅŒบ':'่‡ช่ดกๅธ‚', '่ดกไบ•ๅŒบ':'่‡ช่ดกๅธ‚', 'ๅคงๅฎ‰ๅŒบ':'่‡ช่ดกๅธ‚', 'ๆฒฟๆปฉๅŒบ':'่‡ช่ดกๅธ‚', '่ฃๅŽฟ':'่‡ช่ดกๅธ‚', 'ๅฏŒ้กบๅŽฟ':'่‡ช่ดกๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆ”€ๆž่Šฑๅธ‚', 'ไธœๅŒบ':'ๆ”€ๆž่Šฑๅธ‚', '่ฅฟๅŒบ':'ๆ”€ๆž่Šฑๅธ‚', 'ไปๅ’ŒๅŒบ':'ๆ”€ๆž่Šฑๅธ‚', '็ฑณๆ˜“ๅŽฟ':'ๆ”€ๆž่Šฑๅธ‚', '็›่พนๅŽฟ':'ๆ”€ๆž่Šฑๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆณธๅทžๅธ‚', 'ๆฑŸ้˜ณๅŒบ':'ๆณธๅทžๅธ‚', '็บณๆบชๅŒบ':'ๆณธๅทžๅธ‚', '้พ™้ฉฌๆฝญๅŒบ':'ๆณธๅทžๅธ‚', 'ๆณธๅŽฟ':'ๆณธๅทžๅธ‚', 'ๅˆๆฑŸๅŽฟ':'ๆณธๅทžๅธ‚', 'ๅ™ๆฐธๅŽฟ':'ๆณธๅทžๅธ‚', 'ๅค่”บๅŽฟ':'ๆณธๅทžๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅพท้˜ณๅธ‚', 'ๆ—Œ้˜ณๅŒบ':'ๅพท้˜ณๅธ‚', 'ไธญๆฑŸๅŽฟ':'ๅพท้˜ณๅธ‚', '็ฝ—ๆฑŸๅŽฟ':'ๅพท้˜ณๅธ‚', 'ๅนฟๆฑ‰ๅธ‚':'ๅพท้˜ณๅธ‚', 'ไป€้‚กๅธ‚':'ๅพท้˜ณๅธ‚', '็ปต็ซนๅธ‚':'ๅพท้˜ณๅธ‚', 'ๅธ‚่พ–ๅŒบ':'็ปต้˜ณๅธ‚', 'ๆถชๅŸŽๅŒบ':'็ปต้˜ณๅธ‚', 'ๆธธไป™ๅŒบ':'็ปต้˜ณๅธ‚', 'ไธ‰ๅฐๅŽฟ':'็ปต้˜ณๅธ‚', '็›ไบญๅŽฟ':'็ปต้˜ณๅธ‚', 'ๅฎ‰ๅŽฟ':'็ปต้˜ณๅธ‚', 'ๆข“ๆฝผๅŽฟ':'็ปต้˜ณๅธ‚', 'ๅŒ—ๅท็พŒๆ—่‡ชๆฒปๅŽฟ':'็ปต้˜ณๅธ‚', 'ๅนณๆญฆๅŽฟ':'็ปต้˜ณๅธ‚', 'ๆฑŸๆฒนๅธ‚':'็ปต้˜ณๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅนฟๅ…ƒๅธ‚', 'ๅธ‚ไธญๅŒบ':'ๅนฟๅ…ƒๅธ‚', 'ๅ…ƒๅๅŒบ':'ๅนฟๅ…ƒๅธ‚', 'ๆœๅคฉๅŒบ':'ๅนฟๅ…ƒๅธ‚', 'ๆ—บ่‹ๅŽฟ':'ๅนฟๅ…ƒๅธ‚', '้’ๅทๅŽฟ':'ๅนฟๅ…ƒๅธ‚', 'ๅ‰‘้˜ๅŽฟ':'ๅนฟๅ…ƒๅธ‚', '่‹ๆบชๅŽฟ':'ๅนฟๅ…ƒๅธ‚', 'ๅธ‚่พ–ๅŒบ':'้‚ๅฎๅธ‚', '่ˆนๅฑฑๅŒบ':'้‚ๅฎๅธ‚', 'ๅฎ‰ๅฑ…ๅŒบ':'้‚ๅฎๅธ‚', '่“ฌๆบชๅŽฟ':'้‚ๅฎๅธ‚', 'ๅฐ„ๆดชๅŽฟ':'้‚ๅฎๅธ‚', 'ๅคง่‹ฑๅŽฟ':'้‚ๅฎๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅ†…ๆฑŸๅธ‚', 'ๅธ‚ไธญๅŒบ':'ๅ†…ๆฑŸๅธ‚', 'ไธœๅ…ดๅŒบ':'ๅ†…ๆฑŸๅธ‚', 'ๅจ่ฟœๅŽฟ':'ๅ†…ๆฑŸๅธ‚', '่ต„ไธญๅŽฟ':'ๅ†…ๆฑŸๅธ‚', '้š†ๆ˜ŒๅŽฟ':'ๅ†…ๆฑŸๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ไนๅฑฑๅธ‚', 'ๅธ‚ไธญๅŒบ':'ไนๅฑฑๅธ‚', 'ๆฒ™ๆนพๅŒบ':'ไนๅฑฑๅธ‚', 'ไบ”้€šๆกฅๅŒบ':'ไนๅฑฑๅธ‚', '้‡‘ๅฃๆฒณๅŒบ':'ไนๅฑฑๅธ‚', '็ŠไธบๅŽฟ':'ไนๅฑฑๅธ‚', 'ไบ•็ ”ๅŽฟ':'ไนๅฑฑๅธ‚', 'ๅคนๆฑŸๅŽฟ':'ไนๅฑฑๅธ‚', 'ๆฒๅทๅŽฟ':'ไนๅฑฑๅธ‚', 'ๅณจ่พนๅฝๆ—่‡ชๆฒปๅŽฟ':'ไนๅฑฑๅธ‚', '้ฉฌ่พนๅฝๆ—่‡ชๆฒปๅŽฟ':'ไนๅฑฑๅธ‚', 'ๅณจ็œ‰ๅฑฑๅธ‚':'ไนๅฑฑๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅ—ๅ……ๅธ‚', '้กบๅบ†ๅŒบ':'ๅ—ๅ……ๅธ‚', '้ซ˜ๅชๅŒบ':'ๅ—ๅ……ๅธ‚', 'ๅ˜‰้™ตๅŒบ':'ๅ—ๅ……ๅธ‚', 'ๅ—้ƒจๅŽฟ':'ๅ—ๅ……ๅธ‚', '่ฅๅฑฑๅŽฟ':'ๅ—ๅ……ๅธ‚', '่“ฌๅฎ‰ๅŽฟ':'ๅ—ๅ……ๅธ‚', 'ไปช้™‡ๅŽฟ':'ๅ—ๅ……ๅธ‚', '่ฅฟๅ……ๅŽฟ':'ๅ—ๅ……ๅธ‚', '้˜†ไธญๅธ‚':'ๅ—ๅ……ๅธ‚', 'ๅธ‚่พ–ๅŒบ':'็œ‰ๅฑฑๅธ‚', 'ไธœๅกๅŒบ':'็œ‰ๅฑฑๅธ‚', 'ไปๅฏฟๅŽฟ':'็œ‰ๅฑฑๅธ‚', 'ๅฝญๅฑฑๅŽฟ':'็œ‰ๅฑฑๅธ‚', 'ๆดช้›…ๅŽฟ':'็œ‰ๅฑฑๅธ‚', 'ไธนๆฃฑๅŽฟ':'็œ‰ๅฑฑๅธ‚', '้’็ฅžๅŽฟ':'็œ‰ๅฑฑๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅฎœๅฎพๅธ‚', '็ฟ ๅฑๅŒบ':'ๅฎœๅฎพๅธ‚', 'ๅฎœๅฎพๅŽฟ':'ๅฎœๅฎพๅธ‚', 'ๅ—ๆบชๅŽฟ':'ๅฎœๅฎพๅธ‚', 'ๆฑŸๅฎ‰ๅŽฟ':'ๅฎœๅฎพๅธ‚', '้•ฟๅฎๅŽฟ':'ๅฎœๅฎพๅธ‚', '้ซ˜ๅŽฟ':'ๅฎœๅฎพๅธ‚', '็™ๅŽฟ':'ๅฎœๅฎพๅธ‚', '็ญ ่ฟžๅŽฟ':'ๅฎœๅฎพๅธ‚', 'ๅ…ดๆ–‡ๅŽฟ':'ๅฎœๅฎพๅธ‚', 'ๅฑๅฑฑๅŽฟ':'ๅฎœๅฎพๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅนฟๅฎ‰ๅธ‚', 'ๅนฟๅฎ‰ๅŒบ':'ๅนฟๅฎ‰ๅธ‚', 'ๅฒณๆฑ ๅŽฟ':'ๅนฟๅฎ‰ๅธ‚', 'ๆญฆ่ƒœๅŽฟ':'ๅนฟๅฎ‰ๅธ‚', '้‚ปๆฐดๅŽฟ':'ๅนฟๅฎ‰ๅธ‚', 'ๅŽ่Žนๅธ‚':'ๅนฟๅฎ‰ๅธ‚', 'ๅธ‚่พ–ๅŒบ':'่พพๅทžๅธ‚', '้€šๅทๅŒบ':'่พพๅทžๅธ‚', '่พพๅŽฟ':'่พพๅทžๅธ‚', 'ๅฎฃๆฑ‰ๅŽฟ':'่พพๅทžๅธ‚', 'ๅผ€ๆฑŸๅŽฟ':'่พพๅทžๅธ‚', 'ๅคง็ซนๅŽฟ':'่พพๅทžๅธ‚', 'ๆธ ๅŽฟ':'่พพๅทžๅธ‚', 'ไธ‡ๆบๅธ‚':'่พพๅทžๅธ‚', 'ๅธ‚่พ–ๅŒบ':'้›…ๅฎ‰ๅธ‚', '้›จๅŸŽๅŒบ':'้›…ๅฎ‰ๅธ‚', 'ๅๅฑฑๅŽฟ':'้›…ๅฎ‰ๅธ‚', '่ฅ็ปๅŽฟ':'้›…ๅฎ‰ๅธ‚', 'ๆฑ‰ๆบๅŽฟ':'้›…ๅฎ‰ๅธ‚', '็Ÿณๆฃ‰ๅŽฟ':'้›…ๅฎ‰ๅธ‚', 'ๅคฉๅ…จๅŽฟ':'้›…ๅฎ‰ๅธ‚', '่ŠฆๅฑฑๅŽฟ':'้›…ๅฎ‰ๅธ‚', 'ๅฎๅ…ดๅŽฟ':'้›…ๅฎ‰ๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅทดไธญๅธ‚', 'ๅทดๅทžๅŒบ':'ๅทดไธญๅธ‚', '้€šๆฑŸๅŽฟ':'ๅทดไธญๅธ‚', 'ๅ—ๆฑŸๅŽฟ':'ๅทดไธญๅธ‚', 'ๅนณๆ˜ŒๅŽฟ':'ๅทดไธญๅธ‚', 'ๅธ‚่พ–ๅŒบ':'่ต„้˜ณๅธ‚', '้›ๆฑŸๅŒบ':'่ต„้˜ณๅธ‚', 'ๅฎ‰ๅฒณๅŽฟ':'่ต„้˜ณๅธ‚', 'ไน่‡ณๅŽฟ':'่ต„้˜ณๅธ‚', '็ฎ€้˜ณๅธ‚':'่ต„้˜ณๅธ‚', 'ๆฑถๅทๅŽฟ':'้˜ฟๅ่—ๆ—็พŒๆ—่‡ชๆฒปๅทž', '็†ๅŽฟ':'้˜ฟๅ่—ๆ—็พŒๆ—่‡ชๆฒปๅทž', '่Œ‚ๅŽฟ':'้˜ฟๅ่—ๆ—็พŒๆ—่‡ชๆฒปๅทž', 'ๆพๆฝ˜ๅŽฟ':'้˜ฟๅ่—ๆ—็พŒๆ—่‡ชๆฒปๅทž', 'ไนๅฏจๆฒŸๅŽฟ':'้˜ฟๅ่—ๆ—็พŒๆ—่‡ชๆฒปๅทž', '้‡‘ๅทๅŽฟ':'้˜ฟๅ่—ๆ—็พŒๆ—่‡ชๆฒปๅทž', 'ๅฐ้‡‘ๅŽฟ':'้˜ฟๅ่—ๆ—็พŒๆ—่‡ชๆฒปๅทž', '้ป‘ๆฐดๅŽฟ':'้˜ฟๅ่—ๆ—็พŒๆ—่‡ชๆฒปๅทž', '้ฉฌๅฐ”ๅบทๅŽฟ':'้˜ฟๅ่—ๆ—็พŒๆ—่‡ชๆฒปๅทž', 'ๅฃคๅก˜ๅŽฟ':'้˜ฟๅ่—ๆ—็พŒๆ—่‡ชๆฒปๅทž', '้˜ฟๅๅŽฟ':'้˜ฟๅ่—ๆ—็พŒๆ—่‡ชๆฒปๅทž', '่‹ฅๅฐ”็›–ๅŽฟ':'้˜ฟๅ่—ๆ—็พŒๆ—่‡ชๆฒปๅทž', '็บขๅŽŸๅŽฟ':'้˜ฟๅ่—ๆ—็พŒๆ—่‡ชๆฒปๅทž', 'ๅบทๅฎšๅŽฟ':'็”˜ๅญœ่—ๆ—่‡ชๆฒปๅทž', 'ๆณธๅฎšๅŽฟ':'็”˜ๅญœ่—ๆ—่‡ชๆฒปๅทž', 'ไธนๅทดๅŽฟ':'็”˜ๅญœ่—ๆ—่‡ชๆฒปๅทž', 'ไน้พ™ๅŽฟ':'็”˜ๅญœ่—ๆ—่‡ชๆฒปๅทž', '้›…ๆฑŸๅŽฟ':'็”˜ๅญœ่—ๆ—่‡ชๆฒปๅทž', '้“ๅญšๅŽฟ':'็”˜ๅญœ่—ๆ—่‡ชๆฒปๅทž', '็‚‰้œๅŽฟ':'็”˜ๅญœ่—ๆ—่‡ชๆฒปๅทž', '็”˜ๅญœๅŽฟ':'็”˜ๅญœ่—ๆ—่‡ชๆฒปๅทž', 'ๆ–ฐ้พ™ๅŽฟ':'็”˜ๅญœ่—ๆ—่‡ชๆฒปๅทž', 'ๅพทๆ ผๅŽฟ':'็”˜ๅญœ่—ๆ—่‡ชๆฒปๅทž', '็™ฝ็މๅŽฟ':'็”˜ๅญœ่—ๆ—่‡ชๆฒปๅทž', '็Ÿณๆธ ๅŽฟ':'็”˜ๅญœ่—ๆ—่‡ชๆฒปๅทž', '่‰ฒ่พพๅŽฟ':'็”˜ๅญœ่—ๆ—่‡ชๆฒปๅทž', '็†ๅก˜ๅŽฟ':'็”˜ๅญœ่—ๆ—่‡ชๆฒปๅทž', 'ๅทดๅก˜ๅŽฟ':'็”˜ๅญœ่—ๆ—่‡ชๆฒปๅทž', 'ไนกๅŸŽๅŽฟ':'็”˜ๅญœ่—ๆ—่‡ชๆฒปๅทž', '็จปๅŸŽๅŽฟ':'็”˜ๅญœ่—ๆ—่‡ชๆฒปๅทž', 'ๅพ—่ฃๅŽฟ':'็”˜ๅญœ่—ๆ—่‡ชๆฒปๅทž', '่ฅฟๆ˜Œๅธ‚':'ๅ‡‰ๅฑฑๅฝๆ—่‡ชๆฒปๅทž', 'ๆœจ้‡Œ่—ๆ—่‡ชๆฒปๅŽฟ':'ๅ‡‰ๅฑฑๅฝๆ—่‡ชๆฒปๅทž', '็›ๆบๅŽฟ':'ๅ‡‰ๅฑฑๅฝๆ—่‡ชๆฒปๅทž', 'ๅพทๆ˜ŒๅŽฟ':'ๅ‡‰ๅฑฑๅฝๆ—่‡ชๆฒปๅทž', 'ไผš็†ๅŽฟ':'ๅ‡‰ๅฑฑๅฝๆ—่‡ชๆฒปๅทž', 'ไผšไธœๅŽฟ':'ๅ‡‰ๅฑฑๅฝๆ—่‡ชๆฒปๅทž', 'ๅฎๅ—ๅŽฟ':'ๅ‡‰ๅฑฑๅฝๆ—่‡ชๆฒปๅทž', 'ๆ™ฎๆ ผๅŽฟ':'ๅ‡‰ๅฑฑๅฝๆ—่‡ชๆฒปๅทž', 'ๅธƒๆ‹–ๅŽฟ':'ๅ‡‰ๅฑฑๅฝๆ—่‡ชๆฒปๅทž', '้‡‘้˜ณๅŽฟ':'ๅ‡‰ๅฑฑๅฝๆ—่‡ชๆฒปๅทž', 'ๆ˜ญ่ง‰ๅŽฟ':'ๅ‡‰ๅฑฑๅฝๆ—่‡ชๆฒปๅทž', 'ๅ–œๅพทๅŽฟ':'ๅ‡‰ๅฑฑๅฝๆ—่‡ชๆฒปๅทž', 'ๅ†•ๅฎๅŽฟ':'ๅ‡‰ๅฑฑๅฝๆ—่‡ชๆฒปๅทž', '่ถŠ่ฅฟๅŽฟ':'ๅ‡‰ๅฑฑๅฝๆ—่‡ชๆฒปๅทž', '็”˜ๆด›ๅŽฟ':'ๅ‡‰ๅฑฑๅฝๆ—่‡ชๆฒปๅทž', '็พŽๅง‘ๅŽฟ':'ๅ‡‰ๅฑฑๅฝๆ—่‡ชๆฒปๅทž', '้›ทๆณขๅŽฟ':'ๅ‡‰ๅฑฑๅฝๆ—่‡ชๆฒปๅทž', 'ๅธ‚่พ–ๅŒบ':'่ดต้˜ณๅธ‚', 'ๅ—ๆ˜ŽๅŒบ':'่ดต้˜ณๅธ‚', 'ไบ‘ๅฒฉๅŒบ':'่ดต้˜ณๅธ‚', '่ŠฑๆบชๅŒบ':'่ดต้˜ณๅธ‚', 'ไนŒๅฝ“ๅŒบ':'่ดต้˜ณๅธ‚', '็™ฝไบ‘ๅŒบ':'่ดต้˜ณๅธ‚', 'ๅฐๆฒณๅŒบ':'่ดต้˜ณๅธ‚', 'ๅผ€้˜ณๅŽฟ':'่ดต้˜ณๅธ‚', 'ๆฏ็ƒฝๅŽฟ':'่ดต้˜ณๅธ‚', 'ไฟฎๆ–‡ๅŽฟ':'่ดต้˜ณๅธ‚', 'ๆธ…้•‡ๅธ‚':'่ดต้˜ณๅธ‚', '้’ŸๅฑฑๅŒบ':'ๅ…ญ็›˜ๆฐดๅธ‚', 'ๅ…ญๆž็‰นๅŒบ':'ๅ…ญ็›˜ๆฐดๅธ‚', 'ๆฐดๅŸŽๅŽฟ':'ๅ…ญ็›˜ๆฐดๅธ‚', '็›˜ๅŽฟ':'ๅ…ญ็›˜ๆฐดๅธ‚', 'ๅธ‚่พ–ๅŒบ':'้ตไน‰ๅธ‚', '็บข่Šฑๅฒ—ๅŒบ':'้ตไน‰ๅธ‚', 'ๆฑ‡ๅทๅŒบ':'้ตไน‰ๅธ‚', '้ตไน‰ๅŽฟ':'้ตไน‰ๅธ‚', 'ๆกๆข“ๅŽฟ':'้ตไน‰ๅธ‚', '็ปฅ้˜ณๅŽฟ':'้ตไน‰ๅธ‚', 'ๆญฃๅฎ‰ๅŽฟ':'้ตไน‰ๅธ‚', '้“็œŸไปกไฝฌๆ—่‹—ๆ—่‡ชๆฒปๅŽฟ':'้ตไน‰ๅธ‚', 'ๅŠกๅทไปกไฝฌๆ—่‹—ๆ—่‡ชๆฒปๅŽฟ':'้ตไน‰ๅธ‚', 'ๅ‡คๅ†ˆๅŽฟ':'้ตไน‰ๅธ‚', 'ๆน„ๆฝญๅŽฟ':'้ตไน‰ๅธ‚', 'ไฝ™ๅบ†ๅŽฟ':'้ตไน‰ๅธ‚', 'ไน ๆฐดๅŽฟ':'้ตไน‰ๅธ‚', '่ตคๆฐดๅธ‚':'้ตไน‰ๅธ‚', 'ไปๆ€€ๅธ‚':'้ตไน‰ๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅฎ‰้กบๅธ‚', '่ฅฟ็ง€ๅŒบ':'ๅฎ‰้กบๅธ‚', 'ๅนณๅๅŽฟ':'ๅฎ‰้กบๅธ‚', 'ๆ™ฎๅฎšๅŽฟ':'ๅฎ‰้กบๅธ‚', '้•‡ๅฎๅธƒไพๆ—่‹—ๆ—่‡ชๆฒปๅŽฟ':'ๅฎ‰้กบๅธ‚', 'ๅ…ณๅฒญๅธƒไพๆ—่‹—ๆ—่‡ชๆฒปๅŽฟ':'ๅฎ‰้กบๅธ‚', '็ดซไบ‘่‹—ๆ—ๅธƒไพๆ—่‡ชๆฒปๅŽฟ':'ๅฎ‰้กบๅธ‚', '้“œไปๅธ‚':'้“œไปๅœฐๅŒบ', 'ๆฑŸๅฃๅŽฟ':'้“œไปๅœฐๅŒบ', '็މๅฑไพ—ๆ—่‡ชๆฒปๅŽฟ':'้“œไปๅœฐๅŒบ', '็Ÿณ้˜กๅŽฟ':'้“œไปๅœฐๅŒบ', 'ๆ€ๅ—ๅŽฟ':'้“œไปๅœฐๅŒบ', 'ๅฐๆฑŸๅœŸๅฎถๆ—่‹—ๆ—่‡ชๆฒปๅŽฟ':'้“œไปๅœฐๅŒบ', 'ๅพทๆฑŸๅŽฟ':'้“œไปๅœฐๅŒบ', 'ๆฒฟๆฒณๅœŸๅฎถๆ—่‡ชๆฒปๅŽฟ':'้“œไปๅœฐๅŒบ', 'ๆพๆกƒ่‹—ๆ—่‡ชๆฒปๅŽฟ':'้“œไปๅœฐๅŒบ', 'ไธ‡ๅฑฑ็‰นๅŒบ':'้“œไปๅœฐๅŒบ', 'ๅ…ดไน‰ๅธ‚':'้ป”่ฅฟๅ—ๅธƒไพๆ—่‹—ๆ—่‡ชๆฒปๅทž', 'ๅ…ดไปๅŽฟ':'้ป”่ฅฟๅ—ๅธƒไพๆ—่‹—ๆ—่‡ชๆฒปๅทž', 'ๆ™ฎๅฎ‰ๅŽฟ':'้ป”่ฅฟๅ—ๅธƒไพๆ—่‹—ๆ—่‡ชๆฒปๅทž', 'ๆ™ด้š†ๅŽฟ':'้ป”่ฅฟๅ—ๅธƒไพๆ—่‹—ๆ—่‡ชๆฒปๅทž', '่ดžไธฐๅŽฟ':'้ป”่ฅฟๅ—ๅธƒไพๆ—่‹—ๆ—่‡ชๆฒปๅทž', 'ๆœ›่ฐŸๅŽฟ':'้ป”่ฅฟๅ—ๅธƒไพๆ—่‹—ๆ—่‡ชๆฒปๅทž', 'ๅ†ŒไบจๅŽฟ':'้ป”่ฅฟๅ—ๅธƒไพๆ—่‹—ๆ—่‡ชๆฒปๅทž', 'ๅฎ‰้พ™ๅŽฟ':'้ป”่ฅฟๅ—ๅธƒไพๆ—่‹—ๆ—่‡ชๆฒปๅทž', 'ๆฏ•่Š‚ๅธ‚':'ๆฏ•่Š‚ๅœฐๅŒบ', 'ๅคงๆ–นๅŽฟ':'ๆฏ•่Š‚ๅœฐๅŒบ', '้ป”่ฅฟๅŽฟ':'ๆฏ•่Š‚ๅœฐๅŒบ', '้‡‘ๆฒ™ๅŽฟ':'ๆฏ•่Š‚ๅœฐๅŒบ', '็ป‡้‡‘ๅŽฟ':'ๆฏ•่Š‚ๅœฐๅŒบ', '็บณ้›ๅŽฟ':'ๆฏ•่Š‚ๅœฐๅŒบ', 'ๅจๅฎๅฝๆ—ๅ›žๆ—่‹—ๆ—่‡ชๆฒปๅŽฟ':'ๆฏ•่Š‚ๅœฐๅŒบ', '่ตซ็ซ ๅŽฟ':'ๆฏ•่Š‚ๅœฐๅŒบ', 'ๅ‡ฏ้‡Œๅธ‚':'้ป”ไธœๅ—่‹—ๆ—ไพ—ๆ—่‡ชๆฒปๅทž', '้ป„ๅนณๅŽฟ':'้ป”ไธœๅ—่‹—ๆ—ไพ—ๆ—่‡ชๆฒปๅทž', 'ๆ–ฝ็ง‰ๅŽฟ':'้ป”ไธœๅ—่‹—ๆ—ไพ—ๆ—่‡ชๆฒปๅทž', 'ไธ‰็ฉ—ๅŽฟ':'้ป”ไธœๅ—่‹—ๆ—ไพ—ๆ—่‡ชๆฒปๅทž', '้•‡่ฟœๅŽฟ':'้ป”ไธœๅ—่‹—ๆ—ไพ—ๆ—่‡ชๆฒปๅทž', 'ๅฒ‘ๅทฉๅŽฟ':'้ป”ไธœๅ—่‹—ๆ—ไพ—ๆ—่‡ชๆฒปๅทž', 'ๅคฉๆŸฑๅŽฟ':'้ป”ไธœๅ—่‹—ๆ—ไพ—ๆ—่‡ชๆฒปๅทž', '้”ฆๅฑๅŽฟ':'้ป”ไธœๅ—่‹—ๆ—ไพ—ๆ—่‡ชๆฒปๅทž', 'ๅ‰‘ๆฒณๅŽฟ':'้ป”ไธœๅ—่‹—ๆ—ไพ—ๆ—่‡ชๆฒปๅทž', 'ๅฐๆฑŸๅŽฟ':'้ป”ไธœๅ—่‹—ๆ—ไพ—ๆ—่‡ชๆฒปๅทž', '้ปŽๅนณๅŽฟ':'้ป”ไธœๅ—่‹—ๆ—ไพ—ๆ—่‡ชๆฒปๅทž', 'ๆฆ•ๆฑŸๅŽฟ':'้ป”ไธœๅ—่‹—ๆ—ไพ—ๆ—่‡ชๆฒปๅทž', 'ไปŽๆฑŸๅŽฟ':'้ป”ไธœๅ—่‹—ๆ—ไพ—ๆ—่‡ชๆฒปๅทž', '้›ทๅฑฑๅŽฟ':'้ป”ไธœๅ—่‹—ๆ—ไพ—ๆ—่‡ชๆฒปๅทž', '้บปๆฑŸๅŽฟ':'้ป”ไธœๅ—่‹—ๆ—ไพ—ๆ—่‡ชๆฒปๅทž', 'ไธนๅฏจๅŽฟ':'้ป”ไธœๅ—่‹—ๆ—ไพ—ๆ—่‡ชๆฒปๅทž', '้ƒฝๅŒ€ๅธ‚':'้ป”ๅ—ๅธƒไพๆ—่‹—ๆ—่‡ชๆฒปๅทž', '็ฆๆณ‰ๅธ‚':'้ป”ๅ—ๅธƒไพๆ—่‹—ๆ—่‡ชๆฒปๅทž', '่”ๆณขๅŽฟ':'้ป”ๅ—ๅธƒไพๆ—่‹—ๆ—่‡ชๆฒปๅทž', '่ดตๅฎšๅŽฟ':'้ป”ๅ—ๅธƒไพๆ—่‹—ๆ—่‡ชๆฒปๅทž', '็“ฎๅฎ‰ๅŽฟ':'้ป”ๅ—ๅธƒไพๆ—่‹—ๆ—่‡ชๆฒปๅทž', '็‹ฌๅฑฑๅŽฟ':'้ป”ๅ—ๅธƒไพๆ—่‹—ๆ—่‡ชๆฒปๅทž', 'ๅนณๅก˜ๅŽฟ':'้ป”ๅ—ๅธƒไพๆ—่‹—ๆ—่‡ชๆฒปๅทž', '็ฝ—็”ธๅŽฟ':'้ป”ๅ—ๅธƒไพๆ—่‹—ๆ—่‡ชๆฒปๅทž', '้•ฟ้กบๅŽฟ':'้ป”ๅ—ๅธƒไพๆ—่‹—ๆ—่‡ชๆฒปๅทž', '้พ™้‡ŒๅŽฟ':'้ป”ๅ—ๅธƒไพๆ—่‹—ๆ—่‡ชๆฒปๅทž', 'ๆƒ ๆฐดๅŽฟ':'้ป”ๅ—ๅธƒไพๆ—่‹—ๆ—่‡ชๆฒปๅทž', 'ไธ‰้ƒฝๆฐดๆ—่‡ชๆฒปๅŽฟ':'้ป”ๅ—ๅธƒไพๆ—่‹—ๆ—่‡ชๆฒปๅทž', 'ๅธ‚่พ–ๅŒบ':'ๆ˜†ๆ˜Žๅธ‚', 'ไบ”ๅŽๅŒบ':'ๆ˜†ๆ˜Žๅธ‚', '็›˜้พ™ๅŒบ':'ๆ˜†ๆ˜Žๅธ‚', 'ๅฎ˜ๆธกๅŒบ':'ๆ˜†ๆ˜Žๅธ‚', '่ฅฟๅฑฑๅŒบ':'ๆ˜†ๆ˜Žๅธ‚', 'ไธœๅทๅŒบ':'ๆ˜†ๆ˜Žๅธ‚', 'ๅ‘ˆ่ดกๅŽฟ':'ๆ˜†ๆ˜Žๅธ‚', 'ๆ™‹ๅฎๅŽฟ':'ๆ˜†ๆ˜Žๅธ‚', 'ๅฏŒๆฐ‘ๅŽฟ':'ๆ˜†ๆ˜Žๅธ‚', 'ๅฎœ่‰ฏๅŽฟ':'ๆ˜†ๆ˜Žๅธ‚', '็Ÿณๆž—ๅฝๆ—่‡ชๆฒปๅŽฟ':'ๆ˜†ๆ˜Žๅธ‚', 'ๅตฉๆ˜ŽๅŽฟ':'ๆ˜†ๆ˜Žๅธ‚', '็ฆ„ๅŠๅฝๆ—่‹—ๆ—่‡ชๆฒปๅŽฟ':'ๆ˜†ๆ˜Žๅธ‚', 'ๅฏป็”ธๅ›žๆ—ๅฝๆ—่‡ชๆฒปๅŽฟ':'ๆ˜†ๆ˜Žๅธ‚', 'ๅฎ‰ๅฎๅธ‚':'ๆ˜†ๆ˜Žๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆ›ฒ้–ๅธ‚', '้บ’้บŸๅŒบ':'ๆ›ฒ้–ๅธ‚', '้ฉฌ้พ™ๅŽฟ':'ๆ›ฒ้–ๅธ‚', '้™†่‰ฏๅŽฟ':'ๆ›ฒ้–ๅธ‚', 'ๅธˆๅฎ—ๅŽฟ':'ๆ›ฒ้–ๅธ‚', '็ฝ—ๅนณๅŽฟ':'ๆ›ฒ้–ๅธ‚', 'ๅฏŒๆบๅŽฟ':'ๆ›ฒ้–ๅธ‚', 'ไผšๆณฝๅŽฟ':'ๆ›ฒ้–ๅธ‚', 'ๆฒพ็›ŠๅŽฟ':'ๆ›ฒ้–ๅธ‚', 'ๅฎฃๅจๅธ‚':'ๆ›ฒ้–ๅธ‚', 'ๅธ‚่พ–ๅŒบ':'็މๆบชๅธ‚', '็บขๅก”ๅŒบ':'็މๆบชๅธ‚', 'ๆฑŸๅทๅŽฟ':'็މๆบชๅธ‚', 'ๆพ„ๆฑŸๅŽฟ':'็މๆบชๅธ‚', '้€šๆตทๅŽฟ':'็މๆบชๅธ‚', 'ๅŽๅฎๅŽฟ':'็މๆบชๅธ‚', 'ๆ˜“้—จๅŽฟ':'็މๆบชๅธ‚', 'ๅณจๅฑฑๅฝๆ—่‡ชๆฒปๅŽฟ':'็މๆบชๅธ‚', 'ๆ–ฐๅนณๅฝๆ—ๅ‚ฃๆ—่‡ชๆฒปๅŽฟ':'็މๆบชๅธ‚', 'ๅ…ƒๆฑŸๅ“ˆๅฐผๆ—ๅฝๆ—ๅ‚ฃๆ—่‡ชๆฒปๅŽฟ':'็މๆบชๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ไฟๅฑฑๅธ‚', '้š†้˜ณๅŒบ':'ไฟๅฑฑๅธ‚', 'ๆ–ฝ็”ธๅŽฟ':'ไฟๅฑฑๅธ‚', '่…พๅ†ฒๅŽฟ':'ไฟๅฑฑๅธ‚', '้พ™้™ตๅŽฟ':'ไฟๅฑฑๅธ‚', 'ๆ˜ŒๅฎๅŽฟ':'ไฟๅฑฑๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆ˜ญ้€šๅธ‚', 'ๆ˜ญ้˜ณๅŒบ':'ๆ˜ญ้€šๅธ‚', '้ฒ็”ธๅŽฟ':'ๆ˜ญ้€šๅธ‚', 'ๅทงๅฎถๅŽฟ':'ๆ˜ญ้€šๅธ‚', '็›ๆดฅๅŽฟ':'ๆ˜ญ้€šๅธ‚', 'ๅคงๅ…ณๅŽฟ':'ๆ˜ญ้€šๅธ‚', 'ๆฐธๅ–„ๅŽฟ':'ๆ˜ญ้€šๅธ‚', '็ปฅๆฑŸๅŽฟ':'ๆ˜ญ้€šๅธ‚', '้•‡้›„ๅŽฟ':'ๆ˜ญ้€šๅธ‚', 'ๅฝ่‰ฏๅŽฟ':'ๆ˜ญ้€šๅธ‚', 'ๅจไฟกๅŽฟ':'ๆ˜ญ้€šๅธ‚', 'ๆฐดๅฏŒๅŽฟ':'ๆ˜ญ้€šๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ไธฝๆฑŸๅธ‚', 'ๅคๅŸŽๅŒบ':'ไธฝๆฑŸๅธ‚', '็މ้พ™็บณ่ฅฟๆ—่‡ชๆฒปๅŽฟ':'ไธฝๆฑŸๅธ‚', 'ๆฐธ่ƒœๅŽฟ':'ไธฝๆฑŸๅธ‚', 'ๅŽๅชๅŽฟ':'ไธฝๆฑŸๅธ‚', 'ๅฎ่’—ๅฝๆ—่‡ชๆฒปๅŽฟ':'ไธฝๆฑŸๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆ€่Œ…ๅธ‚', '็ฟ ไบ‘ๅŒบ':'ๆ€่Œ…ๅธ‚', 'ๆ™ฎๆดฑๅ“ˆๅฐผๆ—ๅฝๆ—่‡ชๆฒปๅŽฟ':'ๆ€่Œ…ๅธ‚', 'ๅขจๆฑŸๅ“ˆๅฐผๆ—่‡ชๆฒปๅŽฟ':'ๆ€่Œ…ๅธ‚', 'ๆ™ฏไธœๅฝๆ—่‡ชๆฒปๅŽฟ':'ๆ€่Œ…ๅธ‚', 'ๆ™ฏ่ฐทๅ‚ฃๆ—ๅฝๆ—่‡ชๆฒปๅŽฟ':'ๆ€่Œ…ๅธ‚', '้•‡ๆฒ…ๅฝๆ—ๅ“ˆๅฐผๆ—ๆ‹‰็ฅœๆ—่‡ชๆฒปๅŽฟ':'ๆ€่Œ…ๅธ‚', 'ๆฑŸๅŸŽๅ“ˆๅฐผๆ—ๅฝๆ—่‡ชๆฒปๅŽฟ':'ๆ€่Œ…ๅธ‚', 'ๅญŸ่ฟžๅ‚ฃๆ—ๆ‹‰็ฅœๆ—ไฝคๆ—่‡ชๆฒปๅŽฟ':'ๆ€่Œ…ๅธ‚', 'ๆพœๆฒงๆ‹‰็ฅœๆ—่‡ชๆฒปๅŽฟ':'ๆ€่Œ…ๅธ‚', '่ฅฟ็›Ÿไฝคๆ—่‡ชๆฒปๅŽฟ':'ๆ€่Œ…ๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ไธดๆฒงๅธ‚', 'ไธด็ฟ”ๅŒบ':'ไธดๆฒงๅธ‚', 'ๅ‡คๅบ†ๅŽฟ':'ไธดๆฒงๅธ‚', 'ไบ‘ๅŽฟ':'ไธดๆฒงๅธ‚', 'ๆฐธๅพทๅŽฟ':'ไธดๆฒงๅธ‚', '้•‡ๅบทๅŽฟ':'ไธดๆฒงๅธ‚', 'ๅŒๆฑŸๆ‹‰็ฅœๆ—ไฝคๆ—ๅธƒๆœ—ๆ—ๅ‚ฃๆ—่‡ชๆฒปๅŽฟ':'ไธดๆฒงๅธ‚', '่€ฟ้ฉฌๅ‚ฃๆ—ไฝคๆ—่‡ชๆฒปๅŽฟ':'ไธดๆฒงๅธ‚', 'ๆฒงๆบไฝคๆ—่‡ชๆฒปๅŽฟ':'ไธดๆฒงๅธ‚', 'ๆฅš้›„ๅธ‚':'ๆฅš้›„ๅฝๆ—่‡ชๆฒปๅทž', 'ๅŒๆŸๅŽฟ':'ๆฅš้›„ๅฝๆ—่‡ชๆฒปๅทž', '็‰ŸๅฎšๅŽฟ':'ๆฅš้›„ๅฝๆ—่‡ชๆฒปๅทž', 'ๅ—ๅŽๅŽฟ':'ๆฅš้›„ๅฝๆ—่‡ชๆฒปๅทž', 'ๅงšๅฎ‰ๅŽฟ':'ๆฅš้›„ๅฝๆ—่‡ชๆฒปๅทž', 'ๅคงๅงšๅŽฟ':'ๆฅš้›„ๅฝๆ—่‡ชๆฒปๅทž', 'ๆฐธไปๅŽฟ':'ๆฅš้›„ๅฝๆ—่‡ชๆฒปๅทž', 'ๅ…ƒ่ฐ‹ๅŽฟ':'ๆฅš้›„ๅฝๆ—่‡ชๆฒปๅทž', 'ๆญฆๅฎšๅŽฟ':'ๆฅš้›„ๅฝๆ—่‡ชๆฒปๅทž', '็ฆ„ไธฐๅŽฟ':'ๆฅš้›„ๅฝๆ—่‡ชๆฒปๅทž', 'ไธชๆ—งๅธ‚':'็บขๆฒณๅ“ˆๅฐผๆ—ๅฝๆ—่‡ชๆฒปๅทž', 'ๅผ€่ฟœๅธ‚':'็บขๆฒณๅ“ˆๅฐผๆ—ๅฝๆ—่‡ชๆฒปๅทž', '่’™่‡ชๅŽฟ':'็บขๆฒณๅ“ˆๅฐผๆ—ๅฝๆ—่‡ชๆฒปๅทž', 'ๅฑ่พน่‹—ๆ—่‡ชๆฒปๅŽฟ':'็บขๆฒณๅ“ˆๅฐผๆ—ๅฝๆ—่‡ชๆฒปๅทž', 'ๅปบๆฐดๅŽฟ':'็บขๆฒณๅ“ˆๅฐผๆ—ๅฝๆ—่‡ชๆฒปๅทž', '็ŸณๅฑๅŽฟ':'็บขๆฒณๅ“ˆๅฐผๆ—ๅฝๆ—่‡ชๆฒปๅทž', 'ๅผฅๅ‹’ๅŽฟ':'็บขๆฒณๅ“ˆๅฐผๆ—ๅฝๆ—่‡ชๆฒปๅทž', 'ๆณธ่ฅฟๅŽฟ':'็บขๆฒณๅ“ˆๅฐผๆ—ๅฝๆ—่‡ชๆฒปๅทž', 'ๅ…ƒ้˜ณๅŽฟ':'็บขๆฒณๅ“ˆๅฐผๆ—ๅฝๆ—่‡ชๆฒปๅทž', '็บขๆฒณๅŽฟ':'็บขๆฒณๅ“ˆๅฐผๆ—ๅฝๆ—่‡ชๆฒปๅทž', '้‡‘ๅนณ่‹—ๆ—็‘ถๆ—ๅ‚ฃๆ—่‡ชๆฒปๅŽฟ':'็บขๆฒณๅ“ˆๅฐผๆ—ๅฝๆ—่‡ชๆฒปๅทž', '็ปฟๆ˜ฅๅŽฟ':'็บขๆฒณๅ“ˆๅฐผๆ—ๅฝๆ—่‡ชๆฒปๅทž', 'ๆฒณๅฃ็‘ถๆ—่‡ชๆฒปๅŽฟ':'็บขๆฒณๅ“ˆๅฐผๆ—ๅฝๆ—่‡ชๆฒปๅทž', 'ๆ–‡ๅฑฑๅŽฟ':'ๆ–‡ๅฑฑๅฃฎๆ—่‹—ๆ—่‡ชๆฒปๅทž', '็ šๅฑฑๅŽฟ':'ๆ–‡ๅฑฑๅฃฎๆ—่‹—ๆ—่‡ชๆฒปๅทž', '่ฅฟ็•ดๅŽฟ':'ๆ–‡ๅฑฑๅฃฎๆ—่‹—ๆ—่‡ชๆฒปๅทž', '้บปๆ —ๅกๅŽฟ':'ๆ–‡ๅฑฑๅฃฎๆ—่‹—ๆ—่‡ชๆฒปๅทž', '้ฉฌๅ…ณๅŽฟ':'ๆ–‡ๅฑฑๅฃฎๆ—่‹—ๆ—่‡ชๆฒปๅทž', 'ไธ˜ๅŒ—ๅŽฟ':'ๆ–‡ๅฑฑๅฃฎๆ—่‹—ๆ—่‡ชๆฒปๅทž', 'ๅนฟๅ—ๅŽฟ':'ๆ–‡ๅฑฑๅฃฎๆ—่‹—ๆ—่‡ชๆฒปๅทž', 'ๅฏŒๅฎๅŽฟ':'ๆ–‡ๅฑฑๅฃฎๆ—่‹—ๆ—่‡ชๆฒปๅทž', 'ๆ™ฏๆดชๅธ‚':'่ฅฟๅŒ็‰ˆ็บณๅ‚ฃๆ—่‡ชๆฒปๅทž', 'ๅ‹ๆตทๅŽฟ':'่ฅฟๅŒ็‰ˆ็บณๅ‚ฃๆ—่‡ชๆฒปๅทž', 'ๅ‹่…ŠๅŽฟ':'่ฅฟๅŒ็‰ˆ็บณๅ‚ฃๆ—่‡ชๆฒปๅทž', 'ๅคง็†ๅธ‚':'ๅคง็†็™ฝๆ—่‡ชๆฒปๅทž', 'ๆผพๆฟžๅฝๆ—่‡ชๆฒปๅŽฟ':'ๅคง็†็™ฝๆ—่‡ชๆฒปๅทž', '็ฅฅไบ‘ๅŽฟ':'ๅคง็†็™ฝๆ—่‡ชๆฒปๅทž', 'ๅฎพๅทๅŽฟ':'ๅคง็†็™ฝๆ—่‡ชๆฒปๅทž', 'ๅผฅๆธกๅŽฟ':'ๅคง็†็™ฝๆ—่‡ชๆฒปๅทž', 'ๅ—ๆถงๅฝๆ—่‡ชๆฒปๅŽฟ':'ๅคง็†็™ฝๆ—่‡ชๆฒปๅทž', 'ๅทๅฑฑๅฝๆ—ๅ›žๆ—่‡ชๆฒปๅŽฟ':'ๅคง็†็™ฝๆ—่‡ชๆฒปๅทž', 'ๆฐธๅนณๅŽฟ':'ๅคง็†็™ฝๆ—่‡ชๆฒปๅทž', 'ไบ‘้พ™ๅŽฟ':'ๅคง็†็™ฝๆ—่‡ชๆฒปๅทž', 'ๆดฑๆบๅŽฟ':'ๅคง็†็™ฝๆ—่‡ชๆฒปๅทž', 'ๅ‰‘ๅทๅŽฟ':'ๅคง็†็™ฝๆ—่‡ชๆฒปๅทž', '้นคๅบ†ๅŽฟ':'ๅคง็†็™ฝๆ—่‡ชๆฒปๅทž', '็‘žไธฝๅธ‚':'ๅพทๅฎๅ‚ฃๆ—ๆ™ฏ้ข‡ๆ—่‡ชๆฒปๅทž', 'ๆฝž่ฅฟๅธ‚':'ๅพทๅฎๅ‚ฃๆ—ๆ™ฏ้ข‡ๆ—่‡ชๆฒปๅทž', 'ๆขๆฒณๅŽฟ':'ๅพทๅฎๅ‚ฃๆ—ๆ™ฏ้ข‡ๆ—่‡ชๆฒปๅทž', '็›ˆๆฑŸๅŽฟ':'ๅพทๅฎๅ‚ฃๆ—ๆ™ฏ้ข‡ๆ—่‡ชๆฒปๅทž', '้™‡ๅทๅŽฟ':'ๅพทๅฎๅ‚ฃๆ—ๆ™ฏ้ข‡ๆ—่‡ชๆฒปๅทž', 'ๆณธๆฐดๅŽฟ':'ๆ€’ๆฑŸๅ‚ˆๅƒณๆ—่‡ชๆฒปๅทž', '็ฆ่ดกๅŽฟ':'ๆ€’ๆฑŸๅ‚ˆๅƒณๆ—่‡ชๆฒปๅทž', '่ดกๅฑฑ็‹ฌ้พ™ๆ—ๆ€’ๆ—่‡ชๆฒปๅŽฟ':'ๆ€’ๆฑŸๅ‚ˆๅƒณๆ—่‡ชๆฒปๅทž', 'ๅ…ฐๅช็™ฝๆ—ๆ™ฎ็ฑณๆ—่‡ชๆฒปๅŽฟ':'ๆ€’ๆฑŸๅ‚ˆๅƒณๆ—่‡ชๆฒปๅทž', '้ฆ™ๆ ผ้‡Œๆ‹‰ๅŽฟ':'่ฟชๅบ†่—ๆ—่‡ชๆฒปๅทž', 'ๅพท้’ฆๅŽฟ':'่ฟชๅบ†่—ๆ—่‡ชๆฒปๅทž', '็ปด่ฅฟๅ‚ˆๅƒณๆ—่‡ชๆฒปๅŽฟ':'่ฟชๅบ†่—ๆ—่‡ชๆฒปๅทž', 'ๅธ‚่พ–ๅŒบ':'ๆ‹‰่จๅธ‚', 'ๅŸŽๅ…ณๅŒบ':'ๆ‹‰่จๅธ‚', 'ๆž—ๅ‘จๅŽฟ':'ๆ‹‰่จๅธ‚', 'ๅฝ“้›„ๅŽฟ':'ๆ‹‰่จๅธ‚', 'ๅฐผๆœจๅŽฟ':'ๆ‹‰่จๅธ‚', 'ๆ›ฒๆฐดๅŽฟ':'ๆ‹‰่จๅธ‚', 'ๅ †้พ™ๅพทๅบ†ๅŽฟ':'ๆ‹‰่จๅธ‚', '่พพๅญœๅŽฟ':'ๆ‹‰่จๅธ‚', 'ๅขจ็ซนๅทฅๅกๅŽฟ':'ๆ‹‰่จๅธ‚', 'ๆ˜Œ้ƒฝๅŽฟ':'ๆ˜Œ้ƒฝๅœฐๅŒบ', 'ๆฑŸ่พพๅŽฟ':'ๆ˜Œ้ƒฝๅœฐๅŒบ', '่ดก่ง‰ๅŽฟ':'ๆ˜Œ้ƒฝๅœฐๅŒบ', '็ฑปไนŒ้ฝๅŽฟ':'ๆ˜Œ้ƒฝๅœฐๅŒบ', 'ไธ้’ๅŽฟ':'ๆ˜Œ้ƒฝๅœฐๅŒบ', 'ๅฏŸ้›…ๅŽฟ':'ๆ˜Œ้ƒฝๅœฐๅŒบ', 'ๅ…ซๅฎฟๅŽฟ':'ๆ˜Œ้ƒฝๅœฐๅŒบ', 'ๅทฆ่ดกๅŽฟ':'ๆ˜Œ้ƒฝๅœฐๅŒบ', '่Š’ๅบทๅŽฟ':'ๆ˜Œ้ƒฝๅœฐๅŒบ', 'ๆด›้š†ๅŽฟ':'ๆ˜Œ้ƒฝๅœฐๅŒบ', '่พนๅๅŽฟ':'ๆ˜Œ้ƒฝๅœฐๅŒบ', 'ไนƒไธœๅŽฟ':'ๅฑฑๅ—ๅœฐๅŒบ', 'ๆ‰Žๅ›ŠๅŽฟ':'ๅฑฑๅ—ๅœฐๅŒบ', '่ดกๅ˜ŽๅŽฟ':'ๅฑฑๅ—ๅœฐๅŒบ', 'ๆก‘ๆ—ฅๅŽฟ':'ๅฑฑๅ—ๅœฐๅŒบ', '็ผ็ป“ๅŽฟ':'ๅฑฑๅ—ๅœฐๅŒบ', 'ๆ›ฒๆพๅŽฟ':'ๅฑฑๅ—ๅœฐๅŒบ', 'ๆŽช็พŽๅŽฟ':'ๅฑฑๅ—ๅœฐๅŒบ', 'ๆด›ๆ‰ŽๅŽฟ':'ๅฑฑๅ—ๅœฐๅŒบ', 'ๅŠ ๆŸฅๅŽฟ':'ๅฑฑๅ—ๅœฐๅŒบ', '้š†ๅญๅŽฟ':'ๅฑฑๅ—ๅœฐๅŒบ', '้”™้‚ฃๅŽฟ':'ๅฑฑๅ—ๅœฐๅŒบ', 'ๆตชๅกๅญๅŽฟ':'ๅฑฑๅ—ๅœฐๅŒบ', 'ๆ—ฅๅ–€ๅˆ™ๅธ‚':'ๆ—ฅๅ–€ๅˆ™ๅœฐๅŒบ', 'ๅ—ๆœจๆž—ๅŽฟ':'ๆ—ฅๅ–€ๅˆ™ๅœฐๅŒบ', 'ๆฑŸๅญœๅŽฟ':'ๆ—ฅๅ–€ๅˆ™ๅœฐๅŒบ', 'ๅฎšๆ—ฅๅŽฟ':'ๆ—ฅๅ–€ๅˆ™ๅœฐๅŒบ', '่จ่ฟฆๅŽฟ':'ๆ—ฅๅ–€ๅˆ™ๅœฐๅŒบ', 'ๆ‹‰ๅญœๅŽฟ':'ๆ—ฅๅ–€ๅˆ™ๅœฐๅŒบ', 'ๆ˜‚ไปๅŽฟ':'ๆ—ฅๅ–€ๅˆ™ๅœฐๅŒบ', '่ฐข้€š้—จๅŽฟ':'ๆ—ฅๅ–€ๅˆ™ๅœฐๅŒบ', '็™ฝๆœ—ๅŽฟ':'ๆ—ฅๅ–€ๅˆ™ๅœฐๅŒบ', 'ไปๅธƒๅŽฟ':'ๆ—ฅๅ–€ๅˆ™ๅœฐๅŒบ', 'ๅบท้ฉฌๅŽฟ':'ๆ—ฅๅ–€ๅˆ™ๅœฐๅŒบ', 'ๅฎš็ป“ๅŽฟ':'ๆ—ฅๅ–€ๅˆ™ๅœฐๅŒบ', 'ไปฒๅทดๅŽฟ':'ๆ—ฅๅ–€ๅˆ™ๅœฐๅŒบ', 'ไบšไธœๅŽฟ':'ๆ—ฅๅ–€ๅˆ™ๅœฐๅŒบ', 'ๅ‰้š†ๅŽฟ':'ๆ—ฅๅ–€ๅˆ™ๅœฐๅŒบ', '่‚ๆ‹‰ๆœจๅŽฟ':'ๆ—ฅๅ–€ๅˆ™ๅœฐๅŒบ', '่จๅ˜ŽๅŽฟ':'ๆ—ฅๅ–€ๅˆ™ๅœฐๅŒบ', 'ๅฒ—ๅทดๅŽฟ':'ๆ—ฅๅ–€ๅˆ™ๅœฐๅŒบ', '้‚ฃๆ›ฒๅŽฟ':'้‚ฃๆ›ฒๅœฐๅŒบ', 'ๅ˜‰้ปŽๅŽฟ':'้‚ฃๆ›ฒๅœฐๅŒบ', 'ๆฏ”ๅฆ‚ๅŽฟ':'้‚ฃๆ›ฒๅœฐๅŒบ', '่‚่ฃๅŽฟ':'้‚ฃๆ›ฒๅœฐๅŒบ', 'ๅฎ‰ๅคšๅŽฟ':'้‚ฃๆ›ฒๅœฐๅŒบ', '็”ณๆ‰ŽๅŽฟ':'้‚ฃๆ›ฒๅœฐๅŒบ', '็ดขๅŽฟ':'้‚ฃๆ›ฒๅœฐๅŒบ', '็ญๆˆˆๅŽฟ':'้‚ฃๆ›ฒๅœฐๅŒบ', 'ๅทด้’ๅŽฟ':'้‚ฃๆ›ฒๅœฐๅŒบ', 'ๅฐผ็Ž›ๅŽฟ':'้‚ฃๆ›ฒๅœฐๅŒบ', 'ๆ™ฎๅ…ฐๅŽฟ':'้˜ฟ้‡ŒๅœฐๅŒบ', 'ๆœญ่พพๅŽฟ':'้˜ฟ้‡ŒๅœฐๅŒบ', 'ๅ™ถๅฐ”ๅŽฟ':'้˜ฟ้‡ŒๅœฐๅŒบ', 'ๆ—ฅๅœŸๅŽฟ':'้˜ฟ้‡ŒๅœฐๅŒบ', '้ฉๅ‰ๅŽฟ':'้˜ฟ้‡ŒๅœฐๅŒบ', 'ๆ”นๅˆ™ๅŽฟ':'้˜ฟ้‡ŒๅœฐๅŒบ', 'ๆŽชๅ‹คๅŽฟ':'้˜ฟ้‡ŒๅœฐๅŒบ', 'ๆž—่ŠๅŽฟ':'ๆž—่ŠๅœฐๅŒบ', 'ๅทฅๅธƒๆฑŸ่พพๅŽฟ':'ๆž—่ŠๅœฐๅŒบ', '็ฑณๆž—ๅŽฟ':'ๆž—่ŠๅœฐๅŒบ', 'ๅขจ่„ฑๅŽฟ':'ๆž—่ŠๅœฐๅŒบ', 'ๆณขๅฏ†ๅŽฟ':'ๆž—่ŠๅœฐๅŒบ', 'ๅฏŸ้š…ๅŽฟ':'ๆž—่ŠๅœฐๅŒบ', 'ๆœ—ๅŽฟ':'ๆž—่ŠๅœฐๅŒบ', 'ๅธ‚่พ–ๅŒบ':'่ฅฟๅฎ‰ๅธ‚', 'ๆ–ฐๅŸŽๅŒบ':'่ฅฟๅฎ‰ๅธ‚', '็ข‘ๆž—ๅŒบ':'่ฅฟๅฎ‰ๅธ‚', '่Žฒๆน–ๅŒบ':'่ฅฟๅฎ‰ๅธ‚', '็žๆกฅๅŒบ':'่ฅฟๅฎ‰ๅธ‚', 'ๆœชๅคฎๅŒบ':'่ฅฟๅฎ‰ๅธ‚', '้›ๅก”ๅŒบ':'่ฅฟๅฎ‰ๅธ‚', '้˜Ž่‰ฏๅŒบ':'่ฅฟๅฎ‰ๅธ‚', 'ไธดๆฝผๅŒบ':'่ฅฟๅฎ‰ๅธ‚', '้•ฟๅฎ‰ๅŒบ':'่ฅฟๅฎ‰ๅธ‚', '่“็”ฐๅŽฟ':'่ฅฟๅฎ‰ๅธ‚', 'ๅ‘จ่‡ณๅŽฟ':'่ฅฟๅฎ‰ๅธ‚', 'ๆˆทๅŽฟ':'่ฅฟๅฎ‰ๅธ‚', '้ซ˜้™ตๅŽฟ':'่ฅฟๅฎ‰ๅธ‚', 'ๅธ‚่พ–ๅŒบ':'้“œๅทๅธ‚', '็Ž‹็›ŠๅŒบ':'้“œๅทๅธ‚', 'ๅฐๅฐๅŒบ':'้“œๅทๅธ‚', '่€€ๅทžๅŒบ':'้“œๅทๅธ‚', 'ๅฎœๅ›ๅŽฟ':'้“œๅทๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅฎ้ธกๅธ‚', 'ๆธญๆปจๅŒบ':'ๅฎ้ธกๅธ‚', '้‡‘ๅฐๅŒบ':'ๅฎ้ธกๅธ‚', '้™ˆไป“ๅŒบ':'ๅฎ้ธกๅธ‚', 'ๅ‡ค็ฟ”ๅŽฟ':'ๅฎ้ธกๅธ‚', 'ๅฒๅฑฑๅŽฟ':'ๅฎ้ธกๅธ‚', 'ๆ‰ถ้ฃŽๅŽฟ':'ๅฎ้ธกๅธ‚', '็œ‰ๅŽฟ':'ๅฎ้ธกๅธ‚', '้™‡ๅŽฟ':'ๅฎ้ธกๅธ‚', 'ๅƒ้˜ณๅŽฟ':'ๅฎ้ธกๅธ‚', '้บŸๆธธๅŽฟ':'ๅฎ้ธกๅธ‚', 'ๅ‡คๅŽฟ':'ๅฎ้ธกๅธ‚', 'ๅคช็™ฝๅŽฟ':'ๅฎ้ธกๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅ’ธ้˜ณๅธ‚', '็งฆ้ƒฝๅŒบ':'ๅ’ธ้˜ณๅธ‚', 'ๆจๅ‡ŒๅŒบ':'ๅ’ธ้˜ณๅธ‚', 'ๆธญๅŸŽๅŒบ':'ๅ’ธ้˜ณๅธ‚', 'ไธ‰ๅŽŸๅŽฟ':'ๅ’ธ้˜ณๅธ‚', 'ๆณพ้˜ณๅŽฟ':'ๅ’ธ้˜ณๅธ‚', 'ไนพๅŽฟ':'ๅ’ธ้˜ณๅธ‚', '็คผๆณ‰ๅŽฟ':'ๅ’ธ้˜ณๅธ‚', 'ๆฐธๅฏฟๅŽฟ':'ๅ’ธ้˜ณๅธ‚', 'ๅฝฌๅŽฟ':'ๅ’ธ้˜ณๅธ‚', '้•ฟๆญฆๅŽฟ':'ๅ’ธ้˜ณๅธ‚', 'ๆ—ฌ้‚‘ๅŽฟ':'ๅ’ธ้˜ณๅธ‚', 'ๆทณๅŒ–ๅŽฟ':'ๅ’ธ้˜ณๅธ‚', 'ๆญฆๅŠŸๅŽฟ':'ๅ’ธ้˜ณๅธ‚', 'ๅ…ดๅนณๅธ‚':'ๅ’ธ้˜ณๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆธญๅ—ๅธ‚', 'ไธดๆธญๅŒบ':'ๆธญๅ—ๅธ‚', 'ๅŽๅŽฟ':'ๆธญๅ—ๅธ‚', 'ๆฝผๅ…ณๅŽฟ':'ๆธญๅ—ๅธ‚', 'ๅคง่”ๅŽฟ':'ๆธญๅ—ๅธ‚', 'ๅˆ้˜ณๅŽฟ':'ๆธญๅ—ๅธ‚', 'ๆพ„ๅŸŽๅŽฟ':'ๆธญๅ—ๅธ‚', '่’ฒๅŸŽๅŽฟ':'ๆธญๅ—ๅธ‚', '็™ฝๆฐดๅŽฟ':'ๆธญๅ—ๅธ‚', 'ๅฏŒๅนณๅŽฟ':'ๆธญๅ—ๅธ‚', '้ŸฉๅŸŽๅธ‚':'ๆธญๅ—ๅธ‚', 'ๅŽ้˜ดๅธ‚':'ๆธญๅ—ๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅปถๅฎ‰ๅธ‚', 'ๅฎๅก”ๅŒบ':'ๅปถๅฎ‰ๅธ‚', 'ๅปถ้•ฟๅŽฟ':'ๅปถๅฎ‰ๅธ‚', 'ๅปถๅทๅŽฟ':'ๅปถๅฎ‰ๅธ‚', 'ๅญ้•ฟๅŽฟ':'ๅปถๅฎ‰ๅธ‚', 'ๅฎ‰ๅกžๅŽฟ':'ๅปถๅฎ‰ๅธ‚', 'ๅฟ—ไธนๅŽฟ':'ๅปถๅฎ‰ๅธ‚', 'ๅดๆ——ๅŽฟ':'ๅปถๅฎ‰ๅธ‚', '็”˜ๆณ‰ๅŽฟ':'ๅปถๅฎ‰ๅธ‚', 'ๅฏŒๅŽฟ':'ๅปถๅฎ‰ๅธ‚', 'ๆด›ๅทๅŽฟ':'ๅปถๅฎ‰ๅธ‚', 'ๅฎœๅทๅŽฟ':'ๅปถๅฎ‰ๅธ‚', '้ป„้พ™ๅŽฟ':'ๅปถๅฎ‰ๅธ‚', '้ป„้™ตๅŽฟ':'ๅปถๅฎ‰ๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆฑ‰ไธญๅธ‚', 'ๆฑ‰ๅฐๅŒบ':'ๆฑ‰ไธญๅธ‚', 'ๅ—้ƒ‘ๅŽฟ':'ๆฑ‰ไธญๅธ‚', 'ๅŸŽๅ›บๅŽฟ':'ๆฑ‰ไธญๅธ‚', 'ๆด‹ๅŽฟ':'ๆฑ‰ไธญๅธ‚', '่ฅฟไนกๅŽฟ':'ๆฑ‰ไธญๅธ‚', 'ๅ‹‰ๅŽฟ':'ๆฑ‰ไธญๅธ‚', 'ๅฎๅผบๅŽฟ':'ๆฑ‰ไธญๅธ‚', '็•ฅ้˜ณๅŽฟ':'ๆฑ‰ไธญๅธ‚', '้•‡ๅทดๅŽฟ':'ๆฑ‰ไธญๅธ‚', '็•™ๅๅŽฟ':'ๆฑ‰ไธญๅธ‚', 'ไฝ›ๅชๅŽฟ':'ๆฑ‰ไธญๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆฆ†ๆž—ๅธ‚', 'ๆฆ†้˜ณๅŒบ':'ๆฆ†ๆž—ๅธ‚', '็ฅžๆœจๅŽฟ':'ๆฆ†ๆž—ๅธ‚', 'ๅบœ่ฐทๅŽฟ':'ๆฆ†ๆž—ๅธ‚', 'ๆจชๅฑฑๅŽฟ':'ๆฆ†ๆž—ๅธ‚', '้–่พนๅŽฟ':'ๆฆ†ๆž—ๅธ‚', 'ๅฎš่พนๅŽฟ':'ๆฆ†ๆž—ๅธ‚', '็ปฅๅพทๅŽฟ':'ๆฆ†ๆž—ๅธ‚', '็ฑณ่„‚ๅŽฟ':'ๆฆ†ๆž—ๅธ‚', 'ไฝณๅŽฟ':'ๆฆ†ๆž—ๅธ‚', 'ๅดๅ กๅŽฟ':'ๆฆ†ๆž—ๅธ‚', 'ๆธ…ๆถงๅŽฟ':'ๆฆ†ๆž—ๅธ‚', 'ๅญๆดฒๅŽฟ':'ๆฆ†ๆž—ๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅฎ‰ๅบทๅธ‚', 'ๆฑ‰ๆปจๅŒบ':'ๅฎ‰ๅบทๅธ‚', 'ๆฑ‰้˜ดๅŽฟ':'ๅฎ‰ๅบทๅธ‚', '็Ÿณๆณ‰ๅŽฟ':'ๅฎ‰ๅบทๅธ‚', 'ๅฎ้™•ๅŽฟ':'ๅฎ‰ๅบทๅธ‚', '็ดซ้˜ณๅŽฟ':'ๅฎ‰ๅบทๅธ‚', 'ๅฒš็š‹ๅŽฟ':'ๅฎ‰ๅบทๅธ‚', 'ๅนณๅˆฉๅŽฟ':'ๅฎ‰ๅบทๅธ‚', '้•‡ๅชๅŽฟ':'ๅฎ‰ๅบทๅธ‚', 'ๆ—ฌ้˜ณๅŽฟ':'ๅฎ‰ๅบทๅธ‚', '็™ฝๆฒณๅŽฟ':'ๅฎ‰ๅบทๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅ•†ๆด›ๅธ‚', 'ๅ•†ๅทžๅŒบ':'ๅ•†ๆด›ๅธ‚', 'ๆด›ๅ—ๅŽฟ':'ๅ•†ๆด›ๅธ‚', 'ไธนๅ‡คๅŽฟ':'ๅ•†ๆด›ๅธ‚', 'ๅ•†ๅ—ๅŽฟ':'ๅ•†ๆด›ๅธ‚', 'ๅฑฑ้˜ณๅŽฟ':'ๅ•†ๆด›ๅธ‚', '้•‡ๅฎ‰ๅŽฟ':'ๅ•†ๆด›ๅธ‚', 'ๆŸžๆฐดๅŽฟ':'ๅ•†ๆด›ๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅ…ฐๅทžๅธ‚', 'ๅŸŽๅ…ณๅŒบ':'ๅ…ฐๅทžๅธ‚', 'ไธƒ้‡ŒๆฒณๅŒบ':'ๅ…ฐๅทžๅธ‚', '่ฅฟๅ›บๅŒบ':'ๅ…ฐๅทžๅธ‚', 'ๅฎ‰ๅฎๅŒบ':'ๅ…ฐๅทžๅธ‚', '็บขๅคๅŒบ':'ๅ…ฐๅทžๅธ‚', 'ๆฐธ็™ปๅŽฟ':'ๅ…ฐๅทžๅธ‚', '็š‹ๅ…ฐๅŽฟ':'ๅ…ฐๅทžๅธ‚', 'ๆฆ†ไธญๅŽฟ':'ๅ…ฐๅทžๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅ˜‰ๅณชๅ…ณๅธ‚', 'ๅธ‚่พ–ๅŒบ':'้‡‘ๆ˜Œๅธ‚', '้‡‘ๅทๅŒบ':'้‡‘ๆ˜Œๅธ‚', 'ๆฐธๆ˜ŒๅŽฟ':'้‡‘ๆ˜Œๅธ‚', 'ๅธ‚่พ–ๅŒบ':'็™ฝ้“ถๅธ‚', '็™ฝ้“ถๅŒบ':'็™ฝ้“ถๅธ‚', 'ๅนณๅทๅŒบ':'็™ฝ้“ถๅธ‚', '้–่ฟœๅŽฟ':'็™ฝ้“ถๅธ‚', 'ไผšๅฎๅŽฟ':'็™ฝ้“ถๅธ‚', 'ๆ™ฏๆณฐๅŽฟ':'็™ฝ้“ถๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅคฉๆฐดๅธ‚', '็งฆๅŸŽๅŒบ':'ๅคฉๆฐดๅธ‚', 'ๅŒ—้“ๅŒบ':'ๅคฉๆฐดๅธ‚', 'ๆธ…ๆฐดๅŽฟ':'ๅคฉๆฐดๅธ‚', '็งฆๅฎ‰ๅŽฟ':'ๅคฉๆฐดๅธ‚', '็”˜่ฐทๅŽฟ':'ๅคฉๆฐดๅธ‚', 'ๆญฆๅฑฑๅŽฟ':'ๅคฉๆฐดๅธ‚', 'ๅผ ๅฎถๅทๅ›žๆ—่‡ชๆฒปๅŽฟ':'ๅคฉๆฐดๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๆญฆๅจๅธ‚', 'ๅ‡‰ๅทžๅŒบ':'ๆญฆๅจๅธ‚', 'ๆฐ‘ๅ‹คๅŽฟ':'ๆญฆๅจๅธ‚', 'ๅคๆตชๅŽฟ':'ๆญฆๅจๅธ‚', 'ๅคฉ็ฅ่—ๆ—่‡ชๆฒปๅŽฟ':'ๆญฆๅจๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅผ ๆŽ–ๅธ‚', '็”˜ๅทžๅŒบ':'ๅผ ๆŽ–ๅธ‚', '่‚ƒๅ—่ฃ•ๅ›บๆ—่‡ชๆฒปๅŽฟ':'ๅผ ๆŽ–ๅธ‚', 'ๆฐ‘ไนๅŽฟ':'ๅผ ๆŽ–ๅธ‚', 'ไธดๆณฝๅŽฟ':'ๅผ ๆŽ–ๅธ‚', '้ซ˜ๅฐๅŽฟ':'ๅผ ๆŽ–ๅธ‚', 'ๅฑฑไธนๅŽฟ':'ๅผ ๆŽ–ๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅนณๅ‡‰ๅธ‚', 'ๅด†ๅณ’ๅŒบ':'ๅนณๅ‡‰ๅธ‚', 'ๆณพๅทๅŽฟ':'ๅนณๅ‡‰ๅธ‚', '็ตๅฐๅŽฟ':'ๅนณๅ‡‰ๅธ‚', 'ๅด‡ไฟกๅŽฟ':'ๅนณๅ‡‰ๅธ‚', 'ๅŽไบญๅŽฟ':'ๅนณๅ‡‰ๅธ‚', 'ๅบ„ๆตชๅŽฟ':'ๅนณๅ‡‰ๅธ‚', '้™ๅฎๅŽฟ':'ๅนณๅ‡‰ๅธ‚', 'ๅธ‚่พ–ๅŒบ':'้…’ๆณ‰ๅธ‚', '่‚ƒๅทžๅŒบ':'้…’ๆณ‰ๅธ‚', '้‡‘ๅก”ๅŽฟ':'้…’ๆณ‰ๅธ‚', 'ๅฎ‰่ฅฟๅŽฟ':'้…’ๆณ‰ๅธ‚', '่‚ƒๅŒ—่’™ๅคๆ—่‡ชๆฒปๅŽฟ':'้…’ๆณ‰ๅธ‚', '้˜ฟๅ…‹ๅกžๅ“ˆ่จๅ…‹ๆ—่‡ชๆฒปๅŽฟ':'้…’ๆณ‰ๅธ‚', '็މ้—จๅธ‚':'้…’ๆณ‰ๅธ‚', 'ๆ•ฆ็…Œๅธ‚':'้…’ๆณ‰ๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅบ†้˜ณๅธ‚', '่ฅฟๅณฐๅŒบ':'ๅบ†้˜ณๅธ‚', 'ๅบ†ๅŸŽๅŽฟ':'ๅบ†้˜ณๅธ‚', '็ŽฏๅŽฟ':'ๅบ†้˜ณๅธ‚', 'ๅŽๆฑ ๅŽฟ':'ๅบ†้˜ณๅธ‚', 'ๅˆๆฐดๅŽฟ':'ๅบ†้˜ณๅธ‚', 'ๆญฃๅฎๅŽฟ':'ๅบ†้˜ณๅธ‚', 'ๅฎๅŽฟ':'ๅบ†้˜ณๅธ‚', '้•‡ๅŽŸๅŽฟ':'ๅบ†้˜ณๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅฎš่ฅฟๅธ‚', 'ๅฎ‰ๅฎšๅŒบ':'ๅฎš่ฅฟๅธ‚', '้€šๆธญๅŽฟ':'ๅฎš่ฅฟๅธ‚', '้™‡่ฅฟๅŽฟ':'ๅฎš่ฅฟๅธ‚', 'ๆธญๆบๅŽฟ':'ๅฎš่ฅฟๅธ‚', 'ไธดๆดฎๅŽฟ':'ๅฎš่ฅฟๅธ‚', 'ๆผณๅŽฟ':'ๅฎš่ฅฟๅธ‚', 'ๅฒทๅŽฟ':'ๅฎš่ฅฟๅธ‚', 'ๅธ‚่พ–ๅŒบ':'้™‡ๅ—ๅธ‚', 'ๆญฆ้ƒฝๅŒบ':'้™‡ๅ—ๅธ‚', 'ๆˆๅŽฟ':'้™‡ๅ—ๅธ‚', 'ๆ–‡ๅŽฟ':'้™‡ๅ—ๅธ‚', 'ๅฎ•ๆ˜ŒๅŽฟ':'้™‡ๅ—ๅธ‚', 'ๅบทๅŽฟ':'้™‡ๅ—ๅธ‚', '่ฅฟๅ’ŒๅŽฟ':'้™‡ๅ—ๅธ‚', '็คผๅŽฟ':'้™‡ๅ—ๅธ‚', 'ๅพฝๅŽฟ':'้™‡ๅ—ๅธ‚', 'ไธคๅฝ“ๅŽฟ':'้™‡ๅ—ๅธ‚', 'ไธดๅคๅธ‚':'ไธดๅคๅ›žๆ—่‡ชๆฒปๅทž', 'ไธดๅคๅŽฟ':'ไธดๅคๅ›žๆ—่‡ชๆฒปๅทž', 'ๅบทไนๅŽฟ':'ไธดๅคๅ›žๆ—่‡ชๆฒปๅทž', 'ๆฐธ้–ๅŽฟ':'ไธดๅคๅ›žๆ—่‡ชๆฒปๅทž', 'ๅนฟๆฒณๅŽฟ':'ไธดๅคๅ›žๆ—่‡ชๆฒปๅทž', 'ๅ’Œๆ”ฟๅŽฟ':'ไธดๅคๅ›žๆ—่‡ชๆฒปๅทž', 'ไธœไนกๆ—่‡ชๆฒปๅŽฟ':'ไธดๅคๅ›žๆ—่‡ชๆฒปๅทž', '็งฏ็Ÿณๅฑฑไฟๅฎ‰ๆ—ไธœไนกๆ—ๆ’’ๆ‹‰ๆ—่‡ชๆฒปๅŽฟ':'ไธดๅคๅ›žๆ—่‡ชๆฒปๅทž', 'ๅˆไฝœๅธ‚':'็”˜ๅ—่—ๆ—่‡ชๆฒปๅทž', 'ไธดๆฝญๅŽฟ':'็”˜ๅ—่—ๆ—่‡ชๆฒปๅทž', 'ๅ“ๅฐผๅŽฟ':'็”˜ๅ—่—ๆ—่‡ชๆฒปๅทž', '่ˆŸๆ›ฒๅŽฟ':'็”˜ๅ—่—ๆ—่‡ชๆฒปๅทž', '่ฟญ้ƒจๅŽฟ':'็”˜ๅ—่—ๆ—่‡ชๆฒปๅทž', '็Ž›ๆ›ฒๅŽฟ':'็”˜ๅ—่—ๆ—่‡ชๆฒปๅทž', '็ขŒๆ›ฒๅŽฟ':'็”˜ๅ—่—ๆ—่‡ชๆฒปๅทž', 'ๅคๆฒณๅŽฟ':'็”˜ๅ—่—ๆ—่‡ชๆฒปๅทž', 'ๅธ‚่พ–ๅŒบ':'่ฅฟๅฎๅธ‚', 'ๅŸŽไธœๅŒบ':'่ฅฟๅฎๅธ‚', 'ๅŸŽไธญๅŒบ':'่ฅฟๅฎๅธ‚', 'ๅŸŽ่ฅฟๅŒบ':'่ฅฟๅฎๅธ‚', 'ๅŸŽๅŒ—ๅŒบ':'่ฅฟๅฎๅธ‚', 'ๅคง้€šๅ›žๆ—ๅœŸๆ—่‡ชๆฒปๅŽฟ':'่ฅฟๅฎๅธ‚', 'ๆนŸไธญๅŽฟ':'่ฅฟๅฎๅธ‚', 'ๆนŸๆบๅŽฟ':'่ฅฟๅฎๅธ‚', 'ๅนณๅฎ‰ๅŽฟ':'ๆตทไธœๅœฐๅŒบ', 'ๆฐ‘ๅ’Œๅ›žๆ—ๅœŸๆ—่‡ชๆฒปๅŽฟ':'ๆตทไธœๅœฐๅŒบ', 'ไน้ƒฝๅŽฟ':'ๆตทไธœๅœฐๅŒบ', 'ไบ’ๅŠฉๅœŸๆ—่‡ชๆฒปๅŽฟ':'ๆตทไธœๅœฐๅŒบ', 'ๅŒ–้š†ๅ›žๆ—่‡ชๆฒปๅŽฟ':'ๆตทไธœๅœฐๅŒบ', 'ๅพชๅŒ–ๆ’’ๆ‹‰ๆ—่‡ชๆฒปๅŽฟ':'ๆตทไธœๅœฐๅŒบ', '้—จๆบๅ›žๆ—่‡ชๆฒปๅŽฟ':'ๆตทๅŒ—่—ๆ—่‡ชๆฒปๅทž', '็ฅ่ฟžๅŽฟ':'ๆตทๅŒ—่—ๆ—่‡ชๆฒปๅทž', 'ๆตทๆ™ๅŽฟ':'ๆตทๅŒ—่—ๆ—่‡ชๆฒปๅทž', 'ๅˆšๅฏŸๅŽฟ':'ๆตทๅŒ—่—ๆ—่‡ชๆฒปๅทž', 'ๅŒไปๅŽฟ':'้ป„ๅ—่—ๆ—่‡ชๆฒปๅทž', 'ๅฐ–ๆ‰ŽๅŽฟ':'้ป„ๅ—่—ๆ—่‡ชๆฒปๅทž', 'ๆณฝๅบ“ๅŽฟ':'้ป„ๅ—่—ๆ—่‡ชๆฒปๅทž', 'ๆฒณๅ—่’™ๅคๆ—่‡ชๆฒปๅŽฟ':'้ป„ๅ—่—ๆ—่‡ชๆฒปๅทž', 'ๅ…ฑๅ’ŒๅŽฟ':'ๆตทๅ—่—ๆ—่‡ชๆฒปๅทž', 'ๅŒๅพทๅŽฟ':'ๆตทๅ—่—ๆ—่‡ชๆฒปๅทž', '่ดตๅพทๅŽฟ':'ๆตทๅ—่—ๆ—่‡ชๆฒปๅทž', 'ๅ…ดๆตทๅŽฟ':'ๆตทๅ—่—ๆ—่‡ชๆฒปๅทž', '่ดตๅ—ๅŽฟ':'ๆตทๅ—่—ๆ—่‡ชๆฒปๅทž', '็Ž›ๆฒๅŽฟ':'ๆžœๆด›่—ๆ—่‡ชๆฒปๅทž', '็ญ็Ž›ๅŽฟ':'ๆžœๆด›่—ๆ—่‡ชๆฒปๅทž', '็”˜ๅพทๅŽฟ':'ๆžœๆด›่—ๆ—่‡ชๆฒปๅทž', '่พพๆ—ฅๅŽฟ':'ๆžœๆด›่—ๆ—่‡ชๆฒปๅทž', 'ไน…ๆฒปๅŽฟ':'ๆžœๆด›่—ๆ—่‡ชๆฒปๅทž', '็Ž›ๅคšๅŽฟ':'ๆžœๆด›่—ๆ—่‡ชๆฒปๅทž', '็މๆ ‘ๅŽฟ':'็މๆ ‘่—ๆ—่‡ชๆฒปๅทž', 'ๆ‚ๅคšๅŽฟ':'็މๆ ‘่—ๆ—่‡ชๆฒปๅทž', '็งฐๅคšๅŽฟ':'็މๆ ‘่—ๆ—่‡ชๆฒปๅทž', 'ๆฒปๅคšๅŽฟ':'็މๆ ‘่—ๆ—่‡ชๆฒปๅทž', 'ๅ›Š่ฐฆๅŽฟ':'็މๆ ‘่—ๆ—่‡ชๆฒปๅทž', 'ๆ›ฒ้บป่ŽฑๅŽฟ':'็މๆ ‘่—ๆ—่‡ชๆฒปๅทž', 'ๆ ผๅฐ”ๆœจๅธ‚':'ๆตท่ฅฟ่’™ๅคๆ—่—ๆ—่‡ชๆฒปๅทž', 'ๅพทไปคๅ“ˆๅธ‚':'ๆตท่ฅฟ่’™ๅคๆ—่—ๆ—่‡ชๆฒปๅทž', 'ไนŒๅ…ฐๅŽฟ':'ๆตท่ฅฟ่’™ๅคๆ—่—ๆ—่‡ชๆฒปๅทž', '้ƒฝๅ…ฐๅŽฟ':'ๆตท่ฅฟ่’™ๅคๆ—่—ๆ—่‡ชๆฒปๅทž', 'ๅคฉๅณปๅŽฟ':'ๆตท่ฅฟ่’™ๅคๆ—่—ๆ—่‡ชๆฒปๅทž', 'ๅธ‚่พ–ๅŒบ':'้“ถๅทๅธ‚', 'ๅ…ดๅบ†ๅŒบ':'้“ถๅทๅธ‚', '่ฅฟๅคๅŒบ':'้“ถๅทๅธ‚', '้‡‘ๅ‡คๅŒบ':'้“ถๅทๅธ‚', 'ๆฐธๅฎๅŽฟ':'้“ถๅทๅธ‚', '่ดบๅ…ฐๅŽฟ':'้“ถๅทๅธ‚', '็ตๆญฆๅธ‚':'้“ถๅทๅธ‚', 'ๅธ‚่พ–ๅŒบ':'็Ÿณๅ˜ดๅฑฑๅธ‚', 'ๅคงๆญฆๅฃๅŒบ':'็Ÿณๅ˜ดๅฑฑๅธ‚', 'ๆƒ ๅ†œๅŒบ':'็Ÿณๅ˜ดๅฑฑๅธ‚', 'ๅนณ็ฝ—ๅŽฟ':'็Ÿณๅ˜ดๅฑฑๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅดๅฟ ๅธ‚', 'ๅˆฉ้€šๅŒบ':'ๅดๅฟ ๅธ‚', '็›ๆฑ ๅŽฟ':'ๅดๅฟ ๅธ‚', 'ๅŒๅฟƒๅŽฟ':'ๅดๅฟ ๅธ‚', '้’้“œๅณกๅธ‚':'ๅดๅฟ ๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅ›บๅŽŸๅธ‚', 'ๅŽŸๅทžๅŒบ':'ๅ›บๅŽŸๅธ‚', '่ฅฟๅ‰ๅŽฟ':'ๅ›บๅŽŸๅธ‚', '้š†ๅพทๅŽฟ':'ๅ›บๅŽŸๅธ‚', 'ๆณพๆบๅŽฟ':'ๅ›บๅŽŸๅธ‚', 'ๅฝญ้˜ณๅŽฟ':'ๅ›บๅŽŸๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ไธญๅซๅธ‚', 'ๆฒ™ๅกๅคดๅŒบ':'ไธญๅซๅธ‚', 'ไธญๅฎๅŽฟ':'ไธญๅซๅธ‚', 'ๆตทๅŽŸๅŽฟ':'ไธญๅซๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ไนŒ้ฒๆœจ้ฝๅธ‚', 'ๅคฉๅฑฑๅŒบ':'ไนŒ้ฒๆœจ้ฝๅธ‚', 'ๆฒ™ไพๅทดๅ…‹ๅŒบ':'ไนŒ้ฒๆœจ้ฝๅธ‚', 'ๆ–ฐๅธ‚ๅŒบ':'ไนŒ้ฒๆœจ้ฝๅธ‚', 'ๆฐด็ฃจๆฒŸๅŒบ':'ไนŒ้ฒๆœจ้ฝๅธ‚', 'ๅคดๅฑฏๆฒณๅŒบ':'ไนŒ้ฒๆœจ้ฝๅธ‚', '่พพๅ‚ๅŸŽๅŒบ':'ไนŒ้ฒๆœจ้ฝๅธ‚', 'ไธœๅฑฑๅŒบ':'ไนŒ้ฒๆœจ้ฝๅธ‚', 'ไนŒ้ฒๆœจ้ฝๅŽฟ':'ไนŒ้ฒๆœจ้ฝๅธ‚', 'ๅธ‚่พ–ๅŒบ':'ๅ…‹ๆ‹‰็Ž›ไพๅธ‚', '็‹ฌๅฑฑๅญๅŒบ':'ๅ…‹ๆ‹‰็Ž›ไพๅธ‚', 'ๅ…‹ๆ‹‰็Ž›ไพๅŒบ':'ๅ…‹ๆ‹‰็Ž›ไพๅธ‚', '็™ฝ็ขฑๆปฉๅŒบ':'ๅ…‹ๆ‹‰็Ž›ไพๅธ‚', 'ไนŒๅฐ”็ฆพๅŒบ':'ๅ…‹ๆ‹‰็Ž›ไพๅธ‚', 'ๅ้ฒ็•ชๅธ‚':'ๅ้ฒ็•ชๅœฐๅŒบ', '้„ฏๅ–„ๅŽฟ':'ๅ้ฒ็•ชๅœฐๅŒบ', 'ๆ‰˜ๅ…‹้€ŠๅŽฟ':'ๅ้ฒ็•ชๅœฐๅŒบ', 'ๅ“ˆๅฏ†ๅธ‚':'ๅ“ˆๅฏ†ๅœฐๅŒบ', 'ๅทด้‡Œๅคๅ“ˆ่จๅ…‹่‡ชๆฒปๅŽฟ':'ๅ“ˆๅฏ†ๅœฐๅŒบ', 'ไผŠๅพๅŽฟ':'ๅ“ˆๅฏ†ๅœฐๅŒบ', 'ๆ˜Œๅ‰ๅธ‚':'ๆ˜Œๅ‰ๅ›žๆ—่‡ชๆฒปๅทž', '้˜œๅบทๅธ‚':'ๆ˜Œๅ‰ๅ›žๆ—่‡ชๆฒปๅทž', '็ฑณๆณ‰ๅธ‚':'ๆ˜Œๅ‰ๅ›žๆ—่‡ชๆฒปๅทž', 'ๅ‘ผๅ›พๅฃๅŽฟ':'ๆ˜Œๅ‰ๅ›žๆ—่‡ชๆฒปๅทž', '็Ž›็บณๆ–ฏๅŽฟ':'ๆ˜Œๅ‰ๅ›žๆ—่‡ชๆฒปๅทž', 'ๅฅ‡ๅฐๅŽฟ':'ๆ˜Œๅ‰ๅ›žๆ—่‡ชๆฒปๅทž', 'ๅ‰ๆœจ่จๅฐ”ๅŽฟ':'ๆ˜Œๅ‰ๅ›žๆ—่‡ชๆฒปๅทž', 'ๆœจๅž’ๅ“ˆ่จๅ…‹่‡ชๆฒปๅŽฟ':'ๆ˜Œๅ‰ๅ›žๆ—่‡ชๆฒปๅทž', 'ๅšไนๅธ‚':'ๅšๅฐ”ๅก”ๆ‹‰่’™ๅค่‡ชๆฒปๅทž', '็ฒพๆฒณๅŽฟ':'ๅšๅฐ”ๅก”ๆ‹‰่’™ๅค่‡ชๆฒปๅทž', 'ๆธฉๆณ‰ๅŽฟ':'ๅšๅฐ”ๅก”ๆ‹‰่’™ๅค่‡ชๆฒปๅทž', 'ๅบ“ๅฐ”ๅ‹’ๅธ‚':'ๅทด้Ÿณ้ƒญๆฅž่’™ๅค่‡ชๆฒปๅทž', '่ฝฎๅฐๅŽฟ':'ๅทด้Ÿณ้ƒญๆฅž่’™ๅค่‡ชๆฒปๅทž', 'ๅฐ‰็ЁๅŽฟ':'ๅทด้Ÿณ้ƒญๆฅž่’™ๅค่‡ชๆฒปๅทž', '่‹ฅ็พŒๅŽฟ':'ๅทด้Ÿณ้ƒญๆฅž่’™ๅค่‡ชๆฒปๅทž', 'ไธ”ๆœซๅŽฟ':'ๅทด้Ÿณ้ƒญๆฅž่’™ๅค่‡ชๆฒปๅทž', '็„‰่€†ๅ›žๆ—่‡ชๆฒปๅŽฟ':'ๅทด้Ÿณ้ƒญๆฅž่’™ๅค่‡ชๆฒปๅทž', 'ๅ’Œ้™ๅŽฟ':'ๅทด้Ÿณ้ƒญๆฅž่’™ๅค่‡ชๆฒปๅทž', 'ๅ’Œ็ก•ๅŽฟ':'ๅทด้Ÿณ้ƒญๆฅž่’™ๅค่‡ชๆฒปๅทž', 'ๅšๆน–ๅŽฟ':'ๅทด้Ÿณ้ƒญๆฅž่’™ๅค่‡ชๆฒปๅทž', '้˜ฟๅ…‹่‹ๅธ‚':'้˜ฟๅ…‹่‹ๅœฐๅŒบ', 'ๆธฉๅฎฟๅŽฟ':'้˜ฟๅ…‹่‹ๅœฐๅŒบ', 'ๅบ“่ฝฆๅŽฟ':'้˜ฟๅ…‹่‹ๅœฐๅŒบ', 'ๆฒ™้›…ๅŽฟ':'้˜ฟๅ…‹่‹ๅœฐๅŒบ', 'ๆ–ฐๅ’ŒๅŽฟ':'้˜ฟๅ…‹่‹ๅœฐๅŒบ', 'ๆ‹œๅŸŽๅŽฟ':'้˜ฟๅ…‹่‹ๅœฐๅŒบ', 'ไนŒไป€ๅŽฟ':'้˜ฟๅ…‹่‹ๅœฐๅŒบ', '้˜ฟ็“ฆๆๅŽฟ':'้˜ฟๅ…‹่‹ๅœฐๅŒบ', 'ๆŸฏๅชๅŽฟ':'้˜ฟๅ…‹่‹ๅœฐๅŒบ', '้˜ฟๅ›พไป€ๅธ‚':'ๅ…‹ๅญœๅ‹’่‹ๆŸฏๅฐ”ๅ…‹ๅญœ่‡ชๆฒปๅทž', '้˜ฟๅ…‹้™ถๅŽฟ':'ๅ…‹ๅญœๅ‹’่‹ๆŸฏๅฐ”ๅ…‹ๅญœ่‡ชๆฒปๅทž', '้˜ฟๅˆๅฅ‡ๅŽฟ':'ๅ…‹ๅญœๅ‹’่‹ๆŸฏๅฐ”ๅ…‹ๅญœ่‡ชๆฒปๅทž', 'ไนŒๆฐๅŽฟ':'ๅ…‹ๅญœๅ‹’่‹ๆŸฏๅฐ”ๅ…‹ๅญœ่‡ชๆฒปๅทž', 'ๅ–€ไป€ๅธ‚':'ๅ–€ไป€ๅœฐๅŒบ', '็–้™„ๅŽฟ':'ๅ–€ไป€ๅœฐๅŒบ', '็–ๅ‹’ๅŽฟ':'ๅ–€ไป€ๅœฐๅŒบ', '่‹ฑๅ‰ๆฒ™ๅŽฟ':'ๅ–€ไป€ๅœฐๅŒบ', 'ๆณฝๆ™ฎๅŽฟ':'ๅ–€ไป€ๅœฐๅŒบ', '่ŽŽ่ฝฆๅŽฟ':'ๅ–€ไป€ๅœฐๅŒบ', 'ๅถๅŸŽๅŽฟ':'ๅ–€ไป€ๅœฐๅŒบ', '้บฆ็›–ๆๅŽฟ':'ๅ–€ไป€ๅœฐๅŒบ', 'ๅฒณๆ™ฎๆน–ๅŽฟ':'ๅ–€ไป€ๅœฐๅŒบ', 'ไผฝๅธˆๅŽฟ':'ๅ–€ไป€ๅœฐๅŒบ', 'ๅทดๆฅšๅŽฟ':'ๅ–€ไป€ๅœฐๅŒบ', 'ๅก”ไป€ๅบ“ๅฐ”ๅนฒๅก”ๅ‰ๅ…‹่‡ชๆฒปๅŽฟ':'ๅ–€ไป€ๅœฐๅŒบ', 'ๅ’Œ็”ฐๅธ‚':'ๅ’Œ็”ฐๅœฐๅŒบ', 'ๅ’Œ็”ฐๅŽฟ':'ๅ’Œ็”ฐๅœฐๅŒบ', 'ๅขจ็މๅŽฟ':'ๅ’Œ็”ฐๅœฐๅŒบ', '็šฎๅฑฑๅŽฟ':'ๅ’Œ็”ฐๅœฐๅŒบ', 'ๆด›ๆตฆๅŽฟ':'ๅ’Œ็”ฐๅœฐๅŒบ', '็ญ–ๅ‹’ๅŽฟ':'ๅ’Œ็”ฐๅœฐๅŒบ', 'ไบŽ็”ฐๅŽฟ':'ๅ’Œ็”ฐๅœฐๅŒบ', 'ๆฐ‘ไธฐๅŽฟ':'ๅ’Œ็”ฐๅœฐๅŒบ', 'ไผŠๅฎๅธ‚':'ไผŠ็Ёๅ“ˆ่จๅ…‹่‡ชๆฒปๅทž', 'ๅฅŽๅฑฏๅธ‚':'ไผŠ็Ёๅ“ˆ่จๅ…‹่‡ชๆฒปๅทž', 'ไผŠๅฎๅŽฟ':'ไผŠ็Ёๅ“ˆ่จๅ…‹่‡ชๆฒปๅทž', 'ๅฏŸๅธƒๆŸฅๅฐ”้”กไผฏ่‡ชๆฒปๅŽฟ':'ไผŠ็Ёๅ“ˆ่จๅ…‹่‡ชๆฒปๅทž', '้œๅŸŽๅŽฟ':'ไผŠ็Ёๅ“ˆ่จๅ…‹่‡ชๆฒปๅทž', 'ๅทฉ็•™ๅŽฟ':'ไผŠ็Ёๅ“ˆ่จๅ…‹่‡ชๆฒปๅทž', 'ๆ–ฐๆบๅŽฟ':'ไผŠ็Ёๅ“ˆ่จๅ…‹่‡ชๆฒปๅทž', 'ๆ˜ญ่‹ๅŽฟ':'ไผŠ็Ёๅ“ˆ่จๅ…‹่‡ชๆฒปๅทž', '็‰นๅ…‹ๆ–ฏๅŽฟ':'ไผŠ็Ёๅ“ˆ่จๅ…‹่‡ชๆฒปๅทž', 'ๅฐผๅ‹’ๅ…‹ๅŽฟ':'ไผŠ็Ёๅ“ˆ่จๅ…‹่‡ชๆฒปๅทž', 'ๅก”ๅŸŽๅธ‚':'ๅก”ๅŸŽๅœฐๅŒบ', 'ไนŒ่‹ๅธ‚':'ๅก”ๅŸŽๅœฐๅŒบ', '้ขๆ•ๅŽฟ':'ๅก”ๅŸŽๅœฐๅŒบ', 'ๆฒ™ๆนพๅŽฟ':'ๅก”ๅŸŽๅœฐๅŒบ', 'ๆ‰˜้‡ŒๅŽฟ':'ๅก”ๅŸŽๅœฐๅŒบ', '่ฃ•ๆฐ‘ๅŽฟ':'ๅก”ๅŸŽๅœฐๅŒบ', 'ๅ’Œๅธƒๅ…‹่ต›ๅฐ”่’™ๅค่‡ชๆฒปๅŽฟ':'ๅก”ๅŸŽๅœฐๅŒบ', '้˜ฟๅ‹’ๆณฐๅธ‚':'้˜ฟๅ‹’ๆณฐๅœฐๅŒบ', 'ๅธƒๅฐ”ๆดฅๅŽฟ':'้˜ฟๅ‹’ๆณฐๅœฐๅŒบ', 'ๅฏŒ่•ดๅŽฟ':'้˜ฟๅ‹’ๆณฐๅœฐๅŒบ', '็ฆๆตทๅŽฟ':'้˜ฟๅ‹’ๆณฐๅœฐๅŒบ', 'ๅ“ˆๅทดๆฒณๅŽฟ':'้˜ฟๅ‹’ๆณฐๅœฐๅŒบ', '้’ๆฒณๅŽฟ':'้˜ฟๅ‹’ๆณฐๅœฐๅŒบ', 'ๅ‰ๆœจไนƒๅŽฟ':'้˜ฟๅ‹’ๆณฐๅœฐๅŒบ', '็Ÿณๆฒณๅญๅธ‚':'659000', '้˜ฟๆ‹‰ๅฐ”ๅธ‚':'659000', 'ๅ›พๆœจ่ˆ’ๅ…‹ๅธ‚':'659000', 'ไบ”ๅฎถๆธ ๅธ‚':'659000', } rep_areas = [ 'ๅŒๆกฅๅŒบ', 'ๅ‘้˜ณๅŒบ', '้ผ“ๆฅผๅŒบ', 'ๅ’ŒๅนณๅŒบ', 'ๆตทๅทžๅŒบ', 'ๆ–ฐๅธ‚ๅŒบ', 'ๆกฅไธœๅŒบ', 'ๅ—ๅ…ณๅŒบ', '้“่ฅฟๅŒบ', 'ๆฑŸๅŒ—ๅŒบ', '่ฅฟๆน–ๅŒบ', 'ๆกฅ่ฅฟๅŒบ', 'ๅ—ๅฑฑๅŒบ', 'ๅธ‚่พ–ๅŒบ', '่ฅฟๅฎ‰ๅŒบ', '็ŸฟๅŒบ', 'ๆ–ฐๅŽๅŒบ', 'ๅŸŽไธญๅŒบ', '็™ฝไบ‘ๅŒบ', 'ๅธ‚ไธญๅŒบ', '้“ไธœๅŒบ', 'ๆธ…ๆฒณๅŒบ', 'ๆœ้˜ณๅŒบ', 'ๅŸŽๅ…ณๅŒบ', '้ƒŠๅŒบ', 'ๅฎๅฑฑๅŒบ', 'ๆ–ฐๅŸŽๅŒบ', 'ๆ™ฎ้™€ๅŒบ', '้•ฟๅฎ‰ๅŒบ', 'ไธœๅฑฑๅŒบ', 'ๅŸŽๅŒบ', '้’ๅฑฑๅŒบ', 'ๆฒณไธœๅŒบ', ] city_province_mapper = { 'ๅŒ—ไบฌๅธ‚':'ๅŒ—ไบฌๅธ‚', 'ๅŒ—ไบฌ':'ๅŒ—ไบฌๅธ‚', 'ๅคฉๆดฅๅธ‚':'ๅคฉๆดฅๅธ‚', 'ๅคฉๆดฅ':'ๅคฉๆดฅๅธ‚', '็Ÿณๅฎถๅบ„ๅธ‚':'ๆฒณๅŒ—็œ', '็Ÿณๅฎถๅบ„':'ๆฒณๅŒ—็œ', 'ๅ”ๅฑฑๅธ‚':'ๆฒณๅŒ—็œ', 'ๅ”ๅฑฑ':'ๆฒณๅŒ—็œ', '็งฆ็š‡ๅฒ›ๅธ‚':'ๆฒณๅŒ—็œ', '็งฆ็š‡ๅฒ›':'ๆฒณๅŒ—็œ', '้‚ฏ้ƒธๅธ‚':'ๆฒณๅŒ—็œ', '้‚ฏ้ƒธ':'ๆฒณๅŒ—็œ', '้‚ขๅฐๅธ‚':'ๆฒณๅŒ—็œ', '้‚ขๅฐ':'ๆฒณๅŒ—็œ', 'ไฟๅฎšๅธ‚':'ๆฒณๅŒ—็œ', 'ไฟๅฎš':'ๆฒณๅŒ—็œ', 'ๅผ ๅฎถๅฃๅธ‚':'ๆฒณๅŒ—็œ', 'ๅผ ๅฎถๅฃ':'ๆฒณๅŒ—็œ', 'ๆ‰ฟๅพทๅธ‚':'ๆฒณๅŒ—็œ', 'ๆ‰ฟๅพท':'ๆฒณๅŒ—็œ', 'ๆฒงๅทžๅธ‚':'ๆฒณๅŒ—็œ', 'ๆฒงๅทž':'ๆฒณๅŒ—็œ', 'ๅปŠๅŠๅธ‚':'ๆฒณๅŒ—็œ', 'ๅปŠๅŠ':'ๆฒณๅŒ—็œ', '่กกๆฐดๅธ‚':'ๆฒณๅŒ—็œ', '่กกๆฐด':'ๆฒณๅŒ—็œ', 'ๅคชๅŽŸๅธ‚':'ๅฑฑ่ฅฟ็œ', 'ๅคชๅŽŸ':'ๅฑฑ่ฅฟ็œ', 'ๅคงๅŒๅธ‚':'ๅฑฑ่ฅฟ็œ', 'ๅคงๅŒ':'ๅฑฑ่ฅฟ็œ', '้˜ณๆณ‰ๅธ‚':'ๅฑฑ่ฅฟ็œ', '้˜ณๆณ‰':'ๅฑฑ่ฅฟ็œ', '้•ฟๆฒปๅธ‚':'ๅฑฑ่ฅฟ็œ', '้•ฟๆฒป':'ๅฑฑ่ฅฟ็œ', 'ๆ™‹ๅŸŽๅธ‚':'ๅฑฑ่ฅฟ็œ', 'ๆ™‹ๅŸŽ':'ๅฑฑ่ฅฟ็œ', 'ๆœ”ๅทžๅธ‚':'ๅฑฑ่ฅฟ็œ', 'ๆœ”ๅทž':'ๅฑฑ่ฅฟ็œ', 'ๆ™‹ไธญๅธ‚':'ๅฑฑ่ฅฟ็œ', 'ๆ™‹ไธญ':'ๅฑฑ่ฅฟ็œ', '่ฟๅŸŽๅธ‚':'ๅฑฑ่ฅฟ็œ', '่ฟๅŸŽ':'ๅฑฑ่ฅฟ็œ', 'ๅฟปๅทžๅธ‚':'ๅฑฑ่ฅฟ็œ', 'ๅฟปๅทž':'ๅฑฑ่ฅฟ็œ', 'ไธดๆฑพๅธ‚':'ๅฑฑ่ฅฟ็œ', 'ไธดๆฑพ':'ๅฑฑ่ฅฟ็œ', 'ๅ•ๆขๅธ‚':'ๅฑฑ่ฅฟ็œ', 'ๅ•ๆข':'ๅฑฑ่ฅฟ็œ', 'ๅ‘ผๅ’Œๆตฉ็‰นๅธ‚':'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ', 'ๅ‘ผๅ’Œๆตฉ็‰น':'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ', 'ๅŒ…ๅคดๅธ‚':'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ', 'ๅŒ…ๅคด':'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ', 'ไนŒๆตทๅธ‚':'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ', 'ไนŒๆตท':'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ', '่ตคๅณฐๅธ‚':'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ', '่ตคๅณฐ':'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ', '้€š่พฝๅธ‚':'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ', '้€š่พฝ':'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ', '้„‚ๅฐ”ๅคšๆ–ฏๅธ‚':'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ', '้„‚ๅฐ”ๅคšๆ–ฏ':'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ', 'ๅ‘ผไผฆ่ดๅฐ”ๅธ‚':'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ', 'ๅ‘ผไผฆ่ดๅฐ”':'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ', 'ๅทดๅฝฆๆท–ๅฐ”ๅธ‚':'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ', 'ๅทดๅฝฆๆท–ๅฐ”':'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ', 'ไนŒๅ…ฐๅฏŸๅธƒๅธ‚':'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ', 'ไนŒๅ…ฐๅฏŸๅธƒ':'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ', 'ๅ…ดๅฎ‰็›Ÿ':'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ', '้”กๆž—้ƒญๅ‹’็›Ÿ':'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ', '้˜ฟๆ‹‰ๅ–„็›Ÿ':'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ', 'ๆฒˆ้˜ณๅธ‚':'่พฝๅฎ็œ', 'ๆฒˆ้˜ณ':'่พฝๅฎ็œ', 'ๅคง่ฟžๅธ‚':'่พฝๅฎ็œ', 'ๅคง่ฟž':'่พฝๅฎ็œ', '้žๅฑฑๅธ‚':'่พฝๅฎ็œ', '้žๅฑฑ':'่พฝๅฎ็œ', 'ๆŠš้กบๅธ‚':'่พฝๅฎ็œ', 'ๆŠš้กบ':'่พฝๅฎ็œ', 'ๆœฌๆบชๅธ‚':'่พฝๅฎ็œ', 'ๆœฌๆบช':'่พฝๅฎ็œ', 'ไธนไธœๅธ‚':'่พฝๅฎ็œ', 'ไธนไธœ':'่พฝๅฎ็œ', '้”ฆๅทžๅธ‚':'่พฝๅฎ็œ', '้”ฆๅทž':'่พฝๅฎ็œ', '่ฅๅฃๅธ‚':'่พฝๅฎ็œ', '่ฅๅฃ':'่พฝๅฎ็œ', '้˜œๆ–ฐๅธ‚':'่พฝๅฎ็œ', '้˜œๆ–ฐ':'่พฝๅฎ็œ', '่พฝ้˜ณๅธ‚':'่พฝๅฎ็œ', '่พฝ้˜ณ':'่พฝๅฎ็œ', '็›˜้”ฆๅธ‚':'่พฝๅฎ็œ', '็›˜้”ฆ':'่พฝๅฎ็œ', '้“ๅฒญๅธ‚':'่พฝๅฎ็œ', '้“ๅฒญ':'่พฝๅฎ็œ', 'ๆœ้˜ณๅธ‚':'่พฝๅฎ็œ', 'ๆœ้˜ณ':'่พฝๅฎ็œ', '่‘ซ่Šฆๅฒ›ๅธ‚':'่พฝๅฎ็œ', '่‘ซ่Šฆๅฒ›':'่พฝๅฎ็œ', '้•ฟๆ˜ฅๅธ‚':'ๅ‰ๆž—็œ', '้•ฟๆ˜ฅ':'ๅ‰ๆž—็œ', 'ๅ‰ๆž—ๅธ‚':'ๅ‰ๆž—็œ', 'ๅ‰ๆž—':'ๅ‰ๆž—็œ', 'ๅ››ๅนณๅธ‚':'ๅ‰ๆž—็œ', 'ๅ››ๅนณ':'ๅ‰ๆž—็œ', '่พฝๆบๅธ‚':'ๅ‰ๆž—็œ', '่พฝๆบ':'ๅ‰ๆž—็œ', '้€šๅŒ–ๅธ‚':'ๅ‰ๆž—็œ', '้€šๅŒ–':'ๅ‰ๆž—็œ', '็™ฝๅฑฑๅธ‚':'ๅ‰ๆž—็œ', '็™ฝๅฑฑ':'ๅ‰ๆž—็œ', 'ๆพๅŽŸๅธ‚':'ๅ‰ๆž—็œ', 'ๆพๅŽŸ':'ๅ‰ๆž—็œ', '็™ฝๅŸŽๅธ‚':'ๅ‰ๆž—็œ', '็™ฝๅŸŽ':'ๅ‰ๆž—็œ', 'ๅปถ่พนๆœ้ฒœๆ—่‡ชๆฒปๅทž':'ๅ‰ๆž—็œ', 'ๅ“ˆๅฐ”ๆปจๅธ‚':'้ป‘้พ™ๆฑŸ็œ', 'ๅ“ˆๅฐ”ๆปจ':'้ป‘้พ™ๆฑŸ็œ', '้ฝ้ฝๅ“ˆๅฐ”ๅธ‚':'้ป‘้พ™ๆฑŸ็œ', '้ฝ้ฝๅ“ˆๅฐ”':'้ป‘้พ™ๆฑŸ็œ', '้ธก่ฅฟๅธ‚':'้ป‘้พ™ๆฑŸ็œ', '้ธก่ฅฟ':'้ป‘้พ™ๆฑŸ็œ', '้นคๅฒ—ๅธ‚':'้ป‘้พ™ๆฑŸ็œ', '้นคๅฒ—':'้ป‘้พ™ๆฑŸ็œ', 'ๅŒ้ธญๅฑฑๅธ‚':'้ป‘้พ™ๆฑŸ็œ', 'ๅŒ้ธญๅฑฑ':'้ป‘้พ™ๆฑŸ็œ', 'ๅคงๅบ†ๅธ‚':'้ป‘้พ™ๆฑŸ็œ', 'ๅคงๅบ†':'้ป‘้พ™ๆฑŸ็œ', 'ไผŠๆ˜ฅๅธ‚':'้ป‘้พ™ๆฑŸ็œ', 'ไผŠๆ˜ฅ':'้ป‘้พ™ๆฑŸ็œ', 'ไฝณๆœจๆ–ฏๅธ‚':'้ป‘้พ™ๆฑŸ็œ', 'ไฝณๆœจๆ–ฏ':'้ป‘้พ™ๆฑŸ็œ', 'ไธƒๅฐๆฒณๅธ‚':'้ป‘้พ™ๆฑŸ็œ', 'ไธƒๅฐๆฒณ':'้ป‘้พ™ๆฑŸ็œ', '็‰กไธนๆฑŸๅธ‚':'้ป‘้พ™ๆฑŸ็œ', '็‰กไธนๆฑŸ':'้ป‘้พ™ๆฑŸ็œ', '้ป‘ๆฒณๅธ‚':'้ป‘้พ™ๆฑŸ็œ', '้ป‘ๆฒณ':'้ป‘้พ™ๆฑŸ็œ', '็ปฅๅŒ–ๅธ‚':'้ป‘้พ™ๆฑŸ็œ', '็ปฅๅŒ–':'้ป‘้พ™ๆฑŸ็œ', 'ๅคงๅ…ดๅฎ‰ๅฒญๅœฐๅŒบ':'้ป‘้พ™ๆฑŸ็œ', 'ไธŠๆตทๅธ‚':'ไธŠๆตทๅธ‚', 'ไธŠๆตท':'ไธŠๆตทๅธ‚', 'ๅ—ไบฌๅธ‚':'ๆฑŸ่‹็œ', 'ๅ—ไบฌ':'ๆฑŸ่‹็œ', 'ๆ— ้”กๅธ‚':'ๆฑŸ่‹็œ', 'ๆ— ้”ก':'ๆฑŸ่‹็œ', 'ๅพๅทžๅธ‚':'ๆฑŸ่‹็œ', 'ๅพๅทž':'ๆฑŸ่‹็œ', 'ๅธธๅทžๅธ‚':'ๆฑŸ่‹็œ', 'ๅธธๅทž':'ๆฑŸ่‹็œ', '่‹ๅทžๅธ‚':'ๆฑŸ่‹็œ', '่‹ๅทž':'ๆฑŸ่‹็œ', 'ๅ—้€šๅธ‚':'ๆฑŸ่‹็œ', 'ๅ—้€š':'ๆฑŸ่‹็œ', '่ฟžไบ‘ๆธฏๅธ‚':'ๆฑŸ่‹็œ', '่ฟžไบ‘ๆธฏ':'ๆฑŸ่‹็œ', 'ๆทฎๅฎ‰ๅธ‚':'ๆฑŸ่‹็œ', 'ๆทฎๅฎ‰':'ๆฑŸ่‹็œ', '็›ๅŸŽๅธ‚':'ๆฑŸ่‹็œ', '็›ๅŸŽ':'ๆฑŸ่‹็œ', 'ๆ‰ฌๅทžๅธ‚':'ๆฑŸ่‹็œ', 'ๆ‰ฌๅทž':'ๆฑŸ่‹็œ', '้•‡ๆฑŸๅธ‚':'ๆฑŸ่‹็œ', '้•‡ๆฑŸ':'ๆฑŸ่‹็œ', 'ๆณฐๅทžๅธ‚':'ๆฑŸ่‹็œ', 'ๆณฐๅทž':'ๆฑŸ่‹็œ', 'ๅฎฟ่ฟๅธ‚':'ๆฑŸ่‹็œ', 'ๅฎฟ่ฟ':'ๆฑŸ่‹็œ', 'ๆญๅทžๅธ‚':'ๆต™ๆฑŸ็œ', 'ๆญๅทž':'ๆต™ๆฑŸ็œ', 'ๅฎๆณขๅธ‚':'ๆต™ๆฑŸ็œ', 'ๅฎๆณข':'ๆต™ๆฑŸ็œ', 'ๆธฉๅทžๅธ‚':'ๆต™ๆฑŸ็œ', 'ๆธฉๅทž':'ๆต™ๆฑŸ็œ', 'ๅ˜‰ๅ…ดๅธ‚':'ๆต™ๆฑŸ็œ', 'ๅ˜‰ๅ…ด':'ๆต™ๆฑŸ็œ', 'ๆน–ๅทžๅธ‚':'ๆต™ๆฑŸ็œ', 'ๆน–ๅทž':'ๆต™ๆฑŸ็œ', '็ปๅ…ดๅธ‚':'ๆต™ๆฑŸ็œ', '็ปๅ…ด':'ๆต™ๆฑŸ็œ', '้‡‘ๅŽๅธ‚':'ๆต™ๆฑŸ็œ', '้‡‘ๅŽ':'ๆต™ๆฑŸ็œ', '่กขๅทžๅธ‚':'ๆต™ๆฑŸ็œ', '่กขๅทž':'ๆต™ๆฑŸ็œ', '่ˆŸๅฑฑๅธ‚':'ๆต™ๆฑŸ็œ', '่ˆŸๅฑฑ':'ๆต™ๆฑŸ็œ', 'ๅฐๅทžๅธ‚':'ๆต™ๆฑŸ็œ', 'ๅฐๅทž':'ๆต™ๆฑŸ็œ', 'ไธฝๆฐดๅธ‚':'ๆต™ๆฑŸ็œ', 'ไธฝๆฐด':'ๆต™ๆฑŸ็œ', 'ๅˆ่‚ฅๅธ‚':'ๅฎ‰ๅพฝ็œ', 'ๅˆ่‚ฅ':'ๅฎ‰ๅพฝ็œ', '่Šœๆน–ๅธ‚':'ๅฎ‰ๅพฝ็œ', '่Šœๆน–':'ๅฎ‰ๅพฝ็œ', '่šŒๅŸ ๅธ‚':'ๅฎ‰ๅพฝ็œ', '่šŒๅŸ ':'ๅฎ‰ๅพฝ็œ', 'ๆทฎๅ—ๅธ‚':'ๅฎ‰ๅพฝ็œ', 'ๆทฎๅ—':'ๅฎ‰ๅพฝ็œ', '้ฉฌ้žๅฑฑๅธ‚':'ๅฎ‰ๅพฝ็œ', '้ฉฌ้žๅฑฑ':'ๅฎ‰ๅพฝ็œ', 'ๆทฎๅŒ—ๅธ‚':'ๅฎ‰ๅพฝ็œ', 'ๆทฎๅŒ—':'ๅฎ‰ๅพฝ็œ', '้“œ้™ตๅธ‚':'ๅฎ‰ๅพฝ็œ', '้“œ้™ต':'ๅฎ‰ๅพฝ็œ', 'ๅฎ‰ๅบ†ๅธ‚':'ๅฎ‰ๅพฝ็œ', 'ๅฎ‰ๅบ†':'ๅฎ‰ๅพฝ็œ', '้ป„ๅฑฑๅธ‚':'ๅฎ‰ๅพฝ็œ', '้ป„ๅฑฑ':'ๅฎ‰ๅพฝ็œ', 'ๆปๅทžๅธ‚':'ๅฎ‰ๅพฝ็œ', 'ๆปๅทž':'ๅฎ‰ๅพฝ็œ', '้˜œ้˜ณๅธ‚':'ๅฎ‰ๅพฝ็œ', '้˜œ้˜ณ':'ๅฎ‰ๅพฝ็œ', 'ๅฎฟๅทžๅธ‚':'ๅฎ‰ๅพฝ็œ', 'ๅฎฟๅทž':'ๅฎ‰ๅพฝ็œ', 'ๅทขๆน–ๅธ‚':'ๅฎ‰ๅพฝ็œ', 'ๅทขๆน–':'ๅฎ‰ๅพฝ็œ', 'ๅ…ญๅฎ‰ๅธ‚':'ๅฎ‰ๅพฝ็œ', 'ๅ…ญๅฎ‰':'ๅฎ‰ๅพฝ็œ', 'ไบณๅทžๅธ‚':'ๅฎ‰ๅพฝ็œ', 'ไบณๅทž':'ๅฎ‰ๅพฝ็œ', 'ๆฑ ๅทžๅธ‚':'ๅฎ‰ๅพฝ็œ', 'ๆฑ ๅทž':'ๅฎ‰ๅพฝ็œ', 'ๅฎฃๅŸŽๅธ‚':'ๅฎ‰ๅพฝ็œ', 'ๅฎฃๅŸŽ':'ๅฎ‰ๅพฝ็œ', '็ฆๅทžๅธ‚':'็ฆๅปบ็œ', '็ฆๅทž':'็ฆๅปบ็œ', 'ๅŽฆ้—จๅธ‚':'็ฆๅปบ็œ', 'ๅŽฆ้—จ':'็ฆๅปบ็œ', '่ކ็”ฐๅธ‚':'็ฆๅปบ็œ', '่ކ็”ฐ':'็ฆๅปบ็œ', 'ไธ‰ๆ˜Žๅธ‚':'็ฆๅปบ็œ', 'ไธ‰ๆ˜Ž':'็ฆๅปบ็œ', 'ๆณ‰ๅทžๅธ‚':'็ฆๅปบ็œ', 'ๆณ‰ๅทž':'็ฆๅปบ็œ', 'ๆผณๅทžๅธ‚':'็ฆๅปบ็œ', 'ๆผณๅทž':'็ฆๅปบ็œ', 'ๅ—ๅนณๅธ‚':'็ฆๅปบ็œ', 'ๅ—ๅนณ':'็ฆๅปบ็œ', '้พ™ๅฒฉๅธ‚':'็ฆๅปบ็œ', '้พ™ๅฒฉ':'็ฆๅปบ็œ', 'ๅฎๅพทๅธ‚':'็ฆๅปบ็œ', 'ๅฎๅพท':'็ฆๅปบ็œ', 'ๅ—ๆ˜Œๅธ‚':'ๆฑŸ่ฅฟ็œ', 'ๅ—ๆ˜Œ':'ๆฑŸ่ฅฟ็œ', 'ๆ™ฏๅพท้•‡ๅธ‚':'ๆฑŸ่ฅฟ็œ', 'ๆ™ฏๅพท้•‡':'ๆฑŸ่ฅฟ็œ', '่ไนกๅธ‚':'ๆฑŸ่ฅฟ็œ', '่ไนก':'ๆฑŸ่ฅฟ็œ', 'ไนๆฑŸๅธ‚':'ๆฑŸ่ฅฟ็œ', 'ไนๆฑŸ':'ๆฑŸ่ฅฟ็œ', 'ๆ–ฐไฝ™ๅธ‚':'ๆฑŸ่ฅฟ็œ', 'ๆ–ฐไฝ™':'ๆฑŸ่ฅฟ็œ', '้นฐๆฝญๅธ‚':'ๆฑŸ่ฅฟ็œ', '้นฐๆฝญ':'ๆฑŸ่ฅฟ็œ', '่ตฃๅทžๅธ‚':'ๆฑŸ่ฅฟ็œ', '่ตฃๅทž':'ๆฑŸ่ฅฟ็œ', 'ๅ‰ๅฎ‰ๅธ‚':'ๆฑŸ่ฅฟ็œ', 'ๅ‰ๅฎ‰':'ๆฑŸ่ฅฟ็œ', 'ๅฎœๆ˜ฅๅธ‚':'ๆฑŸ่ฅฟ็œ', 'ๅฎœๆ˜ฅ':'ๆฑŸ่ฅฟ็œ', 'ๆŠšๅทžๅธ‚':'ๆฑŸ่ฅฟ็œ', 'ๆŠšๅทž':'ๆฑŸ่ฅฟ็œ', 'ไธŠ้ฅถๅธ‚':'ๆฑŸ่ฅฟ็œ', 'ไธŠ้ฅถ':'ๆฑŸ่ฅฟ็œ', 'ๆตŽๅ—ๅธ‚':'ๅฑฑไธœ็œ', 'ๆตŽๅ—':'ๅฑฑไธœ็œ', '้’ๅฒ›ๅธ‚':'ๅฑฑไธœ็œ', '้’ๅฒ›':'ๅฑฑไธœ็œ', 'ๆท„ๅšๅธ‚':'ๅฑฑไธœ็œ', 'ๆท„ๅš':'ๅฑฑไธœ็œ', 'ๆžฃๅบ„ๅธ‚':'ๅฑฑไธœ็œ', 'ๆžฃๅบ„':'ๅฑฑไธœ็œ', 'ไธœ่ฅๅธ‚':'ๅฑฑไธœ็œ', 'ไธœ่ฅ':'ๅฑฑไธœ็œ', '็ƒŸๅฐๅธ‚':'ๅฑฑไธœ็œ', '็ƒŸๅฐ':'ๅฑฑไธœ็œ', 'ๆฝๅŠๅธ‚':'ๅฑฑไธœ็œ', 'ๆฝๅŠ':'ๅฑฑไธœ็œ', 'ๆตŽๅฎๅธ‚':'ๅฑฑไธœ็œ', 'ๆตŽๅฎ':'ๅฑฑไธœ็œ', 'ๆณฐๅฎ‰ๅธ‚':'ๅฑฑไธœ็œ', 'ๆณฐๅฎ‰':'ๅฑฑไธœ็œ', 'ๅจๆตทๅธ‚':'ๅฑฑไธœ็œ', 'ๅจๆตท':'ๅฑฑไธœ็œ', 'ๆ—ฅ็…งๅธ‚':'ๅฑฑไธœ็œ', 'ๆ—ฅ็…ง':'ๅฑฑไธœ็œ', '่Žฑ่Šœๅธ‚':'ๅฑฑไธœ็œ', '่Žฑ่Šœ':'ๅฑฑไธœ็œ', 'ไธดๆฒ‚ๅธ‚':'ๅฑฑไธœ็œ', 'ไธดๆฒ‚':'ๅฑฑไธœ็œ', 'ๅพทๅทžๅธ‚':'ๅฑฑไธœ็œ', 'ๅพทๅทž':'ๅฑฑไธœ็œ', '่ŠๅŸŽๅธ‚':'ๅฑฑไธœ็œ', '่ŠๅŸŽ':'ๅฑฑไธœ็œ', 'ๆปจๅทžๅธ‚':'ๅฑฑไธœ็œ', 'ๆปจๅทž':'ๅฑฑไธœ็œ', '่ทๆณฝๅธ‚':'ๅฑฑไธœ็œ', '่ทๆณฝ':'ๅฑฑไธœ็œ', '้ƒ‘ๅทžๅธ‚':'ๆฒณๅ—็œ', '้ƒ‘ๅทž':'ๆฒณๅ—็œ', 'ๅผ€ๅฐๅธ‚':'ๆฒณๅ—็œ', 'ๅผ€ๅฐ':'ๆฒณๅ—็œ', 'ๆด›้˜ณๅธ‚':'ๆฒณๅ—็œ', 'ๆด›้˜ณ':'ๆฒณๅ—็œ', 'ๅนณ้กถๅฑฑๅธ‚':'ๆฒณๅ—็œ', 'ๅนณ้กถๅฑฑ':'ๆฒณๅ—็œ', 'ๅฎ‰้˜ณๅธ‚':'ๆฒณๅ—็œ', 'ๅฎ‰้˜ณ':'ๆฒณๅ—็œ', '้นคๅฃๅธ‚':'ๆฒณๅ—็œ', '้นคๅฃ':'ๆฒณๅ—็œ', 'ๆ–ฐไนกๅธ‚':'ๆฒณๅ—็œ', 'ๆ–ฐไนก':'ๆฒณๅ—็œ', '็„ฆไฝœๅธ‚':'ๆฒณๅ—็œ', '็„ฆไฝœ':'ๆฒณๅ—็œ', 'ๆฟฎ้˜ณๅธ‚':'ๆฒณๅ—็œ', 'ๆฟฎ้˜ณ':'ๆฒณๅ—็œ', '่ฎธๆ˜Œๅธ‚':'ๆฒณๅ—็œ', '่ฎธๆ˜Œ':'ๆฒณๅ—็œ', 'ๆผฏๆฒณๅธ‚':'ๆฒณๅ—็œ', 'ๆผฏๆฒณ':'ๆฒณๅ—็œ', 'ไธ‰้—จๅณกๅธ‚':'ๆฒณๅ—็œ', 'ไธ‰้—จๅณก':'ๆฒณๅ—็œ', 'ๅ—้˜ณๅธ‚':'ๆฒณๅ—็œ', 'ๅ—้˜ณ':'ๆฒณๅ—็œ', 'ๅ•†ไธ˜ๅธ‚':'ๆฒณๅ—็œ', 'ๅ•†ไธ˜':'ๆฒณๅ—็œ', 'ไฟก้˜ณๅธ‚':'ๆฒณๅ—็œ', 'ไฟก้˜ณ':'ๆฒณๅ—็œ', 'ๅ‘จๅฃๅธ‚':'ๆฒณๅ—็œ', 'ๅ‘จๅฃ':'ๆฒณๅ—็œ', '้ฉป้ฉฌๅบ—ๅธ‚':'ๆฒณๅ—็œ', '้ฉป้ฉฌๅบ—':'ๆฒณๅ—็œ', 'ๆญฆๆฑ‰ๅธ‚':'ๆน–ๅŒ—็œ', 'ๆญฆๆฑ‰':'ๆน–ๅŒ—็œ', '้ป„็Ÿณๅธ‚':'ๆน–ๅŒ—็œ', '้ป„็Ÿณ':'ๆน–ๅŒ—็œ', 'ๅๅ ฐๅธ‚':'ๆน–ๅŒ—็œ', 'ๅๅ ฐ':'ๆน–ๅŒ—็œ', 'ๅฎœๆ˜Œๅธ‚':'ๆน–ๅŒ—็œ', 'ๅฎœๆ˜Œ':'ๆน–ๅŒ—็œ', '่ฅ„ๆจŠๅธ‚':'ๆน–ๅŒ—็œ', '่ฅ„ๆจŠ':'ๆน–ๅŒ—็œ', '้„‚ๅทžๅธ‚':'ๆน–ๅŒ—็œ', '้„‚ๅทž':'ๆน–ๅŒ—็œ', '่†้—จๅธ‚':'ๆน–ๅŒ—็œ', '่†้—จ':'ๆน–ๅŒ—็œ', 'ๅญๆ„Ÿๅธ‚':'ๆน–ๅŒ—็œ', 'ๅญๆ„Ÿ':'ๆน–ๅŒ—็œ', '่†ๅทžๅธ‚':'ๆน–ๅŒ—็œ', '่†ๅทž':'ๆน–ๅŒ—็œ', '้ป„ๅ†ˆๅธ‚':'ๆน–ๅŒ—็œ', '้ป„ๅ†ˆ':'ๆน–ๅŒ—็œ', 'ๅ’ธๅฎๅธ‚':'ๆน–ๅŒ—็œ', 'ๅ’ธๅฎ':'ๆน–ๅŒ—็œ', '้šๅทžๅธ‚':'ๆน–ๅŒ—็œ', '้šๅทž':'ๆน–ๅŒ—็œ', 'ๆฉๆ–ฝๅœŸๅฎถๆ—่‹—ๆ—่‡ชๆฒปๅทž':'ๆน–ๅŒ—็œ', '429000':'ๆน–ๅŒ—็œ', '้•ฟๆฒ™ๅธ‚':'ๆน–ๅ—็œ', '้•ฟๆฒ™':'ๆน–ๅ—็œ', 'ๆ ชๆดฒๅธ‚':'ๆน–ๅ—็œ', 'ๆ ชๆดฒ':'ๆน–ๅ—็œ', 'ๆน˜ๆฝญๅธ‚':'ๆน–ๅ—็œ', 'ๆน˜ๆฝญ':'ๆน–ๅ—็œ', '่กก้˜ณๅธ‚':'ๆน–ๅ—็œ', '่กก้˜ณ':'ๆน–ๅ—็œ', '้‚ต้˜ณๅธ‚':'ๆน–ๅ—็œ', '้‚ต้˜ณ':'ๆน–ๅ—็œ', 'ๅฒณ้˜ณๅธ‚':'ๆน–ๅ—็œ', 'ๅฒณ้˜ณ':'ๆน–ๅ—็œ', 'ๅธธๅพทๅธ‚':'ๆน–ๅ—็œ', 'ๅธธๅพท':'ๆน–ๅ—็œ', 'ๅผ ๅฎถ็•Œๅธ‚':'ๆน–ๅ—็œ', 'ๅผ ๅฎถ็•Œ':'ๆน–ๅ—็œ', '็›Š้˜ณๅธ‚':'ๆน–ๅ—็œ', '็›Š้˜ณ':'ๆน–ๅ—็œ', '้ƒดๅทžๅธ‚':'ๆน–ๅ—็œ', '้ƒดๅทž':'ๆน–ๅ—็œ', 'ๆฐธๅทžๅธ‚':'ๆน–ๅ—็œ', 'ๆฐธๅทž':'ๆน–ๅ—็œ', 'ๆ€€ๅŒ–ๅธ‚':'ๆน–ๅ—็œ', 'ๆ€€ๅŒ–':'ๆน–ๅ—็œ', 'ๅจ„ๅบ•ๅธ‚':'ๆน–ๅ—็œ', 'ๅจ„ๅบ•':'ๆน–ๅ—็œ', 'ๆน˜่ฅฟๅœŸๅฎถๆ—่‹—ๆ—่‡ชๆฒปๅทž':'ๆน–ๅ—็œ', 'ๅนฟๅทžๅธ‚':'ๅนฟไธœ็œ', 'ๅนฟๅทž':'ๅนฟไธœ็œ', '้Ÿถๅ…ณๅธ‚':'ๅนฟไธœ็œ', '้Ÿถๅ…ณ':'ๅนฟไธœ็œ', 'ๆทฑๅœณๅธ‚':'ๅนฟไธœ็œ', 'ๆทฑๅœณ':'ๅนฟไธœ็œ', '็ ๆตทๅธ‚':'ๅนฟไธœ็œ', '็ ๆตท':'ๅนฟไธœ็œ', 'ๆฑ•ๅคดๅธ‚':'ๅนฟไธœ็œ', 'ๆฑ•ๅคด':'ๅนฟไธœ็œ', 'ไฝ›ๅฑฑๅธ‚':'ๅนฟไธœ็œ', 'ไฝ›ๅฑฑ':'ๅนฟไธœ็œ', 'ๆฑŸ้—จๅธ‚':'ๅนฟไธœ็œ', 'ๆฑŸ้—จ':'ๅนฟไธœ็œ', 'ๆน›ๆฑŸๅธ‚':'ๅนฟไธœ็œ', 'ๆน›ๆฑŸ':'ๅนฟไธœ็œ', '่Œ‚ๅๅธ‚':'ๅนฟไธœ็œ', '่Œ‚ๅ':'ๅนฟไธœ็œ', '่‚‡ๅบ†ๅธ‚':'ๅนฟไธœ็œ', '่‚‡ๅบ†':'ๅนฟไธœ็œ', 'ๆƒ ๅทžๅธ‚':'ๅนฟไธœ็œ', 'ๆƒ ๅทž':'ๅนฟไธœ็œ', 'ๆข…ๅทžๅธ‚':'ๅนฟไธœ็œ', 'ๆข…ๅทž':'ๅนฟไธœ็œ', 'ๆฑ•ๅฐพๅธ‚':'ๅนฟไธœ็œ', 'ๆฑ•ๅฐพ':'ๅนฟไธœ็œ', 'ๆฒณๆบๅธ‚':'ๅนฟไธœ็œ', 'ๆฒณๆบ':'ๅนฟไธœ็œ', '้˜ณๆฑŸๅธ‚':'ๅนฟไธœ็œ', '้˜ณๆฑŸ':'ๅนฟไธœ็œ', 'ๆธ…่ฟœๅธ‚':'ๅนฟไธœ็œ', 'ๆธ…่ฟœ':'ๅนฟไธœ็œ', 'ไธœ่Žžๅธ‚':'ๅนฟไธœ็œ', 'ไธœ่Žž':'ๅนฟไธœ็œ', 'ไธญๅฑฑๅธ‚':'ๅนฟไธœ็œ', 'ไธญๅฑฑ':'ๅนฟไธœ็œ', 'ๆฝฎๅทžๅธ‚':'ๅนฟไธœ็œ', 'ๆฝฎๅทž':'ๅนฟไธœ็œ', 'ๆญ้˜ณๅธ‚':'ๅนฟไธœ็œ', 'ๆญ้˜ณ':'ๅนฟไธœ็œ', 'ไบ‘ๆตฎๅธ‚':'ๅนฟไธœ็œ', 'ไบ‘ๆตฎ':'ๅนฟไธœ็œ', 'ๅ—ๅฎๅธ‚':'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ', 'ๅ—ๅฎ':'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ', 'ๆŸณๅทžๅธ‚':'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ', 'ๆŸณๅทž':'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ', 'ๆก‚ๆž—ๅธ‚':'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ', 'ๆก‚ๆž—':'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ', 'ๆขงๅทžๅธ‚':'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ', 'ๆขงๅทž':'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ', 'ๅŒ—ๆตทๅธ‚':'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ', 'ๅŒ—ๆตท':'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ', '้˜ฒๅŸŽๆธฏๅธ‚':'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ', '้˜ฒๅŸŽๆธฏ':'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ', '้’ฆๅทžๅธ‚':'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ', '้’ฆๅทž':'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ', '่ดตๆธฏๅธ‚':'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ', '่ดตๆธฏ':'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ', '็މๆž—ๅธ‚':'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ', '็މๆž—':'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ', '็™พ่‰ฒๅธ‚':'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ', '็™พ่‰ฒ':'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ', '่ดบๅทžๅธ‚':'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ', '่ดบๅทž':'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ', 'ๆฒณๆฑ ๅธ‚':'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ', 'ๆฒณๆฑ ':'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ', 'ๆฅๅฎพๅธ‚':'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ', 'ๆฅๅฎพ':'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ', 'ๅด‡ๅทฆๅธ‚':'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ', 'ๅด‡ๅทฆ':'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ', 'ๆตทๅฃๅธ‚':'ๆตทๅ—็œ', 'ๆตทๅฃ':'ๆตทๅ—็œ', 'ไธ‰ไบšๅธ‚':'ๆตทๅ—็œ', 'ไธ‰ไบš':'ๆตทๅ—็œ', '็œ็›ด่พ–ๅŽฟ็บง่กŒๆ”ฟๅ•ไฝ':'ๆตทๅ—็œ', '้‡ๅบ†ๅธ‚':'้‡ๅบ†ๅธ‚', '้‡ๅบ†':'้‡ๅบ†ๅธ‚', 'ๆˆ้ƒฝๅธ‚':'ๅ››ๅท็œ', 'ๆˆ้ƒฝ':'ๅ››ๅท็œ', '่‡ช่ดกๅธ‚':'ๅ››ๅท็œ', '่‡ช่ดก':'ๅ››ๅท็œ', 'ๆ”€ๆž่Šฑๅธ‚':'ๅ››ๅท็œ', 'ๆ”€ๆž่Šฑ':'ๅ››ๅท็œ', 'ๆณธๅทžๅธ‚':'ๅ››ๅท็œ', 'ๆณธๅทž':'ๅ››ๅท็œ', 'ๅพท้˜ณๅธ‚':'ๅ››ๅท็œ', 'ๅพท้˜ณ':'ๅ››ๅท็œ', '็ปต้˜ณๅธ‚':'ๅ››ๅท็œ', '็ปต้˜ณ':'ๅ››ๅท็œ', 'ๅนฟๅ…ƒๅธ‚':'ๅ››ๅท็œ', 'ๅนฟๅ…ƒ':'ๅ››ๅท็œ', '้‚ๅฎๅธ‚':'ๅ››ๅท็œ', '้‚ๅฎ':'ๅ››ๅท็œ', 'ๅ†…ๆฑŸๅธ‚':'ๅ››ๅท็œ', 'ๅ†…ๆฑŸ':'ๅ››ๅท็œ', 'ไนๅฑฑๅธ‚':'ๅ››ๅท็œ', 'ไนๅฑฑ':'ๅ››ๅท็œ', 'ๅ—ๅ……ๅธ‚':'ๅ››ๅท็œ', 'ๅ—ๅ……':'ๅ››ๅท็œ', '็œ‰ๅฑฑๅธ‚':'ๅ››ๅท็œ', '็œ‰ๅฑฑ':'ๅ››ๅท็œ', 'ๅฎœๅฎพๅธ‚':'ๅ››ๅท็œ', 'ๅฎœๅฎพ':'ๅ››ๅท็œ', 'ๅนฟๅฎ‰ๅธ‚':'ๅ››ๅท็œ', 'ๅนฟๅฎ‰':'ๅ››ๅท็œ', '่พพๅทžๅธ‚':'ๅ››ๅท็œ', '่พพๅทž':'ๅ››ๅท็œ', '้›…ๅฎ‰ๅธ‚':'ๅ››ๅท็œ', '้›…ๅฎ‰':'ๅ››ๅท็œ', 'ๅทดไธญๅธ‚':'ๅ››ๅท็œ', 'ๅทดไธญ':'ๅ››ๅท็œ', '่ต„้˜ณๅธ‚':'ๅ››ๅท็œ', '่ต„้˜ณ':'ๅ››ๅท็œ', '้˜ฟๅ่—ๆ—็พŒๆ—่‡ชๆฒปๅทž':'ๅ››ๅท็œ', '็”˜ๅญœ่—ๆ—่‡ชๆฒปๅทž':'ๅ››ๅท็œ', 'ๅ‡‰ๅฑฑๅฝๆ—่‡ชๆฒปๅทž':'ๅ››ๅท็œ', '่ดต้˜ณๅธ‚':'่ดตๅทž็œ', '่ดต้˜ณ':'่ดตๅทž็œ', 'ๅ…ญ็›˜ๆฐดๅธ‚':'่ดตๅทž็œ', 'ๅ…ญ็›˜ๆฐด':'่ดตๅทž็œ', '้ตไน‰ๅธ‚':'่ดตๅทž็œ', '้ตไน‰':'่ดตๅทž็œ', 'ๅฎ‰้กบๅธ‚':'่ดตๅทž็œ', 'ๅฎ‰้กบ':'่ดตๅทž็œ', '้“œไปๅœฐๅŒบ':'่ดตๅทž็œ', '้ป”่ฅฟๅ—ๅธƒไพๆ—่‹—ๆ—่‡ชๆฒปๅทž':'่ดตๅทž็œ', 'ๆฏ•่Š‚ๅœฐๅŒบ':'่ดตๅทž็œ', '้ป”ไธœๅ—่‹—ๆ—ไพ—ๆ—่‡ชๆฒปๅทž':'่ดตๅทž็œ', '้ป”ๅ—ๅธƒไพๆ—่‹—ๆ—่‡ชๆฒปๅทž':'่ดตๅทž็œ', 'ๆ˜†ๆ˜Žๅธ‚':'ไบ‘ๅ—็œ', 'ๆ˜†ๆ˜Ž':'ไบ‘ๅ—็œ', 'ๆ›ฒ้–ๅธ‚':'ไบ‘ๅ—็œ', 'ๆ›ฒ้–':'ไบ‘ๅ—็œ', '็މๆบชๅธ‚':'ไบ‘ๅ—็œ', '็މๆบช':'ไบ‘ๅ—็œ', 'ไฟๅฑฑๅธ‚':'ไบ‘ๅ—็œ', 'ไฟๅฑฑ':'ไบ‘ๅ—็œ', 'ๆ˜ญ้€šๅธ‚':'ไบ‘ๅ—็œ', 'ๆ˜ญ้€š':'ไบ‘ๅ—็œ', 'ไธฝๆฑŸๅธ‚':'ไบ‘ๅ—็œ', 'ไธฝๆฑŸ':'ไบ‘ๅ—็œ', 'ๆ€่Œ…ๅธ‚':'ไบ‘ๅ—็œ', 'ๆ€่Œ…':'ไบ‘ๅ—็œ', 'ไธดๆฒงๅธ‚':'ไบ‘ๅ—็œ', 'ไธดๆฒง':'ไบ‘ๅ—็œ', 'ๆฅš้›„ๅฝๆ—่‡ชๆฒปๅทž':'ไบ‘ๅ—็œ', '็บขๆฒณๅ“ˆๅฐผๆ—ๅฝๆ—่‡ชๆฒปๅทž':'ไบ‘ๅ—็œ', 'ๆ–‡ๅฑฑๅฃฎๆ—่‹—ๆ—่‡ชๆฒปๅทž':'ไบ‘ๅ—็œ', '่ฅฟๅŒ็‰ˆ็บณๅ‚ฃๆ—่‡ชๆฒปๅทž':'ไบ‘ๅ—็œ', 'ๅคง็†็™ฝๆ—่‡ชๆฒปๅทž':'ไบ‘ๅ—็œ', 'ๅพทๅฎๅ‚ฃๆ—ๆ™ฏ้ข‡ๆ—่‡ชๆฒปๅทž':'ไบ‘ๅ—็œ', 'ๆ€’ๆฑŸๅ‚ˆๅƒณๆ—่‡ชๆฒปๅทž':'ไบ‘ๅ—็œ', '่ฟชๅบ†่—ๆ—่‡ชๆฒปๅทž':'ไบ‘ๅ—็œ', 'ๆ‹‰่จๅธ‚':'่ฅฟ่—่‡ชๆฒปๅŒบ', 'ๆ‹‰่จ':'่ฅฟ่—่‡ชๆฒปๅŒบ', 'ๆ˜Œ้ƒฝๅœฐๅŒบ':'่ฅฟ่—่‡ชๆฒปๅŒบ', 'ๅฑฑๅ—ๅœฐๅŒบ':'่ฅฟ่—่‡ชๆฒปๅŒบ', 'ๆ—ฅๅ–€ๅˆ™ๅœฐๅŒบ':'่ฅฟ่—่‡ชๆฒปๅŒบ', '้‚ฃๆ›ฒๅœฐๅŒบ':'่ฅฟ่—่‡ชๆฒปๅŒบ', '้˜ฟ้‡ŒๅœฐๅŒบ':'่ฅฟ่—่‡ชๆฒปๅŒบ', 'ๆž—่ŠๅœฐๅŒบ':'่ฅฟ่—่‡ชๆฒปๅŒบ', '่ฅฟๅฎ‰ๅธ‚':'้™•่ฅฟ็œ', '่ฅฟๅฎ‰':'้™•่ฅฟ็œ', '้“œๅทๅธ‚':'้™•่ฅฟ็œ', '้“œๅท':'้™•่ฅฟ็œ', 'ๅฎ้ธกๅธ‚':'้™•่ฅฟ็œ', 'ๅฎ้ธก':'้™•่ฅฟ็œ', 'ๅ’ธ้˜ณๅธ‚':'้™•่ฅฟ็œ', 'ๅ’ธ้˜ณ':'้™•่ฅฟ็œ', 'ๆธญๅ—ๅธ‚':'้™•่ฅฟ็œ', 'ๆธญๅ—':'้™•่ฅฟ็œ', 'ๅปถๅฎ‰ๅธ‚':'้™•่ฅฟ็œ', 'ๅปถๅฎ‰':'้™•่ฅฟ็œ', 'ๆฑ‰ไธญๅธ‚':'้™•่ฅฟ็œ', 'ๆฑ‰ไธญ':'้™•่ฅฟ็œ', 'ๆฆ†ๆž—ๅธ‚':'้™•่ฅฟ็œ', 'ๆฆ†ๆž—':'้™•่ฅฟ็œ', 'ๅฎ‰ๅบทๅธ‚':'้™•่ฅฟ็œ', 'ๅฎ‰ๅบท':'้™•่ฅฟ็œ', 'ๅ•†ๆด›ๅธ‚':'้™•่ฅฟ็œ', 'ๅ•†ๆด›':'้™•่ฅฟ็œ', 'ๅ…ฐๅทžๅธ‚':'็”˜่‚ƒ็œ', 'ๅ…ฐๅทž':'็”˜่‚ƒ็œ', 'ๅ˜‰ๅณชๅ…ณๅธ‚':'็”˜่‚ƒ็œ', 'ๅ˜‰ๅณชๅ…ณ':'็”˜่‚ƒ็œ', '้‡‘ๆ˜Œๅธ‚':'็”˜่‚ƒ็œ', '้‡‘ๆ˜Œ':'็”˜่‚ƒ็œ', '็™ฝ้“ถๅธ‚':'็”˜่‚ƒ็œ', '็™ฝ้“ถ':'็”˜่‚ƒ็œ', 'ๅคฉๆฐดๅธ‚':'็”˜่‚ƒ็œ', 'ๅคฉๆฐด':'็”˜่‚ƒ็œ', 'ๆญฆๅจๅธ‚':'็”˜่‚ƒ็œ', 'ๆญฆๅจ':'็”˜่‚ƒ็œ', 'ๅผ ๆŽ–ๅธ‚':'็”˜่‚ƒ็œ', 'ๅผ ๆŽ–':'็”˜่‚ƒ็œ', 'ๅนณๅ‡‰ๅธ‚':'็”˜่‚ƒ็œ', 'ๅนณๅ‡‰':'็”˜่‚ƒ็œ', '้…’ๆณ‰ๅธ‚':'็”˜่‚ƒ็œ', '้…’ๆณ‰':'็”˜่‚ƒ็œ', 'ๅบ†้˜ณๅธ‚':'็”˜่‚ƒ็œ', 'ๅบ†้˜ณ':'็”˜่‚ƒ็œ', 'ๅฎš่ฅฟๅธ‚':'็”˜่‚ƒ็œ', 'ๅฎš่ฅฟ':'็”˜่‚ƒ็œ', '้™‡ๅ—ๅธ‚':'็”˜่‚ƒ็œ', '้™‡ๅ—':'็”˜่‚ƒ็œ', 'ไธดๅคๅ›žๆ—่‡ชๆฒปๅทž':'็”˜่‚ƒ็œ', '็”˜ๅ—่—ๆ—่‡ชๆฒปๅทž':'็”˜่‚ƒ็œ', '่ฅฟๅฎๅธ‚':'้’ๆตท็œ', '่ฅฟๅฎ':'้’ๆตท็œ', 'ๆตทไธœๅœฐๅŒบ':'้’ๆตท็œ', 'ๆตทๅŒ—่—ๆ—่‡ชๆฒปๅทž':'้’ๆตท็œ', '้ป„ๅ—่—ๆ—่‡ชๆฒปๅทž':'้’ๆตท็œ', 'ๆตทๅ—่—ๆ—่‡ชๆฒปๅทž':'้’ๆตท็œ', 'ๆžœๆด›่—ๆ—่‡ชๆฒปๅทž':'้’ๆตท็œ', '็މๆ ‘่—ๆ—่‡ชๆฒปๅทž':'้’ๆตท็œ', 'ๆตท่ฅฟ่’™ๅคๆ—่—ๆ—่‡ชๆฒปๅทž':'้’ๆตท็œ', '้“ถๅทๅธ‚':'ๅฎๅคๅ›žๆ—่‡ชๆฒปๅŒบ', '้“ถๅท':'ๅฎๅคๅ›žๆ—่‡ชๆฒปๅŒบ', '็Ÿณๅ˜ดๅฑฑๅธ‚':'ๅฎๅคๅ›žๆ—่‡ชๆฒปๅŒบ', '็Ÿณๅ˜ดๅฑฑ':'ๅฎๅคๅ›žๆ—่‡ชๆฒปๅŒบ', 'ๅดๅฟ ๅธ‚':'ๅฎๅคๅ›žๆ—่‡ชๆฒปๅŒบ', 'ๅดๅฟ ':'ๅฎๅคๅ›žๆ—่‡ชๆฒปๅŒบ', 'ๅ›บๅŽŸๅธ‚':'ๅฎๅคๅ›žๆ—่‡ชๆฒปๅŒบ', 'ๅ›บๅŽŸ':'ๅฎๅคๅ›žๆ—่‡ชๆฒปๅŒบ', 'ไธญๅซๅธ‚':'ๅฎๅคๅ›žๆ—่‡ชๆฒปๅŒบ', 'ไธญๅซ':'ๅฎๅคๅ›žๆ—่‡ชๆฒปๅŒบ', 'ไนŒ้ฒๆœจ้ฝๅธ‚':'ๆ–ฐ็–†็ปดๅพๅฐ”่‡ชๆฒปๅŒบ', 'ไนŒ้ฒๆœจ้ฝ':'ๆ–ฐ็–†็ปดๅพๅฐ”่‡ชๆฒปๅŒบ', 'ๅ…‹ๆ‹‰็Ž›ไพๅธ‚':'ๆ–ฐ็–†็ปดๅพๅฐ”่‡ชๆฒปๅŒบ', 'ๅ…‹ๆ‹‰็Ž›ไพ':'ๆ–ฐ็–†็ปดๅพๅฐ”่‡ชๆฒปๅŒบ', 'ๅ้ฒ็•ชๅœฐๅŒบ':'ๆ–ฐ็–†็ปดๅพๅฐ”่‡ชๆฒปๅŒบ', 'ๅ“ˆๅฏ†ๅœฐๅŒบ':'ๆ–ฐ็–†็ปดๅพๅฐ”่‡ชๆฒปๅŒบ', 'ๆ˜Œๅ‰ๅ›žๆ—่‡ชๆฒปๅทž':'ๆ–ฐ็–†็ปดๅพๅฐ”่‡ชๆฒปๅŒบ', 'ๅšๅฐ”ๅก”ๆ‹‰่’™ๅค่‡ชๆฒปๅทž':'ๆ–ฐ็–†็ปดๅพๅฐ”่‡ชๆฒปๅŒบ', 'ๅทด้Ÿณ้ƒญๆฅž่’™ๅค่‡ชๆฒปๅทž':'ๆ–ฐ็–†็ปดๅพๅฐ”่‡ชๆฒปๅŒบ', '้˜ฟๅ…‹่‹ๅœฐๅŒบ':'ๆ–ฐ็–†็ปดๅพๅฐ”่‡ชๆฒปๅŒบ', 'ๅ…‹ๅญœๅ‹’่‹ๆŸฏๅฐ”ๅ…‹ๅญœ่‡ชๆฒปๅทž':'ๆ–ฐ็–†็ปดๅพๅฐ”่‡ชๆฒปๅŒบ', 'ๅ–€ไป€ๅœฐๅŒบ':'ๆ–ฐ็–†็ปดๅพๅฐ”่‡ชๆฒปๅŒบ', 'ๅ’Œ็”ฐๅœฐๅŒบ':'ๆ–ฐ็–†็ปดๅพๅฐ”่‡ชๆฒปๅŒบ', 'ไผŠ็Ёๅ“ˆ่จๅ…‹่‡ชๆฒปๅทž':'ๆ–ฐ็–†็ปดๅพๅฐ”่‡ชๆฒปๅŒบ', 'ๅก”ๅŸŽๅœฐๅŒบ':'ๆ–ฐ็–†็ปดๅพๅฐ”่‡ชๆฒปๅŒบ', '้˜ฟๅ‹’ๆณฐๅœฐๅŒบ':'ๆ–ฐ็–†็ปดๅพๅฐ”่‡ชๆฒปๅŒบ', '659000':'ๆ–ฐ็–†็ปดๅพๅฐ”่‡ชๆฒปๅŒบ', } province_country_mapper = { 'ๅŒ—ไบฌๅธ‚':'ไธญๅ›ฝ', 'ๅŒ—ไบฌ':'ไธญๅ›ฝ', 'ๅคฉๆดฅๅธ‚':'ไธญๅ›ฝ', 'ๅคฉๆดฅ':'ไธญๅ›ฝ', 'ๆฒณๅŒ—็œ':'ไธญๅ›ฝ', 'ๆฒณๅŒ—':'ไธญๅ›ฝ', 'ๅฑฑ่ฅฟ็œ':'ไธญๅ›ฝ', 'ๅฑฑ่ฅฟ':'ไธญๅ›ฝ', 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ':'ไธญๅ›ฝ', '่พฝๅฎ็œ':'ไธญๅ›ฝ', '่พฝๅฎ':'ไธญๅ›ฝ', 'ๅ‰ๆž—็œ':'ไธญๅ›ฝ', 'ๅ‰ๆž—':'ไธญๅ›ฝ', '้ป‘้พ™ๆฑŸ็œ':'ไธญๅ›ฝ', '้ป‘้พ™ๆฑŸ':'ไธญๅ›ฝ', 'ไธŠๆตทๅธ‚':'ไธญๅ›ฝ', 'ไธŠๆตท':'ไธญๅ›ฝ', 'ๆฑŸ่‹็œ':'ไธญๅ›ฝ', 'ๆฑŸ่‹':'ไธญๅ›ฝ', 'ๆต™ๆฑŸ็œ':'ไธญๅ›ฝ', 'ๆต™ๆฑŸ':'ไธญๅ›ฝ', 'ๅฎ‰ๅพฝ็œ':'ไธญๅ›ฝ', 'ๅฎ‰ๅพฝ':'ไธญๅ›ฝ', '็ฆๅปบ็œ':'ไธญๅ›ฝ', '็ฆๅปบ':'ไธญๅ›ฝ', 'ๆฑŸ่ฅฟ็œ':'ไธญๅ›ฝ', 'ๆฑŸ่ฅฟ':'ไธญๅ›ฝ', 'ๅฑฑไธœ็œ':'ไธญๅ›ฝ', 'ๅฑฑไธœ':'ไธญๅ›ฝ', 'ๆฒณๅ—็œ':'ไธญๅ›ฝ', 'ๆฒณๅ—':'ไธญๅ›ฝ', 'ๆน–ๅŒ—็œ':'ไธญๅ›ฝ', 'ๆน–ๅŒ—':'ไธญๅ›ฝ', 'ๆน–ๅ—็œ':'ไธญๅ›ฝ', 'ๆน–ๅ—':'ไธญๅ›ฝ', 'ๅนฟไธœ็œ':'ไธญๅ›ฝ', 'ๅนฟไธœ':'ไธญๅ›ฝ', 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ':'ไธญๅ›ฝ', 'ๆตทๅ—็œ':'ไธญๅ›ฝ', 'ๆตทๅ—':'ไธญๅ›ฝ', '้‡ๅบ†ๅธ‚':'ไธญๅ›ฝ', '้‡ๅบ†':'ไธญๅ›ฝ', 'ๅ››ๅท็œ':'ไธญๅ›ฝ', 'ๅ››ๅท':'ไธญๅ›ฝ', '่ดตๅทž็œ':'ไธญๅ›ฝ', '่ดตๅทž':'ไธญๅ›ฝ', 'ไบ‘ๅ—็œ':'ไธญๅ›ฝ', 'ไบ‘ๅ—':'ไธญๅ›ฝ', '่ฅฟ่—่‡ชๆฒปๅŒบ':'ไธญๅ›ฝ', '้™•่ฅฟ็œ':'ไธญๅ›ฝ', '้™•่ฅฟ':'ไธญๅ›ฝ', '็”˜่‚ƒ็œ':'ไธญๅ›ฝ', '็”˜่‚ƒ':'ไธญๅ›ฝ', '้’ๆตท็œ':'ไธญๅ›ฝ', '้’ๆตท':'ไธญๅ›ฝ', 'ๅฎๅคๅ›žๆ—่‡ชๆฒปๅŒบ':'ไธญๅ›ฝ', 'ๆ–ฐ็–†็ปดๅพๅฐ”่‡ชๆฒปๅŒบ':'ไธญๅ›ฝ', 'ๅฐๆนพ็œ':'ไธญๅ›ฝ', 'ๅฐๆนพ':'ไธญๅ›ฝ', '้ฆ™ๆธฏ็‰นๅˆซ่กŒๆ”ฟๅŒบ':'ไธญๅ›ฝ', 'ๆพณ้—จ็‰นๅˆซ่กŒๆ”ฟๅŒบ':'ไธญๅ›ฝ', } # # #(็œ,ๅธ‚,ๅŒบ):(็บฌๅบฆ,็ปๅบฆ) # lat_lon_mapper = { # 'ๅŒ—ไบฌๅธ‚,ๅŒ—ไบฌๅธ‚,ๅŒ—ไบฌๅธ‚':(39.9,116.4), # 'ๅŒ—ไบฌๅธ‚,ๅŒ—ไบฌๅธ‚,ๅคฉๅฎ‰้—จ':(39.9,116.38), # 'ๅŒ—ไบฌๅธ‚,ๅŒ—ไบฌๅธ‚,ไธœๅŸŽๅŒบ':(39.93,116.42), # 'ๅŒ—ไบฌๅธ‚,ๅŒ—ไบฌๅธ‚,่ฅฟๅŸŽๅŒบ':(39.92,116.37), # 'ๅŒ—ไบฌๅธ‚,ๅŒ—ไบฌๅธ‚,ๅด‡ๆ–‡ๅŒบ':(39.88,116.43), # 'ๅŒ—ไบฌๅธ‚,ๅŒ—ไบฌๅธ‚,ๅฎฃๆญฆๅŒบ':(39.87,116.35), # 'ๅŒ—ไบฌๅธ‚,ๅŒ—ไบฌๅธ‚,ๆœ้˜ณๅŒบ':(39.92,116.43), # 'ๅŒ—ไบฌๅธ‚,ๅŒ—ไบฌๅธ‚,ไธฐๅฐๅŒบ':(39.85,116.28), # 'ๅŒ—ไบฌๅธ‚,ๅŒ—ไบฌๅธ‚,็Ÿณๆ™ฏๅฑฑๅŒบ':(39.9,116.22), # 'ๅŒ—ไบฌๅธ‚,ๅŒ—ไบฌๅธ‚,ๆตทๆท€ๅŒบ':(39.95,116.3), # 'ๅŒ—ไบฌๅธ‚,ๅŒ—ไบฌๅธ‚,้—จๅคดๆฒŸๅŒบ':(39.93,116.1), # 'ๅŒ—ไบฌๅธ‚,ๅŒ—ไบฌๅธ‚,ๆˆฟๅฑฑๅŒบ':(39.75,116.13), # 'ๅŒ—ไบฌๅธ‚,ๅŒ—ไบฌๅธ‚,้€šๅทžๅŒบ':(39.92,116.65), # 'ๅŒ—ไบฌๅธ‚,ๅŒ—ไบฌๅธ‚,้กบไน‰ๅŒบ':(40.13,116.65), # 'ๅŒ—ไบฌๅธ‚,ๅŒ—ไบฌๅธ‚,ๆ˜ŒๅนณๅŒบ':(40.22,116.23), # 'ๅŒ—ไบฌๅธ‚,ๅŒ—ไบฌๅธ‚,ๅคงๅ…ดๅŒบ':(39.73,116.33), # 'ๅŒ—ไบฌๅธ‚,ๅŒ—ไบฌๅธ‚,ๆ€€ๆŸ”ๅŒบ':(40.32,116.63), # 'ๅŒ—ไบฌๅธ‚,ๅŒ—ไบฌๅธ‚,ๅนณ่ฐทๅŒบ':(40.13,117.12), # 'ๅŒ—ไบฌๅธ‚,ๅŒ—ไบฌๅธ‚,ๅฏ†ไบ‘ๅŽฟ':(40.37,116.83), # 'ๅŒ—ไบฌๅธ‚,ๅŒ—ไบฌๅธ‚,ๅปถๅบ†ๅŽฟ':(40.45,115.97), # 'ๅคฉๆดฅๅธ‚,ๅคฉๆดฅๅธ‚,ๅคฉๆดฅๅธ‚':(39.12,117.2), # 'ๅคฉๆดฅๅธ‚,ๅคฉๆดฅๅธ‚,ๅ’ŒๅนณๅŒบ':(39.12,117.2), # 'ๅคฉๆดฅๅธ‚,ๅคฉๆดฅๅธ‚,ๆฒณไธœๅŒบ':(39.12,117.22), # 'ๅคฉๆดฅๅธ‚,ๅคฉๆดฅๅธ‚,ๆฒณ่ฅฟๅŒบ':(39.12,117.22), # 'ๅคฉๆดฅๅธ‚,ๅคฉๆดฅๅธ‚,ๅ—ๅผ€ๅŒบ':(39.13,117.15), # 'ๅคฉๆดฅๅธ‚,ๅคฉๆดฅๅธ‚,ๆฒณๅŒ—ๅŒบ':(39.15,117.18), # 'ๅคฉๆดฅๅธ‚,ๅคฉๆดฅๅธ‚,็บขๆกฅๅŒบ':(39.17,117.15), # 'ๅคฉๆดฅๅธ‚,ๅคฉๆดฅๅธ‚,ๅก˜ๆฒฝๅŒบ':(39.02,117.65), # 'ๅคฉๆดฅๅธ‚,ๅคฉๆดฅๅธ‚,ๆฑ‰ๆฒฝๅŒบ':(39.25,117.8), # 'ๅคฉๆดฅๅธ‚,ๅคฉๆดฅๅธ‚,ๅคงๆธฏๅŒบ':(38.83,117.45), # 'ๅคฉๆดฅๅธ‚,ๅคฉๆดฅๅธ‚,ไธœไธฝๅŒบ':(39.08,117.3), # 'ๅคฉๆดฅๅธ‚,ๅคฉๆดฅๅธ‚,่ฅฟ้’ๅŒบ':(39.13,117.0), # 'ๅคฉๆดฅๅธ‚,ๅคฉๆดฅๅธ‚,ๆดฅๅ—ๅŒบ':(38.98,117.38), # 'ๅคฉๆดฅๅธ‚,ๅคฉๆดฅๅธ‚,ๅŒ—่พฐๅŒบ':(39.22,117.13), # 'ๅคฉๆดฅๅธ‚,ๅคฉๆดฅๅธ‚,ๆญฆๆธ…ๅŒบ':(39.38,117.03), # 'ๅคฉๆดฅๅธ‚,ๅคฉๆดฅๅธ‚,ๅฎๅปๅŒบ':(39.72,117.3), # 'ๅคฉๆดฅๅธ‚,ๅคฉๆดฅๅธ‚,ๆปจๆตทๆ–ฐๅŒบ':(39.03,117.68), # 'ๅคฉๆดฅๅธ‚,ๅคฉๆดฅๅธ‚,ๅฎๆฒณๅŽฟ':(39.33,117.82), # 'ๅคฉๆดฅๅธ‚,ๅคฉๆดฅๅธ‚,้™ๆตทๅŽฟ':(38.93,116.92), # 'ๅคฉๆดฅๅธ‚,ๅคฉๆดฅๅธ‚,่“ŸๅŽฟ':(40.05,117.4), # 'ๆฒณๅŒ—็œ,็Ÿณๅฎถๅบ„ๅธ‚,็Ÿณๅฎถๅบ„ๅธ‚':(38.05,114.52), # 'ๆฒณๅŒ—็œ,็Ÿณๅฎถๅบ„ๅธ‚,้•ฟๅฎ‰ๅŒบ':(38.05,114.52), # 'ๆฒณๅŒ—็œ,็Ÿณๅฎถๅบ„ๅธ‚,ๆกฅไธœๅŒบ':(38.05,114.5), # 'ๆฒณๅŒ—็œ,็Ÿณๅฎถๅบ„ๅธ‚,ๆกฅไธœๅŒบ':(40.78,114.9), # 'ๆฒณๅŒ—็œ,็Ÿณๅฎถๅบ„ๅธ‚,ๆกฅไธœๅŒบ':(37.07,114.5), # 'ๆฒณๅŒ—็œ,็Ÿณๅฎถๅบ„ๅธ‚,ๆกฅ่ฅฟๅŒบ':(37.05,114.47), # 'ๆฒณๅŒ—็œ,็Ÿณๅฎถๅบ„ๅธ‚,ๆกฅ่ฅฟๅŒบ':(40.83,114.87), # 'ๆฒณๅŒ—็œ,็Ÿณๅฎถๅบ„ๅธ‚,ๆกฅ่ฅฟๅŒบ':(38.03,114.47), # 'ๆฒณๅŒ—็œ,็Ÿณๅฎถๅบ„ๅธ‚,ๆ–ฐๅŽๅŒบ':(38.05,114.47), # 'ๆฒณๅŒ—็œ,็Ÿณๅฎถๅบ„ๅธ‚,ๆ–ฐๅŽๅŒบ':(38.32,116.87), # 'ๆฒณๅŒ—็œ,็Ÿณๅฎถๅบ„ๅธ‚,ไบ•้™‰็ŸฟๅŒบ':(38.08,114.05), # 'ๆฒณๅŒ—็œ,็Ÿณๅฎถๅบ„ๅธ‚,่ฃ•ๅŽๅŒบ':(38.02,114.52), # 'ๆฒณๅŒ—็œ,็Ÿณๅฎถๅบ„ๅธ‚,ไบ•้™‰ๅŽฟ':(38.03,114.13), # 'ๆฒณๅŒ—็œ,็Ÿณๅฎถๅบ„ๅธ‚,ๆญฃๅฎšๅŽฟ':(38.15,114.57), # 'ๆฒณๅŒ—็œ,็Ÿณๅฎถๅบ„ๅธ‚,ๆ พๅŸŽๅŽฟ':(37.88,114.65), # 'ๆฒณๅŒ—็œ,็Ÿณๅฎถๅบ„ๅธ‚,่กŒๅ”ๅŽฟ':(38.43,114.55), # 'ๆฒณๅŒ—็œ,็Ÿณๅฎถๅบ„ๅธ‚,็ตๅฏฟๅŽฟ':(38.3,114.37), # 'ๆฒณๅŒ—็œ,็Ÿณๅฎถๅบ„ๅธ‚,้ซ˜้‚‘ๅŽฟ':(37.6,114.6), # 'ๆฒณๅŒ—็œ,็Ÿณๅฎถๅบ„ๅธ‚,ๆทฑๆณฝๅŽฟ':(38.18,115.2), # 'ๆฒณๅŒ—็œ,็Ÿณๅฎถๅบ„ๅธ‚,่ตž็š‡ๅŽฟ':(37.67,114.38), # 'ๆฒณๅŒ—็œ,็Ÿณๅฎถๅบ„ๅธ‚,ๆ— ๆžๅŽฟ':(38.18,114.97), # 'ๆฒณๅŒ—็œ,็Ÿณๅฎถๅบ„ๅธ‚,ๅนณๅฑฑๅŽฟ':(38.25,114.2), # 'ๆฒณๅŒ—็œ,็Ÿณๅฎถๅบ„ๅธ‚,ๅ…ƒๆฐๅŽฟ':(37.75,114.52), # 'ๆฒณๅŒ—็œ,็Ÿณๅฎถๅบ„ๅธ‚,่ตตๅŽฟ':(37.75,114.77), # 'ๆฒณๅŒ—็œ,็Ÿณๅฎถๅบ„ๅธ‚,่พ›้›†ๅธ‚':(37.92,115.22), # 'ๆฒณๅŒ—็œ,็Ÿณๅฎถๅบ„ๅธ‚,่—ๅŸŽๅธ‚':(38.03,114.83), # 'ๆฒณๅŒ—็œ,็Ÿณๅฎถๅบ„ๅธ‚,ๆ™‹ๅทžๅธ‚':(38.03,115.03), # 'ๆฒณๅŒ—็œ,็Ÿณๅฎถๅบ„ๅธ‚,ๆ–ฐไนๅธ‚':(38.35,114.68), # 'ๆฒณๅŒ—็œ,็Ÿณๅฎถๅบ„ๅธ‚,้นฟๆณ‰ๅธ‚':(38.08,114.3), # 'ๆฒณๅŒ—็œ,ๅ”ๅฑฑๅธ‚,ๅ”ๅฑฑๅธ‚':(39.63,118.2), # 'ๆฒณๅŒ—็œ,ๅ”ๅฑฑๅธ‚,่ทฏๅ—ๅŒบ':(39.63,118.17), # 'ๆฒณๅŒ—็œ,ๅ”ๅฑฑๅธ‚,่ทฏๅŒ—ๅŒบ':(39.63,118.22), # 'ๆฒณๅŒ—็œ,ๅ”ๅฑฑๅธ‚,ๅคๅ†ถๅŒบ':(39.73,118.42), # 'ๆฒณๅŒ—็œ,ๅ”ๅฑฑๅธ‚,ๅผ€ๅนณๅŒบ':(39.68,118.27), # 'ๆฒณๅŒ—็œ,ๅ”ๅฑฑๅธ‚,ไธฐๅ—ๅŒบ':(39.57,118.1), # 'ๆฒณๅŒ—็œ,ๅ”ๅฑฑๅธ‚,ไธฐๆถฆๅŒบ':(39.83,118.17), # 'ๆฒณๅŒ—็œ,ๅ”ๅฑฑๅธ‚,ๆปฆๅŽฟ':(39.75,118.7), # 'ๆฒณๅŒ—็œ,ๅ”ๅฑฑๅธ‚,ๆปฆๅ—ๅŽฟ':(39.5,118.68), # 'ๆฒณๅŒ—็œ,ๅ”ๅฑฑๅธ‚,ไนไบญๅŽฟ':(39.42,118.9), # 'ๆฒณๅŒ—็œ,ๅ”ๅฑฑๅธ‚,่ฟ่ฅฟๅŽฟ':(40.15,118.32), # 'ๆฒณๅŒ—็œ,ๅ”ๅฑฑๅธ‚,็މ็”ฐๅŽฟ':(39.88,117.73), # 'ๆฒณๅŒ—็œ,ๅ”ๅฑฑๅธ‚,ๅ”ๆตทๅŽฟ':(39.27,118.45), # 'ๆฒณๅŒ—็œ,ๅ”ๅฑฑๅธ‚,้ตๅŒ–ๅธ‚':(40.18,117.95), # 'ๆฒณๅŒ—็œ,ๅ”ๅฑฑๅธ‚,่ฟๅฎ‰ๅธ‚':(40.02,118.7), # 'ๆฒณๅŒ—็œ,็งฆ็š‡ๅฒ›ๅธ‚,็งฆ็š‡ๅฒ›ๅธ‚':(39.93,119.6), # 'ๆฒณๅŒ—็œ,็งฆ็š‡ๅฒ›ๅธ‚,ๆตทๆธฏๅŒบ':(39.93,119.6), # 'ๆฒณๅŒ—็œ,็งฆ็š‡ๅฒ›ๅธ‚,ๅฑฑๆตทๅ…ณๅŒบ':(40.0,119.77), # 'ๆฒณๅŒ—็œ,็งฆ็š‡ๅฒ›ๅธ‚,ๅŒ—ๆˆดๆฒณๅŒบ':(39.83,119.48), # 'ๆฒณๅŒ—็œ,็งฆ็š‡ๅฒ›ๅธ‚,้’้พ™ๆปกๆ—่‡ชๆฒปๅŽฟ':(40.4,118.95), # 'ๆฒณๅŒ—็œ,็งฆ็š‡ๅฒ›ๅธ‚,ๆ˜Œ้ปŽๅŽฟ':(39.7,119.17), # 'ๆฒณๅŒ—็œ,็งฆ็š‡ๅฒ›ๅธ‚,ๆŠšๅฎๅŽฟ':(39.88,119.23), # 'ๆฒณๅŒ—็œ,็งฆ็š‡ๅฒ›ๅธ‚,ๅข้พ™ๅŽฟ':(39.88,118.87), # 'ๆฒณๅŒ—็œ,้‚ฏ้ƒธๅธ‚,้‚ฏ้ƒธๅธ‚':(36.62,114.48), # 'ๆฒณๅŒ—็œ,้‚ฏ้ƒธๅธ‚,้‚ฏๅฑฑๅŒบ':(36.6,114.48), # 'ๆฒณๅŒ—็œ,้‚ฏ้ƒธๅธ‚,ไธ›ๅฐๅŒบ':(36.63,114.48), # 'ๆฒณๅŒ—็œ,้‚ฏ้ƒธๅธ‚,ๅคๅ…ดๅŒบ':(36.63,114.45), # 'ๆฒณๅŒ—็œ,้‚ฏ้ƒธๅธ‚,ๅณฐๅณฐ็ŸฟๅŒบ':(36.42,114.2), # 'ๆฒณๅŒ—็œ,้‚ฏ้ƒธๅธ‚,้‚ฏ้ƒธๅŽฟ':(36.6,114.53), # 'ๆฒณๅŒ—็œ,้‚ฏ้ƒธๅธ‚,ไธดๆผณๅŽฟ':(36.35,114.62), # 'ๆฒณๅŒ—็œ,้‚ฏ้ƒธๅธ‚,ๆˆๅฎ‰ๅŽฟ':(36.43,114.68), # 'ๆฒณๅŒ—็œ,้‚ฏ้ƒธๅธ‚,ๅคงๅๅŽฟ':(36.28,115.15), # 'ๆฒณๅŒ—็œ,้‚ฏ้ƒธๅธ‚,ๆถ‰ๅŽฟ':(36.57,113.67), # 'ๆฒณๅŒ—็œ,้‚ฏ้ƒธๅธ‚,็ฃๅŽฟ':(36.35,114.37), # 'ๆฒณๅŒ—็œ,้‚ฏ้ƒธๅธ‚,่‚ฅไนกๅŽฟ':(36.55,114.8), # 'ๆฒณๅŒ—็œ,้‚ฏ้ƒธๅธ‚,ๆฐธๅนดๅŽฟ':(36.78,114.48), # 'ๆฒณๅŒ—็œ,้‚ฏ้ƒธๅธ‚,้‚ฑๅŽฟ':(36.82,115.17), # 'ๆฒณๅŒ—็œ,้‚ฏ้ƒธๅธ‚,้ธกๆณฝๅŽฟ':(36.92,114.87), # 'ๆฒณๅŒ—็œ,้‚ฏ้ƒธๅธ‚,ๅนฟๅนณๅŽฟ':(36.48,114.93), # 'ๆฒณๅŒ—็œ,้‚ฏ้ƒธๅธ‚,้ฆ†้™ถๅŽฟ':(36.53,115.3), # 'ๆฒณๅŒ—็œ,้‚ฏ้ƒธๅธ‚,้ญๅŽฟ':(36.37,114.93), # 'ๆฒณๅŒ—็œ,้‚ฏ้ƒธๅธ‚,ๆ›ฒๅ‘จๅŽฟ':(36.78,114.95), # 'ๆฒณๅŒ—็œ,้‚ฏ้ƒธๅธ‚,ๆญฆๅฎ‰ๅธ‚':(36.7,114.2), # 'ๆฒณๅŒ—็œ,้‚ขๅฐๅธ‚,้‚ขๅฐๅธ‚':(37.07,114.48), # 'ๆฒณๅŒ—็œ,้‚ขๅฐๅธ‚,ๆกฅไธœๅŒบ':(38.05,114.5), # 'ๆฒณๅŒ—็œ,้‚ขๅฐๅธ‚,ๆกฅไธœๅŒบ':(40.78,114.9), # 'ๆฒณๅŒ—็œ,้‚ขๅฐๅธ‚,ๆกฅไธœๅŒบ':(37.07,114.5), # 'ๆฒณๅŒ—็œ,้‚ขๅฐๅธ‚,ๆกฅ่ฅฟๅŒบ':(40.83,114.87), # 'ๆฒณๅŒ—็œ,้‚ขๅฐๅธ‚,ๆกฅ่ฅฟๅŒบ':(38.03,114.47), # 'ๆฒณๅŒ—็œ,้‚ขๅฐๅธ‚,ๆกฅ่ฅฟๅŒบ':(37.05,114.47), # 'ๆฒณๅŒ—็œ,้‚ขๅฐๅธ‚,้‚ขๅฐๅŽฟ':(37.08,114.5), # 'ๆฒณๅŒ—็œ,้‚ขๅฐๅธ‚,ไธดๅŸŽๅŽฟ':(37.43,114.5), # 'ๆฒณๅŒ—็œ,้‚ขๅฐๅธ‚,ๅ†…ไธ˜ๅŽฟ':(37.3,114.52), # 'ๆฒณๅŒ—็œ,้‚ขๅฐๅธ‚,ๆŸไนกๅŽฟ':(37.5,114.68), # 'ๆฒณๅŒ—็œ,้‚ขๅฐๅธ‚,้š†ๅฐงๅŽฟ':(37.35,114.77), # 'ๆฒณๅŒ—็œ,้‚ขๅฐๅธ‚,ไปปๅŽฟ':(37.13,114.68), # 'ๆฒณๅŒ—็œ,้‚ขๅฐๅธ‚,ๅ—ๅ’ŒๅŽฟ':(37.0,114.68), # 'ๆฒณๅŒ—็œ,้‚ขๅฐๅธ‚,ๅฎๆ™‹ๅŽฟ':(37.62,114.92), # 'ๆฒณๅŒ—็œ,้‚ขๅฐๅธ‚,ๅทจ้นฟๅŽฟ':(37.22,115.03), # 'ๆฒณๅŒ—็œ,้‚ขๅฐๅธ‚,ๆ–ฐๆฒณๅŽฟ':(37.53,115.25), # 'ๆฒณๅŒ—็œ,้‚ขๅฐๅธ‚,ๅนฟๅฎ—ๅŽฟ':(37.07,115.15), # 'ๆฒณๅŒ—็œ,้‚ขๅฐๅธ‚,ๅนณไนกๅŽฟ':(37.07,115.03), # 'ๆฒณๅŒ—็œ,้‚ขๅฐๅธ‚,ๅจๅŽฟ':(36.98,115.25), # 'ๆฒณๅŒ—็œ,้‚ขๅฐๅธ‚,ๆธ…ๆฒณๅŽฟ':(37.07,115.67), # 'ๆฒณๅŒ—็œ,้‚ขๅฐๅธ‚,ไธด่ฅฟๅŽฟ':(36.85,115.5), # 'ๆฒณๅŒ—็œ,้‚ขๅฐๅธ‚,ๅ—ๅฎซๅธ‚':(37.35,115.38), # 'ๆฒณๅŒ—็œ,้‚ขๅฐๅธ‚,ๆฒ™ๆฒณๅธ‚':(36.85,114.5), # 'ๆฒณๅŒ—็œ,ไฟๅฎšๅธ‚,ไฟๅฎšๅธ‚':(38.87,115.47), # 'ๆฒณๅŒ—็œ,ไฟๅฎšๅธ‚,ๆ–ฐๅธ‚ๅŒบ':(38.87,115.45), # 'ๆฒณๅŒ—็œ,ไฟๅฎšๅธ‚,ๅŒ—ๅธ‚ๅŒบ':(38.87,115.48), # 'ๆฒณๅŒ—็œ,ไฟๅฎšๅธ‚,ๅ—ๅธ‚ๅŒบ':(38.85,115.5), # 'ๆฒณๅŒ—็œ,ไฟๅฎšๅธ‚,ๆปกๅŸŽๅŽฟ':(38.95,115.32), # 'ๆฒณๅŒ—็œ,ไฟๅฎšๅธ‚,ๆธ…่‹‘ๅŽฟ':(38.77,115.48), # 'ๆฒณๅŒ—็œ,ไฟๅฎšๅธ‚,ๆถžๆฐดๅŽฟ':(39.4,115.72), # 'ๆฒณๅŒ—็œ,ไฟๅฎšๅธ‚,้˜œๅนณๅŽฟ':(38.85,114.18), # 'ๆฒณๅŒ—็œ,ไฟๅฎšๅธ‚,ๅพๆฐดๅŽฟ':(39.02,115.65), # 'ๆฒณๅŒ—็œ,ไฟๅฎšๅธ‚,ๅฎšๅ…ดๅŽฟ':(39.27,115.77), # 'ๆฒณๅŒ—็œ,ไฟๅฎšๅธ‚,ๅ”ๅŽฟ':(38.75,114.98), # 'ๆฒณๅŒ—็œ,ไฟๅฎšๅธ‚,้ซ˜้˜ณๅŽฟ':(38.68,115.78), # 'ๆฒณๅŒ—็œ,ไฟๅฎšๅธ‚,ๅฎนๅŸŽๅŽฟ':(39.05,115.87), # 'ๆฒณๅŒ—็œ,ไฟๅฎšๅธ‚,ๆถžๆบๅŽฟ':(39.35,114.68), # 'ๆฒณๅŒ—็œ,ไฟๅฎšๅธ‚,ๆœ›้ƒฝๅŽฟ':(38.72,115.15), # 'ๆฒณๅŒ—็œ,ไฟๅฎšๅธ‚,ๅฎ‰ๆ–ฐๅŽฟ':(38.92,115.93), # 'ๆฒณๅŒ—็œ,ไฟๅฎšๅธ‚,ๆ˜“ๅŽฟ':(39.35,115.5), # 'ๆฒณๅŒ—็œ,ไฟๅฎšๅธ‚,ๆ›ฒ้˜ณๅŽฟ':(38.62,114.7), # 'ๆฒณๅŒ—็œ,ไฟๅฎšๅธ‚,่ กๅŽฟ':(38.48,115.57), # 'ๆฒณๅŒ—็œ,ไฟๅฎšๅธ‚,้กบๅนณๅŽฟ':(38.83,115.13), # 'ๆฒณๅŒ—็œ,ไฟๅฎšๅธ‚,ๅš้‡ŽๅŽฟ':(38.45,115.47), # 'ๆฒณๅŒ—็œ,ไฟๅฎšๅธ‚,้›„ๅŽฟ':(38.98,116.1), # 'ๆฒณๅŒ—็œ,ไฟๅฎšๅธ‚,ๆถฟๅทžๅธ‚':(39.48,115.97), # 'ๆฒณๅŒ—็œ,ไฟๅฎšๅธ‚,ๅฎšๅทžๅธ‚':(38.52,114.97), # 'ๆฒณๅŒ—็œ,ไฟๅฎšๅธ‚,ๅฎ‰ๅ›ฝๅธ‚':(38.42,115.32), # 'ๆฒณๅŒ—็œ,ไฟๅฎšๅธ‚,้ซ˜็ข‘ๅบ—ๅธ‚':(39.33,115.85), # 'ๆฒณๅŒ—็œ,ๅผ ๅฎถๅฃๅธ‚,ๅผ ๅฎถๅฃๅธ‚':(40.82,114.88), # 'ๆฒณๅŒ—็œ,ๅผ ๅฎถๅฃๅธ‚,ๆกฅไธœๅŒบ':(38.05,114.5), # 'ๆฒณๅŒ—็œ,ๅผ ๅฎถๅฃๅธ‚,ๆกฅไธœๅŒบ':(40.78,114.9), # 'ๆฒณๅŒ—็œ,ๅผ ๅฎถๅฃๅธ‚,ๆกฅไธœๅŒบ':(37.07,114.5), # 'ๆฒณๅŒ—็œ,ๅผ ๅฎถๅฃๅธ‚,ๆกฅ่ฅฟๅŒบ':(40.83,114.87), # 'ๆฒณๅŒ—็œ,ๅผ ๅฎถๅฃๅธ‚,ๆกฅ่ฅฟๅŒบ':(38.03,114.47), # 'ๆฒณๅŒ—็œ,ๅผ ๅฎถๅฃๅธ‚,ๆกฅ่ฅฟๅŒบ':(37.05,114.47), # 'ๆฒณๅŒ—็œ,ๅผ ๅฎถๅฃๅธ‚,ๅฎฃๅŒ–ๅŒบ':(40.6,115.05), # 'ๆฒณๅŒ—็œ,ๅผ ๅฎถๅฃๅธ‚,ไธ‹่Šฑๅ›ญๅŒบ':(40.48,115.27), # 'ๆฒณๅŒ—็œ,ๅผ ๅฎถๅฃๅธ‚,ๅฎฃๅŒ–ๅŽฟ':(40.55,115.02), # 'ๆฒณๅŒ—็œ,ๅผ ๅฎถๅฃๅธ‚,ๅผ ๅŒ—ๅŽฟ':(41.15,114.7), # 'ๆฒณๅŒ—็œ,ๅผ ๅฎถๅฃๅธ‚,ๅบทไฟๅŽฟ':(41.85,114.62), # 'ๆฒณๅŒ—็œ,ๅผ ๅฎถๅฃๅธ‚,ๆฒฝๆบๅŽฟ':(41.67,115.7), # 'ๆฒณๅŒ—็œ,ๅผ ๅฎถๅฃๅธ‚,ๅฐšไน‰ๅŽฟ':(41.08,113.97), # 'ๆฒณๅŒ—็œ,ๅผ ๅฎถๅฃๅธ‚,่”šๅŽฟ':(39.85,114.57), # 'ๆฒณๅŒ—็œ,ๅผ ๅฎถๅฃๅธ‚,้˜ณๅŽŸๅŽฟ':(40.12,114.17), # 'ๆฒณๅŒ—็œ,ๅผ ๅฎถๅฃๅธ‚,ๆ€€ๅฎ‰ๅŽฟ':(40.67,114.42), # 'ๆฒณๅŒ—็œ,ๅผ ๅฎถๅฃๅธ‚,ไธ‡ๅ…จๅŽฟ':(40.75,114.72), # 'ๆฒณๅŒ—็œ,ๅผ ๅฎถๅฃๅธ‚,ๆ€€ๆฅๅŽฟ':(40.4,115.52), # 'ๆฒณๅŒ—็œ,ๅผ ๅฎถๅฃๅธ‚,ๆถฟ้นฟๅŽฟ':(40.38,115.22), # 'ๆฒณๅŒ—็œ,ๅผ ๅฎถๅฃๅธ‚,่ตคๅŸŽๅŽฟ':(40.92,115.83), # 'ๆฒณๅŒ—็œ,ๅผ ๅฎถๅฃๅธ‚,ๅด‡็คผๅŽฟ':(40.97,115.27), # 'ๆฒณๅŒ—็œ,ๆ‰ฟๅพทๅธ‚,ๆ‰ฟๅพทๅธ‚':(40.97,117.93), # 'ๆฒณๅŒ—็œ,ๆ‰ฟๅพทๅธ‚,ๅŒๆกฅๅŒบ':(40.97,117.93), # 'ๆฒณๅŒ—็œ,ๆ‰ฟๅพทๅธ‚,ๅŒๆปฆๅŒบ':(40.95,117.78), # 'ๆฒณๅŒ—็œ,ๆ‰ฟๅพทๅธ‚,้นฐๆ‰‹่ฅๅญ็ŸฟๅŒบ':(40.55,117.65), # 'ๆฒณๅŒ—็œ,ๆ‰ฟๅพทๅธ‚,ๆ‰ฟๅพทๅŽฟ':(40.77,118.17), # 'ๆฒณๅŒ—็œ,ๆ‰ฟๅพทๅธ‚,ๅ…ด้š†ๅŽฟ':(40.43,117.52), # 'ๆฒณๅŒ—็œ,ๆ‰ฟๅพทๅธ‚,ๅนณๆณ‰ๅŽฟ':(41.0,118.68), # 'ๆฒณๅŒ—็œ,ๆ‰ฟๅพทๅธ‚,ๆปฆๅนณๅŽฟ':(40.93,117.33), # 'ๆฒณๅŒ—็œ,ๆ‰ฟๅพทๅธ‚,้š†ๅŒ–ๅŽฟ':(41.32,117.72), # 'ๆฒณๅŒ—็œ,ๆ‰ฟๅพทๅธ‚,ไธฐๅฎๆปกๆ—่‡ชๆฒปๅŽฟ':(41.2,116.65), # 'ๆฒณๅŒ—็œ,ๆ‰ฟๅพทๅธ‚,ๅฎฝๅŸŽๆปกๆ—่‡ชๆฒปๅŽฟ':(40.6,118.48), # 'ๆฒณๅŒ—็œ,ๆ‰ฟๅพทๅธ‚,ๅ›ดๅœบๆปกๆ—่’™ๅคๆ—่‡ชๆฒปๅŽฟ':(41.93,117.75), # 'ๆฒณๅŒ—็œ,ๆฒงๅทžๅธ‚,ๆฒงๅทžๅธ‚':(38.3,116.83), # 'ๆฒณๅŒ—็œ,ๆฒงๅทžๅธ‚,ๆ–ฐๅŽๅŒบ':(38.05,114.47), # 'ๆฒณๅŒ—็œ,ๆฒงๅทžๅธ‚,ๆ–ฐๅŽๅŒบ':(38.32,116.87), # 'ๆฒณๅŒ—็œ,ๆฒงๅทžๅธ‚,่ฟๆฒณๅŒบ':(38.32,116.85), # 'ๆฒณๅŒ—็œ,ๆฒงๅทžๅธ‚,ๆฒงๅŽฟ':(38.3,116.87), # 'ๆฒณๅŒ—็œ,ๆฒงๅทžๅธ‚,้’ๅŽฟ':(38.58,116.82), # 'ๆฒณๅŒ—็œ,ๆฒงๅทžๅธ‚,ไธœๅ…‰ๅŽฟ':(37.88,116.53), # 'ๆฒณๅŒ—็œ,ๆฒงๅทžๅธ‚,ๆตทๅ…ดๅŽฟ':(38.13,117.48), # 'ๆฒณๅŒ—็œ,ๆฒงๅทžๅธ‚,็›ๅฑฑๅŽฟ':(38.05,117.22), # 'ๆฒณๅŒ—็œ,ๆฒงๅทžๅธ‚,่‚ƒๅฎๅŽฟ':(38.43,115.83), # 'ๆฒณๅŒ—็œ,ๆฒงๅทžๅธ‚,ๅ—็šฎๅŽฟ':(38.03,116.7), # 'ๆฒณๅŒ—็œ,ๆฒงๅทžๅธ‚,ๅดๆกฅๅŽฟ':(37.62,116.38), # 'ๆฒณๅŒ—็œ,ๆฒงๅทžๅธ‚,็ŒฎๅŽฟ':(38.18,116.12), # 'ๆฒณๅŒ—็œ,ๆฒงๅทžๅธ‚,ๅญŸๆ‘ๅ›žๆ—่‡ชๆฒปๅŽฟ':(38.07,117.1), # 'ๆฒณๅŒ—็œ,ๆฒงๅทžๅธ‚,ๆณŠๅคดๅธ‚':(38.07,116.57), # 'ๆฒณๅŒ—็œ,ๆฒงๅทžๅธ‚,ไปปไธ˜ๅธ‚':(38.72,116.1), # 'ๆฒณๅŒ—็œ,ๆฒงๅทžๅธ‚,้ป„้ช…ๅธ‚':(38.37,117.35), # 'ๆฒณๅŒ—็œ,ๆฒงๅทžๅธ‚,ๆฒณ้—ดๅธ‚':(38.43,116.08), # 'ๆฒณๅŒ—็œ,ๅปŠๅŠๅธ‚,ๅปŠๅŠๅธ‚':(39.52,116.7), # 'ๆฒณๅŒ—็œ,ๅปŠๅŠๅธ‚,ๅฎ‰ๆฌกๅŒบ':(39.52,116.68), # 'ๆฒณๅŒ—็œ,ๅปŠๅŠๅธ‚,ๅนฟ้˜ณๅŒบ':(39.53,116.72), # 'ๆฒณๅŒ—็œ,ๅปŠๅŠๅธ‚,ๅ›บๅฎ‰ๅŽฟ':(39.43,116.3), # 'ๆฒณๅŒ—็œ,ๅปŠๅŠๅธ‚,ๆฐธๆธ…ๅŽฟ':(39.32,116.5), # 'ๆฒณๅŒ—็œ,ๅปŠๅŠๅธ‚,้ฆ™ๆฒณๅŽฟ':(39.77,117.0), # 'ๆฒณๅŒ—็œ,ๅปŠๅŠๅธ‚,ๅคงๅŸŽๅŽฟ':(38.7,116.63), # 'ๆฒณๅŒ—็œ,ๅปŠๅŠๅธ‚,ๆ–‡ๅฎ‰ๅŽฟ':(38.87,116.47), # 'ๆฒณๅŒ—็œ,ๅปŠๅŠๅธ‚,ๅคงๅŽ‚ๅ›žๆ—่‡ชๆฒปๅŽฟ':(39.88,116.98), # 'ๆฒณๅŒ—็œ,ๅปŠๅŠๅธ‚,้œธๅทžๅธ‚':(39.1,116.4), # 'ๆฒณๅŒ—็œ,ๅปŠๅŠๅธ‚,ไธ‰ๆฒณๅธ‚':(39.98,117.07), # 'ๆฒณๅŒ—็œ,่กกๆฐดๅธ‚,่กกๆฐดๅธ‚':(37.73,115.68), # 'ๆฒณๅŒ—็œ,่กกๆฐดๅธ‚,ๆกƒๅŸŽๅŒบ':(37.73,115.68), # 'ๆฒณๅŒ—็œ,่กกๆฐดๅธ‚,ๆžฃๅผบๅŽฟ':(37.52,115.72), # 'ๆฒณๅŒ—็œ,่กกๆฐดๅธ‚,ๆญฆ้‚‘ๅŽฟ':(37.82,115.88), # 'ๆฒณๅŒ—็œ,่กกๆฐดๅธ‚,ๆญฆๅผบๅŽฟ':(38.03,115.98), # 'ๆฒณๅŒ—็œ,่กกๆฐดๅธ‚,้ฅถ้˜ณๅŽฟ':(38.23,115.73), # 'ๆฒณๅŒ—็œ,่กกๆฐดๅธ‚,ๅฎ‰ๅนณๅŽฟ':(38.23,115.52), # 'ๆฒณๅŒ—็œ,่กกๆฐดๅธ‚,ๆ•…ๅŸŽๅŽฟ':(37.35,115.97), # 'ๆฒณๅŒ—็œ,่กกๆฐดๅธ‚,ๆ™ฏๅŽฟ':(37.7,116.27), # 'ๆฒณๅŒ—็œ,่กกๆฐดๅธ‚,้˜œๅŸŽๅŽฟ':(37.87,116.15), # 'ๆฒณๅŒ—็œ,่กกๆฐดๅธ‚,ๅ†€ๅทžๅธ‚':(37.57,115.57), # 'ๆฒณๅŒ—็œ,่กกๆฐดๅธ‚,ๆทฑๅทžๅธ‚':(38.02,115.55), # 'ๅฑฑ่ฅฟ็œ,ๅคชๅŽŸๅธ‚,ๅคชๅŽŸๅธ‚':(37.87,112.55), # 'ๅฑฑ่ฅฟ็œ,ๅคชๅŽŸๅธ‚,ๅฐๅบ—ๅŒบ':(37.73,112.57), # 'ๅฑฑ่ฅฟ็œ,ๅคชๅŽŸๅธ‚,่ฟŽๆณฝๅŒบ':(37.87,112.57), # 'ๅฑฑ่ฅฟ็œ,ๅคชๅŽŸๅธ‚,ๆ่ŠฑๅฒญๅŒบ':(37.88,112.57), # 'ๅฑฑ่ฅฟ็œ,ๅคชๅŽŸๅธ‚,ๅฐ–่‰ๅชๅŒบ':(37.93,112.48), # 'ๅฑฑ่ฅฟ็œ,ๅคชๅŽŸๅธ‚,ไธ‡ๆŸๆž—ๅŒบ':(37.87,112.52), # 'ๅฑฑ่ฅฟ็œ,ๅคชๅŽŸๅธ‚,ๆ™‹ๆบๅŒบ':(37.73,112.48), # 'ๅฑฑ่ฅฟ็œ,ๅคชๅŽŸๅธ‚,ๆธ…ๅพๅŽฟ':(37.6,112.35), # 'ๅฑฑ่ฅฟ็œ,ๅคชๅŽŸๅธ‚,้˜ณๆ›ฒๅŽฟ':(38.07,112.67), # 'ๅฑฑ่ฅฟ็œ,ๅคชๅŽŸๅธ‚,ๅจ„็ƒฆๅŽฟ':(38.07,111.78), # 'ๅฑฑ่ฅฟ็œ,ๅคชๅŽŸๅธ‚,ๅคไบคๅธ‚':(37.92,112.17), # 'ๅฑฑ่ฅฟ็œ,ๅคงๅŒๅธ‚,ๅคงๅŒๅธ‚':(40.08,113.3), # 'ๅฑฑ่ฅฟ็œ,ๅคงๅŒๅธ‚,ๅŸŽๅŒบ':(40.08,113.28), # 'ๅฑฑ่ฅฟ็œ,ๅคงๅŒๅธ‚,ๅŸŽๅŒบ':(37.85,113.6), # 'ๅฑฑ่ฅฟ็œ,ๅคงๅŒๅธ‚,ๅŸŽๅŒบ':(36.22,113.12), # 'ๅฑฑ่ฅฟ็œ,ๅคงๅŒๅธ‚,ๅŸŽๅŒบ':(35.5,112.83), # 'ๅฑฑ่ฅฟ็œ,ๅคงๅŒๅธ‚,็ŸฟๅŒบ':(40.03,113.17), # 'ๅฑฑ่ฅฟ็œ,ๅคงๅŒๅธ‚,็ŸฟๅŒบ':(37.87,113.57), # 'ๅฑฑ่ฅฟ็œ,ๅคงๅŒๅธ‚,ๅ—้ƒŠๅŒบ':(40.0,113.13), # 'ๅฑฑ่ฅฟ็œ,ๅคงๅŒๅธ‚,ๆ–ฐ่ฃๅŒบ':(40.27,113.15), # 'ๅฑฑ่ฅฟ็œ,ๅคงๅŒๅธ‚,้˜ณ้ซ˜ๅŽฟ':(40.37,113.75), # 'ๅฑฑ่ฅฟ็œ,ๅคงๅŒๅธ‚,ๅคฉ้•‡ๅŽฟ':(40.42,114.08), # 'ๅฑฑ่ฅฟ็œ,ๅคงๅŒๅธ‚,ๅนฟ็ตๅŽฟ':(39.77,114.28), # 'ๅฑฑ่ฅฟ็œ,ๅคงๅŒๅธ‚,็ตไธ˜ๅŽฟ':(39.43,114.23), # 'ๅฑฑ่ฅฟ็œ,ๅคงๅŒๅธ‚,ๆต‘ๆบๅŽฟ':(39.7,113.68), # 'ๅฑฑ่ฅฟ็œ,ๅคงๅŒๅธ‚,ๅทฆไบ‘ๅŽฟ':(40.0,112.7), # 'ๅฑฑ่ฅฟ็œ,ๅคงๅŒๅธ‚,ๅคงๅŒๅŽฟ':(40.03,113.6), # 'ๅฑฑ่ฅฟ็œ,้˜ณๆณ‰ๅธ‚,้˜ณๆณ‰ๅธ‚':(37.85,113.57), # 'ๅฑฑ่ฅฟ็œ,้˜ณๆณ‰ๅธ‚,ๅŸŽๅŒบ':(40.08,113.28), # 'ๅฑฑ่ฅฟ็œ,้˜ณๆณ‰ๅธ‚,ๅŸŽๅŒบ':(37.85,113.6), # 'ๅฑฑ่ฅฟ็œ,้˜ณๆณ‰ๅธ‚,ๅŸŽๅŒบ':(36.22,113.12), # 'ๅฑฑ่ฅฟ็œ,้˜ณๆณ‰ๅธ‚,ๅŸŽๅŒบ':(35.5,112.83), # 'ๅฑฑ่ฅฟ็œ,้˜ณๆณ‰ๅธ‚,็ŸฟๅŒบ':(40.03,113.17), # 'ๅฑฑ่ฅฟ็œ,้˜ณๆณ‰ๅธ‚,็ŸฟๅŒบ':(37.87,113.57), # 'ๅฑฑ่ฅฟ็œ,้˜ณๆณ‰ๅธ‚,้ƒŠๅŒบ':(37.93,113.58), # 'ๅฑฑ่ฅฟ็œ,้˜ณๆณ‰ๅธ‚,้ƒŠๅŒบ':(36.2,113.12), # 'ๅฑฑ่ฅฟ็œ,้˜ณๆณ‰ๅธ‚,ๅนณๅฎšๅŽฟ':(37.8,113.62), # 'ๅฑฑ่ฅฟ็œ,้˜ณๆณ‰ๅธ‚,็›‚ๅŽฟ':(38.08,113.4), # 'ๅฑฑ่ฅฟ็œ,้•ฟๆฒปๅธ‚,้•ฟๆฒปๅธ‚':(36.2,113.12), # 'ๅฑฑ่ฅฟ็œ,้•ฟๆฒปๅธ‚,ๅŸŽๅŒบ':(40.08,113.28), # 'ๅฑฑ่ฅฟ็œ,้•ฟๆฒปๅธ‚,ๅŸŽๅŒบ':(37.85,113.6), # 'ๅฑฑ่ฅฟ็œ,้•ฟๆฒปๅธ‚,ๅŸŽๅŒบ':(36.22,113.12), # 'ๅฑฑ่ฅฟ็œ,้•ฟๆฒปๅธ‚,ๅŸŽๅŒบ':(35.5,112.83), # 'ๅฑฑ่ฅฟ็œ,้•ฟๆฒปๅธ‚,้ƒŠๅŒบ':(37.93,113.58), # 'ๅฑฑ่ฅฟ็œ,้•ฟๆฒปๅธ‚,้ƒŠๅŒบ':(36.2,113.12), # 'ๅฑฑ่ฅฟ็œ,้•ฟๆฒปๅธ‚,้•ฟๆฒปๅŽฟ':(36.05,113.03), # 'ๅฑฑ่ฅฟ็œ,้•ฟๆฒปๅธ‚,่ฅ„ๅžฃๅŽฟ':(36.53,113.05), # 'ๅฑฑ่ฅฟ็œ,้•ฟๆฒปๅธ‚,ๅฑฏ็•™ๅŽฟ':(36.32,112.88), # 'ๅฑฑ่ฅฟ็œ,้•ฟๆฒปๅธ‚,ๅนณ้กบๅŽฟ':(36.2,113.43), # 'ๅฑฑ่ฅฟ็œ,้•ฟๆฒปๅธ‚,้ปŽๅŸŽๅŽฟ':(36.5,113.38), # 'ๅฑฑ่ฅฟ็œ,้•ฟๆฒปๅธ‚,ๅฃถๅ…ณๅŽฟ':(36.12,113.2), # 'ๅฑฑ่ฅฟ็œ,้•ฟๆฒปๅธ‚,้•ฟๅญๅŽฟ':(36.12,112.87), # 'ๅฑฑ่ฅฟ็œ,้•ฟๆฒปๅธ‚,ๆญฆไนกๅŽฟ':(36.83,112.85), # 'ๅฑฑ่ฅฟ็œ,้•ฟๆฒปๅธ‚,ๆฒๅŽฟ':(36.75,112.7), # 'ๅฑฑ่ฅฟ็œ,้•ฟๆฒปๅธ‚,ๆฒๆบๅŽฟ':(36.5,112.33), # 'ๅฑฑ่ฅฟ็œ,้•ฟๆฒปๅธ‚,ๆฝžๅŸŽๅธ‚':(36.33,113.22), # 'ๅฑฑ่ฅฟ็œ,ๆ™‹ๅŸŽๅธ‚,ๆ™‹ๅŸŽๅธ‚':(35.5,112.83), # 'ๅฑฑ่ฅฟ็œ,ๆ™‹ๅŸŽๅธ‚,ๅŸŽๅŒบ':(40.08,113.28), # 'ๅฑฑ่ฅฟ็œ,ๆ™‹ๅŸŽๅธ‚,ๅŸŽๅŒบ':(37.85,113.6), # 'ๅฑฑ่ฅฟ็œ,ๆ™‹ๅŸŽๅธ‚,ๅŸŽๅŒบ':(36.22,113.12), # 'ๅฑฑ่ฅฟ็œ,ๆ™‹ๅŸŽๅธ‚,ๅŸŽๅŒบ':(35.5,112.83), # 'ๅฑฑ่ฅฟ็œ,ๆ™‹ๅŸŽๅธ‚,ๆฒๆฐดๅŽฟ':(35.68,112.18), # 'ๅฑฑ่ฅฟ็œ,ๆ™‹ๅŸŽๅธ‚,้˜ณๅŸŽๅŽฟ':(35.48,112.42), # 'ๅฑฑ่ฅฟ็œ,ๆ™‹ๅŸŽๅธ‚,้™ตๅทๅŽฟ':(35.78,113.27), # 'ๅฑฑ่ฅฟ็œ,ๆ™‹ๅŸŽๅธ‚,ๆณฝๅทžๅŽฟ':(35.5,112.83), # 'ๅฑฑ่ฅฟ็œ,ๆ™‹ๅŸŽๅธ‚,้ซ˜ๅนณๅธ‚':(35.8,112.92), # 'ๅฑฑ่ฅฟ็œ,ๆœ”ๅทžๅธ‚,ๆœ”ๅทžๅธ‚':(39.33,112.43), # 'ๅฑฑ่ฅฟ็œ,ๆœ”ๅทžๅธ‚,ๆœ”ๅŸŽๅŒบ':(39.33,112.43), # 'ๅฑฑ่ฅฟ็œ,ๆœ”ๅทžๅธ‚,ๅฑฑ้˜ดๅŽฟ':(39.52,112.82), # 'ๅฑฑ่ฅฟ็œ,ๆœ”ๅทžๅธ‚,ๅบ”ๅŽฟ':(39.55,113.18), # 'ๅฑฑ่ฅฟ็œ,ๆœ”ๅทžๅธ‚,ๅณ็މๅŽฟ':(39.98,112.47), # 'ๅฑฑ่ฅฟ็œ,ๆœ”ๅทžๅธ‚,ๆ€€ไปๅŽฟ':(39.83,113.08), # 'ๅฑฑ่ฅฟ็œ,ๆ™‹ไธญๅธ‚,ๆ™‹ไธญๅธ‚':(37.68,112.75), # 'ๅฑฑ่ฅฟ็œ,ๆ™‹ไธญๅธ‚,ๆฆ†ๆฌกๅŒบ':(37.68,112.75), # 'ๅฑฑ่ฅฟ็œ,ๆ™‹ไธญๅธ‚,ๆฆ†็คพๅŽฟ':(37.07,112.97), # 'ๅฑฑ่ฅฟ็œ,ๆ™‹ไธญๅธ‚,ๅทฆๆƒๅŽฟ':(37.07,113.37), # 'ๅฑฑ่ฅฟ็œ,ๆ™‹ไธญๅธ‚,ๅ’Œ้กบๅŽฟ':(37.33,113.57), # 'ๅฑฑ่ฅฟ็œ,ๆ™‹ไธญๅธ‚,ๆ˜”้˜ณๅŽฟ':(37.62,113.7), # 'ๅฑฑ่ฅฟ็œ,ๆ™‹ไธญๅธ‚,ๅฏฟ้˜ณๅŽฟ':(37.88,113.18), # 'ๅฑฑ่ฅฟ็œ,ๆ™‹ไธญๅธ‚,ๅคช่ฐทๅŽฟ':(37.42,112.55), # 'ๅฑฑ่ฅฟ็œ,ๆ™‹ไธญๅธ‚,็ฅๅŽฟ':(37.35,112.33), # 'ๅฑฑ่ฅฟ็œ,ๆ™‹ไธญๅธ‚,ๅนณ้ฅๅŽฟ':(37.18,112.17), # 'ๅฑฑ่ฅฟ็œ,ๆ™‹ไธญๅธ‚,็ต็ŸณๅŽฟ':(36.85,111.77), # 'ๅฑฑ่ฅฟ็œ,ๆ™‹ไธญๅธ‚,ไป‹ไผ‘ๅธ‚':(37.03,111.92), # 'ๅฑฑ่ฅฟ็œ,่ฟๅŸŽๅธ‚,่ฟๅŸŽๅธ‚':(35.02,110.98), # 'ๅฑฑ่ฅฟ็œ,่ฟๅŸŽๅธ‚,็›ๆน–ๅŒบ':(35.02,110.98), # 'ๅฑฑ่ฅฟ็œ,่ฟๅŸŽๅธ‚,ไธด็Œ—ๅŽฟ':(35.15,110.77), # 'ๅฑฑ่ฅฟ็œ,่ฟๅŸŽๅธ‚,ไธ‡่ฃๅŽฟ':(35.42,110.83), # 'ๅฑฑ่ฅฟ็œ,่ฟๅŸŽๅธ‚,้—ปๅ–œๅŽฟ':(35.35,111.22), # 'ๅฑฑ่ฅฟ็œ,่ฟๅŸŽๅธ‚,็จทๅฑฑๅŽฟ':(35.6,110.97), # 'ๅฑฑ่ฅฟ็œ,่ฟๅŸŽๅธ‚,ๆ–ฐ็ป›ๅŽฟ':(35.62,111.22), # 'ๅฑฑ่ฅฟ็œ,่ฟๅŸŽๅธ‚,็ป›ๅŽฟ':(35.48,111.57), # 'ๅฑฑ่ฅฟ็œ,่ฟๅŸŽๅธ‚,ๅžฃๆ›ฒๅŽฟ':(35.3,111.67), # 'ๅฑฑ่ฅฟ็œ,่ฟๅŸŽๅธ‚,ๅคๅŽฟ':(35.15,111.22), # 'ๅฑฑ่ฅฟ็œ,่ฟๅŸŽๅธ‚,ๅนณ้™†ๅŽฟ':(34.83,111.22), # 'ๅฑฑ่ฅฟ็œ,่ฟๅŸŽๅธ‚,่ŠฎๅŸŽๅŽฟ':(34.7,110.68), # 'ๅฑฑ่ฅฟ็œ,่ฟๅŸŽๅธ‚,ๆฒณๆดฅๅธ‚':(35.6,110.7), # 'ๅฑฑ่ฅฟ็œ,ๅฟปๅทžๅธ‚,ๅฟปๅทžๅธ‚':(38.42,112.73), # 'ๅฑฑ่ฅฟ็œ,ๅฟปๅทžๅธ‚,ๅฟปๅบœๅŒบ':(38.42,112.73), # 'ๅฑฑ่ฅฟ็œ,ๅฟปๅทžๅธ‚,ๅฎš่ฅ„ๅŽฟ':(38.48,112.95), # 'ๅฑฑ่ฅฟ็œ,ๅฟปๅทžๅธ‚,ไบ”ๅฐๅŽฟ':(38.73,113.25), # 'ๅฑฑ่ฅฟ็œ,ๅฟปๅทžๅธ‚,ไปฃๅŽฟ':(39.07,112.95), # 'ๅฑฑ่ฅฟ็œ,ๅฟปๅทžๅธ‚,็นๅณ™ๅŽฟ':(39.18,113.25), # 'ๅฑฑ่ฅฟ็œ,ๅฟปๅทžๅธ‚,ๅฎๆญฆๅŽฟ':(39.0,112.3), # 'ๅฑฑ่ฅฟ็œ,ๅฟปๅทžๅธ‚,้™ไนๅŽฟ':(38.37,111.93), # 'ๅฑฑ่ฅฟ็œ,ๅฟปๅทžๅธ‚,็ฅžๆฑ ๅŽฟ':(39.08,112.2), # 'ๅฑฑ่ฅฟ็œ,ๅฟปๅทžๅธ‚,ไบ”ๅฏจๅŽฟ':(38.9,111.85), # 'ๅฑฑ่ฅฟ็œ,ๅฟปๅทžๅธ‚,ๅฒขๅฒšๅŽฟ':(38.7,111.57), # 'ๅฑฑ่ฅฟ็œ,ๅฟปๅทžๅธ‚,ๆฒณๆ›ฒๅŽฟ':(39.38,111.13), # 'ๅฑฑ่ฅฟ็œ,ๅฟปๅทžๅธ‚,ๅๅ…ณๅŽฟ':(39.43,111.5), # 'ๅฑฑ่ฅฟ็œ,ๅฟปๅทžๅธ‚,ๅŽŸๅนณๅธ‚':(38.73,112.7), # 'ๅฑฑ่ฅฟ็œ,ไธดๆฑพๅธ‚,ไธดๆฑพๅธ‚':(36.08,111.52), # 'ๅฑฑ่ฅฟ็œ,ไธดๆฑพๅธ‚,ๅฐง้ƒฝๅŒบ':(36.08,111.52), # 'ๅฑฑ่ฅฟ็œ,ไธดๆฑพๅธ‚,ๆ›ฒๆฒƒๅŽฟ':(35.63,111.47), # 'ๅฑฑ่ฅฟ็œ,ไธดๆฑพๅธ‚,็ฟผๅŸŽๅŽฟ':(35.73,111.72), # 'ๅฑฑ่ฅฟ็œ,ไธดๆฑพๅธ‚,่ฅ„ๆฑพๅŽฟ':(35.88,111.43), # 'ๅฑฑ่ฅฟ็œ,ไธดๆฑพๅธ‚,ๆดชๆดžๅŽฟ':(36.25,111.67), # 'ๅฑฑ่ฅฟ็œ,ไธดๆฑพๅธ‚,ๅคๅŽฟ':(36.27,111.92), # 'ๅฑฑ่ฅฟ็œ,ไธดๆฑพๅธ‚,ๅฎ‰ๆณฝๅŽฟ':(36.15,112.25), # 'ๅฑฑ่ฅฟ็œ,ไธดๆฑพๅธ‚,ๆตฎๅฑฑๅŽฟ':(35.97,111.83), # 'ๅฑฑ่ฅฟ็œ,ไธดๆฑพๅธ‚,ๅ‰ๅŽฟ':(36.1,110.68), # 'ๅฑฑ่ฅฟ็œ,ไธดๆฑพๅธ‚,ไนกๅฎๅŽฟ':(35.97,110.83), # 'ๅฑฑ่ฅฟ็œ,ไธดๆฑพๅธ‚,ๅคงๅฎๅŽฟ':(36.47,110.75), # 'ๅฑฑ่ฅฟ็œ,ไธดๆฑพๅธ‚,้šฐๅŽฟ':(36.7,110.93), # 'ๅฑฑ่ฅฟ็œ,ไธดๆฑพๅธ‚,ๆฐธๅ’ŒๅŽฟ':(36.77,110.63), # 'ๅฑฑ่ฅฟ็œ,ไธดๆฑพๅธ‚,่’ฒๅŽฟ':(36.42,111.08), # 'ๅฑฑ่ฅฟ็œ,ไธดๆฑพๅธ‚,ๆฑพ่ฅฟๅŽฟ':(36.65,111.57), # 'ๅฑฑ่ฅฟ็œ,ไธดๆฑพๅธ‚,ไพฏ้ฉฌๅธ‚':(35.62,111.35), # 'ๅฑฑ่ฅฟ็œ,ไธดๆฑพๅธ‚,้œๅทžๅธ‚':(36.57,111.72), # 'ๅฑฑ่ฅฟ็œ,ๅ•ๆขๅธ‚,ๅ•ๆขๅธ‚':(37.52,111.13), # 'ๅฑฑ่ฅฟ็œ,ๅ•ๆขๅธ‚,็ฆป็ŸณๅŒบ':(37.52,111.13), # 'ๅฑฑ่ฅฟ็œ,ๅ•ๆขๅธ‚,ๆ–‡ๆฐดๅŽฟ':(37.43,112.02), # 'ๅฑฑ่ฅฟ็œ,ๅ•ๆขๅธ‚,ไบคๅŸŽๅŽฟ':(37.55,112.15), # 'ๅฑฑ่ฅฟ็œ,ๅ•ๆขๅธ‚,ๅ…ดๅŽฟ':(38.47,111.12), # 'ๅฑฑ่ฅฟ็œ,ๅ•ๆขๅธ‚,ไธดๅŽฟ':(37.95,110.98), # 'ๅฑฑ่ฅฟ็œ,ๅ•ๆขๅธ‚,ๆŸณๆž—ๅŽฟ':(37.43,110.9), # 'ๅฑฑ่ฅฟ็œ,ๅ•ๆขๅธ‚,็ŸณๆฅผๅŽฟ':(37.0,110.83), # 'ๅฑฑ่ฅฟ็œ,ๅ•ๆขๅธ‚,ๅฒšๅŽฟ':(38.28,111.67), # 'ๅฑฑ่ฅฟ็œ,ๅ•ๆขๅธ‚,ๆ–นๅฑฑๅŽฟ':(37.88,111.23), # 'ๅฑฑ่ฅฟ็œ,ๅ•ๆขๅธ‚,ไธญ้˜ณๅŽฟ':(37.33,111.18), # 'ๅฑฑ่ฅฟ็œ,ๅ•ๆขๅธ‚,ไบคๅฃๅŽฟ':(36.97,111.2), # 'ๅฑฑ่ฅฟ็œ,ๅ•ๆขๅธ‚,ๅญไน‰ๅธ‚':(37.15,111.77), # 'ๅฑฑ่ฅฟ็œ,ๅ•ๆขๅธ‚,ๆฑพ้˜ณๅธ‚':(37.27,111.78), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,ๅ‘ผๅ’Œๆตฉ็‰นๅธ‚,ๅ‘ผๅ’Œๆตฉ็‰นๅธ‚':(40.83,111.73), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,ๅ‘ผๅ’Œๆตฉ็‰นๅธ‚,ๆ–ฐๅŸŽๅŒบ':(40.87,111.65), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,ๅ‘ผๅ’Œๆตฉ็‰นๅธ‚,ๅ›žๆฐ‘ๅŒบ':(40.8,111.6), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,ๅ‘ผๅ’Œๆตฉ็‰นๅธ‚,็މๆณ‰ๅŒบ':(40.75,111.67), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,ๅ‘ผๅ’Œๆตฉ็‰นๅธ‚,่ต›็ฝ•ๅŒบ':(40.8,111.68), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,ๅ‘ผๅ’Œๆตฉ็‰นๅธ‚,ๅœŸ้ป˜็‰นๅทฆๆ——':(40.72,111.13), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,ๅ‘ผๅ’Œๆตฉ็‰นๅธ‚,ๆ‰˜ๅ…‹ๆ‰˜ๅŽฟ':(40.27,111.18), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,ๅ‘ผๅ’Œๆตฉ็‰นๅธ‚,ๅ’Œๆž—ๆ ผๅฐ”ๅŽฟ':(40.38,111.82), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,ๅ‘ผๅ’Œๆตฉ็‰นๅธ‚,ๆธ…ๆฐดๆฒณๅŽฟ':(39.92,111.68), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,ๅ‘ผๅ’Œๆตฉ็‰นๅธ‚,ๆญฆๅทๅŽฟ':(41.08,111.45), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,ๅŒ…ๅคดๅธ‚,ๅŒ…ๅคดๅธ‚':(40.65,109.83), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,ๅŒ…ๅคดๅธ‚,ไธœๆฒณๅŒบ':(40.58,110.02), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,ๅŒ…ๅคดๅธ‚,ๆ˜†้ƒฝไป‘ๅŒบ':(40.63,109.83), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,ๅŒ…ๅคดๅธ‚,้’ๅฑฑๅŒบ':(40.65,109.9), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,ๅŒ…ๅคดๅธ‚,็Ÿณๆ‹ๅŒบ':(40.68,110.27), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,ๅŒ…ๅคดๅธ‚,ไนๅŽŸๅŒบ':(40.6,109.97), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,ๅŒ…ๅคดๅธ‚,ๅœŸ้ป˜็‰นๅณๆ——':(40.57,110.52), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,ๅŒ…ๅคดๅธ‚,ๅ›บ้˜ณๅŽฟ':(41.03,110.05), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,ๅŒ…ๅคดๅธ‚,่พพๅฐ”็ฝ•่Œ‚ๆ˜Žๅฎ‰่”ๅˆๆ——':(41.7,110.43), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,ไนŒๆตทๅธ‚,ไนŒๆตทๅธ‚':(39.67,106.82), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,ไนŒๆตทๅธ‚,ๆตทๅ‹ƒๆนพๅŒบ':(39.7,106.83), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,ไนŒๆตทๅธ‚,ๆตทๅ—ๅŒบ':(39.43,106.88), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,ไนŒๆตทๅธ‚,ไนŒ่พพๅŒบ':(39.5,106.7), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,่ตคๅณฐๅธ‚,่ตคๅณฐๅธ‚':(42.27,118.92), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,่ตคๅณฐๅธ‚,็บขๅฑฑๅŒบ':(42.28,118.97), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,่ตคๅณฐๅธ‚,ๅ…ƒๅฎๅฑฑๅŒบ':(42.03,119.28), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,่ตคๅณฐๅธ‚,ๆพๅฑฑๅŒบ':(42.28,118.92), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,่ตคๅณฐๅธ‚,้˜ฟ้ฒ็ง‘ๅฐ”ๆฒๆ——':(43.88,120.08), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,่ตคๅณฐๅธ‚,ๅทดๆž—ๅทฆๆ——':(43.98,119.38), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,่ตคๅณฐๅธ‚,ๅทดๆž—ๅณๆ——':(43.52,118.67), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,่ตคๅณฐๅธ‚,ๆž—่ฅฟๅŽฟ':(43.6,118.05), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,่ตคๅณฐๅธ‚,ๅ…‹ไป€ๅ…‹่…พๆ——':(43.25,117.53), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,่ตคๅณฐๅธ‚,็ฟ็‰›็‰นๆ——':(42.93,119.02), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,่ตคๅณฐๅธ‚,ๅ–€ๅ–‡ๆฒๆ——':(41.93,118.7), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,่ตคๅณฐๅธ‚,ๅฎๅŸŽๅŽฟ':(41.6,119.33), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,่ตคๅณฐๅธ‚,ๆ•–ๆฑ‰ๆ——':(42.28,119.9), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,้€š่พฝๅธ‚,้€š่พฝๅธ‚':(43.62,122.27), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,้€š่พฝๅธ‚,็ง‘ๅฐ”ๆฒๅŒบ':(43.62,122.27), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,้€š่พฝๅธ‚,็ง‘ๅฐ”ๆฒๅทฆ็ฟผไธญๆ——':(44.13,123.32), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,้€š่พฝๅธ‚,็ง‘ๅฐ”ๆฒๅทฆ็ฟผๅŽๆ——':(42.95,122.35), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,้€š่พฝๅธ‚,ๅผ€้ฒๅŽฟ':(43.6,121.3), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,้€š่พฝๅธ‚,ๅบ“ไผฆๆ——':(42.73,121.77), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,้€š่พฝๅธ‚,ๅฅˆๆ›ผๆ——':(42.85,120.65), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,้€š่พฝๅธ‚,ๆ‰Ž้ฒ็‰นๆ——':(44.55,120.92), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,้€š่พฝๅธ‚,้œๆž—้ƒญๅ‹’ๅธ‚':(45.53,119.65), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,้„‚ๅฐ”ๅคšๆ–ฏๅธ‚,้„‚ๅฐ”ๅคšๆ–ฏๅธ‚':(39.62,109.8), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,้„‚ๅฐ”ๅคšๆ–ฏๅธ‚,ไธœ่ƒœๅŒบ':(39.82,110.0), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,้„‚ๅฐ”ๅคšๆ–ฏๅธ‚,่พพๆ‹‰็‰นๆ——':(40.4,110.03), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,้„‚ๅฐ”ๅคšๆ–ฏๅธ‚,ๅ‡†ๆ ผๅฐ”ๆ——':(39.87,111.23), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,้„‚ๅฐ”ๅคšๆ–ฏๅธ‚,้„‚ๆ‰˜ๅ…‹ๅ‰ๆ——':(38.18,107.48), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,้„‚ๅฐ”ๅคšๆ–ฏๅธ‚,้„‚ๆ‰˜ๅ…‹ๆ——':(39.1,107.98), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,้„‚ๅฐ”ๅคšๆ–ฏๅธ‚,ๆญ้”ฆๆ——':(39.83,108.72), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,้„‚ๅฐ”ๅคšๆ–ฏๅธ‚,ไนŒๅฎกๆ——':(38.6,108.85), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,้„‚ๅฐ”ๅคšๆ–ฏๅธ‚,ไผŠ้‡‘้œๆด›ๆ——':(39.57,109.73), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,ๅ‘ผไผฆ่ดๅฐ”ๅธ‚,ๅ‘ผไผฆ่ดๅฐ”ๅธ‚':(49.22,119.77), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,ๅ‘ผไผฆ่ดๅฐ”ๅธ‚,ๆตทๆ‹‰ๅฐ”ๅŒบ':(49.22,119.77), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,ๅ‘ผไผฆ่ดๅฐ”ๅธ‚,้˜ฟ่ฃๆ——':(48.13,123.47), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,ๅ‘ผไผฆ่ดๅฐ”ๅธ‚,้„‚ไผฆๆ˜ฅ่‡ชๆฒปๆ——':(50.58,123.72), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,ๅ‘ผไผฆ่ดๅฐ”ๅธ‚,้„‚ๆธฉๅ…‹ๆ—่‡ชๆฒปๆ——':(49.13,119.75), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,ๅ‘ผไผฆ่ดๅฐ”ๅธ‚,้™ˆๅทดๅฐ”่™Žๆ——':(49.32,119.43), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,ๅ‘ผไผฆ่ดๅฐ”ๅธ‚,ๆ–ฐๅทดๅฐ”่™Žๅทฆๆ——':(48.22,118.27), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,ๅ‘ผไผฆ่ดๅฐ”ๅธ‚,ๆ–ฐๅทดๅฐ”่™Žๅณๆ——':(48.67,116.82), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,ๅ‘ผไผฆ่ดๅฐ”ๅธ‚,ๆปกๆดฒ้‡Œๅธ‚':(49.58,117.45), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,ๅ‘ผไผฆ่ดๅฐ”ๅธ‚,็‰™ๅ…‹็Ÿณๅธ‚':(49.28,120.73), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,ๅ‘ผไผฆ่ดๅฐ”ๅธ‚,ๆ‰Žๅ…ฐๅฑฏๅธ‚':(47.98,122.75), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,ๅ‘ผไผฆ่ดๅฐ”ๅธ‚,้ขๅฐ”ๅค็บณๅธ‚':(50.23,120.18), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,ๅ‘ผไผฆ่ดๅฐ”ๅธ‚,ๆ นๆฒณๅธ‚':(50.78,121.52), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,ๅทดๅฝฆๆท–ๅฐ”ๅธ‚,ๅทดๅฝฆๆท–ๅฐ”ๅธ‚':(40.75,107.42), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,ๅทดๅฝฆๆท–ๅฐ”ๅธ‚,ไธดๆฒณๅŒบ':(40.75,107.4), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,ๅทดๅฝฆๆท–ๅฐ”ๅธ‚,ไบ”ๅŽŸๅŽฟ':(41.1,108.27), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,ๅทดๅฝฆๆท–ๅฐ”ๅธ‚,็ฃดๅฃๅŽฟ':(40.33,107.02), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,ๅทดๅฝฆๆท–ๅฐ”ๅธ‚,ไนŒๆ‹‰็‰นๅ‰ๆ——':(40.72,108.65), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,ๅทดๅฝฆๆท–ๅฐ”ๅธ‚,ไนŒๆ‹‰็‰นไธญๆ——':(41.57,108.52), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,ๅทดๅฝฆๆท–ๅฐ”ๅธ‚,ไนŒๆ‹‰็‰นๅŽๆ——':(41.1,107.07), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,ๅทดๅฝฆๆท–ๅฐ”ๅธ‚,ๆญ้”ฆๅŽๆ——':(40.88,107.15), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,ไนŒๅ…ฐๅฏŸๅธƒๅธ‚,ไนŒๅ…ฐๅฏŸๅธƒๅธ‚':(40.98,113.12), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,ไนŒๅ…ฐๅฏŸๅธƒๅธ‚,้›†ๅฎๅŒบ':(41.03,113.1), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,ไนŒๅ…ฐๅฏŸๅธƒๅธ‚,ๅ“่ต„ๅŽฟ':(40.9,112.57), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,ไนŒๅ…ฐๅฏŸๅธƒๅธ‚,ๅŒ–ๅพทๅŽฟ':(41.9,114.0), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,ไนŒๅ…ฐๅฏŸๅธƒๅธ‚,ๅ•†้ƒฝๅŽฟ':(41.55,113.53), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,ไนŒๅ…ฐๅฏŸๅธƒๅธ‚,ๅ…ดๅ’ŒๅŽฟ':(40.88,113.88), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,ไนŒๅ…ฐๅฏŸๅธƒๅธ‚,ๅ‡‰ๅŸŽๅŽฟ':(40.53,112.48), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,ไนŒๅ…ฐๅฏŸๅธƒๅธ‚,ๅฏŸๅ“ˆๅฐ”ๅณ็ฟผๅ‰ๆ——':(40.78,113.22), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,ไนŒๅ…ฐๅฏŸๅธƒๅธ‚,ๅฏŸๅ“ˆๅฐ”ๅณ็ฟผไธญๆ——':(41.27,112.63), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,ไนŒๅ…ฐๅฏŸๅธƒๅธ‚,ๅฏŸๅ“ˆๅฐ”ๅณ็ฟผๅŽๆ——':(41.45,113.18), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,ไนŒๅ…ฐๅฏŸๅธƒๅธ‚,ๅ››ๅญ็Ž‹ๆ——':(41.52,111.7), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,ไนŒๅ…ฐๅฏŸๅธƒๅธ‚,ไธฐ้•‡ๅธ‚':(40.43,113.15), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,ๅ…ดๅฎ‰็›Ÿๅธ‚,ๅ…ดๅฎ‰็›Ÿ':(46.08,122.05), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,ๅ…ดๅฎ‰็›Ÿๅธ‚,ไนŒๅ…ฐๆตฉ็‰นๅธ‚':(46.08,122.05), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,ๅ…ดๅฎ‰็›Ÿๅธ‚,้˜ฟๅฐ”ๅฑฑๅธ‚':(47.18,119.93), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,ๅ…ดๅฎ‰็›Ÿๅธ‚,็ง‘ๅฐ”ๆฒๅณ็ฟผๅ‰ๆ——':(46.07,121.92), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,ๅ…ดๅฎ‰็›Ÿๅธ‚,็ง‘ๅฐ”ๆฒๅณ็ฟผไธญๆ——':(45.05,121.47), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,ๅ…ดๅฎ‰็›Ÿๅธ‚,ๆ‰Ž่ต‰็‰นๆ——':(46.73,122.9), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,ๅ…ดๅฎ‰็›Ÿๅธ‚,็ชๆณ‰ๅŽฟ':(45.38,121.57), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,้”กๆž—้ƒญๅ‹’็›Ÿๅธ‚,้”กๆž—้ƒญๅ‹’็›Ÿ':(43.95,116.07), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,้”กๆž—้ƒญๅ‹’็›Ÿๅธ‚,ไบŒ่ฟžๆตฉ็‰นๅธ‚':(43.65,111.98), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,้”กๆž—้ƒญๅ‹’็›Ÿๅธ‚,้”กๆž—ๆตฉ็‰นๅธ‚':(43.93,116.07), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,้”กๆž—้ƒญๅ‹’็›Ÿๅธ‚,้˜ฟๅทดๅ˜Žๆ——':(44.02,114.97), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,้”กๆž—้ƒญๅ‹’็›Ÿๅธ‚,่‹ๅฐผ็‰นๅทฆๆ——':(43.85,113.63), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,้”กๆž—้ƒญๅ‹’็›Ÿๅธ‚,่‹ๅฐผ็‰นๅณๆ——':(42.75,112.65), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,้”กๆž—้ƒญๅ‹’็›Ÿๅธ‚,ไธœไนŒ็ ็ฉ†ๆฒๆ——':(45.52,116.97), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,้”กๆž—้ƒญๅ‹’็›Ÿๅธ‚,่ฅฟไนŒ็ ็ฉ†ๆฒๆ——':(44.58,117.6), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,้”กๆž—้ƒญๅ‹’็›Ÿๅธ‚,ๅคชไป†ๅฏบๆ——':(41.9,115.28), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,้”กๆž—้ƒญๅ‹’็›Ÿๅธ‚,้•ถ้ป„ๆ——':(42.23,113.83), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,้”กๆž—้ƒญๅ‹’็›Ÿๅธ‚,ๆญฃ้•ถ็™ฝๆ——':(42.3,115.0), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,้”กๆž—้ƒญๅ‹’็›Ÿๅธ‚,ๆญฃ่“ๆ——':(42.25,116.0), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,้”กๆž—้ƒญๅ‹’็›Ÿๅธ‚,ๅคšไผฆๅŽฟ':(42.18,116.47), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,้˜ฟๆ‹‰ๅ–„็›Ÿๅธ‚,้˜ฟๆ‹‰ๅ–„็›Ÿ':(38.83,105.67), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,้˜ฟๆ‹‰ๅ–„็›Ÿๅธ‚,้˜ฟๆ‹‰ๅ–„ๅทฆๆ——':(38.83,105.67), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,้˜ฟๆ‹‰ๅ–„็›Ÿๅธ‚,้˜ฟๆ‹‰ๅ–„ๅณๆ——':(39.2,101.68), # 'ๅ†…่’™ๅค่‡ชๆฒปๅŒบ,้˜ฟๆ‹‰ๅ–„็›Ÿๅธ‚,้ขๆตŽ็บณๆ——':(41.97,101.07), # '่พฝๅฎ็œ,ๆฒˆ้˜ณๅธ‚,ๆฒˆ้˜ณๅธ‚':(41.8,123.43), # '่พฝๅฎ็œ,ๆฒˆ้˜ณๅธ‚,ๅ’ŒๅนณๅŒบ':(41.78,123.4), # '่พฝๅฎ็œ,ๆฒˆ้˜ณๅธ‚,ๆฒˆๆฒณๅŒบ':(41.8,123.45), # '่พฝๅฎ็œ,ๆฒˆ้˜ณๅธ‚,ๅคงไธœๅŒบ':(41.8,123.47), # '่พฝๅฎ็œ,ๆฒˆ้˜ณๅธ‚,็š‡ๅง‘ๅŒบ':(41.82,123.42), # '่พฝๅฎ็œ,ๆฒˆ้˜ณๅธ‚,้“่ฅฟๅŒบ':(41.12,122.95), # '่พฝๅฎ็œ,ๆฒˆ้˜ณๅธ‚,้“่ฅฟๅŒบ':(41.8,123.35), # '่พฝๅฎ็œ,ๆฒˆ้˜ณๅธ‚,่‹ๅฎถๅฑฏๅŒบ':(41.67,123.33), # '่พฝๅฎ็œ,ๆฒˆ้˜ณๅธ‚,ไธœ้™ตๅŒบ':(41.77,123.47), # '่พฝๅฎ็œ,ๆฒˆ้˜ณๅธ‚,ๆ–ฐๅŸŽๅญๅŒบ':(42.05,123.52), # '่พฝๅฎ็œ,ๆฒˆ้˜ณๅธ‚,ไบŽๆดชๅŒบ':(41.78,123.3), # '่พฝๅฎ็œ,ๆฒˆ้˜ณๅธ‚,่พฝไธญๅŽฟ':(41.52,122.72), # '่พฝๅฎ็œ,ๆฒˆ้˜ณๅธ‚,ๅบทๅนณๅŽฟ':(42.75,123.35), # '่พฝๅฎ็œ,ๆฒˆ้˜ณๅธ‚,ๆณ•ๅบ“ๅŽฟ':(42.5,123.4), # '่พฝๅฎ็œ,ๆฒˆ้˜ณๅธ‚,ๆ–ฐๆฐ‘ๅธ‚':(42.0,122.82), # '่พฝๅฎ็œ,ๅคง่ฟžๅธ‚,ๅคง่ฟžๅธ‚':(38.92,121.62), # '่พฝๅฎ็œ,ๅคง่ฟžๅธ‚,ไธญๅฑฑๅŒบ':(38.92,121.63), # '่พฝๅฎ็œ,ๅคง่ฟžๅธ‚,่ฅฟๅฒ—ๅŒบ':(38.92,121.6), # '่พฝๅฎ็œ,ๅคง่ฟžๅธ‚,ๆฒ™ๆฒณๅฃๅŒบ':(38.9,121.58), # '่พฝๅฎ็œ,ๅคง่ฟžๅธ‚,็”˜ไบ•ๅญๅŒบ':(38.95,121.57), # '่พฝๅฎ็œ,ๅคง่ฟžๅธ‚,ๆ—…้กบๅฃๅŒบ':(38.82,121.27), # '่พฝๅฎ็œ,ๅคง่ฟžๅธ‚,้‡‘ๅทžๅŒบ':(39.1,121.7), # '่พฝๅฎ็œ,ๅคง่ฟžๅธ‚,้•ฟๆตทๅŽฟ':(39.27,122.58), # '่พฝๅฎ็œ,ๅคง่ฟžๅธ‚,็“ฆๆˆฟๅบ—ๅธ‚':(39.62,122.0), # '่พฝๅฎ็œ,ๅคง่ฟžๅธ‚,ๆ™ฎๅ…ฐๅบ—ๅธ‚':(39.4,121.95), # '่พฝๅฎ็œ,ๅคง่ฟžๅธ‚,ๅบ„ๆฒณๅธ‚':(39.7,122.98), # '่พฝๅฎ็œ,้žๅฑฑๅธ‚,้žๅฑฑๅธ‚':(41.1,122.98), # '่พฝๅฎ็œ,้žๅฑฑๅธ‚,้“ไธœๅŒบ':(41.1,122.98), # '่พฝๅฎ็œ,้žๅฑฑๅธ‚,้“่ฅฟๅŒบ':(41.12,122.95), # '่พฝๅฎ็œ,้žๅฑฑๅธ‚,้“่ฅฟๅŒบ':(41.8,123.35), # '่พฝๅฎ็œ,้žๅฑฑๅธ‚,็ซ‹ๅฑฑๅŒบ':(41.15,123.0), # '่พฝๅฎ็œ,้žๅฑฑๅธ‚,ๅƒๅฑฑๅŒบ':(41.07,122.97), # '่พฝๅฎ็œ,้žๅฑฑๅธ‚,ๅฐๅฎ‰ๅŽฟ':(41.38,122.42), # '่พฝๅฎ็œ,้žๅฑฑๅธ‚,ๅฒซๅฒฉๆปกๆ—่‡ชๆฒปๅŽฟ':(40.28,123.28), # '่พฝๅฎ็œ,้žๅฑฑๅธ‚,ๆตทๅŸŽๅธ‚':(40.88,122.7), # '่พฝๅฎ็œ,ๆŠš้กบๅธ‚,ๆŠš้กบๅธ‚':(41.88,123.98), # '่พฝๅฎ็œ,ๆŠš้กบๅธ‚,ๆ–ฐๆŠšๅŒบ':(41.87,123.88), # '่พฝๅฎ็œ,ๆŠš้กบๅธ‚,ไธœๆดฒๅŒบ':(41.85,124.02), # '่พฝๅฎ็œ,ๆŠš้กบๅธ‚,ๆœ›่ŠฑๅŒบ':(41.85,123.78), # '่พฝๅฎ็œ,ๆŠš้กบๅธ‚,้กบๅŸŽๅŒบ':(41.88,123.93), # '่พฝๅฎ็œ,ๆŠš้กบๅธ‚,ๆŠš้กบๅŽฟ':(41.88,123.9), # '่พฝๅฎ็œ,ๆŠš้กบๅธ‚,ๆ–ฐๅฎพๆปกๆ—่‡ชๆฒปๅŽฟ':(41.73,125.03), # '่พฝๅฎ็œ,ๆŠš้กบๅธ‚,ๆธ…ๅŽŸๆปกๆ—่‡ชๆฒปๅŽฟ':(42.1,124.92), # '่พฝๅฎ็œ,ๆœฌๆบชๅธ‚,ๆœฌๆบชๅธ‚':(41.3,123.77), # '่พฝๅฎ็œ,ๆœฌๆบชๅธ‚,ๅนณๅฑฑๅŒบ':(41.3,123.77), # '่พฝๅฎ็œ,ๆœฌๆบชๅธ‚,ๆบชๆน–ๅŒบ':(41.33,123.77), # '่พฝๅฎ็œ,ๆœฌๆบชๅธ‚,ๆ˜ŽๅฑฑๅŒบ':(41.3,123.82), # '่พฝๅฎ็œ,ๆœฌๆบชๅธ‚,ๅ—่ŠฌๅŒบ':(41.1,123.73), # '่พฝๅฎ็œ,ๆœฌๆบชๅธ‚,ๆœฌๆบชๆปกๆ—่‡ชๆฒปๅŽฟ':(41.3,124.12), # '่พฝๅฎ็œ,ๆœฌๆบชๅธ‚,ๆก“ไปๆปกๆ—่‡ชๆฒปๅŽฟ':(41.27,125.35), # '่พฝๅฎ็œ,ไธนไธœๅธ‚,ไธนไธœๅธ‚':(40.13,124.38), # '่พฝๅฎ็œ,ไธนไธœๅธ‚,ๅ…ƒๅฎๅŒบ':(40.13,124.38), # '่พฝๅฎ็œ,ไธนไธœๅธ‚,ๆŒฏๅ…ดๅŒบ':(40.08,124.35), # '่พฝๅฎ็œ,ไธนไธœๅธ‚,ๆŒฏๅฎ‰ๅŒบ':(40.17,124.42), # '่พฝๅฎ็œ,ไธนไธœๅธ‚,ๅฎฝ็”ธๆปกๆ—่‡ชๆฒปๅŽฟ':(40.73,124.78), # '่พฝๅฎ็œ,ไธนไธœๅธ‚,ไธœๆธฏๅธ‚':(39.87,124.15), # '่พฝๅฎ็œ,ไธนไธœๅธ‚,ๅ‡คๅŸŽๅธ‚':(40.45,124.07), # '่พฝๅฎ็œ,้”ฆๅทžๅธ‚,้”ฆๅทžๅธ‚':(41.1,121.13), # '่พฝๅฎ็œ,้”ฆๅทžๅธ‚,ๅคๅก”ๅŒบ':(41.13,121.12), # '่พฝๅฎ็œ,้”ฆๅทžๅธ‚,ๅ‡ŒๆฒณๅŒบ':(41.12,121.15), # '่พฝๅฎ็œ,้”ฆๅทžๅธ‚,ๅคชๅ’ŒๅŒบ':(41.1,121.1), # '่พฝๅฎ็œ,้”ฆๅทžๅธ‚,้ป‘ๅฑฑๅŽฟ':(41.7,122.12), # '่พฝๅฎ็œ,้”ฆๅทžๅธ‚,ไน‰ๅŽฟ':(41.53,121.23), # '่พฝๅฎ็œ,้”ฆๅทžๅธ‚,ๅ‡Œๆตทๅธ‚':(41.17,121.35), # '่พฝๅฎ็œ,่ฅๅฃๅธ‚,่ฅๅฃๅธ‚':(40.67,122.23), # '่พฝๅฎ็œ,่ฅๅฃๅธ‚,็ซ™ๅ‰ๅŒบ':(40.68,122.27), # '่พฝๅฎ็œ,่ฅๅฃๅธ‚,่ฅฟๅธ‚ๅŒบ':(40.67,122.22), # '่พฝๅฎ็œ,่ฅๅฃๅธ‚,้ฒ…้ฑผๅœˆๅŒบ':(40.27,122.12), # '่พฝๅฎ็œ,่ฅๅฃๅธ‚,่€่พนๅŒบ':(40.67,122.37), # '่พฝๅฎ็œ,่ฅๅฃๅธ‚,็›–ๅทžๅธ‚':(40.4,122.35), # '่พฝๅฎ็œ,่ฅๅฃๅธ‚,ๅคง็Ÿณๆกฅๅธ‚':(40.65,122.5), # '่พฝๅฎ็œ,้˜œๆ–ฐๅธ‚,้˜œๆ–ฐๅธ‚':(42.02,121.67), # '่พฝๅฎ็œ,้˜œๆ–ฐๅธ‚,ๆตทๅทžๅŒบ':(42.02,121.65), # '่พฝๅฎ็œ,้˜œๆ–ฐๅธ‚,ๅคชๅนณๅŒบ':(42.02,121.67), # '่พฝๅฎ็œ,้˜œๆ–ฐๅธ‚,ๆธ…ๆฒณ้—จๅŒบ':(41.75,121.42), # '่พฝๅฎ็œ,้˜œๆ–ฐๅธ‚,็ป†ๆฒณๅŒบ':(42.03,121.68), # '่พฝๅฎ็œ,้˜œๆ–ฐๅธ‚,้˜œๆ–ฐ่’™ๅคๆ—่‡ชๆฒปๅŽฟ':(42.07,121.75), # '่พฝๅฎ็œ,้˜œๆ–ฐๅธ‚,ๅฝฐๆญฆๅŽฟ':(42.38,122.53), # '่พฝๅฎ็œ,่พฝ้˜ณๅธ‚,่พฝ้˜ณๅธ‚':(41.27,123.17), # '่พฝๅฎ็œ,่พฝ้˜ณๅธ‚,็™ฝๅก”ๅŒบ':(41.27,123.17), # '่พฝๅฎ็œ,่พฝ้˜ณๅธ‚,ๆ–‡ๅœฃๅŒบ':(41.27,123.18), # '่พฝๅฎ็œ,่พฝ้˜ณๅธ‚,ๅฎไผŸๅŒบ':(41.2,123.2), # '่พฝๅฎ็œ,่พฝ้˜ณๅธ‚,ๅผ“้•ฟๅฒญๅŒบ':(41.13,123.45), # '่พฝๅฎ็œ,่พฝ้˜ณๅธ‚,ๅคชๅญๆฒณๅŒบ':(41.25,123.18), # '่พฝๅฎ็œ,่พฝ้˜ณๅธ‚,่พฝ้˜ณๅŽฟ':(41.22,123.07), # '่พฝๅฎ็œ,่พฝ้˜ณๅธ‚,็ฏๅก”ๅธ‚':(41.42,123.33), # '่พฝๅฎ็œ,็›˜้”ฆๅธ‚,็›˜้”ฆๅธ‚':(41.12,122.07), # '่พฝๅฎ็œ,็›˜้”ฆๅธ‚,ๅŒๅฐๅญๅŒบ':(41.2,122.05), # '่พฝๅฎ็œ,็›˜้”ฆๅธ‚,ๅ…ด้š†ๅฐๅŒบ':(41.12,122.07), # '่พฝๅฎ็œ,็›˜้”ฆๅธ‚,ๅคงๆดผๅŽฟ':(40.98,122.07), # '่พฝๅฎ็œ,็›˜้”ฆๅธ‚,็›˜ๅฑฑๅŽฟ':(41.25,122.02), # '่พฝๅฎ็œ,้“ๅฒญๅธ‚,้“ๅฒญๅธ‚':(42.28,123.83), # '่พฝๅฎ็œ,้“ๅฒญๅธ‚,้“ถๅทžๅŒบ':(42.28,123.85), # '่พฝๅฎ็œ,้“ๅฒญๅธ‚,ๆธ…ๆฒณๅŒบ':(42.53,124.15), # '่พฝๅฎ็œ,้“ๅฒญๅธ‚,้“ๅฒญๅŽฟ':(42.3,123.83), # '่พฝๅฎ็œ,้“ๅฒญๅธ‚,่ฅฟไธฐๅŽฟ':(42.73,124.72), # '่พฝๅฎ็œ,้“ๅฒญๅธ‚,ๆ˜Œๅ›พๅŽฟ':(42.78,124.1), # '่พฝๅฎ็œ,้“ๅฒญๅธ‚,่ฐƒๅ…ตๅฑฑๅธ‚':(42.47,123.55), # '่พฝๅฎ็œ,้“ๅฒญๅธ‚,ๅผ€ๅŽŸๅธ‚':(42.55,124.03), # '่พฝๅฎ็œ,ๆœ้˜ณๅธ‚,ๆœ้˜ณๅธ‚':(41.57,120.45), # '่พฝๅฎ็œ,ๆœ้˜ณๅธ‚,ๅŒๅก”ๅŒบ':(41.57,120.45), # '่พฝๅฎ็œ,ๆœ้˜ณๅธ‚,้พ™ๅŸŽๅŒบ':(41.6,120.43), # '่พฝๅฎ็œ,ๆœ้˜ณๅธ‚,ๆœ้˜ณๅŽฟ':(41.58,120.47), # '่พฝๅฎ็œ,ๆœ้˜ณๅธ‚,ๅปบๅนณๅŽฟ':(41.4,119.63), # '่พฝๅฎ็œ,ๆœ้˜ณๅธ‚,ๅŒ—็ฅจๅธ‚':(41.8,120.77), # '่พฝๅฎ็œ,ๆœ้˜ณๅธ‚,ๅ‡Œๆบๅธ‚':(41.25,119.4), # '่พฝๅฎ็œ,่‘ซ่Šฆๅฒ›ๅธ‚,่‘ซ่Šฆๅฒ›ๅธ‚':(40.72,120.83), # '่พฝๅฎ็œ,่‘ซ่Šฆๅฒ›ๅธ‚,่ฟžๅฑฑๅŒบ':(40.77,120.87), # '่พฝๅฎ็œ,่‘ซ่Šฆๅฒ›ๅธ‚,้พ™ๆธฏๅŒบ':(40.72,120.93), # '่พฝๅฎ็œ,่‘ซ่Šฆๅฒ›ๅธ‚,ๅ—็ฅจๅŒบ':(41.1,120.75), # '่พฝๅฎ็œ,่‘ซ่Šฆๅฒ›ๅธ‚,็ปฅไธญๅŽฟ':(40.32,120.33), # '่พฝๅฎ็œ,่‘ซ่Šฆๅฒ›ๅธ‚,ๅปบๆ˜ŒๅŽฟ':(40.82,119.8), # '่พฝๅฎ็œ,่‘ซ่Šฆๅฒ›ๅธ‚,ๅ…ดๅŸŽๅธ‚':(40.62,120.72), # 'ๅ‰ๆž—็œ,้•ฟๆ˜ฅๅธ‚,้•ฟๆ˜ฅๅธ‚':(43.9,125.32), # 'ๅ‰ๆž—็œ,้•ฟๆ˜ฅๅธ‚,ๅ—ๅ…ณๅŒบ':(43.87,125.33), # 'ๅ‰ๆž—็œ,้•ฟๆ˜ฅๅธ‚,ๅฎฝๅŸŽๅŒบ':(43.92,125.32), # 'ๅ‰ๆž—็œ,้•ฟๆ˜ฅๅธ‚,ๆœ้˜ณๅŒบ':(43.83,125.28), # 'ๅ‰ๆž—็œ,้•ฟๆ˜ฅๅธ‚,ไบŒ้“ๅŒบ':(43.87,125.37), # 'ๅ‰ๆž—็œ,้•ฟๆ˜ฅๅธ‚,็ปฟๅ›ญๅŒบ':(43.88,125.25), # 'ๅ‰ๆž—็œ,้•ฟๆ˜ฅๅธ‚,ๅŒ้˜ณๅŒบ':(43.52,125.67), # 'ๅ‰ๆž—็œ,้•ฟๆ˜ฅๅธ‚,ๅ†œๅฎ‰ๅŽฟ':(44.43,125.18), # 'ๅ‰ๆž—็œ,้•ฟๆ˜ฅๅธ‚,ไนๅฐๅธ‚':(44.15,125.83), # 'ๅ‰ๆž—็œ,้•ฟๆ˜ฅๅธ‚,ๆฆ†ๆ ‘ๅธ‚':(44.82,126.55), # 'ๅ‰ๆž—็œ,้•ฟๆ˜ฅๅธ‚,ๅพทๆƒ ๅธ‚':(44.53,125.7), # 'ๅ‰ๆž—็œ,ๅ‰ๆž—ๅธ‚,ๅ‰ๆž—ๅธ‚':(43.83,126.55), # 'ๅ‰ๆž—็œ,ๅ‰ๆž—ๅธ‚,ๆ˜Œ้‚‘ๅŒบ':(43.88,126.57), # 'ๅ‰ๆž—็œ,ๅ‰ๆž—ๅธ‚,้พ™ๆฝญๅŒบ':(43.92,126.57), # 'ๅ‰ๆž—็œ,ๅ‰ๆž—ๅธ‚,่ˆน่ฅๅŒบ':(43.83,126.53), # 'ๅ‰ๆž—็œ,ๅ‰ๆž—ๅธ‚,ไธฐๆปกๅŒบ':(43.82,126.57), # 'ๅ‰ๆž—็œ,ๅ‰ๆž—ๅธ‚,ๆฐธๅ‰ๅŽฟ':(43.67,126.5), # 'ๅ‰ๆž—็œ,ๅ‰ๆž—ๅธ‚,่›Ÿๆฒณๅธ‚':(43.72,127.33), # 'ๅ‰ๆž—็œ,ๅ‰ๆž—ๅธ‚,ๆกฆ็”ธๅธ‚':(42.97,126.73), # 'ๅ‰ๆž—็œ,ๅ‰ๆž—ๅธ‚,่ˆ’ๅ…ฐๅธ‚':(44.42,126.95), # 'ๅ‰ๆž—็œ,ๅ‰ๆž—ๅธ‚,็ฃ็Ÿณๅธ‚':(42.95,126.05), # 'ๅ‰ๆž—็œ,ๅ››ๅนณๅธ‚,ๅ››ๅนณๅธ‚':(43.17,124.35), # 'ๅ‰ๆž—็œ,ๅ››ๅนณๅธ‚,้“่ฅฟๅŒบ':(43.15,124.35), # 'ๅ‰ๆž—็œ,ๅ››ๅนณๅธ‚,้“ไธœๅŒบ':(43.17,124.38), # 'ๅ‰ๆž—็œ,ๅ››ๅนณๅธ‚,ๆขจๆ ‘ๅŽฟ':(43.32,124.33), # 'ๅ‰ๆž—็œ,ๅ››ๅนณๅธ‚,ไผŠ้€šๆปกๆ—่‡ชๆฒปๅŽฟ':(43.35,125.3), # 'ๅ‰ๆž—็œ,ๅ››ๅนณๅธ‚,ๅ…ฌไธปๅฒญๅธ‚':(43.5,124.82), # 'ๅ‰ๆž—็œ,ๅ››ๅนณๅธ‚,ๅŒ่พฝๅธ‚':(43.52,123.5), # 'ๅ‰ๆž—็œ,่พฝๆบๅธ‚,่พฝๆบๅธ‚':(42.88,125.13), # 'ๅ‰ๆž—็œ,่พฝๆบๅธ‚,้พ™ๅฑฑๅŒบ':(42.9,125.12), # 'ๅ‰ๆž—็œ,่พฝๆบๅธ‚,่ฅฟๅฎ‰ๅŒบ':(42.92,125.15), # 'ๅ‰ๆž—็œ,่พฝๆบๅธ‚,ไธœไธฐๅŽฟ':(42.68,125.53), # 'ๅ‰ๆž—็œ,่พฝๆบๅธ‚,ไธœ่พฝๅŽฟ':(42.92,125.0), # 'ๅ‰ๆž—็œ,้€šๅŒ–ๅธ‚,้€šๅŒ–ๅธ‚':(41.73,125.93), # 'ๅ‰ๆž—็œ,้€šๅŒ–ๅธ‚,ไธœๆ˜ŒๅŒบ':(41.73,125.95), # 'ๅ‰ๆž—็œ,้€šๅŒ–ๅธ‚,ไบŒ้“ๆฑŸๅŒบ':(41.77,126.03), # 'ๅ‰ๆž—็œ,้€šๅŒ–ๅธ‚,้€šๅŒ–ๅŽฟ':(41.68,125.75), # 'ๅ‰ๆž—็œ,้€šๅŒ–ๅธ‚,่พ‰ๅ—ๅŽฟ':(42.68,126.03), # 'ๅ‰ๆž—็œ,้€šๅŒ–ๅธ‚,ๆŸณๆฒณๅŽฟ':(42.28,125.73), # 'ๅ‰ๆž—็œ,้€šๅŒ–ๅธ‚,ๆข…ๆฒณๅฃๅธ‚':(42.53,125.68), # 'ๅ‰ๆž—็œ,้€šๅŒ–ๅธ‚,้›†ๅฎ‰ๅธ‚':(41.12,126.18), # 'ๅ‰ๆž—็œ,็™ฝๅฑฑๅธ‚,็™ฝๅฑฑๅธ‚':(41.93,126.42), # 'ๅ‰ๆž—็œ,็™ฝๅฑฑๅธ‚,ๅ…ซ้“ๆฑŸๅŒบ':(41.93,126.4), # 'ๅ‰ๆž—็œ,็™ฝๅฑฑๅธ‚,ๆŠšๆพๅŽฟ':(42.33,127.28), # 'ๅ‰ๆž—็œ,็™ฝๅฑฑๅธ‚,้–ๅฎ‡ๅŽฟ':(42.4,126.8), # 'ๅ‰ๆž—็œ,็™ฝๅฑฑๅธ‚,้•ฟ็™ฝๆœ้ฒœๆ—่‡ชๆฒปๅŽฟ':(41.42,128.2), # 'ๅ‰ๆž—็œ,็™ฝๅฑฑๅธ‚,ไธดๆฑŸๅธ‚':(41.8,126.9), # 'ๅ‰ๆž—็œ,ๆพๅŽŸๅธ‚,ๆพๅŽŸๅธ‚':(45.13,124.82), # 'ๅ‰ๆž—็œ,ๆพๅŽŸๅธ‚,ๅฎๆฑŸๅŒบ':(45.17,124.8), # 'ๅ‰ๆž—็œ,ๆพๅŽŸๅธ‚,้•ฟๅฒญๅŽฟ':(44.28,123.98), # 'ๅ‰ๆž—็œ,ๆพๅŽŸๅธ‚,ไนพๅฎ‰ๅŽฟ':(45.02,124.02), # 'ๅ‰ๆž—็œ,ๆพๅŽŸๅธ‚,ๆ‰ถไฝ™ๅŽฟ':(44.98,126.02), # 'ๅ‰ๆž—็œ,็™ฝๅŸŽๅธ‚,็™ฝๅŸŽๅธ‚':(45.62,122.83), # 'ๅ‰ๆž—็œ,็™ฝๅŸŽๅธ‚,ๆดฎๅŒ—ๅŒบ':(45.62,122.85), # 'ๅ‰ๆž—็œ,็™ฝๅŸŽๅธ‚,้•‡่ต‰ๅŽฟ':(45.85,123.2), # 'ๅ‰ๆž—็œ,็™ฝๅŸŽๅธ‚,้€šๆฆ†ๅŽฟ':(44.82,123.08), # 'ๅ‰ๆž—็œ,็™ฝๅŸŽๅธ‚,ๆดฎๅ—ๅธ‚':(45.33,122.78), # 'ๅ‰ๆž—็œ,็™ฝๅŸŽๅธ‚,ๅคงๅฎ‰ๅธ‚':(45.5,124.28), # 'ๅ‰ๆž—็œ,ๅปถ่พนๅธ‚,ๅปถ่พนๆœ้ฒœๆ—่‡ชๆฒปๅทž':(42.88,129.5), # 'ๅ‰ๆž—็œ,ๅปถ่พนๅธ‚,ๅปถๅ‰ๅธ‚':(42.88,129.5), # 'ๅ‰ๆž—็œ,ๅปถ่พนๅธ‚,ๅ›พไปฌๅธ‚':(42.97,129.83), # 'ๅ‰ๆž—็œ,ๅปถ่พนๅธ‚,ๆ•ฆๅŒ–ๅธ‚':(43.37,128.23), # 'ๅ‰ๆž—็œ,ๅปถ่พนๅธ‚,็ฒๆ˜ฅๅธ‚':(42.87,130.37), # 'ๅ‰ๆž—็œ,ๅปถ่พนๅธ‚,้พ™ไบ•ๅธ‚':(42.77,129.42), # 'ๅ‰ๆž—็œ,ๅปถ่พนๅธ‚,ๅ’Œ้พ™ๅธ‚':(42.53,129.0), # 'ๅ‰ๆž—็œ,ๅปถ่พนๅธ‚,ๆฑชๆธ…ๅŽฟ':(43.32,129.75), # 'ๅ‰ๆž—็œ,ๅปถ่พนๅธ‚,ๅฎ‰ๅ›พๅŽฟ':(43.12,128.9), # '้ป‘้พ™ๆฑŸ็œ,ๅ“ˆๅฐ”ๆปจๅธ‚,ๅ“ˆๅฐ”ๆปจๅธ‚':(45.8,126.53), # '้ป‘้พ™ๆฑŸ็œ,ๅ“ˆๅฐ”ๆปจๅธ‚,้“้‡ŒๅŒบ':(45.77,126.62), # '้ป‘้พ™ๆฑŸ็œ,ๅ“ˆๅฐ”ๆปจๅธ‚,ๅ—ๅฒ—ๅŒบ':(45.77,126.68), # '้ป‘้พ™ๆฑŸ็œ,ๅ“ˆๅฐ”ๆปจๅธ‚,้“ๅค–ๅŒบ':(45.78,126.65), # '้ป‘้พ™ๆฑŸ็œ,ๅ“ˆๅฐ”ๆปจๅธ‚,้ฆ™ๅŠๅŒบ':(45.72,126.68), # '้ป‘้พ™ๆฑŸ็œ,ๅ“ˆๅฐ”ๆปจๅธ‚,ๅนณๆˆฟๅŒบ':(45.62,126.62), # '้ป‘้พ™ๆฑŸ็œ,ๅ“ˆๅฐ”ๆปจๅธ‚,ๆพๅŒ—ๅŒบ':(45.8,126.55), # '้ป‘้พ™ๆฑŸ็œ,ๅ“ˆๅฐ”ๆปจๅธ‚,ๅ‘ผๅ…ฐๅŒบ':(45.9,126.58), # '้ป‘้พ™ๆฑŸ็œ,ๅ“ˆๅฐ”ๆปจๅธ‚,ไพๅ…ฐๅŽฟ':(46.32,129.55), # '้ป‘้พ™ๆฑŸ็œ,ๅ“ˆๅฐ”ๆปจๅธ‚,ๆ–นๆญฃๅŽฟ':(45.83,128.83), # '้ป‘้พ™ๆฑŸ็œ,ๅ“ˆๅฐ”ๆปจๅธ‚,ๅฎพๅŽฟ':(45.75,127.48), # '้ป‘้พ™ๆฑŸ็œ,ๅ“ˆๅฐ”ๆปจๅธ‚,ๅทดๅฝฆๅŽฟ':(46.08,127.4), # '้ป‘้พ™ๆฑŸ็œ,ๅ“ˆๅฐ”ๆปจๅธ‚,ๆœจๅ…ฐๅŽฟ':(45.95,128.03), # '้ป‘้พ™ๆฑŸ็œ,ๅ“ˆๅฐ”ๆปจๅธ‚,้€šๆฒณๅŽฟ':(45.97,128.75), # '้ป‘้พ™ๆฑŸ็œ,ๅ“ˆๅฐ”ๆปจๅธ‚,ๅปถๅฏฟๅŽฟ':(45.45,128.33), # '้ป‘้พ™ๆฑŸ็œ,ๅ“ˆๅฐ”ๆปจๅธ‚,ๅŒๅŸŽๅธ‚':(45.37,126.32), # '้ป‘้พ™ๆฑŸ็œ,ๅ“ˆๅฐ”ๆปจๅธ‚,ๅฐšๅฟ—ๅธ‚':(45.22,127.95), # '้ป‘้พ™ๆฑŸ็œ,ๅ“ˆๅฐ”ๆปจๅธ‚,ไบ”ๅธธๅธ‚':(44.92,127.15), # '้ป‘้พ™ๆฑŸ็œ,้ฝ้ฝๅ“ˆๅฐ”ๅธ‚,้ฝ้ฝๅ“ˆๅฐ”ๅธ‚':(47.33,123.95), # '้ป‘้พ™ๆฑŸ็œ,้ฝ้ฝๅ“ˆๅฐ”ๅธ‚,้พ™ๆฒ™ๅŒบ':(47.32,123.95), # '้ป‘้พ™ๆฑŸ็œ,้ฝ้ฝๅ“ˆๅฐ”ๅธ‚,ๅปบๅŽๅŒบ':(47.35,123.95), # '้ป‘้พ™ๆฑŸ็œ,้ฝ้ฝๅ“ˆๅฐ”ๅธ‚,้“้”‹ๅŒบ':(47.35,123.98), # '้ป‘้พ™ๆฑŸ็œ,้ฝ้ฝๅ“ˆๅฐ”ๅธ‚,ๆ˜‚ๆ˜‚ๆบชๅŒบ':(47.15,123.8), # '้ป‘้พ™ๆฑŸ็œ,้ฝ้ฝๅ“ˆๅฐ”ๅธ‚,ๅฏŒๆ‹‰ๅฐ”ๅŸบๅŒบ':(47.2,123.62), # '้ป‘้พ™ๆฑŸ็œ,้ฝ้ฝๅ“ˆๅฐ”ๅธ‚,้พ™ๆฑŸๅŽฟ':(47.33,123.18), # '้ป‘้พ™ๆฑŸ็œ,้ฝ้ฝๅ“ˆๅฐ”ๅธ‚,ไพๅฎ‰ๅŽฟ':(47.88,125.3), # '้ป‘้พ™ๆฑŸ็œ,้ฝ้ฝๅ“ˆๅฐ”ๅธ‚,ๆณฐๆฅๅŽฟ':(46.4,123.42), # '้ป‘้พ™ๆฑŸ็œ,้ฝ้ฝๅ“ˆๅฐ”ๅธ‚,็”˜ๅ—ๅŽฟ':(47.92,123.5), # '้ป‘้พ™ๆฑŸ็œ,้ฝ้ฝๅ“ˆๅฐ”ๅธ‚,ๅฏŒ่ฃ•ๅŽฟ':(47.82,124.47), # '้ป‘้พ™ๆฑŸ็œ,้ฝ้ฝๅ“ˆๅฐ”ๅธ‚,ๅ…‹ๅฑฑๅŽฟ':(48.03,125.87), # '้ป‘้พ™ๆฑŸ็œ,้ฝ้ฝๅ“ˆๅฐ”ๅธ‚,ๅ…‹ไธœๅŽฟ':(48.03,126.25), # '้ป‘้พ™ๆฑŸ็œ,้ฝ้ฝๅ“ˆๅฐ”ๅธ‚,ๆ‹œๆณ‰ๅŽฟ':(47.6,126.08), # '้ป‘้พ™ๆฑŸ็œ,้ฝ้ฝๅ“ˆๅฐ”ๅธ‚,่ฎทๆฒณๅธ‚':(48.48,124.87), # '้ป‘้พ™ๆฑŸ็œ,้ธก่ฅฟๅธ‚,้ธก่ฅฟๅธ‚':(45.3,130.97), # '้ป‘้พ™ๆฑŸ็œ,้ธก่ฅฟๅธ‚,้ธกๅ† ๅŒบ':(45.3,130.97), # '้ป‘้พ™ๆฑŸ็œ,้ธก่ฅฟๅธ‚,ๆ’ๅฑฑๅŒบ':(45.2,130.93), # '้ป‘้พ™ๆฑŸ็œ,้ธก่ฅฟๅธ‚,ๆปด้“ๅŒบ':(45.37,130.78), # '้ป‘้พ™ๆฑŸ็œ,้ธก่ฅฟๅธ‚,ๆขจๆ ‘ๅŒบ':(45.08,130.68), # '้ป‘้พ™ๆฑŸ็œ,้ธก่ฅฟๅธ‚,ๅŸŽๅญๆฒณๅŒบ':(45.33,131.0), # '้ป‘้พ™ๆฑŸ็œ,้ธก่ฅฟๅธ‚,้บปๅฑฑๅŒบ':(45.2,130.52), # '้ป‘้พ™ๆฑŸ็œ,้ธก่ฅฟๅธ‚,้ธกไธœๅŽฟ':(45.25,131.13), # '้ป‘้พ™ๆฑŸ็œ,้ธก่ฅฟๅธ‚,่™Žๆž—ๅธ‚':(45.77,132.98), # '้ป‘้พ™ๆฑŸ็œ,้ธก่ฅฟๅธ‚,ๅฏ†ๅฑฑๅธ‚':(45.55,131.87), # '้ป‘้พ™ๆฑŸ็œ,้นคๅฒ—ๅธ‚,้นคๅฒ—ๅธ‚':(47.33,130.27), # '้ป‘้พ™ๆฑŸ็œ,้นคๅฒ—ๅธ‚,ๅ‘้˜ณๅŒบ':(47.33,130.28), # '้ป‘้พ™ๆฑŸ็œ,้นคๅฒ—ๅธ‚,ๅ‘้˜ณๅŒบ':(46.8,130.33), # '้ป‘้พ™ๆฑŸ็œ,้นคๅฒ—ๅธ‚,ๅทฅๅ†œๅŒบ':(47.32,130.25), # '้ป‘้พ™ๆฑŸ็œ,้นคๅฒ—ๅธ‚,ๅ—ๅฑฑๅŒบ':(47.3,130.28), # '้ป‘้พ™ๆฑŸ็œ,้นคๅฒ—ๅธ‚,ๅ…ดๅฎ‰ๅŒบ':(47.27,130.22), # '้ป‘้พ™ๆฑŸ็œ,้นคๅฒ—ๅธ‚,ไธœๅฑฑๅŒบ':(47.33,130.32), # '้ป‘้พ™ๆฑŸ็œ,้นคๅฒ—ๅธ‚,ๅ…ดๅฑฑๅŒบ':(47.37,130.3), # '้ป‘้พ™ๆฑŸ็œ,้นคๅฒ—ๅธ‚,่ๅŒ—ๅŽฟ':(47.58,130.83), # '้ป‘้พ™ๆฑŸ็œ,้นคๅฒ—ๅธ‚,็ปฅๆปจๅŽฟ':(47.28,131.85), # '้ป‘้พ™ๆฑŸ็œ,ๅŒ้ธญๅฑฑๅธ‚,ๅŒ้ธญๅฑฑๅธ‚':(46.63,131.15), # '้ป‘้พ™ๆฑŸ็œ,ๅŒ้ธญๅฑฑๅธ‚,ๅฐ–ๅฑฑๅŒบ':(46.63,131.17), # '้ป‘้พ™ๆฑŸ็œ,ๅŒ้ธญๅฑฑๅธ‚,ๅฒญไธœๅŒบ':(46.57,131.13), # '้ป‘้พ™ๆฑŸ็œ,ๅŒ้ธญๅฑฑๅธ‚,ๅ››ๆ–นๅฐๅŒบ':(46.58,131.33), # '้ป‘้พ™ๆฑŸ็œ,ๅŒ้ธญๅฑฑๅธ‚,ๅฎๅฑฑๅŒบ':(46.57,131.4), # '้ป‘้พ™ๆฑŸ็œ,ๅŒ้ธญๅฑฑๅธ‚,้›†่ดคๅŽฟ':(46.72,131.13), # '้ป‘้พ™ๆฑŸ็œ,ๅŒ้ธญๅฑฑๅธ‚,ๅ‹่ฐŠๅŽฟ':(46.78,131.8), # '้ป‘้พ™ๆฑŸ็œ,ๅŒ้ธญๅฑฑๅธ‚,ๅฎๆธ…ๅŽฟ':(46.32,132.2), # '้ป‘้พ™ๆฑŸ็œ,ๅŒ้ธญๅฑฑๅธ‚,้ฅถๆฒณๅŽฟ':(46.8,134.02), # '้ป‘้พ™ๆฑŸ็œ,ๅคงๅบ†ๅธ‚,ๅคงๅบ†ๅธ‚':(46.58,125.03), # '้ป‘้พ™ๆฑŸ็œ,ๅคงๅบ†ๅธ‚,่จๅฐ”ๅ›พๅŒบ':(46.6,125.02), # '้ป‘้พ™ๆฑŸ็œ,ๅคงๅบ†ๅธ‚,้พ™ๅ‡คๅŒบ':(46.53,125.1), # '้ป‘้พ™ๆฑŸ็œ,ๅคงๅบ†ๅธ‚,่ฎฉ่ƒก่ทฏๅŒบ':(46.65,124.85), # '้ป‘้พ™ๆฑŸ็œ,ๅคงๅบ†ๅธ‚,็บขๅฒ—ๅŒบ':(46.4,124.88), # '้ป‘้พ™ๆฑŸ็œ,ๅคงๅบ†ๅธ‚,ๅคงๅŒๅŒบ':(46.03,124.82), # '้ป‘้พ™ๆฑŸ็œ,ๅคงๅบ†ๅธ‚,่‚‡ๅทžๅŽฟ':(45.7,125.27), # '้ป‘้พ™ๆฑŸ็œ,ๅคงๅบ†ๅธ‚,่‚‡ๆบๅŽฟ':(45.52,125.08), # '้ป‘้พ™ๆฑŸ็œ,ๅคงๅบ†ๅธ‚,ๆž—็”ธๅŽฟ':(47.18,124.87), # '้ป‘้พ™ๆฑŸ็œ,ๅคงๅบ†ๅธ‚,ๆœๅฐ”ไผฏ็‰น่’™ๅคๆ—่‡ชๆฒปๅŽฟ':(46.87,124.45), # '้ป‘้พ™ๆฑŸ็œ,ไผŠๆ˜ฅๅธ‚,ไผŠๆ˜ฅๅธ‚':(47.73,128.9), # '้ป‘้พ™ๆฑŸ็œ,ไผŠๆ˜ฅๅธ‚,ๅ—ๅฒ”ๅŒบ':(47.13,129.28), # '้ป‘้พ™ๆฑŸ็œ,ไผŠๆ˜ฅๅธ‚,ๅ‹ๅฅฝๅŒบ':(47.85,128.82), # '้ป‘้พ™ๆฑŸ็œ,ไผŠๆ˜ฅๅธ‚,่ฅฟๆž—ๅŒบ':(47.48,129.28), # '้ป‘้พ™ๆฑŸ็œ,ไผŠๆ˜ฅๅธ‚,็ฟ ๅณฆๅŒบ':(47.72,128.65), # '้ป‘้พ™ๆฑŸ็œ,ไผŠๆ˜ฅๅธ‚,ๆ–ฐ้’ๅŒบ':(48.28,129.53), # '้ป‘้พ™ๆฑŸ็œ,ไผŠๆ˜ฅๅธ‚,็พŽๆบชๅŒบ':(47.63,129.13), # '้ป‘้พ™ๆฑŸ็œ,ไผŠๆ˜ฅๅธ‚,้‡‘ๅฑฑๅฑฏๅŒบ':(47.42,129.43), # '้ป‘้พ™ๆฑŸ็œ,ไผŠๆ˜ฅๅธ‚,ไบ”่ฅๅŒบ':(48.12,129.25), # '้ป‘้พ™ๆฑŸ็œ,ไผŠๆ˜ฅๅธ‚,ไนŒ้ฉฌๆฒณๅŒบ':(47.72,128.78), # '้ป‘้พ™ๆฑŸ็œ,ไผŠๆ˜ฅๅธ‚,ๆฑคๆ—บๆฒณๅŒบ':(48.45,129.57), # '้ป‘้พ™ๆฑŸ็œ,ไผŠๆ˜ฅๅธ‚,ๅธฆๅฒญๅŒบ':(47.02,129.02), # '้ป‘้พ™ๆฑŸ็œ,ไผŠๆ˜ฅๅธ‚,ไนŒไผŠๅฒญๅŒบ':(48.6,129.42), # '้ป‘้พ™ๆฑŸ็œ,ไผŠๆ˜ฅๅธ‚,็บขๆ˜ŸๅŒบ':(48.23,129.38), # '้ป‘้พ™ๆฑŸ็œ,ไผŠๆ˜ฅๅธ‚,ไธŠ็”˜ๅฒญๅŒบ':(47.97,129.02), # '้ป‘้พ™ๆฑŸ็œ,ไผŠๆ˜ฅๅธ‚,ๅ˜‰่ซๅŽฟ':(48.88,130.38), # '้ป‘้พ™ๆฑŸ็œ,ไผŠๆ˜ฅๅธ‚,้“ๅŠ›ๅธ‚':(46.98,128.02), # '้ป‘้พ™ๆฑŸ็œ,ไฝณๆœจๆ–ฏๅธ‚,ไฝณๆœจๆ–ฏๅธ‚':(46.82,130.37), # '้ป‘้พ™ๆฑŸ็œ,ไฝณๆœจๆ–ฏๅธ‚,ๅ‘้˜ณๅŒบ':(47.33,130.28), # '้ป‘้พ™ๆฑŸ็œ,ไฝณๆœจๆ–ฏๅธ‚,ๅ‘้˜ณๅŒบ':(46.8,130.33), # '้ป‘้พ™ๆฑŸ็œ,ไฝณๆœจๆ–ฏๅธ‚,ๅ‰่ฟ›ๅŒบ':(46.82,130.37), # '้ป‘้พ™ๆฑŸ็œ,ไฝณๆœจๆ–ฏๅธ‚,ไธœ้ฃŽๅŒบ':(46.82,130.4), # '้ป‘้พ™ๆฑŸ็œ,ไฝณๆœจๆ–ฏๅธ‚,้ƒŠๅŒบ':(46.8,130.32), # '้ป‘้พ™ๆฑŸ็œ,ไฝณๆœจๆ–ฏๅธ‚,ๆกฆๅ—ๅŽฟ':(46.23,130.57), # '้ป‘้พ™ๆฑŸ็œ,ไฝณๆœจๆ–ฏๅธ‚,ๆกฆๅทๅŽฟ':(47.02,130.72), # '้ป‘้พ™ๆฑŸ็œ,ไฝณๆœจๆ–ฏๅธ‚,ๆฑคๅŽŸๅŽฟ':(46.73,129.9), # '้ป‘้พ™ๆฑŸ็œ,ไฝณๆœจๆ–ฏๅธ‚,ๆŠš่ฟœๅŽฟ':(48.37,134.28), # '้ป‘้พ™ๆฑŸ็œ,ไฝณๆœจๆ–ฏๅธ‚,ๅŒๆฑŸๅธ‚':(47.65,132.52), # '้ป‘้พ™ๆฑŸ็œ,ไฝณๆœจๆ–ฏๅธ‚,ๅฏŒ้”ฆๅธ‚':(47.25,132.03), # '้ป‘้พ™ๆฑŸ็œ,ไธƒๅฐๆฒณๅธ‚,ไธƒๅฐๆฒณๅธ‚':(45.78,130.95), # '้ป‘้พ™ๆฑŸ็œ,ไธƒๅฐๆฒณๅธ‚,ๆ–ฐๅ…ดๅŒบ':(45.8,130.83), # '้ป‘้พ™ๆฑŸ็œ,ไธƒๅฐๆฒณๅธ‚,ๆกƒๅฑฑๅŒบ':(45.77,130.97), # '้ป‘้พ™ๆฑŸ็œ,ไธƒๅฐๆฒณๅธ‚,่Œ„ๅญๆฒณๅŒบ':(45.77,131.07), # '้ป‘้พ™ๆฑŸ็œ,ไธƒๅฐๆฒณๅธ‚,ๅ‹ƒๅˆฉๅŽฟ':(45.75,130.57), # '้ป‘้พ™ๆฑŸ็œ,็‰กไธนๆฑŸๅธ‚,็‰กไธนๆฑŸๅธ‚':(44.58,129.6), # '้ป‘้พ™ๆฑŸ็œ,็‰กไธนๆฑŸๅธ‚,ไธœๅฎ‰ๅŒบ':(44.58,129.62), # '้ป‘้พ™ๆฑŸ็œ,็‰กไธนๆฑŸๅธ‚,้˜ณๆ˜ŽๅŒบ':(44.6,129.63), # '้ป‘้พ™ๆฑŸ็œ,็‰กไธนๆฑŸๅธ‚,็ˆฑๆฐ‘ๅŒบ':(44.58,129.58), # '้ป‘้พ™ๆฑŸ็œ,็‰กไธนๆฑŸๅธ‚,่ฅฟๅฎ‰ๅŒบ':(44.57,129.62), # '้ป‘้พ™ๆฑŸ็œ,็‰กไธนๆฑŸๅธ‚,ไธœๅฎๅŽฟ':(44.07,131.12), # '้ป‘้พ™ๆฑŸ็œ,็‰กไธนๆฑŸๅธ‚,ๆž—ๅฃๅŽฟ':(45.3,130.27), # '้ป‘้พ™ๆฑŸ็œ,็‰กไธนๆฑŸๅธ‚,็ปฅ่Šฌๆฒณๅธ‚':(44.42,131.15), # '้ป‘้พ™ๆฑŸ็œ,็‰กไธนๆฑŸๅธ‚,ๆตทๆž—ๅธ‚':(44.57,129.38), # '้ป‘้พ™ๆฑŸ็œ,็‰กไธนๆฑŸๅธ‚,ๅฎๅฎ‰ๅธ‚':(44.35,129.47), # '้ป‘้พ™ๆฑŸ็œ,็‰กไธนๆฑŸๅธ‚,็ฉ†ๆฃฑๅธ‚':(44.92,130.52), # '้ป‘้พ™ๆฑŸ็œ,้ป‘ๆฒณๅธ‚,้ป‘ๆฒณๅธ‚':(50.25,127.48), # '้ป‘้พ™ๆฑŸ็œ,้ป‘ๆฒณๅธ‚,็ˆฑ่พ‰ๅŒบ':(50.25,127.48), # '้ป‘้พ™ๆฑŸ็œ,้ป‘ๆฒณๅธ‚,้€Šๅ…‹ๅŽฟ':(49.58,128.47), # '้ป‘้พ™ๆฑŸ็œ,้ป‘ๆฒณๅธ‚,ๅญ™ๅดๅŽฟ':(49.42,127.32), # '้ป‘้พ™ๆฑŸ็œ,้ป‘ๆฒณๅธ‚,ๅŒ—ๅฎ‰ๅธ‚':(48.23,126.52), # '้ป‘้พ™ๆฑŸ็œ,้ป‘ๆฒณๅธ‚,ไบ”ๅคง่ฟžๆฑ ๅธ‚':(48.52,126.2), # '้ป‘้พ™ๆฑŸ็œ,็ปฅๅŒ–ๅธ‚,็ปฅๅŒ–ๅธ‚':(46.63,126.98), # '้ป‘้พ™ๆฑŸ็œ,็ปฅๅŒ–ๅธ‚,ๅŒ—ๆž—ๅŒบ':(46.63,126.98), # '้ป‘้พ™ๆฑŸ็œ,็ปฅๅŒ–ๅธ‚,ๆœ›ๅฅŽๅŽฟ':(46.83,126.48), # '้ป‘้พ™ๆฑŸ็œ,็ปฅๅŒ–ๅธ‚,ๅ…ฐ่ฅฟๅŽฟ':(46.27,126.28), # '้ป‘้พ™ๆฑŸ็œ,็ปฅๅŒ–ๅธ‚,้’ๅ†ˆๅŽฟ':(46.68,126.1), # '้ป‘้พ™ๆฑŸ็œ,็ปฅๅŒ–ๅธ‚,ๅบ†ๅฎ‰ๅŽฟ':(46.88,127.52), # '้ป‘้พ™ๆฑŸ็œ,็ปฅๅŒ–ๅธ‚,ๆ˜ŽๆฐดๅŽฟ':(47.18,125.9), # '้ป‘้พ™ๆฑŸ็œ,็ปฅๅŒ–ๅธ‚,็ปฅๆฃฑๅŽฟ':(47.25,127.1), # '้ป‘้พ™ๆฑŸ็œ,็ปฅๅŒ–ๅธ‚,ๅฎ‰่พพๅธ‚':(46.4,125.33), # '้ป‘้พ™ๆฑŸ็œ,็ปฅๅŒ–ๅธ‚,่‚‡ไธœๅธ‚':(46.07,125.98), # '้ป‘้พ™ๆฑŸ็œ,็ปฅๅŒ–ๅธ‚,ๆตทไผฆๅธ‚':(47.47,126.97), # '้ป‘้พ™ๆฑŸ็œ,ๅคงๅ…ดๅฎ‰ๅฒญๅœฐๅŒบๅธ‚,ๅคงๅ…ดๅฎ‰ๅฒญๅœฐๅŒบ':(50.42,124.12), # '้ป‘้พ™ๆฑŸ็œ,ๅคงๅ…ดๅฎ‰ๅฒญๅœฐๅŒบๅธ‚,ๅ‘ผ็Ž›ๅŽฟ':(51.73,126.65), # '้ป‘้พ™ๆฑŸ็œ,ๅคงๅ…ดๅฎ‰ๅฒญๅœฐๅŒบๅธ‚,ๅก”ๆฒณๅŽฟ':(52.32,124.7), # '้ป‘้พ™ๆฑŸ็œ,ๅคงๅ…ดๅฎ‰ๅฒญๅœฐๅŒบๅธ‚,ๆผ ๆฒณๅŽฟ':(52.97,122.53), # 'ไธŠๆตทๅธ‚,ไธŠๆตทๅธ‚,ไธŠๆตทๅธ‚':(31.23,121.47), # 'ไธŠๆตทๅธ‚,ไธŠๆตทๅธ‚,้ป„ๆตฆๅŒบ':(31.23,121.48), # 'ไธŠๆตทๅธ‚,ไธŠๆตทๅธ‚,ๅขๆนพๅŒบ':(31.22,121.47), # 'ไธŠๆตทๅธ‚,ไธŠๆตทๅธ‚,ๅพๆฑ‡ๅŒบ':(31.18,121.43), # 'ไธŠๆตทๅธ‚,ไธŠๆตทๅธ‚,้•ฟๅฎๅŒบ':(31.22,121.42), # 'ไธŠๆตทๅธ‚,ไธŠๆตทๅธ‚,้™ๅฎ‰ๅŒบ':(31.23,121.45), # 'ไธŠๆตทๅธ‚,ไธŠๆตทๅธ‚,ๆ™ฎ้™€ๅŒบ':(31.25,121.4), # 'ไธŠๆตทๅธ‚,ไธŠๆตทๅธ‚,้—ธๅŒ—ๅŒบ':(31.25,121.45), # 'ไธŠๆตทๅธ‚,ไธŠๆตทๅธ‚,่™นๅฃๅŒบ':(31.27,121.5), # 'ไธŠๆตทๅธ‚,ไธŠๆตทๅธ‚,ๆจๆตฆๅŒบ':(31.27,121.52), # 'ไธŠๆตทๅธ‚,ไธŠๆตทๅธ‚,้—ต่กŒๅŒบ':(31.12,121.38), # 'ไธŠๆตทๅธ‚,ไธŠๆตทๅธ‚,ๅฎๅฑฑๅŒบ':(31.4,121.48), # 'ไธŠๆตทๅธ‚,ไธŠๆตทๅธ‚,ๅ˜‰ๅฎšๅŒบ':(31.38,121.27), # 'ไธŠๆตทๅธ‚,ไธŠๆตทๅธ‚,ๆตฆไธœๆ–ฐๅŒบ':(31.22,121.53), # 'ไธŠๆตทๅธ‚,ไธŠๆตทๅธ‚,้‡‘ๅฑฑๅŒบ':(30.75,121.33), # 'ไธŠๆตทๅธ‚,ไธŠๆตทๅธ‚,ๆพๆฑŸๅŒบ':(31.03,121.22), # 'ไธŠๆตทๅธ‚,ไธŠๆตทๅธ‚,้’ๆตฆๅŒบ':(31.15,121.12), # 'ไธŠๆตทๅธ‚,ไธŠๆตทๅธ‚,ๅ—ๆฑ‡ๅŒบ':(31.05,121.75), # 'ไธŠๆตทๅธ‚,ไธŠๆตทๅธ‚,ๅฅ‰่ดคๅŒบ':(30.92,121.47), # 'ไธŠๆตทๅธ‚,ไธŠๆตทๅธ‚,ๅด‡ๆ˜ŽๅŽฟ':(31.62,121.4), # 'ๆฑŸ่‹็œ,ๅ—ไบฌๅธ‚,ๅ—ไบฌๅธ‚':(32.07,118.78), # 'ๆฑŸ่‹็œ,ๅ—ไบฌๅธ‚,็Ž„ๆญฆๅŒบ':(32.05,118.8), # 'ๆฑŸ่‹็œ,ๅ—ไบฌๅธ‚,็™ฝไธ‹ๅŒบ':(32.03,118.78), # 'ๆฑŸ่‹็œ,ๅ—ไบฌๅธ‚,็งฆๆทฎๅŒบ':(32.02,118.8), # 'ๆฑŸ่‹็œ,ๅ—ไบฌๅธ‚,ๅปบ้‚บๅŒบ':(32.03,118.75), # 'ๆฑŸ่‹็œ,ๅ—ไบฌๅธ‚,้ผ“ๆฅผๅŒบ':(34.28,117.18), # 'ๆฑŸ่‹็œ,ๅ—ไบฌๅธ‚,้ผ“ๆฅผๅŒบ':(32.07,118.77), # 'ๆฑŸ่‹็œ,ๅ—ไบฌๅธ‚,ไธ‹ๅ…ณๅŒบ':(32.08,118.73), # 'ๆฑŸ่‹็œ,ๅ—ไบฌๅธ‚,ๆตฆๅฃๅŒบ':(32.05,118.62), # 'ๆฑŸ่‹็œ,ๅ—ไบฌๅธ‚,ๆ –้œžๅŒบ':(32.12,118.88), # 'ๆฑŸ่‹็œ,ๅ—ไบฌๅธ‚,้›จ่ŠฑๅฐๅŒบ':(32.0,118.77), # 'ๆฑŸ่‹็œ,ๅ—ไบฌๅธ‚,ๆฑŸๅฎๅŒบ':(31.95,118.85), # 'ๆฑŸ่‹็œ,ๅ—ไบฌๅธ‚,ๅ…ญๅˆๅŒบ':(32.35,118.83), # 'ๆฑŸ่‹็œ,ๅ—ไบฌๅธ‚,ๆบงๆฐดๅŽฟ':(31.65,119.02), # 'ๆฑŸ่‹็œ,ๅ—ไบฌๅธ‚,้ซ˜ๆทณๅŽฟ':(31.33,118.88), # 'ๆฑŸ่‹็œ,ๆ— ้”กๅธ‚,ๆ— ้”กๅธ‚':(31.57,120.3), # 'ๆฑŸ่‹็œ,ๆ— ้”กๅธ‚,ๅด‡ๅฎ‰ๅŒบ':(31.58,120.3), # 'ๆฑŸ่‹็œ,ๆ— ้”กๅธ‚,ๅ—้•ฟๅŒบ':(31.57,120.3), # 'ๆฑŸ่‹็œ,ๆ— ้”กๅธ‚,ๅŒ—ๅก˜ๅŒบ':(31.58,120.28), # 'ๆฑŸ่‹็œ,ๆ— ้”กๅธ‚,้”กๅฑฑๅŒบ':(31.6,120.35), # 'ๆฑŸ่‹็œ,ๆ— ้”กๅธ‚,ๆƒ ๅฑฑๅŒบ':(31.68,120.28), # 'ๆฑŸ่‹็œ,ๆ— ้”กๅธ‚,ๆปจๆน–ๅŒบ':(31.57,120.27), # 'ๆฑŸ่‹็œ,ๆ— ้”กๅธ‚,ๆฑŸ้˜ดๅธ‚':(31.9,120.27), # 'ๆฑŸ่‹็œ,ๆ— ้”กๅธ‚,ๅฎœๅ…ดๅธ‚':(31.35,119.82), # 'ๆฑŸ่‹็œ,ๅพๅทžๅธ‚,ๅพๅทžๅธ‚':(34.27,117.18), # 'ๆฑŸ่‹็œ,ๅพๅทžๅธ‚,้ผ“ๆฅผๅŒบ':(34.28,117.18), # 'ๆฑŸ่‹็œ,ๅพๅทžๅธ‚,้ผ“ๆฅผๅŒบ':(32.07,118.77), # 'ๆฑŸ่‹็œ,ๅพๅทžๅธ‚,ไบ‘้พ™ๅŒบ':(34.25,117.22), # 'ๆฑŸ่‹็œ,ๅพๅทžๅธ‚,ไน้‡ŒๅŒบ':(34.3,117.13), # 'ๆฑŸ่‹็œ,ๅพๅทžๅธ‚,่ดพๆฑชๅŒบ':(34.45,117.45), # 'ๆฑŸ่‹็œ,ๅพๅทžๅธ‚,ๆณ‰ๅฑฑๅŒบ':(34.25,117.18), # 'ๆฑŸ่‹็œ,ๅพๅทžๅธ‚,ไธฐๅŽฟ':(34.7,116.6), # 'ๆฑŸ่‹็œ,ๅพๅทžๅธ‚,ๆฒ›ๅŽฟ':(34.73,116.93), # 'ๆฑŸ่‹็œ,ๅพๅทžๅธ‚,้“œๅฑฑๅŽฟ':(34.18,117.17), # 'ๆฑŸ่‹็œ,ๅพๅทžๅธ‚,็ขๅฎๅŽฟ':(33.9,117.95), # 'ๆฑŸ่‹็œ,ๅพๅทžๅธ‚,ๆ–ฐๆฒ‚ๅธ‚':(34.38,118.35), # 'ๆฑŸ่‹็œ,ๅพๅทžๅธ‚,้‚ณๅทžๅธ‚':(34.32,117.95), # 'ๆฑŸ่‹็œ,ๅธธๅทžๅธ‚,ๅธธๅทžๅธ‚':(31.78,119.95), # 'ๆฑŸ่‹็œ,ๅธธๅทžๅธ‚,ๅคฉๅฎๅŒบ':(31.75,119.93), # 'ๆฑŸ่‹็œ,ๅธธๅทžๅธ‚,้’ŸๆฅผๅŒบ':(31.78,119.93), # 'ๆฑŸ่‹็œ,ๅธธๅทžๅธ‚,ๆˆšๅข…ๅ ฐๅŒบ':(31.73,120.05), # 'ๆฑŸ่‹็œ,ๅธธๅทžๅธ‚,ๆ–ฐๅŒ—ๅŒบ':(31.83,119.97), # 'ๆฑŸ่‹็œ,ๅธธๅทžๅธ‚,ๆญฆ่ฟ›ๅŒบ':(31.72,119.93), # 'ๆฑŸ่‹็œ,ๅธธๅทžๅธ‚,ๆบง้˜ณๅธ‚':(31.42,119.48), # 'ๆฑŸ่‹็œ,ๅธธๅทžๅธ‚,้‡‘ๅ›ๅธ‚':(31.75,119.57), # 'ๆฑŸ่‹็œ,่‹ๅทžๅธ‚,่‹ๅทžๅธ‚':(31.3,120.58), # 'ๆฑŸ่‹็œ,่‹ๅทžๅธ‚,ๆฒงๆตชๅŒบ':(31.3,120.63), # 'ๆฑŸ่‹็œ,่‹ๅทžๅธ‚,ๅนณๆฑŸๅŒบ':(31.32,120.63), # 'ๆฑŸ่‹็œ,่‹ๅทžๅธ‚,้‡‘้˜ŠๅŒบ':(31.32,120.6), # 'ๆฑŸ่‹็œ,่‹ๅทžๅธ‚,่™Žไธ˜ๅŒบ':(31.3,120.57), # 'ๆฑŸ่‹็œ,่‹ๅทžๅธ‚,ๅดไธญๅŒบ':(31.27,120.63), # 'ๆฑŸ่‹็œ,่‹ๅทžๅธ‚,็›ธๅŸŽๅŒบ':(31.37,120.63), # 'ๆฑŸ่‹็œ,่‹ๅทžๅธ‚,ๅธธ็†Ÿๅธ‚':(31.65,120.75), # 'ๆฑŸ่‹็œ,่‹ๅทžๅธ‚,ๅผ ๅฎถๆธฏๅธ‚':(31.87,120.55), # 'ๆฑŸ่‹็œ,่‹ๅทžๅธ‚,ๆ˜†ๅฑฑๅธ‚':(31.38,120.98), # 'ๆฑŸ่‹็œ,่‹ๅทžๅธ‚,ๅดๆฑŸๅธ‚':(31.17,120.63), # 'ๆฑŸ่‹็œ,่‹ๅทžๅธ‚,ๅคชไป“ๅธ‚':(31.45,121.1), # 'ๆฑŸ่‹็œ,ๅ—้€šๅธ‚,ๅ—้€šๅธ‚':(31.98,120.88), # 'ๆฑŸ่‹็œ,ๅ—้€šๅธ‚,ๅด‡ๅทๅŒบ':(32.0,120.85), # 'ๆฑŸ่‹็œ,ๅ—้€šๅธ‚,ๆธฏ้—ธๅŒบ':(32.03,120.8), # 'ๆฑŸ่‹็œ,ๅ—้€šๅธ‚,ๆตทๅฎ‰ๅŽฟ':(32.55,120.45), # 'ๆฑŸ่‹็œ,ๅ—้€šๅธ‚,ๅฆ‚ไธœๅŽฟ':(32.32,121.18), # 'ๆฑŸ่‹็œ,ๅ—้€šๅธ‚,ๅฏไธœๅธ‚':(31.82,121.65), # 'ๆฑŸ่‹็œ,ๅ—้€šๅธ‚,ๅฆ‚็š‹ๅธ‚':(32.4,120.57), # 'ๆฑŸ่‹็œ,ๅ—้€šๅธ‚,้€šๅทžๅธ‚':(32.08,121.07), # 'ๆฑŸ่‹็œ,ๅ—้€šๅธ‚,ๆตท้—จๅธ‚':(31.9,121.17), # 'ๆฑŸ่‹็œ,่ฟžไบ‘ๆธฏๅธ‚,่ฟžไบ‘ๆธฏๅธ‚':(34.6,119.22), # 'ๆฑŸ่‹็œ,่ฟžไบ‘ๆธฏๅธ‚,่ฟžไบ‘ๅŒบ':(34.75,119.37), # 'ๆฑŸ่‹็œ,่ฟžไบ‘ๆธฏๅธ‚,ๆ–ฐๆตฆๅŒบ':(34.6,119.17), # 'ๆฑŸ่‹็œ,่ฟžไบ‘ๆธฏๅธ‚,ๆตทๅทžๅŒบ':(34.57,119.12), # 'ๆฑŸ่‹็œ,่ฟžไบ‘ๆธฏๅธ‚,่ตฃๆฆ†ๅŽฟ':(34.83,119.12), # 'ๆฑŸ่‹็œ,่ฟžไบ‘ๆธฏๅธ‚,ไธœๆตทๅŽฟ':(34.53,118.77), # 'ๆฑŸ่‹็œ,่ฟžไบ‘ๆธฏๅธ‚,็Œไบ‘ๅŽฟ':(34.3,119.25), # 'ๆฑŸ่‹็œ,่ฟžไบ‘ๆธฏๅธ‚,็Œๅ—ๅŽฟ':(34.08,119.35), # 'ๆฑŸ่‹็œ,ๆทฎๅฎ‰ๅธ‚,ๆทฎๅฎ‰ๅธ‚':(33.62,119.02), # 'ๆฑŸ่‹็œ,ๆทฎๅฎ‰ๅธ‚,ๆธ…ๆฒณๅŒบ':(33.6,119.02), # 'ๆฑŸ่‹็œ,ๆทฎๅฎ‰ๅธ‚,ๆฅšๅทžๅŒบ':(33.5,119.13), # 'ๆฑŸ่‹็œ,ๆทฎๅฎ‰ๅธ‚,ๆทฎ้˜ดๅŒบ':(33.63,119.03), # 'ๆฑŸ่‹็œ,ๆทฎๅฎ‰ๅธ‚,ๆธ…ๆตฆๅŒบ':(33.58,119.03), # 'ๆฑŸ่‹็œ,ๆทฎๅฎ‰ๅธ‚,ๆถŸๆฐดๅŽฟ':(33.78,119.27), # 'ๆฑŸ่‹็œ,ๆทฎๅฎ‰ๅธ‚,ๆดชๆณฝๅŽฟ':(33.3,118.83), # 'ๆฑŸ่‹็œ,ๆทฎๅฎ‰ๅธ‚,็›ฑ็œ™ๅŽฟ':(33.0,118.48), # 'ๆฑŸ่‹็œ,ๆทฎๅฎ‰ๅธ‚,้‡‘ๆน–ๅŽฟ':(33.02,119.02), # 'ๆฑŸ่‹็œ,็›ๅŸŽๅธ‚,็›ๅŸŽๅธ‚':(33.35,120.15), # 'ๆฑŸ่‹็œ,็›ๅŸŽๅธ‚,ไบญๆน–ๅŒบ':(33.4,120.13), # 'ๆฑŸ่‹็œ,็›ๅŸŽๅธ‚,็›้ƒฝๅŒบ':(33.33,120.15), # 'ๆฑŸ่‹็œ,็›ๅŸŽๅธ‚,ๅ“ๆฐดๅŽฟ':(34.2,119.57), # 'ๆฑŸ่‹็œ,็›ๅŸŽๅธ‚,ๆปจๆตทๅŽฟ':(33.98,119.83), # 'ๆฑŸ่‹็œ,็›ๅŸŽๅธ‚,้˜œๅฎๅŽฟ':(33.78,119.8), # 'ๆฑŸ่‹็œ,็›ๅŸŽๅธ‚,ๅฐ„้˜ณๅŽฟ':(33.78,120.25), # 'ๆฑŸ่‹็œ,็›ๅŸŽๅธ‚,ๅปบๆน–ๅŽฟ':(33.47,119.8), # 'ๆฑŸ่‹็œ,็›ๅŸŽๅธ‚,ไธœๅฐๅธ‚':(32.85,120.3), # 'ๆฑŸ่‹็œ,็›ๅŸŽๅธ‚,ๅคงไธฐๅธ‚':(33.2,120.47), # 'ๆฑŸ่‹็œ,ๆ‰ฌๅทžๅธ‚,ๆ‰ฌๅทžๅธ‚':(32.4,119.4), # 'ๆฑŸ่‹็œ,ๆ‰ฌๅทžๅธ‚,ๅนฟ้™ตๅŒบ':(32.38,119.43), # 'ๆฑŸ่‹็œ,ๆ‰ฌๅทžๅธ‚,้‚—ๆฑŸๅŒบ':(32.38,119.4), # 'ๆฑŸ่‹็œ,ๆ‰ฌๅทžๅธ‚,็ปดๆ‰ฌๅŒบ':(32.42,119.4), # 'ๆฑŸ่‹็œ,ๆ‰ฌๅทžๅธ‚,ๅฎๅบ”ๅŽฟ':(33.23,119.3), # 'ๆฑŸ่‹็œ,ๆ‰ฌๅทžๅธ‚,ไปชๅพๅธ‚':(32.27,119.18), # 'ๆฑŸ่‹็œ,ๆ‰ฌๅทžๅธ‚,้ซ˜้‚ฎๅธ‚':(32.78,119.43), # 'ๆฑŸ่‹็œ,ๆ‰ฌๅทžๅธ‚,ๆฑŸ้ƒฝๅธ‚':(32.43,119.55), # 'ๆฑŸ่‹็œ,้•‡ๆฑŸๅธ‚,้•‡ๆฑŸๅธ‚':(32.2,119.45), # 'ๆฑŸ่‹็œ,้•‡ๆฑŸๅธ‚,ไบฌๅฃๅŒบ':(32.2,119.47), # 'ๆฑŸ่‹็œ,้•‡ๆฑŸๅธ‚,ๆถฆๅทžๅŒบ':(32.2,119.4), # 'ๆฑŸ่‹็œ,้•‡ๆฑŸๅธ‚,ไธนๅพ’ๅŒบ':(32.13,119.45), # 'ๆฑŸ่‹็œ,้•‡ๆฑŸๅธ‚,ไธน้˜ณๅธ‚':(32.0,119.57), # 'ๆฑŸ่‹็œ,้•‡ๆฑŸๅธ‚,ๆ‰ฌไธญๅธ‚':(32.23,119.82), # 'ๆฑŸ่‹็œ,้•‡ๆฑŸๅธ‚,ๅฅๅฎนๅธ‚':(31.95,119.17), # 'ๆฑŸ่‹็œ,ๆณฐๅทžๅธ‚,ๆณฐๅทžๅธ‚':(32.45,119.92), # 'ๆฑŸ่‹็œ,ๆณฐๅทžๅธ‚,ๅ…ดๅŒ–ๅธ‚':(32.92,119.85), # 'ๆฑŸ่‹็œ,ๆณฐๅทžๅธ‚,้–ๆฑŸๅธ‚':(32.02,120.27), # 'ๆฑŸ่‹็œ,ๆณฐๅทžๅธ‚,ๆณฐๅ…ดๅธ‚':(32.17,120.02), # 'ๆฑŸ่‹็œ,ๆณฐๅทžๅธ‚,ๅงœๅ ฐๅธ‚':(32.52,120.15), # 'ๆฑŸ่‹็œ,ๅฎฟ่ฟๅธ‚,ๅฎฟ่ฟๅธ‚':(33.97,118.28), # 'ๆฑŸ่‹็œ,ๅฎฟ่ฟๅธ‚,ๅฎฟๅŸŽๅŒบ':(33.97,118.25), # 'ๆฑŸ่‹็œ,ๅฎฟ่ฟๅธ‚,ๅฎฟ่ฑซๅŒบ':(33.95,118.32), # 'ๆฑŸ่‹็œ,ๅฎฟ่ฟๅธ‚,ๆฒญ้˜ณๅŽฟ':(34.13,118.77), # 'ๆฑŸ่‹็œ,ๅฎฟ่ฟๅธ‚,ๆณ—้˜ณๅŽฟ':(33.72,118.68), # 'ๆฑŸ่‹็œ,ๅฎฟ่ฟๅธ‚,ๆณ—ๆดชๅŽฟ':(33.47,118.22), # 'ๆต™ๆฑŸ็œ,ๆญๅทžๅธ‚,ๆญๅทžๅธ‚':(30.28,120.15), # 'ๆต™ๆฑŸ็œ,ๆญๅทžๅธ‚,ไธŠๅŸŽๅŒบ':(30.25,120.17), # 'ๆต™ๆฑŸ็œ,ๆญๅทžๅธ‚,ไธ‹ๅŸŽๅŒบ':(30.28,120.17), # 'ๆต™ๆฑŸ็œ,ๆญๅทžๅธ‚,ๆฑŸๅนฒๅŒบ':(30.27,120.2), # 'ๆต™ๆฑŸ็œ,ๆญๅทžๅธ‚,ๆ‹ฑๅข…ๅŒบ':(30.32,120.13), # 'ๆต™ๆฑŸ็œ,ๆญๅทžๅธ‚,่ฅฟๆน–ๅŒบ':(30.27,120.13), # 'ๆต™ๆฑŸ็œ,ๆญๅทžๅธ‚,ๆปจๆฑŸๅŒบ':(30.2,120.2), # 'ๆต™ๆฑŸ็œ,ๆญๅทžๅธ‚,่งๅฑฑๅŒบ':(30.17,120.27), # 'ๆต™ๆฑŸ็œ,ๆญๅทžๅธ‚,ไฝ™ๆญๅŒบ':(30.42,120.3), # 'ๆต™ๆฑŸ็œ,ๆญๅทžๅธ‚,ๆกๅบๅŽฟ':(29.8,119.67), # 'ๆต™ๆฑŸ็œ,ๆญๅทžๅธ‚,ๆทณๅฎ‰ๅŽฟ':(29.6,119.03), # 'ๆต™ๆฑŸ็œ,ๆญๅทžๅธ‚,ๅปบๅพทๅธ‚':(29.48,119.28), # 'ๆต™ๆฑŸ็œ,ๆญๅทžๅธ‚,ๅฏŒ้˜ณๅธ‚':(30.05,119.95), # 'ๆต™ๆฑŸ็œ,ๆญๅทžๅธ‚,ไธดๅฎ‰ๅธ‚':(30.23,119.72), # 'ๆต™ๆฑŸ็œ,ๅฎๆณขๅธ‚,ๅฎๆณขๅธ‚':(29.88,121.55), # 'ๆต™ๆฑŸ็œ,ๅฎๆณขๅธ‚,ๆตทๆ›™ๅŒบ':(29.87,121.55), # 'ๆต™ๆฑŸ็œ,ๅฎๆณขๅธ‚,ๆฑŸไธœๅŒบ':(29.87,121.57), # 'ๆต™ๆฑŸ็œ,ๅฎๆณขๅธ‚,ๆฑŸๅŒ—ๅŒบ':(29.88,121.55), # 'ๆต™ๆฑŸ็œ,ๅฎๆณขๅธ‚,ๅŒ—ไป‘ๅŒบ':(29.93,121.85), # 'ๆต™ๆฑŸ็œ,ๅฎๆณขๅธ‚,้•‡ๆตทๅŒบ':(29.95,121.72), # 'ๆต™ๆฑŸ็œ,ๅฎๆณขๅธ‚,้„žๅทžๅŒบ':(29.83,121.53), # 'ๆต™ๆฑŸ็œ,ๅฎๆณขๅธ‚,่ฑกๅฑฑๅŽฟ':(29.48,121.87), # 'ๆต™ๆฑŸ็œ,ๅฎๆณขๅธ‚,ๅฎๆตทๅŽฟ':(29.28,121.43), # 'ๆต™ๆฑŸ็œ,ๅฎๆณขๅธ‚,ไฝ™ๅงšๅธ‚':(30.03,121.15), # 'ๆต™ๆฑŸ็œ,ๅฎๆณขๅธ‚,ๆ…ˆๆบชๅธ‚':(30.17,121.23), # 'ๆต™ๆฑŸ็œ,ๅฎๆณขๅธ‚,ๅฅ‰ๅŒ–ๅธ‚':(29.65,121.4), # 'ๆต™ๆฑŸ็œ,ๆธฉๅทžๅธ‚,ๆธฉๅทžๅธ‚':(28.0,120.7), # 'ๆต™ๆฑŸ็œ,ๆธฉๅทžๅธ‚,้นฟๅŸŽๅŒบ':(28.02,120.65), # 'ๆต™ๆฑŸ็œ,ๆธฉๅทžๅธ‚,้พ™ๆนพๅŒบ':(27.93,120.82), # 'ๆต™ๆฑŸ็œ,ๆธฉๅทžๅธ‚,ๆดžๅคดๅŽฟ':(27.83,121.15), # 'ๆต™ๆฑŸ็œ,ๆธฉๅทžๅธ‚,ๆฐธๅ˜‰ๅŽฟ':(28.15,120.68), # 'ๆต™ๆฑŸ็œ,ๆธฉๅทžๅธ‚,ๅนณ้˜ณๅŽฟ':(27.67,120.57), # 'ๆต™ๆฑŸ็œ,ๆธฉๅทžๅธ‚,่‹ๅ—ๅŽฟ':(27.5,120.4), # 'ๆต™ๆฑŸ็œ,ๆธฉๅทžๅธ‚,ๆ–‡ๆˆๅŽฟ':(27.78,120.08), # 'ๆต™ๆฑŸ็œ,ๆธฉๅทžๅธ‚,ๆณฐ้กบๅŽฟ':(27.57,119.72), # 'ๆต™ๆฑŸ็œ,ๆธฉๅทžๅธ‚,็‘žๅฎ‰ๅธ‚':(27.78,120.63), # 'ๆต™ๆฑŸ็œ,ๆธฉๅทžๅธ‚,ไนๆธ…ๅธ‚':(28.13,120.95), # 'ๆต™ๆฑŸ็œ,ๅ˜‰ๅ…ดๅธ‚,ๅ˜‰ๅ…ดๅธ‚':(30.75,120.75), # 'ๆต™ๆฑŸ็œ,ๅ˜‰ๅ…ดๅธ‚,็ง€ๆดฒๅŒบ':(30.77,120.7), # 'ๆต™ๆฑŸ็œ,ๅ˜‰ๅ…ดๅธ‚,ๅ˜‰ๅ–„ๅŽฟ':(30.85,120.92), # 'ๆต™ๆฑŸ็œ,ๅ˜‰ๅ…ดๅธ‚,ๆตท็›ๅŽฟ':(30.53,120.95), # 'ๆต™ๆฑŸ็œ,ๅ˜‰ๅ…ดๅธ‚,ๆตทๅฎๅธ‚':(30.53,120.68), # 'ๆต™ๆฑŸ็œ,ๅ˜‰ๅ…ดๅธ‚,ๅนณๆน–ๅธ‚':(30.7,121.02), # 'ๆต™ๆฑŸ็œ,ๅ˜‰ๅ…ดๅธ‚,ๆกไนกๅธ‚':(30.63,120.57), # 'ๆต™ๆฑŸ็œ,ๆน–ๅทžๅธ‚,ๆน–ๅทžๅธ‚':(30.9,120.08), # 'ๆต™ๆฑŸ็œ,ๆน–ๅทžๅธ‚,ๅดๅ…ดๅŒบ':(30.87,120.12), # 'ๆต™ๆฑŸ็œ,ๆน–ๅทžๅธ‚,ๅ—ๆต”ๅŒบ':(30.88,120.43), # 'ๆต™ๆฑŸ็œ,ๆน–ๅทžๅธ‚,ๅพทๆธ…ๅŽฟ':(30.53,119.97), # 'ๆต™ๆฑŸ็œ,ๆน–ๅทžๅธ‚,้•ฟๅ…ดๅŽฟ':(31.02,119.9), # 'ๆต™ๆฑŸ็œ,ๆน–ๅทžๅธ‚,ๅฎ‰ๅ‰ๅŽฟ':(30.63,119.68), # 'ๆต™ๆฑŸ็œ,็ปๅ…ดๅธ‚,็ปๅ…ดๅธ‚':(30.0,120.57), # 'ๆต™ๆฑŸ็œ,็ปๅ…ดๅธ‚,่ถŠๅŸŽๅŒบ':(30.0,120.57), # 'ๆต™ๆฑŸ็œ,็ปๅ…ดๅธ‚,็ปๅ…ดๅŽฟ':(30.08,120.47), # 'ๆต™ๆฑŸ็œ,็ปๅ…ดๅธ‚,ๆ–ฐๆ˜ŒๅŽฟ':(29.5,120.9), # 'ๆต™ๆฑŸ็œ,็ปๅ…ดๅธ‚,่ฏธๆšจๅธ‚':(29.72,120.23), # 'ๆต™ๆฑŸ็œ,็ปๅ…ดๅธ‚,ไธŠ่™žๅธ‚':(30.03,120.87), # 'ๆต™ๆฑŸ็œ,็ปๅ…ดๅธ‚,ๅตŠๅทžๅธ‚':(29.58,120.82), # 'ๆต™ๆฑŸ็œ,้‡‘ๅŽๅธ‚,้‡‘ๅŽๅธ‚':(29.08,119.65), # 'ๆต™ๆฑŸ็œ,้‡‘ๅŽๅธ‚,ๅฉบๅŸŽๅŒบ':(29.08,119.65), # 'ๆต™ๆฑŸ็œ,้‡‘ๅŽๅธ‚,้‡‘ไธœๅŒบ':(29.08,119.7), # 'ๆต™ๆฑŸ็œ,้‡‘ๅŽๅธ‚,ๆญฆไน‰ๅŽฟ':(28.9,119.82), # 'ๆต™ๆฑŸ็œ,้‡‘ๅŽๅธ‚,ๆตฆๆฑŸๅŽฟ':(29.45,119.88), # 'ๆต™ๆฑŸ็œ,้‡‘ๅŽๅธ‚,็ฃๅฎ‰ๅŽฟ':(29.05,120.43), # 'ๆต™ๆฑŸ็œ,้‡‘ๅŽๅธ‚,ๅ…ฐๆบชๅธ‚':(29.22,119.45), # 'ๆต™ๆฑŸ็œ,้‡‘ๅŽๅธ‚,ไน‰ไนŒๅธ‚':(29.3,120.07), # 'ๆต™ๆฑŸ็œ,้‡‘ๅŽๅธ‚,ไธœ้˜ณๅธ‚':(29.28,120.23), # 'ๆต™ๆฑŸ็œ,้‡‘ๅŽๅธ‚,ๆฐธๅบทๅธ‚':(28.9,120.03), # 'ๆต™ๆฑŸ็œ,่กขๅทžๅธ‚,่กขๅทžๅธ‚':(28.93,118.87), # 'ๆต™ๆฑŸ็œ,่กขๅทžๅธ‚,ๆŸฏๅŸŽๅŒบ':(28.93,118.87), # 'ๆต™ๆฑŸ็œ,่กขๅทžๅธ‚,่กขๆฑŸๅŒบ':(28.98,118.93), # 'ๆต™ๆฑŸ็œ,่กขๅทžๅธ‚,ๅธธๅฑฑๅŽฟ':(28.9,118.52), # 'ๆต™ๆฑŸ็œ,่กขๅทžๅธ‚,ๅผ€ๅŒ–ๅŽฟ':(29.13,118.42), # 'ๆต™ๆฑŸ็œ,่กขๅทžๅธ‚,้พ™ๆธธๅŽฟ':(29.03,119.17), # 'ๆต™ๆฑŸ็œ,่กขๅทžๅธ‚,ๆฑŸๅฑฑๅธ‚':(28.75,118.62), # 'ๆต™ๆฑŸ็œ,่ˆŸๅฑฑๅธ‚,่ˆŸๅฑฑๅธ‚':(30.0,122.2), # 'ๆต™ๆฑŸ็œ,่ˆŸๅฑฑๅธ‚,ๅฎšๆตทๅŒบ':(30.02,122.1), # 'ๆต™ๆฑŸ็œ,่ˆŸๅฑฑๅธ‚,ๆ™ฎ้™€ๅŒบ':(29.95,122.3), # 'ๆต™ๆฑŸ็œ,่ˆŸๅฑฑๅธ‚,ๅฒฑๅฑฑๅŽฟ':(30.25,122.2), # 'ๆต™ๆฑŸ็œ,่ˆŸๅฑฑๅธ‚,ๅตŠๆณ—ๅŽฟ':(30.73,122.45), # 'ๆต™ๆฑŸ็œ,ๅฐๅทžๅธ‚,ๅฐๅทžๅธ‚':(28.68,121.43), # 'ๆต™ๆฑŸ็œ,ๅฐๅทžๅธ‚,ๆค’ๆฑŸๅŒบ':(28.68,121.43), # 'ๆต™ๆฑŸ็œ,ๅฐๅทžๅธ‚,้ป„ๅฒฉๅŒบ':(28.65,121.27), # 'ๆต™ๆฑŸ็œ,ๅฐๅทžๅธ‚,่ทฏๆกฅๅŒบ':(28.58,121.38), # 'ๆต™ๆฑŸ็œ,ๅฐๅทžๅธ‚,็މ็ŽฏๅŽฟ':(28.13,121.23), # 'ๆต™ๆฑŸ็œ,ๅฐๅทžๅธ‚,ไธ‰้—จๅŽฟ':(29.12,121.38), # 'ๆต™ๆฑŸ็œ,ๅฐๅทžๅธ‚,ๅคฉๅฐๅŽฟ':(29.13,121.03), # 'ๆต™ๆฑŸ็œ,ๅฐๅทžๅธ‚,ไป™ๅฑ…ๅŽฟ':(28.87,120.73), # 'ๆต™ๆฑŸ็œ,ๅฐๅทžๅธ‚,ๆธฉๅฒญๅธ‚':(28.37,121.37), # 'ๆต™ๆฑŸ็œ,ๅฐๅทžๅธ‚,ไธดๆตทๅธ‚':(28.85,121.12), # 'ๆต™ๆฑŸ็œ,ไธฝๆฐดๅธ‚,ไธฝๆฐดๅธ‚':(28.45,119.92), # 'ๆต™ๆฑŸ็œ,ไธฝๆฐดๅธ‚,่Žฒ้ƒฝๅŒบ':(28.45,119.92), # 'ๆต™ๆฑŸ็œ,ไธฝๆฐดๅธ‚,้’็”ฐๅŽฟ':(28.15,120.28), # 'ๆต™ๆฑŸ็œ,ไธฝๆฐดๅธ‚,็ผ™ไบ‘ๅŽฟ':(28.65,120.07), # 'ๆต™ๆฑŸ็œ,ไธฝๆฐดๅธ‚,้‚ๆ˜ŒๅŽฟ':(28.6,119.27), # 'ๆต™ๆฑŸ็œ,ไธฝๆฐดๅธ‚,ๆพ้˜ณๅŽฟ':(28.45,119.48), # 'ๆต™ๆฑŸ็œ,ไธฝๆฐดๅธ‚,ไบ‘ๅ’ŒๅŽฟ':(28.12,119.57), # 'ๆต™ๆฑŸ็œ,ไธฝๆฐดๅธ‚,ๅบ†ๅ…ƒๅŽฟ':(27.62,119.05), # 'ๆต™ๆฑŸ็œ,ไธฝๆฐดๅธ‚,ๆ™ฏๅฎ็•ฒๆ—่‡ชๆฒปๅŽฟ':(27.98,119.63), # 'ๆต™ๆฑŸ็œ,ไธฝๆฐดๅธ‚,้พ™ๆณ‰ๅธ‚':(28.08,119.13), # 'ๅฎ‰ๅพฝ็œ,ๅˆ่‚ฅๅธ‚,ๅˆ่‚ฅๅธ‚':(31.83,117.25), # 'ๅฎ‰ๅพฝ็œ,ๅˆ่‚ฅๅธ‚,็‘ถๆตทๅŒบ':(31.87,117.3), # 'ๅฎ‰ๅพฝ็œ,ๅˆ่‚ฅๅธ‚,ๅบ้˜ณๅŒบ':(31.88,117.25), # 'ๅฎ‰ๅพฝ็œ,ๅˆ่‚ฅๅธ‚,่œ€ๅฑฑๅŒบ':(31.85,117.27), # 'ๅฎ‰ๅพฝ็œ,ๅˆ่‚ฅๅธ‚,ๅŒ…ๆฒณๅŒบ':(31.8,117.3), # 'ๅฎ‰ๅพฝ็œ,ๅˆ่‚ฅๅธ‚,้•ฟไธฐๅŽฟ':(32.48,117.17), # 'ๅฎ‰ๅพฝ็œ,ๅˆ่‚ฅๅธ‚,่‚ฅไธœๅŽฟ':(31.88,117.47), # 'ๅฎ‰ๅพฝ็œ,ๅˆ่‚ฅๅธ‚,่‚ฅ่ฅฟๅŽฟ':(31.72,117.17), # 'ๅฎ‰ๅพฝ็œ,่Šœๆน–ๅธ‚,่Šœๆน–ๅธ‚':(31.33,118.38), # 'ๅฎ‰ๅพฝ็œ,่Šœๆน–ๅธ‚,้•œๆน–ๅŒบ':(31.35,118.37), # 'ๅฎ‰ๅพฝ็œ,่Šœๆน–ๅธ‚,้ธ ๆฑŸๅŒบ':(31.37,118.38), # 'ๅฎ‰ๅพฝ็œ,่Šœๆน–ๅธ‚,่Šœๆน–ๅŽฟ':(31.15,118.57), # 'ๅฎ‰ๅพฝ็œ,่Šœๆน–ๅธ‚,็นๆ˜ŒๅŽฟ':(31.08,118.2), # 'ๅฎ‰ๅพฝ็œ,่Šœๆน–ๅธ‚,ๅ—้™ตๅŽฟ':(30.92,118.33), # 'ๅฎ‰ๅพฝ็œ,่šŒๅŸ ๅธ‚,่šŒๅŸ ๅธ‚':(32.92,117.38), # 'ๅฎ‰ๅพฝ็œ,่šŒๅŸ ๅธ‚,้พ™ๅญๆน–ๅŒบ':(32.95,117.38), # 'ๅฎ‰ๅพฝ็œ,่šŒๅŸ ๅธ‚,่šŒๅฑฑๅŒบ':(32.95,117.35), # 'ๅฎ‰ๅพฝ็œ,่šŒๅŸ ๅธ‚,็ฆนไผšๅŒบ':(32.93,117.33), # 'ๅฎ‰ๅพฝ็œ,่šŒๅŸ ๅธ‚,ๆทฎไธŠๅŒบ':(32.97,117.35), # 'ๅฎ‰ๅพฝ็œ,่šŒๅŸ ๅธ‚,ๆ€€่ฟœๅŽฟ':(32.97,117.18), # 'ๅฎ‰ๅพฝ็œ,่šŒๅŸ ๅธ‚,ไบ”ๆฒณๅŽฟ':(33.15,117.88), # 'ๅฎ‰ๅพฝ็œ,่šŒๅŸ ๅธ‚,ๅ›บ้•‡ๅŽฟ':(33.32,117.32), # 'ๅฎ‰ๅพฝ็œ,ๆทฎๅ—ๅธ‚,ๆทฎๅ—ๅธ‚':(32.63,117.0), # 'ๅฎ‰ๅพฝ็œ,ๆทฎๅ—ๅธ‚,ๅคง้€šๅŒบ':(32.63,117.05), # 'ๅฎ‰ๅพฝ็œ,ๆทฎๅ—ๅธ‚,็”ฐๅฎถๅบตๅŒบ':(32.67,117.0), # 'ๅฎ‰ๅพฝ็œ,ๆทฎๅ—ๅธ‚,่ฐขๅฎถ้›†ๅŒบ':(32.6,116.85), # 'ๅฎ‰ๅพฝ็œ,ๆทฎๅ—ๅธ‚,ๅ…ซๅ…ฌๅฑฑๅŒบ':(32.63,116.83), # 'ๅฎ‰ๅพฝ็œ,ๆทฎๅ—ๅธ‚,ๆฝ˜้›†ๅŒบ':(32.78,116.82), # 'ๅฎ‰ๅพฝ็œ,ๆทฎๅ—ๅธ‚,ๅ‡คๅฐๅŽฟ':(32.7,116.72), # 'ๅฎ‰ๅพฝ็œ,้ฉฌ้žๅฑฑๅธ‚,้ฉฌ้žๅฑฑๅธ‚':(31.7,118.5), # 'ๅฎ‰ๅพฝ็œ,้ฉฌ้žๅฑฑๅธ‚,้‡‘ๅฎถๅบ„ๅŒบ':(31.73,118.48), # 'ๅฎ‰ๅพฝ็œ,้ฉฌ้žๅฑฑๅธ‚,่ŠฑๅฑฑๅŒบ':(31.72,118.5), # 'ๅฎ‰ๅพฝ็œ,้ฉฌ้žๅฑฑๅธ‚,้›จๅฑฑๅŒบ':(31.68,118.48), # 'ๅฎ‰ๅพฝ็œ,้ฉฌ้žๅฑฑๅธ‚,ๅฝ“ๆถ‚ๅŽฟ':(31.55,118.48), # 'ๅฎ‰ๅพฝ็œ,ๆทฎๅŒ—ๅธ‚,ๆทฎๅŒ—ๅธ‚':(33.95,116.8), # 'ๅฎ‰ๅพฝ็œ,ๆทฎๅŒ—ๅธ‚,ๆœ้›†ๅŒบ':(34.0,116.82), # 'ๅฎ‰ๅพฝ็œ,ๆทฎๅŒ—ๅธ‚,็›ธๅฑฑๅŒบ':(33.95,116.8), # 'ๅฎ‰ๅพฝ็œ,ๆทฎๅŒ—ๅธ‚,็ƒˆๅฑฑๅŒบ':(33.9,116.8), # 'ๅฎ‰ๅพฝ็œ,ๆทฎๅŒ—ๅธ‚,ๆฟ‰ๆบชๅŽฟ':(33.92,116.77), # 'ๅฎ‰ๅพฝ็œ,้“œ้™ตๅธ‚,้“œ้™ตๅธ‚':(30.93,117.82), # 'ๅฎ‰ๅพฝ็œ,้“œ้™ตๅธ‚,้“œๅฎ˜ๅฑฑๅŒบ':(30.93,117.82), # 'ๅฎ‰ๅพฝ็œ,้“œ้™ตๅธ‚,็‹ฎๅญๅฑฑๅŒบ':(30.95,117.85), # 'ๅฎ‰ๅพฝ็œ,้“œ้™ตๅธ‚,้ƒŠๅŒบ':(30.92,117.78), # 'ๅฎ‰ๅพฝ็œ,้“œ้™ตๅธ‚,้“œ้™ตๅŽฟ':(30.95,117.78), # 'ๅฎ‰ๅพฝ็œ,ๅฎ‰ๅบ†ๅธ‚,ๅฎ‰ๅบ†ๅธ‚':(30.53,117.05), # 'ๅฎ‰ๅพฝ็œ,ๅฎ‰ๅบ†ๅธ‚,่ฟŽๆฑŸๅŒบ':(30.5,117.05), # 'ๅฎ‰ๅพฝ็œ,ๅฎ‰ๅบ†ๅธ‚,ๅคง่ง‚ๅŒบ':(30.52,117.03), # 'ๅฎ‰ๅพฝ็œ,ๅฎ‰ๅบ†ๅธ‚,้ƒŠๅŒบ':(30.92,117.78), # 'ๅฎ‰ๅพฝ็œ,ๅฎ‰ๅบ†ๅธ‚,ๆ€€ๅฎๅŽฟ':(30.72,116.83), # 'ๅฎ‰ๅพฝ็œ,ๅฎ‰ๅบ†ๅธ‚,ๆžž้˜ณๅŽฟ':(30.7,117.2), # 'ๅฎ‰ๅพฝ็œ,ๅฎ‰ๅบ†ๅธ‚,ๆฝœๅฑฑๅŽฟ':(30.63,116.57), # 'ๅฎ‰ๅพฝ็œ,ๅฎ‰ๅบ†ๅธ‚,ๅคชๆน–ๅŽฟ':(30.43,116.27), # 'ๅฎ‰ๅพฝ็œ,ๅฎ‰ๅบ†ๅธ‚,ๅฎฟๆพๅŽฟ':(30.15,116.12), # 'ๅฎ‰ๅพฝ็œ,ๅฎ‰ๅบ†ๅธ‚,ๆœ›ๆฑŸๅŽฟ':(30.13,116.68), # 'ๅฎ‰ๅพฝ็œ,ๅฎ‰ๅบ†ๅธ‚,ๅฒณ่ฅฟๅŽฟ':(30.85,116.35), # 'ๅฎ‰ๅพฝ็œ,ๅฎ‰ๅบ†ๅธ‚,ๆกๅŸŽๅธ‚':(31.05,116.95), # 'ๅฎ‰ๅพฝ็œ,้ป„ๅฑฑๅธ‚,้ป„ๅฑฑๅธ‚':(29.72,118.33), # 'ๅฎ‰ๅพฝ็œ,้ป„ๅฑฑๅธ‚,ๅฑฏๆบชๅŒบ':(29.72,118.33), # 'ๅฎ‰ๅพฝ็œ,้ป„ๅฑฑๅธ‚,้ป„ๅฑฑๅŒบ':(30.3,118.13), # 'ๅฎ‰ๅพฝ็œ,้ป„ๅฑฑๅธ‚,ๅพฝๅทžๅŒบ':(29.82,118.33), # 'ๅฎ‰ๅพฝ็œ,้ป„ๅฑฑๅธ‚,ๆญ™ๅŽฟ':(29.87,118.43), # 'ๅฎ‰ๅพฝ็œ,้ป„ๅฑฑๅธ‚,ไผ‘ๅฎๅŽฟ':(29.78,118.18), # 'ๅฎ‰ๅพฝ็œ,้ป„ๅฑฑๅธ‚,้ปŸๅŽฟ':(29.93,117.93), # 'ๅฎ‰ๅพฝ็œ,้ป„ๅฑฑๅธ‚,็ฅ้—จๅŽฟ':(29.87,117.72), # 'ๅฎ‰ๅพฝ็œ,ๆปๅทžๅธ‚,ๆปๅทžๅธ‚':(32.3,118.32), # 'ๅฎ‰ๅพฝ็œ,ๆปๅทžๅธ‚,็…็ŠๅŒบ':(32.3,118.3), # 'ๅฎ‰ๅพฝ็œ,ๆปๅทžๅธ‚,ๅ—่ฐฏๅŒบ':(32.32,118.3), # 'ๅฎ‰ๅพฝ็œ,ๆปๅทžๅธ‚,ๆฅๅฎ‰ๅŽฟ':(32.45,118.43), # 'ๅฎ‰ๅพฝ็œ,ๆปๅทžๅธ‚,ๅ…จๆค’ๅŽฟ':(32.1,118.27), # 'ๅฎ‰ๅพฝ็œ,ๆปๅทžๅธ‚,ๅฎš่ฟœๅŽฟ':(32.53,117.67), # 'ๅฎ‰ๅพฝ็œ,ๆปๅทžๅธ‚,ๅ‡ค้˜ณๅŽฟ':(32.87,117.57), # 'ๅฎ‰ๅพฝ็œ,ๆปๅทžๅธ‚,ๅคฉ้•ฟๅธ‚':(32.7,119.0), # 'ๅฎ‰ๅพฝ็œ,ๆปๅทžๅธ‚,ๆ˜Žๅ…‰ๅธ‚':(32.78,117.98), # 'ๅฎ‰ๅพฝ็œ,้˜œ้˜ณๅธ‚,้˜œ้˜ณๅธ‚':(32.9,115.82), # 'ๅฎ‰ๅพฝ็œ,้˜œ้˜ณๅธ‚,้ขๅทžๅŒบ':(32.88,115.8), # 'ๅฎ‰ๅพฝ็œ,้˜œ้˜ณๅธ‚,้ขไธœๅŒบ':(32.92,115.85), # 'ๅฎ‰ๅพฝ็œ,้˜œ้˜ณๅธ‚,้ขๆณ‰ๅŒบ':(32.93,115.8), # 'ๅฎ‰ๅพฝ็œ,้˜œ้˜ณๅธ‚,ไธดๆณ‰ๅŽฟ':(33.07,115.25), # 'ๅฎ‰ๅพฝ็œ,้˜œ้˜ณๅธ‚,ๅคชๅ’ŒๅŽฟ':(33.17,115.62), # 'ๅฎ‰ๅพฝ็œ,้˜œ้˜ณๅธ‚,้˜œๅ—ๅŽฟ':(32.63,115.58), # 'ๅฎ‰ๅพฝ็œ,้˜œ้˜ณๅธ‚,้ขไธŠๅŽฟ':(32.63,116.27), # 'ๅฎ‰ๅพฝ็œ,ๅฎฟๅทžๅธ‚,ๅฎฟๅทžๅธ‚':(33.63,116.98), # 'ๅฎ‰ๅพฝ็œ,ๅฎฟๅทžๅธ‚,ๅŸ‡ๆกฅๅŒบ':(33.63,116.97), # 'ๅฎ‰ๅพฝ็œ,ๅฎฟๅทžๅธ‚,็ €ๅฑฑๅŽฟ':(34.42,116.35), # 'ๅฎ‰ๅพฝ็œ,ๅฎฟๅทžๅธ‚,่งๅŽฟ':(34.18,116.93), # 'ๅฎ‰ๅพฝ็œ,ๅฎฟๅทžๅธ‚,็ต็’งๅŽฟ':(33.55,117.55), # 'ๅฎ‰ๅพฝ็œ,ๅฎฟๅทžๅธ‚,ๆณ—ๅŽฟ':(33.48,117.88), # 'ๅฎ‰ๅพฝ็œ,ๅทขๆน–ๅธ‚,ๅทขๆน–ๅธ‚':(31.6,117.87), # 'ๅฎ‰ๅพฝ็œ,ๅทขๆน–ๅธ‚,ๅฑ…ๅทขๅŒบ':(31.6,117.85), # 'ๅฎ‰ๅพฝ็œ,ๅทขๆน–ๅธ‚,ๅบๆฑŸๅŽฟ':(31.25,117.28), # 'ๅฎ‰ๅพฝ็œ,ๅทขๆน–ๅธ‚,ๆ— ไธบๅŽฟ':(31.3,117.92), # 'ๅฎ‰ๅพฝ็œ,ๅทขๆน–ๅธ‚,ๅซๅฑฑๅŽฟ':(31.72,118.1), # 'ๅฎ‰ๅพฝ็œ,ๅทขๆน–ๅธ‚,ๅ’ŒๅŽฟ':(31.72,118.37), # 'ๅฎ‰ๅพฝ็œ,ๅ…ญๅฎ‰ๅธ‚,ๅ…ญๅฎ‰ๅธ‚':(31.77,116.5), # 'ๅฎ‰ๅพฝ็œ,ๅ…ญๅฎ‰ๅธ‚,้‡‘ๅฎ‰ๅŒบ':(31.77,116.5), # 'ๅฎ‰ๅพฝ็œ,ๅ…ญๅฎ‰ๅธ‚,่ฃ•ๅฎ‰ๅŒบ':(31.77,116.48), # 'ๅฎ‰ๅพฝ็œ,ๅ…ญๅฎ‰ๅธ‚,ๅฏฟๅŽฟ':(32.58,116.78), # 'ๅฎ‰ๅพฝ็œ,ๅ…ญๅฎ‰ๅธ‚,้œ้‚ฑๅŽฟ':(32.33,116.27), # 'ๅฎ‰ๅพฝ็œ,ๅ…ญๅฎ‰ๅธ‚,่ˆ’ๅŸŽๅŽฟ':(31.47,116.93), # 'ๅฎ‰ๅพฝ็œ,ๅ…ญๅฎ‰ๅธ‚,้‡‘ๅฏจๅŽฟ':(31.72,115.92), # 'ๅฎ‰ๅพฝ็œ,ๅ…ญๅฎ‰ๅธ‚,้œๅฑฑๅŽฟ':(31.4,116.33), # 'ๅฎ‰ๅพฝ็œ,ไบณๅทžๅธ‚,ไบณๅทžๅธ‚':(33.85,115.78), # 'ๅฎ‰ๅพฝ็œ,ไบณๅทžๅธ‚,่ฐฏๅŸŽๅŒบ':(33.88,115.77), # 'ๅฎ‰ๅพฝ็œ,ไบณๅทžๅธ‚,ๆถก้˜ณๅŽฟ':(33.52,116.22), # 'ๅฎ‰ๅพฝ็œ,ไบณๅทžๅธ‚,่’™ๅŸŽๅŽฟ':(33.27,116.57), # 'ๅฎ‰ๅพฝ็œ,ไบณๅทžๅธ‚,ๅˆฉ่พ›ๅŽฟ':(33.15,116.2), # 'ๅฎ‰ๅพฝ็œ,ๆฑ ๅทžๅธ‚,ๆฑ ๅทžๅธ‚':(30.67,117.48), # 'ๅฎ‰ๅพฝ็œ,ๆฑ ๅทžๅธ‚,่ดตๆฑ ๅŒบ':(30.65,117.48), # 'ๅฎ‰ๅพฝ็œ,ๆฑ ๅทžๅธ‚,ไธœ่‡ณๅŽฟ':(30.1,117.02), # 'ๅฎ‰ๅพฝ็œ,ๆฑ ๅทžๅธ‚,็ŸณๅฐๅŽฟ':(30.22,117.48), # 'ๅฎ‰ๅพฝ็œ,ๆฑ ๅทžๅธ‚,้’้˜ณๅŽฟ':(30.65,117.85), # 'ๅฎ‰ๅพฝ็œ,ๅฎฃๅŸŽๅธ‚,ๅฎฃๅŸŽๅธ‚':(30.95,118.75), # 'ๅฎ‰ๅพฝ็œ,ๅฎฃๅŸŽๅธ‚,ๅฎฃๅทžๅŒบ':(30.95,118.75), # 'ๅฎ‰ๅพฝ็œ,ๅฎฃๅŸŽๅธ‚,้ƒŽๆบชๅŽฟ':(31.13,119.17), # 'ๅฎ‰ๅพฝ็œ,ๅฎฃๅŸŽๅธ‚,ๅนฟๅพทๅŽฟ':(30.9,119.42), # 'ๅฎ‰ๅพฝ็œ,ๅฎฃๅŸŽๅธ‚,ๆณพๅŽฟ':(30.7,118.4), # 'ๅฎ‰ๅพฝ็œ,ๅฎฃๅŸŽๅธ‚,็ปฉๆบชๅŽฟ':(30.07,118.6), # 'ๅฎ‰ๅพฝ็œ,ๅฎฃๅŸŽๅธ‚,ๆ—ŒๅพทๅŽฟ':(30.28,118.53), # 'ๅฎ‰ๅพฝ็œ,ๅฎฃๅŸŽๅธ‚,ๅฎๅ›ฝๅธ‚':(30.63,118.98), # '็ฆๅปบ็œ,็ฆๅทžๅธ‚,็ฆๅทžๅธ‚':(26.08,119.3), # '็ฆๅปบ็œ,็ฆๅทžๅธ‚,้ผ“ๆฅผๅŒบ':(26.08,119.3), # '็ฆๅปบ็œ,็ฆๅทžๅธ‚,ๅฐๆฑŸๅŒบ':(26.07,119.3), # '็ฆๅปบ็œ,็ฆๅทžๅธ‚,ไป“ๅฑฑๅŒบ':(26.05,119.32), # '็ฆๅปบ็œ,็ฆๅทžๅธ‚,้ฉฌๅฐพๅŒบ':(26.0,119.45), # '็ฆๅปบ็œ,็ฆๅทžๅธ‚,ๆ™‹ๅฎ‰ๅŒบ':(26.08,119.32), # '็ฆๅปบ็œ,็ฆๅทžๅธ‚,้—ฝไพฏๅŽฟ':(26.15,119.13), # '็ฆๅปบ็œ,็ฆๅทžๅธ‚,่ฟžๆฑŸๅŽฟ':(26.2,119.53), # '็ฆๅปบ็œ,็ฆๅทžๅธ‚,็ฝ—ๆบๅŽฟ':(26.48,119.55), # '็ฆๅปบ็œ,็ฆๅทžๅธ‚,้—ฝๆธ…ๅŽฟ':(26.22,118.85), # '็ฆๅปบ็œ,็ฆๅทžๅธ‚,ๆฐธๆณฐๅŽฟ':(25.87,118.93), # '็ฆๅปบ็œ,็ฆๅทžๅธ‚,ๅนณๆฝญๅŽฟ':(25.52,119.78), # '็ฆๅปบ็œ,็ฆๅทžๅธ‚,็ฆๆธ…ๅธ‚':(25.72,119.38), # '็ฆๅปบ็œ,็ฆๅทžๅธ‚,้•ฟไนๅธ‚':(25.97,119.52), # '็ฆๅปบ็œ,ๅŽฆ้—จๅธ‚,ๅŽฆ้—จๅธ‚':(24.48,118.08), # '็ฆๅปบ็œ,ๅŽฆ้—จๅธ‚,ๆ€ๆ˜ŽๅŒบ':(24.45,118.08), # '็ฆๅปบ็œ,ๅŽฆ้—จๅธ‚,ๆตทๆฒงๅŒบ':(24.47,117.98), # '็ฆๅปบ็œ,ๅŽฆ้—จๅธ‚,ๆน–้‡ŒๅŒบ':(24.52,118.08), # '็ฆๅปบ็œ,ๅŽฆ้—จๅธ‚,้›†็พŽๅŒบ':(24.57,118.1), # '็ฆๅปบ็œ,ๅŽฆ้—จๅธ‚,ๅŒๅฎ‰ๅŒบ':(24.73,118.15), # '็ฆๅปบ็œ,ๅŽฆ้—จๅธ‚,็ฟ”ๅฎ‰ๅŒบ':(24.62,118.23), # '็ฆๅปบ็œ,่ކ็”ฐๅธ‚,่ކ็”ฐๅธ‚':(25.43,119.0), # '็ฆๅปบ็œ,่ކ็”ฐๅธ‚,ๅŸŽๅŽขๅŒบ':(25.43,119.0), # '็ฆๅปบ็œ,่ކ็”ฐๅธ‚,ๆถตๆฑŸๅŒบ':(25.45,119.1), # '็ฆๅปบ็œ,่ކ็”ฐๅธ‚,่”ๅŸŽๅŒบ':(25.43,119.02), # '็ฆๅปบ็œ,่ކ็”ฐๅธ‚,็ง€ๅฑฟๅŒบ':(25.32,119.08), # '็ฆๅปบ็œ,่ކ็”ฐๅธ‚,ไป™ๆธธๅŽฟ':(25.37,118.68), # '็ฆๅปบ็œ,ไธ‰ๆ˜Žๅธ‚,ไธ‰ๆ˜Žๅธ‚':(26.27,117.62), # '็ฆๅปบ็œ,ไธ‰ๆ˜Žๅธ‚,ๆข…ๅˆ—ๅŒบ':(26.27,117.63), # '็ฆๅปบ็œ,ไธ‰ๆ˜Žๅธ‚,ไธ‰ๅ…ƒๅŒบ':(26.23,117.6), # '็ฆๅปบ็œ,ไธ‰ๆ˜Žๅธ‚,ๆ˜ŽๆบชๅŽฟ':(26.37,117.2), # '็ฆๅปบ็œ,ไธ‰ๆ˜Žๅธ‚,ๆธ…ๆตๅŽฟ':(26.18,116.82), # '็ฆๅปบ็œ,ไธ‰ๆ˜Žๅธ‚,ๅฎๅŒ–ๅŽฟ':(26.27,116.65), # '็ฆๅปบ็œ,ไธ‰ๆ˜Žๅธ‚,ๅคง็”ฐๅŽฟ':(25.7,117.85), # '็ฆๅปบ็œ,ไธ‰ๆ˜Žๅธ‚,ๅฐคๆบชๅŽฟ':(26.17,118.18), # '็ฆๅปบ็œ,ไธ‰ๆ˜Žๅธ‚,ๆฒ™ๅŽฟ':(26.4,117.78), # '็ฆๅปบ็œ,ไธ‰ๆ˜Žๅธ‚,ๅฐ†ไนๅŽฟ':(26.73,117.47), # '็ฆๅปบ็œ,ไธ‰ๆ˜Žๅธ‚,ๆณฐๅฎๅŽฟ':(26.9,117.17), # '็ฆๅปบ็œ,ไธ‰ๆ˜Žๅธ‚,ๅปบๅฎๅŽฟ':(26.83,116.83), # '็ฆๅปบ็œ,ไธ‰ๆ˜Žๅธ‚,ๆฐธๅฎ‰ๅธ‚':(25.98,117.37), # '็ฆๅปบ็œ,ๆณ‰ๅทžๅธ‚,ๆณ‰ๅทžๅธ‚':(24.88,118.67), # '็ฆๅปบ็œ,ๆณ‰ๅทžๅธ‚,้ฒคๅŸŽๅŒบ':(24.92,118.6), # '็ฆๅปบ็œ,ๆณ‰ๅทžๅธ‚,ไธฐๆณฝๅŒบ':(24.92,118.6), # '็ฆๅปบ็œ,ๆณ‰ๅทžๅธ‚,ๆด›ๆฑŸๅŒบ':(24.95,118.67), # '็ฆๅปบ็œ,ๆณ‰ๅทžๅธ‚,ๆณ‰ๆธฏๅŒบ':(25.12,118.88), # '็ฆๅปบ็œ,ๆณ‰ๅทžๅธ‚,ๆƒ ๅฎ‰ๅŽฟ':(25.03,118.8), # '็ฆๅปบ็œ,ๆณ‰ๅทžๅธ‚,ๅฎ‰ๆบชๅŽฟ':(25.07,118.18), # '็ฆๅปบ็œ,ๆณ‰ๅทžๅธ‚,ๆฐธๆ˜ฅๅŽฟ':(25.32,118.3), # '็ฆๅปบ็œ,ๆณ‰ๅทžๅธ‚,ๅพทๅŒ–ๅŽฟ':(25.5,118.23), # '็ฆๅปบ็œ,ๆณ‰ๅทžๅธ‚,้‡‘้—จๅŽฟ':(24.43,118.32), # '็ฆๅปบ็œ,ๆณ‰ๅทžๅธ‚,็Ÿณ็‹ฎๅธ‚':(24.73,118.65), # '็ฆๅปบ็œ,ๆณ‰ๅทžๅธ‚,ๆ™‹ๆฑŸๅธ‚':(24.82,118.58), # '็ฆๅปบ็œ,ๆณ‰ๅทžๅธ‚,ๅ—ๅฎ‰ๅธ‚':(24.97,118.38), # '็ฆๅปบ็œ,ๆผณๅทžๅธ‚,ๆผณๅทžๅธ‚':(24.52,117.65), # '็ฆๅปบ็œ,ๆผณๅทžๅธ‚,่Š—ๅŸŽๅŒบ':(24.52,117.65), # '็ฆๅปบ็œ,ๆผณๅทžๅธ‚,้พ™ๆ–‡ๅŒบ':(24.52,117.72), # '็ฆๅปบ็œ,ๆผณๅทžๅธ‚,ไบ‘้œ„ๅŽฟ':(23.95,117.33), # '็ฆๅปบ็œ,ๆผณๅทžๅธ‚,ๆผณๆตฆๅŽฟ':(24.13,117.62), # '็ฆๅปบ็œ,ๆผณๅทžๅธ‚,่ฏๅฎ‰ๅŽฟ':(23.72,117.18), # '็ฆๅปบ็œ,ๆผณๅทžๅธ‚,้•ฟๆณฐๅŽฟ':(24.62,117.75), # '็ฆๅปบ็œ,ๆผณๅทžๅธ‚,ไธœๅฑฑๅŽฟ':(23.7,117.43), # '็ฆๅปบ็œ,ๆผณๅทžๅธ‚,ๅ—้–ๅŽฟ':(24.52,117.37), # '็ฆๅปบ็œ,ๆผณๅทžๅธ‚,ๅนณๅ’ŒๅŽฟ':(24.37,117.3), # '็ฆๅปบ็œ,ๆผณๅทžๅธ‚,ๅŽๅฎ‰ๅŽฟ':(25.02,117.53), # '็ฆๅปบ็œ,ๆผณๅทžๅธ‚,้พ™ๆตทๅธ‚':(24.45,117.82), # '็ฆๅปบ็œ,ๅ—ๅนณๅธ‚,ๅ—ๅนณๅธ‚':(26.65,118.17), # '็ฆๅปบ็œ,ๅ—ๅนณๅธ‚,ๅปถๅนณๅŒบ':(26.65,118.17), # '็ฆๅปบ็œ,ๅ—ๅนณๅธ‚,้กบๆ˜ŒๅŽฟ':(26.8,117.8), # '็ฆๅปบ็œ,ๅ—ๅนณๅธ‚,ๆตฆๅŸŽๅŽฟ':(27.92,118.53), # '็ฆๅปบ็œ,ๅ—ๅนณๅธ‚,ๅ…‰ๆณฝๅŽฟ':(27.55,117.33), # '็ฆๅปบ็œ,ๅ—ๅนณๅธ‚,ๆพๆบชๅŽฟ':(27.53,118.78), # '็ฆๅปบ็œ,ๅ—ๅนณๅธ‚,ๆ”ฟๅ’ŒๅŽฟ':(27.37,118.85), # '็ฆๅปบ็œ,ๅ—ๅนณๅธ‚,้‚ตๆญฆๅธ‚':(27.37,117.48), # '็ฆๅปบ็œ,ๅ—ๅนณๅธ‚,ๆญฆๅคทๅฑฑๅธ‚':(27.77,118.03), # '็ฆๅปบ็œ,ๅ—ๅนณๅธ‚,ๅปบ็“ฏๅธ‚':(27.03,118.32), # '็ฆๅปบ็œ,ๅ—ๅนณๅธ‚,ๅปบ้˜ณๅธ‚':(27.33,118.12), # '็ฆๅปบ็œ,้พ™ๅฒฉๅธ‚,้พ™ๅฒฉๅธ‚':(25.1,117.03), # '็ฆๅปบ็œ,้พ™ๅฒฉๅธ‚,ๆ–ฐ็ฝ—ๅŒบ':(25.1,117.03), # '็ฆๅปบ็œ,้พ™ๅฒฉๅธ‚,้•ฟๆฑ€ๅŽฟ':(25.83,116.35), # '็ฆๅปบ็œ,้พ™ๅฒฉๅธ‚,ๆฐธๅฎšๅŽฟ':(24.72,116.73), # '็ฆๅปบ็œ,้พ™ๅฒฉๅธ‚,ไธŠๆญๅŽฟ':(25.05,116.42), # '็ฆๅปบ็œ,้พ™ๅฒฉๅธ‚,ๆญฆๅนณๅŽฟ':(25.1,116.1), # '็ฆๅปบ็œ,้พ™ๅฒฉๅธ‚,่ฟžๅŸŽๅŽฟ':(25.72,116.75), # '็ฆๅปบ็œ,้พ™ๅฒฉๅธ‚,ๆผณๅนณๅธ‚':(25.3,117.42), # '็ฆๅปบ็œ,ๅฎๅพทๅธ‚,ๅฎๅพทๅธ‚':(26.67,119.52), # '็ฆๅปบ็œ,ๅฎๅพทๅธ‚,่•‰ๅŸŽๅŒบ':(26.67,119.52), # '็ฆๅปบ็œ,ๅฎๅพทๅธ‚,้œžๆตฆๅŽฟ':(26.88,120.0), # '็ฆๅปบ็œ,ๅฎๅพทๅธ‚,ๅค็”ฐๅŽฟ':(26.58,118.75), # '็ฆๅปบ็œ,ๅฎๅพทๅธ‚,ๅฑๅ—ๅŽฟ':(26.92,118.98), # '็ฆๅปบ็œ,ๅฎๅพทๅธ‚,ๅฏฟๅฎๅŽฟ':(27.47,119.5), # '็ฆๅปบ็œ,ๅฎๅพทๅธ‚,ๅ‘จๅฎๅŽฟ':(27.12,119.33), # '็ฆๅปบ็œ,ๅฎๅพทๅธ‚,ๆŸ˜่ฃๅŽฟ':(27.23,119.9), # '็ฆๅปบ็œ,ๅฎๅพทๅธ‚,็ฆๅฎ‰ๅธ‚':(27.08,119.65), # '็ฆๅปบ็œ,ๅฎๅพทๅธ‚,็ฆ้ผŽๅธ‚':(27.33,120.22), # 'ๆฑŸ่ฅฟ็œ,ๅ—ๆ˜Œๅธ‚,ๅ—ๆ˜Œๅธ‚':(28.68,115.85), # 'ๆฑŸ่ฅฟ็œ,ๅ—ๆ˜Œๅธ‚,ไธœๆน–ๅŒบ':(28.68,115.9), # 'ๆฑŸ่ฅฟ็œ,ๅ—ๆ˜Œๅธ‚,่ฅฟๆน–ๅŒบ':(28.67,115.87), # 'ๆฑŸ่ฅฟ็œ,ๅ—ๆ˜Œๅธ‚,้’ไบ‘่ฐฑๅŒบ':(28.63,115.92), # 'ๆฑŸ่ฅฟ็œ,ๅ—ๆ˜Œๅธ‚,ๆนพ้‡ŒๅŒบ':(28.72,115.73), # 'ๆฑŸ่ฅฟ็œ,ๅ—ๆ˜Œๅธ‚,้’ๅฑฑๆน–ๅŒบ':(28.68,115.95), # 'ๆฑŸ่ฅฟ็œ,ๅ—ๆ˜Œๅธ‚,ๅ—ๆ˜ŒๅŽฟ':(28.55,115.93), # 'ๆฑŸ่ฅฟ็œ,ๅ—ๆ˜Œๅธ‚,ๆ–ฐๅปบๅŽฟ':(28.7,115.82), # 'ๆฑŸ่ฅฟ็œ,ๅ—ๆ˜Œๅธ‚,ๅฎ‰ไน‰ๅŽฟ':(28.85,115.55), # 'ๆฑŸ่ฅฟ็œ,ๅ—ๆ˜Œๅธ‚,่ฟ›่ดคๅŽฟ':(28.37,116.27), # 'ๆฑŸ่ฅฟ็œ,ๆ™ฏๅพท้•‡ๅธ‚,ๆ™ฏๅพท้•‡ๅธ‚':(29.27,117.17), # 'ๆฑŸ่ฅฟ็œ,ๆ™ฏๅพท้•‡ๅธ‚,ๆ˜ŒๆฑŸๅŒบ':(29.27,117.17), # 'ๆฑŸ่ฅฟ็œ,ๆ™ฏๅพท้•‡ๅธ‚,็ ๅฑฑๅŒบ':(29.3,117.2), # 'ๆฑŸ่ฅฟ็œ,ๆ™ฏๅพท้•‡ๅธ‚,ๆตฎๆขๅŽฟ':(29.37,117.25), # 'ๆฑŸ่ฅฟ็œ,ๆ™ฏๅพท้•‡ๅธ‚,ไนๅนณๅธ‚':(28.97,117.12), # 'ๆฑŸ่ฅฟ็œ,่ไนกๅธ‚,่ไนกๅธ‚':(27.63,113.85), # 'ๆฑŸ่ฅฟ็œ,่ไนกๅธ‚,ๅฎ‰ๆบๅŒบ':(27.65,113.87), # 'ๆฑŸ่ฅฟ็œ,่ไนกๅธ‚,ๆน˜ไธœๅŒบ':(27.65,113.73), # 'ๆฑŸ่ฅฟ็œ,่ไนกๅธ‚,่Žฒ่ŠฑๅŽฟ':(27.13,113.95), # 'ๆฑŸ่ฅฟ็œ,่ไนกๅธ‚,ไธŠๆ —ๅŽฟ':(27.88,113.8), # 'ๆฑŸ่ฅฟ็œ,่ไนกๅธ‚,่ŠฆๆบชๅŽฟ':(27.63,114.03), # 'ๆฑŸ่ฅฟ็œ,ไนๆฑŸๅธ‚,ไนๆฑŸๅธ‚':(29.7,116.0), # 'ๆฑŸ่ฅฟ็œ,ไนๆฑŸๅธ‚,ๅบๅฑฑๅŒบ':(29.68,115.98), # 'ๆฑŸ่ฅฟ็œ,ไนๆฑŸๅธ‚,ๆต”้˜ณๅŒบ':(29.73,115.98), # 'ๆฑŸ่ฅฟ็œ,ไนๆฑŸๅธ‚,ไนๆฑŸๅŽฟ':(29.62,115.88), # 'ๆฑŸ่ฅฟ็œ,ไนๆฑŸๅธ‚,ๆญฆๅฎๅŽฟ':(29.27,115.1), # 'ๆฑŸ่ฅฟ็œ,ไนๆฑŸๅธ‚,ไฟฎๆฐดๅŽฟ':(29.03,114.57), # 'ๆฑŸ่ฅฟ็œ,ไนๆฑŸๅธ‚,ๆฐธไฟฎๅŽฟ':(29.03,115.8), # 'ๆฑŸ่ฅฟ็œ,ไนๆฑŸๅธ‚,ๅพทๅฎ‰ๅŽฟ':(29.33,115.77), # 'ๆฑŸ่ฅฟ็œ,ไนๆฑŸๅธ‚,ๆ˜ŸๅญๅŽฟ':(29.45,116.03), # 'ๆฑŸ่ฅฟ็œ,ไนๆฑŸๅธ‚,้ƒฝๆ˜ŒๅŽฟ':(29.27,116.18), # 'ๆฑŸ่ฅฟ็œ,ไนๆฑŸๅธ‚,ๆน–ๅฃๅŽฟ':(29.73,116.22), # 'ๆฑŸ่ฅฟ็œ,ไนๆฑŸๅธ‚,ๅฝญๆณฝๅŽฟ':(29.9,116.55), # 'ๆฑŸ่ฅฟ็œ,ไนๆฑŸๅธ‚,็‘žๆ˜Œๅธ‚':(29.68,115.67), # 'ๆฑŸ่ฅฟ็œ,ๆ–ฐไฝ™ๅธ‚,ๆ–ฐไฝ™ๅธ‚':(27.82,114.92), # 'ๆฑŸ่ฅฟ็œ,ๆ–ฐไฝ™ๅธ‚,ๆธๆฐดๅŒบ':(27.8,114.93), # 'ๆฑŸ่ฅฟ็œ,ๆ–ฐไฝ™ๅธ‚,ๅˆ†ๅฎœๅŽฟ':(27.82,114.67), # 'ๆฑŸ่ฅฟ็œ,้นฐๆฝญๅธ‚,้นฐๆฝญๅธ‚':(28.27,117.07), # 'ๆฑŸ่ฅฟ็œ,้นฐๆฝญๅธ‚,ๆœˆๆน–ๅŒบ':(28.23,117.05), # 'ๆฑŸ่ฅฟ็œ,้นฐๆฝญๅธ‚,ไฝ™ๆฑŸๅŽฟ':(28.2,116.82), # 'ๆฑŸ่ฅฟ็œ,้นฐๆฝญๅธ‚,่ดตๆบชๅธ‚':(28.28,117.22), # 'ๆฑŸ่ฅฟ็œ,่ตฃๅทžๅธ‚,่ตฃๅทžๅธ‚':(25.83,114.93), # 'ๆฑŸ่ฅฟ็œ,่ตฃๅทžๅธ‚,็ซ ่ดกๅŒบ':(25.87,114.93), # 'ๆฑŸ่ฅฟ็œ,่ตฃๅทžๅธ‚,่ตฃๅŽฟ':(25.87,115.0), # 'ๆฑŸ่ฅฟ็œ,่ตฃๅทžๅธ‚,ไฟกไธฐๅŽฟ':(25.38,114.93), # 'ๆฑŸ่ฅฟ็œ,่ตฃๅทžๅธ‚,ๅคงไฝ™ๅŽฟ':(25.4,114.35), # 'ๆฑŸ่ฅฟ็œ,่ตฃๅทžๅธ‚,ไธŠ็ŠนๅŽฟ':(25.8,114.53), # 'ๆฑŸ่ฅฟ็œ,่ตฃๅทžๅธ‚,ๅด‡ไน‰ๅŽฟ':(25.7,114.3), # 'ๆฑŸ่ฅฟ็œ,่ตฃๅทžๅธ‚,ๅฎ‰่ฟœๅŽฟ':(25.13,115.38), # 'ๆฑŸ่ฅฟ็œ,่ตฃๅทžๅธ‚,้พ™ๅ—ๅŽฟ':(24.92,114.78), # 'ๆฑŸ่ฅฟ็œ,่ตฃๅทžๅธ‚,ๅฎšๅ—ๅŽฟ':(24.78,115.03), # 'ๆฑŸ่ฅฟ็œ,่ตฃๅทžๅธ‚,ๅ…จๅ—ๅŽฟ':(24.75,114.52), # 'ๆฑŸ่ฅฟ็œ,่ตฃๅทžๅธ‚,ๅฎ้ƒฝๅŽฟ':(26.48,116.02), # 'ๆฑŸ่ฅฟ็œ,่ตฃๅทžๅธ‚,ไบŽ้ƒฝๅŽฟ':(25.95,115.42), # 'ๆฑŸ่ฅฟ็œ,่ตฃๅทžๅธ‚,ๅ…ดๅ›ฝๅŽฟ':(26.33,115.35), # 'ๆฑŸ่ฅฟ็œ,่ตฃๅทžๅธ‚,ไผšๆ˜ŒๅŽฟ':(25.6,115.78), # 'ๆฑŸ่ฅฟ็œ,่ตฃๅทžๅธ‚,ๅฏปไนŒๅŽฟ':(24.95,115.65), # 'ๆฑŸ่ฅฟ็œ,่ตฃๅทžๅธ‚,็ŸณๅŸŽๅŽฟ':(26.33,116.33), # 'ๆฑŸ่ฅฟ็œ,่ตฃๅทžๅธ‚,็‘ž้‡‘ๅธ‚':(25.88,116.03), # 'ๆฑŸ่ฅฟ็œ,่ตฃๅทžๅธ‚,ๅ—ๅบทๅธ‚':(25.65,114.75), # 'ๆฑŸ่ฅฟ็œ,ๅ‰ๅฎ‰ๅธ‚,ๅ‰ๅฎ‰ๅธ‚':(27.12,114.98), # 'ๆฑŸ่ฅฟ็œ,ๅ‰ๅฎ‰ๅธ‚,ๅ‰ๅทžๅŒบ':(27.12,114.98), # 'ๆฑŸ่ฅฟ็œ,ๅ‰ๅฎ‰ๅธ‚,้’ๅŽŸๅŒบ':(27.1,115.0), # 'ๆฑŸ่ฅฟ็œ,ๅ‰ๅฎ‰ๅธ‚,ๅ‰ๅฎ‰ๅŽฟ':(27.05,114.9), # 'ๆฑŸ่ฅฟ็œ,ๅ‰ๅฎ‰ๅธ‚,ๅ‰ๆฐดๅŽฟ':(27.22,115.13), # 'ๆฑŸ่ฅฟ็œ,ๅ‰ๅฎ‰ๅธ‚,ๅณกๆฑŸๅŽฟ':(27.62,115.33), # 'ๆฑŸ่ฅฟ็œ,ๅ‰ๅฎ‰ๅธ‚,ๆ–ฐๅนฒๅŽฟ':(27.77,115.4), # 'ๆฑŸ่ฅฟ็œ,ๅ‰ๅฎ‰ๅธ‚,ๆฐธไธฐๅŽฟ':(27.32,115.43), # 'ๆฑŸ่ฅฟ็œ,ๅ‰ๅฎ‰ๅธ‚,ๆณฐๅ’ŒๅŽฟ':(26.8,114.88), # 'ๆฑŸ่ฅฟ็œ,ๅ‰ๅฎ‰ๅธ‚,้‚ๅทๅŽฟ':(26.33,114.52), # 'ๆฑŸ่ฅฟ็œ,ๅ‰ๅฎ‰ๅธ‚,ไธ‡ๅฎ‰ๅŽฟ':(26.47,114.78), # 'ๆฑŸ่ฅฟ็œ,ๅ‰ๅฎ‰ๅธ‚,ๅฎ‰็ฆๅŽฟ':(27.38,114.62), # 'ๆฑŸ่ฅฟ็œ,ๅ‰ๅฎ‰ๅธ‚,ๆฐธๆ–ฐๅŽฟ':(26.95,114.23), # 'ๆฑŸ่ฅฟ็œ,ๅ‰ๅฎ‰ๅธ‚,ไบ•ๅ†ˆๅฑฑๅธ‚':(26.72,114.27), # 'ๆฑŸ่ฅฟ็œ,ๅฎœๆ˜ฅๅธ‚,ๅฎœๆ˜ฅๅธ‚':(27.8,114.38), # 'ๆฑŸ่ฅฟ็œ,ๅฎœๆ˜ฅๅธ‚,่ขๅทžๅŒบ':(27.8,114.38), # 'ๆฑŸ่ฅฟ็œ,ๅฎœๆ˜ฅๅธ‚,ๅฅ‰ๆ–ฐๅŽฟ':(28.7,115.38), # 'ๆฑŸ่ฅฟ็œ,ๅฎœๆ˜ฅๅธ‚,ไธ‡่ฝฝๅŽฟ':(28.12,114.43), # 'ๆฑŸ่ฅฟ็œ,ๅฎœๆ˜ฅๅธ‚,ไธŠ้ซ˜ๅŽฟ':(28.23,114.92), # 'ๆฑŸ่ฅฟ็œ,ๅฎœๆ˜ฅๅธ‚,ๅฎœไธฐๅŽฟ':(28.38,114.78), # 'ๆฑŸ่ฅฟ็œ,ๅฎœๆ˜ฅๅธ‚,้–ๅฎ‰ๅŽฟ':(28.87,115.35), # 'ๆฑŸ่ฅฟ็œ,ๅฎœๆ˜ฅๅธ‚,้“œ้ผ“ๅŽฟ':(28.53,114.37), # 'ๆฑŸ่ฅฟ็œ,ๅฎœๆ˜ฅๅธ‚,ไธฐๅŸŽๅธ‚':(28.2,115.78), # 'ๆฑŸ่ฅฟ็œ,ๅฎœๆ˜ฅๅธ‚,ๆจŸๆ ‘ๅธ‚':(28.07,115.53), # 'ๆฑŸ่ฅฟ็œ,ๅฎœๆ˜ฅๅธ‚,้ซ˜ๅฎ‰ๅธ‚':(28.42,115.37), # 'ๆฑŸ่ฅฟ็œ,ๆŠšๅทžๅธ‚,ๆŠšๅทžๅธ‚':(28.0,116.35), # 'ๆฑŸ่ฅฟ็œ,ๆŠšๅทžๅธ‚,ไธดๅทๅŒบ':(27.98,116.35), # 'ๆฑŸ่ฅฟ็œ,ๆŠšๅทžๅธ‚,ๅ—ๅŸŽๅŽฟ':(27.55,116.63), # 'ๆฑŸ่ฅฟ็œ,ๆŠšๅทžๅธ‚,้ปŽๅทๅŽฟ':(27.3,116.92), # 'ๆฑŸ่ฅฟ็œ,ๆŠšๅทžๅธ‚,ๅ—ไธฐๅŽฟ':(27.22,116.53), # 'ๆฑŸ่ฅฟ็œ,ๆŠšๅทžๅธ‚,ๅด‡ไปๅŽฟ':(27.77,116.05), # 'ๆฑŸ่ฅฟ็œ,ๆŠšๅทžๅธ‚,ไนๅฎ‰ๅŽฟ':(27.43,115.83), # 'ๆฑŸ่ฅฟ็œ,ๆŠšๅทžๅธ‚,ๅฎœ้ป„ๅŽฟ':(27.55,116.22), # 'ๆฑŸ่ฅฟ็œ,ๆŠšๅทžๅธ‚,้‡‘ๆบชๅŽฟ':(27.92,116.77), # 'ๆฑŸ่ฅฟ็œ,ๆŠšๅทžๅธ‚,่ต„ๆบชๅŽฟ':(27.7,117.07), # 'ๆฑŸ่ฅฟ็œ,ๆŠšๅทžๅธ‚,ไธœไนกๅŽฟ':(28.23,116.62), # 'ๆฑŸ่ฅฟ็œ,ๆŠšๅทžๅธ‚,ๅนฟๆ˜ŒๅŽฟ':(26.83,116.32), # 'ๆฑŸ่ฅฟ็œ,ไธŠ้ฅถๅธ‚,ไธŠ้ฅถๅธ‚':(28.45,117.97), # 'ๆฑŸ่ฅฟ็œ,ไธŠ้ฅถๅธ‚,ไฟกๅทžๅŒบ':(28.43,117.95), # 'ๆฑŸ่ฅฟ็œ,ไธŠ้ฅถๅธ‚,ไธŠ้ฅถๅŽฟ':(28.43,117.92), # 'ๆฑŸ่ฅฟ็œ,ไธŠ้ฅถๅธ‚,ๅนฟไธฐๅŽฟ':(28.43,118.18), # 'ๆฑŸ่ฅฟ็œ,ไธŠ้ฅถๅธ‚,็މๅฑฑๅŽฟ':(28.68,118.25), # 'ๆฑŸ่ฅฟ็œ,ไธŠ้ฅถๅธ‚,้“…ๅฑฑๅŽฟ':(28.32,117.7), # 'ๆฑŸ่ฅฟ็œ,ไธŠ้ฅถๅธ‚,ๆจชๅณฐๅŽฟ':(28.42,117.6), # 'ๆฑŸ่ฅฟ็œ,ไธŠ้ฅถๅธ‚,ๅผ‹้˜ณๅŽฟ':(28.4,117.43), # 'ๆฑŸ่ฅฟ็œ,ไธŠ้ฅถๅธ‚,ไฝ™ๅนฒๅŽฟ':(28.7,116.68), # 'ๆฑŸ่ฅฟ็œ,ไธŠ้ฅถๅธ‚,้„ฑ้˜ณๅŽฟ':(29.0,116.67), # 'ๆฑŸ่ฅฟ็œ,ไธŠ้ฅถๅธ‚,ไธ‡ๅนดๅŽฟ':(28.7,117.07), # 'ๆฑŸ่ฅฟ็œ,ไธŠ้ฅถๅธ‚,ๅฉบๆบๅŽฟ':(29.25,117.85), # 'ๆฑŸ่ฅฟ็œ,ไธŠ้ฅถๅธ‚,ๅพทๅ…ดๅธ‚':(28.95,117.57), # 'ๅฑฑไธœ็œ,ๆตŽๅ—ๅธ‚,ๆตŽๅ—ๅธ‚':(36.67,116.98), # 'ๅฑฑไธœ็œ,ๆตŽๅ—ๅธ‚,ๅކไธ‹ๅŒบ':(36.67,117.08), # 'ๅฑฑไธœ็œ,ๆตŽๅ—ๅธ‚,ๅธ‚ไธญๅŒบ':(36.65,117.0), # 'ๅฑฑไธœ็œ,ๆตŽๅ—ๅธ‚,ๅธ‚ไธญๅŒบ':(35.4,116.58), # 'ๅฑฑไธœ็œ,ๆตŽๅ—ๅธ‚,ๅธ‚ไธญๅŒบ':(34.87,117.57), # 'ๅฑฑไธœ็œ,ๆตŽๅ—ๅธ‚,ๆง่ซๅŒบ':(36.65,116.93), # 'ๅฑฑไธœ็œ,ๆตŽๅ—ๅธ‚,ๅคฉๆกฅๅŒบ':(36.68,116.98), # 'ๅฑฑไธœ็œ,ๆตŽๅ—ๅธ‚,ๅކๅŸŽๅŒบ':(36.68,117.07), # 'ๅฑฑไธœ็œ,ๆตŽๅ—ๅธ‚,้•ฟๆธ…ๅŒบ':(36.55,116.73), # 'ๅฑฑไธœ็œ,ๆตŽๅ—ๅธ‚,ๅนณ้˜ดๅŽฟ':(36.28,116.45), # 'ๅฑฑไธœ็œ,ๆตŽๅ—ๅธ‚,ๆตŽ้˜ณๅŽฟ':(36.98,117.22), # 'ๅฑฑไธœ็œ,ๆตŽๅ—ๅธ‚,ๅ•†ๆฒณๅŽฟ':(37.32,117.15), # 'ๅฑฑไธœ็œ,ๆตŽๅ—ๅธ‚,็ซ ไธ˜ๅธ‚':(36.72,117.53), # 'ๅฑฑไธœ็œ,้’ๅฒ›ๅธ‚,้’ๅฒ›ๅธ‚':(36.07,120.38), # 'ๅฑฑไธœ็œ,้’ๅฒ›ๅธ‚,ๅธ‚ๅ—ๅŒบ':(36.07,120.38), # 'ๅฑฑไธœ็œ,้’ๅฒ›ๅธ‚,ๅธ‚ๅŒ—ๅŒบ':(36.08,120.38), # 'ๅฑฑไธœ็œ,้’ๅฒ›ๅธ‚,ๅ››ๆ–นๅŒบ':(36.1,120.35), # 'ๅฑฑไธœ็œ,้’ๅฒ›ๅธ‚,้ป„ๅฒ›ๅŒบ':(35.97,120.18), # 'ๅฑฑไธœ็œ,้’ๅฒ›ๅธ‚,ๅด‚ๅฑฑๅŒบ':(36.1,120.47), # 'ๅฑฑไธœ็œ,้’ๅฒ›ๅธ‚,ๆŽๆฒงๅŒบ':(36.15,120.43), # 'ๅฑฑไธœ็œ,้’ๅฒ›ๅธ‚,ๅŸŽ้˜ณๅŒบ':(36.3,120.37), # 'ๅฑฑไธœ็œ,้’ๅฒ›ๅธ‚,่ƒถๅทžๅธ‚':(36.27,120.03), # 'ๅฑฑไธœ็œ,้’ๅฒ›ๅธ‚,ๅณๅขจๅธ‚':(36.38,120.45), # 'ๅฑฑไธœ็œ,้’ๅฒ›ๅธ‚,ๅนณๅบฆๅธ‚':(36.78,119.95), # 'ๅฑฑไธœ็œ,้’ๅฒ›ๅธ‚,่ƒถๅ—ๅธ‚':(35.87,120.03), # 'ๅฑฑไธœ็œ,้’ๅฒ›ๅธ‚,่Žฑ่ฅฟๅธ‚':(36.87,120.5), # 'ๅฑฑไธœ็œ,ๆท„ๅšๅธ‚,ๆท„ๅšๅธ‚':(36.82,118.05), # 'ๅฑฑไธœ็œ,ๆท„ๅšๅธ‚,ๅผ ๅบ—ๅŒบ':(36.82,118.03), # 'ๅฑฑไธœ็œ,ๆท„ๅšๅธ‚,ๅšๅฑฑๅŒบ':(36.5,117.85), # 'ๅฑฑไธœ็œ,ๆท„ๅšๅธ‚,ไธดๆท„ๅŒบ':(36.82,118.3), # 'ๅฑฑไธœ็œ,ๆท„ๅšๅธ‚,ๅ‘จๆ‘ๅŒบ':(36.8,117.87), # 'ๅฑฑไธœ็œ,ๆท„ๅšๅธ‚,ๆก“ๅฐๅŽฟ':(36.97,118.08), # 'ๅฑฑไธœ็œ,ๆท„ๅšๅธ‚,้ซ˜้’ๅŽฟ':(37.17,117.82), # 'ๅฑฑไธœ็œ,ๆท„ๅšๅธ‚,ๆฒ‚ๆบๅŽฟ':(36.18,118.17), # 'ๅฑฑไธœ็œ,ๆžฃๅบ„ๅธ‚,ๆžฃๅบ„ๅธ‚':(34.82,117.32), # 'ๅฑฑไธœ็œ,ๆžฃๅบ„ๅธ‚,ๅธ‚ไธญๅŒบ':(36.65,117.0), # 'ๅฑฑไธœ็œ,ๆžฃๅบ„ๅธ‚,ๅธ‚ไธญๅŒบ':(35.4,116.58), # 'ๅฑฑไธœ็œ,ๆžฃๅบ„ๅธ‚,ๅธ‚ไธญๅŒบ':(34.87,117.57), # 'ๅฑฑไธœ็œ,ๆžฃๅบ„ๅธ‚,่–›ๅŸŽๅŒบ':(34.8,117.25), # 'ๅฑฑไธœ็œ,ๆžฃๅบ„ๅธ‚,ๅณ„ๅŸŽๅŒบ':(34.77,117.58), # 'ๅฑฑไธœ็œ,ๆžฃๅบ„ๅธ‚,ๅฐๅ„ฟๅบ„ๅŒบ':(34.57,117.73), # 'ๅฑฑไธœ็œ,ๆžฃๅบ„ๅธ‚,ๅฑฑไบญๅŒบ':(35.08,117.45), # 'ๅฑฑไธœ็œ,ๆžฃๅบ„ๅธ‚,ๆป•ๅทžๅธ‚':(35.08,117.15), # 'ๅฑฑไธœ็œ,ไธœ่ฅๅธ‚,ไธœ่ฅๅธ‚':(37.43,118.67), # 'ๅฑฑไธœ็œ,ไธœ่ฅๅธ‚,ไธœ่ฅๅŒบ':(37.47,118.5), # 'ๅฑฑไธœ็œ,ไธœ่ฅๅธ‚,ๆฒณๅฃๅŒบ':(37.88,118.53), # 'ๅฑฑไธœ็œ,ไธœ่ฅๅธ‚,ๅžฆๅˆฉๅŽฟ':(37.58,118.55), # 'ๅฑฑไธœ็œ,ไธœ่ฅๅธ‚,ๅˆฉๆดฅๅŽฟ':(37.48,118.25), # 'ๅฑฑไธœ็œ,ไธœ่ฅๅธ‚,ๅนฟ้ฅถๅŽฟ':(37.07,118.4), # 'ๅฑฑไธœ็œ,็ƒŸๅฐๅธ‚,็ƒŸๅฐๅธ‚':(37.45,121.43), # 'ๅฑฑไธœ็œ,็ƒŸๅฐๅธ‚,่Š็ฝ˜ๅŒบ':(37.53,121.38), # 'ๅฑฑไธœ็œ,็ƒŸๅฐๅธ‚,็ฆๅฑฑๅŒบ':(37.5,121.25), # 'ๅฑฑไธœ็œ,็ƒŸๅฐๅธ‚,็‰ŸๅนณๅŒบ':(37.38,121.6), # 'ๅฑฑไธœ็œ,็ƒŸๅฐๅธ‚,่ŽฑๅฑฑๅŒบ':(37.5,121.43), # 'ๅฑฑไธœ็œ,็ƒŸๅฐๅธ‚,้•ฟๅฒ›ๅŽฟ':(37.92,120.73), # 'ๅฑฑไธœ็œ,็ƒŸๅฐๅธ‚,้พ™ๅฃๅธ‚':(37.65,120.52), # 'ๅฑฑไธœ็œ,็ƒŸๅฐๅธ‚,่Žฑ้˜ณๅธ‚':(36.98,120.7), # 'ๅฑฑไธœ็œ,็ƒŸๅฐๅธ‚,่Žฑๅทžๅธ‚':(37.18,119.93), # 'ๅฑฑไธœ็œ,็ƒŸๅฐๅธ‚,่“ฌ่Žฑๅธ‚':(37.82,120.75), # 'ๅฑฑไธœ็œ,็ƒŸๅฐๅธ‚,ๆ‹›่ฟœๅธ‚':(37.37,120.4), # 'ๅฑฑไธœ็œ,็ƒŸๅฐๅธ‚,ๆ –้œžๅธ‚':(37.3,120.83), # 'ๅฑฑไธœ็œ,็ƒŸๅฐๅธ‚,ๆตท้˜ณๅธ‚':(36.78,121.15), # 'ๅฑฑไธœ็œ,ๆฝๅŠๅธ‚,ๆฝๅŠๅธ‚':(36.7,119.15), # 'ๅฑฑไธœ็œ,ๆฝๅŠๅธ‚,ๆฝๅŸŽๅŒบ':(36.72,119.1), # 'ๅฑฑไธœ็œ,ๆฝๅŠๅธ‚,ๅฏ’ไบญๅŒบ':(36.77,119.22), # 'ๅฑฑไธœ็œ,ๆฝๅŠๅธ‚,ๅŠๅญๅŒบ':(36.67,119.17), # 'ๅฑฑไธœ็œ,ๆฝๅŠๅธ‚,ๅฅŽๆ–‡ๅŒบ':(36.72,119.12), # 'ๅฑฑไธœ็œ,ๆฝๅŠๅธ‚,ไธดๆœๅŽฟ':(36.52,118.53), # 'ๅฑฑไธœ็œ,ๆฝๅŠๅธ‚,ๆ˜ŒไนๅŽฟ':(36.7,118.82), # 'ๅฑฑไธœ็œ,ๆฝๅŠๅธ‚,้’ๅทžๅธ‚':(36.68,118.47), # 'ๅฑฑไธœ็œ,ๆฝๅŠๅธ‚,่ฏธๅŸŽๅธ‚':(36.0,119.4), # 'ๅฑฑไธœ็œ,ๆฝๅŠๅธ‚,ๅฏฟๅ…‰ๅธ‚':(36.88,118.73), # 'ๅฑฑไธœ็œ,ๆฝๅŠๅธ‚,ๅฎ‰ไธ˜ๅธ‚':(36.43,119.2), # 'ๅฑฑไธœ็œ,ๆฝๅŠๅธ‚,้ซ˜ๅฏ†ๅธ‚':(36.38,119.75), # 'ๅฑฑไธœ็œ,ๆฝๅŠๅธ‚,ๆ˜Œ้‚‘ๅธ‚':(36.87,119.4), # 'ๅฑฑไธœ็œ,ๆตŽๅฎๅธ‚,ๆตŽๅฎๅธ‚':(35.42,116.58), # 'ๅฑฑไธœ็œ,ๆตŽๅฎๅธ‚,ๅธ‚ไธญๅŒบ':(36.65,117.0), # 'ๅฑฑไธœ็œ,ๆตŽๅฎๅธ‚,ๅธ‚ไธญๅŒบ':(35.4,116.58), # 'ๅฑฑไธœ็œ,ๆตŽๅฎๅธ‚,ๅธ‚ไธญๅŒบ':(34.87,117.57), # 'ๅฑฑไธœ็œ,ๆตŽๅฎๅธ‚,ไปปๅŸŽๅŒบ':(35.42,116.58), # 'ๅฑฑไธœ็œ,ๆตŽๅฎๅธ‚,ๅพฎๅฑฑๅŽฟ':(34.82,117.13), # 'ๅฑฑไธœ็œ,ๆตŽๅฎๅธ‚,้ฑผๅฐๅŽฟ':(35.0,116.65), # 'ๅฑฑไธœ็œ,ๆตŽๅฎๅธ‚,้‡‘ไนกๅŽฟ':(35.07,116.3), # 'ๅฑฑไธœ็œ,ๆตŽๅฎๅธ‚,ๅ˜‰็ฅฅๅŽฟ':(35.42,116.33), # 'ๅฑฑไธœ็œ,ๆตŽๅฎๅธ‚,ๆฑถไธŠๅŽฟ':(35.73,116.48), # 'ๅฑฑไธœ็œ,ๆตŽๅฎๅธ‚,ๆณ—ๆฐดๅŽฟ':(35.67,117.27), # 'ๅฑฑไธœ็œ,ๆตŽๅฎๅธ‚,ๆขๅฑฑๅŽฟ':(35.8,116.08), # 'ๅฑฑไธœ็œ,ๆตŽๅฎๅธ‚,ๆ›ฒ้˜œๅธ‚':(35.58,116.98), # 'ๅฑฑไธœ็œ,ๆตŽๅฎๅธ‚,ๅ…–ๅทžๅธ‚':(35.55,116.83), # 'ๅฑฑไธœ็œ,ๆตŽๅฎๅธ‚,้‚นๅŸŽๅธ‚':(35.4,116.97), # 'ๅฑฑไธœ็œ,ๆณฐๅฎ‰ๅธ‚,ๆณฐๅฎ‰ๅธ‚':(36.2,117.08), # 'ๅฑฑไธœ็œ,ๆณฐๅฎ‰ๅธ‚,ๆณฐๅฑฑๅŒบ':(36.18,117.13), # 'ๅฑฑไธœ็œ,ๆณฐๅฎ‰ๅธ‚,ๅฒฑๅฒณๅŒบ':(36.18,117.0), # 'ๅฑฑไธœ็œ,ๆณฐๅฎ‰ๅธ‚,ๅฎ้˜ณๅŽฟ':(35.77,116.8), # 'ๅฑฑไธœ็œ,ๆณฐๅฎ‰ๅธ‚,ไธœๅนณๅŽฟ':(35.93,116.47), # 'ๅฑฑไธœ็œ,ๆณฐๅฎ‰ๅธ‚,ๆ–ฐๆณฐๅธ‚':(35.92,117.77), # 'ๅฑฑไธœ็œ,ๆณฐๅฎ‰ๅธ‚,่‚ฅๅŸŽๅธ‚':(36.18,116.77), # 'ๅฑฑไธœ็œ,ๅจๆตทๅธ‚,ๅจๆตทๅธ‚':(37.52,122.12), # 'ๅฑฑไธœ็œ,ๅจๆตทๅธ‚,็Žฏ็ฟ ๅŒบ':(37.5,122.12), # 'ๅฑฑไธœ็œ,ๅจๆตทๅธ‚,ๆ–‡็™ปๅธ‚':(37.2,122.05), # 'ๅฑฑไธœ็œ,ๅจๆตทๅธ‚,่ฃๆˆๅธ‚':(37.17,122.42), # 'ๅฑฑไธœ็œ,ๅจๆตทๅธ‚,ไนณๅฑฑๅธ‚':(36.92,121.53), # 'ๅฑฑไธœ็œ,ๆ—ฅ็…งๅธ‚,ๆ—ฅ็…งๅธ‚':(35.42,119.52), # 'ๅฑฑไธœ็œ,ๆ—ฅ็…งๅธ‚,ไธœๆธฏๅŒบ':(35.42,119.45), # 'ๅฑฑไธœ็œ,ๆ—ฅ็…งๅธ‚,ๅฒšๅฑฑๅŒบ':(35.1,119.33), # 'ๅฑฑไธœ็œ,ๆ—ฅ็…งๅธ‚,ไบ”่ŽฒๅŽฟ':(35.75,119.2), # 'ๅฑฑไธœ็œ,ๆ—ฅ็…งๅธ‚,่Ž’ๅŽฟ':(35.58,118.83), # 'ๅฑฑไธœ็œ,่Žฑ่Šœๅธ‚,่Žฑ่Šœๅธ‚':(36.22,117.67), # 'ๅฑฑไธœ็œ,่Žฑ่Šœๅธ‚,่ŽฑๅŸŽๅŒบ':(36.2,117.65), # 'ๅฑฑไธœ็œ,่Žฑ่Šœๅธ‚,้’ขๅŸŽๅŒบ':(36.07,117.8), # 'ๅฑฑไธœ็œ,ไธดๆฒ‚ๅธ‚,ไธดๆฒ‚ๅธ‚':(35.05,118.35), # 'ๅฑฑไธœ็œ,ไธดๆฒ‚ๅธ‚,ๅ…ฐๅฑฑๅŒบ':(35.07,118.33), # 'ๅฑฑไธœ็œ,ไธดๆฒ‚ๅธ‚,็ฝ—ๅบ„ๅŒบ':(34.98,118.28), # 'ๅฑฑไธœ็œ,ไธดๆฒ‚ๅธ‚,ๆฒณไธœๅŒบ':(35.08,118.4), # 'ๅฑฑไธœ็œ,ไธดๆฒ‚ๅธ‚,ๆฒ‚ๅ—ๅŽฟ':(35.55,118.47), # 'ๅฑฑไธœ็œ,ไธดๆฒ‚ๅธ‚,้ƒฏๅŸŽๅŽฟ':(34.62,118.35), # 'ๅฑฑไธœ็œ,ไธดๆฒ‚ๅธ‚,ๆฒ‚ๆฐดๅŽฟ':(35.78,118.62), # 'ๅฑฑไธœ็œ,ไธดๆฒ‚ๅธ‚,่‹ๅฑฑๅŽฟ':(34.85,118.05), # 'ๅฑฑไธœ็œ,ไธดๆฒ‚ๅธ‚,่ดนๅŽฟ':(35.27,117.97), # 'ๅฑฑไธœ็œ,ไธดๆฒ‚ๅธ‚,ๅนณ้‚‘ๅŽฟ':(35.5,117.63), # 'ๅฑฑไธœ็œ,ไธดๆฒ‚ๅธ‚,่Ž’ๅ—ๅŽฟ':(35.18,118.83), # 'ๅฑฑไธœ็œ,ไธดๆฒ‚ๅธ‚,่’™้˜ดๅŽฟ':(35.72,117.93), # 'ๅฑฑไธœ็œ,ไธดๆฒ‚ๅธ‚,ไธดๆฒญๅŽฟ':(34.92,118.65), # 'ๅฑฑไธœ็œ,ๅพทๅทžๅธ‚,ๅพทๅทžๅธ‚':(37.45,116.3), # 'ๅฑฑไธœ็œ,ๅพทๅทžๅธ‚,ๅพทๅŸŽๅŒบ':(37.45,116.3), # 'ๅฑฑไธœ็œ,ๅพทๅทžๅธ‚,้™ตๅŽฟ':(37.33,116.57), # 'ๅฑฑไธœ็œ,ๅพทๅทžๅธ‚,ๅฎๆดฅๅŽฟ':(37.65,116.78), # 'ๅฑฑไธœ็œ,ๅพทๅทžๅธ‚,ๅบ†ไบ‘ๅŽฟ':(37.78,117.38), # 'ๅฑฑไธœ็œ,ๅพทๅทžๅธ‚,ไธด้‚‘ๅŽฟ':(37.18,116.87), # 'ๅฑฑไธœ็œ,ๅพทๅทžๅธ‚,้ฝๆฒณๅŽฟ':(36.8,116.75), # 'ๅฑฑไธœ็œ,ๅพทๅทžๅธ‚,ๅนณๅŽŸๅŽฟ':(37.17,116.43), # 'ๅฑฑไธœ็œ,ๅพทๅทžๅธ‚,ๅคๆดฅๅŽฟ':(36.95,116.0), # 'ๅฑฑไธœ็œ,ๅพทๅทžๅธ‚,ๆญฆๅŸŽๅŽฟ':(37.22,116.07), # 'ๅฑฑไธœ็œ,ๅพทๅทžๅธ‚,ไน้™ตๅธ‚':(37.73,117.23), # 'ๅฑฑไธœ็œ,ๅพทๅทžๅธ‚,็ฆนๅŸŽๅธ‚':(36.93,116.63), # 'ๅฑฑไธœ็œ,่ŠๅŸŽๅธ‚,่ŠๅŸŽๅธ‚':(36.45,115.98), # 'ๅฑฑไธœ็œ,่ŠๅŸŽๅธ‚,ไธœๆ˜ŒๅบœๅŒบ':(36.45,115.98), # 'ๅฑฑไธœ็œ,่ŠๅŸŽๅธ‚,้˜ณ่ฐทๅŽฟ':(36.12,115.78), # 'ๅฑฑไธœ็œ,่ŠๅŸŽๅธ‚,่Ž˜ๅŽฟ':(36.23,115.67), # 'ๅฑฑไธœ็œ,่ŠๅŸŽๅธ‚,่ŒŒๅนณๅŽฟ':(36.58,116.25), # 'ๅฑฑไธœ็œ,่ŠๅŸŽๅธ‚,ไธœ้˜ฟๅŽฟ':(36.33,116.25), # 'ๅฑฑไธœ็œ,่ŠๅŸŽๅธ‚,ๅ† ๅŽฟ':(36.48,115.43), # 'ๅฑฑไธœ็œ,่ŠๅŸŽๅธ‚,้ซ˜ๅ”ๅŽฟ':(36.87,116.23), # 'ๅฑฑไธœ็œ,่ŠๅŸŽๅธ‚,ไธดๆธ…ๅธ‚':(36.85,115.7), # 'ๅฑฑไธœ็œ,ๆปจๅทžๅธ‚,ๆปจๅทžๅธ‚':(37.38,117.97), # 'ๅฑฑไธœ็œ,ๆปจๅทžๅธ‚,ๆปจๅŸŽๅŒบ':(37.38,118.0), # 'ๅฑฑไธœ็œ,ๆปจๅทžๅธ‚,ๆƒ ๆฐ‘ๅŽฟ':(37.48,117.5), # 'ๅฑฑไธœ็œ,ๆปจๅทžๅธ‚,้˜ณไฟกๅŽฟ':(37.63,117.58), # 'ๅฑฑไธœ็œ,ๆปจๅทžๅธ‚,ๆ— ๆฃฃๅŽฟ':(37.73,117.6), # 'ๅฑฑไธœ็œ,ๆปจๅทžๅธ‚,ๆฒพๅŒ–ๅŽฟ':(37.7,118.13), # 'ๅฑฑไธœ็œ,ๆปจๅทžๅธ‚,ๅšๅ…ดๅŽฟ':(37.15,118.13), # 'ๅฑฑไธœ็œ,ๆปจๅทžๅธ‚,้‚นๅนณๅŽฟ':(36.88,117.73), # 'ๅฑฑไธœ็œ,่ๆณฝๅธ‚,็‰กไธนๅŒบ':(35.25,115.43), # 'ๅฑฑไธœ็œ,่ๆณฝๅธ‚,ๆ›นๅŽฟ':(34.83,115.53), # 'ๅฑฑไธœ็œ,่ๆณฝๅธ‚,ๅ•ๅŽฟ':(34.8,116.08), # 'ๅฑฑไธœ็œ,่ๆณฝๅธ‚,ๆˆๆญฆๅŽฟ':(34.95,115.88), # 'ๅฑฑไธœ็œ,่ๆณฝๅธ‚,ๅทจ้‡ŽๅŽฟ':(35.4,116.08), # 'ๅฑฑไธœ็œ,่ๆณฝๅธ‚,้ƒ“ๅŸŽๅŽฟ':(35.6,115.93), # 'ๅฑฑไธœ็œ,่ๆณฝๅธ‚,้„„ๅŸŽๅŽฟ':(35.57,115.5), # 'ๅฑฑไธœ็œ,่ๆณฝๅธ‚,ๅฎš้™ถๅŽฟ':(35.07,115.57), # 'ๅฑฑไธœ็œ,่ๆณฝๅธ‚,ไธœๆ˜ŽๅŽฟ':(35.28,115.08), # 'ๆฒณๅ—็œ,้ƒ‘ๅทžๅธ‚,้ƒ‘ๅทžๅธ‚':(34.75,113.62), # 'ๆฒณๅ—็œ,้ƒ‘ๅทžๅธ‚,ไธญๅŽŸๅŒบ':(34.75,113.6), # 'ๆฒณๅ—็œ,้ƒ‘ๅทžๅธ‚,ไบŒไธƒๅŒบ':(34.73,113.65), # 'ๆฒณๅ—็œ,้ƒ‘ๅทžๅธ‚,็ฎกๅŸŽๅ›žๆ—ๅŒบ':(34.75,113.67), # 'ๆฒณๅ—็œ,้ƒ‘ๅทžๅธ‚,้‡‘ๆฐดๅŒบ':(34.78,113.65), # 'ๆฒณๅ—็œ,้ƒ‘ๅทžๅธ‚,ไธŠ่ก—ๅŒบ':(34.82,113.28), # 'ๆฒณๅ—็œ,้ƒ‘ๅทžๅธ‚,ๆƒ ๆตŽๅŒบ':(34.87,113.6), # 'ๆฒณๅ—็œ,้ƒ‘ๅทžๅธ‚,ไธญ็‰ŸๅŽฟ':(34.72,113.97), # 'ๆฒณๅ—็œ,้ƒ‘ๅทžๅธ‚,ๅทฉไน‰ๅธ‚':(34.77,112.98), # 'ๆฒณๅ—็œ,้ƒ‘ๅทžๅธ‚,่ฅ้˜ณๅธ‚':(34.78,113.4), # 'ๆฒณๅ—็œ,้ƒ‘ๅทžๅธ‚,ๆ–ฐๅฏ†ๅธ‚':(34.53,113.38), # 'ๆฒณๅ—็œ,้ƒ‘ๅทžๅธ‚,ๆ–ฐ้ƒ‘ๅธ‚':(34.4,113.73), # 'ๆฒณๅ—็œ,้ƒ‘ๅทžๅธ‚,็™ปๅฐๅธ‚':(34.47,113.03), # 'ๆฒณๅ—็œ,ๅผ€ๅฐๅธ‚,ๅผ€ๅฐๅธ‚':(34.8,114.3), # 'ๆฒณๅ—็œ,ๅผ€ๅฐๅธ‚,้พ™ไบญๅŒบ':(34.8,114.35), # 'ๆฒณๅ—็œ,ๅผ€ๅฐๅธ‚,้กบๆฒณๅ›žๆ—ๅŒบ':(34.8,114.35), # 'ๆฒณๅ—็œ,ๅผ€ๅฐๅธ‚,้ผ“ๆฅผๅŒบ':(34.78,114.35), # 'ๆฒณๅ—็œ,ๅผ€ๅฐๅธ‚,ๆžๅŽฟ':(34.55,114.78), # 'ๆฒณๅ—็œ,ๅผ€ๅฐๅธ‚,้€š่ฎธๅŽฟ':(34.48,114.47), # 'ๆฒณๅ—็œ,ๅผ€ๅฐๅธ‚,ๅฐ‰ๆฐๅŽฟ':(34.42,114.18), # 'ๆฒณๅ—็œ,ๅผ€ๅฐๅธ‚,ๅผ€ๅฐๅŽฟ':(34.77,114.43), # 'ๆฒณๅ—็œ,ๅผ€ๅฐๅธ‚,ๅ…ฐ่€ƒๅŽฟ':(34.82,114.82), # 'ๆฒณๅ—็œ,ๆด›้˜ณๅธ‚,ๆด›้˜ณๅธ‚':(34.62,112.45), # 'ๆฒณๅ—็œ,ๆด›้˜ณๅธ‚,่€ๅŸŽๅŒบ':(34.68,112.47), # 'ๆฒณๅ—็œ,ๆด›้˜ณๅธ‚,่ฅฟๅทฅๅŒบ':(34.67,112.43), # 'ๆฒณๅ—็œ,ๆด›้˜ณๅธ‚,ๆถง่ฅฟๅŒบ':(34.67,112.4), # 'ๆฒณๅ—็œ,ๆด›้˜ณๅธ‚,ๅ‰ๅˆฉๅŒบ':(34.9,112.58), # 'ๆฒณๅ—็œ,ๆด›้˜ณๅธ‚,ๆด›้พ™ๅŒบ':(34.62,112.45), # 'ๆฒณๅ—็œ,ๆด›้˜ณๅธ‚,ๅญŸๆดฅๅŽฟ':(34.83,112.43), # 'ๆฒณๅ—็œ,ๆด›้˜ณๅธ‚,ๆ–ฐๅฎ‰ๅŽฟ':(34.72,112.15), # 'ๆฒณๅ—็œ,ๆด›้˜ณๅธ‚,ๆ พๅทๅŽฟ':(33.78,111.62), # 'ๆฒณๅ—็œ,ๆด›้˜ณๅธ‚,ๅตฉๅŽฟ':(34.15,112.1), # 'ๆฒณๅ—็œ,ๆด›้˜ณๅธ‚,ๆฑ้˜ณๅŽฟ':(34.15,112.47), # 'ๆฒณๅ—็œ,ๆด›้˜ณๅธ‚,ๅฎœ้˜ณๅŽฟ':(34.52,112.17), # 'ๆฒณๅ—็œ,ๆด›้˜ณๅธ‚,ๆด›ๅฎๅŽฟ':(34.38,111.65), # 'ๆฒณๅ—็œ,ๆด›้˜ณๅธ‚,ไผŠๅทๅŽฟ':(34.42,112.42), # 'ๆฒณๅ—็œ,ๆด›้˜ณๅธ‚,ๅƒๅธˆๅธ‚':(34.73,112.78), # 'ๆฒณๅ—็œ,ๅนณ้กถๅฑฑๅธ‚,ๅนณ้กถๅฑฑๅธ‚':(33.77,113.18), # 'ๆฒณๅ—็œ,ๅนณ้กถๅฑฑๅธ‚,ๆ–ฐๅŽๅŒบ':(33.73,113.3), # 'ๆฒณๅ—็œ,ๅนณ้กถๅฑฑๅธ‚,ๅซไธœๅŒบ':(33.73,113.33), # 'ๆฒณๅ—็œ,ๅนณ้กถๅฑฑๅธ‚,็Ÿณ้พ™ๅŒบ':(33.9,112.88), # 'ๆฒณๅ—็œ,ๅนณ้กถๅฑฑๅธ‚,ๆน›ๆฒณๅŒบ':(33.73,113.28), # 'ๆฒณๅ—็œ,ๅนณ้กถๅฑฑๅธ‚,ๅฎไธฐๅŽฟ':(33.88,113.07), # 'ๆฒณๅ—็œ,ๅนณ้กถๅฑฑๅธ‚,ๅถๅŽฟ':(33.62,113.35), # 'ๆฒณๅ—็œ,ๅนณ้กถๅฑฑๅธ‚,้ฒๅฑฑๅŽฟ':(33.73,112.9), # 'ๆฒณๅ—็œ,ๅนณ้กถๅฑฑๅธ‚,้ƒๅŽฟ':(33.97,113.22), # 'ๆฒณๅ—็œ,ๅนณ้กถๅฑฑๅธ‚,่ˆž้’ขๅธ‚':(33.3,113.52), # 'ๆฒณๅ—็œ,ๅนณ้กถๅฑฑๅธ‚,ๆฑๅทžๅธ‚':(34.17,112.83), # 'ๆฒณๅ—็œ,ๅฎ‰้˜ณๅธ‚,ๅฎ‰้˜ณๅธ‚':(36.1,114.38), # 'ๆฒณๅ—็œ,ๅฎ‰้˜ณๅธ‚,ๆ–‡ๅณฐๅŒบ':(36.08,114.35), # 'ๆฒณๅ—็œ,ๅฎ‰้˜ณๅธ‚,ๅŒ—ๅ…ณๅŒบ':(36.12,114.35), # 'ๆฒณๅ—็œ,ๅฎ‰้˜ณๅธ‚,ๆฎท้ƒฝๅŒบ':(36.12,114.3), # 'ๆฒณๅ—็œ,ๅฎ‰้˜ณๅธ‚,้พ™ๅฎ‰ๅŒบ':(36.1,114.32), # 'ๆฒณๅ—็œ,ๅฎ‰้˜ณๅธ‚,ๅฎ‰้˜ณๅŽฟ':(36.1,114.35), # 'ๆฒณๅ—็œ,ๅฎ‰้˜ณๅธ‚,ๆฑค้˜ดๅŽฟ':(35.92,114.35), # 'ๆฒณๅ—็œ,ๅฎ‰้˜ณๅธ‚,ๆป‘ๅŽฟ':(35.58,114.52), # 'ๆฒณๅ—็œ,ๅฎ‰้˜ณๅธ‚,ๅ†…้ป„ๅŽฟ':(35.95,114.9), # 'ๆฒณๅ—็œ,ๅฎ‰้˜ณๅธ‚,ๆž—ๅทžๅธ‚':(36.07,113.82), # 'ๆฒณๅ—็œ,้นคๅฃๅธ‚,้นคๅฃๅธ‚':(35.75,114.28), # 'ๆฒณๅ—็œ,้นคๅฃๅธ‚,้นคๅฑฑๅŒบ':(35.95,114.15), # 'ๆฒณๅ—็œ,้นคๅฃๅธ‚,ๅฑฑๅŸŽๅŒบ':(35.9,114.18), # 'ๆฒณๅ—็œ,้นคๅฃๅธ‚,ๆท‡ๆปจๅŒบ':(35.73,114.3), # 'ๆฒณๅ—็œ,้นคๅฃๅธ‚,ๆตšๅŽฟ':(35.67,114.55), # 'ๆฒณๅ—็œ,้นคๅฃๅธ‚,ๆท‡ๅŽฟ':(35.6,114.2), # 'ๆฒณๅ—็œ,ๆ–ฐไนกๅธ‚,ๆ–ฐไนกๅธ‚':(35.3,113.9), # 'ๆฒณๅ—็œ,ๆ–ฐไนกๅธ‚,็บขๆ——ๅŒบ':(35.3,113.87), # 'ๆฒณๅ—็œ,ๆ–ฐไนกๅธ‚,ๅซๆปจๅŒบ':(35.3,113.85), # 'ๆฒณๅ—็œ,ๆ–ฐไนกๅธ‚,ๅ‡คๆณ‰ๅŒบ':(35.38,113.92), # 'ๆฒณๅ—็œ,ๆ–ฐไนกๅธ‚,็‰ง้‡ŽๅŒบ':(35.32,113.9), # 'ๆฒณๅ—็œ,ๆ–ฐไนกๅธ‚,ๆ–ฐไนกๅŽฟ':(35.2,113.8), # 'ๆฒณๅ—็œ,ๆ–ฐไนกๅธ‚,่Žทๅ˜‰ๅŽฟ':(35.27,113.65), # 'ๆฒณๅ—็œ,ๆ–ฐไนกๅธ‚,ๅŽŸ้˜ณๅŽฟ':(35.05,113.97), # 'ๆฒณๅ—็œ,ๆ–ฐไนกๅธ‚,ๅปถๆดฅๅŽฟ':(35.15,114.2), # 'ๆฒณๅ—็œ,ๆ–ฐไนกๅธ‚,ๅฐไธ˜ๅŽฟ':(35.05,114.42), # 'ๆฒณๅ—็œ,ๆ–ฐไนกๅธ‚,้•ฟๅžฃๅŽฟ':(35.2,114.68), # 'ๆฒณๅ—็œ,ๆ–ฐไนกๅธ‚,ๅซ่พ‰ๅธ‚':(35.4,114.07), # 'ๆฒณๅ—็œ,ๆ–ฐไนกๅธ‚,่พ‰ๅŽฟๅธ‚':(35.47,113.8), # 'ๆฒณๅ—็œ,็„ฆไฝœๅธ‚,็„ฆไฝœๅธ‚':(35.22,113.25), # 'ๆฒณๅ—็œ,็„ฆไฝœๅธ‚,่งฃๆ”พๅŒบ':(35.25,113.22), # 'ๆฒณๅ—็œ,็„ฆไฝœๅธ‚,ไธญ็ซ™ๅŒบ':(35.23,113.17), # 'ๆฒณๅ—็œ,็„ฆไฝœๅธ‚,้ฉฌๆ‘ๅŒบ':(35.27,113.32), # 'ๆฒณๅ—็œ,็„ฆไฝœๅธ‚,ๅฑฑ้˜ณๅŒบ':(35.22,113.25), # 'ๆฒณๅ—็œ,็„ฆไฝœๅธ‚,ไฟฎๆญฆๅŽฟ':(35.23,113.43), # 'ๆฒณๅ—็œ,็„ฆไฝœๅธ‚,ๅš็ˆฑๅŽฟ':(35.17,113.07), # 'ๆฒณๅ—็œ,็„ฆไฝœๅธ‚,ๆญฆ้™ŸๅŽฟ':(35.1,113.38), # 'ๆฒณๅ—็œ,็„ฆไฝœๅธ‚,ๆธฉๅŽฟ':(34.93,113.08), # 'ๆฒณๅ—็œ,็„ฆไฝœๅธ‚,ๆตŽๆบๅธ‚':(35.07,112.58), # 'ๆฒณๅ—็œ,็„ฆไฝœๅธ‚,ๆฒ้˜ณๅธ‚':(35.08,112.93), # 'ๆฒณๅ—็œ,็„ฆไฝœๅธ‚,ๅญŸๅทžๅธ‚':(34.9,112.78), # 'ๆฒณๅ—็œ,ๆฟฎ้˜ณๅธ‚,ๆฟฎ้˜ณๅธ‚':(35.77,115.03), # 'ๆฒณๅ—็œ,ๆฟฎ้˜ณๅธ‚,ๅŽ้พ™ๅŒบ':(35.78,115.07), # 'ๆฒณๅ—็œ,ๆฟฎ้˜ณๅธ‚,ๆธ…ไธฐๅŽฟ':(35.9,115.12), # 'ๆฒณๅ—็œ,ๆฟฎ้˜ณๅธ‚,ๅ—ไนๅŽฟ':(36.08,115.2), # 'ๆฒณๅ—็œ,ๆฟฎ้˜ณๅธ‚,่ŒƒๅŽฟ':(35.87,115.5), # 'ๆฒณๅ—็œ,ๆฟฎ้˜ณๅธ‚,ๅฐๅ‰ๅŽฟ':(36.0,115.85), # 'ๆฒณๅ—็œ,ๆฟฎ้˜ณๅธ‚,ๆฟฎ้˜ณๅŽฟ':(35.7,115.02), # 'ๆฒณๅ—็œ,่ฎธๆ˜Œๅธ‚,่ฎธๆ˜Œๅธ‚':(34.03,113.85), # 'ๆฒณๅ—็œ,่ฎธๆ˜Œๅธ‚,้ญ้ƒฝๅŒบ':(34.03,113.82), # 'ๆฒณๅ—็œ,่ฎธๆ˜Œๅธ‚,่ฎธๆ˜ŒๅŽฟ':(34.0,113.83), # 'ๆฒณๅ—็œ,่ฎธๆ˜Œๅธ‚,้„ข้™ตๅŽฟ':(34.1,114.2), # 'ๆฒณๅ—็œ,่ฎธๆ˜Œๅธ‚,่ฅ„ๅŸŽๅŽฟ':(33.85,113.48), # 'ๆฒณๅ—็œ,่ฎธๆ˜Œๅธ‚,็ฆนๅทžๅธ‚':(34.17,113.47), # 'ๆฒณๅ—็œ,่ฎธๆ˜Œๅธ‚,้•ฟ่‘›ๅธ‚':(34.22,113.77), # 'ๆฒณๅ—็œ,ๆผฏๆฒณๅธ‚,ๆผฏๆฒณๅธ‚':(33.58,114.02), # 'ๆฒณๅ—็œ,ๆผฏๆฒณๅธ‚,้ƒพๅŸŽๅŒบ':(33.58,114.0), # 'ๆฒณๅ—็œ,ๆผฏๆฒณๅธ‚,ๅฌ้™ตๅŒบ':(33.57,114.07), # 'ๆฒณๅ—็œ,ๆผฏๆฒณๅธ‚,่ˆž้˜ณๅŽฟ':(33.43,113.6), # 'ๆฒณๅ—็œ,ๆผฏๆฒณๅธ‚,ไธด้ขๅŽฟ':(33.82,113.93), # 'ๆฒณๅ—็œ,ไธ‰้—จๅณกๅธ‚,ไธ‰้—จๅณกๅธ‚':(34.78,111.2), # 'ๆฒณๅ—็œ,ไธ‰้—จๅณกๅธ‚,ๆน–ๆปจๅŒบ':(34.78,111.2), # 'ๆฒณๅ—็œ,ไธ‰้—จๅณกๅธ‚,ๆธ‘ๆฑ ๅŽฟ':(34.77,111.75), # 'ๆฒณๅ—็œ,ไธ‰้—จๅณกๅธ‚,้™•ๅŽฟ':(34.7,111.08), # 'ๆฒณๅ—็œ,ไธ‰้—จๅณกๅธ‚,ๅขๆฐๅŽฟ':(34.05,111.05), # 'ๆฒณๅ—็œ,ไธ‰้—จๅณกๅธ‚,ไน‰้ฉฌๅธ‚':(34.75,111.87), # 'ๆฒณๅ—็œ,ไธ‰้—จๅณกๅธ‚,็ตๅฎๅธ‚':(34.52,110.87), # 'ๆฒณๅ—็œ,ๅ—้˜ณๅธ‚,ๅ—้˜ณๅธ‚':(33.0,112.52), # 'ๆฒณๅ—็œ,ๅ—้˜ณๅธ‚,ๅฎ›ๅŸŽๅŒบ':(33.02,112.55), # 'ๆฒณๅ—็œ,ๅ—้˜ณๅธ‚,ๅง้พ™ๅŒบ':(32.98,112.53), # 'ๆฒณๅ—็œ,ๅ—้˜ณๅธ‚,ๅ—ๅฌๅŽฟ':(33.5,112.43), # 'ๆฒณๅ—็œ,ๅ—้˜ณๅธ‚,ๆ–นๅŸŽๅŽฟ':(33.27,113.0), # 'ๆฒณๅ—็œ,ๅ—้˜ณๅธ‚,่ฅฟๅณกๅŽฟ':(33.28,111.48), # 'ๆฒณๅ—็œ,ๅ—้˜ณๅธ‚,้•‡ๅนณๅŽฟ':(33.03,112.23), # 'ๆฒณๅ—็œ,ๅ—้˜ณๅธ‚,ๅ†…ไนกๅŽฟ':(33.05,111.85), # 'ๆฒณๅ—็œ,ๅ—้˜ณๅธ‚,ๆท…ๅทๅŽฟ':(33.13,111.48), # 'ๆฒณๅ—็œ,ๅ—้˜ณๅธ‚,็คพๆ——ๅŽฟ':(33.05,112.93), # 'ๆฒณๅ—็œ,ๅ—้˜ณๅธ‚,ๅ”ๆฒณๅŽฟ':(32.7,112.83), # 'ๆฒณๅ—็œ,ๅ—้˜ณๅธ‚,ๆ–ฐ้‡ŽๅŽฟ':(32.52,112.35), # 'ๆฒณๅ—็œ,ๅ—้˜ณๅธ‚,ๆกๆŸๅŽฟ':(32.37,113.4), # 'ๆฒณๅ—็œ,ๅ—้˜ณๅธ‚,้‚“ๅทžๅธ‚':(32.68,112.08), # 'ๆฒณๅ—็œ,ๅ•†ไธ˜ๅธ‚,ๅ•†ไธ˜ๅธ‚':(34.45,115.65), # 'ๆฒณๅ—็œ,ๅ•†ไธ˜ๅธ‚,ๆขๅ›ญๅŒบ':(34.45,115.63), # 'ๆฒณๅ—็œ,ๅ•†ไธ˜ๅธ‚,็ข้˜ณๅŒบ':(34.38,115.63), # 'ๆฒณๅ—็œ,ๅ•†ไธ˜ๅธ‚,ๆฐ‘ๆƒๅŽฟ':(34.65,115.13), # 'ๆฒณๅ—็œ,ๅ•†ไธ˜ๅธ‚,็ขๅŽฟ':(34.45,115.07), # 'ๆฒณๅ—็œ,ๅ•†ไธ˜ๅธ‚,ๅฎ้™ตๅŽฟ':(34.45,115.32), # 'ๆฒณๅ—็œ,ๅ•†ไธ˜ๅธ‚,ๆŸ˜ๅŸŽๅŽฟ':(34.07,115.3), # 'ๆฒณๅ—็œ,ๅ•†ไธ˜ๅธ‚,่™žๅŸŽๅŽฟ':(34.4,115.85), # 'ๆฒณๅ—็œ,ๅ•†ไธ˜ๅธ‚,ๅค้‚‘ๅŽฟ':(34.23,116.13), # 'ๆฒณๅ—็œ,ๅ•†ไธ˜ๅธ‚,ๆฐธๅŸŽๅธ‚':(33.92,116.43), # 'ๆฒณๅ—็œ,ไฟก้˜ณๅธ‚,ไฟก้˜ณๅธ‚':(32.13,114.07), # 'ๆฒณๅ—็œ,ไฟก้˜ณๅธ‚,ๆต‰ๆฒณๅŒบ':(32.12,114.05), # 'ๆฒณๅ—็œ,ไฟก้˜ณๅธ‚,ๅนณๆกฅๅŒบ':(32.1,114.12), # 'ๆฒณๅ—็œ,ไฟก้˜ณๅธ‚,็ฝ—ๅฑฑๅŽฟ':(32.2,114.53), # 'ๆฒณๅ—็œ,ไฟก้˜ณๅธ‚,ๅ…‰ๅฑฑๅŽฟ':(32.02,114.9), # 'ๆฒณๅ—็œ,ไฟก้˜ณๅธ‚,ๆ–ฐๅŽฟ':(31.63,114.87), # 'ๆฒณๅ—็œ,ไฟก้˜ณๅธ‚,ๅ•†ๅŸŽๅŽฟ':(31.8,115.4), # 'ๆฒณๅ—็œ,ไฟก้˜ณๅธ‚,ๅ›บๅง‹ๅŽฟ':(32.18,115.68), # 'ๆฒณๅ—็œ,ไฟก้˜ณๅธ‚,ๆฝขๅทๅŽฟ':(32.13,115.03), # 'ๆฒณๅ—็œ,ไฟก้˜ณๅธ‚,ๆทฎๆปจๅŽฟ':(32.43,115.4), # 'ๆฒณๅ—็œ,ไฟก้˜ณๅธ‚,ๆฏๅŽฟ':(32.35,114.73), # 'ๆฒณๅ—็œ,ๅ‘จๅฃๅธ‚,ๅ‘จๅฃๅธ‚':(33.62,114.65), # 'ๆฒณๅ—็œ,ๅ‘จๅฃๅธ‚,ๆ‰ถๆฒŸๅŽฟ':(34.07,114.38), # 'ๆฒณๅ—็œ,ๅ‘จๅฃๅธ‚,่ฅฟๅŽๅŽฟ':(33.8,114.53), # 'ๆฒณๅ—็œ,ๅ‘จๅฃๅธ‚,ๅ•†ๆฐดๅŽฟ':(33.53,114.6), # 'ๆฒณๅ—็œ,ๅ‘จๅฃๅธ‚,ๆฒˆไธ˜ๅŽฟ':(33.4,115.07), # 'ๆฒณๅ—็œ,ๅ‘จๅฃๅธ‚,้ƒธๅŸŽๅŽฟ':(33.65,115.2), # 'ๆฒณๅ—็œ,ๅ‘จๅฃๅธ‚,ๆทฎ้˜ณๅŽฟ':(33.73,114.88), # 'ๆฒณๅ—็œ,ๅ‘จๅฃๅธ‚,ๅคชๅบทๅŽฟ':(34.07,114.85), # 'ๆฒณๅ—็œ,ๅ‘จๅฃๅธ‚,้นฟ้‚‘ๅŽฟ':(33.87,115.48), # 'ๆฒณๅ—็œ,ๅ‘จๅฃๅธ‚,้กนๅŸŽๅธ‚':(33.45,114.9), # 'ๆฒณๅ—็œ,้ฉป้ฉฌๅบ—ๅธ‚,้ฉป้ฉฌๅบ—ๅธ‚':(32.98,114.02), # 'ๆฒณๅ—็œ,้ฉป้ฉฌๅบ—ๅธ‚,้ฉฟๅŸŽๅŒบ':(32.97,114.05), # 'ๆฒณๅ—็œ,้ฉป้ฉฌๅบ—ๅธ‚,่ฅฟๅนณๅŽฟ':(33.38,114.02), # 'ๆฒณๅ—็œ,้ฉป้ฉฌๅบ—ๅธ‚,ไธŠ่”กๅŽฟ':(33.27,114.27), # 'ๆฒณๅ—็œ,้ฉป้ฉฌๅบ—ๅธ‚,ๅนณ่ˆ†ๅŽฟ':(32.97,114.63), # 'ๆฒณๅ—็œ,้ฉป้ฉฌๅบ—ๅธ‚,ๆญฃ้˜ณๅŽฟ':(32.6,114.38), # 'ๆฒณๅ—็œ,้ฉป้ฉฌๅบ—ๅธ‚,็กฎๅฑฑๅŽฟ':(32.8,114.02), # 'ๆฒณๅ—็œ,้ฉป้ฉฌๅบ—ๅธ‚,ๆณŒ้˜ณๅŽฟ':(32.72,113.32), # 'ๆฒณๅ—็œ,้ฉป้ฉฌๅบ—ๅธ‚,ๆฑๅ—ๅŽฟ':(33.0,114.35), # 'ๆฒณๅ—็œ,้ฉป้ฉฌๅบ—ๅธ‚,้‚ๅนณๅŽฟ':(33.15,114.0), # 'ๆฒณๅ—็œ,้ฉป้ฉฌๅบ—ๅธ‚,ๆ–ฐ่”กๅŽฟ':(32.75,114.98), # 'ๆน–ๅŒ—็œ,ๆญฆๆฑ‰ๅธ‚,ๆญฆๆฑ‰ๅธ‚':(30.6,114.3), # 'ๆน–ๅŒ—็œ,ๆญฆๆฑ‰ๅธ‚,ๆฑŸๅฒธๅŒบ':(30.6,114.3), # 'ๆน–ๅŒ—็œ,ๆญฆๆฑ‰ๅธ‚,ๆฑŸๆฑ‰ๅŒบ':(30.6,114.27), # 'ๆน–ๅŒ—็œ,ๆญฆๆฑ‰ๅธ‚,็กšๅฃๅŒบ':(30.57,114.27), # 'ๆน–ๅŒ—็œ,ๆญฆๆฑ‰ๅธ‚,ๆฑ‰้˜ณๅŒบ':(30.55,114.27), # 'ๆน–ๅŒ—็œ,ๆญฆๆฑ‰ๅธ‚,ๆญฆๆ˜ŒๅŒบ':(30.57,114.3), # 'ๆน–ๅŒ—็œ,ๆญฆๆฑ‰ๅธ‚,้’ๅฑฑๅŒบ':(30.63,114.38), # 'ๆน–ๅŒ—็œ,ๆญฆๆฑ‰ๅธ‚,ๆดชๅฑฑๅŒบ':(30.5,114.33), # 'ๆน–ๅŒ—็œ,ๆญฆๆฑ‰ๅธ‚,ไธœ่ฅฟๆน–ๅŒบ':(30.62,114.13), # 'ๆน–ๅŒ—็œ,ๆญฆๆฑ‰ๅธ‚,ๆฑ‰ๅ—ๅŒบ':(30.32,114.08), # 'ๆน–ๅŒ—็œ,ๆญฆๆฑ‰ๅธ‚,่”ก็”ธๅŒบ':(30.58,114.03), # 'ๆน–ๅŒ—็œ,ๆญฆๆฑ‰ๅธ‚,ๆฑŸๅคๅŒบ':(30.35,114.32), # 'ๆน–ๅŒ—็œ,ๆญฆๆฑ‰ๅธ‚,้ป„้™‚ๅŒบ':(30.87,114.37), # 'ๆน–ๅŒ—็œ,ๆญฆๆฑ‰ๅธ‚,ๆ–ฐๆดฒๅŒบ':(30.85,114.8), # 'ๆน–ๅŒ—็œ,้ป„็Ÿณๅธ‚,้ป„็Ÿณๅธ‚':(30.2,115.03), # 'ๆน–ๅŒ—็œ,้ป„็Ÿณๅธ‚,้ป„็ŸณๆธฏๅŒบ':(30.23,115.07), # 'ๆน–ๅŒ—็œ,้ป„็Ÿณๅธ‚,่ฅฟๅกžๅฑฑๅŒบ':(30.2,115.12), # 'ๆน–ๅŒ—็œ,้ป„็Ÿณๅธ‚,ไธ‹้™†ๅŒบ':(30.18,114.97), # 'ๆน–ๅŒ—็œ,้ป„็Ÿณๅธ‚,้“ๅฑฑๅŒบ':(30.2,114.9), # 'ๆน–ๅŒ—็œ,้ป„็Ÿณๅธ‚,้˜ณๆ–ฐๅŽฟ':(29.85,115.2), # 'ๆน–ๅŒ—็œ,้ป„็Ÿณๅธ‚,ๅคงๅ†ถๅธ‚':(30.1,114.97), # 'ๆน–ๅŒ—็œ,ๅๅ ฐๅธ‚,ๅๅ ฐๅธ‚':(32.65,110.78), # 'ๆน–ๅŒ—็œ,ๅๅ ฐๅธ‚,่Œ…็ฎญๅŒบ':(32.6,110.82), # 'ๆน–ๅŒ—็œ,ๅๅ ฐๅธ‚,ๅผ ๆนพๅŒบ':(32.65,110.78), # 'ๆน–ๅŒ—็œ,ๅๅ ฐๅธ‚,้ƒงๅŽฟ':(32.83,110.82), # 'ๆน–ๅŒ—็œ,ๅๅ ฐๅธ‚,้ƒง่ฅฟๅŽฟ':(33.0,110.42), # 'ๆน–ๅŒ—็œ,ๅๅ ฐๅธ‚,็ซนๅฑฑๅŽฟ':(32.23,110.23), # 'ๆน–ๅŒ—็œ,ๅๅ ฐๅธ‚,็ซนๆบชๅŽฟ':(32.32,109.72), # 'ๆน–ๅŒ—็œ,ๅๅ ฐๅธ‚,ๆˆฟๅŽฟ':(32.07,110.73), # 'ๆน–ๅŒ—็œ,ๅๅ ฐๅธ‚,ไธนๆฑŸๅฃๅธ‚':(32.55,111.52), # 'ๆน–ๅŒ—็œ,ๅฎœๆ˜Œๅธ‚,ๅฎœๆ˜Œๅธ‚':(30.7,111.28), # 'ๆน–ๅŒ—็œ,ๅฎœๆ˜Œๅธ‚,่ฅฟ้™ตๅŒบ':(30.7,111.27), # 'ๆน–ๅŒ—็œ,ๅฎœๆ˜Œๅธ‚,ไผๅฎถๅฒ—ๅŒบ':(30.65,111.35), # 'ๆน–ๅŒ—็œ,ๅฎœๆ˜Œๅธ‚,็‚นๅ†›ๅŒบ':(30.7,111.27), # 'ๆน–ๅŒ—็œ,ๅฎœๆ˜Œๅธ‚,็Œ‡ไบญๅŒบ':(30.53,111.42), # 'ๆน–ๅŒ—็œ,ๅฎœๆ˜Œๅธ‚,ๅคท้™ตๅŒบ':(30.77,111.32), # 'ๆน–ๅŒ—็œ,ๅฎœๆ˜Œๅธ‚,่ฟœๅฎ‰ๅŽฟ':(31.07,111.63), # 'ๆน–ๅŒ—็œ,ๅฎœๆ˜Œๅธ‚,ๅ…ดๅฑฑๅŽฟ':(31.35,110.75), # 'ๆน–ๅŒ—็œ,ๅฎœๆ˜Œๅธ‚,็งญๅฝ’ๅŽฟ':(30.83,110.98), # 'ๆน–ๅŒ—็œ,ๅฎœๆ˜Œๅธ‚,้•ฟ้˜ณๅœŸๅฎถๆ—่‡ชๆฒปๅŽฟ':(30.47,111.18), # 'ๆน–ๅŒ—็œ,ๅฎœๆ˜Œๅธ‚,ไบ”ๅณฐๅœŸๅฎถๆ—่‡ชๆฒปๅŽฟ':(30.2,110.67), # 'ๆน–ๅŒ—็œ,ๅฎœๆ˜Œๅธ‚,ๅฎœ้ƒฝๅธ‚':(30.4,111.45), # 'ๆน–ๅŒ—็œ,ๅฎœๆ˜Œๅธ‚,ๅฝ“้˜ณๅธ‚':(30.82,111.78), # 'ๆน–ๅŒ—็œ,ๅฎœๆ˜Œๅธ‚,ๆžๆฑŸๅธ‚':(30.43,111.77), # 'ๆน–ๅŒ—็œ,่ฅ„ๆจŠๅธ‚,่ฅ„ๆจŠๅธ‚':(32.02,112.15), # 'ๆน–ๅŒ—็œ,่ฅ„ๆจŠๅธ‚,่ฅ„ๅŸŽๅŒบ':(32.02,112.15), # 'ๆน–ๅŒ—็œ,่ฅ„ๆจŠๅธ‚,ๆจŠๅŸŽๅŒบ':(32.03,112.13), # 'ๆน–ๅŒ—็œ,่ฅ„ๆจŠๅธ‚,่ฅ„้˜ณๅŒบ':(32.08,112.2), # 'ๆน–ๅŒ—็œ,่ฅ„ๆจŠๅธ‚,ๅ—ๆผณๅŽฟ':(31.78,111.83), # 'ๆน–ๅŒ—็œ,่ฅ„ๆจŠๅธ‚,่ฐทๅŸŽๅŽฟ':(32.27,111.65), # 'ๆน–ๅŒ—็œ,่ฅ„ๆจŠๅธ‚,ไฟๅบทๅŽฟ':(31.88,111.25), # 'ๆน–ๅŒ—็œ,่ฅ„ๆจŠๅธ‚,่€ๆฒณๅฃๅธ‚':(32.38,111.67), # 'ๆน–ๅŒ—็œ,่ฅ„ๆจŠๅธ‚,ๆžฃ้˜ณๅธ‚':(32.13,112.75), # 'ๆน–ๅŒ—็œ,่ฅ„ๆจŠๅธ‚,ๅฎœๅŸŽๅธ‚':(31.72,112.25), # 'ๆน–ๅŒ—็œ,้„‚ๅทžๅธ‚,้„‚ๅทžๅธ‚':(30.4,114.88), # 'ๆน–ๅŒ—็œ,้„‚ๅทžๅธ‚,ๆขๅญๆน–ๅŒบ':(30.08,114.67), # 'ๆน–ๅŒ—็œ,้„‚ๅทžๅธ‚,ๅŽๅฎนๅŒบ':(30.53,114.73), # 'ๆน–ๅŒ—็œ,้„‚ๅทžๅธ‚,้„‚ๅŸŽๅŒบ':(30.4,114.88), # 'ๆน–ๅŒ—็œ,่†้—จๅธ‚,่†้—จๅธ‚':(31.03,112.2), # 'ๆน–ๅŒ—็œ,่†้—จๅธ‚,ไธœๅฎๅŒบ':(31.05,112.2), # 'ๆน–ๅŒ—็œ,่†้—จๅธ‚,ๆއๅˆ€ๅŒบ':(30.98,112.2), # 'ๆน–ๅŒ—็œ,่†้—จๅธ‚,ไบฌๅฑฑๅŽฟ':(31.02,113.1), # 'ๆน–ๅŒ—็œ,่†้—จๅธ‚,ๆฒ™ๆด‹ๅŽฟ':(30.7,112.58), # 'ๆน–ๅŒ—็œ,่†้—จๅธ‚,้’Ÿ็ฅฅๅธ‚':(31.17,112.58), # 'ๆน–ๅŒ—็œ,ๅญๆ„Ÿๅธ‚,ๅญๆ„Ÿๅธ‚':(30.93,113.92), # 'ๆน–ๅŒ—็œ,ๅญๆ„Ÿๅธ‚,ๅญๅ—ๅŒบ':(30.92,113.92), # 'ๆน–ๅŒ—็œ,ๅญๆ„Ÿๅธ‚,ๅญๆ˜ŒๅŽฟ':(31.25,113.97), # 'ๆน–ๅŒ—็œ,ๅญๆ„Ÿๅธ‚,ๅคงๆ‚ŸๅŽฟ':(31.57,114.12), # 'ๆน–ๅŒ—็œ,ๅญๆ„Ÿๅธ‚,ไบ‘ๆขฆๅŽฟ':(31.02,113.75), # 'ๆน–ๅŒ—็œ,ๅญๆ„Ÿๅธ‚,ๅบ”ๅŸŽๅธ‚':(30.95,113.57), # 'ๆน–ๅŒ—็œ,ๅญๆ„Ÿๅธ‚,ๅฎ‰้™†ๅธ‚':(31.27,113.68), # 'ๆน–ๅŒ—็œ,ๅญๆ„Ÿๅธ‚,ๆฑ‰ๅทๅธ‚':(30.65,113.83), # 'ๆน–ๅŒ—็œ,่†ๅทžๅธ‚,่†ๅทžๅธ‚':(30.33,112.23), # 'ๆน–ๅŒ—็œ,่†ๅทžๅธ‚,ๆฒ™ๅธ‚ๅŒบ':(30.32,112.25), # 'ๆน–ๅŒ—็œ,่†ๅทžๅธ‚,่†ๅทžๅŒบ':(30.35,112.18), # 'ๆน–ๅŒ—็œ,่†ๅทžๅธ‚,ๅ…ฌๅฎ‰ๅŽฟ':(30.07,112.23), # 'ๆน–ๅŒ—็œ,่†ๅทžๅธ‚,็›‘ๅˆฉๅŽฟ':(29.82,112.88), # 'ๆน–ๅŒ—็œ,่†ๅทžๅธ‚,ๆฑŸ้™ตๅŽฟ':(30.03,112.42), # 'ๆน–ๅŒ—็œ,่†ๅทžๅธ‚,็Ÿณ้ฆ–ๅธ‚':(29.73,112.4), # 'ๆน–ๅŒ—็œ,่†ๅทžๅธ‚,ๆดชๆน–ๅธ‚':(29.8,113.45), # 'ๆน–ๅŒ—็œ,่†ๅทžๅธ‚,ๆพๆป‹ๅธ‚':(30.18,111.77), # 'ๆน–ๅŒ—็œ,้ป„ๅ†ˆๅธ‚,้ป„ๅ†ˆๅธ‚':(30.45,114.87), # 'ๆน–ๅŒ—็œ,้ป„ๅ†ˆๅธ‚,้ป„ๅทžๅŒบ':(30.43,114.88), # 'ๆน–ๅŒ—็œ,้ป„ๅ†ˆๅธ‚,ๅ›ข้ฃŽๅŽฟ':(30.63,114.87), # 'ๆน–ๅŒ—็œ,้ป„ๅ†ˆๅธ‚,็บขๅฎ‰ๅŽฟ':(31.28,114.62), # 'ๆน–ๅŒ—็œ,้ป„ๅ†ˆๅธ‚,็ฝ—็”ฐๅŽฟ':(30.78,115.4), # 'ๆน–ๅŒ—็œ,้ป„ๅ†ˆๅธ‚,่‹ฑๅฑฑๅŽฟ':(30.75,115.67), # 'ๆน–ๅŒ—็œ,้ป„ๅ†ˆๅธ‚,ๆต ๆฐดๅŽฟ':(30.45,115.27), # 'ๆน–ๅŒ—็œ,้ป„ๅ†ˆๅธ‚,่•ฒๆ˜ฅๅŽฟ':(30.23,115.43), # 'ๆน–ๅŒ—็œ,้ป„ๅ†ˆๅธ‚,้ป„ๆข…ๅŽฟ':(30.08,115.93), # 'ๆน–ๅŒ—็œ,้ป„ๅ†ˆๅธ‚,้บปๅŸŽๅธ‚':(31.18,115.03), # 'ๆน–ๅŒ—็œ,้ป„ๅ†ˆๅธ‚,ๆญฆ็ฉดๅธ‚':(29.85,115.55), # 'ๆน–ๅŒ—็œ,ๅ’ธๅฎๅธ‚,ๅ’ธๅฎๅธ‚':(29.85,114.32), # 'ๆน–ๅŒ—็œ,ๅ’ธๅฎๅธ‚,ๅ’ธๅฎ‰ๅŒบ':(29.87,114.3), # 'ๆน–ๅŒ—็œ,ๅ’ธๅฎๅธ‚,ๅ˜‰้ฑผๅŽฟ':(29.98,113.9), # 'ๆน–ๅŒ—็œ,ๅ’ธๅฎๅธ‚,้€šๅŸŽๅŽฟ':(29.25,113.82), # 'ๆน–ๅŒ—็œ,ๅ’ธๅฎๅธ‚,ๅด‡้˜ณๅŽฟ':(29.55,114.03), # 'ๆน–ๅŒ—็œ,ๅ’ธๅฎๅธ‚,้€šๅฑฑๅŽฟ':(29.6,114.52), # 'ๆน–ๅŒ—็œ,ๅ’ธๅฎๅธ‚,่ตคๅฃๅธ‚':(29.72,113.88), # 'ๆน–ๅŒ—็œ,้šๅทžๅธ‚,้šๅทžๅธ‚':(31.72,113.37), # 'ๆน–ๅŒ—็œ,้šๅทžๅธ‚,ๆ›พ้ƒฝๅŒบ':(31.72,113.37), # 'ๆน–ๅŒ—็œ,้šๅทžๅธ‚,ๅนฟๆฐดๅธ‚':(31.62,113.82), # 'ๆน–ๅŒ—็œ,ๆฉๆ–ฝๅœŸๅฎถๆ—่‹—ๆ—่‡ชๆฒปๅทžๅธ‚,ๆฉๆ–ฝๅœŸๅฎถๆ—่‹—ๆ—่‡ชๆฒปๅทž':(30.3,109.47), # 'ๆน–ๅŒ—็œ,ๆฉๆ–ฝๅœŸๅฎถๆ—่‹—ๆ—่‡ชๆฒปๅทžๅธ‚,ๆฉๆ–ฝๅธ‚':(30.3,109.47), # 'ๆน–ๅŒ—็œ,ๆฉๆ–ฝๅœŸๅฎถๆ—่‹—ๆ—่‡ชๆฒปๅทžๅธ‚,ๅˆฉๅทๅธ‚':(30.3,108.93), # 'ๆน–ๅŒ—็œ,ๆฉๆ–ฝๅœŸๅฎถๆ—่‹—ๆ—่‡ชๆฒปๅทžๅธ‚,ๅปบๅง‹ๅŽฟ':(30.6,109.73), # 'ๆน–ๅŒ—็œ,ๆฉๆ–ฝๅœŸๅฎถๆ—่‹—ๆ—่‡ชๆฒปๅทžๅธ‚,ๅทดไธœๅŽฟ':(31.05,110.33), # 'ๆน–ๅŒ—็œ,ๆฉๆ–ฝๅœŸๅฎถๆ—่‹—ๆ—่‡ชๆฒปๅทžๅธ‚,ๅฎฃๆฉๅŽฟ':(29.98,109.48), # 'ๆน–ๅŒ—็œ,ๆฉๆ–ฝๅœŸๅฎถๆ—่‹—ๆ—่‡ชๆฒปๅทžๅธ‚,ๅ’ธไธฐๅŽฟ':(29.68,109.15), # 'ๆน–ๅŒ—็œ,ๆฉๆ–ฝๅœŸๅฎถๆ—่‹—ๆ—่‡ชๆฒปๅทžๅธ‚,ๆฅๅ‡คๅŽฟ':(29.52,109.4), # 'ๆน–ๅŒ—็œ,ๆฉๆ–ฝๅœŸๅฎถๆ—่‹—ๆ—่‡ชๆฒปๅทžๅธ‚,้นคๅณฐๅŽฟ':(29.9,110.03), # 'ๆน–ๅŒ—็œ,ไป™ๆกƒๅธ‚,ไป™ๆกƒๅธ‚':(30.37,113.45), # 'ๆน–ๅŒ—็œ,ไป™ๆกƒๅธ‚,ๆฝœๆฑŸๅธ‚':(30.42,112.88), # 'ๆน–ๅŒ—็œ,ไป™ๆกƒๅธ‚,ๅคฉ้—จๅธ‚':(30.67,113.17), # 'ๆน–ๅŒ—็œ,ไป™ๆกƒๅธ‚,็ฅžๅ†œๆžถๆž—ๅŒบ':(31.75,110.67), # 'ๆน–ๅ—็œ,้•ฟๆฒ™ๅธ‚,้•ฟๆฒ™ๅธ‚':(28.23,112.93), # 'ๆน–ๅ—็œ,้•ฟๆฒ™ๅธ‚,่Š™่“‰ๅŒบ':(28.18,113.03), # 'ๆน–ๅ—็œ,้•ฟๆฒ™ๅธ‚,ๅคฉๅฟƒๅŒบ':(28.12,112.98), # 'ๆน–ๅ—็œ,้•ฟๆฒ™ๅธ‚,ๅฒณ้บ“ๅŒบ':(28.23,112.93), # 'ๆน–ๅ—็œ,้•ฟๆฒ™ๅธ‚,ๅผ€็ฆๅŒบ':(28.25,112.98), # 'ๆน–ๅ—็œ,้•ฟๆฒ™ๅธ‚,้›จ่ŠฑๅŒบ':(28.13,113.03), # 'ๆน–ๅ—็œ,้•ฟๆฒ™ๅธ‚,้•ฟๆฒ™ๅŽฟ':(28.25,113.07), # 'ๆน–ๅ—็œ,้•ฟๆฒ™ๅธ‚,ๆœ›ๅŸŽๅŽฟ':(28.37,112.82), # 'ๆน–ๅ—็œ,้•ฟๆฒ™ๅธ‚,ๅฎไนกๅŽฟ':(28.25,112.55), # 'ๆน–ๅ—็œ,้•ฟๆฒ™ๅธ‚,ๆต้˜ณๅธ‚':(28.15,113.63), # 'ๆน–ๅ—็œ,ๆ ชๆดฒๅธ‚,ๆ ชๆดฒๅธ‚':(27.83,113.13), # 'ๆน–ๅ—็œ,ๆ ชๆดฒๅธ‚,่ทๅก˜ๅŒบ':(27.87,113.17), # 'ๆน–ๅ—็œ,ๆ ชๆดฒๅธ‚,่ŠฆๆทžๅŒบ':(27.83,113.15), # 'ๆน–ๅ—็œ,ๆ ชๆดฒๅธ‚,็ŸณๅณฐๅŒบ':(27.87,113.1), # 'ๆน–ๅ—็œ,ๆ ชๆดฒๅธ‚,ๅคฉๅ…ƒๅŒบ':(27.83,113.12), # 'ๆน–ๅ—็œ,ๆ ชๆดฒๅธ‚,ๆ ชๆดฒๅŽฟ':(27.72,113.13), # 'ๆน–ๅ—็œ,ๆ ชๆดฒๅธ‚,ๆ”ธๅŽฟ':(27.0,113.33), # 'ๆน–ๅ—็œ,ๆ ชๆดฒๅธ‚,่Œถ้™ตๅŽฟ':(26.8,113.53), # 'ๆน–ๅ—็œ,ๆ ชๆดฒๅธ‚,็‚Ž้™ตๅŽฟ':(26.48,113.77), # 'ๆน–ๅ—็œ,ๆ ชๆดฒๅธ‚,้†ด้™ตๅธ‚':(27.67,113.48), # 'ๆน–ๅ—็œ,ๆน˜ๆฝญๅธ‚,ๆน˜ๆฝญๅธ‚':(27.83,112.93), # 'ๆน–ๅ—็œ,ๆน˜ๆฝญๅธ‚,้›จๆน–ๅŒบ':(27.87,112.9), # 'ๆน–ๅ—็œ,ๆน˜ๆฝญๅธ‚,ๅฒณๅก˜ๅŒบ':(27.87,112.95), # 'ๆน–ๅ—็œ,ๆน˜ๆฝญๅธ‚,ๆน˜ๆฝญๅŽฟ':(27.78,112.95), # 'ๆน–ๅ—็œ,ๆน˜ๆฝญๅธ‚,ๆน˜ไนกๅธ‚':(27.73,112.53), # 'ๆน–ๅ—็œ,ๆน˜ๆฝญๅธ‚,้Ÿถๅฑฑๅธ‚':(27.93,112.52), # 'ๆน–ๅ—็œ,่กก้˜ณๅธ‚,่กก้˜ณๅธ‚':(26.9,112.57), # 'ๆน–ๅ—็œ,่กก้˜ณๅธ‚,็ ๆ™–ๅŒบ':(26.9,112.62), # 'ๆน–ๅ—็œ,่กก้˜ณๅธ‚,้›ๅณฐๅŒบ':(26.88,112.6), # 'ๆน–ๅ—็œ,่กก้˜ณๅธ‚,็Ÿณ้ผ“ๅŒบ':(26.9,112.6), # 'ๆน–ๅ—็œ,่กก้˜ณๅธ‚,่’ธๆน˜ๅŒบ':(26.9,112.6), # 'ๆน–ๅ—็œ,่กก้˜ณๅธ‚,ๅ—ๅฒณๅŒบ':(27.25,112.73), # 'ๆน–ๅ—็œ,่กก้˜ณๅธ‚,่กก้˜ณๅŽฟ':(26.97,112.37), # 'ๆน–ๅ—็œ,่กก้˜ณๅธ‚,่กกๅ—ๅŽฟ':(26.73,112.67), # 'ๆน–ๅ—็œ,่กก้˜ณๅธ‚,่กกๅฑฑๅŽฟ':(27.23,112.87), # 'ๆน–ๅ—็œ,่กก้˜ณๅธ‚,่กกไธœๅŽฟ':(27.08,112.95), # 'ๆน–ๅ—็œ,่กก้˜ณๅธ‚,็ฅไธœๅŽฟ':(26.78,112.12), # 'ๆน–ๅ—็œ,่กก้˜ณๅธ‚,่€’้˜ณๅธ‚':(26.42,112.85), # 'ๆน–ๅ—็œ,่กก้˜ณๅธ‚,ๅธธๅฎๅธ‚':(26.42,112.38), # 'ๆน–ๅ—็œ,้‚ต้˜ณๅธ‚,้‚ต้˜ณๅธ‚':(27.25,111.47), # 'ๆน–ๅ—็œ,้‚ต้˜ณๅธ‚,ๅŒๆธ…ๅŒบ':(27.23,111.47), # 'ๆน–ๅ—็œ,้‚ต้˜ณๅธ‚,ๅคง็ฅฅๅŒบ':(27.23,111.45), # 'ๆน–ๅ—็œ,้‚ต้˜ณๅธ‚,ๅŒ—ๅก”ๅŒบ':(27.25,111.45), # 'ๆน–ๅ—็œ,้‚ต้˜ณๅธ‚,้‚ตไธœๅŽฟ':(27.25,111.75), # 'ๆน–ๅ—็œ,้‚ต้˜ณๅธ‚,ๆ–ฐ้‚ตๅŽฟ':(27.32,111.45), # 'ๆน–ๅ—็œ,้‚ต้˜ณๅธ‚,้‚ต้˜ณๅŽฟ':(27.0,111.27), # 'ๆน–ๅ—็œ,้‚ต้˜ณๅธ‚,้š†ๅ›žๅŽฟ':(27.12,111.03), # 'ๆน–ๅ—็œ,้‚ต้˜ณๅธ‚,ๆดžๅฃๅŽฟ':(27.05,110.57), # 'ๆน–ๅ—็œ,้‚ต้˜ณๅธ‚,็ปฅๅฎๅŽฟ':(26.58,110.15), # 'ๆน–ๅ—็œ,้‚ต้˜ณๅธ‚,ๆ–ฐๅฎๅŽฟ':(26.43,110.85), # 'ๆน–ๅ—็œ,้‚ต้˜ณๅธ‚,ๅŸŽๆญฅ่‹—ๆ—่‡ชๆฒปๅŽฟ':(26.37,110.32), # 'ๆน–ๅ—็œ,้‚ต้˜ณๅธ‚,ๆญฆๅ†ˆๅธ‚':(26.73,110.63), # 'ๆน–ๅ—็œ,ๅฒณ้˜ณๅธ‚,ๅฒณ้˜ณๅธ‚':(29.37,113.12), # 'ๆน–ๅ—็œ,ๅฒณ้˜ณๅธ‚,ๅฒณ้˜ณๆฅผๅŒบ':(29.37,113.1), # 'ๆน–ๅ—็œ,ๅฒณ้˜ณๅธ‚,ไบ‘ๆบชๅŒบ':(29.47,113.3), # 'ๆน–ๅ—็œ,ๅฒณ้˜ณๅธ‚,ๅ›ๅฑฑๅŒบ':(29.43,113.0), # 'ๆน–ๅ—็œ,ๅฒณ้˜ณๅธ‚,ๅฒณ้˜ณๅŽฟ':(29.15,113.12), # 'ๆน–ๅ—็œ,ๅฒณ้˜ณๅธ‚,ๅŽๅฎนๅŽฟ':(29.52,112.57), # 'ๆน–ๅ—็œ,ๅฒณ้˜ณๅธ‚,ๆน˜้˜ดๅŽฟ':(28.68,112.88), # 'ๆน–ๅ—็œ,ๅฒณ้˜ณๅธ‚,ๅนณๆฑŸๅŽฟ':(28.72,113.58), # 'ๆน–ๅ—็œ,ๅฒณ้˜ณๅธ‚,ๆฑจ็ฝ—ๅธ‚':(28.8,113.08), # 'ๆน–ๅ—็œ,ๅฒณ้˜ณๅธ‚,ไธดๆน˜ๅธ‚':(29.48,113.47), # 'ๆน–ๅ—็œ,ๅธธๅพทๅธ‚,ๅธธๅพทๅธ‚':(29.05,111.68), # 'ๆน–ๅ—็œ,ๅธธๅพทๅธ‚,ๆญฆ้™ตๅŒบ':(29.03,111.68), # 'ๆน–ๅ—็œ,ๅธธๅพทๅธ‚,้ผŽๅŸŽๅŒบ':(29.02,111.68), # 'ๆน–ๅ—็œ,ๅธธๅพทๅธ‚,ๅฎ‰ไนกๅŽฟ':(29.42,112.17), # 'ๆน–ๅ—็œ,ๅธธๅพทๅธ‚,ๆฑ‰ๅฏฟๅŽฟ':(28.9,111.97), # 'ๆน–ๅ—็œ,ๅธธๅพทๅธ‚,ๆพงๅŽฟ':(29.63,111.75), # 'ๆน–ๅ—็œ,ๅธธๅพทๅธ‚,ไธดๆพงๅŽฟ':(29.45,111.65), # 'ๆน–ๅ—็œ,ๅธธๅพทๅธ‚,ๆกƒๆบๅŽฟ':(28.9,111.48), # 'ๆน–ๅ—็œ,ๅธธๅพทๅธ‚,็Ÿณ้—จๅŽฟ':(29.58,111.38), # 'ๆน–ๅ—็œ,ๅธธๅพทๅธ‚,ๆดฅๅธ‚ๅธ‚':(29.62,111.88), # 'ๆน–ๅ—็œ,ๅผ ๅฎถ็•Œๅธ‚,ๅผ ๅฎถ็•Œๅธ‚':(29.13,110.47), # 'ๆน–ๅ—็œ,ๅผ ๅฎถ็•Œๅธ‚,ๆฐธๅฎšๅŒบ':(29.13,110.48), # 'ๆน–ๅ—็œ,ๅผ ๅฎถ็•Œๅธ‚,ๆญฆ้™ตๆบๅŒบ':(29.35,110.53), # 'ๆน–ๅ—็œ,ๅผ ๅฎถ็•Œๅธ‚,ๆ…ˆๅˆฉๅŽฟ':(29.42,111.12), # 'ๆน–ๅ—็œ,ๅผ ๅฎถ็•Œๅธ‚,ๆก‘ๆคๅŽฟ':(29.4,110.15), # 'ๆน–ๅ—็œ,็›Š้˜ณๅธ‚,็›Š้˜ณๅธ‚':(28.6,112.32), # 'ๆน–ๅ—็œ,็›Š้˜ณๅธ‚,่ต„้˜ณๅŒบ':(28.6,112.32), # 'ๆน–ๅ—็œ,็›Š้˜ณๅธ‚,่ตซๅฑฑๅŒบ':(28.6,112.37), # 'ๆน–ๅ—็œ,็›Š้˜ณๅธ‚,ๅ—ๅŽฟ':(29.38,112.4), # 'ๆน–ๅ—็œ,็›Š้˜ณๅธ‚,ๆกƒๆฑŸๅŽฟ':(28.53,112.12), # 'ๆน–ๅ—็œ,็›Š้˜ณๅธ‚,ๅฎ‰ๅŒ–ๅŽฟ':(28.38,111.22), # 'ๆน–ๅ—็œ,็›Š้˜ณๅธ‚,ๆฒ…ๆฑŸๅธ‚':(28.85,112.38), # 'ๆน–ๅ—็œ,้ƒดๅทžๅธ‚,้ƒดๅทžๅธ‚':(25.78,113.02), # 'ๆน–ๅ—็œ,้ƒดๅทžๅธ‚,ๅŒ—ๆน–ๅŒบ':(25.8,113.02), # 'ๆน–ๅ—็œ,้ƒดๅทžๅธ‚,่‹ไป™ๅŒบ':(25.8,113.03), # 'ๆน–ๅ—็œ,้ƒดๅทžๅธ‚,ๆก‚้˜ณๅŽฟ':(25.73,112.73), # 'ๆน–ๅ—็œ,้ƒดๅทžๅธ‚,ๅฎœ็ซ ๅŽฟ':(25.4,112.95), # 'ๆน–ๅ—็œ,้ƒดๅทžๅธ‚,ๆฐธๅ…ดๅŽฟ':(26.13,113.1), # 'ๆน–ๅ—็œ,้ƒดๅทžๅธ‚,ๅ˜‰็ฆพๅŽฟ':(25.58,112.37), # 'ๆน–ๅ—็œ,้ƒดๅทžๅธ‚,ไธดๆญฆๅŽฟ':(25.28,112.55), # 'ๆน–ๅ—็œ,้ƒดๅทžๅธ‚,ๆฑๅŸŽๅŽฟ':(25.55,113.68), # 'ๆน–ๅ—็œ,้ƒดๅทžๅธ‚,ๆก‚ไธœๅŽฟ':(26.08,113.93), # 'ๆน–ๅ—็œ,้ƒดๅทžๅธ‚,ๅฎ‰ไปๅŽฟ':(26.7,113.27), # 'ๆน–ๅ—็œ,้ƒดๅทžๅธ‚,่ต„ๅ…ดๅธ‚':(25.98,113.23), # 'ๆน–ๅ—็œ,ๆฐธๅทžๅธ‚,ๆฐธๅทžๅธ‚':(26.43,111.62), # 'ๆน–ๅ—็œ,ๆฐธๅทžๅธ‚,ๅ†ทๆฐดๆปฉๅŒบ':(26.43,111.6), # 'ๆน–ๅ—็œ,ๆฐธๅทžๅธ‚,็ฅ้˜ณๅŽฟ':(26.58,111.85), # 'ๆน–ๅ—็œ,ๆฐธๅทžๅธ‚,ไธœๅฎ‰ๅŽฟ':(26.4,111.28), # 'ๆน–ๅ—็œ,ๆฐธๅทžๅธ‚,ๅŒ็‰ŒๅŽฟ':(25.97,111.65), # 'ๆน–ๅ—็œ,ๆฐธๅทžๅธ‚,้“ๅŽฟ':(25.53,111.58), # 'ๆน–ๅ—็œ,ๆฐธๅทžๅธ‚,ๆฑŸๆฐธๅŽฟ':(25.28,111.33), # 'ๆน–ๅ—็œ,ๆฐธๅทžๅธ‚,ๅฎ่ฟœๅŽฟ':(25.6,111.93), # 'ๆน–ๅ—็œ,ๆฐธๅทžๅธ‚,่“ๅฑฑๅŽฟ':(25.37,112.18), # 'ๆน–ๅ—็œ,ๆฐธๅทžๅธ‚,ๆ–ฐ็”ฐๅŽฟ':(25.92,112.22), # 'ๆน–ๅ—็œ,ๆฐธๅทžๅธ‚,ๆฑŸๅŽ็‘ถๆ—่‡ชๆฒปๅŽฟ':(25.18,111.58), # 'ๆน–ๅ—็œ,ๆ€€ๅŒ–ๅธ‚,ๆ€€ๅŒ–ๅธ‚':(27.57,110.0), # 'ๆน–ๅ—็œ,ๆ€€ๅŒ–ๅธ‚,้นคๅŸŽๅŒบ':(27.55,109.95), # 'ๆน–ๅ—็œ,ๆ€€ๅŒ–ๅธ‚,ไธญๆ–นๅŽฟ':(27.4,109.93), # 'ๆน–ๅ—็œ,ๆ€€ๅŒ–ๅธ‚,ๆฒ…้™ตๅŽฟ':(28.47,110.38), # 'ๆน–ๅ—็œ,ๆ€€ๅŒ–ๅธ‚,่พฐๆบชๅŽฟ':(28.0,110.18), # 'ๆน–ๅ—็œ,ๆ€€ๅŒ–ๅธ‚,ๆบ†ๆตฆๅŽฟ':(27.92,110.58), # 'ๆน–ๅ—็œ,ๆ€€ๅŒ–ๅธ‚,ไผšๅŒๅŽฟ':(26.87,109.72), # 'ๆน–ๅ—็œ,ๆ€€ๅŒ–ๅธ‚,้บป้˜ณ่‹—ๆ—่‡ชๆฒปๅŽฟ':(27.87,109.8), # 'ๆน–ๅ—็œ,ๆ€€ๅŒ–ๅธ‚,ๆ–ฐๆ™ƒไพ—ๆ—่‡ชๆฒปๅŽฟ':(27.37,109.17), # 'ๆน–ๅ—็œ,ๆ€€ๅŒ–ๅธ‚,่ŠทๆฑŸไพ—ๆ—่‡ชๆฒปๅŽฟ':(27.45,109.68), # 'ๆน–ๅ—็œ,ๆ€€ๅŒ–ๅธ‚,้–ๅทž่‹—ๆ—ไพ—ๆ—่‡ชๆฒปๅŽฟ':(26.58,109.68), # 'ๆน–ๅ—็œ,ๆ€€ๅŒ–ๅธ‚,้€š้“ไพ—ๆ—่‡ชๆฒปๅŽฟ':(26.17,109.78), # 'ๆน–ๅ—็œ,ๆ€€ๅŒ–ๅธ‚,ๆดชๆฑŸๅธ‚':(27.2,109.82), # 'ๆน–ๅ—็œ,ๅจ„ๅบ•ๅธ‚,ๅจ„ๅบ•ๅธ‚':(27.73,112.0), # 'ๆน–ๅ—็œ,ๅจ„ๅบ•ๅธ‚,ๅจ„ๆ˜ŸๅŒบ':(27.73,112.0), # 'ๆน–ๅ—็œ,ๅจ„ๅบ•ๅธ‚,ๅŒๅณฐๅŽฟ':(27.45,112.2), # 'ๆน–ๅ—็œ,ๅจ„ๅบ•ๅธ‚,ๆ–ฐๅŒ–ๅŽฟ':(27.75,111.3), # 'ๆน–ๅ—็œ,ๅจ„ๅบ•ๅธ‚,ๅ†ทๆฐดๆฑŸๅธ‚':(27.68,111.43), # 'ๆน–ๅ—็œ,ๅจ„ๅบ•ๅธ‚,ๆถŸๆบๅธ‚':(27.7,111.67), # 'ๆน–ๅ—็œ,ๆน˜่ฅฟๅœŸๅฎถๆ—่‹—ๆ—่‡ชๆฒปๅทžๅธ‚,ๆน˜่ฅฟๅœŸๅฎถๆ—่‹—ๆ—่‡ชๆฒปๅทž':(28.32,109.73), # 'ๆน–ๅ—็œ,ๆน˜่ฅฟๅœŸๅฎถๆ—่‹—ๆ—่‡ชๆฒปๅทžๅธ‚,ๅ‰้ฆ–ๅธ‚':(28.32,109.73), # 'ๆน–ๅ—็œ,ๆน˜่ฅฟๅœŸๅฎถๆ—่‹—ๆ—่‡ชๆฒปๅทžๅธ‚,ๆณธๆบชๅŽฟ':(28.22,110.22), # 'ๆน–ๅ—็œ,ๆน˜่ฅฟๅœŸๅฎถๆ—่‹—ๆ—่‡ชๆฒปๅทžๅธ‚,ๅ‡คๅ‡ฐๅŽฟ':(27.95,109.6), # 'ๆน–ๅ—็œ,ๆน˜่ฅฟๅœŸๅฎถๆ—่‹—ๆ—่‡ชๆฒปๅทžๅธ‚,่ŠฑๅžฃๅŽฟ':(28.58,109.48), # 'ๆน–ๅ—็œ,ๆน˜่ฅฟๅœŸๅฎถๆ—่‹—ๆ—่‡ชๆฒปๅทžๅธ‚,ไฟ้–ๅŽฟ':(28.72,109.65), # 'ๆน–ๅ—็œ,ๆน˜่ฅฟๅœŸๅฎถๆ—่‹—ๆ—่‡ชๆฒปๅทžๅธ‚,ๅคไธˆๅŽฟ':(28.62,109.95), # 'ๆน–ๅ—็œ,ๆน˜่ฅฟๅœŸๅฎถๆ—่‹—ๆ—่‡ชๆฒปๅทžๅธ‚,ๆฐธ้กบๅŽฟ':(29.0,109.85), # 'ๆน–ๅ—็œ,ๆน˜่ฅฟๅœŸๅฎถๆ—่‹—ๆ—่‡ชๆฒปๅทžๅธ‚,้พ™ๅฑฑๅŽฟ':(29.47,109.43), # 'ๅนฟไธœ็œ,ๅนฟๅทžๅธ‚,ๅนฟๅทžๅธ‚':(23.13,113.27), # 'ๅนฟไธœ็œ,ๅนฟๅทžๅธ‚,่”ๆนพๅŒบ':(23.13,113.23), # 'ๅนฟไธœ็œ,ๅนฟๅทžๅธ‚,่ถŠ็ง€ๅŒบ':(23.13,113.27), # 'ๅนฟไธœ็œ,ๅนฟๅทžๅธ‚,ๆตท็ ๅŒบ':(23.1,113.25), # 'ๅนฟไธœ็œ,ๅนฟๅทžๅธ‚,ๅคฉๆฒณๅŒบ':(23.12,113.35), # 'ๅนฟไธœ็œ,ๅนฟๅทžๅธ‚,็™ฝไบ‘ๅŒบ':(23.17,113.27), # 'ๅนฟไธœ็œ,ๅนฟๅทžๅธ‚,้ป„ๅŸ”ๅŒบ':(23.1,113.45), # 'ๅนฟไธœ็œ,ๅนฟๅทžๅธ‚,็•ช็ฆบๅŒบ':(22.95,113.35), # 'ๅนฟไธœ็œ,ๅนฟๅทžๅธ‚,่Šฑ้ƒฝๅŒบ':(23.4,113.22), # 'ๅนฟไธœ็œ,ๅนฟๅทžๅธ‚,ๅขžๅŸŽๅธ‚':(23.3,113.83), # 'ๅนฟไธœ็œ,ๅนฟๅทžๅธ‚,ไปŽๅŒ–ๅธ‚':(23.55,113.58), # 'ๅนฟไธœ็œ,้Ÿถๅ…ณๅธ‚,้Ÿถๅ…ณๅธ‚':(24.82,113.6), # 'ๅนฟไธœ็œ,้Ÿถๅ…ณๅธ‚,ๆญฆๆฑŸๅŒบ':(24.8,113.57), # 'ๅนฟไธœ็œ,้Ÿถๅ…ณๅธ‚,ๆตˆๆฑŸๅŒบ':(24.8,113.6), # 'ๅนฟไธœ็œ,้Ÿถๅ…ณๅธ‚,ๆ›ฒๆฑŸๅŒบ':(24.68,113.6), # 'ๅนฟไธœ็œ,้Ÿถๅ…ณๅธ‚,ๅง‹ๅ…ดๅŽฟ':(24.95,114.07), # 'ๅนฟไธœ็œ,้Ÿถๅ…ณๅธ‚,ไปๅŒ–ๅŽฟ':(25.08,113.75), # 'ๅนฟไธœ็œ,้Ÿถๅ…ณๅธ‚,็ฟๆบๅŽฟ':(24.35,114.13), # 'ๅนฟไธœ็œ,้Ÿถๅ…ณๅธ‚,ไนณๆบ็‘ถๆ—่‡ชๆฒปๅŽฟ':(24.78,113.27), # 'ๅนฟไธœ็œ,้Ÿถๅ…ณๅธ‚,ๆ–ฐไธฐๅŽฟ':(24.07,114.2), # 'ๅนฟไธœ็œ,้Ÿถๅ…ณๅธ‚,ไนๆ˜Œๅธ‚':(25.13,113.35), # 'ๅนฟไธœ็œ,้Ÿถๅ…ณๅธ‚,ๅ—้›„ๅธ‚':(25.12,114.3), # 'ๅนฟไธœ็œ,ๆทฑๅœณๅธ‚,ๆทฑๅœณๅธ‚':(22.55,114.05), # 'ๅนฟไธœ็œ,ๆทฑๅœณๅธ‚,็ฝ—ๆน–ๅŒบ':(22.55,114.12), # 'ๅนฟไธœ็œ,ๆทฑๅœณๅธ‚,็ฆ็”ฐๅŒบ':(22.53,114.05), # 'ๅนฟไธœ็œ,ๆทฑๅœณๅธ‚,ๅ—ๅฑฑๅŒบ':(22.52,113.92), # 'ๅนฟไธœ็œ,ๆทฑๅœณๅธ‚,ๅฎๅฎ‰ๅŒบ':(22.57,113.9), # 'ๅนฟไธœ็œ,ๆทฑๅœณๅธ‚,้พ™ๅฒ—ๅŒบ':(22.73,114.27), # 'ๅนฟไธœ็œ,ๆทฑๅœณๅธ‚,็›็”ฐๅŒบ':(22.55,114.22), # 'ๅนฟไธœ็œ,็ ๆตทๅธ‚,็ ๆตทๅธ‚':(22.27,113.57), # 'ๅนฟไธœ็œ,็ ๆตทๅธ‚,้ฆ™ๆดฒๅŒบ':(22.27,113.55), # 'ๅนฟไธœ็œ,็ ๆตทๅธ‚,ๆ–—้—จๅŒบ':(22.22,113.28), # 'ๅนฟไธœ็œ,็ ๆตทๅธ‚,้‡‘ๆนพๅŒบ':(22.07,113.4), # 'ๅนฟไธœ็œ,ๆฑ•ๅคดๅธ‚,ๆฑ•ๅคดๅธ‚':(23.35,116.68), # 'ๅนฟไธœ็œ,ๆฑ•ๅคดๅธ‚,้พ™ๆน–ๅŒบ':(23.37,116.72), # 'ๅนฟไธœ็œ,ๆฑ•ๅคดๅธ‚,้‡‘ๅนณๅŒบ':(23.37,116.7), # 'ๅนฟไธœ็œ,ๆฑ•ๅคดๅธ‚,ๆฝฎ้˜ณๅŒบ':(23.27,116.6), # 'ๅนฟไธœ็œ,ๆฑ•ๅคดๅธ‚,ๆฝฎๅ—ๅŒบ':(23.25,116.43), # 'ๅนฟไธœ็œ,ๆฑ•ๅคดๅธ‚,ๆพ„ๆตทๅŒบ':(23.48,116.77), # 'ๅนฟไธœ็œ,ๆฑ•ๅคดๅธ‚,ๅ—ๆพณๅŽฟ':(23.42,117.02), # 'ๅนฟไธœ็œ,ไฝ›ๅฑฑๅธ‚,ไฝ›ๅฑฑๅธ‚':(23.02,113.12), # 'ๅนฟไธœ็œ,ไฝ›ๅฑฑๅธ‚,ๅ—ๆตทๅŒบ':(23.03,113.15), # 'ๅนฟไธœ็œ,ไฝ›ๅฑฑๅธ‚,้กบๅพทๅŒบ':(22.8,113.3), # 'ๅนฟไธœ็œ,ไฝ›ๅฑฑๅธ‚,ไธ‰ๆฐดๅŒบ':(23.17,112.87), # 'ๅนฟไธœ็œ,ไฝ›ๅฑฑๅธ‚,้ซ˜ๆ˜ŽๅŒบ':(22.9,112.88), # 'ๅนฟไธœ็œ,ๆฑŸ้—จๅธ‚,ๆฑŸ้—จๅธ‚':(22.58,113.08), # 'ๅนฟไธœ็œ,ๆฑŸ้—จๅธ‚,ๆ–ฐไผšๅŒบ':(22.47,113.03), # 'ๅนฟไธœ็œ,ๆฑŸ้—จๅธ‚,ๅฐๅฑฑๅธ‚':(22.25,112.78), # 'ๅนฟไธœ็œ,ๆฑŸ้—จๅธ‚,ๅผ€ๅนณๅธ‚':(22.38,112.67), # 'ๅนฟไธœ็œ,ๆฑŸ้—จๅธ‚,้นคๅฑฑๅธ‚':(22.77,112.97), # 'ๅนฟไธœ็œ,ๆฑŸ้—จๅธ‚,ๆฉๅนณๅธ‚':(22.18,112.3), # 'ๅนฟไธœ็œ,ๆน›ๆฑŸๅธ‚,ๆน›ๆฑŸๅธ‚':(21.27,110.35), # 'ๅนฟไธœ็œ,ๆน›ๆฑŸๅธ‚,่ตคๅŽๅŒบ':(21.27,110.37), # 'ๅนฟไธœ็œ,ๆน›ๆฑŸๅธ‚,้œžๅฑฑๅŒบ':(21.2,110.4), # 'ๅนฟไธœ็œ,ๆน›ๆฑŸๅธ‚,ๅกๅคดๅŒบ':(21.23,110.47), # 'ๅนฟไธœ็œ,ๆน›ๆฑŸๅธ‚,้บป็ซ ๅŒบ':(21.27,110.32), # 'ๅนฟไธœ็œ,ๆน›ๆฑŸๅธ‚,้‚ๆบชๅŽฟ':(21.38,110.25), # 'ๅนฟไธœ็œ,ๆน›ๆฑŸๅธ‚,ๅพ้—ปๅŽฟ':(20.33,110.17), # 'ๅนฟไธœ็œ,ๆน›ๆฑŸๅธ‚,ๅป‰ๆฑŸๅธ‚':(21.62,110.27), # 'ๅนฟไธœ็œ,ๆน›ๆฑŸๅธ‚,้›ทๅทžๅธ‚':(20.92,110.08), # 'ๅนฟไธœ็œ,ๆน›ๆฑŸๅธ‚,ๅดๅทๅธ‚':(21.43,110.77), # 'ๅนฟไธœ็œ,่Œ‚ๅๅธ‚,่Œ‚ๅๅธ‚':(21.67,110.92), # 'ๅนฟไธœ็œ,่Œ‚ๅๅธ‚,่Œ‚ๅ—ๅŒบ':(21.63,110.92), # 'ๅนฟไธœ็œ,่Œ‚ๅๅธ‚,่Œ‚ๆธฏๅŒบ':(21.47,111.02), # 'ๅนฟไธœ็œ,่Œ‚ๅๅธ‚,็”ต็™ฝๅŽฟ':(21.5,111.0), # 'ๅนฟไธœ็œ,่Œ‚ๅๅธ‚,้ซ˜ๅทžๅธ‚':(21.92,110.85), # 'ๅนฟไธœ็œ,่Œ‚ๅๅธ‚,ๅŒ–ๅทžๅธ‚':(21.67,110.63), # 'ๅนฟไธœ็œ,่Œ‚ๅๅธ‚,ไฟกๅฎœๅธ‚':(22.35,110.95), # 'ๅนฟไธœ็œ,่‚‡ๅบ†ๅธ‚,่‚‡ๅบ†ๅธ‚':(23.05,112.47), # 'ๅนฟไธœ็œ,่‚‡ๅบ†ๅธ‚,็ซฏๅทžๅŒบ':(23.05,112.48), # 'ๅนฟไธœ็œ,่‚‡ๅบ†ๅธ‚,้ผŽๆน–ๅŒบ':(23.17,112.57), # 'ๅนฟไธœ็œ,่‚‡ๅบ†ๅธ‚,ๅนฟๅฎๅŽฟ':(23.63,112.43), # 'ๅนฟไธœ็œ,่‚‡ๅบ†ๅธ‚,ๆ€€้›†ๅŽฟ':(23.92,112.18), # 'ๅนฟไธœ็œ,่‚‡ๅบ†ๅธ‚,ๅฐๅผ€ๅŽฟ':(23.43,111.5), # 'ๅนฟไธœ็œ,่‚‡ๅบ†ๅธ‚,ๅพทๅบ†ๅŽฟ':(23.15,111.77), # 'ๅนฟไธœ็œ,่‚‡ๅบ†ๅธ‚,้ซ˜่ฆๅธ‚':(23.03,112.45), # 'ๅนฟไธœ็œ,่‚‡ๅบ†ๅธ‚,ๅ››ไผšๅธ‚':(23.33,112.68), # 'ๅนฟไธœ็œ,ๆƒ ๅทžๅธ‚,ๆƒ ๅทžๅธ‚':(23.12,114.42), # 'ๅนฟไธœ็œ,ๆƒ ๅทžๅธ‚,ๆƒ ๅŸŽๅŒบ':(23.08,114.4), # 'ๅนฟไธœ็œ,ๆƒ ๅทžๅธ‚,ๆƒ ้˜ณๅŒบ':(22.8,114.47), # 'ๅนฟไธœ็œ,ๆƒ ๅทžๅธ‚,ๅš็ฝ—ๅŽฟ':(23.18,114.28), # 'ๅนฟไธœ็œ,ๆƒ ๅทžๅธ‚,ๆƒ ไธœๅŽฟ':(22.98,114.72), # 'ๅนฟไธœ็œ,ๆƒ ๅทžๅธ‚,้พ™้—จๅŽฟ':(23.73,114.25), # 'ๅนฟไธœ็œ,ๆข…ๅทžๅธ‚,ๆข…ๅทžๅธ‚':(24.28,116.12), # 'ๅนฟไธœ็œ,ๆข…ๅทžๅธ‚,ๆข…ๆฑŸๅŒบ':(24.32,116.12), # 'ๅนฟไธœ็œ,ๆข…ๅทžๅธ‚,ๆข…ๅŽฟ':(24.28,116.05), # 'ๅนฟไธœ็œ,ๆข…ๅทžๅธ‚,ๅคงๅŸ”ๅŽฟ':(24.35,116.7), # 'ๅนฟไธœ็œ,ๆข…ๅทžๅธ‚,ไธฐ้กบๅŽฟ':(23.77,116.18), # 'ๅนฟไธœ็œ,ๆข…ๅทžๅธ‚,ไบ”ๅŽๅŽฟ':(23.93,115.77), # 'ๅนฟไธœ็œ,ๆข…ๅทžๅธ‚,ๅนณ่ฟœๅŽฟ':(24.57,115.88), # 'ๅนฟไธœ็œ,ๆข…ๅทžๅธ‚,่•‰ๅฒญๅŽฟ':(24.67,116.17), # 'ๅนฟไธœ็œ,ๆข…ๅทžๅธ‚,ๅ…ดๅฎๅธ‚':(24.15,115.73), # 'ๅนฟไธœ็œ,ๆฑ•ๅฐพๅธ‚,ๆฑ•ๅฐพๅธ‚':(22.78,115.37), # 'ๅนฟไธœ็œ,ๆฑ•ๅฐพๅธ‚,ๆตทไธฐๅŽฟ':(22.97,115.33), # 'ๅนฟไธœ็œ,ๆฑ•ๅฐพๅธ‚,้™†ๆฒณๅŽฟ':(23.3,115.65), # 'ๅนฟไธœ็œ,ๆฑ•ๅฐพๅธ‚,้™†ไธฐๅธ‚':(22.95,115.65), # 'ๅนฟไธœ็œ,ๆฒณๆบๅธ‚,ๆฒณๆบๅธ‚':(23.73,114.7), # 'ๅนฟไธœ็œ,ๆฒณๆบๅธ‚,ๆบๅŸŽๅŒบ':(23.73,114.7), # 'ๅนฟไธœ็œ,ๆฒณๆบๅธ‚,็ดซ้‡‘ๅŽฟ':(23.63,115.18), # 'ๅนฟไธœ็œ,ๆฒณๆบๅธ‚,้พ™ๅทๅŽฟ':(24.1,115.25), # 'ๅนฟไธœ็œ,ๆฒณๆบๅธ‚,่ฟžๅนณๅŽฟ':(24.37,114.48), # 'ๅนฟไธœ็œ,ๆฒณๆบๅธ‚,ๅ’ŒๅนณๅŽฟ':(24.45,114.93), # 'ๅนฟไธœ็œ,ๆฒณๆบๅธ‚,ไธœๆบๅŽฟ':(23.82,114.77), # 'ๅนฟไธœ็œ,้˜ณๆฑŸๅธ‚,้˜ณๆฑŸๅธ‚':(21.87,111.98), # 'ๅนฟไธœ็œ,้˜ณๆฑŸๅธ‚,ๆฑŸๅŸŽๅŒบ':(21.87,111.95), # 'ๅนฟไธœ็œ,้˜ณๆฑŸๅธ‚,้˜ณ่ฅฟๅŽฟ':(21.75,111.62), # 'ๅนฟไธœ็œ,้˜ณๆฑŸๅธ‚,้˜ณไธœๅŽฟ':(21.88,112.02), # 'ๅนฟไธœ็œ,้˜ณๆฑŸๅธ‚,้˜ณๆ˜ฅๅธ‚':(22.18,111.78), # 'ๅนฟไธœ็œ,ๆธ…่ฟœๅธ‚,ๆธ…่ฟœๅธ‚':(23.7,113.03), # 'ๅนฟไธœ็œ,ๆธ…่ฟœๅธ‚,ๆธ…ๅŸŽๅŒบ':(23.7,113.02), # 'ๅนฟไธœ็œ,ๆธ…่ฟœๅธ‚,ไฝ›ๅ†ˆๅŽฟ':(23.88,113.53), # 'ๅนฟไธœ็œ,ๆธ…่ฟœๅธ‚,้˜ณๅฑฑๅŽฟ':(24.48,112.63), # 'ๅนฟไธœ็œ,ๆธ…่ฟœๅธ‚,่ฟžๅฑฑๅฃฎๆ—็‘ถๆ—่‡ชๆฒปๅŽฟ':(24.57,112.08), # 'ๅนฟไธœ็œ,ๆธ…่ฟœๅธ‚,่ฟžๅ—็‘ถๆ—่‡ชๆฒปๅŽฟ':(24.72,112.28), # 'ๅนฟไธœ็œ,ๆธ…่ฟœๅธ‚,ๆธ…ๆ–ฐๅŽฟ':(23.73,112.98), # 'ๅนฟไธœ็œ,ๆธ…่ฟœๅธ‚,่‹ฑๅพทๅธ‚':(24.18,113.4), # 'ๅนฟไธœ็œ,ๆธ…่ฟœๅธ‚,่ฟžๅทžๅธ‚':(24.78,112.38), # 'ๅนฟไธœ็œ,ไธœ่Žžๅธ‚,ไธœ่Žžๅธ‚':(23.05,113.75), # 'ๅนฟไธœ็œ,ไธญๅฑฑๅธ‚,ไธญๅฑฑๅธ‚':(22.52,113.38), # 'ๅนฟไธœ็œ,ๆฝฎๅทžๅธ‚,ๆฝฎๅทžๅธ‚':(23.67,116.62), # 'ๅนฟไธœ็œ,ๆฝฎๅทžๅธ‚,ๆน˜ๆกฅๅŒบ':(23.68,116.63), # 'ๅนฟไธœ็œ,ๆฝฎๅทžๅธ‚,ๆฝฎๅฎ‰ๅŽฟ':(23.45,116.68), # 'ๅนฟไธœ็œ,ๆฝฎๅทžๅธ‚,้ฅถๅนณๅŽฟ':(23.67,117.0), # 'ๅนฟไธœ็œ,ๆญ้˜ณๅธ‚,ๆญ้˜ณๅธ‚':(23.55,116.37), # 'ๅนฟไธœ็œ,ๆญ้˜ณๅธ‚,ๆญไธœๅŽฟ':(23.57,116.42), # 'ๅนฟไธœ็œ,ๆญ้˜ณๅธ‚,ๆญ่ฅฟๅŽฟ':(23.43,115.83), # 'ๅนฟไธœ็œ,ๆญ้˜ณๅธ‚,ๆƒ ๆฅๅŽฟ':(23.03,116.28), # 'ๅนฟไธœ็œ,ๆญ้˜ณๅธ‚,ๆ™ฎๅฎๅธ‚':(23.3,116.18), # 'ๅนฟไธœ็œ,ไบ‘ๆตฎๅธ‚,ไบ‘ๆตฎๅธ‚':(22.92,112.03), # 'ๅนฟไธœ็œ,ไบ‘ๆตฎๅธ‚,ไบ‘ๅŸŽๅŒบ':(22.93,112.03), # 'ๅนฟไธœ็œ,ไบ‘ๆตฎๅธ‚,ๆ–ฐๅ…ดๅŽฟ':(22.7,112.23), # 'ๅนฟไธœ็œ,ไบ‘ๆตฎๅธ‚,้ƒๅ—ๅŽฟ':(23.23,111.53), # 'ๅนฟไธœ็œ,ไบ‘ๆตฎๅธ‚,ไบ‘ๅฎ‰ๅŽฟ':(23.08,112.0), # 'ๅนฟไธœ็œ,ไบ‘ๆตฎๅธ‚,็ฝ—ๅฎšๅธ‚':(22.77,111.57), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,ๅ—ๅฎๅธ‚,ๅ—ๅฎๅธ‚':(22.82,108.37), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,ๅ—ๅฎๅธ‚,ๅ…ดๅฎๅŒบ':(22.87,108.38), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,ๅ—ๅฎๅธ‚,ๆฑŸๅ—ๅŒบ':(22.78,108.28), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,ๅ—ๅฎๅธ‚,่ฅฟไนกๅก˜ๅŒบ':(22.83,108.3), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,ๅ—ๅฎๅธ‚,่‰ฏๅบ†ๅŒบ':(22.77,108.32), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,ๅ—ๅฎๅธ‚,้‚•ๅฎๅŒบ':(22.75,108.48), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,ๅ—ๅฎๅธ‚,ๆญฆ้ธฃๅŽฟ':(23.17,108.27), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,ๅ—ๅฎๅธ‚,้š†ๅฎ‰ๅŽฟ':(23.18,107.68), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,ๅ—ๅฎๅธ‚,้ฉฌๅฑฑๅŽฟ':(23.72,108.17), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,ๅ—ๅฎๅธ‚,ไธŠๆž—ๅŽฟ':(23.43,108.6), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,ๅ—ๅฎๅธ‚,ๅฎพ้˜ณๅŽฟ':(23.22,108.8), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,ๅ—ๅฎๅธ‚,ๆจชๅŽฟ':(22.68,109.27), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,ๆŸณๅทžๅธ‚,ๆŸณๅทžๅธ‚':(24.33,109.42), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,ๆŸณๅทžๅธ‚,ๆŸณๅ—ๅŒบ':(24.35,109.38), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,ๆŸณๅทžๅธ‚,ๆŸณๆฑŸๅŽฟ':(24.27,109.33), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,ๆŸณๅทžๅธ‚,ๆŸณๅŸŽๅŽฟ':(24.65,109.23), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,ๆŸณๅทžๅธ‚,้นฟๅฏจๅŽฟ':(24.48,109.73), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,ๆŸณๅทžๅธ‚,่žๅฎ‰ๅŽฟ':(25.23,109.4), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,ๆŸณๅทžๅธ‚,่žๆฐด่‹—ๆ—่‡ชๆฒปๅŽฟ':(25.07,109.25), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,ๆŸณๅทžๅธ‚,ไธ‰ๆฑŸไพ—ๆ—่‡ชๆฒปๅŽฟ':(25.78,109.6), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,ๆก‚ๆž—ๅธ‚,ๆก‚ๆž—ๅธ‚':(25.28,110.28), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,ๆก‚ๆž—ๅธ‚,้˜ณๆœ”ๅŽฟ':(24.78,110.48), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,ๆก‚ๆž—ๅธ‚,ไธดๆก‚ๅŽฟ':(25.23,110.2), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,ๆก‚ๆž—ๅธ‚,็ตๅทๅŽฟ':(25.42,110.32), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,ๆก‚ๆž—ๅธ‚,ๅ…จๅทžๅŽฟ':(25.93,111.07), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,ๆก‚ๆž—ๅธ‚,ๅ…ดๅฎ‰ๅŽฟ':(25.62,110.67), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,ๆก‚ๆž—ๅธ‚,ๆฐธ็ฆๅŽฟ':(24.98,109.98), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,ๆก‚ๆž—ๅธ‚,็Œ้˜ณๅŽฟ':(25.48,111.15), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,ๆก‚ๆž—ๅธ‚,้พ™่ƒœๅ„ๆ—่‡ชๆฒปๅŽฟ':(25.8,110.0), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,ๆก‚ๆž—ๅธ‚,่ต„ๆบๅŽฟ':(26.03,110.63), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,ๆก‚ๆž—ๅธ‚,ๅนณไนๅŽฟ':(24.63,110.63), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,ๆก‚ๆž—ๅธ‚,ๆญๅŸŽ็‘ถๆ—่‡ชๆฒปๅŽฟ':(24.83,110.83), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,ๆขงๅทžๅธ‚,ๆขงๅทžๅธ‚':(23.48,111.27), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,ๆขงๅทžๅธ‚,่‹ๆขงๅŽฟ':(23.42,111.23), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,ๆขงๅทžๅธ‚,่—คๅŽฟ':(23.38,110.92), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,ๆขงๅทžๅธ‚,่’™ๅฑฑๅŽฟ':(24.2,110.52), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,ๆขงๅทžๅธ‚,ๅฒ‘ๆบชๅธ‚':(22.92,110.98), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,ๅŒ—ๆตทๅธ‚,ๅŒ—ๆตทๅธ‚':(21.48,109.12), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,ๅŒ—ๆตทๅธ‚,้“ๅฑฑๆธฏๅŒบ':(21.53,109.43), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,ๅŒ—ๆตทๅธ‚,ๅˆๆตฆๅŽฟ':(21.67,109.2), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,้˜ฒๅŸŽๆธฏๅธ‚,้˜ฒๅŸŽๆธฏๅธ‚':(21.7,108.35), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,้˜ฒๅŸŽๆธฏๅธ‚,ๆธฏๅฃๅŒบ':(21.65,108.37), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,้˜ฒๅŸŽๆธฏๅธ‚,้˜ฒๅŸŽๅŒบ':(21.77,108.35), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,้˜ฒๅŸŽๆธฏๅธ‚,ไธŠๆ€ๅŽฟ':(22.15,107.98), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,้˜ฒๅŸŽๆธฏๅธ‚,ไธœๅ…ดๅธ‚':(21.53,107.97), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,้’ฆๅทžๅธ‚,้’ฆๅทžๅธ‚':(21.95,108.62), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,้’ฆๅทžๅธ‚,้’ฆๅŒ—ๅŒบ':(21.98,108.63), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,้’ฆๅทžๅธ‚,็ตๅฑฑๅŽฟ':(22.43,109.3), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,้’ฆๅทžๅธ‚,ๆตฆๅŒ—ๅŽฟ':(22.27,109.55), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,่ดตๆธฏๅธ‚,่ดตๆธฏๅธ‚':(23.1,109.6), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,่ดตๆธฏๅธ‚,่ฆƒๅก˜ๅŒบ':(23.13,109.42), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,่ดตๆธฏๅธ‚,ๅนณๅ—ๅŽฟ':(23.55,110.38), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,่ดตๆธฏๅธ‚,ๆก‚ๅนณๅธ‚':(23.4,110.08), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,็މๆž—ๅธ‚,็މๆž—ๅธ‚':(22.63,110.17), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,็މๆž—ๅธ‚,ๅฎนๅŽฟ':(22.87,110.55), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,็މๆž—ๅธ‚,้™†ๅทๅŽฟ':(22.33,110.27), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,็މๆž—ๅธ‚,ๅš็™ฝๅŽฟ':(22.28,109.97), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,็މๆž—ๅธ‚,ๅ…ดไธšๅŽฟ':(22.75,109.87), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,็މๆž—ๅธ‚,ๅŒ—ๆตๅธ‚':(22.72,110.35), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,็™พ่‰ฒๅธ‚,็™พ่‰ฒๅธ‚':(23.9,106.62), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,็™พ่‰ฒๅธ‚,็”ฐ้˜ณๅŽฟ':(23.73,106.92), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,็™พ่‰ฒๅธ‚,็”ฐไธœๅŽฟ':(23.6,107.12), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,็™พ่‰ฒๅธ‚,ๅนณๆžœๅŽฟ':(23.32,107.58), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,็™พ่‰ฒๅธ‚,ๅพทไฟๅŽฟ':(23.33,106.62), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,็™พ่‰ฒๅธ‚,้–่ฅฟๅŽฟ':(23.13,106.42), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,็™พ่‰ฒๅธ‚,้‚ฃๅกๅŽฟ':(23.42,105.83), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,็™พ่‰ฒๅธ‚,ๅ‡Œไบ‘ๅŽฟ':(24.35,106.57), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,็™พ่‰ฒๅธ‚,ไนไธšๅŽฟ':(24.78,106.55), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,็™พ่‰ฒๅธ‚,็”ฐๆž—ๅŽฟ':(24.3,106.23), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,็™พ่‰ฒๅธ‚,่ฅฟๆž—ๅŽฟ':(24.5,105.1), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,็™พ่‰ฒๅธ‚,้š†ๆž—ๅ„ๆ—่‡ชๆฒปๅŽฟ':(24.77,105.33), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,่ดบๅทžๅธ‚,่ดบๅทžๅธ‚':(24.42,111.55), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,่ดบๅทžๅธ‚,ๆ˜ญๅนณๅŽฟ':(24.17,110.8), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,่ดบๅทžๅธ‚,้’ŸๅฑฑๅŽฟ':(24.53,111.3), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,่ดบๅทžๅธ‚,ๅฏŒๅท็‘ถๆ—่‡ชๆฒปๅŽฟ':(24.83,111.27), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,ๆฒณๆฑ ๅธ‚,ๆฒณๆฑ ๅธ‚':(24.7,108.07), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,ๆฒณๆฑ ๅธ‚,้‡‘ๅŸŽๆฑŸๅŒบ':(24.7,108.05), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,ๆฒณๆฑ ๅธ‚,ๅ—ไธนๅŽฟ':(24.98,107.53), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,ๆฒณๆฑ ๅธ‚,ๅคฉๅณจๅŽฟ':(25.0,107.17), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,ๆฒณๆฑ ๅธ‚,ๅ‡คๅฑฑๅŽฟ':(24.55,107.05), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,ๆฒณๆฑ ๅธ‚,ไธœๅ…ฐๅŽฟ':(24.52,107.37), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,ๆฒณๆฑ ๅธ‚,็ฝ—ๅŸŽไปซไฝฌๆ—่‡ชๆฒปๅŽฟ':(24.78,108.9), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,ๆฒณๆฑ ๅธ‚,็ŽฏๆฑŸๆฏ›ๅ—ๆ—่‡ชๆฒปๅŽฟ':(24.83,108.25), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,ๆฒณๆฑ ๅธ‚,ๅทด้ฉฌ็‘ถๆ—่‡ชๆฒปๅŽฟ':(24.15,107.25), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,ๆฒณๆฑ ๅธ‚,้ƒฝๅฎ‰็‘ถๆ—่‡ชๆฒปๅŽฟ':(23.93,108.1), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,ๆฒณๆฑ ๅธ‚,ๅคงๅŒ–็‘ถๆ—่‡ชๆฒปๅŽฟ':(23.73,107.98), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,ๆฒณๆฑ ๅธ‚,ๅฎœๅทžๅธ‚':(24.5,108.67), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,ๆฅๅฎพๅธ‚,ๆฅๅฎพๅธ‚':(23.73,109.23), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,ๆฅๅฎพๅธ‚,ๅฟปๅŸŽๅŽฟ':(24.07,108.67), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,ๆฅๅฎพๅธ‚,่ฑกๅทžๅŽฟ':(23.97,109.68), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,ๆฅๅฎพๅธ‚,ๆญฆๅฎฃๅŽฟ':(23.6,109.67), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,ๆฅๅฎพๅธ‚,้‡‘็ง€็‘ถๆ—่‡ชๆฒปๅŽฟ':(24.13,110.18), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,ๆฅๅฎพๅธ‚,ๅˆๅฑฑๅธ‚':(23.82,108.87), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,ๅด‡ๅทฆๅธ‚,ๅด‡ๅทฆๅธ‚':(22.4,107.37), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,ๅด‡ๅทฆๅธ‚,ๆ‰ถ็ปฅๅŽฟ':(22.63,107.9), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,ๅด‡ๅทฆๅธ‚,ๅฎๆ˜ŽๅŽฟ':(22.13,107.07), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,ๅด‡ๅทฆๅธ‚,้พ™ๅทžๅŽฟ':(22.35,106.85), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,ๅด‡ๅทฆๅธ‚,ๅคงๆ–ฐๅŽฟ':(22.83,107.2), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,ๅด‡ๅทฆๅธ‚,ๅคฉ็ญ‰ๅŽฟ':(23.08,107.13), # 'ๅนฟ่ฅฟๅฃฎๆ—่‡ชๆฒปๅŒบ,ๅด‡ๅทฆๅธ‚,ๅ‡ญ็ฅฅๅธ‚':(22.12,106.75), # 'ๆตทๅ—็œ,ๆตทๅฃๅธ‚,ๆตทๅฃๅธ‚':(20.03,110.32), # 'ๆตทๅ—็œ,ๆตทๅฃๅธ‚,็ง€่‹ฑๅŒบ':(20.02,110.28), # 'ๆตทๅ—็œ,ๆตทๅฃๅธ‚,้พ™ๅŽๅŒบ':(20.03,110.3), # 'ๆตทๅ—็œ,ๆตทๅฃๅธ‚,็ผๅฑฑๅŒบ':(20.0,110.35), # 'ๆตทๅ—็œ,ๆตทๅฃๅธ‚,็พŽๅ…ฐๅŒบ':(20.03,110.37), # 'ๆตทๅ—็œ,ไธ‰ไบšๅธ‚,ไธ‰ไบšๅธ‚':(18.25,109.5), # 'ๆตทๅ—็œ,ไบ”ๆŒ‡ๅฑฑๅธ‚,ไบ”ๆŒ‡ๅฑฑๅธ‚':(18.78,109.52), # 'ๆตทๅ—็œ,ไบ”ๆŒ‡ๅฑฑๅธ‚,็ผๆตทๅธ‚':(19.25,110.47), # 'ๆตทๅ—็œ,ไบ”ๆŒ‡ๅฑฑๅธ‚,ๅ„‹ๅทžๅธ‚':(19.52,109.57), # 'ๆตทๅ—็œ,ไบ”ๆŒ‡ๅฑฑๅธ‚,ๆ–‡ๆ˜Œๅธ‚':(19.55,110.8), # 'ๆตทๅ—็œ,ไบ”ๆŒ‡ๅฑฑๅธ‚,ไธ‡ๅฎๅธ‚':(18.8,110.4), # 'ๆตทๅ—็œ,ไบ”ๆŒ‡ๅฑฑๅธ‚,ไธœๆ–นๅธ‚':(19.1,108.63), # 'ๆตทๅ—็œ,ไบ”ๆŒ‡ๅฑฑๅธ‚,ๅฎšๅฎ‰ๅŽฟ':(19.7,110.32), # 'ๆตทๅ—็œ,ไบ”ๆŒ‡ๅฑฑๅธ‚,ๅฑฏๆ˜ŒๅŽฟ':(19.37,110.1), # 'ๆตทๅ—็œ,ไบ”ๆŒ‡ๅฑฑๅธ‚,ๆพ„่ฟˆๅŽฟ':(19.73,110.0), # 'ๆตทๅ—็œ,ไบ”ๆŒ‡ๅฑฑๅธ‚,ไธด้ซ˜ๅŽฟ':(19.92,109.68), # 'ๆตทๅ—็œ,ไบ”ๆŒ‡ๅฑฑๅธ‚,็™ฝๆฒ™้ปŽๆ—่‡ชๆฒปๅŽฟ':(19.23,109.45), # 'ๆตทๅ—็œ,ไบ”ๆŒ‡ๅฑฑๅธ‚,ๆ˜ŒๆฑŸ้ปŽๆ—่‡ชๆฒปๅŽฟ':(19.25,109.05), # 'ๆตทๅ—็œ,ไบ”ๆŒ‡ๅฑฑๅธ‚,ไนไธœ้ปŽๆ—่‡ชๆฒปๅŽฟ':(18.75,109.17), # 'ๆตทๅ—็œ,ไบ”ๆŒ‡ๅฑฑๅธ‚,้™ตๆฐด้ปŽๆ—่‡ชๆฒปๅŽฟ':(18.5,110.03), # 'ๆตทๅ—็œ,ไบ”ๆŒ‡ๅฑฑๅธ‚,ไฟไบญ้ปŽๆ—่‹—ๆ—่‡ชๆฒปๅŽฟ':(18.63,109.7), # 'ๆตทๅ—็œ,ไบ”ๆŒ‡ๅฑฑๅธ‚,็ผไธญ้ปŽๆ—่‹—ๆ—่‡ชๆฒปๅŽฟ':(19.03,109.83), # '้‡ๅบ†ๅธ‚,้‡ๅบ†ๅธ‚,้‡ๅบ†ๅธ‚':(29.57,106.55), # '้‡ๅบ†ๅธ‚,้‡ๅบ†ๅธ‚,ไธ‡ๅทžๅŒบ':(30.82,108.4), # '้‡ๅบ†ๅธ‚,้‡ๅบ†ๅธ‚,ๆถช้™ตๅŒบ':(29.72,107.4), # '้‡ๅบ†ๅธ‚,้‡ๅบ†ๅธ‚,ๆธไธญๅŒบ':(29.55,106.57), # '้‡ๅบ†ๅธ‚,้‡ๅบ†ๅธ‚,ๅคงๆธกๅฃๅŒบ':(29.48,106.48), # '้‡ๅบ†ๅธ‚,้‡ๅบ†ๅธ‚,ๆฑŸๅŒ—ๅŒบ':(29.6,106.57), # '้‡ๅบ†ๅธ‚,้‡ๅบ†ๅธ‚,ๆฒ™ๅชๅๅŒบ':(29.53,106.45), # '้‡ๅบ†ๅธ‚,้‡ๅบ†ๅธ‚,ไน้พ™ๅกๅŒบ':(29.5,106.5), # '้‡ๅบ†ๅธ‚,้‡ๅบ†ๅธ‚,ๅ—ๅฒธๅŒบ':(29.52,106.57), # '้‡ๅบ†ๅธ‚,้‡ๅบ†ๅธ‚,ๅŒ—็ขšๅŒบ':(29.8,106.4), # '้‡ๅบ†ๅธ‚,้‡ๅบ†ๅธ‚,ไธ‡็››ๅŒบ':(28.97,106.92), # '้‡ๅบ†ๅธ‚,้‡ๅบ†ๅธ‚,ๅŒๆกฅๅŒบ':(29.48,105.78), # '้‡ๅบ†ๅธ‚,้‡ๅบ†ๅธ‚,ๆธๅŒ—ๅŒบ':(29.72,106.63), # '้‡ๅบ†ๅธ‚,้‡ๅบ†ๅธ‚,ๅทดๅ—ๅŒบ':(29.38,106.52), # '้‡ๅบ†ๅธ‚,้‡ๅบ†ๅธ‚,้ป”ๆฑŸๅŒบ':(29.53,108.77), # '้‡ๅบ†ๅธ‚,้‡ๅบ†ๅธ‚,้•ฟๅฏฟๅŒบ':(29.87,107.08), # '้‡ๅบ†ๅธ‚,้‡ๅบ†ๅธ‚,็ถฆๆฑŸๅŽฟ':(29.03,106.65), # '้‡ๅบ†ๅธ‚,้‡ๅบ†ๅธ‚,ๆฝผๅ—ๅŽฟ':(30.18,105.83), # '้‡ๅบ†ๅธ‚,้‡ๅบ†ๅธ‚,้“œๆขๅŽฟ':(29.85,106.05), # '้‡ๅบ†ๅธ‚,้‡ๅบ†ๅธ‚,ๅคง่ถณๅŽฟ':(29.7,105.72), # '้‡ๅบ†ๅธ‚,้‡ๅบ†ๅธ‚,่ฃๆ˜ŒๅŽฟ':(29.4,105.58), # '้‡ๅบ†ๅธ‚,้‡ๅบ†ๅธ‚,็’งๅฑฑๅŽฟ':(29.6,106.22), # '้‡ๅบ†ๅธ‚,้‡ๅบ†ๅธ‚,ๆขๅนณๅŽฟ':(30.68,107.8), # '้‡ๅบ†ๅธ‚,้‡ๅบ†ๅธ‚,ๅŸŽๅฃๅŽฟ':(31.95,108.67), # '้‡ๅบ†ๅธ‚,้‡ๅบ†ๅธ‚,ไธฐ้ƒฝๅŽฟ':(29.87,107.73), # '้‡ๅบ†ๅธ‚,้‡ๅบ†ๅธ‚,ๅžซๆฑŸๅŽฟ':(30.33,107.35), # '้‡ๅบ†ๅธ‚,้‡ๅบ†ๅธ‚,ๆญฆ้š†ๅŽฟ':(29.33,107.75), # '้‡ๅบ†ๅธ‚,้‡ๅบ†ๅธ‚,ๅฟ ๅŽฟ':(30.3,108.02), # '้‡ๅบ†ๅธ‚,้‡ๅบ†ๅธ‚,ๅผ€ๅŽฟ':(31.18,108.42), # '้‡ๅบ†ๅธ‚,้‡ๅบ†ๅธ‚,ไบ‘้˜ณๅŽฟ':(30.95,108.67), # '้‡ๅบ†ๅธ‚,้‡ๅบ†ๅธ‚,ๅฅ‰่Š‚ๅŽฟ':(31.02,109.47), # '้‡ๅบ†ๅธ‚,้‡ๅบ†ๅธ‚,ๅทซๅฑฑๅŽฟ':(31.08,109.88), # '้‡ๅบ†ๅธ‚,้‡ๅบ†ๅธ‚,ๅทซๆบชๅŽฟ':(31.4,109.63), # '้‡ๅบ†ๅธ‚,้‡ๅบ†ๅธ‚,็ŸณๆŸฑๅœŸๅฎถๆ—่‡ชๆฒปๅŽฟ':(30.0,108.12), # '้‡ๅบ†ๅธ‚,้‡ๅบ†ๅธ‚,็ง€ๅฑฑๅœŸๅฎถๆ—่‹—ๆ—่‡ชๆฒปๅŽฟ':(28.45,108.98), # '้‡ๅบ†ๅธ‚,้‡ๅบ†ๅธ‚,้…‰้˜ณๅœŸๅฎถๆ—่‹—ๆ—่‡ชๆฒปๅŽฟ':(28.85,108.77), # '้‡ๅบ†ๅธ‚,้‡ๅบ†ๅธ‚,ๅฝญๆฐด่‹—ๆ—ๅœŸๅฎถๆ—่‡ชๆฒปๅŽฟ':(29.3,108.17), # 'ๅ››ๅท็œ,ๆˆ้ƒฝๅธ‚,ๆˆ้ƒฝๅธ‚':(30.67,104.07), # 'ๅ››ๅท็œ,ๆˆ้ƒฝๅธ‚,้”ฆๆฑŸๅŒบ':(30.67,104.08), # 'ๅ››ๅท็œ,ๆˆ้ƒฝๅธ‚,้’็พŠๅŒบ':(30.68,104.05), # 'ๅ››ๅท็œ,ๆˆ้ƒฝๅธ‚,้‡‘็‰›ๅŒบ':(30.7,104.05), # 'ๅ››ๅท็œ,ๆˆ้ƒฝๅธ‚,ๆญฆไพฏๅŒบ':(30.65,104.05), # 'ๅ››ๅท็œ,ๆˆ้ƒฝๅธ‚,ๆˆๅŽๅŒบ':(30.67,104.1), # 'ๅ››ๅท็œ,ๆˆ้ƒฝๅธ‚,้พ™ๆณ‰้ฉฟๅŒบ':(30.57,104.27), # 'ๅ››ๅท็œ,ๆˆ้ƒฝๅธ‚,้’็™ฝๆฑŸๅŒบ':(30.88,104.23), # 'ๅ››ๅท็œ,ๆˆ้ƒฝๅธ‚,ๆ–ฐ้ƒฝๅŒบ':(30.83,104.15), # 'ๅ››ๅท็œ,ๆˆ้ƒฝๅธ‚,ๆธฉๆฑŸๅŒบ':(30.7,103.83), # 'ๅ››ๅท็œ,ๆˆ้ƒฝๅธ‚,้‡‘ๅ ‚ๅŽฟ':(30.85,104.43), # 'ๅ››ๅท็œ,ๆˆ้ƒฝๅธ‚,ๅŒๆตๅŽฟ':(30.58,103.92), # 'ๅ››ๅท็œ,ๆˆ้ƒฝๅธ‚,้ƒซๅŽฟ':(30.82,103.88), # 'ๅ››ๅท็œ,ๆˆ้ƒฝๅธ‚,ๅคง้‚‘ๅŽฟ':(30.58,103.52), # 'ๅ››ๅท็œ,ๆˆ้ƒฝๅธ‚,่’ฒๆฑŸๅŽฟ':(30.2,103.5), # 'ๅ››ๅท็œ,ๆˆ้ƒฝๅธ‚,ๆ–ฐๆดฅๅŽฟ':(30.42,103.82), # 'ๅ››ๅท็œ,ๆˆ้ƒฝๅธ‚,้ƒฝๆฑŸๅ ฐๅธ‚':(31.0,103.62), # 'ๅ››ๅท็œ,ๆˆ้ƒฝๅธ‚,ๅฝญๅทžๅธ‚':(30.98,103.93), # 'ๅ››ๅท็œ,ๆˆ้ƒฝๅธ‚,้‚›ๅดƒๅธ‚':(30.42,103.47), # 'ๅ››ๅท็œ,ๆˆ้ƒฝๅธ‚,ๅด‡ๅทžๅธ‚':(30.63,103.67), # 'ๅ››ๅท็œ,่‡ช่ดกๅธ‚,่‡ช่ดกๅธ‚':(29.35,104.78), # 'ๅ››ๅท็œ,่‡ช่ดกๅธ‚,่‡ชๆตไบ•ๅŒบ':(29.35,104.77), # 'ๅ››ๅท็œ,่‡ช่ดกๅธ‚,่ดกไบ•ๅŒบ':(29.35,104.72), # 'ๅ››ๅท็œ,่‡ช่ดกๅธ‚,ๅคงๅฎ‰ๅŒบ':(29.37,104.77), # 'ๅ››ๅท็œ,่‡ช่ดกๅธ‚,ๆฒฟๆปฉๅŒบ':(29.27,104.87), # 'ๅ››ๅท็œ,่‡ช่ดกๅธ‚,่ฃๅŽฟ':(29.47,104.42), # 'ๅ››ๅท็œ,่‡ช่ดกๅธ‚,ๅฏŒ้กบๅŽฟ':(29.18,104.98), # 'ๅ››ๅท็œ,ๆ”€ๆž่Šฑๅธ‚,ๆ”€ๆž่Šฑๅธ‚':(26.58,101.72), # 'ๅ››ๅท็œ,ๆ”€ๆž่Šฑๅธ‚,ไธœๅŒบ':(26.55,101.7), # 'ๅ››ๅท็œ,ๆ”€ๆž่Šฑๅธ‚,่ฅฟๅŒบ':(26.6,101.6), # 'ๅ››ๅท็œ,ๆ”€ๆž่Šฑๅธ‚,ไปๅ’ŒๅŒบ':(26.5,101.73), # 'ๅ››ๅท็œ,ๆ”€ๆž่Šฑๅธ‚,็ฑณๆ˜“ๅŽฟ':(26.88,102.12), # 'ๅ››ๅท็œ,ๆ”€ๆž่Šฑๅธ‚,็›่พนๅŽฟ':(26.7,101.85), # 'ๅ››ๅท็œ,ๆณธๅทžๅธ‚,ๆณธๅทžๅธ‚':(28.87,105.43), # 'ๅ››ๅท็œ,ๆณธๅทžๅธ‚,ๆฑŸ้˜ณๅŒบ':(28.88,105.45), # 'ๅ››ๅท็œ,ๆณธๅทžๅธ‚,็บณๆบชๅŒบ':(28.77,105.37), # 'ๅ››ๅท็œ,ๆณธๅทžๅธ‚,้พ™้ฉฌๆฝญๅŒบ':(28.9,105.43), # 'ๅ››ๅท็œ,ๆณธๅทžๅธ‚,ๆณธๅŽฟ':(29.15,105.38), # 'ๅ››ๅท็œ,ๆณธๅทžๅธ‚,ๅˆๆฑŸๅŽฟ':(28.82,105.83), # 'ๅ››ๅท็œ,ๆณธๅทžๅธ‚,ๅ™ๆฐธๅŽฟ':(28.17,105.43), # 'ๅ››ๅท็œ,ๆณธๅทžๅธ‚,ๅค่”บๅŽฟ':(28.05,105.82), # 'ๅ››ๅท็œ,ๅพท้˜ณๅธ‚,ๅพท้˜ณๅธ‚':(31.13,104.38), # 'ๅ››ๅท็œ,ๅพท้˜ณๅธ‚,ๆ—Œ้˜ณๅŒบ':(31.13,104.38), # 'ๅ››ๅท็œ,ๅพท้˜ณๅธ‚,ไธญๆฑŸๅŽฟ':(31.03,104.68), # 'ๅ››ๅท็œ,ๅพท้˜ณๅธ‚,็ฝ—ๆฑŸๅŽฟ':(31.32,104.5), # 'ๅ››ๅท็œ,ๅพท้˜ณๅธ‚,ๅนฟๆฑ‰ๅธ‚':(30.98,104.28), # 'ๅ››ๅท็œ,ๅพท้˜ณๅธ‚,ไป€้‚กๅธ‚':(31.13,104.17), # 'ๅ››ๅท็œ,ๅพท้˜ณๅธ‚,็ปต็ซนๅธ‚':(31.35,104.2), # 'ๅ››ๅท็œ,็ปต้˜ณๅธ‚,็ปต้˜ณๅธ‚':(31.47,104.73), # 'ๅ››ๅท็œ,็ปต้˜ณๅธ‚,ๆถชๅŸŽๅŒบ':(31.47,104.73), # 'ๅ››ๅท็œ,็ปต้˜ณๅธ‚,ๆธธไป™ๅŒบ':(31.47,104.75), # 'ๅ››ๅท็œ,็ปต้˜ณๅธ‚,ไธ‰ๅฐๅŽฟ':(31.1,105.08), # 'ๅ››ๅท็œ,็ปต้˜ณๅธ‚,็›ไบญๅŽฟ':(31.22,105.38), # 'ๅ››ๅท็œ,็ปต้˜ณๅธ‚,ๅฎ‰ๅŽฟ':(31.53,104.57), # 'ๅ››ๅท็œ,็ปต้˜ณๅธ‚,ๆข“ๆฝผๅŽฟ':(31.63,105.17), # 'ๅ››ๅท็œ,็ปต้˜ณๅธ‚,ๅŒ—ๅท็พŒๆ—่‡ชๆฒปๅŽฟ':(31.82,104.45), # 'ๅ››ๅท็œ,็ปต้˜ณๅธ‚,ๅนณๆญฆๅŽฟ':(32.42,104.53), # 'ๅ››ๅท็œ,็ปต้˜ณๅธ‚,ๆฑŸๆฒนๅธ‚':(31.78,104.75), # 'ๅ››ๅท็œ,ๅนฟๅ…ƒๅธ‚,ๅนฟๅ…ƒๅธ‚':(32.43,105.83), # 'ๅ››ๅท็œ,ๅนฟๅ…ƒๅธ‚,ๅธ‚ไธญๅŒบ':(29.58,105.05), # 'ๅ››ๅท็œ,ๅนฟๅ…ƒๅธ‚,ๅธ‚ไธญๅŒบ':(29.57,103.77), # 'ๅ››ๅท็œ,ๅนฟๅ…ƒๅธ‚,ๅ…ƒๅๅŒบ':(32.32,105.97), # 'ๅ››ๅท็œ,ๅนฟๅ…ƒๅธ‚,ๆœๅคฉๅŒบ':(32.65,105.88), # 'ๅ››ๅท็œ,ๅนฟๅ…ƒๅธ‚,ๆ—บ่‹ๅŽฟ':(32.23,106.28), # 'ๅ››ๅท็œ,ๅนฟๅ…ƒๅธ‚,้’ๅทๅŽฟ':(32.58,105.23), # 'ๅ››ๅท็œ,ๅนฟๅ…ƒๅธ‚,ๅ‰‘้˜ๅŽฟ':(32.28,105.52), # 'ๅ››ๅท็œ,ๅนฟๅ…ƒๅธ‚,่‹ๆบชๅŽฟ':(31.73,105.93), # 'ๅ››ๅท็œ,้‚ๅฎๅธ‚,้‚ๅฎๅธ‚':(30.52,105.57), # 'ๅ››ๅท็œ,้‚ๅฎๅธ‚,่ˆนๅฑฑๅŒบ':(30.52,105.57), # 'ๅ››ๅท็œ,้‚ๅฎๅธ‚,ๅฎ‰ๅฑ…ๅŒบ':(30.35,105.45), # 'ๅ››ๅท็œ,้‚ๅฎๅธ‚,่“ฌๆบชๅŽฟ':(30.78,105.72), # 'ๅ››ๅท็œ,้‚ๅฎๅธ‚,ๅฐ„ๆดชๅŽฟ':(30.87,105.38), # 'ๅ››ๅท็œ,้‚ๅฎๅธ‚,ๅคง่‹ฑๅŽฟ':(30.58,105.25), # 'ๅ››ๅท็œ,ๅ†…ๆฑŸๅธ‚,ๅ†…ๆฑŸๅธ‚':(29.58,105.05), # 'ๅ››ๅท็œ,ๅ†…ๆฑŸๅธ‚,ๅธ‚ไธญๅŒบ':(29.58,105.05), # 'ๅ››ๅท็œ,ๅ†…ๆฑŸๅธ‚,ๅธ‚ไธญๅŒบ':(29.57,103.77), # 'ๅ››ๅท็œ,ๅ†…ๆฑŸๅธ‚,ไธœๅ…ดๅŒบ':(29.6,105.07), # 'ๅ››ๅท็œ,ๅ†…ๆฑŸๅธ‚,ๅจ่ฟœๅŽฟ':(29.53,104.67), # 'ๅ››ๅท็œ,ๅ†…ๆฑŸๅธ‚,่ต„ไธญๅŽฟ':(29.78,104.85), # 'ๅ››ๅท็œ,ๅ†…ๆฑŸๅธ‚,้š†??ๅŽฟ':(29.35,105.28), # 'ๅ››ๅท็œ,ไนๅฑฑๅธ‚,ไนๅฑฑๅธ‚':(29.57,103.77), # 'ๅ››ๅท็œ,ไนๅฑฑๅธ‚,ๅธ‚ไธญๅŒบ':(29.58,105.05), # 'ๅ››ๅท็œ,ไนๅฑฑๅธ‚,ๅธ‚ไธญๅŒบ':(29.57,103.77), # 'ๅ››ๅท็œ,ไนๅฑฑๅธ‚,ๆฒ™ๆนพๅŒบ':(29.42,103.55), # 'ๅ››ๅท็œ,ไนๅฑฑๅธ‚,ไบ”้€šๆกฅๅŒบ':(29.4,103.82), # 'ๅ››ๅท็œ,ไนๅฑฑๅธ‚,้‡‘ๅฃๆฒณๅŒบ':(29.25,103.08), # 'ๅ››ๅท็œ,ไนๅฑฑๅธ‚,็ŠไธบๅŽฟ':(29.22,103.95), # 'ๅ››ๅท็œ,ไนๅฑฑๅธ‚,ไบ•็ ”ๅŽฟ':(29.65,104.07), # 'ๅ››ๅท็œ,ไนๅฑฑๅธ‚,ๅคนๆฑŸๅŽฟ':(29.73,103.57), # 'ๅ››ๅท็œ,ไนๅฑฑๅธ‚,ๆฒๅทๅŽฟ':(28.97,103.9), # 'ๅ››ๅท็œ,ไนๅฑฑๅธ‚,ๅณจ่พนๅฝๆ—่‡ชๆฒปๅŽฟ':(29.23,103.27), # 'ๅ››ๅท็œ,ไนๅฑฑๅธ‚,้ฉฌ่พนๅฝๆ—่‡ชๆฒปๅŽฟ':(28.83,103.55), # 'ๅ››ๅท็œ,ไนๅฑฑๅธ‚,ๅณจ็œ‰ๅฑฑๅธ‚':(29.6,103.48), # 'ๅ››ๅท็œ,ๅ—ๅ……ๅธ‚,ๅ—ๅ……ๅธ‚':(30.78,106.08), # 'ๅ››ๅท็œ,ๅ—ๅ……ๅธ‚,้กบๅบ†ๅŒบ':(30.78,106.08), # 'ๅ››ๅท็œ,ๅ—ๅ……ๅธ‚,้ซ˜ๅชๅŒบ':(30.77,106.1), # 'ๅ››ๅท็œ,ๅ—ๅ……ๅธ‚,ๅ˜‰้™ตๅŒบ':(30.77,106.05), # 'ๅ››ๅท็œ,ๅ—ๅ……ๅธ‚,ๅ—้ƒจๅŽฟ':(31.35,106.07), # 'ๅ››ๅท็œ,ๅ—ๅ……ๅธ‚,่ฅๅฑฑๅŽฟ':(31.08,106.57), # 'ๅ››ๅท็œ,ๅ—ๅ……ๅธ‚,่“ฌๅฎ‰ๅŽฟ':(31.03,106.42), # 'ๅ››ๅท็œ,ๅ—ๅ……ๅธ‚,ไปช้™‡ๅŽฟ':(31.27,106.28), # 'ๅ››ๅท็œ,ๅ—ๅ……ๅธ‚,่ฅฟๅ……ๅŽฟ':(31.0,105.88), # 'ๅ››ๅท็œ,ๅ—ๅ……ๅธ‚,้˜†ไธญๅธ‚':(31.55,106.0), # 'ๅ››ๅท็œ,็œ‰ๅฑฑๅธ‚,็œ‰ๅฑฑๅธ‚':(30.05,103.83), # 'ๅ››ๅท็œ,็œ‰ๅฑฑๅธ‚,ไธœๅกๅŒบ':(30.05,103.83), # 'ๅ››ๅท็œ,็œ‰ๅฑฑๅธ‚,ไปๅฏฟๅŽฟ':(30.0,104.15), # 'ๅ››ๅท็œ,็œ‰ๅฑฑๅธ‚,ๅฝญๅฑฑๅŽฟ':(30.2,103.87), # 'ๅ››ๅท็œ,็œ‰ๅฑฑๅธ‚,ๆดช้›…ๅŽฟ':(29.92,103.37), # 'ๅ››ๅท็œ,็œ‰ๅฑฑๅธ‚,ไธนๆฃฑๅŽฟ':(30.02,103.52), # 'ๅ››ๅท็œ,็œ‰ๅฑฑๅธ‚,้’็ฅžๅŽฟ':(29.83,103.85), # 'ๅ››ๅท็œ,ๅฎœๅฎพๅธ‚,ๅฎœๅฎพๅธ‚':(28.77,104.62), # 'ๅ››ๅท็œ,ๅฎœๅฎพๅธ‚,็ฟ ๅฑๅŒบ':(28.77,104.62), # 'ๅ››ๅท็œ,ๅฎœๅฎพๅธ‚,ๅฎœๅฎพๅŽฟ':(28.7,104.55), # 'ๅ››ๅท็œ,ๅฎœๅฎพๅธ‚,ๅ—ๆบชๅŽฟ':(28.85,104.98), # 'ๅ››ๅท็œ,ๅฎœๅฎพๅธ‚,ๆฑŸๅฎ‰ๅŽฟ':(28.73,105.07), # 'ๅ››ๅท็œ,ๅฎœๅฎพๅธ‚,้•ฟๅฎๅŽฟ':(28.58,104.92), # 'ๅ››ๅท็œ,ๅฎœๅฎพๅธ‚,้ซ˜ๅŽฟ':(28.43,104.52), # 'ๅ››ๅท็œ,ๅฎœๅฎพๅธ‚,็™ๅŽฟ':(28.45,104.72), # 'ๅ››ๅท็œ,ๅฎœๅฎพๅธ‚,็ญ ่ฟžๅŽฟ':(28.17,104.52), # 'ๅ››ๅท็œ,ๅฎœๅฎพๅธ‚,ๅ…ดๆ–‡ๅŽฟ':(28.3,105.23), # 'ๅ››ๅท็œ,ๅฎœๅฎพๅธ‚,ๅฑๅฑฑๅŽฟ':(28.83,104.33), # 'ๅ››ๅท็œ,ๅนฟๅฎ‰ๅธ‚,ๅนฟๅฎ‰ๅธ‚':(30.47,106.63), # 'ๅ››ๅท็œ,ๅนฟๅฎ‰ๅธ‚,ๅฒณๆฑ ๅŽฟ':(30.55,106.43), # 'ๅ››ๅท็œ,ๅนฟๅฎ‰ๅธ‚,ๆญฆ่ƒœๅŽฟ':(30.35,106.28), # 'ๅ››ๅท็œ,ๅนฟๅฎ‰ๅธ‚,้‚ปๆฐดๅŽฟ':(30.33,106.93), # 'ๅ››ๅท็œ,ๅนฟๅฎ‰ๅธ‚,ๅŽ่“ฅๅธ‚':(30.38,106.77), # 'ๅ››ๅท็œ,่พพๅทžๅธ‚,่พพๅทžๅธ‚':(31.22,107.5), # 'ๅ››ๅท็œ,่พพๅทžๅธ‚,้€šๅทๅŒบ':(31.22,107.48), # 'ๅ››ๅท็œ,่พพๅทžๅธ‚,่พพๅŽฟ':(31.2,107.5), # 'ๅ››ๅท็œ,่พพๅทžๅธ‚,ๅฎฃๆฑ‰ๅŽฟ':(31.35,107.72), # 'ๅ››ๅท็œ,่พพๅทžๅธ‚,ๅผ€ๆฑŸๅŽฟ':(31.08,107.87), # 'ๅ››ๅท็œ,่พพๅทžๅธ‚,ๅคง็ซนๅŽฟ':(30.73,107.2), # 'ๅ››ๅท็œ,่พพๅทžๅธ‚,ๆธ ๅŽฟ':(30.83,106.97), # 'ๅ››ๅท็œ,่พพๅทžๅธ‚,ไธ‡ๆบๅธ‚':(32.07,108.03), # 'ๅ››ๅท็œ,้›…ๅฎ‰ๅธ‚,้›…ๅฎ‰ๅธ‚':(29.98,103.0), # 'ๅ››ๅท็œ,้›…ๅฎ‰ๅธ‚,้›จๅŸŽๅŒบ':(29.98,103.0), # 'ๅ››ๅท็œ,้›…ๅฎ‰ๅธ‚,ๅๅฑฑๅŽฟ':(30.08,103.12), # 'ๅ››ๅท็œ,้›…ๅฎ‰ๅธ‚,่ฅ็ปๅŽฟ':(29.8,102.85), # 'ๅ››ๅท็œ,้›…ๅฎ‰ๅธ‚,ๆฑ‰ๆบๅŽฟ':(29.35,102.65), # 'ๅ››ๅท็œ,้›…ๅฎ‰ๅธ‚,็Ÿณๆฃ‰ๅŽฟ':(29.23,102.37), # 'ๅ››ๅท็œ,้›…ๅฎ‰ๅธ‚,ๅคฉๅ…จๅŽฟ':(30.07,102.75), # 'ๅ››ๅท็œ,้›…ๅฎ‰ๅธ‚,่ŠฆๅฑฑๅŽฟ':(30.15,102.92), # 'ๅ››ๅท็œ,้›…ๅฎ‰ๅธ‚,ๅฎๅ…ดๅŽฟ':(30.37,102.82), # 'ๅ››ๅท็œ,ๅทดไธญๅธ‚,ๅทดไธญๅธ‚':(31.85,106.77), # 'ๅ››ๅท็œ,ๅทดไธญๅธ‚,ๅทดๅทžๅŒบ':(31.85,106.77), # 'ๅ››ๅท็œ,ๅทดไธญๅธ‚,้€šๆฑŸๅŽฟ':(31.92,107.23), # 'ๅ››ๅท็œ,ๅทดไธญๅธ‚,ๅ—ๆฑŸๅŽฟ':(32.35,106.83), # 'ๅ››ๅท็œ,ๅทดไธญๅธ‚,ๅนณๆ˜ŒๅŽฟ':(31.57,107.1), # 'ๅ››ๅท็œ,่ต„้˜ณๅธ‚,่ต„้˜ณๅธ‚':(30.12,104.65), # 'ๅ››ๅท็œ,่ต„้˜ณๅธ‚,้›ๆฑŸๅŒบ':(30.12,104.65), # 'ๅ››ๅท็œ,่ต„้˜ณๅธ‚,ๅฎ‰ๅฒณๅŽฟ':(30.1,105.33), # 'ๅ››ๅท็œ,่ต„้˜ณๅธ‚,ไน่‡ณๅŽฟ':(30.28,105.02), # 'ๅ››ๅท็œ,่ต„้˜ณๅธ‚,็ฎ€้˜ณๅธ‚':(30.4,104.55), # 'ๅ››ๅท็œ,้˜ฟๅ่—ๆ—็พŒๆ—่‡ชๆฒปๅทžๅธ‚,้˜ฟๅ่—ๆ—็พŒๆ—่‡ชๆฒปๅทž':(31.9,102.22), # 'ๅ››ๅท็œ,้˜ฟๅ่—ๆ—็พŒๆ—่‡ชๆฒปๅทžๅธ‚,ๆฑถๅทๅŽฟ':(31.48,103.58), # 'ๅ››ๅท็œ,้˜ฟๅ่—ๆ—็พŒๆ—่‡ชๆฒปๅทžๅธ‚,็†ๅŽฟ':(31.43,103.17), # 'ๅ››ๅท็œ,้˜ฟๅ่—ๆ—็พŒๆ—่‡ชๆฒปๅทžๅธ‚,่Œ‚ๅŽฟ':(31.68,103.85), # 'ๅ››ๅท็œ,้˜ฟๅ่—ๆ—็พŒๆ—่‡ชๆฒปๅทžๅธ‚,ๆพๆฝ˜ๅŽฟ':(32.63,103.6), # 'ๅ››ๅท็œ,้˜ฟๅ่—ๆ—็พŒๆ—่‡ชๆฒปๅทžๅธ‚,ไนๅฏจๆฒŸๅŽฟ':(33.27,104.23), # 'ๅ››ๅท็œ,้˜ฟๅ่—ๆ—็พŒๆ—่‡ชๆฒปๅทžๅธ‚,้‡‘ๅทๅŽฟ':(31.48,102.07), # 'ๅ››ๅท็œ,้˜ฟๅ่—ๆ—็พŒๆ—่‡ชๆฒปๅทžๅธ‚,ๅฐ้‡‘ๅŽฟ':(31.0,102.37), # 'ๅ››ๅท็œ,้˜ฟๅ่—ๆ—็พŒๆ—่‡ชๆฒปๅทžๅธ‚,้ป‘ๆฐดๅŽฟ':(32.07,102.98), # 'ๅ››ๅท็œ,้˜ฟๅ่—ๆ—็พŒๆ—่‡ชๆฒปๅทžๅธ‚,้ฉฌๅฐ”ๅบทๅŽฟ':(31.9,102.22), # 'ๅ››ๅท็œ,้˜ฟๅ่—ๆ—็พŒๆ—่‡ชๆฒปๅทžๅธ‚,ๅฃคๅก˜ๅŽฟ':(32.27,100.98), # 'ๅ››ๅท็œ,้˜ฟๅ่—ๆ—็พŒๆ—่‡ชๆฒปๅทžๅธ‚,้˜ฟๅๅŽฟ':(32.9,101.7), # 'ๅ››ๅท็œ,้˜ฟๅ่—ๆ—็พŒๆ—่‡ชๆฒปๅทžๅธ‚,่‹ฅๅฐ”็›–ๅŽฟ':(33.58,102.95), # 'ๅ››ๅท็œ,้˜ฟๅ่—ๆ—็พŒๆ—่‡ชๆฒปๅทžๅธ‚,็บขๅŽŸๅŽฟ':(32.8,102.55), # 'ๅ››ๅท็œ,็”˜ๅญœ่—ๆ—่‡ชๆฒปๅทžๅธ‚,็”˜ๅญœ่—ๆ—่‡ชๆฒปๅทž':(30.05,101.97), # 'ๅ››ๅท็œ,็”˜ๅญœ่—ๆ—่‡ชๆฒปๅทžๅธ‚,ๅบทๅฎšๅŽฟ':(30.05,101.97), # 'ๅ››ๅท็œ,็”˜ๅญœ่—ๆ—่‡ชๆฒปๅทžๅธ‚,ๆณธๅฎšๅŽฟ':(29.92,102.23), # 'ๅ››ๅท็œ,็”˜ๅญœ่—ๆ—่‡ชๆฒปๅทžๅธ‚,ไธนๅทดๅŽฟ':(30.88,101.88), # 'ๅ››ๅท็œ,็”˜ๅญœ่—ๆ—่‡ชๆฒปๅทžๅธ‚,ไน้พ™ๅŽฟ':(29.0,101.5), # 'ๅ››ๅท็œ,็”˜ๅญœ่—ๆ—่‡ชๆฒปๅทžๅธ‚,้›…ๆฑŸๅŽฟ':(30.03,101.02), # 'ๅ››ๅท็œ,็”˜ๅญœ่—ๆ—่‡ชๆฒปๅทžๅธ‚,้“ๅญšๅŽฟ':(30.98,101.12), # 'ๅ››ๅท็œ,็”˜ๅญœ่—ๆ—่‡ชๆฒปๅทžๅธ‚,็‚‰้œๅŽฟ':(31.4,100.68), # 'ๅ››ๅท็œ,็”˜ๅญœ่—ๆ—่‡ชๆฒปๅทžๅธ‚,็”˜ๅญœๅŽฟ':(31.62,99.98), # 'ๅ››ๅท็œ,็”˜ๅญœ่—ๆ—่‡ชๆฒปๅทžๅธ‚,ๆ–ฐ้พ™ๅŽฟ':(30.95,100.32), # 'ๅ››ๅท็œ,็”˜ๅญœ่—ๆ—่‡ชๆฒปๅทžๅธ‚,ๅพทๆ ผๅŽฟ':(31.82,98.58), # 'ๅ››ๅท็œ,็”˜ๅญœ่—ๆ—่‡ชๆฒปๅทžๅธ‚,็™ฝ็މๅŽฟ':(31.22,98.83), # 'ๅ››ๅท็œ,็”˜ๅญœ่—ๆ—่‡ชๆฒปๅทžๅธ‚,็Ÿณๆธ ๅŽฟ':(32.98,98.1), # 'ๅ››ๅท็œ,็”˜ๅญœ่—ๆ—่‡ชๆฒปๅทžๅธ‚,่‰ฒ่พพๅŽฟ':(32.27,100.33), # 'ๅ››ๅท็œ,็”˜ๅญœ่—ๆ—่‡ชๆฒปๅทžๅธ‚,็†ๅก˜ๅŽฟ':(30.0,100.27), # 'ๅ››ๅท็œ,็”˜ๅญœ่—ๆ—่‡ชๆฒปๅทžๅธ‚,ๅทดๅก˜ๅŽฟ':(30.0,99.1), # 'ๅ››ๅท็œ,็”˜ๅญœ่—ๆ—่‡ชๆฒปๅทžๅธ‚,ไนกๅŸŽๅŽฟ':(28.93,99.8), # 'ๅ››ๅท็œ,็”˜ๅญœ่—ๆ—่‡ชๆฒปๅทžๅธ‚,็จปๅŸŽๅŽฟ':(29.03,100.3), # 'ๅ››ๅท็œ,็”˜ๅญœ่—ๆ—่‡ชๆฒปๅทžๅธ‚,ๅพ—่ฃๅŽฟ':(28.72,99.28), # 'ๅ››ๅท็œ,ๅ‡‰ๅฑฑๅฝๆ—่‡ชๆฒปๅทžๅธ‚,ๅ‡‰ๅฑฑๅฝๆ—่‡ชๆฒปๅทž':(27.9,102.27), # 'ๅ››ๅท็œ,ๅ‡‰ๅฑฑๅฝๆ—่‡ชๆฒปๅทžๅธ‚,่ฅฟๆ˜Œๅธ‚':(27.9,102.27), # 'ๅ››ๅท็œ,ๅ‡‰ๅฑฑๅฝๆ—่‡ชๆฒปๅทžๅธ‚,ๆœจ้‡Œ่—ๆ—่‡ชๆฒปๅŽฟ':(27.93,101.28), # 'ๅ››ๅท็œ,ๅ‡‰ๅฑฑๅฝๆ—่‡ชๆฒปๅทžๅธ‚,็›ๆบๅŽฟ':(27.43,101.5), # 'ๅ››ๅท็œ,ๅ‡‰ๅฑฑๅฝๆ—่‡ชๆฒปๅทžๅธ‚,ๅพทๆ˜ŒๅŽฟ':(27.4,102.18), # 'ๅ››ๅท็œ,ๅ‡‰ๅฑฑๅฝๆ—่‡ชๆฒปๅทžๅธ‚,ไผš็†ๅŽฟ':(26.67,102.25), # 'ๅ››ๅท็œ,ๅ‡‰ๅฑฑๅฝๆ—่‡ชๆฒปๅทžๅธ‚,ไผšไธœๅŽฟ':(26.63,102.58), # 'ๅ››ๅท็œ,ๅ‡‰ๅฑฑๅฝๆ—่‡ชๆฒปๅทžๅธ‚,ๅฎๅ—ๅŽฟ':(27.07,102.77), # 'ๅ››ๅท็œ,ๅ‡‰ๅฑฑๅฝๆ—่‡ชๆฒปๅทžๅธ‚,ๆ™ฎๆ ผๅŽฟ':(27.38,102.53), # 'ๅ››ๅท็œ,ๅ‡‰ๅฑฑๅฝๆ—่‡ชๆฒปๅทžๅธ‚,ๅธƒๆ‹–ๅŽฟ':(27.72,102.82), # 'ๅ››ๅท็œ,ๅ‡‰ๅฑฑๅฝๆ—่‡ชๆฒปๅทžๅธ‚,้‡‘้˜ณๅŽฟ':(27.7,103.25), # 'ๅ››ๅท็œ,ๅ‡‰ๅฑฑๅฝๆ—่‡ชๆฒปๅทžๅธ‚,ๆ˜ญ่ง‰ๅŽฟ':(28.02,102.85), # 'ๅ››ๅท็œ,ๅ‡‰ๅฑฑๅฝๆ—่‡ชๆฒปๅทžๅธ‚,ๅ–œๅพทๅŽฟ':(28.32,102.42), # 'ๅ››ๅท็œ,ๅ‡‰ๅฑฑๅฝๆ—่‡ชๆฒปๅทžๅธ‚,ๅ†•ๅฎๅŽฟ':(28.55,102.17), # 'ๅ››ๅท็œ,ๅ‡‰ๅฑฑๅฝๆ—่‡ชๆฒปๅทžๅธ‚,่ถŠ่ฅฟๅŽฟ':(28.65,102.52), # 'ๅ››ๅท็œ,ๅ‡‰ๅฑฑๅฝๆ—่‡ชๆฒปๅทžๅธ‚,็”˜ๆด›ๅŽฟ':(28.97,102.77), # 'ๅ››ๅท็œ,ๅ‡‰ๅฑฑๅฝๆ—่‡ชๆฒปๅทžๅธ‚,็พŽๅง‘ๅŽฟ':(28.33,103.13), # 'ๅ››ๅท็œ,ๅ‡‰ๅฑฑๅฝๆ—่‡ชๆฒปๅทžๅธ‚,้›ทๆณขๅŽฟ':(28.27,103.57), # '่ดตๅทž็œ,่ดต้˜ณๅธ‚,่ดต้˜ณๅธ‚':(26.65,106.63), # '่ดตๅทž็œ,่ดต้˜ณๅธ‚,ๅ—ๆ˜ŽๅŒบ':(26.57,106.72), # '่ดตๅทž็œ,่ดต้˜ณๅธ‚,ไบ‘ๅฒฉๅŒบ':(26.62,106.72), # '่ดตๅทž็œ,่ดต้˜ณๅธ‚,ไนŒๅฝ“ๅŒบ':(26.63,106.75), # '่ดตๅทž็œ,่ดต้˜ณๅธ‚,็™ฝไบ‘ๅŒบ':(26.68,106.65), # '่ดตๅทž็œ,่ดต้˜ณๅธ‚,ๅฐๆฒณๅŒบ':(26.53,106.7), # '่ดตๅทž็œ,่ดต้˜ณๅธ‚,ๅผ€้˜ณๅŽฟ':(27.07,106.97), # '่ดตๅทž็œ,่ดต้˜ณๅธ‚,ๆฏ็ƒฝๅŽฟ':(27.1,106.73), # '่ดตๅทž็œ,่ดต้˜ณๅธ‚,ไฟฎๆ–‡ๅŽฟ':(26.83,106.58), # '่ดตๅทž็œ,่ดต้˜ณๅธ‚,ๆธ…้•‡ๅธ‚':(26.55,106.47), # '่ดตๅทž็œ,ๅ…ญ็›˜ๆฐดๅธ‚,ๅ…ญ็›˜ๆฐดๅธ‚':(26.6,104.83), # '่ดตๅทž็œ,ๅ…ญ็›˜ๆฐดๅธ‚,้’ŸๅฑฑๅŒบ':(26.6,104.83), # '่ดตๅทž็œ,ๅ…ญ็›˜ๆฐดๅธ‚,ๅ…ญๆž็‰นๅŒบ':(26.22,105.48), # '่ดตๅทž็œ,ๅ…ญ็›˜ๆฐดๅธ‚,ๆฐดๅŸŽๅŽฟ':(26.55,104.95), # '่ดตๅทž็œ,ๅ…ญ็›˜ๆฐดๅธ‚,็›˜ๅŽฟ':(25.72,104.47), # '่ดตๅทž็œ,้ตไน‰ๅธ‚,้ตไน‰ๅธ‚':(27.73,106.92), # '่ดตๅทž็œ,้ตไน‰ๅธ‚,็บข่Šฑๅฒ—ๅŒบ':(27.65,106.92), # '่ดตๅทž็œ,้ตไน‰ๅธ‚,ๆฑ‡ๅทๅŒบ':(27.73,106.92), # '่ดตๅทž็œ,้ตไน‰ๅธ‚,้ตไน‰ๅŽฟ':(27.53,106.83), # '่ดตๅทž็œ,้ตไน‰ๅธ‚,ๆกๆข“ๅŽฟ':(28.13,106.82), # '่ดตๅทž็œ,้ตไน‰ๅธ‚,็ปฅ้˜ณๅŽฟ':(27.95,107.18), # '่ดตๅทž็œ,้ตไน‰ๅธ‚,ๆญฃๅฎ‰ๅŽฟ':(28.55,107.43), # '่ดตๅทž็œ,้ตไน‰ๅธ‚,้“็œŸไปกไฝฌๆ—่‹—ๆ—่‡ชๆฒปๅŽฟ':(28.88,107.6), # '่ดตๅทž็œ,้ตไน‰ๅธ‚,ๅŠกๅทไปกไฝฌๆ—่‹—ๆ—่‡ชๆฒปๅŽฟ':(28.53,107.88), # '่ดตๅทž็œ,้ตไน‰ๅธ‚,ๅ‡คๅ†ˆๅŽฟ':(27.97,107.72), # '่ดตๅทž็œ,้ตไน‰ๅธ‚,ๆน„ๆฝญๅŽฟ':(27.77,107.48), # '่ดตๅทž็œ,้ตไน‰ๅธ‚,ไฝ™ๅบ†ๅŽฟ':(27.22,107.88), # '่ดตๅทž็œ,้ตไน‰ๅธ‚,ไน ๆฐดๅŽฟ':(28.32,106.22), # '่ดตๅทž็œ,้ตไน‰ๅธ‚,่ตคๆฐดๅธ‚':(28.58,105.7), # '่ดตๅทž็œ,้ตไน‰ๅธ‚,ไปๆ€€ๅธ‚':(27.82,106.42), # '่ดตๅทž็œ,ๅฎ‰้กบๅธ‚,ๅฎ‰้กบๅธ‚':(26.25,105.95), # '่ดตๅทž็œ,ๅฎ‰้กบๅธ‚,่ฅฟ็ง€ๅŒบ':(26.25,105.92), # '่ดตๅทž็œ,ๅฎ‰้กบๅธ‚,ๅนณๅๅŽฟ':(26.42,106.25), # '่ดตๅทž็œ,ๅฎ‰้กบๅธ‚,ๆ™ฎๅฎšๅŽฟ':(26.32,105.75), # '่ดตๅทž็œ,ๅฎ‰้กบๅธ‚,้•‡ๅฎๅธƒไพๆ—่‹—ๆ—่‡ชๆฒปๅŽฟ':(26.07,105.77), # '่ดตๅทž็œ,ๅฎ‰้กบๅธ‚,ๅ…ณๅฒญๅธƒไพๆ—่‹—ๆ—่‡ชๆฒปๅŽฟ':(25.95,105.62), # '่ดตๅทž็œ,ๅฎ‰้กบๅธ‚,็ดซไบ‘่‹—ๆ—ๅธƒไพๆ—่‡ชๆฒปๅŽฟ':(25.75,106.08), # '่ดตๅทž็œ,้“œไปๅธ‚,้“œไปๅœฐๅŒบ':(27.72,109.18), # '่ดตๅทž็œ,้“œไปๅธ‚,้“œไปๅธ‚':(27.72,109.18), # '่ดตๅทž็œ,้“œไปๅธ‚,ๆฑŸๅฃๅŽฟ':(27.7,108.85), # '่ดตๅทž็œ,้“œไปๅธ‚,็މๅฑไพ—ๆ—่‡ชๆฒปๅŽฟ':(27.23,108.92), # '่ดตๅทž็œ,้“œไปๅธ‚,็Ÿณ้˜กๅŽฟ':(27.52,108.23), # '่ดตๅทž็œ,้“œไปๅธ‚,ๆ€ๅ—ๅŽฟ':(27.93,108.25), # '่ดตๅทž็œ,้“œไปๅธ‚,ๅฐๆฑŸๅœŸๅฎถๆ—่‹—ๆ—่‡ชๆฒปๅŽฟ':(28.0,108.4), # '่ดตๅทž็œ,้“œไปๅธ‚,ๅพทๆฑŸๅŽฟ':(28.27,108.12), # '่ดตๅทž็œ,้“œไปๅธ‚,ๆฒฟๆฒณๅœŸๅฎถๆ—่‡ชๆฒปๅŽฟ':(28.57,108.5), # '่ดตๅทž็œ,้“œไปๅธ‚,ๆพๆกƒ่‹—ๆ—่‡ชๆฒปๅŽฟ':(28.17,109.2), # '่ดตๅทž็œ,้“œไปๅธ‚,ไธ‡ๅฑฑ็‰นๅŒบ':(27.52,109.2), # '่ดตๅทž็œ,ๅ…ดไน‰ๅธ‚,ๅ…ดไน‰ๅธ‚':(25.08,104.9), # '่ดตๅทž็œ,ๅ…ดไน‰ๅธ‚,ๅ…ดไปๅŽฟ':(25.43,105.18), # '่ดตๅทž็œ,ๅ…ดไน‰ๅธ‚,ๆ™ฎๅฎ‰ๅŽฟ':(25.78,104.95), # '่ดตๅทž็œ,ๅ…ดไน‰ๅธ‚,ๆ™ด้š†ๅŽฟ':(25.83,105.22), # '่ดตๅทž็œ,ๅ…ดไน‰ๅธ‚,่ดžไธฐๅŽฟ':(25.38,105.65), # '่ดตๅทž็œ,ๅ…ดไน‰ๅธ‚,ๆœ›่ฐŸๅŽฟ':(25.17,106.1), # '่ดตๅทž็œ,ๅ…ดไน‰ๅธ‚,ๅ†ŒไบจๅŽฟ':(24.98,105.82), # '่ดตๅทž็œ,ๅ…ดไน‰ๅธ‚,ๅฎ‰้พ™ๅŽฟ':(25.12,105.47), # '่ดตๅทž็œ,ๆฏ•่Š‚ๅธ‚,ๆฏ•่Š‚ๅœฐๅŒบ':(27.3,105.28), # '่ดตๅทž็œ,ๆฏ•่Š‚ๅธ‚,ๆฏ•่Š‚ๅธ‚':(27.3,105.28), # '่ดตๅทž็œ,ๆฏ•่Š‚ๅธ‚,ๅคงๆ–นๅŽฟ':(27.15,105.6), # '่ดตๅทž็œ,ๆฏ•่Š‚ๅธ‚,้ป”่ฅฟๅŽฟ':(27.03,106.03), # '่ดตๅทž็œ,ๆฏ•่Š‚ๅธ‚,้‡‘ๆฒ™ๅŽฟ':(27.47,106.22), # '่ดตๅทž็œ,ๆฏ•่Š‚ๅธ‚,็ป‡้‡‘ๅŽฟ':(26.67,105.77), # '่ดตๅทž็œ,ๆฏ•่Š‚ๅธ‚,็บณ้›ๅŽฟ':(26.78,105.38), # '่ดตๅทž็œ,ๆฏ•่Š‚ๅธ‚,่ตซ็ซ ๅŽฟ':(27.13,104.72), # '่ดตๅทž็œ,้ป”ไธœๅ—่‹—ๆ—ไพ—ๆ—่‡ชๆฒปๅทžๅธ‚,้ป”ไธœๅ—่‹—ๆ—ไพ—ๆ—่‡ชๆฒปๅทž':(26.58,107.97), # '่ดตๅทž็œ,้ป”ไธœๅ—่‹—ๆ—ไพ—ๆ—่‡ชๆฒปๅทžๅธ‚,ๅ‡ฏ้‡Œๅธ‚':(26.58,107.97), # '่ดตๅทž็œ,้ป”ไธœๅ—่‹—ๆ—ไพ—ๆ—่‡ชๆฒปๅทžๅธ‚,้ป„ๅนณๅŽฟ':(26.9,107.9), # '่ดตๅทž็œ,้ป”ไธœๅ—่‹—ๆ—ไพ—ๆ—่‡ชๆฒปๅทžๅธ‚,ๆ–ฝ็ง‰ๅŽฟ':(27.03,108.12), # '่ดตๅทž็œ,้ป”ไธœๅ—่‹—ๆ—ไพ—ๆ—่‡ชๆฒปๅทžๅธ‚,ไธ‰็ฉ—ๅŽฟ':(26.97,108.68), # '่ดตๅทž็œ,้ป”ไธœๅ—่‹—ๆ—ไพ—ๆ—่‡ชๆฒปๅทžๅธ‚,้•‡่ฟœๅŽฟ':(27.05,108.42), # '่ดตๅทž็œ,้ป”ไธœๅ—่‹—ๆ—ไพ—ๆ—่‡ชๆฒปๅทžๅธ‚,ๅฒ‘ๅทฉๅŽฟ':(27.18,108.82), # '่ดตๅทž็œ,้ป”ไธœๅ—่‹—ๆ—ไพ—ๆ—่‡ชๆฒปๅทžๅธ‚,ๅคฉๆŸฑๅŽฟ':(26.92,109.2), # '่ดตๅทž็œ,้ป”ไธœๅ—่‹—ๆ—ไพ—ๆ—่‡ชๆฒปๅทžๅธ‚,้”ฆๅฑๅŽฟ':(26.68,109.2), # '่ดตๅทž็œ,้ป”ไธœๅ—่‹—ๆ—ไพ—ๆ—่‡ชๆฒปๅทžๅธ‚,ๅ‰‘ๆฒณๅŽฟ':(26.73,108.45), # '่ดตๅทž็œ,้ป”ไธœๅ—่‹—ๆ—ไพ—ๆ—่‡ชๆฒปๅทžๅธ‚,ๅฐๆฑŸๅŽฟ':(26.67,108.32), # '่ดตๅทž็œ,้ป”ไธœๅ—่‹—ๆ—ไพ—ๆ—่‡ชๆฒปๅทžๅธ‚,้ปŽๅนณๅŽฟ':(26.23,109.13), # '่ดตๅทž็œ,้ป”ไธœๅ—่‹—ๆ—ไพ—ๆ—่‡ชๆฒปๅทžๅธ‚,ๆฆ•ๆฑŸๅŽฟ':(25.93,108.52), # '่ดตๅทž็œ,้ป”ไธœๅ—่‹—ๆ—ไพ—ๆ—่‡ชๆฒปๅทžๅธ‚,ไปŽๆฑŸๅŽฟ':(25.75,108.9), # '่ดตๅทž็œ,้ป”ไธœๅ—่‹—ๆ—ไพ—ๆ—่‡ชๆฒปๅทžๅธ‚,้›ทๅฑฑๅŽฟ':(26.38,108.07), # '่ดตๅทž็œ,้ป”ไธœๅ—่‹—ๆ—ไพ—ๆ—่‡ชๆฒปๅทžๅธ‚,้บปๆฑŸๅŽฟ':(26.5,107.58), # '่ดตๅทž็œ,้ป”ไธœๅ—่‹—ๆ—ไพ—ๆ—่‡ชๆฒปๅทžๅธ‚,ไธนๅฏจๅŽฟ':(26.2,107.8), # '่ดตๅทž็œ,้ป”ๅ—ๅธƒไพๆ—่‹—ๆ—่‡ชๆฒปๅทžๅธ‚,้ป”ๅ—ๅธƒไพๆ—่‹—ๆ—่‡ชๆฒปๅทž':(26.27,107.52), # '่ดตๅทž็œ,้ป”ๅ—ๅธƒไพๆ—่‹—ๆ—่‡ชๆฒปๅทžๅธ‚,้ƒฝๅŒ€ๅธ‚':(26.27,107.52), # '่ดตๅทž็œ,้ป”ๅ—ๅธƒไพๆ—่‹—ๆ—่‡ชๆฒปๅทžๅธ‚,็ฆๆณ‰ๅธ‚':(26.7,107.5), # '่ดตๅทž็œ,้ป”ๅ—ๅธƒไพๆ—่‹—ๆ—่‡ชๆฒปๅทžๅธ‚,่”ๆณขๅŽฟ':(25.42,107.88), # '่ดตๅทž็œ,้ป”ๅ—ๅธƒไพๆ—่‹—ๆ—่‡ชๆฒปๅทžๅธ‚,่ดตๅฎšๅŽฟ':(26.58,107.23), # '่ดตๅทž็œ,้ป”ๅ—ๅธƒไพๆ—่‹—ๆ—่‡ชๆฒปๅทžๅธ‚,็“ฎๅฎ‰ๅŽฟ':(27.07,107.47), # '่ดตๅทž็œ,้ป”ๅ—ๅธƒไพๆ—่‹—ๆ—่‡ชๆฒปๅทžๅธ‚,็‹ฌๅฑฑๅŽฟ':(25.83,107.53), # '่ดตๅทž็œ,้ป”ๅ—ๅธƒไพๆ—่‹—ๆ—่‡ชๆฒปๅทžๅธ‚,ๅนณๅก˜ๅŽฟ':(25.83,107.32), # '่ดตๅทž็œ,้ป”ๅ—ๅธƒไพๆ—่‹—ๆ—่‡ชๆฒปๅทžๅธ‚,็ฝ—็”ธๅŽฟ':(25.43,106.75), # '่ดตๅทž็œ,้ป”ๅ—ๅธƒไพๆ—่‹—ๆ—่‡ชๆฒปๅทžๅธ‚,้•ฟ้กบๅŽฟ':(26.03,106.45), # '่ดตๅทž็œ,้ป”ๅ—ๅธƒไพๆ—่‹—ๆ—่‡ชๆฒปๅทžๅธ‚,้พ™้‡ŒๅŽฟ':(26.45,106.97), # '่ดตๅทž็œ,้ป”ๅ—ๅธƒไพๆ—่‹—ๆ—่‡ชๆฒปๅทžๅธ‚,ๆƒ ๆฐดๅŽฟ':(26.13,106.65), # '่ดตๅทž็œ,้ป”ๅ—ๅธƒไพๆ—่‹—ๆ—่‡ชๆฒปๅทžๅธ‚,ไธ‰้ƒฝๆฐดๆ—่‡ชๆฒปๅŽฟ':(25.98,107.87), # 'ไบ‘ๅ—็œ,ๆ˜†ๆ˜Žๅธ‚,ๆ˜†ๆ˜Žๅธ‚':(25.05,102.72), # 'ไบ‘ๅ—็œ,ๆ˜†ๆ˜Žๅธ‚,ไบ”ๅŽๅŒบ':(25.05,102.7), # 'ไบ‘ๅ—็œ,ๆ˜†ๆ˜Žๅธ‚,็›˜้พ™ๅŒบ':(25.03,102.72), # 'ไบ‘ๅ—็œ,ๆ˜†ๆ˜Žๅธ‚,ๅฎ˜ๆธกๅŒบ':(25.02,102.75), # 'ไบ‘ๅ—็œ,ๆ˜†ๆ˜Žๅธ‚,่ฅฟๅฑฑๅŒบ':(25.03,102.67), # 'ไบ‘ๅ—็œ,ๆ˜†ๆ˜Žๅธ‚,ไธœๅทๅŒบ':(26.08,103.18), # 'ไบ‘ๅ—็œ,ๆ˜†ๆ˜Žๅธ‚,ๅ‘ˆ่ดกๅŽฟ':(24.88,102.8), # 'ไบ‘ๅ—็œ,ๆ˜†ๆ˜Žๅธ‚,ๆ™‹ๅฎๅŽฟ':(24.67,102.6), # 'ไบ‘ๅ—็œ,ๆ˜†ๆ˜Žๅธ‚,ๅฏŒๆฐ‘ๅŽฟ':(25.22,102.5), # 'ไบ‘ๅ—็œ,ๆ˜†ๆ˜Žๅธ‚,ๅฎœ่‰ฏๅŽฟ':(24.92,103.15), # 'ไบ‘ๅ—็œ,ๆ˜†ๆ˜Žๅธ‚,็Ÿณๆž—ๅฝๆ—่‡ชๆฒปๅŽฟ':(24.77,103.27), # 'ไบ‘ๅ—็œ,ๆ˜†ๆ˜Žๅธ‚,ๅตฉๆ˜ŽๅŽฟ':(25.35,103.03), # 'ไบ‘ๅ—็œ,ๆ˜†ๆ˜Žๅธ‚,็ฆ„ๅŠๅฝๆ—่‹—ๆ—่‡ชๆฒปๅŽฟ':(25.55,102.47), # 'ไบ‘ๅ—็œ,ๆ˜†ๆ˜Žๅธ‚,ๅฏป็”ธๅ›žๆ—ๅฝๆ—่‡ชๆฒปๅŽฟ':(25.57,103.25), # 'ไบ‘ๅ—็œ,ๆ˜†ๆ˜Žๅธ‚,ๅฎ‰ๅฎๅธ‚':(24.92,102.48), # 'ไบ‘ๅ—็œ,ๆ›ฒ้–ๅธ‚,ๆ›ฒ้–ๅธ‚':(25.5,103.8), # 'ไบ‘ๅ—็œ,ๆ›ฒ้–ๅธ‚,้บ’้บŸๅŒบ':(25.5,103.8), # 'ไบ‘ๅ—็œ,ๆ›ฒ้–ๅธ‚,้ฉฌ้พ™ๅŽฟ':(25.43,103.58), # 'ไบ‘ๅ—็œ,ๆ›ฒ้–ๅธ‚,้™†่‰ฏๅŽฟ':(25.03,103.67), # 'ไบ‘ๅ—็œ,ๆ›ฒ้–ๅธ‚,ๅธˆๅฎ—ๅŽฟ':(24.83,103.98), # 'ไบ‘ๅ—็œ,ๆ›ฒ้–ๅธ‚,็ฝ—ๅนณๅŽฟ':(24.88,104.3), # 'ไบ‘ๅ—็œ,ๆ›ฒ้–ๅธ‚,ๅฏŒๆบๅŽฟ':(25.67,104.25), # 'ไบ‘ๅ—็œ,ๆ›ฒ้–ๅธ‚,ไผšๆณฝๅŽฟ':(26.42,103.3), # 'ไบ‘ๅ—็œ,ๆ›ฒ้–ๅธ‚,ๆฒพ็›ŠๅŽฟ':(25.62,103.82), # 'ไบ‘ๅ—็œ,ๆ›ฒ้–ๅธ‚,ๅฎฃๅจๅธ‚':(26.22,104.1), # 'ไบ‘ๅ—็œ,็މๆบชๅธ‚,็މๆบชๅธ‚':(24.35,102.55), # 'ไบ‘ๅ—็œ,็މๆบชๅธ‚,ๆฑŸๅทๅŽฟ':(24.28,102.75), # 'ไบ‘ๅ—็œ,็މๆบชๅธ‚,ๆพ„ๆฑŸๅŽฟ':(24.67,102.92), # 'ไบ‘ๅ—็œ,็މๆบชๅธ‚,้€šๆตทๅŽฟ':(24.12,102.75), # 'ไบ‘ๅ—็œ,็މๆบชๅธ‚,ๅŽๅฎๅŽฟ':(24.2,102.93), # 'ไบ‘ๅ—็œ,็މๆบชๅธ‚,ๆ˜“้—จๅŽฟ':(24.67,102.17), # 'ไบ‘ๅ—็œ,็މๆบชๅธ‚,ๅณจๅฑฑๅฝๆ—่‡ชๆฒปๅŽฟ':(24.18,102.4), # 'ไบ‘ๅ—็œ,็މๆบชๅธ‚,ๆ–ฐๅนณๅฝๆ—ๅ‚ฃๆ—่‡ชๆฒปๅŽฟ':(24.07,101.98), # 'ไบ‘ๅ—็œ,ไฟๅฑฑๅธ‚,ไฟๅฑฑๅธ‚':(25.12,99.17), # 'ไบ‘ๅ—็œ,ไฟๅฑฑๅธ‚,้š†้˜ณๅŒบ':(25.12,99.17), # 'ไบ‘ๅ—็œ,ไฟๅฑฑๅธ‚,ๆ–ฝ็”ธๅŽฟ':(24.73,99.18), # 'ไบ‘ๅ—็œ,ไฟๅฑฑๅธ‚,่…พๅ†ฒๅŽฟ':(25.03,98.5), # 'ไบ‘ๅ—็œ,ไฟๅฑฑๅธ‚,้พ™้™ตๅŽฟ':(24.58,98.68), # 'ไบ‘ๅ—็œ,ไฟๅฑฑๅธ‚,ๆ˜ŒๅฎๅŽฟ':(24.83,99.6), # 'ไบ‘ๅ—็œ,ๆ˜ญ้€šๅธ‚,ๆ˜ญ้€šๅธ‚':(27.33,103.72), # 'ไบ‘ๅ—็œ,ๆ˜ญ้€šๅธ‚,ๆ˜ญ้˜ณๅŒบ':(27.33,103.72), # 'ไบ‘ๅ—็œ,ๆ˜ญ้€šๅธ‚,้ฒ็”ธๅŽฟ':(27.2,103.55), # 'ไบ‘ๅ—็œ,ๆ˜ญ้€šๅธ‚,ๅทงๅฎถๅŽฟ':(26.92,102.92), # 'ไบ‘ๅ—็œ,ๆ˜ญ้€šๅธ‚,็›ๆดฅๅŽฟ':(28.12,104.23), # 'ไบ‘ๅ—็œ,ๆ˜ญ้€šๅธ‚,ๅคงๅ…ณๅŽฟ':(27.75,103.88), # 'ไบ‘ๅ—็œ,ๆ˜ญ้€šๅธ‚,ๆฐธๅ–„ๅŽฟ':(28.23,103.63), # 'ไบ‘ๅ—็œ,ๆ˜ญ้€šๅธ‚,็ปฅๆฑŸๅŽฟ':(28.6,103.95), # 'ไบ‘ๅ—็œ,ๆ˜ญ้€šๅธ‚,้•‡้›„ๅŽฟ':(27.45,104.87), # 'ไบ‘ๅ—็œ,ๆ˜ญ้€šๅธ‚,ๅฝ่‰ฏๅŽฟ':(27.63,104.05), # 'ไบ‘ๅ—็œ,ๆ˜ญ้€šๅธ‚,ๅจไฟกๅŽฟ':(27.85,105.05), # 'ไบ‘ๅ—็œ,ๆ˜ญ้€šๅธ‚,ๆฐดๅฏŒๅŽฟ':(28.63,104.4), # 'ไบ‘ๅ—็œ,ไธฝๆฑŸๅธ‚,ไธฝๆฑŸๅธ‚':(26.88,100.23), # 'ไบ‘ๅ—็œ,ไธฝๆฑŸๅธ‚,ๅคๅŸŽๅŒบ':(26.88,100.23), # 'ไบ‘ๅ—็œ,ไธฝๆฑŸๅธ‚,็މ้พ™็บณ่ฅฟๆ—่‡ชๆฒปๅŽฟ':(26.82,100.23), # 'ไบ‘ๅ—็œ,ไธฝๆฑŸๅธ‚,ๆฐธ่ƒœๅŽฟ':(26.68,100.75), # 'ไบ‘ๅ—็œ,ไธฝๆฑŸๅธ‚,ๅŽๅชๅŽฟ':(26.63,101.27), # 'ไบ‘ๅ—็œ,ไธฝๆฑŸๅธ‚,ๅฎ่’—ๅฝๆ—่‡ชๆฒปๅŽฟ':(27.28,100.85), # 'ไบ‘ๅ—็œ,ๅขจๆฑŸๅ“ˆๅฐผๆ—่‡ชๆฒปๅŽฟๅธ‚,ๅขจๆฑŸๅ“ˆๅฐผๆ—่‡ชๆฒปๅŽฟ':(23.43,101.68), # 'ไบ‘ๅ—็œ,ๅขจๆฑŸๅ“ˆๅฐผๆ—่‡ชๆฒปๅŽฟๅธ‚,ๆ™ฏไธœๅฝๆ—่‡ชๆฒปๅŽฟ':(24.45,100.83), # 'ไบ‘ๅ—็œ,ๅขจๆฑŸๅ“ˆๅฐผๆ—่‡ชๆฒปๅŽฟๅธ‚,ๆ™ฏ่ฐทๅ‚ฃๆ—ๅฝๆ—่‡ชๆฒปๅŽฟ':(23.5,100.7), # 'ไบ‘ๅ—็œ,ๅขจๆฑŸๅ“ˆๅฐผๆ—่‡ชๆฒปๅŽฟๅธ‚,ๆฑŸๅŸŽๅ“ˆๅฐผๆ—ๅฝๆ—่‡ชๆฒปๅŽฟ':(22.58,101.85), # 'ไบ‘ๅ—็œ,ๅขจๆฑŸๅ“ˆๅฐผๆ—่‡ชๆฒปๅŽฟๅธ‚,ๆพœๆฒงๆ‹‰็ฅœๆ—่‡ชๆฒปๅŽฟ':(22.55,99.93), # 'ไบ‘ๅ—็œ,ๅขจๆฑŸๅ“ˆๅฐผๆ—่‡ชๆฒปๅŽฟๅธ‚,่ฅฟ็›Ÿไฝคๆ—่‡ชๆฒปๅŽฟ':(22.63,99.62), # 'ไบ‘ๅ—็œ,ไธดๆฒงๅธ‚,ไธดๆฒงๅธ‚':(23.88,100.08), # 'ไบ‘ๅ—็œ,ไธดๆฒงๅธ‚,ไธด็ฟ”ๅŒบ':(23.88,100.08), # 'ไบ‘ๅ—็œ,ไธดๆฒงๅธ‚,ๅ‡คๅบ†ๅŽฟ':(24.6,99.92), # 'ไบ‘ๅ—็œ,ไธดๆฒงๅธ‚,ไบ‘ๅŽฟ':(24.45,100.13), # 'ไบ‘ๅ—็œ,ไธดๆฒงๅธ‚,ๆฐธๅพทๅŽฟ':(24.03,99.25), # 'ไบ‘ๅ—็œ,ไธดๆฒงๅธ‚,้•‡ๅบทๅŽฟ':(23.78,98.83), # 'ไบ‘ๅ—็œ,ไธดๆฒงๅธ‚,่€ฟ้ฉฌๅ‚ฃๆ—ไฝคๆ—่‡ชๆฒปๅŽฟ':(23.55,99.4), # 'ไบ‘ๅ—็œ,ไธดๆฒงๅธ‚,ๆฒงๆบไฝคๆ—่‡ชๆฒปๅŽฟ':(23.15,99.25), # 'ไบ‘ๅ—็œ,ๆฅš้›„ๅฝๆ—่‡ชๆฒปๅทžๅธ‚,ๆฅš้›„ๅฝๆ—่‡ชๆฒปๅทž':(25.03,101.55), # 'ไบ‘ๅ—็œ,ๆฅš้›„ๅฝๆ—่‡ชๆฒปๅทžๅธ‚,ๆฅš้›„ๅธ‚':(25.03,101.55), # 'ไบ‘ๅ—็œ,ๆฅš้›„ๅฝๆ—่‡ชๆฒปๅทžๅธ‚,ๅŒๆŸๅŽฟ':(24.7,101.63), # 'ไบ‘ๅ—็œ,ๆฅš้›„ๅฝๆ—่‡ชๆฒปๅทžๅธ‚,็‰ŸๅฎšๅŽฟ':(25.32,101.53), # 'ไบ‘ๅ—็œ,ๆฅš้›„ๅฝๆ—่‡ชๆฒปๅทžๅธ‚,ๅ—ๅŽๅŽฟ':(25.2,101.27), # 'ไบ‘ๅ—็œ,ๆฅš้›„ๅฝๆ—่‡ชๆฒปๅทžๅธ‚,ๅงšๅฎ‰ๅŽฟ':(25.5,101.23), # 'ไบ‘ๅ—็œ,ๆฅš้›„ๅฝๆ—่‡ชๆฒปๅทžๅธ‚,ๅคงๅงšๅŽฟ':(25.73,101.32), # 'ไบ‘ๅ—็œ,ๆฅš้›„ๅฝๆ—่‡ชๆฒปๅทžๅธ‚,ๆฐธไปๅŽฟ':(26.07,101.67), # 'ไบ‘ๅ—็œ,ๆฅš้›„ๅฝๆ—่‡ชๆฒปๅทžๅธ‚,ๅ…ƒ่ฐ‹ๅŽฟ':(25.7,101.88), # 'ไบ‘ๅ—็œ,ๆฅš้›„ๅฝๆ—่‡ชๆฒปๅทžๅธ‚,ๆญฆๅฎšๅŽฟ':(25.53,102.4), # 'ไบ‘ๅ—็œ,ๆฅš้›„ๅฝๆ—่‡ชๆฒปๅทžๅธ‚,็ฆ„ไธฐๅŽฟ':(25.15,102.08), # 'ไบ‘ๅ—็œ,็บขๆฒณๅ“ˆๅฐผๆ—ๅฝๆ—่‡ชๆฒปๅทžๅธ‚,็บขๆฒณๅ“ˆๅฐผๆ—ๅฝๆ—่‡ชๆฒปๅทž':(23.37,103.4), # 'ไบ‘ๅ—็œ,็บขๆฒณๅ“ˆๅฐผๆ—ๅฝๆ—่‡ชๆฒปๅทžๅธ‚,ไธชๆ—งๅธ‚':(23.37,103.15), # 'ไบ‘ๅ—็œ,็บขๆฒณๅ“ˆๅฐผๆ—ๅฝๆ—่‡ชๆฒปๅทžๅธ‚,ๅผ€่ฟœๅธ‚':(23.72,103.27), # 'ไบ‘ๅ—็œ,็บขๆฒณๅ“ˆๅฐผๆ—ๅฝๆ—่‡ชๆฒปๅทžๅธ‚,่’™่‡ชๅŽฟ':(23.37,103.4), # 'ไบ‘ๅ—็œ,็บขๆฒณๅ“ˆๅฐผๆ—ๅฝๆ—่‡ชๆฒปๅทžๅธ‚,ๅฑ่พน่‹—ๆ—่‡ชๆฒปๅŽฟ':(22.98,103.68), # 'ไบ‘ๅ—็œ,็บขๆฒณๅ“ˆๅฐผๆ—ๅฝๆ—่‡ชๆฒปๅทžๅธ‚,ๅปบๆฐดๅŽฟ':(23.62,102.83), # 'ไบ‘ๅ—็œ,็บขๆฒณๅ“ˆๅฐผๆ—ๅฝๆ—่‡ชๆฒปๅทžๅธ‚,็ŸณๅฑๅŽฟ':(23.72,102.5), # 'ไบ‘ๅ—็œ,็บขๆฒณๅ“ˆๅฐผๆ—ๅฝๆ—่‡ชๆฒปๅทžๅธ‚,ๅผฅๅ‹’ๅŽฟ':(24.4,103.43), # 'ไบ‘ๅ—็œ,็บขๆฒณๅ“ˆๅฐผๆ—ๅฝๆ—่‡ชๆฒปๅทžๅธ‚,ๆณธ่ฅฟๅŽฟ':(24.53,103.77), # 'ไบ‘ๅ—็œ,็บขๆฒณๅ“ˆๅฐผๆ—ๅฝๆ—่‡ชๆฒปๅทžๅธ‚,ๅ…ƒ้˜ณๅŽฟ':(23.23,102.83), # 'ไบ‘ๅ—็œ,็บขๆฒณๅ“ˆๅฐผๆ—ๅฝๆ—่‡ชๆฒปๅทžๅธ‚,็บขๆฒณๅŽฟ':(23.37,102.42), # 'ไบ‘ๅ—็œ,็บขๆฒณๅ“ˆๅฐผๆ—ๅฝๆ—่‡ชๆฒปๅทžๅธ‚,็ปฟๆ˜ฅๅŽฟ':(23.0,102.4), # 'ไบ‘ๅ—็œ,็บขๆฒณๅ“ˆๅฐผๆ—ๅฝๆ—่‡ชๆฒปๅทžๅธ‚,ๆฒณๅฃ็‘ถๆ—่‡ชๆฒปๅŽฟ':(22.52,103.97), # 'ไบ‘ๅ—็œ,ๆ–‡ๅฑฑๅฃฎๆ—่‹—ๆ—่‡ชๆฒปๅทžๅธ‚,ๆ–‡ๅฑฑๅฃฎๆ—่‹—ๆ—่‡ชๆฒปๅทž':(23.37,104.25), # 'ไบ‘ๅ—็œ,ๆ–‡ๅฑฑๅฃฎๆ—่‹—ๆ—่‡ชๆฒปๅทžๅธ‚,ๆ–‡ๅฑฑๅŽฟ':(23.37,104.25), # 'ไบ‘ๅ—็œ,ๆ–‡ๅฑฑๅฃฎๆ—่‹—ๆ—่‡ชๆฒปๅทžๅธ‚,็ šๅฑฑๅŽฟ':(23.62,104.33), # 'ไบ‘ๅ—็œ,ๆ–‡ๅฑฑๅฃฎๆ—่‹—ๆ—่‡ชๆฒปๅทžๅธ‚,่ฅฟ็•ดๅŽฟ':(23.45,104.67), # 'ไบ‘ๅ—็œ,ๆ–‡ๅฑฑๅฃฎๆ—่‹—ๆ—่‡ชๆฒปๅทžๅธ‚,้บปๆ —ๅกๅŽฟ':(23.12,104.7), # 'ไบ‘ๅ—็œ,ๆ–‡ๅฑฑๅฃฎๆ—่‹—ๆ—่‡ชๆฒปๅทžๅธ‚,้ฉฌๅ…ณๅŽฟ':(23.02,104.4), # 'ไบ‘ๅ—็œ,ๆ–‡ๅฑฑๅฃฎๆ—่‹—ๆ—่‡ชๆฒปๅทžๅธ‚,ไธ˜ๅŒ—ๅŽฟ':(24.05,104.18), # 'ไบ‘ๅ—็œ,ๆ–‡ๅฑฑๅฃฎๆ—่‹—ๆ—่‡ชๆฒปๅทžๅธ‚,ๅนฟๅ—ๅŽฟ':(24.05,105.07), # 'ไบ‘ๅ—็œ,ๆ–‡ๅฑฑๅฃฎๆ—่‹—ๆ—่‡ชๆฒปๅทžๅธ‚,ๅฏŒๅฎๅŽฟ':(23.63,105.62), # 'ไบ‘ๅ—็œ,่ฅฟๅŒ็‰ˆ็บณๅ‚ฃๆ—่‡ชๆฒปๅทžๅธ‚,่ฅฟๅŒ็‰ˆ็บณๅ‚ฃๆ—่‡ชๆฒปๅทž':(22.02,100.8), # 'ไบ‘ๅ—็œ,่ฅฟๅŒ็‰ˆ็บณๅ‚ฃๆ—่‡ชๆฒปๅทžๅธ‚,ๆ™ฏๆดชๅธ‚':(22.02,100.8), # 'ไบ‘ๅ—็œ,่ฅฟๅŒ็‰ˆ็บณๅ‚ฃๆ—่‡ชๆฒปๅทžๅธ‚,ๅ‹ๆตทๅŽฟ':(21.97,100.45), # 'ไบ‘ๅ—็œ,่ฅฟๅŒ็‰ˆ็บณๅ‚ฃๆ—่‡ชๆฒปๅทžๅธ‚,ๅ‹่…ŠๅŽฟ':(21.48,101.57), # 'ไบ‘ๅ—็œ,ๅคง็†็™ฝๆ—่‡ชๆฒปๅทžๅธ‚,ๅคง็†็™ฝๆ—่‡ชๆฒปๅทž':(25.6,100.23), # 'ไบ‘ๅ—็œ,ๅคง็†็™ฝๆ—่‡ชๆฒปๅทžๅธ‚,ๅคง็†ๅธ‚':(25.6,100.23), # 'ไบ‘ๅ—็œ,ๅคง็†็™ฝๆ—่‡ชๆฒปๅทžๅธ‚,ๆผพๆฟžๅฝๆ—่‡ชๆฒปๅŽฟ':(25.67,99.95), # 'ไบ‘ๅ—็œ,ๅคง็†็™ฝๆ—่‡ชๆฒปๅทžๅธ‚,็ฅฅไบ‘ๅŽฟ':(25.48,100.55), # 'ไบ‘ๅ—็œ,ๅคง็†็™ฝๆ—่‡ชๆฒปๅทžๅธ‚,ๅฎพๅทๅŽฟ':(25.83,100.58), # 'ไบ‘ๅ—็œ,ๅคง็†็™ฝๆ—่‡ชๆฒปๅทžๅธ‚,ๅผฅๆธกๅŽฟ':(25.35,100.48), # 'ไบ‘ๅ—็œ,ๅคง็†็™ฝๆ—่‡ชๆฒปๅทžๅธ‚,ๅ—ๆถงๅฝๆ—่‡ชๆฒปๅŽฟ':(25.05,100.52), # 'ไบ‘ๅ—็œ,ๅคง็†็™ฝๆ—่‡ชๆฒปๅทžๅธ‚,ๅทๅฑฑๅฝๆ—ๅ›žๆ—่‡ชๆฒปๅŽฟ':(25.23,100.3), # 'ไบ‘ๅ—็œ,ๅคง็†็™ฝๆ—่‡ชๆฒปๅทžๅธ‚,ๆฐธๅนณๅŽฟ':(25.47,99.53), # 'ไบ‘ๅ—็œ,ๅคง็†็™ฝๆ—่‡ชๆฒปๅทžๅธ‚,ไบ‘้พ™ๅŽฟ':(25.88,99.37), # 'ไบ‘ๅ—็œ,ๅคง็†็™ฝๆ—่‡ชๆฒปๅทžๅธ‚,ๆดฑๆบๅŽฟ':(26.12,99.95), # 'ไบ‘ๅ—็œ,ๅคง็†็™ฝๆ—่‡ชๆฒปๅทžๅธ‚,ๅ‰‘ๅทๅŽฟ':(26.53,99.9), # 'ไบ‘ๅ—็œ,ๅคง็†็™ฝๆ—่‡ชๆฒปๅทžๅธ‚,้นคๅบ†ๅŽฟ':(26.57,100.18), # 'ไบ‘ๅ—็œ,ๅพทๅฎๅ‚ฃๆ—ๆ™ฏ้ข‡ๆ—่‡ชๆฒปๅทžๅธ‚,ๅพทๅฎๅ‚ฃๆ—ๆ™ฏ้ข‡ๆ—่‡ชๆฒปๅทž':(24.43,98.58), # 'ไบ‘ๅ—็œ,ๅพทๅฎๅ‚ฃๆ—ๆ™ฏ้ข‡ๆ—่‡ชๆฒปๅทžๅธ‚,็‘žไธฝๅธ‚':(24.02,97.85), # 'ไบ‘ๅ—็œ,ๅพทๅฎๅ‚ฃๆ—ๆ™ฏ้ข‡ๆ—่‡ชๆฒปๅทžๅธ‚,ๆฝž่ฅฟๅธ‚':(24.43,98.58), # 'ไบ‘ๅ—็œ,ๅพทๅฎๅ‚ฃๆ—ๆ™ฏ้ข‡ๆ—่‡ชๆฒปๅทžๅธ‚,ๆขๆฒณๅŽฟ':(24.82,98.3), # 'ไบ‘ๅ—็œ,ๅพทๅฎๅ‚ฃๆ—ๆ™ฏ้ข‡ๆ—่‡ชๆฒปๅทžๅธ‚,็›ˆๆฑŸๅŽฟ':(24.72,97.93), # 'ไบ‘ๅ—็œ,ๅพทๅฎๅ‚ฃๆ—ๆ™ฏ้ข‡ๆ—่‡ชๆฒปๅทžๅธ‚,้™‡ๅทๅŽฟ':(24.2,97.8), # 'ไบ‘ๅ—็œ,ๆ€’ๆฑŸๅ‚ˆๅƒณๆ—่‡ชๆฒปๅทžๅธ‚,ๆ€’ๆฑŸๅ‚ˆๅƒณๆ—่‡ชๆฒปๅทž':(25.85,98.85), # 'ไบ‘ๅ—็œ,ๆ€’ๆฑŸๅ‚ˆๅƒณๆ—่‡ชๆฒปๅทžๅธ‚,ๆณธๆฐดๅŽฟ':(25.85,98.85), # 'ไบ‘ๅ—็œ,ๆ€’ๆฑŸๅ‚ˆๅƒณๆ—่‡ชๆฒปๅทžๅธ‚,็ฆ่ดกๅŽฟ':(26.9,98.87), # 'ไบ‘ๅ—็œ,ๆ€’ๆฑŸๅ‚ˆๅƒณๆ—่‡ชๆฒปๅทžๅธ‚,่ดกๅฑฑ็‹ฌ้พ™ๆ—ๆ€’ๆ—่‡ชๆฒปๅŽฟ':(27.73,98.67), # 'ไบ‘ๅ—็œ,ๆ€’ๆฑŸๅ‚ˆๅƒณๆ—่‡ชๆฒปๅทžๅธ‚,ๅ…ฐๅช็™ฝๆ—ๆ™ฎ็ฑณๆ—่‡ชๆฒปๅŽฟ':(26.45,99.42), # 'ไบ‘ๅ—็œ,่ฟชๅบ†่—ๆ—่‡ชๆฒปๅทžๅธ‚,่ฟชๅบ†่—ๆ—่‡ชๆฒปๅทž':(27.83,99.7), # 'ไบ‘ๅ—็œ,่ฟชๅบ†่—ๆ—่‡ชๆฒปๅทžๅธ‚,้ฆ™ๆ ผ้‡Œๆ‹‰ๅŽฟ':(27.83,99.7), # 'ไบ‘ๅ—็œ,่ฟชๅบ†่—ๆ—่‡ชๆฒปๅทžๅธ‚,ๅพท้’ฆๅŽฟ':(28.48,98.92), # 'ไบ‘ๅ—็œ,่ฟชๅบ†่—ๆ—่‡ชๆฒปๅทžๅธ‚,็ปด่ฅฟๅ‚ˆๅƒณๆ—่‡ชๆฒปๅŽฟ':(27.18,99.28), # '่ฅฟ่—่‡ชๆฒปๅŒบ,ๆ‹‰่จๅธ‚,ๆ‹‰่จๅธ‚':(29.65,91.13), # '่ฅฟ่—่‡ชๆฒปๅŒบ,ๆ‹‰่จๅธ‚,ๅŸŽๅ…ณๅŒบ':(29.65,91.13), # '่ฅฟ่—่‡ชๆฒปๅŒบ,ๆ‹‰่จๅธ‚,ๆž—ๅ‘จๅŽฟ':(29.9,91.25), # '่ฅฟ่—่‡ชๆฒปๅŒบ,ๆ‹‰่จๅธ‚,ๅฝ“้›„ๅŽฟ':(30.48,91.1), # '่ฅฟ่—่‡ชๆฒปๅŒบ,ๆ‹‰่จๅธ‚,ๅฐผๆœจๅŽฟ':(29.45,90.15), # '่ฅฟ่—่‡ชๆฒปๅŒบ,ๆ‹‰่จๅธ‚,ๆ›ฒๆฐดๅŽฟ':(29.37,90.73), # '่ฅฟ่—่‡ชๆฒปๅŒบ,ๆ‹‰่จๅธ‚,ๅ †้พ™ๅพทๅบ†ๅŽฟ':(29.65,91.0), # '่ฅฟ่—่‡ชๆฒปๅŒบ,ๆ‹‰่จๅธ‚,่พพๅญœๅŽฟ':(29.68,91.35), # '่ฅฟ่—่‡ชๆฒปๅŒบ,ๆ‹‰่จๅธ‚,ๅขจ็ซนๅทฅๅกๅŽฟ':(29.83,91.73), # '่ฅฟ่—่‡ชๆฒปๅŒบ,ๆ˜Œ้ƒฝๅœฐๅŒบๅธ‚,ๆ˜Œ้ƒฝๅœฐๅŒบ':(31.13,97.18), # '่ฅฟ่—่‡ชๆฒปๅŒบ,ๆ˜Œ้ƒฝๅœฐๅŒบๅธ‚,ๆ˜Œ้ƒฝๅŽฟ':(31.13,97.18), # '่ฅฟ่—่‡ชๆฒปๅŒบ,ๆ˜Œ้ƒฝๅœฐๅŒบๅธ‚,ๆฑŸ่พพๅŽฟ':(31.5,98.22), # '่ฅฟ่—่‡ชๆฒปๅŒบ,ๆ˜Œ้ƒฝๅœฐๅŒบๅธ‚,่ดก่ง‰ๅŽฟ':(30.87,98.27), # '่ฅฟ่—่‡ชๆฒปๅŒบ,ๆ˜Œ้ƒฝๅœฐๅŒบๅธ‚,็ฑปไนŒ้ฝๅŽฟ':(31.22,96.6), # '่ฅฟ่—่‡ชๆฒปๅŒบ,ๆ˜Œ้ƒฝๅœฐๅŒบๅธ‚,ไธ้’ๅŽฟ':(31.42,95.6), # '่ฅฟ่—่‡ชๆฒปๅŒบ,ๆ˜Œ้ƒฝๅœฐๅŒบๅธ‚,ๅฏŸ้›…ๅŽฟ':(30.65,97.57), # '่ฅฟ่—่‡ชๆฒปๅŒบ,ๆ˜Œ้ƒฝๅœฐๅŒบๅธ‚,ๅ…ซๅฎฟๅŽฟ':(30.05,96.92), # '่ฅฟ่—่‡ชๆฒปๅŒบ,ๆ˜Œ้ƒฝๅœฐๅŒบๅธ‚,ๅทฆ่ดกๅŽฟ':(29.67,97.85), # '่ฅฟ่—่‡ชๆฒปๅŒบ,ๆ˜Œ้ƒฝๅœฐๅŒบๅธ‚,่Š’ๅบทๅŽฟ':(29.68,98.6), # '่ฅฟ่—่‡ชๆฒปๅŒบ,ๆ˜Œ้ƒฝๅœฐๅŒบๅธ‚,ๆด›้š†ๅŽฟ':(30.75,95.83), # '่ฅฟ่—่‡ชๆฒปๅŒบ,ๆ˜Œ้ƒฝๅœฐๅŒบๅธ‚,่พนๅๅŽฟ':(30.93,94.7), # '่ฅฟ่—่‡ชๆฒปๅŒบ,ๅฑฑๅ—ๅœฐๅŒบๅธ‚,ๅฑฑๅ—ๅœฐๅŒบ':(29.23,91.77), # '่ฅฟ่—่‡ชๆฒปๅŒบ,ๅฑฑๅ—ๅœฐๅŒบๅธ‚,ไนƒไธœๅŽฟ':(29.23,91.77), # '่ฅฟ่—่‡ชๆฒปๅŒบ,ๅฑฑๅ—ๅœฐๅŒบๅธ‚,ๆ‰Žๅ›ŠๅŽฟ':(29.25,91.33), # '่ฅฟ่—่‡ชๆฒปๅŒบ,ๅฑฑๅ—ๅœฐๅŒบๅธ‚,่ดกๅ˜ŽๅŽฟ':(29.3,90.98), # '่ฅฟ่—่‡ชๆฒปๅŒบ,ๅฑฑๅ—ๅœฐๅŒบๅธ‚,ๆก‘ๆ—ฅๅŽฟ':(29.27,92.02), # '่ฅฟ่—่‡ชๆฒปๅŒบ,ๅฑฑๅ—ๅœฐๅŒบๅธ‚,็ผ็ป“ๅŽฟ':(29.03,91.68), # '่ฅฟ่—่‡ชๆฒปๅŒบ,ๅฑฑๅ—ๅœฐๅŒบๅธ‚,ๆ›ฒๆพๅŽฟ':(29.07,92.2), # '่ฅฟ่—่‡ชๆฒปๅŒบ,ๅฑฑๅ—ๅœฐๅŒบๅธ‚,ๆŽช็พŽๅŽฟ':(28.43,91.43), # '่ฅฟ่—่‡ชๆฒปๅŒบ,ๅฑฑๅ—ๅœฐๅŒบๅธ‚,ๆด›ๆ‰ŽๅŽฟ':(28.38,90.87), # '่ฅฟ่—่‡ชๆฒปๅŒบ,ๅฑฑๅ—ๅœฐๅŒบๅธ‚,ๅŠ ๆŸฅๅŽฟ':(29.15,92.58), # '่ฅฟ่—่‡ชๆฒปๅŒบ,ๅฑฑๅ—ๅœฐๅŒบๅธ‚,้š†ๅญๅŽฟ':(28.42,92.47), # '่ฅฟ่—่‡ชๆฒปๅŒบ,ๅฑฑๅ—ๅœฐๅŒบๅธ‚,้”™้‚ฃๅŽฟ':(28.0,91.95), # '่ฅฟ่—่‡ชๆฒปๅŒบ,ๅฑฑๅ—ๅœฐๅŒบๅธ‚,ๆตชๅกๅญๅŽฟ':(28.97,90.4), # '่ฅฟ่—่‡ชๆฒปๅŒบ,ๆ—ฅๅ–€ๅˆ™ๅœฐๅŒบๅธ‚,ๆ—ฅๅ–€ๅˆ™ๅœฐๅŒบ':(29.27,88.88), # '่ฅฟ่—่‡ชๆฒปๅŒบ,ๆ—ฅๅ–€ๅˆ™ๅœฐๅŒบๅธ‚,ๆ—ฅๅ–€ๅˆ™ๅธ‚':(29.27,88.88), # '่ฅฟ่—่‡ชๆฒปๅŒบ,ๆ—ฅๅ–€ๅˆ™ๅœฐๅŒบๅธ‚,ๅ—ๆœจๆž—ๅŽฟ':(29.68,89.1), # '่ฅฟ่—่‡ชๆฒปๅŒบ,ๆ—ฅๅ–€ๅˆ™ๅœฐๅŒบๅธ‚,ๆฑŸๅญœๅŽฟ':(28.92,89.6), # '่ฅฟ่—่‡ชๆฒปๅŒบ,ๆ—ฅๅ–€ๅˆ™ๅœฐๅŒบๅธ‚,ๅฎšๆ—ฅๅŽฟ':(28.67,87.12), # '่ฅฟ่—่‡ชๆฒปๅŒบ,ๆ—ฅๅ–€ๅˆ™ๅœฐๅŒบๅธ‚,่จ่ฟฆๅŽฟ':(28.9,88.02), # '่ฅฟ่—่‡ชๆฒปๅŒบ,ๆ—ฅๅ–€ๅˆ™ๅœฐๅŒบๅธ‚,ๆ‹‰ๅญœๅŽฟ':(29.08,87.63), # '่ฅฟ่—่‡ชๆฒปๅŒบ,ๆ—ฅๅ–€ๅˆ™ๅœฐๅŒบๅธ‚,ๆ˜‚ไปๅŽฟ':(29.3,87.23), # '่ฅฟ่—่‡ชๆฒปๅŒบ,ๆ—ฅๅ–€ๅˆ™ๅœฐๅŒบๅธ‚,่ฐข้€š้—จๅŽฟ':(29.43,88.27), # '่ฅฟ่—่‡ชๆฒปๅŒบ,ๆ—ฅๅ–€ๅˆ™ๅœฐๅŒบๅธ‚,็™ฝๆœ—ๅŽฟ':(29.12,89.27), # '่ฅฟ่—่‡ชๆฒปๅŒบ,ๆ—ฅๅ–€ๅˆ™ๅœฐๅŒบๅธ‚,ไปๅธƒๅŽฟ':(29.23,89.83), # '่ฅฟ่—่‡ชๆฒปๅŒบ,ๆ—ฅๅ–€ๅˆ™ๅœฐๅŒบๅธ‚,ๅบท้ฉฌๅŽฟ':(28.57,89.68), # '่ฅฟ่—่‡ชๆฒปๅŒบ,ๆ—ฅๅ–€ๅˆ™ๅœฐๅŒบๅธ‚,ๅฎš็ป“ๅŽฟ':(28.37,87.77), # '่ฅฟ่—่‡ชๆฒปๅŒบ,ๆ—ฅๅ–€ๅˆ™ๅœฐๅŒบๅธ‚,ไปฒๅทดๅŽฟ':(29.77,84.03), # '่ฅฟ่—่‡ชๆฒปๅŒบ,ๆ—ฅๅ–€ๅˆ™ๅœฐๅŒบๅธ‚,ไบšไธœๅŽฟ':(27.48,88.9), # '่ฅฟ่—่‡ชๆฒปๅŒบ,ๆ—ฅๅ–€ๅˆ™ๅœฐๅŒบๅธ‚,ๅ‰้š†ๅŽฟ':(28.85,85.3), # '่ฅฟ่—่‡ชๆฒปๅŒบ,ๆ—ฅๅ–€ๅˆ™ๅœฐๅŒบๅธ‚,่‚ๆ‹‰ๆœจๅŽฟ':(28.17,85.98), # '่ฅฟ่—่‡ชๆฒปๅŒบ,ๆ—ฅๅ–€ๅˆ™ๅœฐๅŒบๅธ‚,่จๅ˜ŽๅŽฟ':(29.33,85.23), # '่ฅฟ่—่‡ชๆฒปๅŒบ,ๆ—ฅๅ–€ๅˆ™ๅœฐๅŒบๅธ‚,ๅฒ—ๅทดๅŽฟ':(28.28,88.52), # '่ฅฟ่—่‡ชๆฒปๅŒบ,้‚ฃๆ›ฒๅœฐๅŒบๅธ‚,้‚ฃๆ›ฒๅœฐๅŒบ':(31.48,92.07), # '่ฅฟ่—่‡ชๆฒปๅŒบ,้‚ฃๆ›ฒๅœฐๅŒบๅธ‚,้‚ฃๆ›ฒๅŽฟ':(31.48,92.07), # '่ฅฟ่—่‡ชๆฒปๅŒบ,้‚ฃๆ›ฒๅœฐๅŒบๅธ‚,ๅ˜‰้ปŽๅŽฟ':(30.65,93.25), # '่ฅฟ่—่‡ชๆฒปๅŒบ,้‚ฃๆ›ฒๅœฐๅŒบๅธ‚,ๆฏ”ๅฆ‚ๅŽฟ':(31.48,93.68), # '่ฅฟ่—่‡ชๆฒปๅŒบ,้‚ฃๆ›ฒๅœฐๅŒบๅธ‚,่‚่ฃๅŽฟ':(32.12,92.3), # '่ฅฟ่—่‡ชๆฒปๅŒบ,้‚ฃๆ›ฒๅœฐๅŒบๅธ‚,ๅฎ‰ๅคšๅŽฟ':(32.27,91.68), # '่ฅฟ่—่‡ชๆฒปๅŒบ,้‚ฃๆ›ฒๅœฐๅŒบๅธ‚,็”ณๆ‰ŽๅŽฟ':(30.93,88.7), # '่ฅฟ่—่‡ชๆฒปๅŒบ,้‚ฃๆ›ฒๅœฐๅŒบๅธ‚,็ดขๅŽฟ':(31.88,93.78), # '่ฅฟ่—่‡ชๆฒปๅŒบ,้‚ฃๆ›ฒๅœฐๅŒบๅธ‚,็ญๆˆˆๅŽฟ':(31.37,90.02), # '่ฅฟ่—่‡ชๆฒปๅŒบ,้‚ฃๆ›ฒๅœฐๅŒบๅธ‚,ๅทด้’ๅŽฟ':(31.93,94.03), # '่ฅฟ่—่‡ชๆฒปๅŒบ,้‚ฃๆ›ฒๅœฐๅŒบๅธ‚,ๅฐผ็Ž›ๅŽฟ':(31.78,87.23), # '่ฅฟ่—่‡ชๆฒปๅŒบ,้˜ฟ้‡ŒๅœฐๅŒบๅธ‚,้˜ฟ้‡ŒๅœฐๅŒบ':(32.5,80.1), # '่ฅฟ่—่‡ชๆฒปๅŒบ,้˜ฟ้‡ŒๅœฐๅŒบๅธ‚,ๆ™ฎๅ…ฐๅŽฟ':(30.3,81.17), # '่ฅฟ่—่‡ชๆฒปๅŒบ,้˜ฟ้‡ŒๅœฐๅŒบๅธ‚,ๆœญ่พพๅŽฟ':(31.48,79.8), # '่ฅฟ่—่‡ชๆฒปๅŒบ,้˜ฟ้‡ŒๅœฐๅŒบๅธ‚,ๅ™ถๅฐ”ๅŽฟ':(32.5,80.1), # '่ฅฟ่—่‡ชๆฒปๅŒบ,้˜ฟ้‡ŒๅœฐๅŒบๅธ‚,ๆ—ฅๅœŸๅŽฟ':(33.38,79.72), # '่ฅฟ่—่‡ชๆฒปๅŒบ,้˜ฟ้‡ŒๅœฐๅŒบๅธ‚,้ฉๅ‰ๅŽฟ':(32.4,81.12), # '่ฅฟ่—่‡ชๆฒปๅŒบ,้˜ฟ้‡ŒๅœฐๅŒบๅธ‚,ๆ”นๅˆ™ๅŽฟ':(32.3,84.07), # '่ฅฟ่—่‡ชๆฒปๅŒบ,้˜ฟ้‡ŒๅœฐๅŒบๅธ‚,ๆŽชๅ‹คๅŽฟ':(31.02,85.17), # '่ฅฟ่—่‡ชๆฒปๅŒบ,ๆž—่ŠๅœฐๅŒบๅธ‚,ๆž—่ŠๅœฐๅŒบ':(29.68,94.37), # '่ฅฟ่—่‡ชๆฒปๅŒบ,ๆž—่ŠๅœฐๅŒบๅธ‚,ๆž—่ŠๅŽฟ':(29.68,94.37), # '่ฅฟ่—่‡ชๆฒปๅŒบ,ๆž—่ŠๅœฐๅŒบๅธ‚,ๅทฅๅธƒๆฑŸ่พพๅŽฟ':(29.88,93.25), # '่ฅฟ่—่‡ชๆฒปๅŒบ,ๆž—่ŠๅœฐๅŒบๅธ‚,็ฑณๆž—ๅŽฟ':(29.22,94.22), # '่ฅฟ่—่‡ชๆฒปๅŒบ,ๆž—่ŠๅœฐๅŒบๅธ‚,ๅขจ่„ฑๅŽฟ':(29.33,95.33), # '่ฅฟ่—่‡ชๆฒปๅŒบ,ๆž—่ŠๅœฐๅŒบๅธ‚,ๆณขๅฏ†ๅŽฟ':(29.87,95.77), # '่ฅฟ่—่‡ชๆฒปๅŒบ,ๆž—่ŠๅœฐๅŒบๅธ‚,ๅฏŸ้š…ๅŽฟ':(28.67,97.47), # '่ฅฟ่—่‡ชๆฒปๅŒบ,ๆž—่ŠๅœฐๅŒบๅธ‚,ๆœ—ๅŽฟ':(29.05,93.07), # '้™•่ฅฟ็œ,่ฅฟๅฎ‰ๅธ‚,่ฅฟๅฎ‰ๅธ‚':(34.27,108.93), # '้™•่ฅฟ็œ,่ฅฟๅฎ‰ๅธ‚,ๆ–ฐๅŸŽๅŒบ':(34.27,108.95), # '้™•่ฅฟ็œ,่ฅฟๅฎ‰ๅธ‚,็ข‘ๆž—ๅŒบ':(34.23,108.93), # '้™•่ฅฟ็œ,่ฅฟๅฎ‰ๅธ‚,่Žฒๆน–ๅŒบ':(34.27,108.93), # '้™•่ฅฟ็œ,่ฅฟๅฎ‰ๅธ‚,็žๆกฅๅŒบ':(34.27,109.07), # '้™•่ฅฟ็œ,่ฅฟๅฎ‰ๅธ‚,ๆœชๅคฎๅŒบ':(34.28,108.93), # '้™•่ฅฟ็œ,่ฅฟๅฎ‰ๅธ‚,้›ๅก”ๅŒบ':(34.22,108.95), # '้™•่ฅฟ็œ,่ฅฟๅฎ‰ๅธ‚,้˜Ž่‰ฏๅŒบ':(34.65,109.23), # '้™•่ฅฟ็œ,่ฅฟๅฎ‰ๅธ‚,ไธดๆฝผๅŒบ':(34.37,109.22), # '้™•่ฅฟ็œ,่ฅฟๅฎ‰ๅธ‚,้•ฟๅฎ‰ๅŒบ':(34.17,108.93), # '้™•่ฅฟ็œ,่ฅฟๅฎ‰ๅธ‚,่“็”ฐๅŽฟ':(34.15,109.32), # '้™•่ฅฟ็œ,่ฅฟๅฎ‰ๅธ‚,ๅ‘จ่‡ณๅŽฟ':(34.17,108.2), # '้™•่ฅฟ็œ,่ฅฟๅฎ‰ๅธ‚,ๆˆทๅŽฟ':(34.1,108.6), # '้™•่ฅฟ็œ,่ฅฟๅฎ‰ๅธ‚,้ซ˜้™ตๅŽฟ':(34.53,109.08), # '้™•่ฅฟ็œ,้“œๅทๅธ‚,้“œๅทๅธ‚':(34.9,108.93), # '้™•่ฅฟ็œ,้“œๅทๅธ‚,็Ž‹็›ŠๅŒบ':(35.07,109.07), # '้™•่ฅฟ็œ,้“œๅทๅธ‚,ๅฐๅฐๅŒบ':(35.1,109.1), # '้™•่ฅฟ็œ,้“œๅทๅธ‚,่€€ๅทžๅŒบ':(34.92,108.98), # '้™•่ฅฟ็œ,้“œๅทๅธ‚,ๅฎœๅ›ๅŽฟ':(35.4,109.12), # '้™•่ฅฟ็œ,ๅฎ้ธกๅธ‚,ๅฎ้ธกๅธ‚':(34.37,107.13), # '้™•่ฅฟ็œ,ๅฎ้ธกๅธ‚,ๆธญๆปจๅŒบ':(34.37,107.15), # '้™•่ฅฟ็œ,ๅฎ้ธกๅธ‚,้‡‘ๅฐๅŒบ':(34.38,107.13), # '้™•่ฅฟ็œ,ๅฎ้ธกๅธ‚,้™ˆไป“ๅŒบ':(34.37,107.37), # '้™•่ฅฟ็œ,ๅฎ้ธกๅธ‚,ๅ‡ค็ฟ”ๅŽฟ':(34.52,107.38), # '้™•่ฅฟ็œ,ๅฎ้ธกๅธ‚,ๅฒๅฑฑๅŽฟ':(34.45,107.62), # '้™•่ฅฟ็œ,ๅฎ้ธกๅธ‚,ๆ‰ถ้ฃŽๅŽฟ':(34.37,107.87), # '้™•่ฅฟ็œ,ๅฎ้ธกๅธ‚,็œ‰ๅŽฟ':(34.28,107.75), # '้™•่ฅฟ็œ,ๅฎ้ธกๅธ‚,้™‡ๅŽฟ':(34.9,106.85), # '้™•่ฅฟ็œ,ๅฎ้ธกๅธ‚,ๅƒ้˜ณๅŽฟ':(34.65,107.13), # '้™•่ฅฟ็œ,ๅฎ้ธกๅธ‚,้บŸๆธธๅŽฟ':(34.68,107.78), # '้™•่ฅฟ็œ,ๅฎ้ธกๅธ‚,ๅ‡คๅŽฟ':(33.92,106.52), # '้™•่ฅฟ็œ,ๅฎ้ธกๅธ‚,ๅคช็™ฝๅŽฟ':(34.07,107.32), # '้™•่ฅฟ็œ,ๅ’ธ้˜ณๅธ‚,ๅ’ธ้˜ณๅธ‚':(34.33,108.7), # '้™•่ฅฟ็œ,ๅ’ธ้˜ณๅธ‚,็งฆ้ƒฝๅŒบ':(34.35,108.72), # '้™•่ฅฟ็œ,ๅ’ธ้˜ณๅธ‚,ๆจๅ‡ŒๅŒบ':(34.28,108.07), # '้™•่ฅฟ็œ,ๅ’ธ้˜ณๅธ‚,ๆธญๅŸŽๅŒบ':(34.33,108.73), # '้™•่ฅฟ็œ,ๅ’ธ้˜ณๅธ‚,ไธ‰ๅŽŸๅŽฟ':(34.62,108.93), # '้™•่ฅฟ็œ,ๅ’ธ้˜ณๅธ‚,ๆณพ้˜ณๅŽฟ':(34.53,108.83), # '้™•่ฅฟ็œ,ๅ’ธ้˜ณๅธ‚,ไนพๅŽฟ':(34.53,108.23), # '้™•่ฅฟ็œ,ๅ’ธ้˜ณๅธ‚,็คผๆณ‰ๅŽฟ':(34.48,108.42), # '้™•่ฅฟ็œ,ๅ’ธ้˜ณๅธ‚,ๆฐธๅฏฟๅŽฟ':(34.7,108.13), # '้™•่ฅฟ็œ,ๅ’ธ้˜ณๅธ‚,ๅฝฌๅŽฟ':(35.03,108.08), # '้™•่ฅฟ็œ,ๅ’ธ้˜ณๅธ‚,้•ฟๆญฆๅŽฟ':(35.2,107.78), # '้™•่ฅฟ็œ,ๅ’ธ้˜ณๅธ‚,ๆ—ฌ้‚‘ๅŽฟ':(35.12,108.33), # '้™•่ฅฟ็œ,ๅ’ธ้˜ณๅธ‚,ๆทณๅŒ–ๅŽฟ':(34.78,108.58), # '้™•่ฅฟ็œ,ๅ’ธ้˜ณๅธ‚,ๆญฆๅŠŸๅŽฟ':(34.27,108.2), # '้™•่ฅฟ็œ,ๅ’ธ้˜ณๅธ‚,ๅ…ดๅนณๅธ‚':(34.3,108.48), # '้™•่ฅฟ็œ,ๆธญๅ—ๅธ‚,ๆธญๅ—ๅธ‚':(34.5,109.5), # '้™•่ฅฟ็œ,ๆธญๅ—ๅธ‚,ไธดๆธญๅŒบ':(34.5,109.48), # '้™•่ฅฟ็œ,ๆธญๅ—ๅธ‚,ๅŽๅŽฟ':(34.52,109.77), # '้™•่ฅฟ็œ,ๆธญๅ—ๅธ‚,ๆฝผๅ…ณๅŽฟ':(34.55,110.23), # '้™•่ฅฟ็œ,ๆธญๅ—ๅธ‚,ๅคง่”ๅŽฟ':(34.8,109.93), # '้™•่ฅฟ็œ,ๆธญๅ—ๅธ‚,ๅˆ้˜ณๅŽฟ':(35.23,110.15), # '้™•่ฅฟ็œ,ๆธญๅ—ๅธ‚,ๆพ„ๅŸŽๅŽฟ':(35.18,109.93), # '้™•่ฅฟ็œ,ๆธญๅ—ๅธ‚,่’ฒๅŸŽๅŽฟ':(34.95,109.58), # '้™•่ฅฟ็œ,ๆธญๅ—ๅธ‚,็™ฝๆฐดๅŽฟ':(35.18,109.58), # '้™•่ฅฟ็œ,ๆธญๅ—ๅธ‚,ๅฏŒๅนณๅŽฟ':(34.75,109.18), # '้™•่ฅฟ็œ,ๆธญๅ—ๅธ‚,้ŸฉๅŸŽๅธ‚':(35.48,110.43), # '้™•่ฅฟ็œ,ๆธญๅ—ๅธ‚,ๅŽ้˜ดๅธ‚':(34.57,110.08), # '้™•่ฅฟ็œ,ๅปถๅฎ‰ๅธ‚,ๅปถๅฎ‰ๅธ‚':(36.6,109.48), # '้™•่ฅฟ็œ,ๅปถๅฎ‰ๅธ‚,ๅฎๅก”ๅŒบ':(36.6,109.48), # '้™•่ฅฟ็œ,ๅปถๅฎ‰ๅธ‚,ๅปถ้•ฟๅŽฟ':(36.58,110.0), # '้™•่ฅฟ็œ,ๅปถๅฎ‰ๅธ‚,ๅปถๅทๅŽฟ':(36.88,110.18), # '้™•่ฅฟ็œ,ๅปถๅฎ‰ๅธ‚,ๅญ้•ฟๅŽฟ':(37.13,109.67), # '้™•่ฅฟ็œ,ๅปถๅฎ‰ๅธ‚,ๅฎ‰ๅกžๅŽฟ':(36.87,109.32), # '้™•่ฅฟ็œ,ๅปถๅฎ‰ๅธ‚,ๅฟ—ไธนๅŽฟ':(36.82,108.77), # '้™•่ฅฟ็œ,ๅปถๅฎ‰ๅธ‚,็”˜ๆณ‰ๅŽฟ':(36.28,109.35), # '้™•่ฅฟ็œ,ๅปถๅฎ‰ๅธ‚,ๅฏŒๅŽฟ':(35.98,109.37), # '้™•่ฅฟ็œ,ๅปถๅฎ‰ๅธ‚,ๆด›ๅทๅŽฟ':(35.77,109.43), # '้™•่ฅฟ็œ,ๅปถๅฎ‰ๅธ‚,ๅฎœๅทๅŽฟ':(36.05,110.17), # '้™•่ฅฟ็œ,ๅปถๅฎ‰ๅธ‚,้ป„้พ™ๅŽฟ':(35.58,109.83), # '้™•่ฅฟ็œ,ๅปถๅฎ‰ๅธ‚,้ป„้™ตๅŽฟ':(35.58,109.25), # '้™•่ฅฟ็œ,ๆฑ‰ไธญๅธ‚,ๆฑ‰ไธญๅธ‚':(33.07,107.02), # '้™•่ฅฟ็œ,ๆฑ‰ไธญๅธ‚,ๆฑ‰ๅฐๅŒบ':(33.07,107.03), # '้™•่ฅฟ็œ,ๆฑ‰ไธญๅธ‚,ๅ—้ƒ‘ๅŽฟ':(33.0,106.93), # '้™•่ฅฟ็œ,ๆฑ‰ไธญๅธ‚,ๅŸŽๅ›บๅŽฟ':(33.15,107.33), # '้™•่ฅฟ็œ,ๆฑ‰ไธญๅธ‚,ๆด‹ๅŽฟ':(33.22,107.55), # '้™•่ฅฟ็œ,ๆฑ‰ไธญๅธ‚,่ฅฟไนกๅŽฟ':(32.98,107.77), # '้™•่ฅฟ็œ,ๆฑ‰ไธญๅธ‚,ๅ‹‰ๅŽฟ':(33.15,106.67), # '้™•่ฅฟ็œ,ๆฑ‰ไธญๅธ‚,ๅฎๅผบๅŽฟ':(32.83,106.25), # '้™•่ฅฟ็œ,ๆฑ‰ไธญๅธ‚,็•ฅ้˜ณๅŽฟ':(33.33,106.15), # '้™•่ฅฟ็œ,ๆฑ‰ไธญๅธ‚,้•‡ๅทดๅŽฟ':(32.53,107.9), # '้™•่ฅฟ็œ,ๆฑ‰ไธญๅธ‚,็•™ๅๅŽฟ':(33.62,106.92), # '้™•่ฅฟ็œ,ๆฑ‰ไธญๅธ‚,ไฝ›ๅชๅŽฟ':(33.53,107.98), # '้™•่ฅฟ็œ,ๆฆ†ๆž—ๅธ‚,ๆฆ†ๆž—ๅธ‚':(38.28,109.73), # '้™•่ฅฟ็œ,ๆฆ†ๆž—ๅธ‚,ๆฆ†้˜ณๅŒบ':(38.28,109.75), # '้™•่ฅฟ็œ,ๆฆ†ๆž—ๅธ‚,็ฅžๆœจๅŽฟ':(38.83,110.5), # '้™•่ฅฟ็œ,ๆฆ†ๆž—ๅธ‚,ๅบœ่ฐทๅŽฟ':(39.03,111.07), # '้™•่ฅฟ็œ,ๆฆ†ๆž—ๅธ‚,ๆจชๅฑฑๅŽฟ':(37.95,109.28), # '้™•่ฅฟ็œ,ๆฆ†ๆž—ๅธ‚,้–่พนๅŽฟ':(37.6,108.8), # '้™•่ฅฟ็œ,ๆฆ†ๆž—ๅธ‚,ๅฎš่พนๅŽฟ':(37.58,107.6), # '้™•่ฅฟ็œ,ๆฆ†ๆž—ๅธ‚,็ปฅๅพทๅŽฟ':(37.5,110.25), # '้™•่ฅฟ็œ,ๆฆ†ๆž—ๅธ‚,็ฑณ่„‚ๅŽฟ':(37.75,110.18), # '้™•่ฅฟ็œ,ๆฆ†ๆž—ๅธ‚,ไฝณๅŽฟ':(38.02,110.48), # '้™•่ฅฟ็œ,ๆฆ†ๆž—ๅธ‚,ๅดๅ กๅŽฟ':(37.45,110.73), # '้™•่ฅฟ็œ,ๆฆ†ๆž—ๅธ‚,ๆธ…ๆถงๅŽฟ':(37.08,110.12), # '้™•่ฅฟ็œ,ๆฆ†ๆž—ๅธ‚,ๅญๆดฒๅŽฟ':(37.62,110.03), # '้™•่ฅฟ็œ,ๅฎ‰ๅบทๅธ‚,ๅฎ‰ๅบทๅธ‚':(32.68,109.02), # '้™•่ฅฟ็œ,ๅฎ‰ๅบทๅธ‚,ๆฑ‰ๆปจๅŒบ':(32.68,109.02), # '้™•่ฅฟ็œ,ๅฎ‰ๅบทๅธ‚,ๆฑ‰้˜ดๅŽฟ':(32.9,108.5), # '้™•่ฅฟ็œ,ๅฎ‰ๅบทๅธ‚,็Ÿณๆณ‰ๅŽฟ':(33.05,108.25), # '้™•่ฅฟ็œ,ๅฎ‰ๅบทๅธ‚,ๅฎ้™•ๅŽฟ':(33.32,108.32), # '้™•่ฅฟ็œ,ๅฎ‰ๅบทๅธ‚,็ดซ้˜ณๅŽฟ':(32.52,108.53), # '้™•่ฅฟ็œ,ๅฎ‰ๅบทๅธ‚,ๅฒš็š‹ๅŽฟ':(32.32,108.9), # '้™•่ฅฟ็œ,ๅฎ‰ๅบทๅธ‚,ๅนณๅˆฉๅŽฟ':(32.4,109.35), # '้™•่ฅฟ็œ,ๅฎ‰ๅบทๅธ‚,้•‡ๅชๅŽฟ':(31.88,109.52), # '้™•่ฅฟ็œ,ๅฎ‰ๅบทๅธ‚,ๆ—ฌ้˜ณๅŽฟ':(32.83,109.38), # '้™•่ฅฟ็œ,ๅฎ‰ๅบทๅธ‚,็™ฝๆฒณๅŽฟ':(32.82,110.1), # '้™•่ฅฟ็œ,ๅ•†ๆด›ๅธ‚,ๅ•†ๆด›ๅธ‚':(33.87,109.93), # '้™•่ฅฟ็œ,ๅ•†ๆด›ๅธ‚,ๅ•†ๅทžๅŒบ':(33.87,109.93), # '้™•่ฅฟ็œ,ๅ•†ๆด›ๅธ‚,ๆด›ๅ—ๅŽฟ':(34.08,110.13), # '้™•่ฅฟ็œ,ๅ•†ๆด›ๅธ‚,ไธนๅ‡คๅŽฟ':(33.7,110.33), # '้™•่ฅฟ็œ,ๅ•†ๆด›ๅธ‚,ๅ•†ๅ—ๅŽฟ':(33.53,110.88), # '้™•่ฅฟ็œ,ๅ•†ๆด›ๅธ‚,ๅฑฑ้˜ณๅŽฟ':(33.53,109.88), # '้™•่ฅฟ็œ,ๅ•†ๆด›ๅธ‚,้•‡ๅฎ‰ๅŽฟ':(33.43,109.15), # '้™•่ฅฟ็œ,ๅ•†ๆด›ๅธ‚,ๆŸžๆฐดๅŽฟ':(33.68,109.1), # '็”˜่‚ƒ็œ,ๅ…ฐๅทžๅธ‚,ๅ…ฐๅทžๅธ‚':(36.07,103.82), # '็”˜่‚ƒ็œ,ๅ…ฐๅทžๅธ‚,ๅŸŽๅ…ณๅŒบ':(36.05,103.83), # '็”˜่‚ƒ็œ,ๅ…ฐๅทžๅธ‚,่ฅฟๅ›บๅŒบ':(36.1,103.62), # '็”˜่‚ƒ็œ,ๅ…ฐๅทžๅธ‚,็บขๅคๅŒบ':(36.33,102.87), # '็”˜่‚ƒ็œ,ๅ…ฐๅทžๅธ‚,ๆฐธ็™ปๅŽฟ':(36.73,103.27), # '็”˜่‚ƒ็œ,ๅ…ฐๅทžๅธ‚,็š‹ๅ…ฐๅŽฟ':(36.33,103.95), # '็”˜่‚ƒ็œ,ๅ…ฐๅทžๅธ‚,ๆฆ†ไธญๅŽฟ':(35.85,104.12), # '็”˜่‚ƒ็œ,ๅ˜‰ๅณชๅ…ณๅธ‚,ๅ˜‰ๅณชๅ…ณๅธ‚':(39.8,98.27), # '็”˜่‚ƒ็œ,้‡‘ๆ˜Œๅธ‚,้‡‘ๆ˜Œๅธ‚':(38.5,102.18), # '็”˜่‚ƒ็œ,้‡‘ๆ˜Œๅธ‚,้‡‘ๅทๅŒบ':(38.5,102.18), # '็”˜่‚ƒ็œ,้‡‘ๆ˜Œๅธ‚,ๆฐธๆ˜ŒๅŽฟ':(38.25,101.97), # '็”˜่‚ƒ็œ,็™ฝ้“ถๅธ‚,็™ฝ้“ถๅธ‚':(36.55,104.18), # '็”˜่‚ƒ็œ,็™ฝ้“ถๅธ‚,็™ฝ้“ถๅŒบ':(36.55,104.18), # '็”˜่‚ƒ็œ,็™ฝ้“ถๅธ‚,ๅนณๅทๅŒบ':(36.73,104.83), # '็”˜่‚ƒ็œ,็™ฝ้“ถๅธ‚,้–่ฟœๅŽฟ':(36.57,104.68), # '็”˜่‚ƒ็œ,็™ฝ้“ถๅธ‚,ไผšๅฎๅŽฟ':(35.7,105.05), # '็”˜่‚ƒ็œ,็™ฝ้“ถๅธ‚,ๆ™ฏๆณฐๅŽฟ':(37.15,104.07), # '็”˜่‚ƒ็œ,ๅคฉๆฐดๅธ‚,ๅคฉๆฐดๅธ‚':(34.58,105.72), # '็”˜่‚ƒ็œ,ๅคฉๆฐดๅธ‚,ๆธ…ๆฐดๅŽฟ':(34.75,106.13), # '็”˜่‚ƒ็œ,ๅคฉๆฐดๅธ‚,็งฆๅฎ‰ๅŽฟ':(34.87,105.67), # '็”˜่‚ƒ็œ,ๅคฉๆฐดๅธ‚,็”˜่ฐทๅŽฟ':(34.73,105.33), # '็”˜่‚ƒ็œ,ๅคฉๆฐดๅธ‚,ๆญฆๅฑฑๅŽฟ':(34.72,104.88), # '็”˜่‚ƒ็œ,ๅคฉๆฐดๅธ‚,ๅผ ๅฎถๅทๅ›žๆ—่‡ชๆฒปๅŽฟ':(35.0,106.22), # '็”˜่‚ƒ็œ,ๆญฆๅจๅธ‚,ๆญฆๅจๅธ‚':(37.93,102.63), # '็”˜่‚ƒ็œ,ๆญฆๅจๅธ‚,ๅ‡‰ๅทžๅŒบ':(37.93,102.63), # '็”˜่‚ƒ็œ,ๆญฆๅจๅธ‚,ๆฐ‘ๅ‹คๅŽฟ':(38.62,103.08), # '็”˜่‚ƒ็œ,ๆญฆๅจๅธ‚,ๅคๆตชๅŽฟ':(37.47,102.88), # '็”˜่‚ƒ็œ,ๆญฆๅจๅธ‚,ๅคฉ็ฅ่—ๆ—่‡ชๆฒปๅŽฟ':(36.98,103.13), # '็”˜่‚ƒ็œ,ๅผ ๆŽ–ๅธ‚,ๅผ ๆŽ–ๅธ‚':(38.93,100.45), # '็”˜่‚ƒ็œ,ๅผ ๆŽ–ๅธ‚,็”˜ๅทžๅŒบ':(38.93,100.45), # '็”˜่‚ƒ็œ,ๅผ ๆŽ–ๅธ‚,่‚ƒๅ—่ฃ•ๅ›บๆ—่‡ชๆฒปๅŽฟ':(38.83,99.62), # '็”˜่‚ƒ็œ,ๅผ ๆŽ–ๅธ‚,ๆฐ‘ไนๅŽฟ':(38.43,100.82), # '็”˜่‚ƒ็œ,ๅผ ๆŽ–ๅธ‚,ไธดๆณฝๅŽฟ':(39.13,100.17), # '็”˜่‚ƒ็œ,ๅผ ๆŽ–ๅธ‚,้ซ˜ๅฐๅŽฟ':(39.38,99.82), # '็”˜่‚ƒ็œ,ๅผ ๆŽ–ๅธ‚,ๅฑฑไธนๅŽฟ':(38.78,101.08), # '็”˜่‚ƒ็œ,ๅนณๅ‡‰ๅธ‚,ๅนณๅ‡‰ๅธ‚':(35.55,106.67), # '็”˜่‚ƒ็œ,ๅนณๅ‡‰ๅธ‚,ๅด†ๅณ’ๅŒบ':(35.55,106.67), # '็”˜่‚ƒ็œ,ๅนณๅ‡‰ๅธ‚,ๆณพๅทๅŽฟ':(35.33,107.37), # '็”˜่‚ƒ็œ,ๅนณๅ‡‰ๅธ‚,็ตๅฐๅŽฟ':(35.07,107.62), # '็”˜่‚ƒ็œ,ๅนณๅ‡‰ๅธ‚,ๅด‡ไฟกๅŽฟ':(35.3,107.03), # '็”˜่‚ƒ็œ,ๅนณๅ‡‰ๅธ‚,ๅŽไบญๅŽฟ':(35.22,106.65), # '็”˜่‚ƒ็œ,ๅนณๅ‡‰ๅธ‚,ๅบ„ๆตชๅŽฟ':(35.2,106.05), # '็”˜่‚ƒ็œ,ๅนณๅ‡‰ๅธ‚,้™ๅฎๅŽฟ':(35.52,105.72), # '็”˜่‚ƒ็œ,้…’ๆณ‰ๅธ‚,้…’ๆณ‰ๅธ‚':(39.75,98.52), # '็”˜่‚ƒ็œ,้…’ๆณ‰ๅธ‚,่‚ƒๅทžๅŒบ':(39.75,98.52), # '็”˜่‚ƒ็œ,้…’ๆณ‰ๅธ‚,้‡‘ๅก”ๅŽฟ':(39.98,98.9), # '็”˜่‚ƒ็œ,้…’ๆณ‰ๅธ‚,่‚ƒๅŒ—่’™ๅคๆ—่‡ชๆฒปๅŽฟ':(39.52,94.88), # '็”˜่‚ƒ็œ,้…’ๆณ‰ๅธ‚,้˜ฟๅ…‹ๅกžๅ“ˆ่จๅ…‹ๆ—่‡ชๆฒปๅŽฟ':(39.63,94.33), # '็”˜่‚ƒ็œ,้…’ๆณ‰ๅธ‚,็މ้—จๅธ‚':(40.28,97.05), # '็”˜่‚ƒ็œ,้…’ๆณ‰ๅธ‚,ๆ•ฆ็…Œๅธ‚':(40.13,94.67), # '็”˜่‚ƒ็œ,ๅบ†้˜ณๅธ‚,ๅบ†้˜ณๅธ‚':(35.73,107.63), # '็”˜่‚ƒ็œ,ๅบ†้˜ณๅธ‚,่ฅฟๅณฐๅŒบ':(35.73,107.63), # '็”˜่‚ƒ็œ,ๅบ†้˜ณๅธ‚,ๅบ†ๅŸŽๅŽฟ':(36.0,107.88), # '็”˜่‚ƒ็œ,ๅบ†้˜ณๅธ‚,็ŽฏๅŽฟ':(36.58,107.3), # '็”˜่‚ƒ็œ,ๅบ†้˜ณๅธ‚,ๅŽๆฑ ๅŽฟ':(36.47,107.98), # '็”˜่‚ƒ็œ,ๅบ†้˜ณๅธ‚,ๅˆๆฐดๅŽฟ':(35.82,108.02), # '็”˜่‚ƒ็œ,ๅบ†้˜ณๅธ‚,ๆญฃๅฎๅŽฟ':(35.5,108.37), # '็”˜่‚ƒ็œ,ๅบ†้˜ณๅธ‚,ๅฎๅŽฟ':(35.5,107.92), # '็”˜่‚ƒ็œ,ๅบ†้˜ณๅธ‚,้•‡ๅŽŸๅŽฟ':(35.68,107.2), # '็”˜่‚ƒ็œ,ๅฎš่ฅฟๅธ‚,ๅฎš่ฅฟๅธ‚':(35.58,104.62), # '็”˜่‚ƒ็œ,ๅฎš่ฅฟๅธ‚,ๅฎ‰ๅฎšๅŒบ':(35.58,104.62), # '็”˜่‚ƒ็œ,ๅฎš่ฅฟๅธ‚,้€šๆธญๅŽฟ':(35.2,105.25), # '็”˜่‚ƒ็œ,ๅฎš่ฅฟๅธ‚,้™‡่ฅฟๅŽฟ':(35.0,104.63), # '็”˜่‚ƒ็œ,ๅฎš่ฅฟๅธ‚,ๆธญๆบๅŽฟ':(35.13,104.22), # '็”˜่‚ƒ็œ,ๅฎš่ฅฟๅธ‚,ไธดๆดฎๅŽฟ':(35.38,103.87), # '็”˜่‚ƒ็œ,ๅฎš่ฅฟๅธ‚,ๆผณๅŽฟ':(34.85,104.47), # '็”˜่‚ƒ็œ,ๅฎš่ฅฟๅธ‚,ๅฒทๅŽฟ':(34.43,104.03), # '็”˜่‚ƒ็œ,้™‡ๅ—ๅธ‚,้™‡ๅ—ๅธ‚':(33.4,104.92), # '็”˜่‚ƒ็œ,้™‡ๅ—ๅธ‚,ๆญฆ้ƒฝๅŒบ':(33.4,104.92), # '็”˜่‚ƒ็œ,้™‡ๅ—ๅธ‚,ๆˆๅŽฟ':(33.73,105.72), # '็”˜่‚ƒ็œ,้™‡ๅ—ๅธ‚,ๆ–‡ๅŽฟ':(32.95,104.68), # '็”˜่‚ƒ็œ,้™‡ๅ—ๅธ‚,ๅฎ•ๆ˜ŒๅŽฟ':(34.05,104.38), # '็”˜่‚ƒ็œ,้™‡ๅ—ๅธ‚,ๅบทๅŽฟ':(33.33,105.6), # '็”˜่‚ƒ็œ,้™‡ๅ—ๅธ‚,่ฅฟๅ’ŒๅŽฟ':(34.02,105.3), # '็”˜่‚ƒ็œ,้™‡ๅ—ๅธ‚,็คผๅŽฟ':(34.18,105.17), # '็”˜่‚ƒ็œ,้™‡ๅ—ๅธ‚,ๅพฝๅŽฟ':(33.77,106.08), # '็”˜่‚ƒ็œ,้™‡ๅ—ๅธ‚,ไธคๅฝ“ๅŽฟ':(33.92,106.3), # '็”˜่‚ƒ็œ,ไธดๅคๅ›žๆ—่‡ชๆฒปๅทžๅธ‚,ไธดๅคๅ›žๆ—่‡ชๆฒปๅทž':(35.6,103.22), # '็”˜่‚ƒ็œ,ไธดๅคๅ›žๆ—่‡ชๆฒปๅทžๅธ‚,ไธดๅคๅธ‚':(35.6,103.22), # '็”˜่‚ƒ็œ,ไธดๅคๅ›žๆ—่‡ชๆฒปๅทžๅธ‚,ไธดๅคๅŽฟ':(35.5,103.0), # '็”˜่‚ƒ็œ,ไธดๅคๅ›žๆ—่‡ชๆฒปๅทžๅธ‚,ๅบทไนๅŽฟ':(35.37,103.72), # '็”˜่‚ƒ็œ,ไธดๅคๅ›žๆ—่‡ชๆฒปๅทžๅธ‚,ๆฐธ้–ๅŽฟ':(35.93,103.32), # '็”˜่‚ƒ็œ,ไธดๅคๅ›žๆ—่‡ชๆฒปๅทžๅธ‚,ๅนฟๆฒณๅŽฟ':(35.48,103.58), # '็”˜่‚ƒ็œ,ไธดๅคๅ›žๆ—่‡ชๆฒปๅทžๅธ‚,ๅ’Œๆ”ฟๅŽฟ':(35.43,103.35), # '็”˜่‚ƒ็œ,ไธดๅคๅ›žๆ—่‡ชๆฒปๅทžๅธ‚,ไธœไนกๆ—่‡ชๆฒปๅŽฟ':(35.67,103.4), # '็”˜่‚ƒ็œ,็”˜ๅ—่—ๆ—่‡ชๆฒปๅทžๅธ‚,็”˜ๅ—่—ๆ—่‡ชๆฒปๅทž':(34.98,102.92), # '็”˜่‚ƒ็œ,็”˜ๅ—่—ๆ—่‡ชๆฒปๅทžๅธ‚,ๅˆไฝœๅธ‚':(34.98,102.92), # '็”˜่‚ƒ็œ,็”˜ๅ—่—ๆ—่‡ชๆฒปๅทžๅธ‚,ไธดๆฝญๅŽฟ':(34.7,103.35), # '็”˜่‚ƒ็œ,็”˜ๅ—่—ๆ—่‡ชๆฒปๅทžๅธ‚,ๅ“ๅฐผๅŽฟ':(34.58,103.5), # '็”˜่‚ƒ็œ,็”˜ๅ—่—ๆ—่‡ชๆฒปๅทžๅธ‚,่ˆŸๆ›ฒๅŽฟ':(33.78,104.37), # '็”˜่‚ƒ็œ,็”˜ๅ—่—ๆ—่‡ชๆฒปๅทžๅธ‚,่ฟญ้ƒจๅŽฟ':(34.05,103.22), # '็”˜่‚ƒ็œ,็”˜ๅ—่—ๆ—่‡ชๆฒปๅทžๅธ‚,็Ž›ๆ›ฒๅŽฟ':(34.0,102.07), # '็”˜่‚ƒ็œ,็”˜ๅ—่—ๆ—่‡ชๆฒปๅทžๅธ‚,็ขŒๆ›ฒๅŽฟ':(34.58,102.48), # '็”˜่‚ƒ็œ,็”˜ๅ—่—ๆ—่‡ชๆฒปๅทžๅธ‚,ๅคๆฒณๅŽฟ':(35.2,102.52), # '้’ๆตท็œ,่ฅฟๅฎๅธ‚,่ฅฟๅฎๅธ‚':(36.62,101.78), # '้’ๆตท็œ,่ฅฟๅฎๅธ‚,ๅŸŽไธœๅŒบ':(36.62,101.8), # '้’ๆตท็œ,่ฅฟๅฎๅธ‚,ๅŸŽไธญๅŒบ':(36.62,101.78), # '้’ๆตท็œ,่ฅฟๅฎๅธ‚,ๅŸŽ่ฅฟๅŒบ':(36.62,101.77), # '้’ๆตท็œ,่ฅฟๅฎๅธ‚,ๅŸŽๅŒ—ๅŒบ':(36.67,101.77), # '้’ๆตท็œ,่ฅฟๅฎๅธ‚,ๅคง้€šๅ›žๆ—ๅœŸๆ—่‡ชๆฒปๅŽฟ':(36.93,101.68), # '้’ๆตท็œ,่ฅฟๅฎๅธ‚,ๆนŸไธญๅŽฟ':(36.5,101.57), # '้’ๆตท็œ,่ฅฟๅฎๅธ‚,ๆนŸๆบๅŽฟ':(36.68,101.27), # '้’ๆตท็œ,ๆตทไธœๅœฐๅŒบๅธ‚,ๆตทไธœๅœฐๅŒบ':(36.5,102.12), # '้’ๆตท็œ,ๆตทไธœๅœฐๅŒบๅธ‚,ๅนณๅฎ‰ๅŽฟ':(36.5,102.12), # '้’ๆตท็œ,ๆตทไธœๅœฐๅŒบๅธ‚,ๆฐ‘ๅ’Œๅ›žๆ—ๅœŸๆ—่‡ชๆฒปๅŽฟ':(36.33,102.8), # '้’ๆตท็œ,ๆตทไธœๅœฐๅŒบๅธ‚,ไน้ƒฝๅŽฟ':(36.48,102.4), # '้’ๆตท็œ,ๆตทไธœๅœฐๅŒบๅธ‚,ไบ’ๅŠฉๅœŸๆ—่‡ชๆฒปๅŽฟ':(36.83,101.95), # '้’ๆตท็œ,ๆตทไธœๅœฐๅŒบๅธ‚,ๅŒ–้š†ๅ›žๆ—่‡ชๆฒปๅŽฟ':(36.1,102.27), # '้’ๆตท็œ,ๆตทไธœๅœฐๅŒบๅธ‚,ๅพชๅŒ–ๆ’’ๆ‹‰ๆ—่‡ชๆฒปๅŽฟ':(35.85,102.48), # '้’ๆตท็œ,ๆตทๅŒ—่—ๆ—่‡ชๆฒปๅทžๅธ‚,ๆตทๅŒ—่—ๆ—่‡ชๆฒปๅทž':(36.97,100.9), # '้’ๆตท็œ,ๆตทๅŒ—่—ๆ—่‡ชๆฒปๅทžๅธ‚,้—จๆบๅ›žๆ—่‡ชๆฒปๅŽฟ':(37.38,101.62), # '้’ๆตท็œ,ๆตทๅŒ—่—ๆ—่‡ชๆฒปๅทžๅธ‚,็ฅ่ฟžๅŽฟ':(38.18,100.25), # '้’ๆตท็œ,ๆตทๅŒ—่—ๆ—่‡ชๆฒปๅทžๅธ‚,ๆตทๆ™ๅŽฟ':(36.9,100.98), # '้’ๆตท็œ,ๆตทๅŒ—่—ๆ—่‡ชๆฒปๅทžๅธ‚,ๅˆšๅฏŸๅŽฟ':(37.33,100.13), # '้’ๆตท็œ,้ป„ๅ—่—ๆ—่‡ชๆฒปๅทžๅธ‚,้ป„ๅ—่—ๆ—่‡ชๆฒปๅทž':(35.52,102.02), # '้’ๆตท็œ,้ป„ๅ—่—ๆ—่‡ชๆฒปๅทžๅธ‚,ๅŒไปๅŽฟ':(35.52,102.02), # '้’ๆตท็œ,้ป„ๅ—่—ๆ—่‡ชๆฒปๅทžๅธ‚,ๅฐ–ๆ‰ŽๅŽฟ':(35.93,102.03), # '้’ๆตท็œ,้ป„ๅ—่—ๆ—่‡ชๆฒปๅทžๅธ‚,ๆณฝๅบ“ๅŽฟ':(35.03,101.47), # '้’ๆตท็œ,้ป„ๅ—่—ๆ—่‡ชๆฒปๅทžๅธ‚,ๆฒณๅ—่’™ๅคๆ—่‡ชๆฒปๅŽฟ':(34.73,101.6), # '้’ๆตท็œ,ๆตทๅ—่—ๆ—่‡ชๆฒปๅทžๅธ‚,ๆตทๅ—่—ๆ—่‡ชๆฒปๅทž':(36.28,100.62), # '้’ๆตท็œ,ๆตทๅ—่—ๆ—่‡ชๆฒปๅทžๅธ‚,ๅ…ฑๅ’ŒๅŽฟ':(36.28,100.62), # '้’ๆตท็œ,ๆตทๅ—่—ๆ—่‡ชๆฒปๅทžๅธ‚,ๅŒๅพทๅŽฟ':(35.25,100.57), # '้’ๆตท็œ,ๆตทๅ—่—ๆ—่‡ชๆฒปๅทžๅธ‚,่ดตๅพทๅŽฟ':(36.05,101.43), # '้’ๆตท็œ,ๆตทๅ—่—ๆ—่‡ชๆฒปๅทžๅธ‚,ๅ…ดๆตทๅŽฟ':(35.58,99.98), # '้’ๆตท็œ,ๆตทๅ—่—ๆ—่‡ชๆฒปๅทžๅธ‚,่ดตๅ—ๅŽฟ':(35.58,100.75), # '้’ๆตท็œ,ๆžœๆด›่—ๆ—่‡ชๆฒปๅทžๅธ‚,ๆžœๆด›่—ๆ—่‡ชๆฒปๅทž':(34.48,100.23), # '้’ๆตท็œ,ๆžœๆด›่—ๆ—่‡ชๆฒปๅทžๅธ‚,็Ž›ๆฒๅŽฟ':(34.48,100.23), # '้’ๆตท็œ,ๆžœๆด›่—ๆ—่‡ชๆฒปๅทžๅธ‚,็ญ็Ž›ๅŽฟ':(32.93,100.73), # '้’ๆตท็œ,ๆžœๆด›่—ๆ—่‡ชๆฒปๅทžๅธ‚,็”˜ๅพทๅŽฟ':(33.97,99.9), # '้’ๆตท็œ,ๆžœๆด›่—ๆ—่‡ชๆฒปๅทžๅธ‚,่พพๆ—ฅๅŽฟ':(33.75,99.65), # '้’ๆตท็œ,ๆžœๆด›่—ๆ—่‡ชๆฒปๅทžๅธ‚,ไน…ๆฒปๅŽฟ':(33.43,101.48), # '้’ๆตท็œ,ๆžœๆด›่—ๆ—่‡ชๆฒปๅทžๅธ‚,็Ž›ๅคšๅŽฟ':(34.92,98.18), # '้’ๆตท็œ,็މๆ ‘่—ๆ—่‡ชๆฒปๅทžๅธ‚,็މๆ ‘่—ๆ—่‡ชๆฒปๅทž':(33.0,97.02), # '้’ๆตท็œ,็މๆ ‘่—ๆ—่‡ชๆฒปๅทžๅธ‚,็މๆ ‘ๅŽฟ':(33.0,97.02), # '้’ๆตท็œ,็މๆ ‘่—ๆ—่‡ชๆฒปๅทžๅธ‚,ๆ‚ๅคšๅŽฟ':(32.9,95.3), # '้’ๆตท็œ,็މๆ ‘่—ๆ—่‡ชๆฒปๅทžๅธ‚,็งฐๅคšๅŽฟ':(33.37,97.1), # '้’ๆตท็œ,็މๆ ‘่—ๆ—่‡ชๆฒปๅทžๅธ‚,ๆฒปๅคšๅŽฟ':(33.85,95.62), # '้’ๆตท็œ,็މๆ ‘่—ๆ—่‡ชๆฒปๅทžๅธ‚,ๅ›Š่ฐฆๅŽฟ':(32.2,96.48), # '้’ๆตท็œ,็މๆ ‘่—ๆ—่‡ชๆฒปๅทžๅธ‚,ๆ›ฒ้บป่ŽฑๅŽฟ':(34.13,95.8), # '้’ๆตท็œ,ๆตท่ฅฟ่’™ๅคๆ—่—ๆ—่‡ชๆฒปๅทžๅธ‚,ๆตท่ฅฟ่’™ๅคๆ—่—ๆ—่‡ชๆฒปๅทž':(37.37,97.37), # '้’ๆตท็œ,ๆตท่ฅฟ่’™ๅคๆ—่—ๆ—่‡ชๆฒปๅทžๅธ‚,ๆ ผๅฐ”ๆœจๅธ‚':(36.42,94.9), # '้’ๆตท็œ,ๆตท่ฅฟ่’™ๅคๆ—่—ๆ—่‡ชๆฒปๅทžๅธ‚,ๅพทไปคๅ“ˆๅธ‚':(37.37,97.37), # '้’ๆตท็œ,ๆตท่ฅฟ่’™ๅคๆ—่—ๆ—่‡ชๆฒปๅทžๅธ‚,ไนŒๅ…ฐๅŽฟ':(36.93,98.48), # '้’ๆตท็œ,ๆตท่ฅฟ่’™ๅคๆ—่—ๆ—่‡ชๆฒปๅทžๅธ‚,้ƒฝๅ…ฐๅŽฟ':(36.3,98.08), # '้’ๆตท็œ,ๆตท่ฅฟ่’™ๅคๆ—่—ๆ—่‡ชๆฒปๅทžๅธ‚,ๅคฉๅณปๅŽฟ':(37.3,99.02), # 'ๅฎๅคๅ›žๆ—่‡ชๆฒปๅŒบ,้“ถๅทๅธ‚,้“ถๅทๅธ‚':(38.47,106.28), # 'ๅฎๅคๅ›žๆ—่‡ชๆฒปๅŒบ,้“ถๅทๅธ‚,ๅ…ดๅบ†ๅŒบ':(38.48,106.28), # 'ๅฎๅคๅ›žๆ—่‡ชๆฒปๅŒบ,้“ถๅทๅธ‚,่ฅฟๅคๅŒบ':(38.48,106.18), # 'ๅฎๅคๅ›žๆ—่‡ชๆฒปๅŒบ,้“ถๅทๅธ‚,้‡‘ๅ‡คๅŒบ':(38.47,106.25), # 'ๅฎๅคๅ›žๆ—่‡ชๆฒปๅŒบ,้“ถๅทๅธ‚,ๆฐธๅฎๅŽฟ':(38.28,106.25), # 'ๅฎๅคๅ›žๆ—่‡ชๆฒปๅŒบ,้“ถๅทๅธ‚,่ดบๅ…ฐๅŽฟ':(38.55,106.35), # 'ๅฎๅคๅ›žๆ—่‡ชๆฒปๅŒบ,้“ถๅทๅธ‚,็ตๆญฆๅธ‚':(38.1,106.33), # 'ๅฎๅคๅ›žๆ—่‡ชๆฒปๅŒบ,็Ÿณๅ˜ดๅฑฑๅธ‚,็Ÿณๅ˜ดๅฑฑๅธ‚':(39.02,106.38), # 'ๅฎๅคๅ›žๆ—่‡ชๆฒปๅŒบ,็Ÿณๅ˜ดๅฑฑๅธ‚,ๅคงๆญฆๅฃๅŒบ':(39.02,106.38), # 'ๅฎๅคๅ›žๆ—่‡ชๆฒปๅŒบ,็Ÿณๅ˜ดๅฑฑๅธ‚,ๆƒ ๅ†œๅŒบ':(39.25,106.78), # 'ๅฎๅคๅ›žๆ—่‡ชๆฒปๅŒบ,็Ÿณๅ˜ดๅฑฑๅธ‚,ๅนณ็ฝ—ๅŽฟ':(38.9,106.53), # 'ๅฎๅคๅ›žๆ—่‡ชๆฒปๅŒบ,ๅดๅฟ ๅธ‚,ๅดๅฟ ๅธ‚':(37.98,106.2), # 'ๅฎๅคๅ›žๆ—่‡ชๆฒปๅŒบ,ๅดๅฟ ๅธ‚,ๅˆฉ้€šๅŒบ':(37.98,106.2), # 'ๅฎๅคๅ›žๆ—่‡ชๆฒปๅŒบ,ๅดๅฟ ๅธ‚,็›ๆฑ ๅŽฟ':(37.78,107.4), # 'ๅฎๅคๅ›žๆ—่‡ชๆฒปๅŒบ,ๅดๅฟ ๅธ‚,ๅŒๅฟƒๅŽฟ':(36.98,105.92), # 'ๅฎๅคๅ›žๆ—่‡ชๆฒปๅŒบ,ๅดๅฟ ๅธ‚,้’้“œๅณกๅธ‚':(38.02,106.07), # 'ๅฎๅคๅ›žๆ—่‡ชๆฒปๅŒบ,ๅ›บๅŽŸๅธ‚,ๅ›บๅŽŸๅธ‚':(36.0,106.28), # 'ๅฎๅคๅ›žๆ—่‡ชๆฒปๅŒบ,ๅ›บๅŽŸๅธ‚,ๅŽŸๅทžๅŒบ':(36.0,106.28), # 'ๅฎๅคๅ›žๆ—่‡ชๆฒปๅŒบ,ๅ›บๅŽŸๅธ‚,่ฅฟๅ‰ๅŽฟ':(35.97,105.73), # 'ๅฎๅคๅ›žๆ—่‡ชๆฒปๅŒบ,ๅ›บๅŽŸๅธ‚,้š†ๅพทๅŽฟ':(35.62,106.12), # 'ๅฎๅคๅ›žๆ—่‡ชๆฒปๅŒบ,ๅ›บๅŽŸๅธ‚,ๆณพๆบๅŽฟ':(35.48,106.33), # 'ๅฎๅคๅ›žๆ—่‡ชๆฒปๅŒบ,ๅ›บๅŽŸๅธ‚,ๅฝญ้˜ณๅŽฟ':(35.85,106.63), # 'ๅฎๅคๅ›žๆ—่‡ชๆฒปๅŒบ,ไธญๅซๅธ‚,ไธญๅซๅธ‚':(37.52,105.18), # 'ๅฎๅคๅ›žๆ—่‡ชๆฒปๅŒบ,ไธญๅซๅธ‚,ๆฒ™ๅกๅคดๅŒบ':(37.52,105.18), # 'ๅฎๅคๅ›žๆ—่‡ชๆฒปๅŒบ,ไธญๅซๅธ‚,ไธญๅฎๅŽฟ':(37.48,105.67), # 'ๅฎๅคๅ›žๆ—่‡ชๆฒปๅŒบ,ไธญๅซๅธ‚,ๆตทๅŽŸๅŽฟ':(36.57,105.65), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ไนŒ้ฒๆœจ้ฝๅธ‚,ไนŒ้ฒๆœจ้ฝๅธ‚':(43.82,87.62), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ไนŒ้ฒๆœจ้ฝๅธ‚,ๅคฉๅฑฑๅŒบ':(43.78,87.65), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ไนŒ้ฒๆœจ้ฝๅธ‚,ๆฒ™ไพๅทดๅ…‹ๅŒบ':(43.78,87.6), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ไนŒ้ฒๆœจ้ฝๅธ‚,ๆ–ฐๅธ‚ๅŒบ':(43.85,87.6), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ไนŒ้ฒๆœจ้ฝๅธ‚,ๆฐด็ฃจๆฒŸๅŒบ':(43.83,87.63), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ไนŒ้ฒๆœจ้ฝๅธ‚,ๅคดๅฑฏๆฒณๅŒบ':(43.87,87.42), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ไนŒ้ฒๆœจ้ฝๅธ‚,่พพๅ‚ๅŸŽๅŒบ':(43.35,88.3), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ไนŒ้ฒๆœจ้ฝๅธ‚,ไธœๅฑฑๅŒบ':(43.95,87.68), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ไนŒ้ฒๆœจ้ฝๅธ‚,ไนŒ้ฒๆœจ้ฝๅŽฟ':(43.8,87.6), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ๅ…‹ๆ‹‰็Ž›ไพๅธ‚,ๅ…‹ๆ‹‰็Ž›ไพๅธ‚':(45.6,84.87), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ๅ…‹ๆ‹‰็Ž›ไพๅธ‚,็‹ฌๅฑฑๅญๅŒบ':(44.32,84.85), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ๅ…‹ๆ‹‰็Ž›ไพๅธ‚,ๅ…‹ๆ‹‰็Ž›ไพๅŒบ':(45.6,84.87), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ๅ…‹ๆ‹‰็Ž›ไพๅธ‚,็™ฝ็ขฑๆปฉๅŒบ':(45.7,85.13), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ๅ…‹ๆ‹‰็Ž›ไพๅธ‚,ไนŒๅฐ”็ฆพๅŒบ':(46.08,85.68), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ๅ้ฒ็•ชๅœฐๅŒบๅธ‚,ๅ้ฒ็•ชๅœฐๅŒบ':(42.95,89.17), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ๅ้ฒ็•ชๅœฐๅŒบๅธ‚,ๅ้ฒ็•ชๅธ‚':(42.95,89.17), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ๅ้ฒ็•ชๅœฐๅŒบๅธ‚,้„ฏๅ–„ๅŽฟ':(42.87,90.22), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ๅ้ฒ็•ชๅœฐๅŒบๅธ‚,ๆ‰˜ๅ…‹้€ŠๅŽฟ':(42.78,88.65), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ๅ“ˆๅฏ†ๅœฐๅŒบๅธ‚,ๅ“ˆๅฏ†ๅœฐๅŒบ':(42.83,93.52), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ๅ“ˆๅฏ†ๅœฐๅŒบๅธ‚,ๅ“ˆๅฏ†ๅธ‚':(42.83,93.52), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ๅ“ˆๅฏ†ๅœฐๅŒบๅธ‚,ไผŠๅพๅŽฟ':(43.25,94.7), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ๆ˜Œๅ‰ๅ›žๆ—่‡ชๆฒปๅทžๅธ‚,ๆ˜Œๅ‰ๅ›žๆ—่‡ชๆฒปๅทž':(44.02,87.3), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ๆ˜Œๅ‰ๅ›žๆ—่‡ชๆฒปๅทžๅธ‚,ๆ˜Œๅ‰ๅธ‚':(44.02,87.3), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ๆ˜Œๅ‰ๅ›žๆ—่‡ชๆฒปๅทžๅธ‚,้˜œๅบทๅธ‚':(44.15,87.98), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ๆ˜Œๅ‰ๅ›žๆ—่‡ชๆฒปๅทžๅธ‚,็ฑณๆณ‰ๅธ‚':(43.97,87.65), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ๆ˜Œๅ‰ๅ›žๆ—่‡ชๆฒปๅทžๅธ‚,ๅ‘ผๅ›พๅฃๅŽฟ':(44.18,86.9), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ๆ˜Œๅ‰ๅ›žๆ—่‡ชๆฒปๅทžๅธ‚,็Ž›็บณๆ–ฏๅŽฟ':(44.3,86.22), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ๆ˜Œๅ‰ๅ›žๆ—่‡ชๆฒปๅทžๅธ‚,ๅฅ‡ๅฐๅŽฟ':(44.02,89.58), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ๆ˜Œๅ‰ๅ›žๆ—่‡ชๆฒปๅทžๅธ‚,ๅ‰ๆœจ่จๅฐ”ๅŽฟ':(44.0,89.18), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ๆ˜Œๅ‰ๅ›žๆ—่‡ชๆฒปๅทžๅธ‚,ๆœจๅž’ๅ“ˆ่จๅ…‹่‡ชๆฒปๅŽฟ':(43.83,90.28), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ๅšๅฐ”ๅก”ๆ‹‰่’™ๅค่‡ชๆฒปๅทžๅธ‚,ๅšๅฐ”ๅก”ๆ‹‰่’™ๅค่‡ชๆฒปๅทž':(44.9,82.07), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ๅšๅฐ”ๅก”ๆ‹‰่’™ๅค่‡ชๆฒปๅทžๅธ‚,ๅšไนๅธ‚':(44.9,82.07), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ๅšๅฐ”ๅก”ๆ‹‰่’™ๅค่‡ชๆฒปๅทžๅธ‚,็ฒพๆฒณๅŽฟ':(44.6,82.88), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ๅšๅฐ”ๅก”ๆ‹‰่’™ๅค่‡ชๆฒปๅทžๅธ‚,ๆธฉๆณ‰ๅŽฟ':(44.97,81.03), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ๅทด้Ÿณ้ƒญๆฅž่’™ๅค่‡ชๆฒปๅทžๅธ‚,ๅทด้Ÿณ้ƒญๆฅž่’™ๅค่‡ชๆฒปๅทž':(41.77,86.15), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ๅทด้Ÿณ้ƒญๆฅž่’™ๅค่‡ชๆฒปๅทžๅธ‚,ๅบ“ๅฐ”ๅ‹’ๅธ‚':(41.77,86.15), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ๅทด้Ÿณ้ƒญๆฅž่’™ๅค่‡ชๆฒปๅทžๅธ‚,่ฝฎๅฐๅŽฟ':(41.78,84.27), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ๅทด้Ÿณ้ƒญๆฅž่’™ๅค่‡ชๆฒปๅทžๅธ‚,ๅฐ‰็ЁๅŽฟ':(41.33,86.25), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ๅทด้Ÿณ้ƒญๆฅž่’™ๅค่‡ชๆฒปๅทžๅธ‚,่‹ฅ็พŒๅŽฟ':(39.02,88.17), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ๅทด้Ÿณ้ƒญๆฅž่’™ๅค่‡ชๆฒปๅทžๅธ‚,ไธ”ๆœซๅŽฟ':(38.13,85.53), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ๅทด้Ÿณ้ƒญๆฅž่’™ๅค่‡ชๆฒปๅทžๅธ‚,็„‰่€†ๅ›žๆ—่‡ชๆฒปๅŽฟ':(42.07,86.57), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ๅทด้Ÿณ้ƒญๆฅž่’™ๅค่‡ชๆฒปๅทžๅธ‚,ๅ’Œ้™ๅŽฟ':(42.32,86.4), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ๅทด้Ÿณ้ƒญๆฅž่’™ๅค่‡ชๆฒปๅทžๅธ‚,ๅ’Œ็ก•ๅŽฟ':(42.27,86.87), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ๅทด้Ÿณ้ƒญๆฅž่’™ๅค่‡ชๆฒปๅทžๅธ‚,ๅšๆน–ๅŽฟ':(41.98,86.63), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,้˜ฟๅ…‹่‹ๅœฐๅŒบๅธ‚,้˜ฟๅ…‹่‹ๅœฐๅŒบ':(41.17,80.27), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,้˜ฟๅ…‹่‹ๅœฐๅŒบๅธ‚,้˜ฟๅ…‹่‹ๅธ‚':(41.17,80.27), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,้˜ฟๅ…‹่‹ๅœฐๅŒบๅธ‚,ๆธฉๅฎฟๅŽฟ':(41.28,80.23), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,้˜ฟๅ…‹่‹ๅœฐๅŒบๅธ‚,ๅบ“่ฝฆๅŽฟ':(41.72,82.97), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,้˜ฟๅ…‹่‹ๅœฐๅŒบๅธ‚,ๆฒ™้›…ๅŽฟ':(41.22,82.78), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,้˜ฟๅ…‹่‹ๅœฐๅŒบๅธ‚,ๆ–ฐๅ’ŒๅŽฟ':(41.55,82.6), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,้˜ฟๅ…‹่‹ๅœฐๅŒบๅธ‚,ๆ‹œๅŸŽๅŽฟ':(41.8,81.87), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,้˜ฟๅ…‹่‹ๅœฐๅŒบๅธ‚,ไนŒไป€ๅŽฟ':(41.22,79.23), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,้˜ฟๅ…‹่‹ๅœฐๅŒบๅธ‚,้˜ฟ็“ฆๆๅŽฟ':(40.63,80.38), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,้˜ฟๅ…‹่‹ๅœฐๅŒบๅธ‚,ๆŸฏๅชๅŽฟ':(40.5,79.05), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,้˜ฟๅ›พไป€ๅธ‚,้˜ฟๅ›พไป€ๅธ‚':(39.72,76.17), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,้˜ฟๅ›พไป€ๅธ‚,้˜ฟๅ…‹้™ถๅŽฟ':(39.15,75.95), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,้˜ฟๅ›พไป€ๅธ‚,้˜ฟๅˆๅฅ‡ๅŽฟ':(40.93,78.45), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,้˜ฟๅ›พไป€ๅธ‚,ไนŒๆฐๅŽฟ':(39.72,75.25), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ๅ–€ไป€ๅœฐๅŒบๅธ‚,ๅ–€ไป€ๅœฐๅŒบ':(39.47,75.98), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ๅ–€ไป€ๅœฐๅŒบๅธ‚,ๅ–€ไป€ๅธ‚':(39.47,75.98), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ๅ–€ไป€ๅœฐๅŒบๅธ‚,็–้™„ๅŽฟ':(39.38,75.85), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ๅ–€ไป€ๅœฐๅŒบๅธ‚,็–ๅ‹’ๅŽฟ':(39.4,76.05), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ๅ–€ไป€ๅœฐๅŒบๅธ‚,่‹ฑๅ‰ๆฒ™ๅŽฟ':(38.93,76.17), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ๅ–€ไป€ๅœฐๅŒบๅธ‚,ๆณฝๆ™ฎๅŽฟ':(38.18,77.27), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ๅ–€ไป€ๅœฐๅŒบๅธ‚,่ŽŽ่ฝฆๅŽฟ':(38.42,77.23), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ๅ–€ไป€ๅœฐๅŒบๅธ‚,ๅถๅŸŽๅŽฟ':(37.88,77.42), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ๅ–€ไป€ๅœฐๅŒบๅธ‚,้บฆ็›–ๆๅŽฟ':(38.9,77.65), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ๅ–€ไป€ๅœฐๅŒบๅธ‚,ๅฒณๆ™ฎๆน–ๅŽฟ':(39.23,76.77), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ๅ–€ไป€ๅœฐๅŒบๅธ‚,ไผฝๅธˆๅŽฟ':(39.5,76.73), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ๅ–€ไป€ๅœฐๅŒบๅธ‚,ๅทดๆฅšๅŽฟ':(39.78,78.55), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ๅ’Œ็”ฐๅœฐๅŒบๅธ‚,ๅ’Œ็”ฐๅœฐๅŒบ':(37.12,79.92), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ๅ’Œ็”ฐๅœฐๅŒบๅธ‚,ๅ’Œ็”ฐๅธ‚':(37.12,79.92), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ๅ’Œ็”ฐๅœฐๅŒบๅธ‚,ๅ’Œ็”ฐๅŽฟ':(37.1,79.93), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ๅ’Œ็”ฐๅœฐๅŒบๅธ‚,ๅขจ็މๅŽฟ':(37.27,79.73), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ๅ’Œ็”ฐๅœฐๅŒบๅธ‚,็šฎๅฑฑๅŽฟ':(37.62,78.28), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ๅ’Œ็”ฐๅœฐๅŒบๅธ‚,ๆด›ๆตฆๅŽฟ':(37.07,80.18), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ๅ’Œ็”ฐๅœฐๅŒบๅธ‚,็ญ–ๅ‹’ๅŽฟ':(37.0,80.8), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ๅ’Œ็”ฐๅœฐๅŒบๅธ‚,ไบŽ็”ฐๅŽฟ':(36.85,81.67), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ๅ’Œ็”ฐๅœฐๅŒบๅธ‚,ๆฐ‘ไธฐๅŽฟ':(37.07,82.68), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ไผŠ็Ёๅ“ˆ่จๅ…‹่‡ชๆฒปๅทžๅธ‚,ไผŠ็Ёๅ“ˆ่จๅ…‹่‡ชๆฒปๅทž':(43.92,81.32), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ไผŠ็Ёๅ“ˆ่จๅ…‹่‡ชๆฒปๅทžๅธ‚,ไผŠๅฎๅธ‚':(43.92,81.32), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ไผŠ็Ёๅ“ˆ่จๅ…‹่‡ชๆฒปๅทžๅธ‚,ๅฅŽๅฑฏๅธ‚':(44.42,84.9), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ไผŠ็Ёๅ“ˆ่จๅ…‹่‡ชๆฒปๅทžๅธ‚,ไผŠๅฎๅŽฟ':(43.98,81.52), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ไผŠ็Ёๅ“ˆ่จๅ…‹่‡ชๆฒปๅทžๅธ‚,ๅฏŸๅธƒๆŸฅๅฐ”้”กไผฏ่‡ชๆฒปๅŽฟ':(43.83,81.15), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ไผŠ็Ёๅ“ˆ่จๅ…‹่‡ชๆฒปๅทžๅธ‚,้œๅŸŽๅŽฟ':(44.05,80.88), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ไผŠ็Ёๅ“ˆ่จๅ…‹่‡ชๆฒปๅทžๅธ‚,ๅทฉ็•™ๅŽฟ':(43.48,82.23), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ไผŠ็Ёๅ“ˆ่จๅ…‹่‡ชๆฒปๅทžๅธ‚,ๆ–ฐๆบๅŽฟ':(43.43,83.25), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ไผŠ็Ёๅ“ˆ่จๅ…‹่‡ชๆฒปๅทžๅธ‚,ๆ˜ญ่‹ๅŽฟ':(43.15,81.13), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ไผŠ็Ёๅ“ˆ่จๅ…‹่‡ชๆฒปๅทžๅธ‚,็‰นๅ…‹ๆ–ฏๅŽฟ':(43.22,81.83), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ไผŠ็Ёๅ“ˆ่จๅ…‹่‡ชๆฒปๅทžๅธ‚,ๅฐผๅ‹’ๅ…‹ๅŽฟ':(43.78,82.5), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ๅก”ๅŸŽๅœฐๅŒบๅธ‚,ๅก”ๅŸŽๅœฐๅŒบ':(46.75,82.98), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ๅก”ๅŸŽๅœฐๅŒบๅธ‚,ๅก”ๅŸŽๅธ‚':(46.75,82.98), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ๅก”ๅŸŽๅœฐๅŒบๅธ‚,ไนŒ่‹ๅธ‚':(44.43,84.68), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ๅก”ๅŸŽๅœฐๅŒบๅธ‚,้ขๆ•ๅŽฟ':(46.53,83.63), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ๅก”ๅŸŽๅœฐๅŒบๅธ‚,ๆฒ™ๆนพๅŽฟ':(44.33,85.62), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ๅก”ๅŸŽๅœฐๅŒบๅธ‚,ๆ‰˜้‡ŒๅŽฟ':(45.93,83.6), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ๅก”ๅŸŽๅœฐๅŒบๅธ‚,่ฃ•ๆฐ‘ๅŽฟ':(46.2,82.98), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,ๅก”ๅŸŽๅœฐๅŒบๅธ‚,ๅ’Œๅธƒๅ…‹่ต›ๅฐ”่’™ๅค่‡ชๆฒปๅŽฟ':(46.8,85.72), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,้˜ฟๅ‹’ๆณฐๅœฐๅŒบๅธ‚,้˜ฟๅ‹’ๆณฐๅœฐๅŒบ':(47.85,88.13), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,้˜ฟๅ‹’ๆณฐๅœฐๅŒบๅธ‚,้˜ฟๅ‹’ๆณฐๅธ‚':(47.85,88.13), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,้˜ฟๅ‹’ๆณฐๅœฐๅŒบๅธ‚,ๅธƒๅฐ”ๆดฅๅŽฟ':(47.7,86.85), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,้˜ฟๅ‹’ๆณฐๅœฐๅŒบๅธ‚,ๅฏŒ่•ดๅŽฟ':(47.0,89.52), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,้˜ฟๅ‹’ๆณฐๅœฐๅŒบๅธ‚,็ฆๆตทๅŽฟ':(47.12,87.5), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,้˜ฟๅ‹’ๆณฐๅœฐๅŒบๅธ‚,ๅ“ˆๅทดๆฒณๅŽฟ':(48.07,86.42), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,้˜ฟๅ‹’ๆณฐๅœฐๅŒบๅธ‚,้’ๆฒณๅŽฟ':(46.67,90.38), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,้˜ฟๅ‹’ๆณฐๅœฐๅŒบๅธ‚,ๅ‰ๆœจไนƒๅŽฟ':(47.43,85.88), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,็Ÿณๆฒณๅญๅธ‚,็Ÿณๆฒณๅญๅธ‚':(44.3,86.03), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,็Ÿณๆฒณๅญๅธ‚,้˜ฟๆ‹‰ๅฐ”ๅธ‚':(40.55,81.28), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,็Ÿณๆฒณๅญๅธ‚,ๅ›พๆœจ่ˆ’ๅ…‹ๅธ‚':(39.85,79.13), # 'ๆ–ฐ็–†็ปดๅพๅฐ”,็Ÿณๆฒณๅญๅธ‚,ไบ”ๅฎถๆธ ๅธ‚':(44.17,87.53), # 'ๆธฏๆพณๅฐ,ๆธฏๆพณๅฐๅธ‚,้ฆ™ๆธฏ':(22.2,114.08), # 'ๆธฏๆพณๅฐ,ๆธฏๆพณๅฐๅธ‚,ๆพณ้—จ':(22.13,113.33), # 'ๆธฏๆพณๅฐ,ๆธฏๆพณๅฐๅธ‚,ๅฐๅŒ—ๅธ‚':(25.03,121.5), # 'ๆธฏๆพณๅฐ,ๆธฏๆพณๅฐๅธ‚,้ซ˜้›„ๅธ‚':(22.62,120.28), # 'ๆธฏๆพณๅฐ,ๆธฏๆพณๅฐๅธ‚,ๅŸบ้š†ๅธ‚':(25.13,121.73), # 'ๆธฏๆพณๅฐ,ๆธฏๆพณๅฐๅธ‚,ๅฐไธญๅธ‚':(24.15,120.67), # 'ๆธฏๆพณๅฐ,ๆธฏๆพณๅฐๅธ‚,ๅฐๅ—ๅธ‚':(23.0,120.2), # 'ๆธฏๆพณๅฐ,ๆธฏๆพณๅฐๅธ‚,ๆ–ฐ็ซนๅธ‚':(24.82,120.95), # 'ๆธฏๆพณๅฐ,ๆธฏๆพณๅฐๅธ‚,ๅ˜‰ไน‰ๅธ‚':(23.48,120.43), # 'ๆธฏๆพณๅฐ,ๆธฏๆพณๅฐๅธ‚,ๅฐๅŒ—ๅŽฟ':(25.02,121.47), # 'ๆธฏๆพณๅฐ,ๆธฏๆพณๅฐๅธ‚,ๅฎœๅ…ฐๅŽฟ':(24.77,121.75), # 'ๆธฏๆพณๅฐ,ๆธฏๆพณๅฐๅธ‚,ๆกƒๅ›ญๅŽฟ':(24.97,121.3), # 'ๆธฏๆพณๅฐ,ๆธฏๆพณๅฐๅธ‚,่‹—ๆ —ๅŽฟ':(24.53,120.8), # 'ๆธฏๆพณๅฐ,ๆธฏๆพณๅฐๅธ‚,ๅฐไธญๅŽฟ':(24.25,120.72), # 'ๆธฏๆพณๅฐ,ๆธฏๆพณๅฐๅธ‚,ๅฝฐๅŒ–ๅŽฟ':(24.08,120.53), # 'ๆธฏๆพณๅฐ,ๆธฏๆพณๅฐๅธ‚,ๅ—ๆŠ•ๅŽฟ':(23.92,120.67), # 'ๆธฏๆพณๅฐ,ๆธฏๆพณๅฐๅธ‚,ไบ‘ๆž—ๅŽฟ':(23.72,120.53), # 'ๆธฏๆพณๅฐ,ๆธฏๆพณๅฐๅธ‚,ๅฐๅ—ๅŽฟ':(23.32,120.32), # 'ๆธฏๆพณๅฐ,ๆธฏๆพณๅฐๅธ‚,้ซ˜้›„ๅŽฟ':(22.63,120.37), # 'ๆธฏๆพณๅฐ,ๆธฏๆพณๅฐๅธ‚,ๅฑไธœๅŽฟ':(22.67,120.48), # 'ๆธฏๆพณๅฐ,ๆธฏๆพณๅฐๅธ‚,ๅฐไธœๅŽฟ':(22.75,121.15), # 'ๆธฏๆพณๅฐ,ๆธฏๆพณๅฐๅธ‚,่Šฑ่ŽฒๅŽฟ':(23.98,121.6), # 'ๆธฏๆพณๅฐ,ๆธฏๆพณๅฐๅธ‚,ๆพŽๆน–ๅŽฟ':(23.58,119.58), # }
yve
/yve-0.0.21-py3-none-any.whl/mapper/mappers.py
mappers.py
import math import matplotlib.pyplot as plt from .Generaldistribution import Distribution class Gaussian(Distribution): """ Gaussian distribution class for calculating and visualizing a Gaussian distribution. Attributes: mean (float) representing the mean value of the distribution stdev (float) representing the standard deviation of the distribution data_list (list of floats) a list of floats extracted from the data file """ def __init__(self, mu=0, sigma=1): Distribution.__init__(self, mu, sigma) def calculate_mean(self): """Function to calculate the mean of the data set. Args: None Returns: float: mean of the data set """ avg = 1.0 * sum(self.data) / len(self.data) self.mean = avg return self.mean def calculate_stdev(self, sample=True): """Function to calculate the standard deviation of the data set. Args: sample (bool): whether the data represents a sample or population Returns: float: standard deviation of the data set """ if sample: n = len(self.data) - 1 else: n = len(self.data) mean = self.calculate_mean() sigma = 0 for d in self.data: sigma += (d - mean) ** 2 sigma = math.sqrt(sigma / n) self.stdev = sigma return self.stdev def plot_histogram(self): """Function to output a histogram of the instance variable data using matplotlib pyplot library. Args: None Returns: None """ plt.hist(self.data) plt.title('Histogram of Data') plt.xlabel('data') plt.ylabel('count') def pdf(self, x): """Probability density function calculator for the gaussian distribution. Args: x (float): point for calculating the probability density function Returns: float: probability density function output """ return (1.0 / (self.stdev * math.sqrt(2*math.pi))) * math.exp(-0.5*((x - self.mean) / self.stdev) ** 2) def plot_histogram_pdf(self, n_spaces = 50): """Function to plot the normalized histogram of the data and a plot of the probability density function along the same range Args: n_spaces (int): number of data points Returns: list: x values for the pdf plot list: y values for the pdf plot """ mu = self.mean sigma = self.stdev min_range = min(self.data) max_range = max(self.data) # calculates the interval between x values interval = 1.0 * (max_range - min_range) / n_spaces x = [] y = [] # calculate the x values to visualize for i in range(n_spaces): tmp = min_range + interval*i x.append(tmp) y.append(self.pdf(tmp)) # make the plots fig, axes = plt.subplots(2,sharex=True) fig.subplots_adjust(hspace=.5) axes[0].hist(self.data, density=True) axes[0].set_title('Normed Histogram of Data') axes[0].set_ylabel('Density') axes[1].plot(x, y) axes[1].set_title('Normal Distribution for \n Sample Mean and Sample Standard Deviation') axes[0].set_ylabel('Density') plt.show() return x, y def __add__(self, other): """Function to add together two Gaussian distributions Args: other (Gaussian): Gaussian instance Returns: Gaussian: Gaussian distribution """ result = Gaussian() result.mean = self.mean + other.mean result.stdev = math.sqrt(self.stdev ** 2 + other.stdev ** 2) return result def __repr__(self): """Function to output the characteristics of the Gaussian instance Args: None Returns: string: characteristics of the Gaussian """ return "mean {}, standard deviation {}".format(self.mean, self.stdev)
yves-distribution-gaussian-binomial
/yves_distribution_gaussian_binomial-1.4.tar.gz/yves_distribution_gaussian_binomial-1.4/yves_distribution_gaussian_binomial/Gaussiandistribution.py
Gaussiandistribution.py
import math import matplotlib.pyplot as plt from .Generaldistribution import Distribution class Binomial(Distribution): """ Binomial distribution class for calculating and visualizing a Binomial distribution. Attributes: mean (float) representing the mean value of the distribution stdev (float) representing the standard deviation of the distribution data_list (list of floats) a list of floats to be extracted from the data file p (float) representing the probability of an event occurring n (int) number of trials TODO: Fill out all functions below """ def __init__(self, prob=.5, size=20): self.n = size self.p = prob Distribution.__init__(self, self.calculate_mean(), self.calculate_stdev()) def calculate_mean(self): """Function to calculate the mean from p and n Args: None Returns: float: mean of the data set """ self.mean = self.p * self.n return self.mean def calculate_stdev(self): """Function to calculate the standard deviation from p and n. Args: None Returns: float: standard deviation of the data set """ self.stdev = math.sqrt(self.n * self.p * (1 - self.p)) return self.stdev def replace_stats_with_data(self): """Function to calculate p and n from the data set Args: None Returns: float: the p value float: the n value """ self.n = len(self.data) self.p = 1.0 * sum(self.data) / len(self.data) self.mean = self.calculate_mean() self.stdev = self.calculate_stdev() def plot_bar(self): """Function to output a histogram of the instance variable data using matplotlib pyplot library. Args: None Returns: None """ plt.bar(x = ['0', '1'], height = [(1 - self.p) * self.n, self.p * self.n]) plt.title('Bar Chart of Data') plt.xlabel('outcome') plt.ylabel('count') def pdf(self, k): """Probability density function calculator for the gaussian distribution. Args: x (float): point for calculating the probability density function Returns: float: probability density function output """ a = math.factorial(self.n) / (math.factorial(k) * (math.factorial(self.n - k))) b = (self.p ** k) * (1 - self.p) ** (self.n - k) return a * b def plot_bar_pdf(self): """Function to plot the pdf of the binomial distribution Args: None Returns: list: x values for the pdf plot list: y values for the pdf plot """ x = [] y = [] # calculate the x values to visualize for i in range(self.n + 1): x.append(i) y.append(self.pdf(i)) # make the plots plt.bar(x, y) plt.title('Distribution of Outcomes') plt.ylabel('Probability') plt.xlabel('Outcome') plt.show() return x, y def __add__(self, other): """Function to add together two Binomial distributions with equal p Args: other (Binomial): Binomial instance Returns: Binomial: Binomial distribution """ try: assert self.p == other.p, 'p values are not equal' except AssertionError as error: raise result = Binomial() result.n = self.n + other.n result.p = self.p result.calculate_mean() result.calculate_stdev() return result def __repr__(self): """Function to output the characteristics of the Binomial instance Args: None Returns: string: characteristics of the Gaussian """ return "mean {}, standard deviation {}, p {}, n {}".\ format(self.mean, self.stdev, self.p, self.n)
yves-distribution-gaussian-binomial
/yves_distribution_gaussian_binomial-1.4.tar.gz/yves_distribution_gaussian_binomial-1.4/yves_distribution_gaussian_binomial/Binomialdistribution.py
Binomialdistribution.py
# ``| -> YvesCMD <- |`` <p align="center"> <b>pip install yvesCMD</b> </p> <p align="center"> This microframework is created for cmd applications based on the cmd module in Python, which is built-in by default. </p> <p align="center"> <b>Goals</b> </p> <p align="center"> The goal is to provide simple and useful tools for creating shell applications. Automate certain processes and introduce innovations in this area. </p> <p align="center"> <b>What's New</b> </p> <p align="center"> - do_command -> In the original module, all command options were placed in the first or first after self argument. In this version, each option occupies its place in the arguments, which provides more control over how many and what the user will enter.<br> - void_command -> Completely without arguments, a dummy function that you call without options.<br> - relative_prompt -> For some reason, in the original module, changing the prompt during code execution is impossible. </p> <p align="center"> <a href="https://github.com/Yveradvir/Yvescmd/tree/master/YvesCMD/src/extensions"><b>Extensions</b></a> </p> <p align="center"> This is a directory in the repository where various features will be introduced. </p> <p align="center"> <a href="https://github.com/Yveradvir/Yvescmd"><b>GitHub</b></a> | <a href="https://pypi.org/project/yvesCMD/"><b>PyPi</b></a> </p>
yvesCMD
/yvesCMD-0.0.6.tar.gz/yvesCMD-0.0.6/README.md
README.md
import string from .utils.hooks import Hooks from .utils.register import AutoRegisterCommandsMeta from .utils.detector import Detector IDENTCHARS = string.ascii_letters + string.digits + '_' __all__ = ["YveCMD"] class YveCMD(metaclass=AutoRegisterCommandsMeta): identchars = IDENTCHARS ruler = '=' lastcmd = '' relative_prompt = '[ cmd ] ' admin = False def __init__(self): self.cmdqueue = [] self.hook = Hooks() self.detect = Detector() @classmethod def register_handler(cls, cmd_handler): cls.register_handler_method(cmd_handler) def cmdloop(self, intro=None): self.hook.preloop() try: stop = None while not stop: if self.cmdqueue: line = self.cmdqueue.pop(0) else: line = input(self.relative_prompt) line = self.hook.precmd(line) stop = self.onecmd(line) # Use the Detector object to handle commands stop = self.hook.postcmd(stop, line) self.hook.postloop() except KeyboardInterrupt: self.hook.postloop() def onecmd(self, line): cmd, args, line = self.detect.parseline(line) if not line: return self.emptyline() if cmd is None: return self.default(line) self.lastcmd = line if line == 'EOF': self.lastcmd = '' if cmd == '': return self.default(line) else: try: func = getattr(self, 'do_' + cmd) func(*args) # Call the do_ method with arguments except AttributeError: try: func = getattr(self, 'void_' + cmd) func() # Call the void_ method without arguments except AttributeError: return self.default(line) except TypeError as e: if not self.admin: print("Error: Invalid number of arguments.") print("Type 'help {}' for more information.".format(cmd)) else: print(e) except Exception as e: print("Error:", e) def emptyline(self): if self.lastcmd: return self.onecmd(self.lastcmd) def default(self, line): print('[ e r r o r > %s' % line)
yvesCMD
/yvesCMD-0.0.6.tar.gz/yvesCMD-0.0.6/YvesCMD/src/yvescmd.py
yvescmd.py
# yvpn > A CLI client to manage YOUR vpn. ## Overview The yvpn tool is a command line client that allows users to manage VPN endpoints by communicating with the yourvpn.info service. Users can create, use, and destroy VPN endpoints at will. These endpoints are Virtual Private Servers that are created for the exclusive use of the user unlike other VPN providers where thousands of users share a single endpoint. This tool is meant to be extensible. Beneath the hood SSH is used for the initial wireguard key exchange and future releases will allow users to quickly drop directly into a shell on the remote machine, perform file transfers, or remotely execute scripts. This is not just a a tool for managing your VPN needs, but also a powerful resource for quickly deploying on demand services limited only by your creativity. ## Installation The quickest way to get up and running is to install the tool from pip: `pip3 install yvpn` You will need wireguard: https://www.wireguard.com/install/ You need to set two environment variables: 1. The server url: `URL_yVPN="https://yourvpn.info"` 2. Your token: `TOKEN_yVPN="<token>"` ## Where to get tokens Right now yvpn is in closed alpha. Tokens are available by invitation only. ## What even is a token? Like an account? No, we do not and will never offer accounts. Privacy is a core principal and we figure the best way to preserve user's privacy is to simply store zero user information. That's where Tokens come in. Think of a token as a sort of prepaid calling card. Remember those good old days? Where you'd buy a calling card with however many minutes preloaded and then you had to call a 1-800 number from a payphone and enter the little code beneath the scratch off material? That's what our token model will be. One day, once we're ready for a beta, there will be a simple storefront where you can buy a token preloaded with some amount of credit and off you go. ## How will billing work then? There will be no billing as in no invoicing. Your token's fund balance will be debited based directly on usage. If you don't have any endpoints running, you won't pay anything. ## Overview of commands ### `yvpn clean` Destroys all of your endpoints and refreshes your wireguard keys. ### `yvpn connect` Connect to an endpoint. You can pass the name or number of the endpoint to connect to a specific one, i.e. `yvpn connect 3`, or automatically connect to the first one on the list without. ### `yvpn create` Create a new endpoint. You can optionally specify a specific datacenter, `yvpn create lon1`, see `yvpn datacenters` below, or create a new endpoint in a randomly selected datacenter by omitting the final argument. ### `yvpn datacenters` Displays a list of the currently available datacenters. ### `yvpn destroy <num>` Destroy the specified endpoint. ### `yvpn disconnect` Disconnect from the active endpoint. ### `yvpn status` Display a table of your endpoints with a number, name, location, and creation timestamp. Also displays your token's balance and expected depletion date at current usage. ### `yvpn admin` For users with an admin token, create, delete, and get tokens.
yvpn
/yvpn-0.2.0.tar.gz/yvpn-0.2.0/README.md
README.md
import logging from tinydb import TinyDB, where from tinydb.storages import MemoryStorage import requests import re import uiautomator2 as u2 import subprocess from ReadConfig import ReadConfig logger = logging.getLogger(__name__) TinyDB.DEFAULT_STORAGE = MemoryStorage class ATX_Server(object): """ According to users requirements to select devices """ def __init__(self, url): """ Construct method """ self._db = TinyDB(storage=MemoryStorage) if url and re.match(r"(http://)?(\d+\.\d+\.\d+\.\d+:\d+)", url): if '://' not in url: url = 'http://' + url + '/list' else: url = url + '/list' self._url = url self.load() else: logger.error('Atx server addr error') self.load() def load(self): """ Use the data which got from stf platform to crate query db :return: the len of records in the db's table """ res = requests.get(self._url).json() if res is not None: eids = self._db.insert_multiple(res) return len(eids) else: return 0 def find(self, cond=None): """ According condition to filter devices and return :param cond: condition to filter devices :type cond: where :return: stf_selector object and its db contains devices """ if cond is not None: res = self._db.search(cond) self.purge() self._db.insert_multiple(res) return self def devices(self): """ return all devices that meeting the requirement :return: list of devices """ return self._db.all() def refresh(self): """ reload the devices info from stf :return: the len of records in the db's table """ self.purge() return self.load() def count(self): """ count the records in the db's table :return: the len of records in the db's table """ return len(self._db.all()) def purge(self): """ remove all the data from the db :return: """ self._db.purge() def ready_devices(self): """ๆŸฅๆ‰พๆ ‡่ฎฐไธบready็š„่ฎพๅค‡""" self.refresh() devices = self.find(where('ready') == True).devices() if len(devices) > 0: return devices else: return False def online_devices(self): """ๆŸฅๆ‰พonline ็š„่ฎพๅค‡""" self.refresh() devices = self.find(where('present') == True).devices() if len(devices) > 0: return devices else: return False def model_devices(self, model): """ๆŸฅๆ‰พ็‰นๅฎšๅž‹ๅท็š„่ฎพๅค‡""" self.refresh() devices = self.find(where('model') == model).devices() if len(devices) > 0: return devices else: return False def brand_devices(self, brand): """ๆŸฅๆ‰พ็‰นๅฎšๅ“็‰Œ็š„่ฎพๅค‡""" self.refresh() devices = self.find(where('brand') == brand).devices() if len(devices) > 0: return devices else: return False def sdk_devices(self, sdk): '''ๆŸฅๆ‰พ็‰นๅฎšSDK็š„่ฎพๅค‡''' self.refresh() devices = self.find(where('sdk') == sdk).devices() if len(devices) > 0: return devices else: return False def version_devices(self, version): '''ๆŸฅๆ‰พ็‰นๅฎšSDK็š„่ฎพๅค‡''' self.refresh() devices = self.find(where('version') == version).devices() if len(devices) > 0: return devices else: return False def serial_devices(self, serial): '''ๆŸฅๆ‰พ็‰นๅฎšserial็š„่ฎพๅค‡''' self.refresh() devices = self.find(where('serial') == serial).devices() if len(devices) > 0: return devices else: return False def all_devices(self): '''่ฟ”ๅ›žๆ‰€ๆœ‰็š„่ฎพๅค‡''' self.refresh() devices = self.find().devices() if len(devices) > 0: return devices else: return False ''' ่ฟžๆŽฅconfig.iniไธญๆŒ‡ๅฎšIP่ฎพๅค‡ ''' def get_devices_config_ip(): """get the devices from Pubilc/config.ini devices list return alive devices""" devices_ip = ReadConfig().get_devices_ip() print('่ฟžๆŽฅ่ฎพๅค‡ๅนณๅฐไธญๆŒ‡ๅฎš่ฎพๅค‡๏ผŒIP๏ผš %s' % devices_ip) devices_list = [] for i in devices_ip: try: device = u2.connect(i) if device.alive: dict_tmp = device.device_info dict_tmp['ip'] = i devices_list.append(dict_tmp) else: print('The IP %s device is not alive,please checkout!' % i) except Exception as e: print('Raise ERROR %s\nThe IP %s device is not alive,please checkout!' % (e, i)) return device ''' ่ฟžๆŽฅserver่ฎพๅค‡ๅˆ—่กจไธญไธญ็ฌฌไธ€ไธชonline่ฎพๅค‡ ''' def connect_devices_online_ip(devices_ip): """connect the devices from at-server devices list return alive devices""" print('่ฟžๆŽฅ่ฎพๅค‡ๅนณๅฐไธญ้ฆ–ไธชๅœจ็บฟ่ฎพๅค‡๏ผŒIP๏ผš %s' % devices_ip) devices_list = [] try: device = u2.connect(devices_ip) if device.alive: dict_tmp = device.device_info dict_tmp['ip'] = devices_ip devices_list.append(dict_tmp) else: print('The IP %s device is not alive,please checkout!' % devices_ip) except Exception as e: print('Raise ERROR %s\nThe IP %s device is not alive,please checkout!' % (e, devices_ip)) return device ''' ่ฟžๆŽฅๅทฒๆ’็บฟ่ฎพๅค‡ ''' def connect_usb_devices(): '''get the devices usb connected on PC return alive devices''' output = subprocess.check_output(['adb', 'devices']) pattern = re.compile( r'(?P<serial>[^\s]+)\t(?P<status>device|offline)') matches = pattern.findall(output.decode()) valid_serials = [m[0] for m in matches if m[1] == 'device'] if valid_serials: print('่ฟžๆŽฅUSB่ฎพๅค‡๏ผŒ่ฎพๅค‡ๅ %s' % valid_serials) devices_list = [] for i in valid_serials: try: device = u2.connect_usb(i) # device.healthcheck() if device.alive: dict_tmp = device.device_info devices_list.append(dict_tmp) else: print('The serial %s device is not alive,please checkout!' % i) except Exception as e: print('Raise ERROR %s\nThe serial %s device is not alive,please checkout!' % (e, i)) return device if len(valid_serials) == 0: print("ๆœชๅ‘็Žฐๅฏ็”จ็š„USB่ฎพๅค‡,่ฏทๆฃ€ๆŸฅ่ฎพๅค‡่ฟžๆŽฅๆƒ…ๅ†ต!") if __name__ == '__main__': # # get device #s from atx-server s = ATX_Server('http://10.97.190.152:7100/api/v1/devices') print(s.devices()) print(s.online_devices()) # print(s.ready_devices()) # # # get devices from config.ini devices list #print(get_devices()) #print(connect_devices_online_ip(s.online_devices()[0]['ip']))
yw-AUT
/yw-AUT-0.1.0.tar.gz/yw-AUT-0.1.0/ywAUT/Devices.py
Devices.py
import sys from Devices import * from Devices_s import * from ReadConfig import ReadConfig import uiautomator2.ext.htmlreport as htmlreport reload(sys) sys.setdefaultencoding('utf8') class Driver(object): # ๅฏๅŠจๆœๅŠก def __init__(self, path): """่Žทๅ–ATXๆœๅŠก่ฟžๆŽฅ""" self.s = STF_Server(path) self.path = path """่ฟžๆŽฅ่ฎพๅค‡ USB:่ฟžๆŽฅๆœฌๆœบ่ฎพๅค‡ IP:่ฟžๆŽฅๆ— ็บฟ่ฎพๅค‡ๅนณๅฐ่ฎพๅค‡ """ def connect_device(self): global d if ReadConfig(self.path).get_method() == "USB": serial_id = ReadConfig(self.path).get_devices_serial() if serial_id: print('ๆŒ‡ๅฎšๆ‰ง่กŒ่ฎพๅค‡'+serial_id) d = self.s.connect_serial_usb_stf_devices(serial_id) else: print('่‡ชๅŠจ้€‰ๆ‹ฉadb devices้ฆ–ไธช่ฎพๅค‡') d = self.s.connect_usb_devices() # else: # if len(ReadConfig().get_devices_ip()) == 0: # d = connect_devices_online_ip(self.s.online_devices()[0]['ip']) # else: # d = get_devices_config_ip() """ๅฅๅบทๆฃ€ๆŸฅ""" if d: d.healthcheck() hrp = htmlreport.HTMLReport(d) hrp.patch_click() return d else: print("่ฟžๆŽฅ่ฎพๅค‡ๅคฑ่ดฅ!") def app_install(self): """ๅฎ‰่ฃ…APP๏ผŒไผ ๅ…ฅurl""" d.app_install(ReadConfig(self.path).get_apk_url()) def app_start(self): """ๅฏๅŠจAPP""" d.app_stop_all() d.app_start(ReadConfig(self.path).get_pkg_name()) def app_stop(self): """ๅ…ณ้—ญAPP""" d.app_stop(ReadConfig(self.path).get_pkg_name()) """ๆ‰ง่กŒๅฎŒๆˆ๏ผŒๆŒ‚่ตทu2ไบฎๅฑ่ฟ›็จ‹๏ผŒ้˜ฒๆญข็†„ๅฑๆ–ญ็ฝ‘""" d.shell('am start -n com.github.uiautomator/.IdentifyActivity') def close_remote(self): '''ๅ…ณ้—ญ่ฟœ็จ‹ๆŽงๅˆถ''' self.s.close_stf_remote(ReadConfig(self.path).get_devices_serial()) def unlock_device(self): """unlock.apk install and launch""" pkgs = re.findall('package:([^\s]+)', d.shell(['pm', 'list', 'packages', '-3'])[0]) if 'io.appium.unlock' in pkgs: d.app_start('io.appium.unlock') d.shell('input keyevent 3') else: # appium unlock.apk ไธ‹่ฝฝๅฎ‰่ฃ… print('installing io.appium.unlock') d.app_install('https://raw.githubusercontent.com/ATX-GT/master/apk/unlock.apk') d.app_start('io.appium.unlock') d.shell('input keyevent 3')
yw-AUT
/yw-AUT-0.1.0.tar.gz/yw-AUT-0.1.0/ywAUT/Driver.py
Driver.py
import os import logging import time from stf_selector.selector import Selector from stf_selector.query import where from tinydb import TinyDB, where from tinydb.storages import MemoryStorage import re import uiautomator2 as u2 import subprocess from ReadConfig import ReadConfig import requests logger = logging.getLogger(__name__) TinyDB.DEFAULT_STORAGE = MemoryStorage s = Selector(url=ReadConfig().get_server_url(), token=ReadConfig().get_server_token()) s.load() def devices_list(): """่Žทๅ–ๅนณๅฐๆ‰€ๆœ‰่ฎพๅค‡""" devices = s.devices() return devices def ready_devices(): """ๆŸฅๆ‰พๆ ‡่ฎฐไธบready็š„่ฎพๅค‡""" devices = s.find(where('ready') == True).devices() if len(devices) > 0: return devices else: return False def online_devices(): """ๆŸฅๆ‰พonline ็š„่ฎพๅค‡""" devices = s.find(where('present') == True).devices() if len(devices) > 0: return devices else: return False def model_devices(model): """ๆŸฅๆ‰พ็‰นๅฎšๅž‹ๅท็š„่ฎพๅค‡""" devices = s.find(where('model') == model).devices() if len(devices) > 0: return devices else: return False def brand_devices(brand): """ๆŸฅๆ‰พ็‰นๅฎšๅ“็‰Œ็š„่ฎพๅค‡""" devices = s.find(where('brand') == brand).devices() if len(devices) > 0: return devices else: return False def sdk_devices(sdk): '''ๆŸฅๆ‰พ็‰นๅฎšSDK็š„่ฎพๅค‡''' devices = s.find(where('sdk') == sdk).devices() if len(devices) > 0: return devices else: return False def version_devices(version): '''ๆŸฅๆ‰พ็‰นๅฎšSDK็š„่ฎพๅค‡''' devices = s.find(where('version') == version).devices() if len(devices) > 0: return devices else: return False def serial_devices(serial): '''ๆŸฅๆ‰พ็‰นๅฎšserial็š„่ฎพๅค‡''' devices = s.find(where('serial') == serial).devices() if len(devices) > 0: return devices else: return False def get_remoteurl(serial): '''ๆŸฅๆ‰พ็‰นๅฎšserial็š„่ฎพๅค‡''' devices = s.find(where('serial') == serial).devices() if len(devices) > 0: return devices[0]['remoteConnectUrl'] else: return False ''' ่ฟžๆŽฅๅทฒๆ’็บฟ่ฎพๅค‡ ''' def connect_usb_stf_devices(): '''get the devices usb connected on PC return alive devices''' output = subprocess.check_output(['adb', 'devices']) pattern = re.compile( r'(?P<serial>[^\s]+)\t(?P<status>device|offline)') matches = pattern.findall(output.decode()) valid_serials = [m[0] for m in matches if m[1] == 'device'] if valid_serials: print('่ฟžๆŽฅUSB่ฎพๅค‡๏ผŒ่ฎพๅค‡ๅ %s' % valid_serials) devices_list = [] for i in valid_serials: try: device = u2.connect_usb(i) # device.healthcheck() if device.alive: dict_tmp = device.device_info devices_list.append(dict_tmp) else: print('่ฎพๅค‡ %s ไธๅฏ็”จ,่ฏทๆฃ€ๆŸฅusb้“พๆŽฅ็Šถๆ€!' % i) except Exception as e: print('่ฟ”ๅ›ž้”™่ฏฏ: %s\n ่ฎพๅค‡ %s ไธๅฏ็”จ,่ฏทๆฃ€ๆŸฅusb้“พๆŽฅ็Šถๆ€!' % (e, i)) return device if len(valid_serials) == 0: print("ๆœชๅ‘็Žฐๅฏ็”จ็š„USB่ฎพๅค‡,่ฏทๆฃ€ๆŸฅ่ฎพๅค‡่ฟžๆŽฅๆƒ…ๅ†ต!") ''' ่ฟžๆŽฅUSBๆŒ‡ๅฎšserial่ฎพๅค‡ ''' def connect_serial_usb_stf_devices(serial): ''' adb connect ''' remote_url = get_remoteurl('4b89b1ce9905') '''get the devices usb connected on PC return alive devices''' output = subprocess.check_output(['adb', 'devices']) pattern = re.compile( r'(?P<serial>[^\s]+)\t(?P<status>device|offline)') matches = pattern.findall(output.decode()) valid_serials = [m[0] for m in matches if m[1] == 'device'] if valid_serials: print('่ฟžๆŽฅUSB่ฎพๅค‡๏ผŒ่ฎพๅค‡ๅ %s' % serial) devices_list = [] try: device = u2.connect_usb(remote_url) device.healthcheck() if device.alive: dict_tmp = device.device_info devices_list.append(dict_tmp) else: print('่ฎพๅค‡ %s ไธๅฏ็”จ,่ฏทๆฃ€ๆŸฅusb้“พๆŽฅ็Šถๆ€!' % serial) except Exception as e: print('่ฟ”ๅ›ž้”™่ฏฏ: %s\n ่ฎพๅค‡ %s ไธๅฏ็”จ,่ฏทๆฃ€ๆŸฅusb้“พๆŽฅ็Šถๆ€!' % (e, serial)) return device if len(valid_serials) == 0: print("ๆœชๅ‘็Žฐๅฏ็”จ็š„USB่ฎพๅค‡,่ฏทๆฃ€ๆŸฅ่ฎพๅค‡่ฟžๆŽฅๆƒ…ๅ†ต!") ''' STFๆ‰“ๅผ€remote ''' def open_stf_remote(serial): headers = { 'Content-Type': 'application/json', 'Authorization': 'Bearer ' + ReadConfig().get_server_token() } data = { 'serial': serial } r = requests.post('http://10.97.190.152:7100/api/v1/user/devices', json=data, headers=headers) return r ''' STFๅ…ณ้—ญremote ''' def close_stf_remote(serial): headers = { 'Authorization': 'Bearer ' + ReadConfig().get_server_token() } r = requests.request('DELETE', 'http://10.97.190.152:7100/api/v1/user/devices/' + serial, headers=headers) return r if __name__ == '__main__': # print(len(online_devices())) #print(model_devices(' 6T')) #open_stf_remote('4b89b1ce9905') #time.sleep(20) remote_url = get_remoteurl('4b89b1ce9905') print("before:"+str(remote_url)) open_stf_remote('4b89b1ce9905') s = Selector(url=ReadConfig().get_server_url(), token=ReadConfig().get_server_token()) s.load() remote_url = get_remoteurl('4b89b1ce9905') print("after:"+str(remote_url)) print(serial_devices('4b89b1ce9905')) os.system('adb connect '+remote_url) time.sleep(10) connect_serial_usb_stf_devices('4b89b1ce9905') close_stf_remote('4b89b1ce9905')
yw-AUT
/yw-AUT-0.1.0.tar.gz/yw-AUT-0.1.0/ywAUT/Devices_stf.py
Devices_stf.py
import os import logging import time from stf_selector.selector import Selector from stf_selector.query import where from tinydb import TinyDB, where from tinydb.storages import MemoryStorage import re import uiautomator2 as u2 import subprocess from ReadConfig import ReadConfig import requests logger = logging.getLogger(__name__) TinyDB.DEFAULT_STORAGE = MemoryStorage class STF_Server(object): def __init__(self, path): """ Construct method """ self.path = path self.s = Selector(url=ReadConfig(path).get_server_url()+'/devices', token=ReadConfig(path).get_server_token()) self.s.load() def devices_list(self): """่Žทๅ–ๅนณๅฐๆ‰€ๆœ‰่ฎพๅค‡""" devices = self.s.devices() return devices def ready_devices(self): """ๆŸฅๆ‰พๆ ‡่ฎฐไธบready็š„่ฎพๅค‡""" devices = self.s.find(where('ready') == True).devices() if len(devices) > 0: return devices else: return False def online_devices(self): """ๆŸฅๆ‰พonline ็š„่ฎพๅค‡""" devices = self.s.find(where('present') == True).devices() if len(devices) > 0: return devices else: return False def model_devices(self, model): """ๆŸฅๆ‰พ็‰นๅฎšๅž‹ๅท็š„่ฎพๅค‡""" devices = self.s.find(where('model') == model).devices() if len(devices) > 0: return devices else: return False def brand_devices(self, brand): """ๆŸฅๆ‰พ็‰นๅฎšๅ“็‰Œ็š„่ฎพๅค‡""" devices = self.s.find(where('brand') == brand).devices() if len(devices) > 0: return devices else: return False def sdk_devices(self, sdk): '''ๆŸฅๆ‰พ็‰นๅฎšSDK็š„่ฎพๅค‡''' devices = self.s.find(where('sdk') == sdk).devices() if len(devices) > 0: return devices else: return False def version_devices(self, version): '''ๆŸฅๆ‰พ็‰นๅฎšSDK็š„่ฎพๅค‡''' devices = self.s.find(where('version') == version).devices() if len(devices) > 0: return devices else: return False def serial_devices(self, serial): '''ๆŸฅๆ‰พ็‰นๅฎšserial็š„่ฎพๅค‡''' devices = self.s.find(where('serial') == serial).devices() if len(devices) > 0: return devices else: return False def get_remoteurl(self, serial): '''ๆŸฅๆ‰พ็‰นๅฎšserial็š„่ฎพๅค‡''' devices = self.s.find(where('serial') == serial).devices() if len(devices) > 0: return devices[0]['remoteConnectUrl'] else: return False ''' ่ฟžๆŽฅๅทฒๆ’็บฟ่ฎพๅค‡ ''' def connect_usb_devices(self): '''get the devices usb connected on PC return alive devices''' output = subprocess.check_output(['adb', 'devices']) pattern = re.compile( r'(?P<serial>[^\s]+)\t(?P<status>device|offline)') matches = pattern.findall(output.decode()) valid_serials = [m[0] for m in matches if m[1] == 'device'] if valid_serials: print('่ฟžๆŽฅUSB่ฎพๅค‡๏ผŒ่ฎพๅค‡ๅบๅˆ—ๅท %s' % valid_serials) devices_list = [] for i in valid_serials: try: device = u2.connect_usb(i) # device.healthcheck() if device.alive: dict_tmp = device.device_info devices_list.append(dict_tmp) else: print('่ฎพๅค‡ %s ไธๅฏ็”จ,่ฏทๆฃ€ๆŸฅusb้“พๆŽฅ็Šถๆ€!' % i) except Exception as e: print('่ฟ”ๅ›ž้”™่ฏฏ: %s\n ่ฎพๅค‡ %s ไธๅฏ็”จ,่ฏทๆฃ€ๆŸฅusb้“พๆŽฅ็Šถๆ€!' % (e, i)) return device if len(valid_serials) == 0: print("ๆœชๅ‘็Žฐๅฏ็”จ็š„USB่ฎพๅค‡,่ฏทๆฃ€ๆŸฅ่ฎพๅค‡่ฟžๆŽฅๆƒ…ๅ†ต!") ''' ่ฟžๆŽฅUSBๆŒ‡ๅฎšserial่ฎพๅค‡ ''' def connect_serial_usb_stf_devices(self, serial): ''' adb connect ''' self.open_stf_remote(serial) self.s = STF_Server(self.path) remote_ip = self.s.get_remoteurl(serial) print('่ฟœ็จ‹่ฐƒ่ฏ•IP:'.decode("utf-8")+str(remote_ip)) os.system('adb connect ' + remote_ip) time.sleep(10) '''get the devices usb connected on PC return alive devices''' output = subprocess.check_output(['adb', 'devices']) pattern = re.compile( r'(?P<serial>[^\s]+)\t(?P<status>device|offline)') matches = pattern.findall(output.decode()) valid_serials = [m[0] for m in matches if m[1] == 'device'] if valid_serials: print('่ฟžๆŽฅUSB่ฎพๅค‡๏ผŒ่ฎพๅค‡ๅบๅˆ—ๅท %s' % serial) devices_list = [] try: device = u2.connect_usb(remote_ip) if device.alive: dict_tmp = device.device_info devices_list.append(dict_tmp) else: print('่ฎพๅค‡ %s ไธๅฏ็”จ,่ฏทๆฃ€ๆŸฅusb้“พๆŽฅ็Šถๆ€!' % serial) except Exception as e: print('่ฟ”ๅ›ž้”™่ฏฏ: %s\n ่ฎพๅค‡ %s ไธๅฏ็”จ,่ฏทๆฃ€ๆŸฅusb้“พๆŽฅ็Šถๆ€!' % (e, serial)) return device if len(valid_serials) == 0: print('ๆœชๅ‘็Žฐๅฏ็”จ็š„USB่ฎพๅค‡,่ฏทๆฃ€ๆŸฅ่ฎพๅค‡่ฟžๆŽฅๆƒ…ๅ†ต!') ''' STFๆ‰“ๅผ€remote ''' def open_stf_remote(self, serial): headers = { 'Content-Type': 'application/json', 'Authorization': 'Bearer ' + ReadConfig(self.path).get_server_token() } data = { 'serial': serial } r = requests.post(ReadConfig(self.path).get_server_url()+'/user/devices', json=data, headers=headers) return r ''' STFๅ…ณ้—ญremote ''' def close_stf_remote(self, serial): headers = { 'Authorization': 'Bearer ' + ReadConfig(self.path).get_server_token() } r = requests.request('DELETE', ReadConfig(self.path).get_server_url()+'/user/devices/' + serial, headers=headers) return r if __name__ == '__main__': # print(len(online_devices())) #print(model_devices(' 6T')) #open_stf_remote('4b89b1ce9905') #time.sleep(20) s = STF_Server() # remote_url = s.get_remoteurl('4b89b1ce9905') # print("before:"+str(remote_url)) # s.open_stf_remote('4b89b1ce9905') # s = STF_Server() # remote_url = s.get_remoteurl('4b89b1ce9905') # print("after:"+str(remote_url)) # print(s.serial_devices('4b89b1ce9905')) # os.system('adb connect '+remote_url) # time.sleep(10) s.connect_serial_usb_stf_devices('4b89b1ce9905') s.close_stf_remote('4b89b1ce9905')
yw-AUT
/yw-AUT-0.1.0.tar.gz/yw-AUT-0.1.0/ywAUT/Devices_s.py
Devices_s.py
import math import matplotlib.pyplot as plt from .Generaldistribution import Distribution class Gaussian(Distribution): """ Gaussian distribution class for calculating and visualizing a Gaussian distribution. Attributes: mean (float) representing the mean value of the distribution stdev (float) representing the standard deviation of the distribution data_list (list of floats) a list of floats extracted from the data file """ def __init__(self, mu=0, sigma=1): Distribution.__init__(self, mu, sigma) def calculate_mean(self): """Function to calculate the mean of the data set. Args: None Returns: float: mean of the data set """ avg = 1.0 * sum(self.data) / len(self.data) self.mean = avg return self.mean def calculate_stdev(self, sample=True): """Function to calculate the standard deviation of the data set. Args: sample (bool): whether the data represents a sample or population Returns: float: standard deviation of the data set """ if sample: n = len(self.data) - 1 else: n = len(self.data) mean = self.calculate_mean() sigma = 0 for d in self.data: sigma += (d - mean) ** 2 sigma = math.sqrt(sigma / n) self.stdev = sigma return self.stdev def plot_histogram(self): """Function to output a histogram of the instance variable data using matplotlib pyplot library. Args: None Returns: None """ plt.hist(self.data) plt.title('Histogram of Data') plt.xlabel('data') plt.ylabel('count') def pdf(self, x): """Probability density function calculator for the gaussian distribution. Args: x (float): point for calculating the probability density function Returns: float: probability density function output """ return (1.0 / (self.stdev * math.sqrt(2*math.pi))) * math.exp(-0.5*((x - self.mean) / self.stdev) ** 2) def plot_histogram_pdf(self, n_spaces = 50): """Function to plot the normalized histogram of the data and a plot of the probability density function along the same range Args: n_spaces (int): number of data points Returns: list: x values for the pdf plot list: y values for the pdf plot """ mu = self.mean sigma = self.stdev min_range = min(self.data) max_range = max(self.data) # calculates the interval between x values interval = 1.0 * (max_range - min_range) / n_spaces x = [] y = [] # calculate the x values to visualize for i in range(n_spaces): tmp = min_range + interval*i x.append(tmp) y.append(self.pdf(tmp)) # make the plots fig, axes = plt.subplots(2,sharex=True) fig.subplots_adjust(hspace=.5) axes[0].hist(self.data, density=True) axes[0].set_title('Normed Histogram of Data') axes[0].set_ylabel('Density') axes[1].plot(x, y) axes[1].set_title('Normal Distribution for \n Sample Mean and Sample Standard Deviation') axes[0].set_ylabel('Density') plt.show() return x, y def __add__(self, other): """Function to add together two Gaussian distributions Args: other (Gaussian): Gaussian instance Returns: Gaussian: Gaussian distribution """ result = Gaussian() result.mean = self.mean + other.mean result.stdev = math.sqrt(self.stdev ** 2 + other.stdev ** 2) return result def __repr__(self): """Function to output the characteristics of the Gaussian instance Args: None Returns: string: characteristics of the Gaussian """ return "mean {}, standard deviation {}".format(self.mean, self.stdev)
yw-distr
/yw_distr-0.1.tar.gz/yw_distr-0.1/yw_distr/Gaussiandistribution.py
Gaussiandistribution.py
import math import matplotlib.pyplot as plt from .Generaldistribution import Distribution class Binomial(Distribution): """ Binomial distribution class for calculating and visualizing a Binomial distribution. Attributes: mean (float) representing the mean value of the distribution stdev (float) representing the standard deviation of the distribution data_list (list of floats) a list of floats to be extracted from the data file p (float) representing the probability of an event occurring n (int) number of trials TODO: Fill out all functions below """ def __init__(self, prob=.5, size=20): self.n = size self.p = prob Distribution.__init__(self, self.calculate_mean(), self.calculate_stdev()) def calculate_mean(self): """Function to calculate the mean from p and n Args: None Returns: float: mean of the data set """ self.mean = self.p * self.n return self.mean def calculate_stdev(self): """Function to calculate the standard deviation from p and n. Args: None Returns: float: standard deviation of the data set """ self.stdev = math.sqrt(self.n * self.p * (1 - self.p)) return self.stdev def replace_stats_with_data(self): """Function to calculate p and n from the data set Args: None Returns: float: the p value float: the n value """ self.n = len(self.data) self.p = 1.0 * sum(self.data) / len(self.data) self.mean = self.calculate_mean() self.stdev = self.calculate_stdev() def plot_bar(self): """Function to output a histogram of the instance variable data using matplotlib pyplot library. Args: None Returns: None """ plt.bar(x = ['0', '1'], height = [(1 - self.p) * self.n, self.p * self.n]) plt.title('Bar Chart of Data') plt.xlabel('outcome') plt.ylabel('count') def pdf(self, k): """Probability density function calculator for the gaussian distribution. Args: x (float): point for calculating the probability density function Returns: float: probability density function output """ a = math.factorial(self.n) / (math.factorial(k) * (math.factorial(self.n - k))) b = (self.p ** k) * (1 - self.p) ** (self.n - k) return a * b def plot_bar_pdf(self): """Function to plot the pdf of the binomial distribution Args: None Returns: list: x values for the pdf plot list: y values for the pdf plot """ x = [] y = [] # calculate the x values to visualize for i in range(self.n + 1): x.append(i) y.append(self.pdf(i)) # make the plots plt.bar(x, y) plt.title('Distribution of Outcomes') plt.ylabel('Probability') plt.xlabel('Outcome') plt.show() return x, y def __add__(self, other): """Function to add together two Binomial distributions with equal p Args: other (Binomial): Binomial instance Returns: Binomial: Binomial distribution """ try: assert self.p == other.p, 'p values are not equal' except AssertionError as error: raise result = Binomial() result.n = self.n + other.n result.p = self.p result.calculate_mean() result.calculate_stdev() return result def __repr__(self): """Function to output the characteristics of the Binomial instance Args: None Returns: string: characteristics of the Gaussian """ return "mean {}, standard deviation {}, p {}, n {}".\ format(self.mean, self.stdev, self.p, self.n)
yw-distr
/yw_distr-0.1.tar.gz/yw_distr-0.1/yw_distr/Binomialdistribution.py
Binomialdistribution.py
import math import matplotlib.pyplot as plt from .Generaldistribution import Distribution class Gaussian(Distribution): """ Gaussian distribution class for calculating and visualizing a Gaussian distribution. Attributes: mean (float) representing the mean value of the distribution stdev (float) representing the standard deviation of the distribution data_list (list of floats) a list of floats extracted from the data file """ def __init__(self, mu=0, sigma=1): Distribution.__init__(self, mu, sigma) def calculate_mean(self): """Function to calculate the mean of the data set. Args: None Returns: float: mean of the data set """ avg = 1.0 * sum(self.data) / len(self.data) self.mean = avg return self.mean def calculate_stdev(self, sample=True): """Function to calculate the standard deviation of the data set. Args: sample (bool): whether the data represents a sample or population Returns: float: standard deviation of the data set """ if sample: n = len(self.data) - 1 else: n = len(self.data) mean = self.calculate_mean() sigma = 0 for d in self.data: sigma += (d - mean) ** 2 sigma = math.sqrt(sigma / n) self.stdev = sigma return self.stdev def plot_histogram(self): """Function to output a histogram of the instance variable data using matplotlib pyplot library. Args: None Returns: None """ plt.hist(self.data) plt.title('Histogram of Data') plt.xlabel('data') plt.ylabel('count') def pdf(self, x): """Probability density function calculator for the gaussian distribution. Args: x (float): point for calculating the probability density function Returns: float: probability density function output """ return (1.0 / (self.stdev * math.sqrt(2*math.pi))) * math.exp(-0.5*((x - self.mean) / self.stdev) ** 2) def plot_histogram_pdf(self, n_spaces = 50): """Function to plot the normalized histogram of the data and a plot of the probability density function along the same range Args: n_spaces (int): number of data points Returns: list: x values for the pdf plot list: y values for the pdf plot """ mu = self.mean sigma = self.stdev min_range = min(self.data) max_range = max(self.data) # calculates the interval between x values interval = 1.0 * (max_range - min_range) / n_spaces x = [] y = [] # calculate the x values to visualize for i in range(n_spaces): tmp = min_range + interval*i x.append(tmp) y.append(self.pdf(tmp)) # make the plots fig, axes = plt.subplots(2,sharex=True) fig.subplots_adjust(hspace=.5) axes[0].hist(self.data, density=True) axes[0].set_title('Normed Histogram of Data') axes[0].set_ylabel('Density') axes[1].plot(x, y) axes[1].set_title('Normal Distribution for \n Sample Mean and Sample Standard Deviation') axes[0].set_ylabel('Density') plt.show() return x, y def __add__(self, other): """Function to add together two Gaussian distributions Args: other (Gaussian): Gaussian instance Returns: Gaussian: Gaussian distribution """ result = Gaussian() result.mean = self.mean + other.mean result.stdev = math.sqrt(self.stdev ** 2 + other.stdev ** 2) return result def __repr__(self): """Function to output the characteristics of the Gaussian instance Args: None Returns: string: characteristics of the Gaussian """ return "mean {}, standard deviation {}".format(self.mean, self.stdev)
yw-distributions
/yw_distributions-0.1.tar.gz/yw_distributions-0.1/yw_distributions/Gaussiandistribution.py
Gaussiandistribution.py
import math import matplotlib.pyplot as plt from .Generaldistribution import Distribution class Binomial(Distribution): """ Binomial distribution class for calculating and visualizing a Binomial distribution. Attributes: mean (float) representing the mean value of the distribution stdev (float) representing the standard deviation of the distribution data_list (list of floats) a list of floats to be extracted from the data file p (float) representing the probability of an event occurring n (int) number of trials TODO: Fill out all functions below """ def __init__(self, prob=.5, size=20): self.n = size self.p = prob Distribution.__init__(self, self.calculate_mean(), self.calculate_stdev()) def calculate_mean(self): """Function to calculate the mean from p and n Args: None Returns: float: mean of the data set """ self.mean = self.p * self.n return self.mean def calculate_stdev(self): """Function to calculate the standard deviation from p and n. Args: None Returns: float: standard deviation of the data set """ self.stdev = math.sqrt(self.n * self.p * (1 - self.p)) return self.stdev def replace_stats_with_data(self): """Function to calculate p and n from the data set Args: None Returns: float: the p value float: the n value """ self.n = len(self.data) self.p = 1.0 * sum(self.data) / len(self.data) self.mean = self.calculate_mean() self.stdev = self.calculate_stdev() def plot_bar(self): """Function to output a histogram of the instance variable data using matplotlib pyplot library. Args: None Returns: None """ plt.bar(x = ['0', '1'], height = [(1 - self.p) * self.n, self.p * self.n]) plt.title('Bar Chart of Data') plt.xlabel('outcome') plt.ylabel('count') def pdf(self, k): """Probability density function calculator for the gaussian distribution. Args: x (float): point for calculating the probability density function Returns: float: probability density function output """ a = math.factorial(self.n) / (math.factorial(k) * (math.factorial(self.n - k))) b = (self.p ** k) * (1 - self.p) ** (self.n - k) return a * b def plot_bar_pdf(self): """Function to plot the pdf of the binomial distribution Args: None Returns: list: x values for the pdf plot list: y values for the pdf plot """ x = [] y = [] # calculate the x values to visualize for i in range(self.n + 1): x.append(i) y.append(self.pdf(i)) # make the plots plt.bar(x, y) plt.title('Distribution of Outcomes') plt.ylabel('Probability') plt.xlabel('Outcome') plt.show() return x, y def __add__(self, other): """Function to add together two Binomial distributions with equal p Args: other (Binomial): Binomial instance Returns: Binomial: Binomial distribution """ try: assert self.p == other.p, 'p values are not equal' except AssertionError as error: raise result = Binomial() result.n = self.n + other.n result.p = self.p result.calculate_mean() result.calculate_stdev() return result def __repr__(self): """Function to output the characteristics of the Binomial instance Args: None Returns: string: characteristics of the Gaussian """ return "mean {}, standard deviation {}, p {}, n {}".\ format(self.mean, self.stdev, self.p, self.n)
yw-distributions
/yw_distributions-0.1.tar.gz/yw_distributions-0.1/yw_distributions/Binomialdistribution.py
Binomialdistribution.py
# tap-sqlalchemy # Roadmap ### Supported RDBMS - [x] SQLite, see [SQLite with SQLAlchemy](https://docs.sqlalchemy.org/en/14/dialects/sqlite.html#connect-strings) - [x] SQL Server, see [PyODBC with SQLAlchemy](https://docs.sqlalchemy.org/en/14/dialects/mssql.html#module-sqlalchemy.dialects.mssql.pyodbc) > Driver query in connection string: > `"mssql+pyodbc://scott:tiger@myhost:port/databasename?driver=ODBC+Driver+17+for+SQL+Server"` > https://docs.sqlalchemy.org/en/14/dialects/mssql.html#hostname-connections - [x] Impala > Impala connection string is not natively supported by SQLAlchemy, but tap-sqlalchemy provides a familiar connection string format as that of SQLite or SQL Server, and the connection capability is supported by [impyla](https://github.com/cloudera/impyla) > > Example: > Impala "connection.conn_string" format: > > impala+pyodbc://[username][:][password][@]host:port[/default_db]?auth_mechanism=LDAP > > - auth_mechanism is required, and supports only one value: LDAP > - <host> and <port> are required # Guide ### Tap Installation & Quick Start 1. Create a python virtual environment 2. install tap-sqlalchemy, `pip install yw-etl-tap-sqlalchemy` 3. invoke tap ```shell $ <venv-bin>/tap-sqlalchemy -c '<config-json>' --catalog '<catalog-json>' ``` ### Tap Configuration Tap Configuration is a JSON document containing entries that will impact the behaviors of data extraction work load. ```json5 { // mandatory "connection.conn_string": "<SQLAlchemy compatible connection string>", // mandatory "sync.include_streams": [ "<tap_stream_id>", /* refer to a stream described in Catalog*/ ], // optional "sync.working_directory": "..." } ``` * see SQLAlchemy: [Database URLs](https://docs.sqlalchemy.org/en/14/core/engines.html#database-urls) * see [Working Directory](https://github.com/YiwenData/tap-sqlalchemy/issues/2) ### Tap Catalog Tap Catalog is a JSON document of one object containing definitions of data stream. ```json5 { "streams": [ { // mandatory, unique identifier, used in [sync.include_streams] of Tap Configuration "tap_stream_id": "...", // mandatory, human-friendly identifier, possible to have duplicates inside on Catalog Document "stream": "...", // mandatory // JSON Schema Object describing the shape of this data stream, // used for data verification // // Empty Object means that schema check will be skipped "schema": {}, // mandatory // a list of metadata entries about the whole stream or about one field "metadata": [ { // mandatory // breadcrumb points to a field to which this metadata entry applies. // an array of string, like '["a", "b", "c"]', that is evaluated against this stream's JSON Schema document // // Empty List means this is the metadata about the whole stream "breadcrumb": [], // mandatory // specific meta data entry, key value pair "metadata": { // Two special Keys that are of special interests // for SQL-based replication "replication-method": "CUSTOM_QUERY", // relative path is resolved against // <working-directory/sql // absolute path is treated as it is "replication-sql-file": "query.sql" } } ] } ] } ``` * see [JSON Schema](http://json-schema.org/) # Developer Guide The idea behind `tap-sqlalchemy` is rather simple: execute SQL query and emit each row to stdout in JSON format. ## Message Format The emitted message format follows the [Singer Specification](https://github.com/singer-io/getting-started). Current implementation will emit only `SCHEMA` and `RECORD` message. ## Add new RDBMS support [SQLAlchemy](https://www.sqlalchemy.org/) is an abstraction layer over various types of Relational Databases (or storage systems that speak in SQL). It provides a unified SQL execution entrypoint and a unified query return structure. Out of the box, SQLAlchemy provides working guides for mainstream RDBMS, including [PostgreSQL](https://docs.sqlalchemy.org/en/14/dialects/postgresql.html) , [MySQL](https://docs.sqlalchemy.org/en/14/dialects/mysql.html) , [SQLite](https://docs.sqlalchemy.org/en/14/dialects/sqlite.html#connect-strings) , [Oracle](https://docs.sqlalchemy.org/en/14/dialects/oracle.html) and [SQL Server](https://docs.sqlalchemy.org/en/14/dialects/mssql.html). In most cases, a RDBMS specific driver is required for SQLAlchemy to talks to a RDBMS, but protocol like ODBC and its implementation in python, [pyODBC](https://pypi.org/project/pyodbc/), can be used for multiple RDBMS. For more exotic database technologies, like impala or clickhouse, 3rd party adaptor or driver is required. Take Impala as an example. Impala provides its own driver [implementation in python](https://github.com/cloudera/impyla), however it is not directly usable by SQLAlchemy, see [post](https://stackoverflow.com/questions/39582842/impala-connection-via-sqlalchemy). In `Database.py#_get_engine` , impala connection is treated specially to be compatible with SQAlchemy's `_engine.Engine` interface. To add support for a new Database system: 1. find its driver implementation in python, it may be built on top of a general protocol, like [impyla](https://github.com/cloudera/impyla) over ODBC or a community-maintained SQLAlchemy adaptor, like [clickhouse-sqlalchemy](https://pypi.org/project/clickhouse-sqlalchemy/) 2. devise a connection string format that has similar structure as other db (easier to remember) and can express special configuration entries for picked database, a common solution is to use URL and query terms. 3. augment method `Database.py#_get_engine` to parse connection string into a connection object and adapt the connection object to be compatible with SQAlchemy's `_engine.Engine` interface. 4. at this point, you can issue SQL to new database system in the same fashion as other RDBMS
yw-etl-tap-sqlalchemy
/yw_etl_tap_sqlalchemy-0.1.5.tar.gz/yw_etl_tap_sqlalchemy-0.1.5/README.md
README.md
import os from pathlib import Path from yw_etl_tap_sqlalchemy.utils import Conf, Env _pwd = Path(os.getcwd()) _wd_name = ".tap-sqlalchemy" class WorkingDirectory: @staticmethod def get_sql_dir(conf: dict) -> Path: return WorkingDirectory.get_directory(conf) / 'sql' @staticmethod def get_directory(conf: dict) -> Path: """ 1. Configuration Entry: config["sync.working_directory"] (relative to pwd) 2. Environment Variable: TAP_SQLALCHEMY_HOME (must be absolute path) 3. Home directory: $HOME/.tap-sqlalchemy """ ok, p = WorkingDirectory._check_conf(conf) if ok: return p ok, p = WorkingDirectory._check_env() if ok: return p return WorkingDirectory._check_home_dir() @staticmethod def _check_home_dir() -> Path: p = Path(os.path.expanduser("~")) / _wd_name if p.is_file(): raise Exception(f"{p} already exists and is a file") p.mkdir(exist_ok=True) return p @staticmethod def _check_env() -> (bool, Path): v = os.environ.get(Env.SYNC_WORKING_DIRECTORY, None) if v is None: return False, None v = Path(v) if not v.is_absolute(): raise Exception(f"environment variable {Env.SYNC_WORKING_DIRECTORY}={v} is not a absolute path") if v.is_file(): raise Exception(f"{v} already exists and is a file") v.mkdir(parents=True, exist_ok=True) return True, v @staticmethod def _check_conf(conf: dict) -> (bool, Path): wd = conf.get(Conf.SYNC_WORKING_DIRECTORY, None) if wd is None: return False, None wd = Path(wd) if wd.is_file(): raise Exception(f"{wd} already exists and is a file") if not wd.is_absolute(): wd = _pwd / wd wd.mkdir(parents=True, exist_ok=True) return True, wd.resolve() @staticmethod def _has_sql_dir(wd: Path) -> bool: return (wd / 'sql').is_dir()
yw-etl-tap-sqlalchemy
/yw_etl_tap_sqlalchemy-0.1.5.tar.gz/yw_etl_tap_sqlalchemy-0.1.5/yw_etl_tap_sqlalchemy/WorkingDirectory.py
WorkingDirectory.py
from pathlib import Path from urllib.parse import urlparse, parse_qs from impala.dbapi import connect as impala_connect from sqlalchemy import create_engine, text class CONN_SCHEME: IMPALA_PYODBC = "impala+pyodbc" MYSSQL_PYODBC = "mssql+pyodbc" SQLITE = "sqlite" def _get_engine(conn_str: str): conn_url = urlparse(conn_str) scheme = conn_url.scheme # Impala connection via SQLAlchemy # see https://github.com/cloudera/impyla/issues/214 if scheme == CONN_SCHEME.IMPALA_PYODBC: qs = parse_qs(conn_url.query) auth_mechanism = qs.get('auth_mechanism', [None])[0] if auth_mechanism is None: raise Exception( "impala+pyodbc connection string requires parameter: auth_mechanism, supported value " "['LDAP', 'NOSASL', 'PLAIN', 'GSSAPI', 'JWT'] " "see https://github.com/cloudera/impyla/blob/master/impala/dbapi.py#L71") p = Path(conn_url.path) database = None if len(p.parts) >= 2: database = p.parts[1] def conn(): return impala_connect( host=conn_url.hostname, port=conn_url.port, database=database, user=conn_url.username, password=conn_url.password, auth_mechanism=auth_mechanism ) return create_engine("impala://", creator=conn) else: return create_engine(conn_str) class Database: def __init__(self, conn_str): self.conn_str = conn_str self._test_conn() self._conn_ctx = None def _test_conn(self): engine = _get_engine(self.conn_str) with engine.connect() as con: sql = "select 1" if "oracle" not in self.conn_str else "select 1 AS a from DUAL" con.execute(text(sql)).all() self.engine = engine def __enter__(self): self._conn_ctx = self.engine.connect() return self._conn_ctx.__enter__() def __exit__(self, *args, **kwargs): self._conn_ctx.__exit__(*args, **kwargs) self._conn_ctx = None
yw-etl-tap-sqlalchemy
/yw_etl_tap_sqlalchemy-0.1.5.tar.gz/yw_etl_tap_sqlalchemy-0.1.5/yw_etl_tap_sqlalchemy/Database.py
Database.py
import io import json.decoder import os import sys import traceback import singer.utils from yw_etl_target_clickhouse.Database import Database from yw_etl_target_clickhouse.ReceiveStreamManager import receive_stream_manager from yw_etl_target_clickhouse.WorkingDirectory import WorkingDirectory from yw_etl_target_clickhouse.utils import targetlog REQUIRED_CONFIG_KEYS = ['connection', 'sync.stream_table_map'] def main(): args = singer.utils.parse_args(REQUIRED_CONFIG_KEYS) if args.discover: raise Exception("Discover mode is not supported") config = args.config _stream_table_map = config['sync.stream_table_map'] stream_table_lookup = {k: _stream_table_map[k] for k in _stream_table_map.keys()} database = Database.from_config(config) working_dir = WorkingDirectory.get_directory(config) retain_csv = config.get("sync.retain_csv", False) with receive_stream_manager(stream_table_lookup, database, working_dir, retain_csv) as manager: input_stream = io.TextIOWrapper(sys.stdin.buffer, encoding='utf8') for msg_line in input_stream: # ignore lines starts with # if msg_line.startswith('#'): continue try: msg = singer.parse_message(msg_line).asdict() except json.decoder.JSONDecodeError: targetlog.error(f"Unable to parse:\n{msg_line}") raise msg_type = msg['type'] match msg_type: case 'RECORD': stream_name = msg['stream'] rstream = manager.get_stream(stream_name) record = msg['record'] rstream.write_record(record) case 'SCHEMA' | 'STATE': # SCHEMA and STATE message handling not implemented continue case _ as x: targetlog.warning(f'unknown message type {x}') if __name__ == '__main__': try: main() except Exception as e: targetlog.error(e) if os.environ.get('DEBUG', None): traceback.print_exception(e) sys.exit(1)
yw-etl-target-clickhouse
/yw_etl_target_clickhouse-0.1.0-py3-none-any.whl/yw_etl_target_clickhouse/main.py
main.py
import contextlib from pathlib import Path from typing import ContextManager from yw_etl_target_clickhouse.Database import Database from yw_etl_target_clickhouse.ReceiveStream import ReceiveStream from yw_etl_target_clickhouse.utils import targetlog @contextlib.contextmanager def receive_stream_manager(stream_table_lookup: dict, database: Database, working_dir: Path, retain_csv: bool) -> ContextManager['ReceiveStreamManager']: manager = ReceiveStreamManager(stream_table_lookup, database, working_dir, retain_csv) try: yield manager manager.sink_all() except Exception as e: targetlog.error(e) raise e finally: manager.close_all() class StreamIsNotDeclared(Exception): def __init__(self, stream_name: str): super().__init__(f"stream {stream_name} is not declared in stream-table mapping") class ReceiveStreamManager: """Do not instantiate ReceiveStreamManager directly, use with receive_stream_manager(...) as manager: ... """ def __init__(self, stream_table_lookup: dict, database: Database, working_dir: Path, retain_csv: bool): self.retain_csv = retain_csv self.working_dir = working_dir self.database = database self.stream_table_lookup = stream_table_lookup self.opened_streams: dict[str, ReceiveStream] = {} def get_stream(self, stream_name: str) -> 'ReceiveStream': table_name = self.stream_table_lookup.get(stream_name, None) if table_name is None: raise StreamIsNotDeclared(stream_name) if stream_name in self.opened_streams: return self.opened_streams[stream_name] else: self.opened_streams[stream_name] = ReceiveStream(stream_name, table_name, self.database, self.working_dir, self.retain_csv) return self.get_stream(stream_name) def sink_all(self): for s in self.opened_streams.values(): targetlog.debug(f"sinking {s}") s.sink() def close_all(self): for k, s in self.opened_streams.items(): targetlog.debug(f"closing {s}") s.close() self.opened_streams = []
yw-etl-target-clickhouse
/yw_etl_target_clickhouse-0.1.0-py3-none-any.whl/yw_etl_target_clickhouse/ReceiveStreamManager.py
ReceiveStreamManager.py
# Copyright (c) 2012-2013 Thomas Roten # Permission is hereby granted, free of charge, to any person obtaining a copy # of this software and associated documentation files (the "Software"), to deal # in the Software without restriction, including without limitation the rights # to use, copy, modify, merge, publish, distribute, sublicense, and/or sell # copies of the Software, and to permit persons to whom the Software is # furnshished to do so, subject to the following conditions: # The above copyright notice and this permission notice shall be included in # all copies or substantial portions of the Software. # THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR # IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, # FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL # THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER # LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING # FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER # DEALINGS IN THE SOFTWARE. """a Python module that provides an interface to the Yahoo! Weather RSS Feed. Classes: Client: interface with the Yahoo! Weather RSS Feed. Constants: WOEID_LOOKUP_URL: the URL used to fetch a locationโ€™s corresponding WOEID. WEATHER_URL: the URL used to fetch a WOEID's weather. LID_LOOKUP_URL: the URL used to fetch a location's corresponding LID. LID_WEATHER_URL: the URL used to fetch a LID's weather. WEATHER_NS: the XML namespace used in the weather RSS feed. GEO_NS: the XML namespace used for the coordinates in the RSS feed. CONDITION_IMAGE_URL: the URL of an image depicting the current conditions. UNITS: a dict that maps data names to units. """ try: from urllib.request import urlopen from urllib.parse import quote except ImportError: from urllib2 import urlopen from urllib import quote import contextlib import re import xml.etree.ElementTree WOEID_LOOKUP_URL = ("http://locdrop.query.yahoo.com/v1/public/yql?" "q=select%20woeid%20from%20locdrop.placefinder%20" "where%20text='{0}'") WEATHER_URL = "http://xml.weather.yahoo.com/forecastrss?w={0}&u={1}" LID_LOOKUP_URL = WEATHER_URL LID_WEATHER_URL = "http://xml.weather.yahoo.com/forecastrss/{0}_{1}.xml" WEATHER_NS = "http://xml.weather.yahoo.com/ns/rss/1.0" GEO_NS = "http://www.w3.org/2003/01/geo/wgs84_pos#" CONDITION_IMAGE_URL = "http://l.yimg.com/a/i/us/we/52/{0}.gif" UNITS = { "c": { "wind": { "chill": "ยฐC", "direction": "ยฐ", "speed": "km/h"}, "atmosphere": { "humidity": "%", "visibility": "km", "pressure": "hPa"}, "condition": { "temp": "ยฐC"}, "forecast": { "low": "ยฐC", "high": "ยฐC"}, }, "f": { "wind": { "chill": "ยฐF", "direction": "ยฐ", "speed": "mph"}, "atmosphere": { "humidity": "%", "visibility": "mi", "pressure": "psi"}, "condition": { "temp": "ยฐF"}, "forecast": { "low": "ห†F", "high": "ยฐF"}, }, } class Client(object): """Interface with the Yahoo! Weather RSS feed. Provides methods to search for location data and fetch weather data. Methods: fetch_lid: fetch a location's LID. fetch_woeid: fetch a location's WOEID. fetch_weather: fetch a location's weather. """ def fetch_lid(self, woeid): """Fetch a location's corresponding LID. Args: woeid: (string) the location's WOEID. Returns: a string containing the requested LID or None if the LID could not be found. Raises: urllib.error.URLError: urllib.request could not open the URL (Python 3). urllib2.URLError: urllib2 could not open the URL (Python 2). xml.etree.ElementTree.ParseError: xml.etree.ElementTree failed to parse the XML document. """ rss = self._fetch_xml(LID_LOOKUP_URL.format(woeid, "f")) # We are pulling the LID from the permalink tag in the XML file # returned by Yahoo. try: link = rss.find("channel/link").text except AttributeError: return None # use regex or string.split # regex assumes the format XXXXNNNN for the LID. # string.split works more general of the context. lid = re.search("[A-Za-z]{4}[0-9]{4}", link).group() # lid = link.split("/forecast/")[1].split("_")[0] return lid def fetch_weather(self, id, metric=False): """Fetch a location's weather. *id* can be either a WOEID or LID. The weather data returned for each is identical except that the WOEID returns a 2-day forecast and the LID returns a 5-day forecast. The LID uses an undocumented API, so use it at your own risk. Args: id: (string) the location's WOEID or LID. metric: (bool) return metric data; defaults to False. Returns: a dict containing the location's weather data or None if the weather data couldn't be fetched. Raises: urllib.error.URLError: urllib.request could not open the URL (Python 3). urllib2.URLError: urllib2 could not open the URL (Python 2). xml.etree.ElementTree.ParseError: xml.etree.ElementTree failed to parse the XML document. """ units = "c" if metric else "f" # WOEID is a 32-bit integer, while LID is XXXXNNNN, where X is a letter # and N is a number. So, we pick the URL to use based on whether or not # the *id* begins with a letter. if re.match("^[A-Za-z]", id): url = LID_WEATHER_URL.format(id, units) else: url = WEATHER_URL.format(id, units) rss = self._fetch_xml(url) if rss.find("channel/item/title").text == "City not found": return None # xml_items details which tags should be read and what their # destination dict key should be. These tags don't appear # multiple times. # {XML tag: [ElementTree access method, dict key]} xml_items = { "channel/title": ["text", "title"], "channel/link": ["text", "link"], "channel/language": ["text", "language"], "channel/description": ["text", "description"], "channel/lastBuildDate": ["text", "lastBuildDate"], "channel/ttl": ["text", "ttl"], "channel/image/url": ["text", "logo"], "channel/item/guid": ["text", "guid"], "channel/{%s}location" % WEATHER_NS: ["attrib", "location"], # "channel/{%s}units" % WEATHER_NS: # ["attrib", "units"], "channel/{%s}wind" % WEATHER_NS: ["attrib", "wind"], "channel/{%s}atmosphere" % WEATHER_NS: ["attrib", "atmosphere"], "channel/{%s}astronomy" % WEATHER_NS: ["attrib", "astronomy"], "channel/item/{%s}condition" % WEATHER_NS: ["attrib", "condition"], } weather = {} weather["units"] = UNITS[units] for (tag, meta) in xml_items.items(): if meta[0] == "text": try: weather[meta[1]] = rss.find(tag).text except AttributeError: weather[meta[1]] = None elif meta[0] == "attrib": try: weather[meta[1]] = rss.find(tag).attrib except AttributeError: weather[meta[1]] = None else: weather[meta[1]] = None try: image_url = CONDITION_IMAGE_URL.format(weather["condition"]["code"]) weather["condition"]["image"] = image_url except (AttributeError, TypeError): pass try: state = weather["atmosphere"]["rising"] if state == "0": weather["atmosphere"]["state"] = "steady" elif state == "1": weather["atmosphere"]["state"] = "rising" elif state == "2": weather["atmosphere"]["state"] = "falling" else: weather["atmosphere"]["state"] = None except (AttributeError, TypeError): pass weather["forecast"] = [] try: for item in rss.findall( "channel/item/{%s}forecast" % WEATHER_NS): weather["forecast"].append(item.attrib) except AttributeError: weather["forecast"] = None weather["geo"] = {} try: weather["geo"]["lat"] = rss.find( "channel/item/{%s}lat" % GEO_NS).text weather["geo"]["long"] = rss.find( "channel/item/{%s}long" % GEO_NS).text except AttributeError: weather["geo"] = None try: weather["wind"]["compass"] = self._degrees_to_direction( weather["wind"]["direction"]) except TypeError: pass return weather def fetch_woeid(self, location): """Fetch a location's corresponding WOEID. Args: location: (string) a location (e.g. 23454 or Berlin, Germany). Returns: a string containing the location's corresponding WOEID or None if the WOEID could not be found. Raises: urllib.error.URLError: urllib.request could not open the URL (Python 3). urllib2.URLError: urllib2 could not open the URL (Python 2). xml.etree.ElementTree.ParseError: xml.etree.ElementTree failed to parse the XML document. """ rss = self._fetch_xml( WOEID_LOOKUP_URL.format(quote(location))) try: woeid = rss.find("results/Result/woeid").text except AttributeError: return None return woeid def _degrees_to_direction(self, degrees): """Convert wind direction from degrees to compass direction.""" try: degrees = float(degrees) except ValueError: return None if degrees < 0 or degrees > 360: return None if degrees <= 11.25 or degrees >= 348.76: return "N" elif degrees <= 33.75: return "NNE" elif degrees <= 56.25: return "NE" elif degrees <= 78.75: return "ENE" elif degrees <= 101.25: return "E" elif degrees <= 123.75: return "ESE" elif degrees <= 146.25: return "SE" elif degrees <= 168.75: return "SSE" elif degrees <= 191.25: return "S" elif degrees <= 213.75: return "SSW" elif degrees <= 236.25: return "SW" elif degrees <= 258.75: return "WSW" elif degrees <= 281.25: return "W" elif degrees <= 303.75: return "WNW" elif degrees <= 326.25: return "NW" elif degrees <= 348.75: return "NNW" else: return None def _fetch_xml(self, url): """Fetch a url and parse the document's XML.""" with contextlib.closing(urlopen(url)) as f: return xml.etree.ElementTree.parse(f).getroot()
yweather
/yweather-0.1.1.tar.gz/yweather-0.1.1/yweather.py
yweather.py
yweather ======== About ----- yweather is a Python module that provides an interface to the `Yahoo! Weather RSS feed <http://developer.yahoo.com/weather/>`_. International Support --------------------- .. code:: python >>> client.fetch_woeid("Paris, France") '615702' >>> client.fetch_woeid("Seattle, Washington") '2490383' Location and weather data is not limited to a single country. Fetch data for any location that is available on Yahoo! Weather. Different countries use different measurement systems (unfortunately). Fetch data according to United States customary units or the metric system. .. code:: python >>> paris_weather = client.fetch_weather("615702", metric=True) >>> seattle_weather = client.fetch_weather("2490383", metric=False) Data is Returned as a Dict -------------------------- .. code:: python >>> norfolk_weather = client.fetch_weather("2460389") >>> norfolk_weather["astronomy"]["sunrise"] '7:18 am' >>> norfolk_weather["condition"]["text"] 'Partly Cloudy' Weather data is returned as a Python ``dict``, not as an object of a confusing class. No API Keys or Signup Needed ---------------------------- Unlike many weather APIs, Yahoo! Weather's RSS feed doesn't require sign ups, API keys, or special authorization to fetch and use their data. All you have to do is follow their `Terms of Use <http://developer.yahoo.com/weather/#terms>`_. No Manual ID Lookups -------------------- .. code:: python >>> client.fetch_woeid("Raleigh, North Carolina") '2478307' >>> client.fetch_lid("2379574") 'USIL0228' yweather doesn't assume you know location identifiers off the top of your head. You can call the ``fetch_woeid`` or ``fetch_lid`` methods to lookup a location's WOEID or LID. WOEID is Yahoo! Weather's location identifier. LID is The Weather Channel's location identifier. 5-day Forecast Support ---------------------- .. code:: python >>> london_weather = client.fetch_weather("UKXX0085") >>> len(london_weather["forecast"]) 5 By using a The Weather Channel Location ID (LID), you can fetch a location's 5-day weather forecast. A little warning though -- it's using an undocumented API. If you aren't up for it, you can still get the 2-day forecast using a WOEID. Documentation ------------- yweather includes complete and easy-to-read `documentation <https://yweather.readthedocs.org/>`_. Check it out for a gentle introduction or the full API details. Bug/Issues Tracker ------------------ yweather uses its `GitHub Issues page <https://github.com/tsroten/yweather/issues>`_ to track bugs, feature requests, and support questions. License ------- yweather is released under the OSI-approved `MIT License <http://opensource.org/licenses/MIT>`_. See the file LICENSE.txt for more information.
yweather
/yweather-0.1.1.tar.gz/yweather-0.1.1/README.rst
README.rst
Glossary ======== .. glossary:: LID Location ID. The Weather Channel uses these to identify locations around the world. Because Yahoo! Weather gets their weather data from The Weather Channel, the Location ID can be used on Yahoo's RSS Feed to gain access to a 5-day weather forecast. Note: this usage is undocumented. metric system The metric system is a system of measurement that is used around the world (in all but three countries). It is often considered to be synonymous with the `International System of Units <http://en.wikipedia.org/wiki/International_System_of_Units>`_. Some example units include grams and meters. See `Wikipedia's article <http://en.wikipedia.org/wiki/Metric_system>`_ for more information. United States customary units A system of measurements commonly used across the United States. Some example units include miles, pounds, and inches. See `Wikipedia's article <http://en.wikipedia.org/wiki/United_States_customary_units>`_ for more information. WOEID Where On Earth IDentifier. Yahoo! GeoPlanet uses these 32-bit identifiers to reference spatial entities around the world. See `Yahoo! GeoPlanet's Key Concepts <http://developer.yahoo.com/geo/geoplanet/guide/concepts.html#woeids>`_ for more information.
yweather
/yweather-0.1.1.tar.gz/yweather-0.1.1/docs/glossary.rst
glossary.rst
Usage ===== Let's learn how to use :mod:`yweather`. Create a :class:`~yweather.Client` Object ----------------------------------------- :mod:`yweather` consists of a single class, :class:`~yweather.Client`. .. code-block:: python >>> import yweather >>> client = yweather.Client() By creating an instance of :class:`~yweather.Client`, you've created an object that you can use to fetch location identifiers and weather data from Yahoo! Weather. Fetch a Location's :term:`WOEID` -------------------------------- Yahoo! Weather gives every location a unique :term:`WOEID`. In order to fetch weather data from Yahoo!, you must first know the location's :term:`WOEID`. .. code-block:: python >>> client.fetch_woeid("Beijing, China") '2151330' >>> client.fetch_woeid("96734") '12798281' >>> client.fetch_woeid("10 South Main Street, Harrisonburg, VA") '12767058' You can retrieve a :term:`WOEID` by passing a general or specific address. The above example used city and country, ZIP code, and complete address. Fetch a Location's Weather -------------------------- Once you have a location's :term:`WOEID`, you can use it to fetch the location's weather. Weather data is returned as a :class:`dict <python3:dict>`. Its structure is detailed in :meth:`~yweather.Client.fetch_weather`'s API documentation. .. code-block:: python >>> beijing_weather = client.fetch_weather("2151330") >>> beijing_weather["guid"] 'CHXX0008_2013_01_06_7_00_CST' >>> beijing_weather["description"] 'Yahoo! Weather for Beijing, CN' >>> beijing_weather["condition"]["temp"] '28' The returned :class:`dict <python3:dict>` contains metadata along with the weather data itself. By default, :term:`United States customary units` are used, but by changing the *metric* argument, you can receive data according to the :term:`metric system`. .. code-block:: python >>> kailua_weather = client.fetch_weather("12798281", metric=True) >>> kailua_weather["forecast"][0]["high"] '25' >>> kailua_weather["units"]["forecast"]["high"] 'ยฐC' The units used for each data value are accessible with the *units* key. Using a Location's :term:`LID` ------------------------------ Because Yahoo! Weather's data comes from `The Weather Channel <http://www.weather.com>`_, weather data is also accessible via a The Weather Channel :term:`LID`. This provides access to a 5-day forecast versus the 2-day forecast available with a location's :term:`WOEID`. .. code-block:: python >>> client.fetch_lid("2151330") 'CHXX0008' >>> beijing_weather = client.fetch_weather("CHXX0008") >>> len(beijing_weather["forecast"]) 5 The :meth:`~yweather.Client.fetch_lid` method takes a :term:`WOEID` and returns a :term:`LID`. You can pass the :term:`LID` to the :meth:`~yweather.Client.fetch_weather` method.
yweather
/yweather-0.1.1.tar.gz/yweather-0.1.1/docs/usage.rst
usage.rst
API === .. py:module:: yweather .. data:: WOEID_LOOKUP_URL The URL used to fetch a location's corresponding :term:`WOEID`. .. data:: WEATHER_URL The URL used to fetch a :term:`WOEID`'s weather. .. data:: LID_LOOKUP_URL The URL used to fetch a location's corresponding :term:`LID`. .. data:: LID_WEATHER_URL The URL used to fetch a :term:`LID`'s weather. .. data:: WEATHER_NS The XML namespace used in the weather RSS feed. .. data:: GEO_NS The XML namespace used for the lat/long coordinates in the RSS feed. .. data:: CONDITION_IMAGE_URL The URL of an image depicting the current conditions. .. data:: UNITS A :class:`dict <python3:dict>` that maps data names to units. .. class:: Client() Interface with the Yahoo! Weather RSS feed. Provides methods to search for location data and fetch weather data. .. method:: fetch_lid(woeid) Fetch a location's corresponding :term:`LID`. :param woeid: the location's :term:`WOEID`. :type woeid: :mod:`string <python3:string>` :returns: a :mod:`string <python3:string>` containing the requested :term:`LID` or :data:`None <python3:None>` if the :term:`LID` could not be found. :raises urllib.error.URLError: :mod:`urllib.request <python3:urllib.request>` could not open the URL (Python 3). :raises urllib2.URLError: :mod:`urllib2 <python2:urllib2>` could not open the URL (Python 2). :raises xml.etree.ElementTree.ParseError: :mod:`xml.etree.ElementTree <python3:xml.etree.ElementTree>` failed to parse the XML document. .. method:: fetch_weather(id[, metric=False]) Fetch a location's weather. *id* can be either a :term:`WOEID` or :term:`LID`. The weather data returned for each is identical except that the :term:`WOEID` returns a 2-day forecast and the :term:`LID` returns a 5-day forecast. The :term:`LID` uses an undocumented API, so use it at your own risk. The returned data is a :class:`dict <python3:dict>` with the requested weather data. It loosely follows the `Yahoo! Weather RSS feed response structure <http://developer.yahoo.com/weather/#response>`_, but has some noticeable differences. The following table outlines the data structure. ============== ========== ============ ===== Keys .. .. Value ============== ========== ============ ===== title The title of the feed, which includes the location city. For example "Yahoo! Weather - Sunnyvale, CA". link The URL of the forecast for this location. language The language of the weather forecast, for example, en-us for US English. description The overall description of the feed including the location, for example "Yahoo! Weather for Sunnyvale, CA". lastBuildDate The last time the feed was updated. For example, Fri, 04 Jan 2013 6:56 am PST. ttl Time to Live; how long in minutes this feed should be cached. logo The URL for the Yahoo! Weather logo associated with this feed. guid Unique identifier for the forecast, made up of the location ID, the date, and the time. location city city name location region state, territory, or region, if given. location country two-character country code geo lat The latitude of the location. geo long The longitude of the location. units wind chill ยฐF or ยฐC units wind direction ยฐ units wind speed mph or km/h units atmosphere humidity % units atmosphere visbility mi or km units atmosphere pressure psi or hPa units condition temp ยฐF or ยฐC units forecast low ยฐF or ยฐC units forecast high ยฐF or ยฐC wind chill wind chill in degrees wind direction wind direction, in degrees wind compass wind direction, according to a compass. For example, NNW, SE, or W. wind speed wind speed in mph or km/h atmosphere humidity humidity, in percent atmosphere visibility visibility, in mi or km. atmosphere pressure barometric pressure in psi or hPa. atmosphere rising state of the barometric pressure as a number: 0 (steady), 1 (rising), or 2 (falling). atmosphere state state of the barometric pressure as text: steady, rising, or falling. astronomy sunrise today's sunrise time. The time is in a local time format of "h:mm am/pm", for example "7:02 am" astronomy sunset today's sunset time. The time is in a local time format of "h:mm am/pm", for example "4:51 pm". condition text a textual description of conditions, for example, "Partly Cloudy" condition code the condition code for this forecast. Yahoo! Weather's developer network lists the `possible values <http://developer.yahoo.com/weather/#codes>`_. condition image the URL of an image that depicts the current conditions (clouds, sun, rain, etc.). condition temp the current temperature in ยฐF or ยฐC condition date the current date and time for which this forecast applies. For example, Fri, 04 Jan 2013 6:56 am PST. forecast contains a :class:`list <python3:list>`, where each item is a :class:`dict <python3:dict>` that contains the weather forecast for a specific day. -- day day of the week to which this forecast applies. Possible values are Mon Tue Wed Thu Fri Sat Sun -- date the date to which this forecast applies. The date is in "dd Mmm yyyy" format, for example "3 Nov 2005" -- low the forecasted low temperature for this day in ยฐF or ยฐC -- high the forecasted high temperature for this day in ยฐF or ยฐC -- text a textual description of conditions, for example, "Partly Cloudy" -- code the condition code for this forecast. Yahoo! Weather's developer network lists the `possible values <http://developer.yahoo.com/weather/#codes>`_. ============== ========== ============ ===== The differences between this data structure and Yahoo! Weather's are: * *units* breaks down the data units further and uses more helpful key names. * *logo* represents the RSS feed's ``<image>`` tag. * *guid* was moved to the top level. * *condition* has the *image* key, which provides easy access to a URL of an image depicting the current sky conditions. * *atmosphere* has the *state* key, which gives a textual description of the barometric pressure state. * *geo* is now a :class:`dict <python3:dict>` with *lat* and *long* keys. * *wind* includes the *compass* key, which provides wind direction according to a compass (e.g. NNW, SE, or W). Example usage of the returned :class:`dict <python3:dict>`: .. code-block:: python >>> print result["wind"]["compass"] NNW >>> print result["atmosphere"]["pressure"], result["units"]["atmosphere"]["pressure"] 29.95 psi >>> print len(result["forecast"]) 2 >>> print result["forecast"][0]["text"] Partly Cloudy :param id: the location's :term:`WOEID` or :term:`LID`. :type id: :mod:`string <python3:string>` :param metric: return metric data; defaults to :data:`False <python3:False>`. :type metric: :func:`bool <python3:bool>` :returns: a :class:`dict <python3:dict>` containing the location's weather data or :data:`None <python3:None>` if the weather data couldn't be fetched. :raises urllib.error.URLError: :mod:`urllib.request <python3:urllib.request>` could not open the URL (Python 3). :raises urllib2.URLError: :mod:`urllib2 <python2:urllib2>` could not open the URL (Python 2). :raises xml.etree.ElementTree.ParseError: :mod:`xml.etree.ElementTree <python3:xml.etree.ElementTree>` failed to parse the XML document. .. method:: fetch_woeid(location) Fetch a location's corresponding :term:`WOEID`. :param location: a location (e.g. 23454 or Berlin, Germany). :type location: :mod:`string <python3:string>` :returns: a :mod:`string <python3:string>` containing the requested :term:`WOEID` or :data:`None <python3:None>` if the :term:`WOEID` could not be found. :raises urllib.error.URLError: :mod:`urllib.request <python3:urllib.request>` could not open the URL (Python 3). :raises urllib2.URLError: :mod:`urllib2 <python2:urllib2>` could not open the URL (Python 2). :raises xml.etree.ElementTree.ParseError: :mod:`xml.etree.ElementTree <python3:xml.etree.ElementTree>` failed to parse the XML document.
yweather
/yweather-0.1.1.tar.gz/yweather-0.1.1/docs/api.rst
api.rst
Introduction ============ This is the documentation for :mod:`yweather`. :mod:`yweather` is a Python module that provides an interface to the `Yahoo! Weather RSS feed <http://developer.yahoo.com/weather/>`_ Prerequisites ------------- :mod:`yweather` requires Python 2.6, 2.7, or 3 to run. Installation ------------ There are multiple ways to install :mod:`yweather`. If you are unsure about which method to use, try ``pip``. pip (recommended) ~~~~~~~~~~~~~~~~~ `pip <http://www.pip-installer.org/>`_ is a tool for installing and managing Python packages. To install :mod:`yweather`, run: .. code-block:: bash $ pip install yweather This will download :mod:`yweather` from `the Python Package Index <http://pypi.python.org/>`_ and install it in your Python's ``site-packages`` directory. Tarball Release ~~~~~~~~~~~~~~~ 1. Download the most recent release from `yweather's PyPi page <http://pypi.python.org/pypi/yweather/>`_. 2. Unpack the tarball. 3. From inside the ``yweather-0.X`` directory, run ``python setup.py install`` This will install :mod:`yweather` in your Python's ``site-packages`` directory. Install the Development Version ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ `yweather's code <https://github.com/tsroten/yweather>`_ is hosted at GitHub. To install the development version, do the following: 1. Make sure `Git <http://git-scm.org/>`_ is installed. Test if it's installed by running ``git --version`` 2. ``git clone git://github.com/tsroten/yweather.git`` 3. ``pip install -e yweather`` This will link the ``yweather`` directory into your ``site-packages`` directory. You can find out where your ``site-packages`` directory is by running: .. code-block:: bash python -c "from distutils.sysconfig import get_python_lib; print(get_python_lib())" Basic Usage ----------- .. code-block:: python >>> import yweather >>> client = yweather.Client() >>> client.fetch_woeid("Oslo, Norway") '862592' >>> oslo_weather = client.fetch_weather("862592") >>> oslo_weather["atmosphere"]["pressure"] '30.24' >>> oslo_weather["condition"]["text"] 'Mostly Cloudy' This code creates a :class:`yweather.Client` instance that allows you to fetch a location's :term:`WOEID` and weather. The weather data is returned as a :class:`dict <python3:dict>`.
yweather
/yweather-0.1.1.tar.gz/yweather-0.1.1/docs/intro.rst
intro.rst
# YWH Collab ``` โ–ˆโ–ˆโ•— โ–ˆโ–ˆโ•—โ–ˆโ–ˆโ•— โ–ˆโ–ˆโ•—โ–ˆโ–ˆโ•— โ–ˆโ–ˆโ•— โ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ•— โ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ•— โ–ˆโ–ˆโ•— โ–ˆโ–ˆโ•— โ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ•— โ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ•— โ•šโ–ˆโ–ˆโ•— โ–ˆโ–ˆโ•”โ•โ–ˆโ–ˆโ•‘ โ–ˆโ–ˆโ•‘โ–ˆโ–ˆโ•‘ โ–ˆโ–ˆโ•‘ โ–ˆโ–ˆโ•”โ•โ•โ•โ•โ•โ–ˆโ–ˆโ•”โ•โ•โ•โ–ˆโ–ˆโ•—โ–ˆโ–ˆโ•‘ โ–ˆโ–ˆโ•‘ โ–ˆโ–ˆโ•”โ•โ•โ–ˆโ–ˆโ•—โ–ˆโ–ˆโ•”โ•โ•โ–ˆโ–ˆโ•— โ•šโ–ˆโ–ˆโ–ˆโ–ˆโ•”โ• โ–ˆโ–ˆโ•‘ โ–ˆโ•— โ–ˆโ–ˆโ•‘โ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ•‘โ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ•—โ–ˆโ–ˆโ•‘ โ–ˆโ–ˆโ•‘ โ–ˆโ–ˆโ•‘โ–ˆโ–ˆโ•‘ โ–ˆโ–ˆโ•‘ โ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ•‘โ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ•”โ• โ•šโ–ˆโ–ˆโ•”โ• โ–ˆโ–ˆโ•‘โ–ˆโ–ˆโ–ˆโ•—โ–ˆโ–ˆโ•‘โ–ˆโ–ˆโ•”โ•โ•โ–ˆโ–ˆโ•‘โ•šโ•โ•โ•โ•โ•โ–ˆโ–ˆโ•‘ โ–ˆโ–ˆโ•‘ โ–ˆโ–ˆโ•‘โ–ˆโ–ˆโ•‘ โ–ˆโ–ˆโ•‘ โ–ˆโ–ˆโ•”โ•โ•โ–ˆโ–ˆโ•‘โ–ˆโ–ˆโ•”โ•โ•โ–ˆโ–ˆโ•— โ–ˆโ–ˆโ•‘ โ•šโ–ˆโ–ˆโ–ˆโ•”โ–ˆโ–ˆโ–ˆโ•”โ•โ–ˆโ–ˆโ•‘ โ–ˆโ–ˆโ•‘ โ•šโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ•—โ•šโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ•”โ•โ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ•—โ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ•—โ–ˆโ–ˆโ•‘ โ–ˆโ–ˆโ•‘โ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ•”โ• โ•šโ•โ• โ•šโ•โ•โ•โ•šโ•โ•โ• โ•šโ•โ• โ•šโ•โ• โ•šโ•โ•โ•โ•โ•โ• โ•šโ•โ•โ•โ•โ•โ• โ•šโ•โ•โ•โ•โ•โ•โ•โ•šโ•โ•โ•โ•โ•โ•โ•โ•šโ•โ• โ•šโ•โ•โ•šโ•โ•โ•โ•โ•โ• ``` ## Description YWH Collab is a comparator of private program for hunters collaboration. The goal of this tool is to be able to find common programs that accept collaboration between hunters without revealing the names of the clients of the private programs to which you are invited. > **Please note that if you share the list of anonymized programs publicly, it will be possible for all other members of the program to know that you are also invited!** ## Installation Install from [pip](https://pypi.org/project/ywh-collab): ``` โ–ถ pip install ywh-collab ``` ## Usage It is possible to provide the JWT as an argument or to provide credentials in an interactive session to log in your Yes We Hack account. ```bash $ ywh-collab -h usage: ywh-collab [-h] [-j JWT] -f FILENAME {export,compare} Yes We Hack private program comparator for hunters collaboration by Aethlios. positional arguments: {export,compare} Export your list of program IDs or compare a list with your programs to find common programs that accept collab. optional arguments: -h, --help show this help message and exit -j JWT, --jwt JWT The JWT token of the YWH session -f FILENAME, --filename FILENAME The input or output filename ``` ### Export First, you can export the list of program IDs into `output.txt` file to share it with another hunter : ```bash ywh-collab -f output.txt export ``` ### Compare In a second step, you can compare the list of program IDs of another hunter stored in `input.txt` file with your private programs in order to find common programs that accept hunters' collaboration. ```bash ywh-collab -f input.txt compare ``` ## Changelog - v1.0.0 - Initial release
ywh-collab
/ywh-collab-1.0.tar.gz/ywh-collab-1.0/README.md
README.md
# ywh2bt ywh2bt synchronizes your vulnerability reports from the [Yes We Hack platform][YesWeHack-Platform] with issues of your bug tracker(s). It automatically retrieves reports you want to copy in your bug tracker, creates the related issue, and syncs further updates between issues and reports. It comes with a handy GUI to set up and test the integration, while completely controlling the information you allow to be synchronized from both side. ![Screenshot of GUI with loaded example file](docs/img/screenshot-gui-example.png) ## Table of contents - [User Guide](#user-guide) - [Architecture](#architecture) - [Requirements](#requirements) - [Installation](#installation) - [Supported trackers](#supported-trackers) - [Changelog](#changelog) - [Local development](#local-development) - [Requirements](#requirements-1) - [Installation](#installation-1) - [Usage](#usage-1) - [Updating User Guide](#updating-user-guide) ## User Guide A User Guide is available in [PDF][User-Guide-pdf] and [HTML][User-Guide-html] formats. ## Architecture YWH2BT embeds both the GUI to set up the integration, and the application to be scheduled on your server to periodically poll and synchronize new reports. You can either run both on a single machine, or prepare the configuration file on a computer (with the GUI) and transfer it on the server and use it through a scheduled command. Since data is pulled from YWH platform to your server, only regular outbound web connections need to be authorized on your server. ## Requirements - `python` >= 3.7,<=3.9 - [`pip`](https://pip.pypa.io/en/stable/installing/) ## Supported trackers - github - gitlab - jira / jiracloud - servicenow ## Changelog - v2.5: - added Personal Access Token (PAT) authentication - removed OAuth authentication - v2.4: - added option to prevent recreation of issues that were created by a previous synchronization but are not found into the bug tracker anymore - v2.3: - added support for ServiceNow - v2.2: - added GitLab option for confidential issues - v2.1: - added feedback feature (synchronize from bug tracker to report) - added [docker image yeswehack/ywh2bugtracker](https://hub.docker.com/r/yeswehack/ywh2bugtracker) - added User Guide [PDF][User-Guide-pdf] and [HTML][User-Guide-html] - v0.* to v2.0.0: - behavior changes: - reports logs can selectively be synchronized with the trackers: - public comments - private comments - report details changes - report status changes - rewards - a program can now only be synchronized with 1 tracker - added support for JSON configuration files - removed `ywh-bugtracker` command (use `ywh2bt synchronize`) - added `ywh2bt` command: - added `ywh2bt synchronize`: - note: `ywh2bt synchronize --config-file FILE --config-format FORMAT` is the equivalent of `ywh-bugtracker -n -f FILE` in v0.* - added `ywh2bt validate` - added `ywh2bt test` - added `ywh2bt convert` - added `ywh2bt schema` - removed command line interactive mode - added GUI via `ywh2bt-gui` command ## Local development ### Requirements - [`poetry`](https://python-poetry.org/) (`pip install poetry`) ### Installation - `make install` (or `poetry install`): creates a virtualenv and install dependencies ### Usage Instead of `ywh2bt [command]`, run commands using `poetry run ywh2bt [command]`. Same goes for `ywh2bt-gui`, run `poetry run ywh2bt-gui` instead. ### Updating User Guide [PDF][User-Guide-pdf] and [HTML][User-Guide-html] versions of the User Guide are generated via Pandoc using [docs/User-Guide.md][User-Guide-md] as an input file. Any changes made to [docs/User-Guide.md][User-Guide-md] **must be followed** by the execution of the command `make user-guide` in order to regenerate the PDF and HTML files, **otherwise the CI will fail**. [YesWeHack-Platform]: https://www.yeswehack.com/ [User-Guide-md]: docs/User-Guide.md [User-Guide-pdf]: docs/user-guide/User-Guide.pdf [User-Guide-html]: docs/user-guide/User-Guide.html
ywh2bt
/ywh2bt-2.7.2.tar.gz/ywh2bt-2.7.2/README.md
README.md
ๅจฑ็ฝ‘็ง‘้“ๅ†…้ƒจpython ๅ…ฌ็”จๅŒ… =================================== ๅฎ‰่ฃ… ----- ไฝฟ็”จ pip ๅฎ‰่ฃ… $ pip install ywkd_tools pip ๅœฐๅ€ ----- https://pypi.org/project/ywkd-tools/ ไฝฟ็”จ ----- ### PRC ่ฐƒ็”จ ```python from ywkd_tools.inner_service_apis import InnerServices InnerServices.setup(service_name=<่ฐƒ็”จ่€…ๅ็งฐ>, base_url=<RPC Domain>, secret=<RPC ่ฎค่ฏๅฏ†็ >) # ๅ‘้€็Ÿญไฟก InnerServices.MSG().send_sms([57], 'SMS_177552091', {'username': 'tester','password': 'pwd12345'}) # ็”จๆˆท่ฟ‡ๆปค InnerServices.Cperm().filter_users(group_codes__in=['ceo']) # ่ฐƒ็”จ่‡ชๅฎšไน‰ๆ–นๆณ• fun InnerServices.Cperm().rpc_client.fun(...) # ่Žทๅ–็”จๆˆท่ฏฆๆƒ… InnerServices.Cperm().get_user(1) # ๅฎžไพ‹1: class AViewOrSerializer(xxx): def some_method(...): cperm = InnerServices.Cperm() cperm.get_user(...) cperm.filter_users(...) cperm.rpc_client.fun(...) ... # ๅฎžไพ‹2: @app.task(...) def asyn_job(...): cperm = InnerServices.Cperm(request_id='xxxxxxxxxx') # or cperm = InnerServices.Cperm(request=request) cperm.get_user(...) cperm.filter_users(...) cperm.rpc_client.fun(...) ... ``` ### Auth ่ฎค่ฏ ```python # ๅœจๅˆๅง‹ๅŒ–ๆ–‡ไปถไธญๆ‰ง่กŒ from ywkd_tools.auth import Auth Auth.setup(service_name=<่ฐƒ็”จ่€…ๅ็งฐ>, rpc_base_url=<RPC Domain>, rpc_secret=<RPC ่ฎค่ฏๅฏ†็ >) # ๅœจdjango viewๆ–‡ไปถไธญ from ywkd_tools.auth import Auth class SomeView(BaseView): """้œ€่ฆ่ฎค่ฏ็š„Django Vew""" authentication_classes = [Auth.RSTFBasciAuthentication] ... def get(self, request, *args, **kwargs): return self.list(request, *args, **kwargs) def post(self, request, *args, **kwargs): return self.create(request, *args, **kwargs) # ๅœจๅฏนๅค–ๆไพ›RPCๆœๅŠก็š„ๆ–‡ไปถไธญ from modernrpc.core import rpc_method from modernrpc.auth import set_authentication_predicate from ywkd_tools.auth import Auth @rpc_method def ping(): """ไธ้œ€่ฆ่ฎค่ฏ็š„rpc ๆŽฅๅฃ""" return 'pong' @rpc_method @set_authentication_predicate(Auth.RPCBasciAuthentication().authenticate) def get_import_info(): """้œ€่ฆ่ฎค่ฏ็š„rpc ๆŽฅๅฃ""" return ... ``` ๅ‘ๅธƒๅŒ… ----- ```bash # ็กฎไฟๆ‚จๆ‹ฅๆœ‰setuptoolsๅนถwheel ๅฎ‰่ฃ…ไบ†ๆœ€ๆ–ฐ็‰ˆๆœฌ $ python3 -m pip install --upgrade setuptools wheel # ๅฎ‰่ฃ…Twine $ python3 -m pip install --upgrade twine # ไปŽsetup.pyไฝไบŽ็š„ๅŒไธ€็›ฎๅฝ•่ฟ่กŒๆญคๅ‘ฝไปค $ python3 setup.py sdist bdist_wheel # ่ฟ่กŒTwineไปฅไธŠไผ ๆ‰€ๆœ‰ๅญ˜ๆกฃdist $ python3 -m twine upload dist/* $ python3 -m twine upload --skip-existing dist/* ```
ywkd-tools
/ywkd_tools-1.0.18.tar.gz/ywkd_tools-1.0.18/README.md
README.md
import traceback from base64 import b64decode from rest_framework import authentication, exceptions from ywkd_tools.inner_service_apis import InnerServices from ywkd_tools.logger import logger class Auth(object): """ Auth """ service_name = None rpc_base_url = None rpc_secret = None inited = False def __init__(self): raise TypeError('Cannot create "Auth" instances.') @classmethod def setup(cls, service_name=None, rpc_base_url=None, rpc_secret=None): cls.service_name = service_name cls.rpc_base_url = rpc_base_url cls.rpc_secret = rpc_secret if InnerServices.inited: cls.service_name = InnerServices.service_name cls.rpc_base_url = InnerServices.base_url cls.rpc_secret = InnerServices.secret elif service_name and rpc_base_url: InnerServices.setup(service_name=service_name, base_url=rpc_base_url, secret=rpc_secret) cls.inited = True @classmethod def inner(cls, authentication_class): authentication_class.auth_class = cls setattr(cls, authentication_class.__name__, authentication_class) @Auth.inner class RPCBasciAuthentication(object): """ RPC ่ฎค่ฏ (ๅช่ƒฝ็”จไบŽRPC) headers: HTTP_AUTHORIZATION=basci [username]:[password] """ auth_class = None def do_check(self, request, username, password): if password != self.auth_class.rpc_secret: logger.info('ๅฏ†็ /็”จๆˆท้”™่ฏฏ') return False return True def authenticate(self, request): if not self.auth_class.inited: raise Exception('Auth not setup yet, please do this first!') # ๆฒกๆœ‰่ฎพ็ฝฎ rpc sercret ๅˆ™ๅฟฝ็•ฅ่ฎค่ฏ if not self.auth_class.rpc_secret: return True username = password = None basic_auth = request.META.get('HTTP_AUTHORIZATION') if not basic_auth: logger.info('็ผบๅฐ‘ basci authrization') return False try: auth_method, auth_string = basic_auth.split(' ', 1) except Exception: logger.info('httpๅคด้ƒจ HTTP_AUTHORIZATION ๆ ผๅผ้”™่ฏฏ') return False if auth_method.lower() == 'basic': try: auth_string = b64decode(auth_string.strip()) username, password = auth_string.decode().split(':', 1) except Exception: logger.info('้”™่ฏฏ็š„ Basic ๆ ผๅผ') return False else: logger.info('้œ€่ฆ basic authrization') return False res = self.do_check(request, username, password) if not res: return False return True @Auth.inner class RSTFBasciAuthentication(authentication.BaseAuthentication): """ Django rest_framework Basci ่ฎค่ฏ: (ๅช่ƒฝ็”จไบŽDjango rest_framework) headers: HTTP_AUTHORIZATION=basci [user_id]:[token] """ auth_class = None def do_check(self, request, user_id, token): service_name = self.auth_class.service_name api_name = request.resolver_match.url_name operator_type = request.method # ๆฃ€ๆต‹ๆŽฅๅฃ่ฎฟ้—ฎๆƒ้™ res = None try: res = InnerServices.Cperm().check_api_operate_perms( user_id=user_id, token=token, service_name=service_name, api_name=api_name, operator_type=operator_type) except Exception as e: traceback.print_exc() raise exceptions.AuthenticationFailed('ไธŽ่ฎค่ฏๆœๅŠกcperm้€šไฟกๅคฑ่ดฅ') if res['code'] != 0: raise exceptions.AuthenticationFailed(res['codemsg']) # ่Žทๅ–็”จๆˆทไฟกๆฏ user = InnerServices.Cperm().get_user(user_id) user['token'] = request.token user['basic_auth'] = request.basic_auth return user def authenticate(self, request): if not self.auth_class.inited: raise Exception('Auth not setup yet, please do this first!') user_id = token = None basic_auth = request.META.get('HTTP_AUTHORIZATION') if not basic_auth: raise exceptions.AuthenticationFailed('็ผบๅฐ‘ basci authrization') try: auth_method, auth_string = basic_auth.split(' ', 1) except Exception: raise exceptions.AuthenticationFailed('httpๅคด้ƒจ HTTP_AUTHORIZATION ๆ ผๅผ้”™่ฏฏ') if auth_method.lower() == 'basic': try: auth_string = b64decode(auth_string.strip()) user_id, token = auth_string.decode().split(':', 1) except Exception: traceback.print_exc() raise exceptions.AuthenticationFailed('้”™่ฏฏ็š„ Basic ๆ ผๅผ') else: raise exceptions.AuthenticationFailed('้œ€่ฆ basic authrization') request.token = token request.basic_auth = basic_auth res = self.do_check(request, user_id, token) return (res, None)
ywkd-tools
/ywkd_tools-1.0.18.tar.gz/ywkd_tools-1.0.18/ywkd_tools/auth/auth.py
auth.py
import re import log_request_id from xmlrpc.client import Transport, SafeTransport, ServerProxy from base64 import b64encode from urllib.parse import urljoin from functools import wraps from django.http import HttpRequest from django.conf import settings from rest_framework.request import Request from ywkd_tools.inner_service_apis.errors import InnerAPIError from ywkd_tools.logger import logger from ywkd_tools.utils import get_request_id class SpecialTransport(Transport): """ SpecialTransport (http) """ preset_headers = {} def set_header(self, key, value): if key.lower().startswith('http'): key = key[5:] if value == None: self.preset_headers.pop(key, None) else: self.preset_headers[key] = value def send_headers(self, connection, headers): for key, val in self.preset_headers.items(): connection.putheader(key, val) super().send_headers(connection, headers) # def send_content(self, connection, request_body): # connection.putheader("Content-Type", "text/xml") # connection.putheader("Content-Length", str(len(request_body))) # connection.endheaders() # if request_body: # connection.send(request_body) class SpecialSafeTransport(SafeTransport): """ SpecialSafeTransport (https) """ preset_headers = {} def set_header(self, key, value): if key.lower().startswith('http'): key = key[5:] if value == None: self.preset_headers.pop(key, None) else: self.preset_headers[key] = value def send_headers(self, connection, headers): for key, val in self.preset_headers.items(): connection.putheader(key, val) super().send_headers(connection, headers) # def send_content(self, connection, request_body): # connection.putheader("Content-Type", "text/xml") # connection.putheader("Content-Length", str(len(request_body))) # connection.endheaders() # if request_body: # connection.send(request_body) class InnerServices(object): """ InnerServices """ service_name = '' base_url = '' secret = '' inited = False def __init__(self): raise TypeError('Cannot create "InnerServices" instances.') @classmethod def setup(cls, service_name, base_url, secret): cls.base_url = base_url services = [getattr(cls, key) for key in cls.__dict__ if isinstance(getattr(cls, key), InnerService)] for service in services: service.init(service_name, base_url, secret) cls.inited = True @classmethod def inner(cls, service_cls): service = service_cls() setattr(cls, service_cls.__name__, service) class InnerService(object): """ InnerService """ url = None client = None http_request = None request_id = None def __init__(self, http_request=None, request_id=None): """ @parms http_request: django.http.HttpRequest ๆˆ– rest_framework.request.Request @parms request_id: ไธๆŒ‡ๅฎšๆ—ถ ้ป˜่ฎคไฝฟ็”จไธŠไธ‹ๆ–‡ไธญ็š„request_id, ๅปบ่ฎฎๅœจDjango View ไธญๆ— ็‰นๆฎŠ้œ€ๆฑ‚ๅˆ™ๆ— ้œ€ ๆŒ‡ๅฎš http_request or request_id, ๅœจๅผ‚ๆญฅไปปๅŠกไธญๅปบ่ฎฎๆŒ‡ๅฎš่ฏฅๅ€ผ, ไฟ่ฏlogๆ—ฅๅฟ—็š„ๅฎŒๆ•ดๆ€ง """ if not hasattr(self, 'url'): raise InnerAPIError('InnerService class "%s" need has a url attr!' % self.__class__.__name__) if http_request: assert (isinstance(http_request, HttpRequest) or isinstance(http_request, Request)), ( 'The `request` argument must be an instance of ' '`django.http.HttpRequest` or `rest_framework.request.Request`, not `{}.{}`.' .format(http_request.__class__.__module__, http_request.__class__.__name__) ) if http_request: self.http_request = http_request self.request_id = http_request.id if request_id: self.request_id = request_id def __call__(self, http_request=None, request_id=None): new_instance = self.__class__(http_request=http_request, request_id=request_id) new_instance.init(self.service_name, self.base_url, self.secret) return new_instance def get_url(self): """่Žทๅ–url""" url = self.url if not re.match(r'^(http|https)://', self.url, re.I): assert (self.base_url != None and re.match(r'^(http|https)://', self.base_url, re.I)), ( 'base_url must not null and start with http or https' ) url = urljoin(self.base_url, self.url) return url def get_transport(self): """่Žทๅ–transport""" transport = None if self.http_url.startswith('https'): transport = SpecialSafeTransport() else: transport = SpecialTransport() # ่ฎค่ฏ: HTTP_AUTHORIZATION basic xxxxxxxx basic_auth_str = '{service_name}:{secret}'.format(**{ 'service_name': self.service_name, 'secret': self.secret }) header_auth_str = 'basic {}'.format( b64encode(bytes(basic_auth_str, 'utf-8')).decode('utf-8')) transport.set_header('Authorization', header_auth_str) return transport def init(self, service_name, base_url, secret): # logger.debug('Init inner service: "{}"'.format(self.__class__.__name__)) self.service_name = service_name self.base_url = base_url self.secret = secret self.http_url = self.get_url() self.transport = self.get_transport() self.client = ServerProxy(self.http_url, transport=self.transport, allow_none=True, use_datetime=True) @property def rpc_client(self): assert self.client, ( '"{}" instance not setup yet, please do init first!' .format(self.__class__.__name__) ) # ๅœจ่ฏทๆฑ‚ๅคดไธญๆทปๅŠ  request_id request_id = None if self.request_id: request_id = self.request_id else: request_id = get_request_id() # request_id_header = getattr(settings, log_request_id.REQUEST_ID_HEADER_SETTING, 'X-Request-Id') # bug HTTP_X_REQUEST_ID ไธ่ƒฝ็›ดๆŽฅไฝฟ็”จ self.transport.set_header('X-Request-Id', request_id) return self.client
ywkd-tools
/ywkd_tools-1.0.18.tar.gz/ywkd_tools-1.0.18/ywkd_tools/inner_service_apis/inner_service_apis.py
inner_service_apis.py
from ywkd_tools.inner_service_apis.inner_service_apis import InnerServices, InnerService from ywkd_tools.inner_service_apis.errors import InnerAPIError @InnerServices.inner class Cperm(InnerService): """็”จๆˆทไธญๅฟƒ""" url = '/cperm/rpc/' def get_user(self, user_id): """ ่Žทๅ–็”จๆˆท่ฏฆๆƒ… @param: user_id ็”จๆˆทid @out: { // ่ฟ”ๅ›žๅ†…ๅฎนๅ‚่€ƒ: http://yapi.yuwangkedao.com/project/251/interface/api/6341 id: [็”จๆˆทid], user_type: ็”จๆˆท็ฑปๅž‹, avatar: ๅคดๅƒ, belong_participant: { // ๆ‰€ๅฑžๅ…ฌๅธ id: [ๅ…ฌๅธid], participant_type: [ๅ…ฌๅธ็ฑปๅž‹] ... }, ... } """ return self.rpc_client.get_user(user_id) def check_api_operate_perms(self, user_id, token, service_name, api_name, operator_type): """ ๆฃ€ๆต‹ๅฝ“ๅ‰tokenๆ˜ฏๅฆๅฏไปฅๅฏนๅฝ“ๅ‰ api ่ฟ›่กŒๆ“ไฝœ @param: user_id ็”จๆˆทid @param: token ็”จๆˆทtoken @param: service_name ๆœๅŠกๅ็งฐ ไพ‹ๅฆ‚"KTV" @param: api_name apiๅ @param: operator_type ๆ“ไฝœ็ฑปๅž‹ ๆฏ”ๅฆ‚: GET, POST, PUT @out {"code": [่ฟ”ๅ›ž็ ], "codemsg": [ๆถˆๆฏๅ†…ๅฎน]} ๆˆๅŠŸ: {"code": 0, "codemsg": u"่ฏทๆฑ‚ๆˆๅŠŸ"} ๅคฑ่ดฅ: {"code": 500104, "codemsg": u"็”จๆˆท่ขซ็ฆ็”จๆˆ–tokenๅ€ผไธๅฏน"} {"code": 500102, "codemsg": u"็”จๆˆทๆ— ๆƒ้™"} {"code": 500016, "codemsg": u"็”จๆˆท่ขซ็ฆ็”จ/ๅทฒๅˆ ้™ค"} """ if not service_name: service_name = self.service_name return self.rpc_client.check_api_operate_perms( user_id, token, service_name, api_name, operator_type) def filter_users(self, id__in=None, user_type__in=None, phone__in=None, nickname__contains=None, is_active=None, is_all_area=None, belong_participant_id__in=None, group_codes__in=None, permission_codes__in=None, page_index=1, page_size=100): """ ่ฟ‡ๆปค็”จๆˆท: ไพ‹: # ่ฟ‡ๆปค ่ง’่‰ฒcode ไธบ CEO,CTO ็š„็”จๆˆท filter_users(None, None, None, None, None, None, None, ['ceo', 'cto']) @out: { "total": 2, # ๆ€ปๆ•ฐ "page_index": 1, # ๅฝ“ๅ‰้กต ่ตทๅง‹้กต 1 "page_size": 100, # ๆฏ้กตๅคงๅฐ "data": [{ "id": 57, # user_id "user_type": "employee", # ็”จๆˆท็ฑปๅž‹ "phone": "13644092", # ๆ‰‹ๆœบๅท "nickname": "ๆ˜ต็งฐA", # ๆ˜ต็งฐ "gender": 1, # ๆ€งๅˆซ "is_all_area": False, # ๆ˜ฏๅฆๅ…จๅ›ฝ "area_code_list": [], # ๅŒบๅŸŸcodes "serial_number": "000018", # ๅบๅˆ—ๅท "belong_participant": None, # ๆ‰€ๅฑžๅ…ฌๅธ "group_codes": ["ceo"] # ๆ‰€ๅฑž็ป„ codes }, { "id": 21, "user_type": "agentibus", "phone": "13644099810", "nickname": "ABC", "gender": 1, "is_all_area": True, "area_code_list": ["00320200", "00330100"], "serial_number": "110007", "belong_participant": { "id": 1005, "participant_type": "agentibus", "area_code_list": ["00120000", "00120100", "00120101"], "address": "่ฅฟๆบชๅฃนๅท", "contact": "่”็ณปไบบA", "telephone": "0411-84620027", "comment": "ๅค‡ๆณจB", "serial_number": "DLS0005" }, "group_codes": ["ceo"] }] } """ return self.rpc_client.filter_users( id__in, user_type__in, phone__in, nickname__contains, is_active, is_all_area, belong_participant_id__in, group_codes__in, permission_codes__in, page_index, page_size)
ywkd-tools
/ywkd_tools-1.0.18.tar.gz/ywkd_tools-1.0.18/ywkd_tools/inner_service_apis/cperm/interface.py
interface.py
from ywkd_tools.inner_service_apis.inner_service_apis import InnerServices, InnerService from ywkd_tools.inner_service_apis.errors import InnerAPIError @InnerServices.inner class Participant(InnerService): """็”จๆˆทไธญๅฟƒ""" url = '/cperm/rpc/' def get_participant(self, participant_type, participant_id): """ ่Žทๅ–ๅ‚ไธŽๅˆฉๆถฆๅˆ†้…็š„ๅ…ฌๅธ/ๅ›ขไฝ“่ฏฆๆƒ… @param: participant_type: ็ฑปๅž‹ KTV: ktv VOD: vod ไปฃ็†ๅ•†: agentibus ่กŒไธšๅไผš(ๆœบๆž„): industry_association ๅžซไป˜ๆ–น: advance_party ้Ÿณไน่‘—ไฝœๅไผš: music_copyright_society ๆƒๅŠ›ๆ–น: copyright_party ๅนณๅฐ: platform @param: id @out: { // ่ฟ”ๅ›žๅ†…ๅฎนๅ‚่€ƒ: http://yapi.yuwangkedao.com/project/251/interface/api/6233 id: [id], participant_type: ็ฑปๅž‹, name: ๅ็งฐ, area_code_list: ๅŒบๅŸŸๅˆ—่กจ, ... } """ return self.rpc_client.get_participant(participant_type, participant_id) def filter_agentibus(self, id__in=None, name__contains=None, serial_number=None, pingpp_user_account_id=None, agency_area_code=None, enabled=None, page_index=1, page_size=100): """ ่ฟ‡ๆปคไปฃ็†ๅ•†: ไพ‹: # ่ฟ‡ๆปค ไปฃ็†ๅŒบๅŸŸไธบ"00420000", ๅฏ็”จ็Šถๆ€ไธบTrue ็š„ไปฃ็†ๅ•† filter_agentibus(None, None, None, None, "00420000", True) @param: id__in: ไปฃ็†ๅ•†id @param: name__contains: ไปฃ็†ๅ•†ๅ็งฐ @param: serial_number: ไปฃ็†ๅ•†็ผ–ๅท @param: pingpp_user_account_id: ping++่ดฆๆˆท @param: agency_area_code: ไปฃ็†ๅŒบๅŸŸ(code) @param: enabled: ๆ˜ฏๅฆๅฏ็”จ @out:{ 'data': [ # ๅ‚่€ƒ: http://yapi.yuwangkedao.com/project/251/interface/api/6233 ่ฟ”ๅ›žๅ€ผ { 'id': 1092, 'name': 'ไปฃ็†ๅ•†ๅ็งฐ', 'address': '่ฅฟๆบชๅฃนๅท24', 'agency_area_code': '00360000', 'enabled': True, ... } ], 'page_index': 1, 'page_size': 100, 'total': 1 } """ return self.rpc_client.filter_agentibus(id__in, name__contains, serial_number, pingpp_user_account_id, agency_area_code, enabled, page_index, page_size)
ywkd-tools
/ywkd_tools-1.0.18.tar.gz/ywkd_tools-1.0.18/ywkd_tools/inner_service_apis/participant/interface.py
interface.py
from ywkd_tools.inner_service_apis.inner_service_apis import InnerServices, InnerService from ywkd_tools.inner_service_apis.errors import InnerAPIError @InnerServices.inner class MSG(InnerService): """ๆถˆๆฏ""" url = '/cperm/rpc/' def send_msg(self, user_ids, msg, redirect_url=None, ignore_err=True): """ ๅ‘้€็ซ™ๅ†…ๆถˆๆฏ @parms user_ids: ๆŽฅๆ”ถmessage ็š„็”จๆˆทid (ๅฏไปฅไธบlist) @parms msg: ๆถˆๆฏๅ†…ๅฎน @parms redirect_url: ่ทณ่ฝฌ้“พๆŽฅ @parms ignore_err: ๆ˜ฏๅฆๅฟฝ็•ฅ้”™่ฏฏ """ return self.rpc_client.send_msg(user_ids, msg, redirect_url, ignore_err) def send_email(self, user_ids, mail_subject, mail_message, countdown=None, eta=None, ignore_err=True): """ ๅ‘้€email @parms user_ids: ๆŽฅๆ”ถemail ็š„็”จๆˆทid (ๅฏไปฅไธบlist) @parms mail_subject: ้‚ฎไปถไธป้ข˜ @parms mail_message: ้‚ฎไปถๅ†…ๅฎน @parms countdown: ๆ˜ฏๅฆๅปถ่ฟŸๅ‘้€, ๅปถๆ—ถๅ‡ ็ง’, ไพ‹ๅฆ‚: countdown=5 @parms eta: ๆ˜ฏๅฆๅปถ่ฟŸๅ‘้€, ๅปถๆ—ถๅ‡ ็ง’, ไพ‹ๅฆ‚: eta=datetime.datetime.utcnow() + datetime.timedelta(seconds=5) ๆณจๆ„ๆ—ถ้—ดๅฟ…้กปไธบ utcๆ—ถ้—ด @parms ignore_err: ๆ˜ฏๅฆๅฟฝ็•ฅ้”™่ฏฏ ไพ‹: import datetime eta = datetime.datetime.utcnow() + datetime.timedelta(seconds=3) InnerServices.MSG().send_email([57], 'Email Test A', 'test', None, eta) """ return self.rpc_client.send_email( user_ids, mail_subject, mail_message, countdown, eta, ignore_err) def send_sms(self, user_ids, sms_code, sms_params, countdown=None, eta=None, ignore_err=True): """ ๅ‘้€็Ÿญไฟก @parms user_ids: ๆŽฅๆ”ถ็Ÿญไฟก็š„็”จๆˆทid (ๅฏไปฅไธบlist) @parms sms_code: sms_code (ๅœจ้˜ฟ้‡Œ็ŸญไฟกๅŽๅฐ้…็ฝฎ) @parms sms_params: ๆจกๆฟๅ‚ๆ•ฐ (ๅฟ…้กปไธŽ้…็ฝฎ็š„ๆจกๆฟๅŒน้…) @parms countdown: ๆ˜ฏๅฆๅปถ่ฟŸๅ‘้€, ๅปถๆ—ถๅ‡ ็ง’, ไพ‹ๅฆ‚: countdown=5 @parms eta: ๆ˜ฏๅฆๅปถ่ฟŸๅ‘้€, ๅปถๆ—ถๅ‡ ็ง’, ไพ‹ๅฆ‚: eta=datetime.datetime.utcnow() + datetime.timedelta(seconds=5) ๆณจๆ„ๆ—ถ้—ดๅฟ…้กปไธบ utcๆ—ถ้—ด @parms ignore_err: ๆ˜ฏๅฆๅฟฝ็•ฅ้”™่ฏฏ ไพ‹: InnerServices.MSG().send_sms([57], 'SMS_177552091', {'username': 'tester','password': 'pwd12345'}, 3) """ return self.rpc_client.send_sms(user_ids, sms_code, sms_params, countdown, eta, ignore_err)
ywkd-tools
/ywkd_tools-1.0.18.tar.gz/ywkd_tools-1.0.18/ywkd_tools/inner_service_apis/msg/interface.py
interface.py
========= YWorkLog ========= Stack based utility with CLI interface helping you to monitor time spent on tasks. The stack base helps with dealing with tasks interupted with other tasks, unfortunately it can't deal with tasks running in parallel (yet). Usage ====== Start an activity :: $ wl start playing chess Pause it with a random encounter :: $ wl end fapping Check out how long did the fapping take you :: $ wl diff 2012-07-11 10:09:23.626468 end fapping diff: 0:00:12.802342 Resume what you have started :: $ wl resume Check out your logs since you have started :: $ wl end # <- this step shouldn't be needed in the future, before doing `diff -f` $ wl diff -f 2012-07-11 10:09:09.823053 start playing chess 2012-07-11 10:09:23.626468 end fapping 2012-07-11 10:11:04.459657 resume 2012-07-11 10:11:15.852227 end diff: 0:00:25.195985 List all your logs :: $ wl list 2012-07-11 09:52:34.045907 start fuuu 2012-07-11 09:52:37.928545 end kek 2012-07-11 10:09:09.823053 start playing chess 2012-07-11 10:09:23.626468 end fapping 2012-07-11 10:11:04.459657 resume 2012-07-11 10:11:15.852227 end And wrap up :: $ wl pop 2012-07-11 10:09:09.823053 start playing chess 2012-07-11 10:09:23.626468 end fapping 2012-07-11 10:11:04.459657 resume 2012-07-11 10:11:15.852227 end diff: 0:00:25.195985 $ wl list 2012-07-11 09:52:34.045907 start fuuu 2012-07-11 09:52:37.928545 end kek Install ========= :: $ python setup.py install $ alembic upgrade head
yworklog
/yworklog-0.0.7.tar.gz/yworklog-0.0.7/README.rst
README.rst
from uuid import uuid1 from typing import Dict from baseblock import BaseObject class KeyByLabelLoader(BaseObject): """ Accept Graph Data that is keyed by Label """ def __init__(self): """ Change Log Created: 18-Aug-2022 [email protected] * design principles specified in https://github.com/craigtrim/yworks-helper/issues/1 """ BaseObject.__init__(self, __name__) @staticmethod def _uuid() -> str: return str(uuid1()).replace('-', '_') def _generate_nodes(self, d_nodes: dict) -> tuple: nodes = [] d_map = {} for k in d_nodes: node_id = self._uuid() d_map[k] = node_id def color(): if 'color' in d_nodes[k]: return d_nodes[k]['color'] return '#17bebb' # default def properties(): d = { "label": k } inner_keys = [k for k in d_nodes[k] if k not in ['color']] for inner_key in inner_keys: d[inner_key] = d_nodes[k][inner_key] return d nodes.append({ "id": node_id, "properties": properties(), "color": color() }) return nodes, d_map def _generate_edges(self, d_node_map: dict, source_edges: list) -> dict: target_edges = [] for d_source in source_edges: # edge_id = self._uuid() d_target = { "start": d_node_map[d_source['start']], "end": d_node_map[d_source['end']], } for k in [k for k in d_source.keys() if k not in ['start', 'end']]: d_target[k] = d_source[k] target_edges.append(d_target) return target_edges def process(self, d_nodes: dict, edges: list = None) -> dict: target_nodes, d_node_map = self._generate_nodes(d_nodes) def target_edges() -> dict: if not edges: return {} return self._generate_edges(d_node_map, edges) return { 'nodes': target_nodes, 'edges': target_edges() }
yworks-helper
/yworks-helper-0.1.9.tar.gz/yworks-helper-0.1.9/yworks_helper/core/svc/key_by_label_loader.py
key_by_label_loader.py
from typing import Dict from yfiles_jupyter_graphs import GraphWidget from baseblock import BaseObject from yworks_helper.core.svc import KeyByLabelLoader class GenerateGraphWidget(BaseObject): """ Generate a yWorks Graph Widget """ def __init__(self): """ Created: 18-Aug-2022 [email protected] * design principles specified in https://github.com/craigtrim/yworks-helper/issues/1 """ BaseObject.__init__(self, __name__) def process(self, d_nodes: dict, edges: list = None, directed: bool = True) -> GraphWidget: """ Create a Graph Widget Args: d_nodes (dict): the node input Sample Input: { "john smith": { "alpha": 22 }, "jane smith": { "alpha": 233, "beta": 400 } } edges (list, optional): the edge input Sample Input: [ { 'start': 'john smith', 'end': 'jane smith', 'label': 'knows' } ] directed (bool, optional): indicate if this is a directed graph. Defaults to True. Returns: GraphWidget: an instantiated GraphWidget """ d_result = KeyByLabelLoader().process( d_nodes=d_nodes, edges=edges) w = GraphWidget() w.nodes = d_result['nodes'] w.edges = d_result['edges'] w.directed = directed def color_mapping(index: int, node: Dict): if 'color' in node: return node['color'] return '#17bebb' # default w.set_node_color_mapping(color_mapping) w.set_edge_color_mapping(color_mapping) return w
yworks-helper
/yworks-helper-0.1.9.tar.gz/yworks-helper-0.1.9/yworks_helper/core/bp/generate_graph_widget.py
generate_graph_widget.py
# Yate Wรคhlsystem Digital Ywsd is a telephone number routing engine for the [Yate](http://Yate.ro/) telephone engine to be used in event telephone networks. It provides the routing backend for common PBX features such as group calls (including delayed ringing and hunting groups), (conditional) call forwarding, caller verification or caller masquerading. The main design goal of this backend to provide as much flexibility for call routing as possible while ensuring a certain set of consistency conditions. To split the phone network into multiple failure domains or also allow for load balancing, Ywsd is designed to support a PBX that consists of multiple Yate servers. Routing information is (globally) stored in a PostgreSQL database that enforces consistency of basic participant properties and the links between extensions (groups, forwards, etcโ€ฆ). Based on this consistent data model, the routing offers all kinds of degrees of freedom. There is no principle limitation on nesting call groups or mixing groups with call forwards as needed. Extensions that are external to the PBX can be added with a placeholder extension entry and also participate in groups and forwards. Still, the engine will ensure that created calls do not create call loops and phones cannot be called from the same call more than once. If you don't want to know the details, just [jump to the setup guide](#Getting-started) ## Basic Architecture Ywsd based routing is split into two stages. Routing stage 1 calculates all extensions that are involved in a call as well as their relation (groups, forwards, delays, etcโ€ฆ). It does not resolve the call to SIP addresses of the individual participant but only goes so far as to know on which SIP server the participant should be registered and will route calls to this SIP server. Routing 2 then takes care of the information which devices registered for a SIP extension. It supports multiple device registrations per extensions and configurable call waiting support per extension. ## Stage1 Architecture Routing is illustrated as a tree in ywsd. An extension is a leaf in such a tree if it can be immediately routed. That is, it corresponds to a physical extension, has no forwards or other devices that should ring when a call is routed to it. Otherwise, an extension is an inner node. This is most visible for call groups. They have all call group members as children in the routing tree and don't correspond to a device themselves. The routing, however, also supports a mixed-mode (called multi-ring) where an extension has a physical device and behaves like a call group at the same time. This is used to, e.g., configure desktop SIP phone to also ring when your DECT is ringing. Extensions can also become inner tree nodes if they forward to another extension. This can also lead to a situation where this extension won't be called anymore (immediate forward) or will be called for a while and only then the forward will be activated (delayed forward). The routing engine also supports forward on busy or forward on unavailable. One might think that routing can and should rather be represented as DAG than as tree. In particular, if two nested groups have the same member, shouldn't those be merged?. Unfortunately, call routing has unpredictable timing behaviour. Depending on hunt group or delayed ring configuration it is not possible to consider all scenarios statically while routing as the final behaviour can depend on which devices are currently active and/or busy. Thus, ywsd keeps the tree representation and has additional measures to ensure devices don't ring twice on the same call at runtime. ### Tree Discovery The final routing result is computed in two big steps. The first step called **tree discovery** retrieves the routing tree node by node from the database. While walking along the tree, it ensures that no loops are created and disables branches that would lead to a loop. It also decides in which direction the tree is expanded. For example, the members of a group that have an active immediate forward are not loaded. #### Groups and call forks The implementation of call groups follows closely Yate's CallFork module. A fork may have multiple ranks. Each rank represents a set of extensions that is called at the same time. The ranks are ordered. Each rank can either extend the current call of the previous rank after a given time or replace all participants called in the previous rank(s). Consequently, inner tree nodes can link immediately to another extension (with forwards) or a fork rank that (itself) then links to extensions. The following examples illustrate the shape of call routing trees. ![Simple group routing](docs/simple-group-routing.png) This shows a simple routing tree in which the extension 1010 calls the group 1011. This group has four participants. These are the extensions 1002, 1004, 1005 and 1001. The user with extension 1001 has currently paused their membership and was thus discovered but will not be considered in the generated call. ![Complex group routing](docs/complex-group-routing.png) This is a more involved example of a routing tree that features groups with multiple and non-default fork ranks, nested groups and a call forward from user 1001 to 1006. It illustrates no particular use case but should rather serve as an example of how generic and complex routing trees might look like. ### Route Generation The second routing step is called **route generation**. It uses a Visitor pattern to walk along the previously calculated routing tree and generates an intermediate routing result for each inner node based on the intermediate routing results of its children. So, the route generation process is bottom-up. The basic idea is that every inner node of the routing tree will lead to a Yate call fork. The fork will contain all children of the respective tree node. If the child can be routed immediately, this is then a reference to the sip module with a reference to which SIP server to call. If the target is locally on the same Yate, it will just issue a `lateroute/` for the extension with a flag to forward this to routing stage 2. If the child is again an inner node, the call target is symbolic and of the form `lateroute/stage1-<callid>-<treepath>`. To ensure consistency in the routing, all intermediate routing results will be cached after the initial routing was completely calculated. Once the call progresses, Yate's lateroute module will query the routing engine again for the symbolic names of the inner nodes. These requests will then be answered from the cache. Altogether, this approach gives maximum flexibility and also allows for constructs that a single call fork would not be able to provide. E.g., a single call fork is unable to provide forward on busy for one participant while implementing delayed ringing for another. This is only possible by letting the forks follow the structure of the routing tree. ## Stage2 Architecture Stage 2 routing is relatively simple and dumb (compared to Stage 1). It is based on a simple user and registration table in the database. In addition to this, Yate's register module is used to maintain a list of currently registered SIP devices per extension in the registration table. Stage 2 routing is either triggered by the flag *eventphone_stage2* in the `call.route` message (put there by routing stage 1) or automatically triggered if a call is coming from a specific SIP listener. In our multi Yate PBX setup, we use one network with special SIP listeners that exchanges all calls between the different Yate instances of our PBX. Such calls from another Yate in our PBX where stage1-routed on their home Yate. They only need stage 2 at this point. The main job of stage 2 routing is to forward the call to the actual SIP extension. If there is only a single registration, the sip module will be immediately called with the registered SIP endpoint. If there are multiple devices registered, one last simple and flat call fork with all the registered SIP endpoints will be issued. In addition to this, stage2 uses the cdrbuild module to keep track of calls that are currently active at an extension. It tracks the number of calls currently active on a device as well as the callids (uuid4). Call id tracking is used to ensure that a single call does not lead to a device ringing twice on the same call. The duplicate call is filtered here. The number of active calls is used to signal busy if call waiting is deactivated for the extension. If call waiting is active, the extension will be called independent of whether the line is currently busy or not. So please note that stage2 needs a particular configuration of the `cdrbuild` and `register` module in Yate to work correctly. See instructions below. ### Static target routing Stage2 routing also supports static routing targets in addition to regular SIP users. Static routing targets can be used to dynamically configure extensions that are not a SIP client but rather a special yate call target like `conf/` or (most prominently) `external/`. In order to use static call routing, create an entry in the `users` table of stage2 routing with `type` being `static` instead of (the default) `user`. Put the yate call target into `static_target`. You may use the syntax ``` external/nodata//opt/script.tcl arg1 arg2;myparam=myvalue;โ€ฆ ``` to popuate the semicolon separated `key=value` pairs into the `call.route`/`call.execute` message. ## Getting started Ywsd uses a PostgeSQL database backend that is accessed via the asyncio aiopg module. As a consequence, a minimal test setup needs a Postgres database and all python packages from requirements.txt installed. For production deployments, cached routing results should be stored in a Redis instance. For development purposes, the simple python built-in dictionary-based cache suffices. Next, a `routing_engine.yaml` configuration file needs to be created. You can see the example file that ships with this repository to get a feeling of how it could look like. Once the configuration is complete, the database can be setup. Run `ywsd_init_db --config <your_config> --stage1` to bootstrap the stage1 routing database. Then run `ywsd_init_db --config <your_config> --stage2` to bootstrap the stage2 routing database. In principle, your ywsd instance is now ready to go. To actually route something, for sure, the database needs to be populated with extensions. If you want to test ywsd without a running Yate, you may use the webserver only mode. Start ywsd with ``` ywsd_engine --config <your_config> --web-only ``` Ywsd then starts without connecting to a Yate and just offers the webserver on the configured interface/port. You can then ask for a sample routing and will get the results in JSON form. Depending on your test data, results can look like this: ``` curl http://localhost:9000/stage1\?caller\=2001\&called\=4711 | jq . % Total % Received % Xferd Average Speed Time Time Time Current Dload Upload Total Spent Left Speed 100 172 100 172 0 0 24571 0 --:--:-- --:--:-- --:--:-- 24571 { "routing_tree": null, "main_routing_result": null, "all_routing_results": {}, "routing_status": "ERROR", "routing_status_details": "noroute: Routing target was not found" curl http://localhost:9000/stage1\?caller\=2001\&called\=2000 | jq . % Total % Received % Xferd Average Speed Time Time Time Current Dload Upload Total Spent Left Speed 100 3550 100 3550 0 0 247k 0 --:--:-- --:--:-- --:--:-- 247k { "routing_tree": { "id": 1, "yate_id": null, "extension": "2000", "name": "PoC", "short_name": null, "outgoing_extension": null, "outgoing_name": null, "dialout_allowed": false, "ringback": null, "forwarding_delay": null, "forwarding_extension_id": null, "lang": "de_DE", "type": "Type.GROUP", "forwarding_mode": "ForwardingMode.DISABLED", "tree_identifier": "1", "logs": [], "fork_ranks": [ { "id": 1, "extension_id": 1, "index": 0, "delay": null, "mode": "Mode.DEFAULT", "tree_identifier": "1-fr1", "logs": [ { "msg": "Discovery aborted for <Extension 2001, name=PoC Sascha, type=Type.MULTIRING> in <ForkRank id=1, extension_id=1, index=Mode.DEFAULT, mode=0, delay=Mode.DEFAULT>, was already present.\nTemporarily disable membership for this routing.", "level": "WARN", "related_node": "1-fr1-2" } ], "members": [ { "type": "RankMemberType.DEFAULT", "active": false, "extension": { "id": 2, "yate_id": 2, "extension": "2001", "name": "PoC Sascha", "short_name": null, "outgoing_extension": null, "outgoing_name": null, "dialout_allowed": false, "ringback": null, "forwarding_delay": null, "forwarding_extension_id": null, "lang": "de_DE", "type": "Type.MULTIRING", "forwarding_mode": "ForwardingMode.DISABLED", "tree_identifier": "1-fr1-2", "logs": [] } }, { "type": "RankMemberType.DEFAULT", "active": true, "extension": { "id": 3, "yate_id": 2, "extension": "2002", "name": "PoC Bernie", "short_name": null, "outgoing_extension": null, "outgoing_name": null, "dialout_allowed": false, "ringback": null, "forwarding_delay": null, "forwarding_extension_id": null, "lang": "de_DE", "type": "Type.SIMPLE", "forwarding_mode": "ForwardingMode.DISABLED", "tree_identifier": "1-fr1-3", "logs": [] } }, { "type": "RankMemberType.DEFAULT", "active": true, "extension": { "id": 4, "yate_id": 2, "extension": "2004", "name": "PoC BeF", "short_name": null, "outgoing_extension": null, "outgoing_name": null, "dialout_allowed": false, "ringback": null, "forwarding_delay": null, "forwarding_extension_id": null, "lang": "de_DE", "type": "Type.SIMPLE", "forwarding_mode": "ForwardingMode.DISABLED", "tree_identifier": "1-fr1-4", "logs": [] } }, { "type": "RankMemberType.DEFAULT", "active": true, "extension": { "id": 6, "yate_id": 2, "extension": "2042", "name": "PoC Garwin", "short_name": null, "outgoing_extension": null, "outgoing_name": null, "dialout_allowed": false, "ringback": null, "forwarding_delay": null, "forwarding_extension_id": null, "lang": "de_DE", "type": "Type.SIMPLE", "forwarding_mode": "ForwardingMode.DISABLED", "tree_identifier": "1-fr1-6", "logs": [] } } ] } ] }, "main_routing_result": { "type": "Type.FORK", "target": { "target": "lateroute/stage1-d4490817a7954559ac801f81f3dbbd7e-1", "parameters": { "x_eventphone_id": "d4490817a7954559ac801f81f3dbbd7e", "osip_X-Eventphone-Id": "d4490817a7954559ac801f81f3dbbd7e", "callername": "PoC Sascha", "osip_X-Caller-Language": "de_DE", "calledname": "PoC" } }, "fork_targets": [ { "target": "lateroute/2002", "parameters": { "eventphone_stage2": "1", "x_eventphone_id": "d4490817a7954559ac801f81f3dbbd7e", "osip_X-Eventphone-Id": "d4490817a7954559ac801f81f3dbbd7e" } }, { "target": "lateroute/2004", "parameters": { "eventphone_stage2": "1", "x_eventphone_id": "d4490817a7954559ac801f81f3dbbd7e", "osip_X-Eventphone-Id": "d4490817a7954559ac801f81f3dbbd7e" } }, { "target": "lateroute/2042", "parameters": { "eventphone_stage2": "1", "x_eventphone_id": "d4490817a7954559ac801f81f3dbbd7e", "osip_X-Eventphone-Id": "d4490817a7954559ac801f81f3dbbd7e" } } ] }, "all_routing_results": {}, "routing_status": "OK", "routing_status_details": "" } ``` ## Necessary Yate configuration to make it run The Yate modules `register` and `cdrbuild` provide partial functionality to stage2 ywsd-based routing. In particular, the register module is used to manage registrations of SIP clients in the stage2 database. The cdrbuild module keeps track of the calls on a certain SIP client and fills the stage2 database with information that is needed to provide deny-on-busy or filtering if a single call ends up twice with one SIP client. The following configuration is needed in these modules to provide the desired functionality. Please also note that Yate needs to be compiled and configured to use Postgres database via the `pgsqldb` module. Example register.conf: ``` [general] expires=30 user.auth=yes user.register=yes user.unregister=yes engine.timer=yes ;call.preroute=no call.cdr=yes linetracker=yes [default] priority=10 account=default [user.auth] query=SELECT password FROM users WHERE username='${username}' AND password IS NOT NULL AND password<>'' AND type='user' LIMIT 1; result=password [user.register] query=INSERT INTO registrations (username, location, oconnection_id, expires) VALUES ('${username}', '${data}', '${oconnection_id}', NOW() + INTERVAL '${expires} s') ON CONFLICT ON CONSTRAINT uniq_registrations DO UPDATE SET expires = NOW() + INTERVAL '${expires} s' [user.unregister] query=DELETE FROM registrations WHERE (username = '${username}' AND location = '${data}' AND oconnection_id = '${connection_id}') OR ('${username}' = '' AND '${data}' = '' AND oconnection_id = '${connection_id}') [engine.timer] query=DELETE FROM registrations WHERE expires<=CURRENT_TIMESTAMP; [call.cdr] critical=no [linetracker] critical=yes initquery=UPDATE users SET inuse=0 WHERE inuse is not NULL;DELETE from active_calls; cdr_initialize=UPDATE users SET inuse=inuse+1 WHERE username='${external}';INSERT INTO active_calls SELECT username, x_eventphone_id FROM (SELECT '${external}' as username, '${X-Eventphone-Id}' as x_eventphone_id, '${direction}' as direction) as active_call WHERE x_eventphone_id != '' AND x_eventphone_id IS NOT NULL and direction = 'outgoing'; cdr_finalize=UPDATE users SET inuse=(CASE WHEN inuse>0 THEN inuse-1 ELSE 0 END) WHERE username='${external}';DELETE FROM active_calls WHERE username = '${external}' AND x_eventphone_id = '${X-Eventphone-Id}' AND '${direction}' = 'outgoing'; ``` To enable duplicate call filtering, the parameters section of your cdrbuild.conf should have a line for X-Eventphone-Id like this ``` [parameters] X-Eventphone-Id=false ``` ## Project ToDos There are currently no tests available for this project. There is a basic set of test data that was used during development and integration with Yate but no automatic testing was developed so far. Due to the nature of this project, it plans to add a suite of end-to-end functionality tests based on the webserver exposure of routing results. An extensive set of unit tests for DB loading or data structure generation is currently not planned but would be welcomed if contributed.
ywsd
/ywsd-0.13.1.tar.gz/ywsd-0.13.1/README.md
README.md
import time import numpy as np from dumpy.optimizers import * from dumpy.utils import get_activation_function class Model(): def __init__(self,nn_architecture,initializer='random'): np.random.seed(42) self.nn_architecture = nn_architecture self.parameters = dict() self.memory = dict() for idx,layer in enumerate(self.nn_architecture): layer_idx = idx + 1 if initializer == 'random': self.parameters[f"W{layer_idx}"] = np.random.randn(layer['output_dim'],layer['input_dim']) * np.sqrt(1. / layer['input_dim']) self.parameters[f"b{layer_idx}"] = np.random.randn(layer['output_dim'],1) * np.sqrt(1. / layer['input_dim']) elif initializer == 'xavier': l = np.sqrt(6.0 / (layer['output_dim'] +layer['input_dim'])) self.parameters[f"W{layer_idx}"] = np.random.uniform(-l,l,size=(layer['output_dim'],layer['input_dim'])) self.parameters[f"b{layer_idx}"] = np.random.uniform(-l,l,size=(layer['output_dim'],1)) else: raise Exception(f"{initializer} is not a initializer options are 'random' and 'xavier' ") def forward(self,xb): self.memory = dict() A_curr = xb for idx, (layer) in enumerate(self.nn_architecture): layer_idx = idx + 1 A_prev = A_curr W_curr = self.parameters[f"W{layer_idx}"] b_curr = self.parameters[f"b{layer_idx}"] Z_curr = np.matmul(W_curr,A_prev) + b_curr active_function = get_activation_function(layer['activation']) A_curr = active_function(Z_curr) self.memory[f"A{idx}"] = A_prev self.memory[f"Z{layer_idx}"] = Z_curr return A_curr def train(X_train,y_train,X_test,y_test,nn_architecture,optim='sgd',initializer='random',lr=0.01,wd=0.01,momentum=0.9,beta1=0.9,beta2=0.99,epochs=500,batch_size=32,verbose=10,wandb_log=None): def get_data_loader(X,y,batch_size,shuffle=False): if shuffle: permutation = np.random.permutation(X.shape[1]) X = X[:,permutation] X = y[:,permutation] for i in range(0,len(X),batch_size): xb = X[:,i:i+batch_size] yb = y[:,i:i+batch_size] yield xb, yb def compute_accuracy(outputs, targets): return np.mean(np.argmax(targets,0)==np.argmax(outputs,0)) def compute_loss(targets,outputs): L_sum = np.sum(np.multiply(targets, np.log(outputs))) m = targets.shape[1] L = -(1/m) * L_sum return L def one_hot(Y): one_hot_Y = np.zeros((Y.size, Y.max() + 1)) one_hot_Y[np.arange(Y.size), Y] = 1 return one_hot_Y X_train = X_train.T X_test = X_test.T y_train = one_hot(y_train).T y_test = one_hot(y_test).T model = Model(nn_architecture,initializer=initializer) optimizers = {"sgd":SGD, "nag":NAG, "rmsprop":RMSprop, "adam":Adam, "nadam":NAdam} if optimizers.get(optim): if optim == 'adam' or optim == 'nadam': optimizer = optimizers.get(optim)(lr = lr,wd=wd,beta1=beta1,beta2=beta2) else: optimizer = optimizers.get(optim)(lr = lr,wd=wd,momentum=momentum) else: raise Exception(f"{optim} is not a optimizer: options are 'sgd', 'nag','adagrad', 'adam', 'nadam' ") best_acc = 0.0 for e in range(epochs): train_dl = get_data_loader(X_train,y_train,batch_size=32) start = time.time() for i,(inputs,targets) in enumerate(train_dl): outputs = model.forward(inputs) model = optimizer.backward(model,targets,outputs) train_outputs = model.forward(X_train) train_acc = compute_accuracy(train_outputs,y_train) train_loss = compute_loss(y_train,train_outputs) test_outputs = model.forward(X_test) test_acc = compute_accuracy(test_outputs,y_test) test_loss = compute_loss(y_test,test_outputs) epoch_time = time.time() - start if wandb_log: wandb_log.log({"Train loss":train_loss,'Train acc':train_acc,"Test loss":test_loss,'Test acc':test_acc}) if e % verbose == 0: print(f"Iteration {e} : Train Accuracy: {train_acc:.3f} | Train Loss: {train_loss:.3f} | Test Accuracy: {test_acc:.3f} | Test Loss: {test_loss:.3f} | Epoch Time: {epoch_time:.2f}s") return model
ywxb
/ywxb-0.0.1.tar.gz/ywxb-0.0.1/dumpy/train.py
train.py
import numpy as np from dumpy.utils import get_activation_function class SGD(): def __init__(self,lr=0.01,wd=0.01,momentum= 0.9): self.lr = lr self.momentum = momentum self.wd = wd self.model = None self.grads_values = {} self.grads_values['w_sum'] = 0.0 def backward(self,model,targets,outputs): self.model = model nn_architecture = self.model.nn_architecture parameters = self.model.parameters memory = self.model.memory dA_prev = 2*(outputs - targets)/outputs.shape[1] + self.wd * self.grads_values['w_sum'] for layer_idx_prev, layer in reversed(list(enumerate(nn_architecture))): layer_idx_curr = layer_idx_prev + 1 dA_curr = dA_prev self.grads_values['w_sum'] += np.sum(parameters[f"W{layer_idx_curr}"]**2) self.grads_values[f"dW_prev{layer_idx_curr}"] = self.grads_values[f"dW{layer_idx_curr}"] if (type(self.grads_values.get(f"dW{layer_idx_curr}")) == np.ndarray) else 0.0 self.grads_values[f"db_prev{layer_idx_curr}"] = self.grads_values[f"db{layer_idx_curr}"] if (type(self.grads_values.get(f"db{layer_idx_curr}")) == np.ndarray) else 0.0 A_prev = memory[f"A{layer_idx_prev}"] Z_curr = memory[f"Z{layer_idx_curr}"] W_curr = parameters[f"W{layer_idx_curr}"] b_curr = parameters[f"b{layer_idx_curr}"] m = A_prev.shape[1] backward_activation_func = get_activation_function(layer['activation'],backward=True) dZ_curr = backward_activation_func(dA_curr, Z_curr) dW_curr = (1. / m) * np.matmul(dZ_curr, A_prev.T) db_curr = (1. / m) * np.sum(dZ_curr, axis=1, keepdims=True) dA_prev = np.matmul(W_curr.T, dZ_curr) self.grads_values[f"dW{layer_idx_curr}"] = dW_curr self.grads_values[f"db{layer_idx_curr}"] = db_curr self.grads_values['w_sum'] = 0.0 for idx, layer in enumerate(nn_architecture): layer_idx = idx + 1 self.grads_values[f"dW{layer_idx}"] = self.grads_values[f"dW_prev{layer_idx}"] * self.momentum + self.lr * self.grads_values[f"dW{layer_idx}"] self.grads_values[f"db{layer_idx}"] = self.grads_values[f"db_prev{layer_idx}"] * self.momentum + self.lr * self.grads_values[f"db{layer_idx}"] parameters[f"W{layer_idx}"] -= self.grads_values[f"dW{layer_idx}"] parameters[f"b{layer_idx}"] -= self.grads_values[f"db{layer_idx}"] self.model.parameters = parameters return self.model class NAG(): def __init__(self,lr=0.01,wd=0.01,momentum= 0.9): self.lr = lr self.momentum = momentum self.model = None self.wd = wd self.grads_values = {} self.grads_values['w_sum'] = 0.0 def backward(self,model,targets,outputs): self.model = model nn_architecture = self.model.nn_architecture parameters = self.model.parameters memory = self.model.memory dA_prev = 2*(outputs - targets)/outputs.shape[1] + self.wd * self.grads_values['w_sum'] for layer_idx_prev, layer in reversed(list(enumerate(nn_architecture))): layer_idx_curr = layer_idx_prev + 1 dA_curr = dA_prev self.grads_values['w_sum'] += np.sum(parameters[f"W{layer_idx_curr}"]**2) self.grads_values[f"dW_prev{layer_idx_curr}"] = self.grads_values[f"dW{layer_idx_curr}"] if (type(self.grads_values.get(f"dW{layer_idx_curr}")) == np.ndarray) else 0.0 self.grads_values[f"db_prev{layer_idx_curr}"] = self.grads_values[f"db{layer_idx_curr}"] if (type(self.grads_values.get(f"db{layer_idx_curr}")) == np.ndarray) else 0.0 A_prev = memory[f"A{layer_idx_prev}"] Z_curr = memory[f"Z{layer_idx_curr}"] W_curr = parameters[f"W{layer_idx_curr}"] - self.momentum * self.grads_values[f"dW_prev{layer_idx_curr}"] b_curr = parameters[f"b{layer_idx_curr}"] - self.momentum * self.grads_values[f"db_prev{layer_idx_curr}"] m = A_prev.shape[1] backward_activation_func = get_activation_function(layer['activation'],backward=True) dZ_curr = backward_activation_func(dA_curr, Z_curr) dW_curr = (1. / m) * np.matmul(dZ_curr, A_prev.T) db_curr = (1. / m) * np.sum(dZ_curr, axis=1, keepdims=True) dA_prev = np.matmul(W_curr.T, dZ_curr) self.grads_values[f"dW{layer_idx_curr}"] = dW_curr self.grads_values[f"db{layer_idx_curr}"] = db_curr self.grads_values['w_sum'] = 0.0 for idx, layer in enumerate(nn_architecture): layer_idx = idx + 1 self.grads_values[f"dW{layer_idx}"] = self.grads_values[f"dW_prev{layer_idx}"] * self.momentum + self.lr * self.grads_values[f"dW{layer_idx}"] self.grads_values[f"db{layer_idx}"] = self.grads_values[f"db_prev{layer_idx}"] * self.momentum + self.lr * self.grads_values[f"db{layer_idx}"] parameters[f"W{layer_idx}"] -= self.grads_values[f"dW{layer_idx}"] parameters[f"b{layer_idx}"] -= self.grads_values[f"db{layer_idx}"] self.model.parameters = parameters return self.model class Adagrad(): def __init__(self,lr=0.01,momentum= 0.9): self.lr = lr self.model = None self.grads_values = {} def backward(self,model,targets,outputs): self.model = model nn_architecture = self.model.nn_architecture parameters = self.model.parameters memory = self.model.memory dA_prev = 2*(outputs - targets)/outputs.shape[1] for layer_idx_prev, layer in reversed(list(enumerate(nn_architecture))): layer_idx_curr = layer_idx_prev + 1 dA_curr = dA_prev if type(self.grads_values.get(f"dW{layer_idx_curr}")) == np.ndarray: self.grads_values[f"dW_square{layer_idx_curr}"] += self.grads_values[f"dW{layer_idx_curr}"]**2 else: self.grads_values[f"dW_square{layer_idx_curr}"] = 1.0 if type(self.grads_values.get(f"db{layer_idx_curr}")) == np.ndarray: self.grads_values[f"db_square{layer_idx_curr}"] += self.grads_values[f"db{layer_idx_curr}"]**2 else: self.grads_values[f"db_square{layer_idx_curr}"] = 1.0 A_prev = memory[f"A{layer_idx_prev}"] Z_curr = memory[f"Z{layer_idx_curr}"] W_curr = parameters[f"W{layer_idx_curr}"] b_curr = parameters[f"b{layer_idx_curr}"] m = A_prev.shape[1] backward_activation_func = get_activation_function(layer['activation'],backward=True) dZ_curr = backward_activation_func(dA_curr, Z_curr) dW_curr = (1. / m) * np.matmul(dZ_curr, A_prev.T) db_curr = (1. / m) * np.sum(dZ_curr, axis=1, keepdims=True) dA_prev = np.matmul(W_curr.T, dZ_curr) self.grads_values[f"dW{layer_idx_curr}"] = dW_curr self.grads_values[f"db{layer_idx_curr}"] = db_curr for idx, layer in enumerate(nn_architecture): layer_idx = idx +1 parameters[f"W{layer_idx}"] -= (self.lr/np.sqrt(self.grads_values[f"dW_square{layer_idx}"]+1e-8)) * self.grads_values[f"dW{layer_idx}"] parameters[f"b{layer_idx}"] -= (self.lr/np.sqrt(self.grads_values[f"db_square{layer_idx}"]+1e-8)) * self.grads_values[f"db{layer_idx}"] self.model.parameters = parameters return self.model class RMSprop(): def __init__(self,lr=0.01,wd= 0.01,momentum=0.9): self.lr = lr self.wd = wd self.model = None self.momentum = momentum self.grads_values = {} self.grads_values['w_sum'] = 0.0 def backward(self,model,targets,outputs): self.model = model nn_architecture = self.model.nn_architecture parameters = self.model.parameters memory = self.model.memory dA_prev = 2*(outputs - targets)/outputs.shape[1] + self.wd *self.grads_values['w_sum'] for layer_idx_prev, layer in reversed(list(enumerate(nn_architecture))): layer_idx_curr = layer_idx_prev + 1 dA_curr = dA_prev self.grads_values['w_sum'] += np.sum(parameters[f"W{layer_idx_curr}"]**2) if type(self.grads_values.get(f"dW{layer_idx_curr}")) == np.ndarray: self.grads_values[f"dW_square{layer_idx_curr}"] = self.momentum * self.grads_values[f"dW_square{layer_idx_curr}"] + (self.grads_values[f"dW{layer_idx_curr}"]**2) else: self.grads_values[f"dW_square{layer_idx_curr}"] = 1.0 if type(self.grads_values.get(f"db{layer_idx_curr}")) == np.ndarray: self.grads_values[f"db_square{layer_idx_curr}"] = self.momentum * self.grads_values[f"db_square{layer_idx_curr}"] + (1.0 - self.momentum) * (self.grads_values[f"db{layer_idx_curr}"]**2) else: self.grads_values[f"db_square{layer_idx_curr}"] = 1.0 A_prev = memory[f"A{layer_idx_prev}"] Z_curr = memory[f"Z{layer_idx_curr}"] W_curr = parameters[f"W{layer_idx_curr}"] b_curr = parameters[f"b{layer_idx_curr}"] m = A_prev.shape[1] backward_activation_func = get_activation_function(layer['activation'],backward=True) dZ_curr = backward_activation_func(dA_curr, Z_curr) dW_curr = (1. / m) * np.matmul(dZ_curr, A_prev.T) db_curr = (1. / m) * np.sum(dZ_curr, axis=1, keepdims=True) dA_prev = np.matmul(W_curr.T, dZ_curr) self.grads_values[f"dW{layer_idx_curr}"] = dW_curr self.grads_values[f"db{layer_idx_curr}"] = db_curr self.grads_values['w_sum'] = 0.0 for idx, layer in enumerate(nn_architecture): layer_idx = idx +1 self.grads_values[f'dW{layer_idx}'] = self.lr/np.sqrt(self.grads_values[f"dW_square{layer_idx}"]+1e-8) * self.grads_values[f"dW{layer_idx}"] self.grads_values[f'db{layer_idx}'] = self.lr/np.sqrt(self.grads_values[f"db_square{layer_idx}"]+1e-8) * self.grads_values[f"db{layer_idx}"] parameters[f"W{layer_idx}"] -= self.lr * self.grads_values[f"dW{layer_idx}"] parameters[f"b{layer_idx}"] -= self.lr * self.grads_values[f"db{layer_idx}"] self.model.parameters = parameters return self.model class Adam(): def __init__(self,lr=0.01,wd=0.01,beta1=0.9,beta2=0.999): self.lr = lr self.wd = wd self.model = None self.grads_values = {} self.beta1 = beta1 self.beta2 = beta2 self.grads_values['w_sum'] = 0.0 def backward(self,model,targets,outputs): self.model = model nn_architecture = self.model.nn_architecture parameters = self.model.parameters memory = self.model.memory dA_prev = 2*(outputs - targets)/outputs.shape[1] + self.wd *self.grads_values['w_sum'] for layer_idx_prev, layer in reversed(list(enumerate(nn_architecture))): layer_idx_curr = layer_idx_prev + 1 dA_curr = dA_prev self.grads_values['w_sum'] += np.sum(parameters[f"W{layer_idx_curr}"]**2) if type(self.grads_values.get(f"dW{layer_idx_curr}")) == np.ndarray: self.grads_values[f"dW_sum{layer_idx_curr}"] += self.grads_values[f"dW{layer_idx_curr}"] else: self.grads_values[f"dW_sum{layer_idx_curr}"] = 0.0 if type(self.grads_values.get(f"db{layer_idx_curr}")) == np.ndarray: self.grads_values[f"db_sum{layer_idx_curr}"] += self.grads_values[f"db{layer_idx_curr}"] else: self.grads_values[f"db_sum{layer_idx_curr}"] = 0.0 if type(self.grads_values.get(f"dW{layer_idx_curr}")) == np.ndarray: vw_curr = self.beta2 * self.grads_values[f"dW_square{layer_idx_curr}"] + (1.0) * self.grads_values[f"dW{layer_idx_curr}"]**2 self.grads_values[f"dW_square{layer_idx_curr}"] = vw_curr else: self.grads_values[f"dW_square{layer_idx_curr}"] = 1.0 if type(self.grads_values.get(f"db{layer_idx_curr}")) == np.ndarray: vb_curr = self.beta2 * self.grads_values[f"db_square{layer_idx_curr}"] + (1.0) * self.grads_values[f"db{layer_idx_curr}"]**2 self.grads_values[f"db_square{layer_idx_curr}"] = vb_curr else: self.grads_values[f"db_square{layer_idx_curr}"] = 1.0 if self.grads_values.get("beta1"): self.grads_values["beta1"] *= self.beta1 else: self.grads_values["beta1"] = self.beta1 if self.grads_values.get("beta2"): self.grads_values["beta2"] *= self.beta2 else: self.grads_values["beta2"] = self.beta2 A_prev = memory[f"A{layer_idx_prev}"] Z_curr = memory[f"Z{layer_idx_curr}"] W_curr = parameters[f"W{layer_idx_curr}"] b_curr = parameters[f"b{layer_idx_curr}"] m = A_prev.shape[1] backward_activation_func = get_activation_function(layer['activation'],backward=True) dZ_curr = backward_activation_func(dA_curr, Z_curr) dW_curr = (1. / m) * np.matmul(dZ_curr, A_prev.T) db_curr = (1. / m) * np.sum(dZ_curr, axis=1, keepdims=True) dA_prev = np.matmul(W_curr.T, dZ_curr) mw_curr = self.beta1 * self.grads_values[f"dW_sum{layer_idx_curr}"] + dW_curr mb_curr = self.beta1 * self.grads_values[f"db_sum{layer_idx_curr}"] + db_curr self.grads_values[f"dW{layer_idx_curr}"] = dW_curr self.grads_values[f"db{layer_idx_curr}"] = db_curr self.grads_values['w_sum'] = 0.0 for idx, layer in enumerate(nn_architecture): layer_idx = idx +1 vtw_curr = self.grads_values[f"dW_square{layer_idx}"] / (1.0 - self.grads_values['beta2']) vtb_curr = self.grads_values[f"db_square{layer_idx}"] / (1.0 - self.grads_values['beta2']) mtw_curr = self.grads_values[f"dW{layer_idx}"] / (1.0 - self.grads_values['beta1']) mtb_curr = self.grads_values[f"db{layer_idx}"] / (1.0 - self.grads_values['beta1']) parameters[f"W{layer_idx}"] -= self.lr/(np.sqrt(vtw_curr) + 1e-8) * mtw_curr parameters[f"b{layer_idx}"] -= self.lr/(np.sqrt(vtb_curr) + 1e-8) * mtb_curr self.model.parameters = parameters return self.model class NAdam(): def __init__(self,lr=0.01,wd=0.01,beta1=0.9,beta2=0.999): self.lr = lr self.wd = wd self.model = None self.grads_values = {} self.beta1 = beta1 self.beta2 = beta2 self.grads_values['w_sum'] = 0.0 def backward(self,model,targets,outputs): self.model = model nn_architecture = self.model.nn_architecture parameters = self.model.parameters memory = self.model.memory dA_prev = 2*(outputs - targets)/outputs.shape[1] + self.wd *self.grads_values['w_sum'] for layer_idx_prev, layer in reversed(list(enumerate(nn_architecture))): layer_idx_curr = layer_idx_prev + 1 dA_curr = dA_prev self.grads_values['w_sum'] += np.sum(parameters[f"W{layer_idx_curr}"]**2) if type(self.grads_values.get(f"dW{layer_idx_curr}")) == np.ndarray: self.grads_values[f"dW_sum{layer_idx_curr}"] += self.grads_values[f"dW{layer_idx_curr}"] else: self.grads_values[f"dW_sum{layer_idx_curr}"] = 0.0 if type(self.grads_values.get(f"db{layer_idx_curr}")) == np.ndarray: self.grads_values[f"db_sum{layer_idx_curr}"] += self.grads_values[f"db{layer_idx_curr}"] else: self.grads_values[f"db_sum{layer_idx_curr}"] = 0.0 if type(self.grads_values.get(f"dW{layer_idx_curr}")) == np.ndarray: vw_curr = self.beta2 * self.grads_values[f"dW_square{layer_idx_curr}"] + (1.0) * self.grads_values[f"dW{layer_idx_curr}"]**2 self.grads_values[f"dW_square{layer_idx_curr}"] = vw_curr else: self.grads_values[f"dW_square{layer_idx_curr}"] = 1.0 if type(self.grads_values.get(f"db{layer_idx_curr}")) == np.ndarray: vb_curr = self.beta2 * self.grads_values[f"db_square{layer_idx_curr}"] + (1.0) * self.grads_values[f"db{layer_idx_curr}"]**2 self.grads_values[f"db_square{layer_idx_curr}"] = vb_curr else: self.grads_values[f"db_square{layer_idx_curr}"] = 1.0 ## beta if self.grads_values.get("beta1"): self.grads_values["beta1"] *= self.beta1 else: self.grads_values["beta1"] = self.beta1 if self.grads_values.get("beta2"): self.grads_values["beta2"] *= self.beta2 else: self.grads_values["beta2"] = self.beta2 A_prev = memory[f"A{layer_idx_prev}"] Z_curr = memory[f"Z{layer_idx_curr}"] W_curr = parameters[f"W{layer_idx_curr}"] b_curr = parameters[f"b{layer_idx_curr}"] m = A_prev.shape[1] backward_activation_func = get_activation_function(layer['activation'],backward=True) dZ_curr = backward_activation_func(dA_curr, Z_curr) dW_curr = (1. / m) * np.matmul(dZ_curr, A_prev.T) db_curr = (1. / m) * np.sum(dZ_curr, axis=1, keepdims=True) dA_prev = np.matmul(W_curr.T, dZ_curr) mw_curr = self.beta1 * self.grads_values[f"dW_sum{layer_idx_curr}"] + (1.0 )* dW_curr mb_curr = self.beta1 * self.grads_values[f"db_sum{layer_idx_curr}"] + (1.0 )* db_curr self.grads_values[f"dW{layer_idx_curr}"] = dW_curr self.grads_values[f"db{layer_idx_curr}"] = db_curr self.grads_values['w_sum'] = 0.0 for idx, layer in enumerate(nn_architecture): layer_idx = idx +1 vtw_curr = self.grads_values[f"dW_square{layer_idx}"] / (1.0 - self.grads_values['beta2']) vtb_curr = self.grads_values[f"db_square{layer_idx}"] / (1.0 - self.grads_values['beta2']) mtw_curr = self.grads_values[f"dW{layer_idx}"] / (1.0 - self.grads_values['beta1']) mtb_curr = self.grads_values[f"db{layer_idx}"] / (1.0 - self.grads_values['beta1']) parameters[f"W{layer_idx}"] -= self.lr/(np.sqrt(vtw_curr) + 1e-8) * (self.beta1 * mtw_curr + ((1-self.beta1) *\ self.grads_values[f"dW{layer_idx}"])/(1.0 - self.grads_values['beta1'])) parameters[f"b{layer_idx}"] -= self.lr/(np.sqrt(vtb_curr) + 1e-8) * (self.beta1 * mtb_curr + ((1-self.beta1) *\ self.grads_values[f"db{layer_idx}"])/(1.0 - self.grads_values['beta1'])) self.model.parameters = parameters return self.model
ywxb
/ywxb-0.0.1.tar.gz/ywxb-0.0.1/dumpy/optimizers.py
optimizers.py
## yxdb-py yxdb-py is a library for reading YXDB files into Python. install using `pip install yxdb` The library does not have external dependencies and is a pure Python solution. The public API is contained in the YxdbReader class. Instantiate YxdbReader with the following constructors: * `YxdbReader(path=str)` - load from a file * `YxdbReader(stream=BytesIO)` - load from an in-memory stream Iterate through the records in the file using the `next()` method in a while loop: ``` while reader.next(): # do something ``` Fields can be access via the `read_index()` and `read_name()` methods on the YxdbReader class. The list of fields in the YXDB file can be access via the `list_fields()` method.
yxdb
/yxdb-0.0.4.tar.gz/yxdb-0.0.4/README.md
README.md
OFFSTYLE="\x1b[38;5;246m" EOA="\x1b[0m" SEP0="\x1b[38;5;235mโ”‚\x1b[0m" SEP1="\x1b[38;5;235mโ”‚\x1b[0m" SEP2="\x1b[38;5;235mโ”‚\x1b[0m" template1 = """ import struct import sys import hashlib def writeBin(b,h): outfile = h + ".bin" f = open(outfile,'wb') f.write(b) f.close() print(outfile) b = b\"\"""" template2 = """ m = hashlib.sha256() m.update(b) shorthash = m.digest().hex()[0:8] writeBin(b,shorthash) """ cTemplate1 = """ #include <stdio.h> #include <string.h> """ cTemplate2 = """ int main() { printf("len:%d bytes\\n", strlen(code)); (*(void(*)()) code)(); return 0; } """ # Bytes are individually styled, you can refer to this page for all the colors # https://en.wikipedia.org/wiki/ANSI_escape_code#8-bit bytez = { 0x00: "\x1b[38;5;240m", 0x01: "\x1b[38;5;219m", 0x02: "\x1b[38;5;219m", 0x03: "\x1b[38;5;219m", 0x04: "\x1b[38;5;219m", 0x05: "\x1b[38;5;219m", 0x06: "\x1b[38;5;219m", 0x07: "\x1b[38;5;219m", 0x08: "\x1b[38;5;219m", 0x09: "\x1b[38;5;219m", 0x0a: "\x1b[38;5;219m", 0x0b: "\x1b[38;5;219m", 0x0c: "\x1b[38;5;219m", 0x0d: "\x1b[38;5;219m", 0x0e: "\x1b[38;5;219m", 0x0f: "\x1b[38;5;219m", 0x10: "\x1b[38;5;219m", 0x11: "\x1b[38;5;219m", 0x12: "\x1b[38;5;219m", 0x13: "\x1b[38;5;219m", 0x14: "\x1b[38;5;219m", 0x15: "\x1b[38;5;219m", 0x16: "\x1b[38;5;219m", 0x17: "\x1b[38;5;219m", 0x18: "\x1b[38;5;219m", 0x19: "\x1b[38;5;219m", 0x1a: "\x1b[38;5;219m", 0x1b: "\x1b[38;5;219m", 0x1c: "\x1b[38;5;219m", 0x1d: "\x1b[38;5;219m", 0x1e: "\x1b[38;5;219m", 0x1f: "\x1b[38;5;219m", # ASCII Symbols 0x20: "\x1b[38;5;27m", 0x21: "\x1b[38;5;27m", 0x22: "\x1b[38;5;27m", 0x23: "\x1b[38;5;27m", 0x24: "\x1b[38;5;27m", 0x25: "\x1b[38;5;27m", 0x26: "\x1b[38;5;27m", 0x27: "\x1b[38;5;27m", 0x28: "\x1b[38;5;27m", 0x29: "\x1b[38;5;27m", 0x2a: "\x1b[38;5;27m", 0x2b: "\x1b[38;5;27m", 0x2c: "\x1b[38;5;27m", 0x2d: "\x1b[38;5;27m", 0x2e: "\x1b[38;5;27m", 0x2f: "\x1b[38;5;27m", # ASCII Numbers 0x30: "\x1b[38;5;81m", 0x31: "\x1b[38;5;81m", 0x32: "\x1b[38;5;81m", 0x33: "\x1b[38;5;81m", 0x34: "\x1b[38;5;81m", 0x35: "\x1b[38;5;81m", 0x36: "\x1b[38;5;81m", 0x37: "\x1b[38;5;81m", 0x38: "\x1b[38;5;81m", 0x39: "\x1b[38;5;81m", # ASCII Symbols 0x3a: "\x1b[38;5;27m", 0x3b: "\x1b[38;5;27m", 0x3c: "\x1b[38;5;27m", 0x3d: "\x1b[38;5;27m", 0x3e: "\x1b[38;5;27m", 0x3f: "\x1b[38;5;27m", 0x40: "\x1b[38;5;27m", # ASCII Capitals 0x41: "\x1b[38;5;39m", 0x42: "\x1b[38;5;39m", 0x43: "\x1b[38;5;39m", 0x44: "\x1b[38;5;39m", 0x45: "\x1b[38;5;39m", 0x46: "\x1b[38;5;39m", 0x47: "\x1b[38;5;39m", 0x48: "\x1b[38;5;39m", 0x49: "\x1b[38;5;39m", 0x4a: "\x1b[38;5;39m", 0x4b: "\x1b[38;5;39m", 0x4c: "\x1b[38;5;39m", 0x4d: "\x1b[38;5;39m", 0x4e: "\x1b[38;5;39m", 0x4f: "\x1b[38;5;39m", 0x50: "\x1b[38;5;39m", 0x51: "\x1b[38;5;39m", 0x52: "\x1b[38;5;39m", 0x53: "\x1b[38;5;39m", 0x54: "\x1b[38;5;39m", 0x55: "\x1b[38;5;39m", 0x56: "\x1b[38;5;39m", 0x57: "\x1b[38;5;39m", 0x58: "\x1b[38;5;39m", 0x59: "\x1b[38;5;39m", 0x5a: "\x1b[38;5;39m", # ASCII Symbols 0x5b: "\x1b[38;5;27m", 0x5c: "\x1b[38;5;27m", 0x5d: "\x1b[38;5;27m", 0x5e: "\x1b[38;5;27m", 0x5f: "\x1b[38;5;27m", 0x60: "\x1b[38;5;27m", # ASCII Lowercase 0x61: "\x1b[38;5;45m", 0x62: "\x1b[38;5;45m", 0x63: "\x1b[38;5;45m", 0x64: "\x1b[38;5;45m", 0x65: "\x1b[38;5;45m", 0x66: "\x1b[38;5;45m", 0x67: "\x1b[38;5;45m", 0x68: "\x1b[38;5;45m", 0x69: "\x1b[38;5;45m", 0x6a: "\x1b[38;5;45m", 0x6b: "\x1b[38;5;45m", 0x6c: "\x1b[38;5;45m", 0x6d: "\x1b[38;5;45m", 0x6e: "\x1b[38;5;45m", 0x6f: "\x1b[38;5;45m", 0x70: "\x1b[38;5;45m", 0x71: "\x1b[38;5;45m", 0x72: "\x1b[38;5;45m", 0x73: "\x1b[38;5;45m", 0x74: "\x1b[38;5;45m", 0x75: "\x1b[38;5;45m", 0x76: "\x1b[38;5;45m", 0x77: "\x1b[38;5;45m", 0x78: "\x1b[38;5;45m", 0x79: "\x1b[38;5;45m", 0x7a: "\x1b[38;5;45m", # ASCII Symbols 0x7b: "\x1b[38;5;27m", 0x7c: "\x1b[38;5;27m", 0x7d: "\x1b[38;5;27m", 0x7e: "\x1b[38;5;27m", # End of ascii 0x7f: "\x1b[38;5;88m", 0x80: "\x1b[38;5;208m", 0x81: "\x1b[38;5;226m", 0x82: "\x1b[38;5;226m", 0x83: "\x1b[38;5;226m", 0x84: "\x1b[38;5;226m", 0x85: "\x1b[38;5;226m", 0x86: "\x1b[38;5;226m", 0x87: "\x1b[38;5;226m", 0x88: "\x1b[38;5;226m", 0x89: "\x1b[38;5;226m", 0x8a: "\x1b[38;5;226m", 0x8b: "\x1b[38;5;226m", 0x8c: "\x1b[38;5;226m", 0x8d: "\x1b[38;5;226m", 0x8e: "\x1b[38;5;226m", 0x8f: "\x1b[38;5;226m", 0x90: "\x1b[38;5;208m", 0x91: "\x1b[38;5;226m", 0x92: "\x1b[38;5;226m", 0x93: "\x1b[38;5;226m", 0x94: "\x1b[38;5;226m", 0x95: "\x1b[38;5;226m", 0x96: "\x1b[38;5;226m", 0x97: "\x1b[38;5;226m", 0x98: "\x1b[38;5;226m", 0x99: "\x1b[38;5;226m", 0x9a: "\x1b[38;5;226m", 0x9b: "\x1b[38;5;226m", 0x9c: "\x1b[38;5;226m", 0x9d: "\x1b[38;5;226m", 0x9e: "\x1b[38;5;226m", 0x9f: "\x1b[38;5;226m", 0xa0: "\x1b[38;5;208m", 0xa1: "\x1b[38;5;226m", 0xa2: "\x1b[38;5;226m", 0xa3: "\x1b[38;5;226m", 0xa4: "\x1b[38;5;226m", 0xa5: "\x1b[38;5;226m", 0xa6: "\x1b[38;5;226m", 0xa7: "\x1b[38;5;226m", 0xa8: "\x1b[38;5;226m", 0xa9: "\x1b[38;5;226m", 0xaa: "\x1b[38;5;226m", 0xab: "\x1b[38;5;226m", 0xac: "\x1b[38;5;226m", 0xad: "\x1b[38;5;226m", 0xae: "\x1b[38;5;226m", 0xaf: "\x1b[38;5;226m", 0xb0: "\x1b[38;5;208m", 0xb1: "\x1b[38;5;226m", 0xb2: "\x1b[38;5;226m", 0xb3: "\x1b[38;5;226m", 0xb4: "\x1b[38;5;226m", 0xb5: "\x1b[38;5;226m", 0xb6: "\x1b[38;5;226m", 0xb7: "\x1b[38;5;226m", 0xb8: "\x1b[38;5;226m", 0xb9: "\x1b[38;5;226m", 0xba: "\x1b[38;5;226m", 0xbb: "\x1b[38;5;226m", 0xbc: "\x1b[38;5;226m", 0xbd: "\x1b[38;5;226m", 0xbe: "\x1b[38;5;226m", 0xbf: "\x1b[38;5;226m", 0xc0: "\x1b[38;5;208m", 0xc1: "\x1b[38;5;226m", 0xc2: "\x1b[38;5;226m", 0xc3: "\x1b[38;5;226m", 0xc4: "\x1b[38;5;226m", 0xc5: "\x1b[38;5;226m", 0xc6: "\x1b[38;5;226m", 0xc7: "\x1b[38;5;226m", 0xc8: "\x1b[38;5;226m", 0xc9: "\x1b[38;5;226m", 0xca: "\x1b[38;5;226m", 0xcb: "\x1b[38;5;226m", 0xcc: "\x1b[38;5;226m", 0xcd: "\x1b[38;5;226m", 0xce: "\x1b[38;5;226m", 0xcf: "\x1b[38;5;226m", 0xd0: "\x1b[38;5;208m", 0xd1: "\x1b[38;5;226m", 0xd2: "\x1b[38;5;226m", 0xd3: "\x1b[38;5;226m", 0xd4: "\x1b[38;5;226m", 0xd5: "\x1b[38;5;226m", 0xd6: "\x1b[38;5;226m", 0xd7: "\x1b[38;5;226m", 0xd8: "\x1b[38;5;226m", 0xd9: "\x1b[38;5;226m", 0xda: "\x1b[38;5;226m", 0xdb: "\x1b[38;5;226m", 0xdc: "\x1b[38;5;226m", 0xdd: "\x1b[38;5;226m", 0xde: "\x1b[38;5;226m", 0xdf: "\x1b[38;5;226m", 0xe0: "\x1b[38;5;208m", 0xe1: "\x1b[38;5;226m", 0xe2: "\x1b[38;5;226m", 0xe3: "\x1b[38;5;226m", 0xe4: "\x1b[38;5;226m", 0xe5: "\x1b[38;5;226m", 0xe6: "\x1b[38;5;226m", 0xe7: "\x1b[38;5;226m", 0xe8: "\x1b[38;5;226m", 0xe9: "\x1b[38;5;226m", 0xea: "\x1b[38;5;226m", 0xeb: "\x1b[38;5;226m", 0xec: "\x1b[38;5;226m", 0xed: "\x1b[38;5;226m", 0xee: "\x1b[38;5;226m", 0xef: "\x1b[38;5;226m", 0xf0: "\x1b[38;5;208m", 0xf1: "\x1b[38;5;91m", 0xf2: "\x1b[38;5;91m", 0xf3: "\x1b[38;5;91m", 0xf4: "\x1b[38;5;91m", 0xf5: "\x1b[38;5;91m", 0xf6: "\x1b[38;5;91m", 0xf7: "\x1b[38;5;91m", 0xf8: "\x1b[38;5;91m", 0xf9: "\x1b[38;5;91m", 0xfa: "\x1b[38;5;91m", 0xfb: "\x1b[38;5;91m", 0xfc: "\x1b[38;5;91m", 0xfd: "\x1b[38;5;91m", 0xfe: "\x1b[38;5;91m", 0xff: "\x1b[38;5;88m" }
yxdump
/yxdump-1.0.1.tar.gz/yxdump-1.0.1/yxdconfig.py
yxdconfig.py
# yxd yxd is a hex dump tool similar to xxd, but with features that I wanted. It's written in python3, and doesn't have any requirements outside of the python3 standard library (sys, argparse, re). The script itself is pretty simple, and should be easy to add features to if needed. ## Install You can install the `yxdump` package with pip ``` python3 -m pip install yxdump ``` ## Usage There are two ways to use yxd: from the command line, and as a library. ## Command Line ``` $ yxd -h usage: yxd [-h] [-f INFILE] [-o STARTOFFSET] [-s BUFFERSIZE] [-r] [--plain] [--xx] [--ps] [--py] [--sc] [--style] [-v] [input] yxd - Yuu's heX Dumper positional arguments: input File to open options: -h, --help show this help message and exit -f INFILE File to open -o STARTOFFSET Offset to start within file -s BUFFERSIZE Size of buffer to dump -r Do a reverse hex dump --plain Print in xxd style plain text, compatible with xxd --xx Print in xx format, a modified xxd-style dump for use with xx --ps, -ps output in postscript plain hexdump style. --py Create a python script to generate the buffer --sc Create a C shellcode loader from buffer --style Show Current Hex Style -v Print Version Info ``` ### Reading Files Read a file with command line argument ``` $ yxd file.bin ``` You can also read from stdin ``` $ cat file.bin | yxd ``` ### Specifying offsets and sizes Specify the beginning offset with the `-o` flag, and the size of the buffer with the `-s` flag. You can use decimal or hex (prefixed with 0x) to represent these numbers. ``` $ yxd base.bin -o 0x40 -s 0x38 00000040โ”‚0100 0000 0500 0000โ”‚0000 0000 0000 0000โ”‚................ 00000050โ”‚0000 4000 0000 0000โ”‚0000 4000 0000 0000โ”‚..@.......@..... 00000060โ”‚0000 0000 0100 0000โ”‚0000 0000 0100 0000โ”‚................ 00000070โ”‚0000 2000 0000 0000โ”‚ โ”‚.. ..... ``` ### xxd-style Output yxd is also capable of producing xxd-style hex output with the `--plain` flag. ``` $ yxd base.bin --plain 00000000: 7f45 4c46 0201 0100 0000 0000 0000 0000 .ELF............ 00000010: 0200 3e00 0100 0000 7800 4000 0000 0000 ..>.....x.@..... 00000020: 4000 0000 0000 0000 0000 0000 0000 0000 @............... 00000030: 0000 0000 4000 3800 0100 0000 0000 0000 [email protected]......... 00000040: 0100 0000 0500 0000 0000 0000 0000 0000 ................ 00000050: 0000 4000 0000 0000 0000 4000 0000 0000 ..@.......@..... 00000060: 0000 0000 0100 0000 0000 0000 0100 0000 ................ 00000070: 0000 2000 0000 0000 b03c 66bf 0600 0f05 .. ......<f..... ``` ### xx Compatible Hex Dump yxd can create .xx files compatible with the [xx project](https://github.com/netspooky/xx) by using the flag `--xx`. These are modified xxd style hex dumps with the offset on the side within an `xx` comment, to allow for editing and markup while retaining offset data and the ASCII dump of the file. ``` $ yxd png.5e86c4ab.bin --xx 8950 4e47 0d0a 1a0a 0000 000d 4948 4452 ; 00000000: .PNG........IHDR 0000 0001 0000 0001 0100 0000 0037 6ef9 ; 00000010: .............7n. 2400 0000 1049 4441 5478 9c62 6001 0000 ; 00000020: $....IDATx.b`... 00ff ff03 0000 0600 0557 bfab d400 0000 ; 00000030: .........W...... 0049 454e 44ae 4260 82 ; 00000040: .IEND.B`. ``` ### Plain Hex Dump This is a plain hex dump with all the hexbytes as one long line. This is equivalent to the xxd flag `-ps`. You can use `-ps` or `--ps` to produce this. ``` $ yxd png.5e86c4ab.bin -ps 89504e470d0a1a0a0000000d4948445200000001000000010100000000376ef9240000001049444154789c626001000000ffff03000006000557bfabd40000000049454e44ae426082 ``` ### Reverse Hex Dump yxd does reverse hex dumps and supports both yxd and xxd style output. ``` $ yxd base.bin > base.yxd $ yxd base.yxd -r ELF>x@@@8@@ ๏ฟฝ<f๏ฟฝ ``` ### Script Generation One of my main use cases for this tool is to create buffers from files to manipulate them. ``` $ yxd base.bin --py ``` This dumps the following python script that willwrite the input file and give it a name based on the hash of the file. This is useful if you are doing file format research and need to help track minor changes in files as you edit them. A script form can also make it easier to comment on specific sections, and add your own calculations as needed. ```python import struct import sys import hashlib def writeBin(b,h): outfile = h + ".bin" f = open(outfile,'wb') f.write(b) f.close() print(outfile) b = b"" b += b"\x7f\x45\x4c\x46\x02\x01\x01\x00\x00\x00\x00\x00\x00\x00\x00\x00" # 00000000 .ELF............ b += b"\x02\x00\x3e\x00\x01\x00\x00\x00\x78\x00\x40\x00\x00\x00\x00\x00" # 00000010 ..>.....x.@..... b += b"\x40\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00" # 00000020 @............... b += b"\x00\x00\x00\x00\x40\x00\x38\x00\x01\x00\x00\x00\x00\x00\x00\x00" # 00000030 [email protected]......... b += b"\x01\x00\x00\x00\x05\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00" # 00000040 ................ b += b"\x00\x00\x40\x00\x00\x00\x00\x00\x00\x00\x40\x00\x00\x00\x00\x00" # 00000050 ..@.......@..... b += b"\x00\x00\x00\x00\x01\x00\x00\x00\x00\x00\x00\x00\x01\x00\x00\x00" # 00000060 ................ b += b"\x00\x00\x20\x00\x00\x00\x00\x00\xb0\x3c\x66\xbf\x06\x00\x0f\x05" # 00000070 .. ......<f..... m = hashlib.sha256() m.update(b) shorthash = m.digest().hex()[0:8] writeBin(b,shorthash) ``` Similarly, the `--sc` option can turn your file buffer into a C program that runs it as shellcode ``` $ yxd base.bin -o 0x78 --sc ``` This grabs the shellcode of this specific binary and turns it into a dropper. ```c #include <stdio.h> #include <string.h> char code[] = "\xb0\x3c\x66\xbf\x06\x00\x0f\x05"; int main() { printf("len:%d bytes\n", strlen(code)); (*(void(*)()) code)(); return 0; } ``` ## As a Library The yxd library can do a hex dump with the same style options as in the command line tool, from a library. Example of basic yxd API usage: ``` >>> import yxd >>> a = b"\x41"*32 >>> a += b"\x42"*32 >>> yxd.yxd(a) 00000000: 4141 4141 4141 4141 4141 4141 4141 4141 AAAAAAAAAAAAAAAA 00000010: 4141 4141 4141 4141 4141 4141 4141 4141 AAAAAAAAAAAAAAAA 00000020: 4242 4242 4242 4242 4242 4242 4242 4242 BBBBBBBBBBBBBBBB 00000030: 4242 4242 4242 4242 4242 4242 4242 4242 BBBBBBBBBBBBBBBB ``` By default the yxd library does hex dumps in the xxd format. To output in a different format, you can set the `outFormat` variable to any of the available formats. ```python import yxd a = b"\x41"*32 a += b"\x42"*32 a += b"\xfa\xde\xdd\xdd\xec\xc5\xde\xee" yxd.yxd(a, baseAddr=0x1000, outFormat="yxd") ``` ## Styling The yxdconfig.py file contains the style information for each byte, as well as templates for scripts. You can use ANSI escape codes in each, to enable everything from foreground and background colors, to blinking, underline, and more. These are all contained in a big dictionary called `bytez` Use the `--style` flag to see what the current styling looks like. ## Contributing PRs are welcome. There are still some features I'd like to add, and I would love to see other people's ideas. There are a lot of hex editing tools out there, but this one fits my usecase for simple, portable hex manipulation, that is also pretty looking. Mastodon: https://haunted.computer/@netspooky Twitter: [@netspooky](https://twitter.com/netspooky)
yxdump
/yxdump-1.0.1.tar.gz/yxdump-1.0.1/README.md
README.md
import sys import argparse import re import yxdconfig as yc parser = argparse.ArgumentParser(description="yxd - Yuu's heX Dumper") parser.add_argument('-f', help='File to open', dest='inFile') parser.add_argument('input', help='File to open', nargs='?') parser.add_argument('-o', help='Offset to start within file', dest='startOffset', type=lambda x: int(x,0) ) parser.add_argument('-s', help='Size of buffer to dump', dest='bufferSize', type=lambda x: int(x,0) ) parser.add_argument('-r', help='Do a reverse hex dump', dest='reverseDump', action="store_true") parser.add_argument('--plain', help='Print in xxd style plain text, compatible with xxd', dest='plainText', action="store_true") parser.add_argument('--xx', help='Print in xx format, a modified xxd-style dump for use with xx', dest='xxFormat', action="store_true") parser.add_argument('--ps','-ps', help='output in postscript plain hexdump style.', dest='psFormat', action="store_true") parser.add_argument('--py', help='Create a python script to generate the buffer', dest='genPythonScript', action="store_true") parser.add_argument('--sc', help='Create a C shellcode loader from buffer', dest='genShellcode', action="store_true") parser.add_argument('--style', help='Show Current Hex Style', dest='dumpStyle', action="store_true") parser.add_argument('-v', help='Print Version Info', dest='printVersion', action="store_true") versionInfo="yxd - Yuu's heX Dumper Version 20230831.0""" def styleDump(): """ Dump all styles. Dump the color and style information from the yxdconfig """ for i in range(0,256): print(f"{yc.bytez[i]}{i:02X}{yc.EOA} ",end="") if (i+1) % 16 == 0: if i == 0: continue else: print() def dump(inBytes,baseAddr=0,dataLen=0,blockSize=16,outFormat="xxd",quiet=False): """ Dump hex. This function performs a hex dump on the provided buffer with the given parameters Parameters ---------- inBytes : bytes The hex text buffer to work with. baseAddr : int The base address of the buffer dataLen : int The length of data to dump from the buffer. Default 0 = All blockSize : int The number of bytes per line outFormat : str The format of hex dump format to do quiet : bool If true, don't print the output to the terminal Returns ------- hexDumpOut : str The text form of the hex dump """ dataLen = len(inBytes) if ( dataLen == 0 ) or ( dataLen > len(inBytes) ) else dataLen # Sanity check offs = 0 hexDumpOut = "" # Style dumpBytez = yc.bytez dumpOffstyle = yc.OFFSTYLE dumpSEP0 = yc.SEP0 dumpSEP1 = yc.SEP1 dumpSEP2 = yc.SEP2 dumpEOA = yc.EOA if ( outFormat == "xxd" ) or ( outFormat == "xx" ) or ( outFormat == "ps" ): dumpBytez = {} dumpOffstyle = "" dumpSEP0 = ": " dumpSEP1 = " " dumpSEP2 = " " dumpEOA = "" while offs < dataLen: try: hb = [] bAsc = "" bChunk = inBytes[offs:offs+blockSize] chunkBytes = 0 for b in bChunk: bFmt = f"{dumpBytez[b]}" if b in dumpBytez.keys() else "" bAsc += f"{bFmt}{chr(b)}{dumpEOA}" if chr(b).isprintable() and b < 0x7F else f"{bFmt}.{dumpEOA}" hb.append(f"{bFmt}{b:02x}{dumpEOA}") chunkBytes = chunkBytes + 1 if chunkBytes < blockSize: neededChunks = blockSize - chunkBytes for nullChunk in range(neededChunks): hb.append(" ") realOffs = offs+baseAddr # This is where the buffer to print is built offsetOut = f"{dumpOffstyle}{realOffs:08x}{dumpEOA}{dumpSEP0}" hexOut = f"{hb[0]}{hb[1]} " hexOut += f"{hb[2]}{hb[3]} " hexOut += f"{hb[4]}{hb[5]} " hexOut += f"{hb[6]}{hb[7]}{dumpSEP1}" hexOut += f"{hb[8]}{hb[9]} " hexOut += f"{hb[10]}{hb[11]} " hexOut += f"{hb[12]}{hb[13]} " hexOut += f"{hb[14]}{hb[15]}{dumpSEP2}" if outFormat == "xx": if quiet == False: print(f"{hexOut}; {offsetOut}{bAsc}") hexDumpOut += f"{hexOut}; {offsetOut}{bAsc}\n" elif outFormat == "ps": if quiet == False: print("".join(hexOut.split()),end="") hexDumpOut += "".join(hexOut.split()) else: if quiet == False: print(f"{offsetOut}{hexOut}{bAsc}") hexDumpOut += f"{offsetOut}{hexOut}{bAsc}\n" offs = offs + blockSize except Exception as e: print(f"yxd.dump: {e}") if outFormat == "ps": if quiet == False: print() # Avoid annoying terminal behavior with a new line return hexDumpOut def hexString(bChunk): """ Create an escaped hex string. This function performs turns a buffer of binary data into a hex string in the style of "\x41\x41\x41\x41" Parameters ---------- inBytes : bytes The hex text buffer to work with. Returns ------- bHex : str the hex string with double quotes around it bAsc : str printable characters in this buffer, if any cSum : int checksum, used to determine if all bytes were 0 """ bHex = "" bAsc = "" cSum = 0 try: for b in bChunk: bAsc += chr(b) if chr(b).isprintable() and b < 0x7F else '.' bHex += f"\\x{b:02x}" cSum = cSum + b bHex = f"\"{bHex}\"" return bHex, bAsc, cSum except Exception as e: print(f"yxd.hexString: {e}") # Maybe don't need return bHex, bAsc, cSum def genPythonScript(inBytes): """ Create a Python script loader. This function performs turns a buffer of binary data into a python script that creates a copy of your binary data. Parameters ---------- inBytes : bytes The hex text buffer to work with. """ print(yc.template1) offs = 0 zeroCount = 0 savedOffset = 0 while offs < len(inBytes): bChunk = inBytes[offs:offs+16] chunkLen = len(bChunk) bHex, bAsc, cSum = hexString(bChunk) bHex = "b" + bHex if cSum == 0: if savedOffset == 0: savedOffset = offs zeroCount = zeroCount + chunkLen else: if zeroCount != 0: print(f'b += b"\\x00"*{zeroCount} # {savedOffset:08X}') zeroCount = 0 savedOffset = 0 print(f"b += {bHex} # {offs:08X} {bAsc}") offs = offs + 16 if zeroCount != 0: print(f'b += b"\\x00"*{zeroCount} # {savedOffset:08X}') print(yc.template2) def genShellcode(inBytes): """ Create a C shellcode loader. This function performs turns a buffer of binary data into a C-style shellcode loader. Parameters ---------- inBytes : bytes The hex text buffer to work with. """ print(yc.cTemplate1) print("char code[] = ",end="") scBuff, scAsc, scSum = hexString(inBytes) print(f"{scBuff};") print(yc.cTemplate2) def reverseDump(inText): """ Reverse hex dump. This function performs a reverse hex dump from a text buffer. It can detect both xxd and yxd style hex dumps and convert them back into binary buffers. Parameters ---------- inText : bytes The hex text buffer to work with. """ hexBuf = b"" if inText[0] == 0x1b: # yxd Ansi output linebuf = inText.decode("utf-8") lines = linebuf.split("\n") for l in lines: try: l = l.split("โ”‚") l = l[1] + l[2] l = l.replace(" ", "") escAnsi = re.compile(r'\x1B(?:[@-Z\\-_]|\[[0-?]*[ -/]*[@-~])') l = escAnsi.sub('', l) l = bytes.fromhex(l) hexBuf += l except: break elif inText[0:8] == b"00000000": # xxd style output linebuf = inText.decode("latin-1") lines = linebuf.split("\n") for l in lines: try: l = l.split(" ") # Shave off the last part l.pop() l = l[0].split(": ") l = l[1] l = l.replace(" ", "") l = bytes.fromhex(l) hexBuf += l except: break else: print("yxd.reverseDump: Wrong Format!") sys.stdout.buffer.write(hexBuf) return class yxd: """ A class to represent a buffer of binary data. The yxd class creates a reusable object that can access the features of the yxd library. ... Attributes ---------- binData : bytes a buffer of binary data amount : int the amount of data to output, 0 = all baseAddr : int the base address of the binary data outFormat : str output format, xx, xxd, yxd, python, shellcode, ps etc color : str the color scheme from the config options blockSize : int how many bytes per line offset : int offset within the buffer to do the hexdump from quiet : bool whether to dump to the terminal or not Methods ------- dump(): do hex dump on the binary data with configured settings genPythonScript(): generate a python script that creates a copy of your binary data genShellcode(): create a C shellcode loader from binary data reverseDump(): do a reverse hex dump """ def __init__(self, binData, amount=0, baseAddr=0, outFormat="xxd", color="default", blockSize=16, offset=0, quiet=False ): self.binData = binData self.dataLen = len(binData) self.baseAddr = baseAddr self.outFormat = outFormat self.color = color self.offset = offset self.blockSize = blockSize self.amount = amount self.quiet = quiet if quiet != True: self.dump() def styleDump(self): for i in range(0,256): print(f"{yc.bytez[i]}{i:02X}{yc.EOA} ",end="") if (i+1) % 16 == 0: if i == 0: continue else: print() def dump(self): return dump(self.binData,self.baseAddr,self.dataLen,self.blockSize,self.outFormat) def genPythonScript(self): genPythonScript(self.binData) def genShellcode(self): genShellcode(self.binData) def reverseDump(self): reverseDump(self.binData) def main(): args = parser.parse_args() if args.printVersion: print(versionInfo) sys.exit(0) if args.dumpStyle: styleDump() sys.exit(0) hexStyle = "yxd" if args.plainText: hexStyle = "xxd" if args.xxFormat: hexStyle = "xx" if args.psFormat: hexStyle = "ps" bufferSize = args.bufferSize if args.bufferSize else 0 startOffset = args.startOffset if args.startOffset else 0 if args.inFile == None: args.inFile = args.input if args.inFile and args.inFile != "-": inFile = args.inFile with open(inFile,"rb") as f: f.seek(startOffset) binData = f.read(bufferSize) if bufferSize !=0 else f.read() binSize = len(binData) else: binData = sys.stdin.buffer.read() binSize = len(binData) yxdd = yxd(binData, baseAddr=startOffset, outFormat=hexStyle, quiet=True) if args.genPythonScript: yxdd.genPythonScript() elif args.genShellcode: yxdd.genShellcode() elif args.reverseDump: yxdd.reverseDump() else: yxdd.dump() if __name__ == '__main__': main()
yxdump
/yxdump-1.0.1.tar.gz/yxdump-1.0.1/yxd.py
yxd.py
# Convert from XLSForm to YAML and back yxf (short for **Y**AML **X**LS**F**orms) is a converter between XLSForms and YAML files. With yxf, you can store forms as text-files. This brings a number of advantages to managing many forms. For example, you can store forms in version control, view differences between two forms, and easily share updates between multiple forms. ## Usage To convert an XLSForm to a YAML file: `python -m yxf form.xlsx`. By default, the result will be called `form.yaml`, in other words, the same name as the input file with the extension changed to `.yaml`. You can specify a different output file name using the `--output othername.yaml` option. To convert a YAML file to an XLSForm: `python -m yxf form.yaml`. Here's a screenshot showing the YAML and XLSForm version of a form side-by-side: ![YAML and XLSForm version of a form](https://github.com/Sjlver/yxf/blob/main/docs/yxf-yaml-and-xlsx-side-by-side.png) ### Using Markdown yxf can generate and read Markdown instead of YAML. The format is taken from [md2xlsform](https://github.com/joshuaberetta/md2xlsform). This can be useful if you would like something more compact than YAML, e.g., to paste into a community forum. To use Markdown, add a `--markdown` argument to the yxf invocation: ```shell # Will generate form.md python -m yxf --markdown form.xlsx ``` ## Installation Get the latest version from the GitHub repo: ``` python -m pip install yxf ``` ## Features ### Comments in forms yxf encourages adding comments to XLSForms. It uses a special column labeled `#` to that end. Other tools ignore this column, so that it can be used for explanations that are useful to the readers of the `.xlsx` or `.yaml` files. ### Pretty spreadsheets yxf tries hard to make the XLSForm files look pretty. It is possible to use yxf just for that purpose, without intending to store forms as YAML files. To do so, simply convert a form to YAML and back: ``` python -m yxf form.xlsx python -m yxf -o form-pretty.xlsx form.yaml ``` ## Development yxf is in an early stage of development. Feedback and contributions are welcome. Please open issues in the [issue tracker](https://github.com/Sjlver/yxf/issues). Please run all of the following before committing: - Format the code: `black .` - Run unit tests: `pytest` - See lint warnings (and please fix them :)): `pylint yxf` To publish on PyPI: - Increment the version number in `setup.cfg`. - Run `python -m build`. - Upload using `python -m twine upload dist/*-version-*`.
yxf
/yxf-0.3.0.tar.gz/yxf-0.3.0/README.md
README.md
Python utils ************ Tested in Python2.7, Python3.4. callit ====== You can do:: from __future__ import print_function print('x', 'y', sep=',') But I can not do:: from __future__ import print_function parameters = ('x', 'y', sep=',') print(parameters) With callit, I can do similar thing:: from __future__ import print_function from yxpy.callit import CallIt parameters = CallIt('x', 'y', sep=',') parameters(print) Sometimes, you may use Parameters(similar to CallIt):: from __future__ import print_function from yxpy.callit import Parameters parameters = Parameters('x', 'y', sep=',') parameters(format) dotit ===== Usually, dictionary can be used like this:: d = dict(a=1) d['b'] = 2 x = d['a'] + d['b'] The members in dictionary can only be accessed by `[]`, But in some other languages(eg. javascript), they can be access by `.`:: d.b = 2 x = d.a + d.b With dotit, you can do same thing in similar manner, dotit provide thress class to do it. DotDict:: from dotit import DotDict d = DotDict(a=1) d.b = 2 x = d.a + d.b DotOrderedDict, inherit from collections.OrderedDict:: ... # similar to DotDict DotIt, if you already have a dict like object, you can wrapper with DotIt:: d = dict(a=1, b=2) ... d = DotIt(d) x = d.a + d.b DotIt can also deal with nest dict:: d = dict(a=dict(aa=1, ab=2), b=2) ... d = DotIt(d) x = d.a.aa + d.a.ab loadit ====== Load or reload python object import module:: import loadit load moudule:: mod = loadit.load_it('mymodule') load function:: func = loadit.load_it('mymodule.func') load class:: MyClass = loadit.load_it('mymodule.MyClass') reload module:: new_mod = loadit.reload_it(mod) reload function:: new_func = loadit.reload_it(func) reload class:: NewMyClass = loadit.reload_it(MyClass) yamlfile ======== load config from YAML file, add a include tag. main.yaml:: a: !include a.yaml a.yaml:: name: a usage:: from yxpy import yamlfile yamlfile.load('main.yaml') logginghandlers =============== - SocketHandler(host, port) - DatagramHandler(host, port) - RedisListHandler(list_name, list_maxsize=1024, host='localhost', port=6379, password=None) - RedisPublishHandler(self, channel, host='localhost', port=6379, password=None) SocketHandler & DatagramHandler ------------------------------- logging package provide many Handlers, include `SocketHandler` and `DatagramHandler`, but the data transmit to server is packed as binary, this module privide simular handler to transmit plain text to server. example:: socket_handler = SocketHandler(host, port) ... datagram_handler = DatagramHandler(host, port) ... RedisListHandler & RedisPublishHandler -------------------------------------- use Redis as log server, the two handler is just privide a singleway to redis server. to keep simple, the handlers does check the response of redis. example: handler = RedisListHandler(list_name='logtest', list_maxsize=100, password='test') ... handler = RedisPublishHandler(channel='logtest', password='test') ...
yxpy
/yxpy-0.1.5.zip/yxpy-0.1.5/README.rst
README.rst
from dataclasses import dataclass from logging import getLogger import re from typing import Dict, Iterator, List, Optional, Tuple from bs4 import BeautifulSoup import bs4 from ac_core.constant import _SITE_URL from ac_core.modal.problem_test_case import ProblemTestCase from ac_core.utils import HTML_PARSER, get_direct_children_text, remove_prefix, remove_suffix from ac_core.utils.html_parse_helper import parse_start_end, parse_url logger = getLogger(__name__) class SampleParseError(RuntimeError): def __init__(self, message: str = 'failed to parse samples'): super().__init__(message) @dataclass class ProblemResult(): id: str url: str name: str score: int tests: List[ProblemTestCase] contest_name: str contest_url: str contest_start: int contest_end: int memory_limit_kb: int time_limit_msec: int def _parse_score(soup: bs4.BeautifulSoup) -> Optional[int]: task_statement = soup.find('div', id='task-statement') p = task_statement.find('p') # first if isinstance(p, bs4.Tag) and p.text.startswith('้…็‚น : '): score = remove_suffix(remove_prefix(p.text, '้…็‚น : '), ' ็‚น') try: return int(score) except ValueError: # some problems have scores like "<p>้…็‚น : \(100\) ็‚น</p>", not "<p>้…็‚น : 100 ็‚น</p>" # example: https://atcoder.jp/contests/wupc2019/tasks/wupc2019_a pass return None # Title in/out content def _find_sample_tags(soup: BeautifulSoup) -> Iterator[Tuple[str, int, str]]: # fix dup test case cause of lang-ja and lang-en lang_soup = soup.find('span', class_="lang-en") if lang_soup is None: lang_soup = soup.find('span', class_="lang-ja") if lang_soup is None: lang_soup = soup.find(id='task-statement') assert isinstance(lang_soup, bs4.Tag) input_strings = ('ๅ…ฅๅŠ›ไพ‹', 'Sample Input') output_strings = ('ๅ‡บๅŠ›ไพ‹', 'Sample Output') expected_strings = input_strings + output_strings def h3_2_title_inout(s: str) -> Tuple[str, int]: for prefix in input_strings: if s.startswith(prefix): return (s[len(prefix):].strip(), 0) for prefix in output_strings: if s.startswith(prefix): return (s[len(prefix):].strip(), 1) raise SampleParseError('Unknown input or output:' + str(h3)) def get_header(tag, expected_tag_name): if tag and tag.name == expected_tag_name and tag.string and any(s in tag.string for s in expected_strings): return tag return None for pre in lang_soup.find_all('pre'): logger.debug('pre tag: %s', str(pre)) # the standard format: #task-statement h3+pre # used by AtCoder's JavaScript, sometimes used with .prettyprint # example: https://atcoder.jp/contests/abc114/tasks/abc114_d # NOTE: The AtCoder's JavaScript (at https://atcoder.jp/public/js/contest.js?v=201911110917 version) supports: # - "#task-statement h3+pre" format for Copy buttons of <h3> and <pre> tags # - "pre.prettyprint" format for Copy buttons of <pre> tags h3 = get_header(tag=pre.find_previous_sibling(), expected_tag_name='h3') if h3: yield h3_2_title_inout(h3.text) + (pre.text, ) continue # a old format: #task-statement h3+section>pre:first-child # partially supported by AtCoder's JavaScript # NOTE: The relaxed format "#task-statement h3+section>pre" may cause false-positive. e.g. https://atcoder.jp/contests/abc003/tasks/abc003_4 # NOTE: The format "h3+section>pre.prettyprint" sometimes cause false-negative. e.g. https://atcoder.jp/contests/tdpc/tasks/tdpc_fibonacci # example: https://atcoder.jp/contests/abc003/tasks/abc003_4 if pre.find_previous_sibling() is None and pre.parent.name == 'section': h3 = get_header(tag=pre.parent.find_previous_sibling(), expected_tag_name='h3') if h3: yield h3_2_title_inout(h3.text) + (pre.text, ) continue # a very old format: #task-statement p+pre.literal-block # entirely unsupported by AtCoder's JavaScript # example: https://atcoder.jp/contests/utpc2011/tasks/utpc2011_1 if 'literal-block' in pre.attrs.get('class', []): p = get_header(tag=pre.find_previous_sibling(), expected_tag_name='p') if p: yield h3_2_title_inout(p) + (pre.text, ) continue def _parse_sample_cases(soup: BeautifulSoup) -> List[ProblemTestCase]: """ :raises SampleParseError: """ s_dict: Dict[str, ProblemTestCase] = {} for title, inout, content in _find_sample_tags(soup): if title not in s_dict: s_dict[title] = ProblemTestCase(title=title) if inout == 0: s_dict[title].input = content.lstrip() elif inout == 1: s_dict[title].output = content.lstrip() else: assert (False) samples: List[ProblemTestCase] = [] for title, inout, content in _find_sample_tags(soup): if inout == 0: samples.append(s_dict[title]) return samples def parse_task(html: str) -> ProblemResult: """parse problem page html to structured data :param html: the html source get from ``https://atcoder.jp/contests/{contest_id}/tasks/{problem_id}`` :examples: .. code-block:: import requests from ac_core.problem import parse_task r = requests.get('https://atcoder.jp/contests/abc260/tasks/abc260_a') if r.status_code == 200: print(parse_task(r.text)) """ soup = BeautifulSoup(html, HTML_PARSER) h2 = soup.find('span', class_='h2') assert isinstance(h2, bs4.Tag) alphabet, _, name = get_direct_children_text(h2).strip().partition(' - ') time_limit, memory_limit = h2.find_next_sibling('p').text.strip().split(' / ') for time_limit_prefix in ('ๅฎŸ่กŒๆ™‚้–“ๅˆถ้™: ', 'Time Limit: '): if time_limit.startswith(time_limit_prefix): break else: assert False if time_limit.endswith(' msec'): time_limit_msec = int(remove_suffix(remove_prefix(time_limit, time_limit_prefix), ' msec')) elif time_limit.endswith(' sec'): time_limit_msec = int(float(remove_suffix(remove_prefix(time_limit, time_limit_prefix), ' sec')) * 1000) else: assert False # When login as the admin, a link is added after memory limit. See https://github.com/online-judge-tools/api-client/issues/90 parsed_memory_limit = re.search(r'^(ใƒกใƒขใƒชๅˆถ้™|Memory Limit): ([0-9.]+) (KB|MB)', memory_limit) assert parsed_memory_limit memory_limit_value = parsed_memory_limit.group(2) memory_limit_unit = parsed_memory_limit.group(3) if memory_limit_unit == 'KB': memory_limit_byte = int(float(memory_limit_value)) elif memory_limit_unit == 'MB': memory_limit_byte = int(float(memory_limit_value) * 1000) else: assert False try: tests_list = _parse_sample_cases(soup) or [] # type: Optional[List[ProblemTestCase]] except SampleParseError as e: logger.error(str(e)) score = _parse_score(soup) url = parse_url(soup) contest_info = soup.find(class_="contest-title") assert isinstance(contest_info, bs4.Tag) contest_name = contest_info.text contest_url = _SITE_URL + contest_info.attrs["href"] start_time, end_time = parse_start_end(soup) return ProblemResult( id=alphabet, url=url, name=name, time_limit_msec=time_limit_msec, memory_limit_kb=memory_limit_byte, tests=tests_list, score=score, contest_name=contest_name, contest_url=contest_url, contest_start=start_time, contest_end=end_time, )
yxr-atcoder-core
/yxr_atcoder_core-0.0.3.3-py3-none-any.whl/ac_core/problem.py
problem.py
from dataclasses import dataclass from typing import Dict, cast from bs4 import BeautifulSoup import bs4 from ac_core.constant import _SITE_URL from ac_core.interfaces.HttpUtil import HttpUtilInterface, HttpRespInterface from ac_core.url import url_2_contest_id from ac_core.utils import HTML_PARSER @dataclass class SubmitResult: url: str def fetch_fields(html: str) -> Dict[str, str]: """parse necessary fields for requests header such as 'csrf_token' :param html: the html source from ``https://atcoder.jp/contests/{contest_id}/submit`` """ soup = BeautifulSoup(html, HTML_PARSER) return {'csrf_token': cast(bs4.Tag, soup.find('input', attrs={'name': 'csrf_token'})).attrs['value']} def problem_url_2_submit_url(problem_url: str) -> str: """covert tool for problem_url to submit_url. :param problem_url: e.g. ``'https://atcoder.jp/contests/abc285/tasks/abc285_a'`` :returns: problem_url e.g. ``'https://atcoder.jp/contests/abc285/submit'`` :examples: .. code-block:: from ac_core.submit import problem_url_2_submit_url print(problem_url_2_submit_url('https://atcoder.jp/contests/abc285/tasks/abc285_a')) """ contest_id = url_2_contest_id(problem_url) return _SITE_URL + '/contests/' + contest_id + '/submit' def fetch_submit(http_util: HttpUtilInterface, problem_url: str, lang_id: str, source_code: str) -> HttpRespInterface: """Submit code. You need logged in before using this method. :param http_util: e.g. requests.session() :param problem_url: e.g. ``'https://atcoder.jp/contests/abc285/tasks/abc285_a'`` :param lang_id: e.g. ``'4003'`` for ``C++ (GCC 9.2.1)``, use :py:func:`ac_core.language.fetch_language()` to get language list :param source_code: the code text :examples: .. code-block:: import requests from ac_core.auth import fetch_login, is_logged_in from ac_core.submit import fetch_submit h = requests.session() fetch_login(h, 'username', 'password') assert(is_logged_in(h)) print(fetch_submit(h,'https://atcoder.jp/contests/abc285/tasks/abc285_a','4006','print("hello world.")')) """ problem_id = problem_url.split('/')[-1] submit_url = problem_url_2_submit_url(problem_url) html = (http_util.get(submit_url)).text post_data = { 'sourceCode': source_code, 'data.LanguageId': lang_id, 'data.TaskScreenName': problem_id, } fields = fetch_fields(html) for key, val in fields.items(): post_data[key] = val # TODO add test return http_util.post(url=submit_url, data=post_data)
yxr-atcoder-core
/yxr_atcoder_core-0.0.3.3-py3-none-any.whl/ac_core/submit.py
submit.py