repo_name
stringlengths
5
100
ref
stringlengths
12
67
path
stringlengths
4
244
copies
stringlengths
1
8
content
stringlengths
0
1.05M
makinacorpus/django
refs/heads/master
django/contrib/gis/geos/io.py
623
""" Module that holds classes for performing I/O operations on GEOS geometry objects. Specifically, this has Python implementations of WKB/WKT reader and writer classes. """ from django.contrib.gis.geos.geometry import GEOSGeometry from django.contrib.gis.geos.prototypes.io import _WKTReader, _WKBReader, WKBWriter, WKTWriter # Public classes for (WKB|WKT)Reader, which return GEOSGeometry class WKBReader(_WKBReader): def read(self, wkb): "Returns a GEOSGeometry for the given WKB buffer." return GEOSGeometry(super(WKBReader, self).read(wkb)) class WKTReader(_WKTReader): def read(self, wkt): "Returns a GEOSGeometry for the given WKT string." return GEOSGeometry(super(WKTReader, self).read(wkt))
jstutters/Plumbium
refs/heads/master
example/example.py
1
from collections import OrderedDict import sys from pirec import call, record, pipeline from pirec.recorders import CSVFile @record() def pipeline_stage_1(): call(['echo', 'foo']) @record() def pipeline_stage_2(): call(['echo', 'data: 55']) def my_pipeline(): pipeline_stage_1() pipeline_stage_2() return 5 def example_pipeline(): csvfile = CSVFile( 'csv_results.csv', OrderedDict([ ('subject', lambda x: x['metadata']['subject']), ('start_date', lambda x: x['start_date']), ('process_val', lambda x: x['processes'][-1]['printed_output'].strip().split(':')[1]), ('result_val', lambda x: x['results']['my_result']) ]) ) pipeline.run( 'example', my_pipeline, sys.argv[1], metadata={'subject': 1}, recorder=csvfile, result_names=('my_result',) ) if __name__ == '__main__': example_pipeline()
Azure/azure-sdk-for-python
refs/heads/sync-eng/common-js-nightly-docs-2-1768-ForTestPipeline
sdk/kubernetesconfiguration/azure-mgmt-kubernetesconfiguration/azure/mgmt/kubernetesconfiguration/aio/_configuration.py
1
# coding=utf-8 # -------------------------------------------------------------------------- # Copyright (c) Microsoft Corporation. All rights reserved. # Licensed under the MIT License. See License.txt in the project root for license information. # Code generated by Microsoft (R) AutoRest Code Generator. # Changes may cause incorrect behavior and will be lost if the code is regenerated. # -------------------------------------------------------------------------- from typing import Any, TYPE_CHECKING from azure.core.configuration import Configuration from azure.core.pipeline import policies from azure.mgmt.core.policies import ARMHttpLoggingPolicy from .._version import VERSION if TYPE_CHECKING: # pylint: disable=unused-import,ungrouped-imports from azure.core.credentials_async import AsyncTokenCredential class SourceControlConfigurationClientConfiguration(Configuration): """Configuration for SourceControlConfigurationClient. Note that all parameters used to create this instance are saved as instance attributes. :param credential: Credential needed for the client to connect to Azure. :type credential: ~azure.core.credentials_async.AsyncTokenCredential :param subscription_id: The Azure subscription ID. This is a GUID-formatted string (e.g. 00000000-0000-0000-0000-000000000000). :type subscription_id: str """ def __init__( self, credential: "AsyncTokenCredential", subscription_id: str, **kwargs: Any ) -> None: if credential is None: raise ValueError("Parameter 'credential' must not be None.") if subscription_id is None: raise ValueError("Parameter 'subscription_id' must not be None.") super(SourceControlConfigurationClientConfiguration, self).__init__(**kwargs) self.credential = credential self.subscription_id = subscription_id self.api_version = "2020-10-01-preview" self.credential_scopes = kwargs.pop('credential_scopes', ['https://management.azure.com/.default']) kwargs.setdefault('sdk_moniker', 'mgmt-kubernetesconfiguration/{}'.format(VERSION)) self._configure(**kwargs) def _configure( self, **kwargs: Any ) -> None: self.user_agent_policy = kwargs.get('user_agent_policy') or policies.UserAgentPolicy(**kwargs) self.headers_policy = kwargs.get('headers_policy') or policies.HeadersPolicy(**kwargs) self.proxy_policy = kwargs.get('proxy_policy') or policies.ProxyPolicy(**kwargs) self.logging_policy = kwargs.get('logging_policy') or policies.NetworkTraceLoggingPolicy(**kwargs) self.http_logging_policy = kwargs.get('http_logging_policy') or ARMHttpLoggingPolicy(**kwargs) self.retry_policy = kwargs.get('retry_policy') or policies.AsyncRetryPolicy(**kwargs) self.custom_hook_policy = kwargs.get('custom_hook_policy') or policies.CustomHookPolicy(**kwargs) self.redirect_policy = kwargs.get('redirect_policy') or policies.AsyncRedirectPolicy(**kwargs) self.authentication_policy = kwargs.get('authentication_policy') if self.credential and not self.authentication_policy: self.authentication_policy = policies.AsyncBearerTokenCredentialPolicy(self.credential, *self.credential_scopes, **kwargs)
mhkeller/electron
refs/heads/master
tools/posix/generate_breakpad_symbols.py
185
#!/usr/bin/env python # Copyright (c) 2013 GitHub, Inc. # Copyright (c) 2013 The Chromium Authors. All rights reserved. # Use of this source code is governed by a BSD-style license that can be # found in the LICENSE file. """A tool to generate symbols for a binary suitable for breakpad. Currently, the tool only supports Linux, Android, and Mac. Support for other platforms is planned. """ import errno import optparse import os import Queue import re import shutil import subprocess import sys import threading CONCURRENT_TASKS=4 def GetCommandOutput(command): """Runs the command list, returning its output. Prints the given command (which should be a list of one or more strings), then runs it and returns its output (stdout) as a string. From chromium_utils. """ devnull = open(os.devnull, 'w') proc = subprocess.Popen(command, stdout=subprocess.PIPE, stderr=devnull, bufsize=1) output = proc.communicate()[0] return output def GetDumpSymsBinary(build_dir=None): """Returns the path to the dump_syms binary.""" DUMP_SYMS = 'dump_syms' dump_syms_bin = os.path.join(os.path.expanduser(build_dir), DUMP_SYMS) if not os.access(dump_syms_bin, os.X_OK): print 'Cannot find %s.' % DUMP_SYMS sys.exit(1) return dump_syms_bin def FindBundlePart(full_path): if full_path.endswith(('.dylib', '.framework', '.app')): return os.path.basename(full_path) elif full_path != '' and full_path != '/': return FindBundlePart(os.path.dirname(full_path)) else: return '' def GetDSYMBundle(options, binary_path): """Finds the .dSYM bundle to the binary.""" if os.path.isabs(binary_path): dsym_path = binary_path + '.dSYM' if os.path.exists(dsym_path): return dsym_path filename = FindBundlePart(binary_path) search_dirs = [options.build_dir, options.libchromiumcontent_dir] if filename.endswith(('.dylib', '.framework', '.app')): for directory in search_dirs: dsym_path = os.path.join(directory, filename) + '.dSYM' if os.path.exists(dsym_path): return dsym_path return binary_path def GetSymbolPath(options, binary_path): """Finds the .dbg to the binary.""" filename = os.path.basename(binary_path) dbg_path = os.path.join(options.libchromiumcontent_dir, filename) + '.dbg' if os.path.exists(dbg_path): return dbg_path return binary_path def Resolve(path, exe_path, loader_path, rpaths): """Resolve a dyld path. @executable_path is replaced with |exe_path| @loader_path is replaced with |loader_path| @rpath is replaced with the first path in |rpaths| where the referenced file is found """ path = path.replace('@loader_path', loader_path) path = path.replace('@executable_path', exe_path) if path.find('@rpath') != -1: for rpath in rpaths: new_path = Resolve(path.replace('@rpath', rpath), exe_path, loader_path, []) if os.access(new_path, os.F_OK): return new_path return '' return path def GetSharedLibraryDependenciesLinux(binary): """Return absolute paths to all shared library dependecies of the binary. This implementation assumes that we're running on a Linux system.""" ldd = GetCommandOutput(['ldd', binary]) lib_re = re.compile('\t.* => (.+) \(.*\)$') result = [] for line in ldd.splitlines(): m = lib_re.match(line) if m: result.append(m.group(1)) return result def GetSharedLibraryDependenciesMac(binary, exe_path): """Return absolute paths to all shared library dependecies of the binary. This implementation assumes that we're running on a Mac system.""" loader_path = os.path.dirname(binary) otool = GetCommandOutput(['otool', '-l', binary]).splitlines() rpaths = [] for idx, line in enumerate(otool): if line.find('cmd LC_RPATH') != -1: m = re.match(' *path (.*) \(offset .*\)$', otool[idx+2]) rpaths.append(m.group(1)) otool = GetCommandOutput(['otool', '-L', binary]).splitlines() lib_re = re.compile('\t(.*) \(compatibility .*\)$') deps = [] for line in otool: m = lib_re.match(line) if m: dep = Resolve(m.group(1), exe_path, loader_path, rpaths) if dep: deps.append(os.path.normpath(dep)) return deps def GetSharedLibraryDependencies(options, binary, exe_path): """Return absolute paths to all shared library dependecies of the binary.""" deps = [] if sys.platform.startswith('linux'): deps = GetSharedLibraryDependenciesLinux(binary) elif sys.platform == 'darwin': deps = GetSharedLibraryDependenciesMac(binary, exe_path) else: print "Platform not supported." sys.exit(1) result = [] build_dir = os.path.abspath(options.build_dir) for dep in deps: if (os.access(dep, os.F_OK)): result.append(dep) return result def mkdir_p(path): """Simulates mkdir -p.""" try: os.makedirs(path) except OSError as e: if e.errno == errno.EEXIST and os.path.isdir(path): pass else: raise def GenerateSymbols(options, binaries): """Dumps the symbols of binary and places them in the given directory.""" queue = Queue.Queue() print_lock = threading.Lock() def _Worker(): while True: binary = queue.get() if options.verbose: with print_lock: print "Generating symbols for %s" % binary if sys.platform == 'darwin': binary = GetDSYMBundle(options, binary) elif sys.platform == 'linux2': binary = GetSymbolPath(options, binary) syms = GetCommandOutput([GetDumpSymsBinary(options.build_dir), '-r', '-c', binary]) module_line = re.match("MODULE [^ ]+ [^ ]+ ([0-9A-F]+) (.*)\n", syms) output_path = os.path.join(options.symbols_dir, module_line.group(2), module_line.group(1)) mkdir_p(output_path) symbol_file = "%s.sym" % module_line.group(2) f = open(os.path.join(output_path, symbol_file), 'w') f.write(syms) f.close() queue.task_done() for binary in binaries: queue.put(binary) for _ in range(options.jobs): t = threading.Thread(target=_Worker) t.daemon = True t.start() queue.join() def main(): parser = optparse.OptionParser() parser.add_option('', '--build-dir', default='', help='The build output directory.') parser.add_option('', '--symbols-dir', default='', help='The directory where to write the symbols file.') parser.add_option('', '--libchromiumcontent-dir', default='', help='The directory where libchromiumcontent is downloaded.') parser.add_option('', '--binary', default='', help='The path of the binary to generate symbols for.') parser.add_option('', '--clear', default=False, action='store_true', help='Clear the symbols directory before writing new ' 'symbols.') parser.add_option('-j', '--jobs', default=CONCURRENT_TASKS, action='store', type='int', help='Number of parallel tasks to run.') parser.add_option('-v', '--verbose', action='store_true', help='Print verbose status output.') (options, _) = parser.parse_args() if not options.symbols_dir: print "Required option --symbols-dir missing." return 1 if not options.build_dir: print "Required option --build-dir missing." return 1 if not options.libchromiumcontent_dir: print "Required option --libchromiumcontent-dir missing." return 1 if not options.binary: print "Required option --binary missing." return 1 if not os.access(options.binary, os.X_OK): print "Cannot find %s." % options.binary return 1 if options.clear: try: shutil.rmtree(options.symbols_dir) except: pass # Build the transitive closure of all dependencies. binaries = set([options.binary]) queue = [options.binary] exe_path = os.path.dirname(options.binary) while queue: deps = GetSharedLibraryDependencies(options, queue.pop(0), exe_path) new_deps = set(deps) - binaries binaries |= new_deps queue.extend(list(new_deps)) GenerateSymbols(options, binaries) return 0 if '__main__' == __name__: sys.exit(main())
saydulk/horizon
refs/heads/master
openstack_dashboard/dashboards/identity/groups/tests.py
29
# Copyright 2013 Hewlett-Packard Development Company, L.P. # # Licensed under the Apache License, Version 2.0 (the "License"); you may # not use this file except in compliance with the License. You may obtain # a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, WITHOUT # WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the # License for the specific language governing permissions and limitations # under the License. from django.core.urlresolvers import reverse from django import http from mox3.mox import IgnoreArg # noqa from mox3.mox import IsA # noqa from openstack_dashboard import api from openstack_dashboard.test import helpers as test from openstack_dashboard.dashboards.identity.groups import constants GROUPS_INDEX_URL = reverse(constants.GROUPS_INDEX_URL) GROUP_CREATE_URL = reverse(constants.GROUPS_CREATE_URL) GROUP_UPDATE_URL = reverse(constants.GROUPS_UPDATE_URL, args=[1]) GROUP_MANAGE_URL = reverse(constants.GROUPS_MANAGE_URL, args=[1]) GROUP_ADD_MEMBER_URL = reverse(constants.GROUPS_ADD_MEMBER_URL, args=[1]) class GroupsViewTests(test.BaseAdminViewTests): def _get_domain_id(self): return self.request.session.get('domain_context', None) def _get_groups(self, domain_id): if not domain_id: groups = self.groups.list() else: groups = [group for group in self.groups.list() if group.domain_id == domain_id] return groups @test.create_stubs({api.keystone: ('group_list',)}) def test_index(self): domain_id = self._get_domain_id() groups = self._get_groups(domain_id) api.keystone.group_list(IgnoreArg(), domain=domain_id) \ .AndReturn(groups) self.mox.ReplayAll() res = self.client.get(GROUPS_INDEX_URL) self.assertTemplateUsed(res, constants.GROUPS_INDEX_VIEW_TEMPLATE) self.assertItemsEqual(res.context['table'].data, groups) if domain_id: for group in res.context['table'].data: self.assertItemsEqual(group.domain_id, domain_id) self.assertContains(res, 'Create Group') self.assertContains(res, 'Edit') self.assertContains(res, 'Delete Group') def test_index_with_domain(self): domain = self.domains.get(id="1") self.setSessionValues(domain_context=domain.id, domain_context_name=domain.name) self.test_index() @test.create_stubs({api.keystone: ('group_list', 'keystone_can_edit_group')}) def test_index_with_keystone_can_edit_group_false(self): domain_id = self._get_domain_id() groups = self._get_groups(domain_id) api.keystone.group_list(IgnoreArg(), domain=domain_id) \ .AndReturn(groups) api.keystone.keystone_can_edit_group() \ .MultipleTimes().AndReturn(False) self.mox.ReplayAll() res = self.client.get(GROUPS_INDEX_URL) self.assertTemplateUsed(res, constants.GROUPS_INDEX_VIEW_TEMPLATE) self.assertItemsEqual(res.context['table'].data, groups) self.assertNotContains(res, 'Create Group') self.assertNotContains(res, 'Edit') self.assertNotContains(res, 'Delete Group') @test.create_stubs({api.keystone: ('group_create', )}) def test_create(self): domain_id = self._get_domain_id() group = self.groups.get(id="1") api.keystone.group_create(IsA(http.HttpRequest), description=group.description, domain_id=domain_id, name=group.name).AndReturn(group) self.mox.ReplayAll() formData = {'method': 'CreateGroupForm', 'name': group.name, 'description': group.description} res = self.client.post(GROUP_CREATE_URL, formData) self.assertNoFormErrors(res) self.assertMessageCount(success=1) def test_create_with_domain(self): domain = self.domains.get(id="1") self.setSessionValues(domain_context=domain.id, domain_context_name=domain.name) self.test_create() @test.create_stubs({api.keystone: ('group_get', 'group_update')}) def test_update(self): group = self.groups.get(id="1") test_description = 'updated description' api.keystone.group_get(IsA(http.HttpRequest), '1').AndReturn(group) api.keystone.group_update(IsA(http.HttpRequest), description=test_description, group_id=group.id, name=group.name).AndReturn(None) self.mox.ReplayAll() formData = {'method': 'UpdateGroupForm', 'group_id': group.id, 'name': group.name, 'description': test_description} res = self.client.post(GROUP_UPDATE_URL, formData) self.assertNoFormErrors(res) @test.create_stubs({api.keystone: ('group_list', 'group_delete')}) def test_delete_group(self): domain_id = self._get_domain_id() group = self.groups.get(id="2") api.keystone.group_list(IgnoreArg(), domain=domain_id) \ .AndReturn(self.groups.list()) api.keystone.group_delete(IgnoreArg(), group.id) self.mox.ReplayAll() formData = {'action': 'groups__delete__%s' % group.id} res = self.client.post(GROUPS_INDEX_URL, formData) self.assertRedirectsNoFollow(res, GROUPS_INDEX_URL) @test.create_stubs({api.keystone: ('group_get', 'user_list',)}) def test_manage(self): group = self.groups.get(id="1") group_members = self.users.list() api.keystone.group_get(IsA(http.HttpRequest), group.id).\ AndReturn(group) api.keystone.user_list(IgnoreArg(), group=group.id).\ AndReturn(group_members) self.mox.ReplayAll() res = self.client.get(GROUP_MANAGE_URL) self.assertTemplateUsed(res, constants.GROUPS_MANAGE_VIEW_TEMPLATE) self.assertItemsEqual(res.context['table'].data, group_members) @test.create_stubs({api.keystone: ('user_list', 'remove_group_user')}) def test_remove_user(self): group = self.groups.get(id="1") user = self.users.get(id="2") api.keystone.user_list(IgnoreArg(), group=group.id).\ AndReturn(self.users.list()) api.keystone.remove_group_user(IgnoreArg(), group_id=group.id, user_id=user.id) self.mox.ReplayAll() formData = {'action': 'group_members__removeGroupMember__%s' % user.id} res = self.client.post(GROUP_MANAGE_URL, formData) self.assertRedirectsNoFollow(res, GROUP_MANAGE_URL) self.assertMessageCount(success=1) @test.create_stubs({api.keystone: ('group_get', 'user_list', 'add_group_user')}) def test_add_user(self): group = self.groups.get(id="1") user = self.users.get(id="2") api.keystone.group_get(IsA(http.HttpRequest), group.id).\ AndReturn(group) api.keystone.user_list(IgnoreArg(), domain=group.domain_id).\ AndReturn(self.users.list()) api.keystone.user_list(IgnoreArg(), group=group.id).\ AndReturn(self.users.list()[2:]) api.keystone.add_group_user(IgnoreArg(), group_id=group.id, user_id=user.id) self.mox.ReplayAll() formData = {'action': 'group_non_members__addMember__%s' % user.id} res = self.client.post(GROUP_ADD_MEMBER_URL, formData) self.assertRedirectsNoFollow(res, GROUP_MANAGE_URL) self.assertMessageCount(success=1)
gangadhar-kadam/mtn-erpnext
refs/heads/master
selling/doctype/quotation_item/quotation_item.py
483
# ERPNext - web based ERP (http://erpnext.com) # Copyright (C) 2012 Web Notes Technologies Pvt Ltd # # This program is free software: you can redistribute it and/or modify # it under the terms of the GNU 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 General Public License for more details. # # You should have received a copy of the GNU General Public License # along with this program. If not, see <http://www.gnu.org/licenses/>. from __future__ import unicode_literals import webnotes class DocType: def __init__(self, d, dl): self.doc, self.doclist = d, dl
Itxaka/libcloud
refs/heads/trunk
libcloud/utils/dist.py
57
# Licensed to the Apache Software Foundation (ASF) under one or more # contributor license agreements. See the NOTICE file distributed with # this work for additional information regarding copyright ownership. # The ASF licenses this file to You under the Apache License, Version 2.0 # (the "License"); you may not use this file except in compliance with # the License. You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. # Taken From Twisted Python which licensed under MIT license # https://github.com/powdahound/twisted/blob/master/twisted/python/dist.py # https://github.com/powdahound/twisted/blob/master/LICENSE import os import fnmatch # Names that are excluded from globbing results: EXCLUDE_NAMES = ['{arch}', 'CVS', '.cvsignore', '_darcs', 'RCS', 'SCCS', '.svn'] EXCLUDE_PATTERNS = ['*.py[cdo]', '*.s[ol]', '.#*', '*~', '*.py'] def _filter_names(names): """ Given a list of file names, return those names that should be copied. """ names = [n for n in names if n not in EXCLUDE_NAMES] # This is needed when building a distro from a working # copy (likely a checkout) rather than a pristine export: for pattern in EXCLUDE_PATTERNS: names = [n for n in names if not fnmatch.fnmatch(n, pattern) and not n.endswith('.py')] return names def relative_to(base, relativee): """ Gets 'relativee' relative to 'basepath'. i.e., >>> relative_to('/home/', '/home/radix/') 'radix' >>> relative_to('.', '/home/radix/Projects/Twisted') 'Projects/Twisted' The 'relativee' must be a child of 'basepath'. """ basepath = os.path.abspath(base) relativee = os.path.abspath(relativee) if relativee.startswith(basepath): relative = relativee[len(basepath):] if relative.startswith(os.sep): relative = relative[1:] return os.path.join(base, relative) raise ValueError("%s is not a subpath of %s" % (relativee, basepath)) def get_packages(dname, pkgname=None, results=None, ignore=None, parent=None): """ Get all packages which are under dname. This is necessary for Python 2.2's distutils. Pretty similar arguments to getDataFiles, including 'parent'. """ parent = parent or "" prefix = [] if parent: prefix = [parent] bname = os.path.basename(dname) ignore = ignore or [] if bname in ignore: return [] if results is None: results = [] if pkgname is None: pkgname = [] subfiles = os.listdir(dname) abssubfiles = [os.path.join(dname, x) for x in subfiles] if '__init__.py' in subfiles: results.append(prefix + pkgname + [bname]) for subdir in filter(os.path.isdir, abssubfiles): get_packages(subdir, pkgname=pkgname + [bname], results=results, ignore=ignore, parent=parent) res = ['.'.join(result) for result in results] return res def get_data_files(dname, ignore=None, parent=None): """ Get all the data files that should be included in this distutils Project. 'dname' should be the path to the package that you're distributing. 'ignore' is a list of sub-packages to ignore. This facilitates disparate package hierarchies. That's a fancy way of saying that the 'twisted' package doesn't want to include the 'twisted.conch' package, so it will pass ['conch'] as the value. 'parent' is necessary if you're distributing a subpackage like twisted.conch. 'dname' should point to 'twisted/conch' and 'parent' should point to 'twisted'. This ensures that your data_files are generated correctly, only using relative paths for the first element of the tuple ('twisted/conch/*'). The default 'parent' is the current working directory. """ parent = parent or "." ignore = ignore or [] result = [] for directory, subdirectories, filenames in os.walk(dname): resultfiles = [] for exname in EXCLUDE_NAMES: if exname in subdirectories: subdirectories.remove(exname) for ig in ignore: if ig in subdirectories: subdirectories.remove(ig) for filename in _filter_names(filenames): resultfiles.append(filename) if resultfiles: for filename in resultfiles: file_path = os.path.join(directory, filename) if parent: file_path = file_path.replace(parent + os.sep, '') result.append(file_path) return result
dymkowsk/mantid
refs/heads/master
scripts/AbinsModules/AbinsParameters.py
2
import math """ Parameters for instruments and Abins """ # Instruments constants ############################# # These parameters can be changed by a user if necessary fwhm = 3.0 # approximate value for the full width at half maximum for Gaussian experimental resolutions # TwoDMap instrument delta_width = 0.1 # width of narrow Gaussian which approximates Dirac delta # TOSCA instrument # TOSCA parameters for calculating Q^2 tosca_final_neutron_energy = 32.0 # Final energy on the crystal analyser in cm-1 tosca_cos_scattering_angle = math.cos(2.356) # Angle of the crystal analyser radians # TOSCA parameters for resolution function # sigma = tosca_a * omega * omega + tosca_b * omega + tosca_c # where sigma is width of Gaussian function tosca_a = 0.0000001 tosca_b = 0.005 tosca_c = 2.5 # Instruments constants end ########################## # Abins internal parameters ########################## # Parameters which can be changed by a user if necessary # name of the group in the hdf file in which extracted data from DFT phonon calculations are stored dft_group = "PhononAB" powder_data_group = "Powder" # name of the group where PowderData is stored crystal_data_group = "SingleCrystal" # name of the group where SingleCrystalData is stored s_data_group = "S" # name of the group where dynamical factor is stored pkt_per_peak = 50 # number of points for each peak broadened by the experimental resolution bin_width = 1.0 # defines width of bins used in rebinning of S max_wavenumber = 4100.0 # maximum wavenumber in cm^-1 taken into account while creating workspaces (exclusive) min_wavenumber = 0.0 # minimal wavenumber in cm^-1 taken into account while creating workspaces (exclusive) acoustic_phonon_threshold = 0.0 # frequencies below this value are treated as acoustic and neglected. # threshold expressed as a fraction of max S intensity below which S values are treated as zero s_relative_threshold = 0.01 # values of S below that value are considered to be zero (to be use in case threshold calculated from # s_relative_threshold is larger than s_absolute_threshold) s_absolute_threshold = 10e-8 optimal_size = 5000000 # this is used to create optimal size of chunk energies for which S is calculated # Actual chunk of energies < optimal_size threads = 3 # number of threads used in parallel calculations # Abins internal parameters end ###########################
rdeheele/odoo
refs/heads/master
addons/project_issue/res_config.py
441
# -*- coding: utf-8 -*- ############################################################################## # # OpenERP, Open Source Business Applications # Copyright (C) 2004-2012 OpenERP S.A. (<http://openerp.com>). # # This program is free software: you can redistribute it and/or modify # it under the terms of the GNU Affero 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 Affero General Public License for more details. # # You should have received a copy of the GNU Affero General Public License # along with this program. If not, see <http://www.gnu.org/licenses/>. # ############################################################################## from openerp.osv import fields, osv class project_issue_settings(osv.osv_memory): _name = 'project.config.settings' _inherit = ['project.config.settings', 'fetchmail.config.settings'] _columns = { 'fetchmail_issue': fields.boolean("Create issues from an incoming email account ", fetchmail_model='project.issue', fetchmail_name='Incoming Issues', help="""Allows you to configure your incoming mail server, and create issues from incoming emails."""), }
obi-two/Rebelion
refs/heads/master
data/scripts/templates/object/draft_schematic/clothing/shared_clothing_vest_field_hutt_03.py
2
#### NOTICE: THIS FILE IS AUTOGENERATED #### MODIFICATIONS MAY BE LOST IF DONE IMPROPERLY #### PLEASE SEE THE ONLINE DOCUMENTATION FOR EXAMPLES from swgpy.object import * def create(kernel): result = Intangible() result.template = "object/draft_schematic/clothing/shared_clothing_vest_field_hutt_03.iff" result.attribute_template_id = -1 result.stfName("string_id_table","") #### BEGIN MODIFICATIONS #### #### END MODIFICATIONS #### return result
Adenilson/servo
refs/heads/master
python/mach/mach/test/providers/throw.py
122
# This Source Code Form is subject to the terms of the Mozilla Public # License, v. 2.0. If a copy of the MPL was not distributed with this # file, You can obtain one at http://mozilla.org/MPL/2.0/. from __future__ import unicode_literals import time from mach.decorators import ( CommandArgument, CommandProvider, Command, ) from mach.test.providers import throw2 @CommandProvider class TestCommandProvider(object): @Command('throw', category='testing') @CommandArgument('--message', '-m', default='General Error') def throw(self, message): raise Exception(message) @Command('throw_deep', category='testing') @CommandArgument('--message', '-m', default='General Error') def throw_deep(self, message): throw2.throw_deep(message)
SolaWing/ycmd
refs/heads/mine
cpp/ycm/tests/gmock/gtest/test/gtest_list_tests_unittest.py
1898
#!/usr/bin/env python # # Copyright 2006, Google Inc. # All rights reserved. # # Redistribution and use in source and binary forms, with or without # modification, are permitted provided that the following conditions are # met: # # * Redistributions of source code must retain the above copyright # notice, this list of conditions and the following disclaimer. # * Redistributions in binary form must reproduce the above # copyright notice, this list of conditions and the following disclaimer # in the documentation and/or other materials provided with the # distribution. # * Neither the name of Google Inc. nor the names of its # contributors may be used to endorse or promote products derived from # this software without specific prior written permission. # # THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS # "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT # LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR # A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT # OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, # SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT # LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, # DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY # THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT # (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE # OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. """Unit test for Google Test's --gtest_list_tests flag. A user can ask Google Test to list all tests by specifying the --gtest_list_tests flag. This script tests such functionality by invoking gtest_list_tests_unittest_ (a program written with Google Test) the command line flags. """ __author__ = 'phanna@google.com (Patrick Hanna)' import gtest_test_utils import re # Constants. # The command line flag for enabling/disabling listing all tests. LIST_TESTS_FLAG = 'gtest_list_tests' # Path to the gtest_list_tests_unittest_ program. EXE_PATH = gtest_test_utils.GetTestExecutablePath('gtest_list_tests_unittest_') # The expected output when running gtest_list_tests_unittest_ with # --gtest_list_tests EXPECTED_OUTPUT_NO_FILTER_RE = re.compile(r"""FooDeathTest\. Test1 Foo\. Bar1 Bar2 DISABLED_Bar3 Abc\. Xyz Def FooBar\. Baz FooTest\. Test1 DISABLED_Test2 Test3 TypedTest/0\. # TypeParam = (VeryLo{245}|class VeryLo{239})\.\.\. TestA TestB TypedTest/1\. # TypeParam = int\s*\* TestA TestB TypedTest/2\. # TypeParam = .*MyArray<bool,\s*42> TestA TestB My/TypeParamTest/0\. # TypeParam = (VeryLo{245}|class VeryLo{239})\.\.\. TestA TestB My/TypeParamTest/1\. # TypeParam = int\s*\* TestA TestB My/TypeParamTest/2\. # TypeParam = .*MyArray<bool,\s*42> TestA TestB MyInstantiation/ValueParamTest\. TestA/0 # GetParam\(\) = one line TestA/1 # GetParam\(\) = two\\nlines TestA/2 # GetParam\(\) = a very\\nlo{241}\.\.\. TestB/0 # GetParam\(\) = one line TestB/1 # GetParam\(\) = two\\nlines TestB/2 # GetParam\(\) = a very\\nlo{241}\.\.\. """) # The expected output when running gtest_list_tests_unittest_ with # --gtest_list_tests and --gtest_filter=Foo*. EXPECTED_OUTPUT_FILTER_FOO_RE = re.compile(r"""FooDeathTest\. Test1 Foo\. Bar1 Bar2 DISABLED_Bar3 FooBar\. Baz FooTest\. Test1 DISABLED_Test2 Test3 """) # Utilities. def Run(args): """Runs gtest_list_tests_unittest_ and returns the list of tests printed.""" return gtest_test_utils.Subprocess([EXE_PATH] + args, capture_stderr=False).output # The unit test. class GTestListTestsUnitTest(gtest_test_utils.TestCase): """Tests using the --gtest_list_tests flag to list all tests.""" def RunAndVerify(self, flag_value, expected_output_re, other_flag): """Runs gtest_list_tests_unittest_ and verifies that it prints the correct tests. Args: flag_value: value of the --gtest_list_tests flag; None if the flag should not be present. expected_output_re: regular expression that matches the expected output after running command; other_flag: a different flag to be passed to command along with gtest_list_tests; None if the flag should not be present. """ if flag_value is None: flag = '' flag_expression = 'not set' elif flag_value == '0': flag = '--%s=0' % LIST_TESTS_FLAG flag_expression = '0' else: flag = '--%s' % LIST_TESTS_FLAG flag_expression = '1' args = [flag] if other_flag is not None: args += [other_flag] output = Run(args) if expected_output_re: self.assert_( expected_output_re.match(output), ('when %s is %s, the output of "%s" is "%s",\n' 'which does not match regex "%s"' % (LIST_TESTS_FLAG, flag_expression, ' '.join(args), output, expected_output_re.pattern))) else: self.assert_( not EXPECTED_OUTPUT_NO_FILTER_RE.match(output), ('when %s is %s, the output of "%s" is "%s"'% (LIST_TESTS_FLAG, flag_expression, ' '.join(args), output))) def testDefaultBehavior(self): """Tests the behavior of the default mode.""" self.RunAndVerify(flag_value=None, expected_output_re=None, other_flag=None) def testFlag(self): """Tests using the --gtest_list_tests flag.""" self.RunAndVerify(flag_value='0', expected_output_re=None, other_flag=None) self.RunAndVerify(flag_value='1', expected_output_re=EXPECTED_OUTPUT_NO_FILTER_RE, other_flag=None) def testOverrideNonFilterFlags(self): """Tests that --gtest_list_tests overrides the non-filter flags.""" self.RunAndVerify(flag_value='1', expected_output_re=EXPECTED_OUTPUT_NO_FILTER_RE, other_flag='--gtest_break_on_failure') def testWithFilterFlags(self): """Tests that --gtest_list_tests takes into account the --gtest_filter flag.""" self.RunAndVerify(flag_value='1', expected_output_re=EXPECTED_OUTPUT_FILTER_FOO_RE, other_flag='--gtest_filter=Foo*') if __name__ == '__main__': gtest_test_utils.Main()
OpenUpgrade-dev/OpenUpgrade
refs/heads/8.0
openerp/addons/base/tests/test_expression.py
260
import unittest2 import openerp from openerp.osv.expression import get_unaccent_wrapper from openerp.osv.orm import BaseModel import openerp.tests.common as common class test_expression(common.TransactionCase): def _reinit_mock(self): self.query_list = list() def _mock_base_model_where_calc(self, model, *args, **kwargs): """ Mock build_email to be able to test its values. Store them into some internal variable for latter processing. """ self.query_list.append(self._base_model_where_calc(model, *args, **kwargs)) # return the lastly stored query, the one the ORM wants to perform return self.query_list[-1] def setUp(self): super(test_expression, self).setUp() # Mock BaseModel._where_calc(), to be able to proceed to some tests about generated expression self._reinit_mock() self._base_model_where_calc = BaseModel._where_calc BaseModel._where_calc = lambda model, cr, uid, args, context: self._mock_base_model_where_calc(model, cr, uid, args, context) def tearDown(self): # Remove mocks BaseModel._where_calc = self._base_model_where_calc super(test_expression, self).tearDown() def test_00_in_not_in_m2m(self): registry, cr, uid = self.registry, self.cr, self.uid # Create 4 partners with no category, or one or two categories (out of two categories). categories = registry('res.partner.category') cat_a = categories.create(cr, uid, {'name': 'test_expression_category_A'}) cat_b = categories.create(cr, uid, {'name': 'test_expression_category_B'}) partners = registry('res.partner') a = partners.create(cr, uid, {'name': 'test_expression_partner_A', 'category_id': [(6, 0, [cat_a])]}) b = partners.create(cr, uid, {'name': 'test_expression_partner_B', 'category_id': [(6, 0, [cat_b])]}) ab = partners.create(cr, uid, {'name': 'test_expression_partner_AB', 'category_id': [(6, 0, [cat_a, cat_b])]}) c = partners.create(cr, uid, {'name': 'test_expression_partner_C'}) # The tests. # On a one2many or many2many field, `in` should be read `contains` (and # `not in` should be read `doesn't contain`. with_a = partners.search(cr, uid, [('category_id', 'in', [cat_a])]) self.assertEqual(set([a, ab]), set(with_a), "Search for category_id in cat_a failed.") with_b = partners.search(cr, uid, [('category_id', 'in', [cat_b])]) self.assertEqual(set([ab, b]), set(with_b), "Search for category_id in cat_b failed.") # Partners with the category A or the category B. with_a_or_b = partners.search(cr, uid, [('category_id', 'in', [cat_a, cat_b])]) self.assertEqual(set([ab, a, b]), set(with_a_or_b), "Search for category_id contains cat_a or cat_b failed.") # Show that `contains list` is really `contains element or contains element`. with_a_or_with_b = partners.search(cr, uid, ['|', ('category_id', 'in', [cat_a]), ('category_id', 'in', [cat_b])]) self.assertEqual(set([ab, a, b]), set(with_a_or_with_b), "Search for category_id contains cat_a or contains cat_b failed.") # If we change the OR in AND... with_a_and_b = partners.search(cr, uid, [('category_id', 'in', [cat_a]), ('category_id', 'in', [cat_b])]) self.assertEqual(set([ab]), set(with_a_and_b), "Search for category_id contains cat_a and cat_b failed.") # Partners without category A and without category B. without_a_or_b = partners.search(cr, uid, [('category_id', 'not in', [cat_a, cat_b])]) self.assertTrue(all(i not in without_a_or_b for i in [a, b, ab]), "Search for category_id doesn't contain cat_a or cat_b failed (1).") self.assertTrue(c in without_a_or_b, "Search for category_id doesn't contain cat_a or cat_b failed (2).") # Show that `doesn't contain list` is really `doesn't contain element and doesn't contain element`. without_a_and_without_b = partners.search(cr, uid, [('category_id', 'not in', [cat_a]), ('category_id', 'not in', [cat_b])]) self.assertTrue(all(i not in without_a_and_without_b for i in [a, b, ab]), "Search for category_id doesn't contain cat_a and cat_b failed (1).") self.assertTrue(c in without_a_and_without_b, "Search for category_id doesn't contain cat_a and cat_b failed (2).") # We can exclude any partner containing the category A. without_a = partners.search(cr, uid, [('category_id', 'not in', [cat_a])]) self.assertTrue(a not in without_a, "Search for category_id doesn't contain cat_a failed (1).") self.assertTrue(ab not in without_a, "Search for category_id doesn't contain cat_a failed (2).") self.assertTrue(set([b, c]).issubset(set(without_a)), "Search for category_id doesn't contain cat_a failed (3).") # (Obviously we can do the same for cateory B.) without_b = partners.search(cr, uid, [('category_id', 'not in', [cat_b])]) self.assertTrue(b not in without_b, "Search for category_id doesn't contain cat_b failed (1).") self.assertTrue(ab not in without_b, "Search for category_id doesn't contain cat_b failed (2).") self.assertTrue(set([a, c]).issubset(set(without_b)), "Search for category_id doesn't contain cat_b failed (3).") # We can't express the following: Partners with a category different than A. # with_any_other_than_a = ... # self.assertTrue(a not in with_any_other_than_a, "Search for category_id with any other than cat_a failed (1).") # self.assertTrue(ab in with_any_other_than_a, "Search for category_id with any other than cat_a failed (2).") def test_10_expression_parse(self): # TDE note: those tests have been added when refactoring the expression.parse() method. # They come in addition to the already existing test_osv_expression.yml; maybe some tests # will be a bit redundant registry, cr, uid = self.registry, self.cr, self.uid users_obj = registry('res.users') # Create users a = users_obj.create(cr, uid, {'name': 'test_A', 'login': 'test_A'}) b1 = users_obj.create(cr, uid, {'name': 'test_B', 'login': 'test_B'}) b1_user = users_obj.browse(cr, uid, [b1])[0] b2 = users_obj.create(cr, uid, {'name': 'test_B2', 'login': 'test_B2', 'parent_id': b1_user.partner_id.id}) # Test1: simple inheritance user_ids = users_obj.search(cr, uid, [('name', 'like', 'test')]) self.assertEqual(set(user_ids), set([a, b1, b2]), 'searching through inheritance failed') user_ids = users_obj.search(cr, uid, [('name', '=', 'test_B')]) self.assertEqual(set(user_ids), set([b1]), 'searching through inheritance failed') # Test2: inheritance + relational fields user_ids = users_obj.search(cr, uid, [('child_ids.name', 'like', 'test_B')]) self.assertEqual(set(user_ids), set([b1]), 'searching through inheritance failed') # Special =? operator mean "is equal if right is set, otherwise always True" user_ids = users_obj.search(cr, uid, [('name', 'like', 'test'), ('parent_id', '=?', False)]) self.assertEqual(set(user_ids), set([a, b1, b2]), '(x =? False) failed') user_ids = users_obj.search(cr, uid, [('name', 'like', 'test'), ('parent_id', '=?', b1_user.partner_id.id)]) self.assertEqual(set(user_ids), set([b2]), '(x =? id) failed') def test_20_auto_join(self): registry, cr, uid = self.registry, self.cr, self.uid unaccent = get_unaccent_wrapper(cr) # Get models partner_obj = registry('res.partner') state_obj = registry('res.country.state') bank_obj = registry('res.partner.bank') # Get test columns partner_state_id_col = partner_obj._columns.get('state_id') # many2one on res.partner to res.country.state partner_parent_id_col = partner_obj._columns.get('parent_id') # many2one on res.partner to res.partner state_country_id_col = state_obj._columns.get('country_id') # many2one on res.country.state on res.country partner_child_ids_col = partner_obj._columns.get('child_ids') # one2many on res.partner to res.partner partner_bank_ids_col = partner_obj._columns.get('bank_ids') # one2many on res.partner to res.partner.bank category_id_col = partner_obj._columns.get('category_id') # many2many on res.partner to res.partner.category # Get the first bank account type to be able to create a res.partner.bank bank_type = bank_obj._bank_type_get(cr, uid)[0] # Get country/state data country_us_id = registry('res.country').search(cr, uid, [('code', 'like', 'US')])[0] state_ids = registry('res.country.state').search(cr, uid, [('country_id', '=', country_us_id)], limit=2) # Create demo data: partners and bank object p_a = partner_obj.create(cr, uid, {'name': 'test__A', 'state_id': state_ids[0]}) p_b = partner_obj.create(cr, uid, {'name': 'test__B', 'state_id': state_ids[1]}) p_aa = partner_obj.create(cr, uid, {'name': 'test__AA', 'parent_id': p_a, 'state_id': state_ids[0]}) p_ab = partner_obj.create(cr, uid, {'name': 'test__AB', 'parent_id': p_a, 'state_id': state_ids[1]}) p_ba = partner_obj.create(cr, uid, {'name': 'test__BA', 'parent_id': p_b, 'state_id': state_ids[0]}) b_aa = bank_obj.create(cr, uid, {'name': '__bank_test_a', 'state': bank_type[0], 'partner_id': p_aa, 'acc_number': '1234'}) b_ab = bank_obj.create(cr, uid, {'name': '__bank_test_b', 'state': bank_type[0], 'partner_id': p_ab, 'acc_number': '5678'}) b_ba = bank_obj.create(cr, uid, {'name': '__bank_test_b', 'state': bank_type[0], 'partner_id': p_ba, 'acc_number': '9876'}) # -------------------------------------------------- # Test1: basics about the attribute # -------------------------------------------------- category_id_col._auto_join = True self.assertRaises(NotImplementedError, partner_obj.search, cr, uid, [('category_id.name', '=', 'foo')]) category_id_col._auto_join = False # -------------------------------------------------- # Test2: one2many # -------------------------------------------------- name_test = 'test_a' # Do: one2many without _auto_join self._reinit_mock() partner_ids = partner_obj.search(cr, uid, [('bank_ids.name', 'like', name_test)]) # Test result self.assertEqual(set(partner_ids), set([p_aa]), "_auto_join off: ('bank_ids.name', 'like', '..'): incorrect result") # Test produced queries self.assertEqual(len(self.query_list), 3, "_auto_join off: ('bank_ids.name', 'like', '..') should produce 3 queries (1 in res_partner_bank, 2 on res_partner)") sql_query = self.query_list[0].get_sql() self.assertIn('res_partner_bank', sql_query[0], "_auto_join off: ('bank_ids.name', 'like', '..') first query incorrect main table") expected = "%s::text like %s" % (unaccent('"res_partner_bank"."name"'), unaccent('%s')) self.assertIn(expected, sql_query[1], "_auto_join off: ('bank_ids.name', 'like', '..') first query incorrect where condition") self.assertEqual(set(['%' + name_test + '%']), set(sql_query[2]), "_auto_join off: ('bank_ids.name', 'like', '..') first query incorrect parameter") sql_query = self.query_list[2].get_sql() self.assertIn('res_partner', sql_query[0], "_auto_join off: ('bank_ids.name', 'like', '..') third query incorrect main table") self.assertIn('"res_partner"."id" in (%s)', sql_query[1], "_auto_join off: ('bank_ids.name', 'like', '..') third query incorrect where condition") self.assertEqual(set([p_aa]), set(sql_query[2]), "_auto_join off: ('bank_ids.name', 'like', '..') third query incorrect parameter") # Do: cascaded one2many without _auto_join self._reinit_mock() partner_ids = partner_obj.search(cr, uid, [('child_ids.bank_ids.id', 'in', [b_aa, b_ba])]) # Test result self.assertEqual(set(partner_ids), set([p_a, p_b]), "_auto_join off: ('child_ids.bank_ids.id', 'in', [..]): incorrect result") # Test produced queries self.assertEqual(len(self.query_list), 5, "_auto_join off: ('child_ids.bank_ids.id', 'in', [..]) should produce 5 queries (1 in res_partner_bank, 4 on res_partner)") # Do: one2many with _auto_join partner_bank_ids_col._auto_join = True self._reinit_mock() partner_ids = partner_obj.search(cr, uid, [('bank_ids.name', 'like', 'test_a')]) # Test result self.assertEqual(set(partner_ids), set([p_aa]), "_auto_join on: ('bank_ids.name', 'like', '..') incorrect result") # Test produced queries self.assertEqual(len(self.query_list), 1, "_auto_join on: ('bank_ids.name', 'like', '..') should produce 1 query") sql_query = self.query_list[0].get_sql() self.assertIn('"res_partner"', sql_query[0], "_auto_join on: ('bank_ids.name', 'like', '..') query incorrect main table") self.assertIn('"res_partner_bank" as "res_partner__bank_ids"', sql_query[0], "_auto_join on: ('bank_ids.name', 'like', '..') query incorrect join") expected = "%s::text like %s" % (unaccent('"res_partner__bank_ids"."name"'), unaccent('%s')) self.assertIn(expected, sql_query[1], "_auto_join on: ('bank_ids.name', 'like', '..') query incorrect where condition") self.assertIn('"res_partner"."id"="res_partner__bank_ids"."partner_id"', sql_query[1], "_auto_join on: ('bank_ids.name', 'like', '..') query incorrect join condition") self.assertEqual(set(['%' + name_test + '%']), set(sql_query[2]), "_auto_join on: ('bank_ids.name', 'like', '..') query incorrect parameter") # Do: one2many with _auto_join, test final leaf is an id self._reinit_mock() partner_ids = partner_obj.search(cr, uid, [('bank_ids.id', 'in', [b_aa, b_ab])]) # Test result self.assertEqual(set(partner_ids), set([p_aa, p_ab]), "_auto_join on: ('bank_ids.id', 'in', [..]) incorrect result") # Test produced queries self.assertEqual(len(self.query_list), 1, "_auto_join on: ('bank_ids.id', 'in', [..]) should produce 1 query") sql_query = self.query_list[0].get_sql() self.assertIn('"res_partner"', sql_query[0], "_auto_join on: ('bank_ids.id', 'in', [..]) query incorrect main table") self.assertIn('"res_partner__bank_ids"."id" in (%s,%s)', sql_query[1], "_auto_join on: ('bank_ids.id', 'in', [..]) query incorrect where condition") self.assertEqual(set([b_aa, b_ab]), set(sql_query[2]), "_auto_join on: ('bank_ids.id', 'in', [..]) query incorrect parameter") # Do: 2 cascaded one2many with _auto_join, test final leaf is an id partner_child_ids_col._auto_join = True self._reinit_mock() partner_ids = partner_obj.search(cr, uid, [('child_ids.bank_ids.id', 'in', [b_aa, b_ba])]) # Test result self.assertEqual(set(partner_ids), set([p_a, p_b]), "_auto_join on: ('child_ids.bank_ids.id', 'not in', [..]): incorrect result") # # Test produced queries self.assertEqual(len(self.query_list), 1, "_auto_join on: ('child_ids.bank_ids.id', 'in', [..]) should produce 1 query") sql_query = self.query_list[0].get_sql() self.assertIn('"res_partner"', sql_query[0], "_auto_join on: ('child_ids.bank_ids.id', 'in', [..]) incorrect main table") self.assertIn('"res_partner" as "res_partner__child_ids"', sql_query[0], "_auto_join on: ('child_ids.bank_ids.id', 'in', [..]) query incorrect join") self.assertIn('"res_partner_bank" as "res_partner__child_ids__bank_ids"', sql_query[0], "_auto_join on: ('child_ids.bank_ids.id', 'in', [..]) query incorrect join") self.assertIn('"res_partner__child_ids__bank_ids"."id" in (%s,%s)', sql_query[1], "_auto_join on: ('child_ids.bank_ids.id', 'in', [..]) query incorrect where condition") self.assertIn('"res_partner"."id"="res_partner__child_ids"."parent_id"', sql_query[1], "_auto_join on: ('child_ids.bank_ids.id', 'in', [..]) query incorrect join condition") self.assertIn('"res_partner__child_ids"."id"="res_partner__child_ids__bank_ids"."partner_id"', sql_query[1], "_auto_join on: ('child_ids.bank_ids.id', 'in', [..]) query incorrect join condition") self.assertEqual(set([b_aa, b_ba]), set(sql_query[2][-2:]), "_auto_join on: ('child_ids.bank_ids.id', 'in', [..]) query incorrect parameter") # -------------------------------------------------- # Test3: many2one # -------------------------------------------------- name_test = 'US' # Do: many2one without _auto_join self._reinit_mock() partner_ids = partner_obj.search(cr, uid, [('state_id.country_id.code', 'like', name_test)]) # Test result: at least our added data + demo data self.assertTrue(set([p_a, p_b, p_aa, p_ab, p_ba]).issubset(set(partner_ids)), "_auto_join off: ('state_id.country_id.code', 'like', '..') incorrect result") # Test produced queries self.assertEqual(len(self.query_list), 3, "_auto_join off: ('state_id.country_id.code', 'like', '..') should produce 3 queries (1 on res_country, 1 on res_country_state, 1 on res_partner)") # Do: many2one with 1 _auto_join on the first many2one partner_state_id_col._auto_join = True self._reinit_mock() partner_ids = partner_obj.search(cr, uid, [('state_id.country_id.code', 'like', name_test)]) # Test result: at least our added data + demo data self.assertTrue(set([p_a, p_b, p_aa, p_ab, p_ba]).issubset(set(partner_ids)), "_auto_join on for state_id: ('state_id.country_id.code', 'like', '..') incorrect result") # Test produced queries self.assertEqual(len(self.query_list), 2, "_auto_join on for state_id: ('state_id.country_id.code', 'like', '..') should produce 2 query") sql_query = self.query_list[0].get_sql() self.assertIn('"res_country"', sql_query[0], "_auto_join on for state_id: ('state_id.country_id.code', 'like', '..') query 1 incorrect main table") expected = "%s::text like %s" % (unaccent('"res_country"."code"'), unaccent('%s')) self.assertIn(expected, sql_query[1], "_auto_join on for state_id: ('state_id.country_id.code', 'like', '..') query 1 incorrect where condition") self.assertEqual(['%' + name_test + '%'], sql_query[2], "_auto_join on for state_id: ('state_id.country_id.code', 'like', '..') query 1 incorrect parameter") sql_query = self.query_list[1].get_sql() self.assertIn('"res_partner"', sql_query[0], "_auto_join on for state_id: ('state_id.country_id.code', 'like', '..') query 2 incorrect main table") self.assertIn('"res_country_state" as "res_partner__state_id"', sql_query[0], "_auto_join on for state_id: ('state_id.country_id.code', 'like', '..') query 2 incorrect join") self.assertIn('"res_partner__state_id"."country_id" in (%s)', sql_query[1], "_auto_join on for state_id: ('state_id.country_id.code', 'like', '..') query 2 incorrect where condition") self.assertIn('"res_partner"."state_id"="res_partner__state_id"."id"', sql_query[1], "_auto_join on for state_id: ('state_id.country_id.code', 'like', '..') query 2 incorrect join condition") # Do: many2one with 1 _auto_join on the second many2one partner_state_id_col._auto_join = False state_country_id_col._auto_join = True self._reinit_mock() partner_ids = partner_obj.search(cr, uid, [('state_id.country_id.code', 'like', name_test)]) # Test result: at least our added data + demo data self.assertTrue(set([p_a, p_b, p_aa, p_ab, p_ba]).issubset(set(partner_ids)), "_auto_join on for country_id: ('state_id.country_id.code', 'like', '..') incorrect result") # Test produced queries self.assertEqual(len(self.query_list), 2, "_auto_join on for country_id: ('state_id.country_id.code', 'like', '..') should produce 2 query") # -- first query sql_query = self.query_list[0].get_sql() self.assertIn('"res_country_state"', sql_query[0], "_auto_join on for country_id: ('state_id.country_id.code', 'like', '..') query 1 incorrect main table") self.assertIn('"res_country" as "res_country_state__country_id"', sql_query[0], "_auto_join on for country_id: ('state_id.country_id.code', 'like', '..') query 1 incorrect join") expected = "%s::text like %s" % (unaccent('"res_country_state__country_id"."code"'), unaccent('%s')) self.assertIn(expected, sql_query[1], "_auto_join on for country_id: ('state_id.country_id.code', 'like', '..') query 1 incorrect where condition") self.assertIn('"res_country_state"."country_id"="res_country_state__country_id"."id"', sql_query[1], "_auto_join on for country_id: ('state_id.country_id.code', 'like', '..') query 1 incorrect join condition") self.assertEqual(['%' + name_test + '%'], sql_query[2], "_auto_join on for country_id: ('state_id.country_id.code', 'like', '..') query 1 incorrect parameter") # -- second query sql_query = self.query_list[1].get_sql() self.assertIn('"res_partner"', sql_query[0], "_auto_join on for country_id: ('state_id.country_id.code', 'like', '..') query 2 incorrect main table") self.assertIn('"res_partner"."state_id" in', sql_query[1], "_auto_join on for country_id: ('state_id.country_id.code', 'like', '..') query 2 incorrect where condition") # Do: many2one with 2 _auto_join partner_state_id_col._auto_join = True state_country_id_col._auto_join = True self._reinit_mock() partner_ids = partner_obj.search(cr, uid, [('state_id.country_id.code', 'like', name_test)]) # Test result: at least our added data + demo data self.assertTrue(set([p_a, p_b, p_aa, p_ab, p_ba]).issubset(set(partner_ids)), "_auto_join on: ('state_id.country_id.code', 'like', '..') incorrect result") # Test produced queries self.assertEqual(len(self.query_list), 1, "_auto_join on: ('state_id.country_id.code', 'like', '..') should produce 1 query") sql_query = self.query_list[0].get_sql() self.assertIn('"res_partner"', sql_query[0], "_auto_join on: ('state_id.country_id.code', 'like', '..') query incorrect main table") self.assertIn('"res_country_state" as "res_partner__state_id"', sql_query[0], "_auto_join on: ('state_id.country_id.code', 'like', '..') query incorrect join") self.assertIn('"res_country" as "res_partner__state_id__country_id"', sql_query[0], "_auto_join on: ('state_id.country_id.code', 'like', '..') query incorrect join") expected = "%s::text like %s" % (unaccent('"res_partner__state_id__country_id"."code"'), unaccent('%s')) self.assertIn(expected, sql_query[1], "_auto_join on: ('state_id.country_id.code', 'like', '..') query incorrect where condition") self.assertIn('"res_partner"."state_id"="res_partner__state_id"."id"', sql_query[1], "_auto_join on: ('state_id.country_id.code', 'like', '..') query incorrect join condition") self.assertIn('"res_partner__state_id"."country_id"="res_partner__state_id__country_id"."id"', sql_query[1], "_auto_join on: ('state_id.country_id.code', 'like', '..') query incorrect join condition") self.assertEqual(['%' + name_test + '%'], sql_query[2], "_auto_join on: ('state_id.country_id.code', 'like', '..') query incorrect parameter") # -------------------------------------------------- # Test4: domain attribute on one2many fields # -------------------------------------------------- partner_child_ids_col._auto_join = True partner_bank_ids_col._auto_join = True partner_child_ids_col._domain = lambda self: ['!', ('name', '=', self._name)] partner_bank_ids_col._domain = [('acc_number', 'like', '1')] # Do: 2 cascaded one2many with _auto_join, test final leaf is an id self._reinit_mock() partner_ids = partner_obj.search(cr, uid, ['&', (1, '=', 1), ('child_ids.bank_ids.id', 'in', [b_aa, b_ba])]) # Test result: at least one of our added data self.assertTrue(set([p_a]).issubset(set(partner_ids)), "_auto_join on one2many with domains incorrect result") self.assertTrue(set([p_ab, p_ba]) not in set(partner_ids), "_auto_join on one2many with domains incorrect result") # Test produced queries that domains effectively present sql_query = self.query_list[0].get_sql() expected = "%s::text like %s" % (unaccent('"res_partner__child_ids__bank_ids"."acc_number"'), unaccent('%s')) self.assertIn(expected, sql_query[1], "_auto_join on one2many with domains incorrect result") # TDE TODO: check first domain has a correct table name self.assertIn('"res_partner__child_ids"."name" = %s', sql_query[1], "_auto_join on one2many with domains incorrect result") partner_child_ids_col._domain = lambda self: [('name', '=', '__%s' % self._name)] self._reinit_mock() partner_ids = partner_obj.search(cr, uid, ['&', (1, '=', 1), ('child_ids.bank_ids.id', 'in', [b_aa, b_ba])]) # Test result: no one self.assertFalse(partner_ids, "_auto_join on one2many with domains incorrect result") # ---------------------------------------- # Test5: result-based tests # ---------------------------------------- partner_bank_ids_col._auto_join = False partner_child_ids_col._auto_join = False partner_state_id_col._auto_join = False partner_parent_id_col._auto_join = False state_country_id_col._auto_join = False partner_child_ids_col._domain = [] partner_bank_ids_col._domain = [] # Do: ('child_ids.state_id.country_id.code', 'like', '..') without _auto_join self._reinit_mock() partner_ids = partner_obj.search(cr, uid, [('child_ids.state_id.country_id.code', 'like', name_test)]) # Test result: at least our added data + demo data self.assertTrue(set([p_a, p_b]).issubset(set(partner_ids)), "_auto_join off: ('child_ids.state_id.country_id.code', 'like', '..') incorrect result") # Test produced queries self.assertEqual(len(self.query_list), 5, "_auto_join off: ('child_ids.state_id.country_id.code', 'like', '..') number of queries incorrect") # Do: ('child_ids.state_id.country_id.code', 'like', '..') with _auto_join partner_child_ids_col._auto_join = True partner_state_id_col._auto_join = True state_country_id_col._auto_join = True self._reinit_mock() partner_ids = partner_obj.search(cr, uid, [('child_ids.state_id.country_id.code', 'like', name_test)]) # Test result: at least our added data + demo data self.assertTrue(set([p_a, p_b]).issubset(set(partner_ids)), "_auto_join on: ('child_ids.state_id.country_id.code', 'like', '..') incorrect result") # Test produced queries self.assertEqual(len(self.query_list), 1, "_auto_join on: ('child_ids.state_id.country_id.code', 'like', '..') number of queries incorrect") # Remove mocks and modifications partner_bank_ids_col._auto_join = False partner_child_ids_col._auto_join = False partner_state_id_col._auto_join = False partner_parent_id_col._auto_join = False state_country_id_col._auto_join = False def test_30_normalize_domain(self): expression = openerp.osv.expression norm_domain = domain = ['&', (1, '=', 1), ('a', '=', 'b')] assert norm_domain == expression.normalize_domain(domain), "Normalized domains should be left untouched" domain = [('x', 'in', ['y', 'z']), ('a.v', '=', 'e'), '|', '|', ('a', '=', 'b'), '!', ('c', '>', 'd'), ('e', '!=', 'f'), ('g', '=', 'h')] norm_domain = ['&', '&', '&'] + domain assert norm_domain == expression.normalize_domain(domain), "Non-normalized domains should be properly normalized" def test_translate_search(self): Country = self.registry('res.country') be = self.ref('base.be') domains = [ [('name', '=', 'Belgium')], [('name', 'ilike', 'Belgi')], [('name', 'in', ['Belgium', 'Care Bears'])], ] for domain in domains: ids = Country.search(self.cr, self.uid, domain) self.assertListEqual([be], ids) if __name__ == '__main__': unittest2.main()
cemoody/chainer
refs/heads/master
tests/chainer_tests/links_tests/activation_tests/test_prelu.py
3
import unittest import numpy import chainer from chainer import cuda from chainer import gradient_check from chainer import links from chainer import testing from chainer.testing import attr from chainer.testing import condition class TestPReLUSingle(unittest.TestCase): def setUp(self): self.link = links.PReLU() W = self.link.W.data W[...] = numpy.random.uniform(-1, 1, W.shape) self.link.zerograds() self.W = W.copy() # fixed on CPU # Avoid unstability of numerical gradient self.x = numpy.random.uniform(-1, 1, (4, 3, 2)).astype(numpy.float32) for i in range(self.x.size): if -0.01 < self.x.flat[i] < 0.01: self.x.flat[i] = 0.5 self.gy = numpy.random.uniform(-1, 1, (4, 3, 2)).astype(numpy.float32) def check_forward(self, x_data): x = chainer.Variable(x_data) y = self.link(x) self.assertEqual(y.data.dtype, numpy.float32) y_expect = self.x.copy() for i in numpy.ndindex(self.x.shape): if self.x[i] < 0: y_expect[i] *= self.W gradient_check.assert_allclose(y_expect, y.data) @condition.retry(3) def test_forward_cpu(self): self.check_forward(self.x) @attr.gpu @condition.retry(3) def test_forward_gpu(self): self.link.to_gpu() self.check_forward(cuda.to_gpu(self.x)) def check_backward(self, x_data, y_grad): gradient_check.check_backward( self.link, x_data, y_grad, self.link.W, atol=1e-4) @condition.retry(3) def test_backward_cpu(self): self.check_backward(self.x, self.gy) @attr.gpu @condition.retry(3) def test_backward_gpu(self): self.link.to_gpu() self.check_backward(cuda.to_gpu(self.x), cuda.to_gpu(self.gy)) class TestPReLUMulti(TestPReLUSingle): def setUp(self): self.link = links.PReLU(shape=(3,)) W = self.link.W.data W[...] = numpy.random.uniform(-1, 1, W.shape) self.link.zerograds() self.W = W.copy() # fixed on CPU # Avoid unstability of numerical gradient self.x = numpy.random.uniform(.5, 1, (4, 3, 2)).astype(numpy.float32) self.x *= numpy.random.randint(2, size=(4, 3, 2)) * 2 - 1 self.gy = numpy.random.uniform(-1, 1, (4, 3, 2)).astype(numpy.float32) def check_forward(self, x_data): x = chainer.Variable(x_data) y = self.link(x) y_expect = self.x.copy() for i in numpy.ndindex(self.x.shape): if self.x[i] < 0: y_expect[i] *= self.W[i[1]] gradient_check.assert_allclose(y_expect, y.data) testing.run_module(__name__, __file__)
eng-tools/sfsimodels
refs/heads/master
sfsimodels/scores.py
1
import numpy as np def lc_score(value): """ Evaluates the accuracy of a predictive measure (e.g. r-squared) :param value: float, between 0.0 and 1.0. :return: """ rebased = 2 * (value - 0.5) if rebased == 0: return 0 elif rebased > 0: compliment = 1.0 - rebased score = - np.log2(compliment) else: compliment = 1.0 + rebased score = np.log2(compliment) return score # def show_scores(): # print(lc_score(0.2)) # # r_vals = 1.0 - np.logspace(-4, -0.01) # scores = [] # print(r_vals) # for r in r_vals: # scores.append(lc_score(r)) # # plt.plot(r_vals, scores) # plt.show() # # if __name__ == '__main__': # show_scores()
jolyonb/edx-platform
refs/heads/master
lms/djangoapps/course_blocks/transformers/library_content.py
1
""" Content Library Transformer. """ from __future__ import absolute_import import json import six from eventtracking import tracker from courseware.models import StudentModule from openedx.core.djangoapps.content.block_structure.transformer import ( BlockStructureTransformer, FilteringTransformerMixin ) from track import contexts from xmodule.library_content_module import LibraryContentModule from xmodule.modulestore.django import modulestore from ..utils import get_student_module_as_dict class ContentLibraryTransformer(FilteringTransformerMixin, BlockStructureTransformer): """ A transformer that manipulates the block structure by removing all blocks within a library_content module to which a user should not have access. Staff users are to exempted from library content pathways. """ WRITE_VERSION = 1 READ_VERSION = 1 @classmethod def name(cls): """ Unique identifier for the transformer's class; same identifier used in setup.py. """ return "library_content" @classmethod def collect(cls, block_structure): """ Collects any information that's necessary to execute this transformer's transform method. """ block_structure.request_xblock_fields('mode') block_structure.request_xblock_fields('max_count') block_structure.request_xblock_fields('category') store = modulestore() # needed for analytics purposes def summarize_block(usage_key): """ Basic information about the given block """ orig_key, orig_version = store.get_block_original_usage(usage_key) return { "usage_key": six.text_type(usage_key), "original_usage_key": six.text_type(orig_key) if orig_key else None, "original_usage_version": six.text_type(orig_version) if orig_version else None, } # For each block check if block is library_content. # If library_content add children array to content_library_children field for block_key in block_structure.topological_traversal( filter_func=lambda block_key: block_key.block_type == 'library_content', yield_descendants_of_unyielded=True, ): xblock = block_structure.get_xblock(block_key) for child_key in xblock.children: summary = summarize_block(child_key) block_structure.set_transformer_block_field(child_key, cls, 'block_analytics_summary', summary) def transform_block_filters(self, usage_info, block_structure): all_library_children = set() all_selected_children = set() for block_key in block_structure: if block_key.block_type != 'library_content': continue library_children = block_structure.get_children(block_key) if library_children: all_library_children.update(library_children) selected = [] mode = block_structure.get_xblock_field(block_key, 'mode') max_count = block_structure.get_xblock_field(block_key, 'max_count') # Retrieve "selected" json from LMS MySQL database. state_dict = get_student_module_as_dict(usage_info.user, usage_info.course_key, block_key) for selected_block in state_dict.get('selected', []): # Add all selected entries for this user for this # library module to the selected list. block_type, block_id = selected_block usage_key = usage_info.course_key.make_usage_key(block_type, block_id) if usage_key in library_children: selected.append(selected_block) # Update selected previous_count = len(selected) block_keys = LibraryContentModule.make_selection(selected, library_children, max_count, mode) selected = block_keys['selected'] # Save back any changes if any(block_keys[changed] for changed in ('invalid', 'overlimit', 'added')): state_dict['selected'] = list(selected) StudentModule.save_state( student=usage_info.user, course_id=usage_info.course_key, module_state_key=block_key, defaults={ 'state': json.dumps(state_dict), }, ) # publish events for analytics self._publish_events( block_structure, block_key, previous_count, max_count, block_keys, usage_info.user.id, ) all_selected_children.update(usage_info.course_key.make_usage_key(s[0], s[1]) for s in selected) def check_child_removal(block_key): """ Return True if selected block should be removed. Block is removed if it is part of library_content, but has not been selected for current user, with staff as an exemption. """ if usage_info.has_staff_access: return False if block_key not in all_library_children: return False if block_key in all_selected_children: return False return True return [block_structure.create_removal_filter(check_child_removal)] def _publish_events(self, block_structure, location, previous_count, max_count, block_keys, user_id): """ Helper method to publish events for analytics purposes """ def format_block_keys(keys): """ Helper function to format block keys """ json_result = [] for key in keys: info = block_structure.get_transformer_block_field( key, ContentLibraryTransformer, 'block_analytics_summary' ) json_result.append(info) return json_result def publish_event(event_name, result, **kwargs): """ Helper function to publish an event for analytics purposes """ event_data = { "location": six.text_type(location), "previous_count": previous_count, "result": result, "max_count": max_count, } event_data.update(kwargs) context = contexts.course_context_from_course_id(location.course_key) if user_id: context['user_id'] = user_id full_event_name = "edx.librarycontentblock.content.{}".format(event_name) with tracker.get_tracker().context(full_event_name, context): tracker.emit(full_event_name, event_data) LibraryContentModule.publish_selected_children_events( block_keys, format_block_keys, publish_event, )
caramucho/pybindgen
refs/heads/master
examples/buffer/modulegen.py
12
#! /usr/bin/env python import sys import pybindgen from pybindgen import ReturnValue, Parameter, Module, Function, FileCodeSink from pybindgen import CppMethod, CppConstructor, CppClass, Enum from pybindgen.typehandlers.base import ForwardWrapperBase class BufferReturn(ReturnValue): CTYPES = [] def __init__(self, ctype, length_expression): super(BufferReturn, self).__init__(ctype, is_const=False) self.length_expression = length_expression def convert_c_to_python(self, wrapper): pybuf = wrapper.after_call.declare_variable("PyObject*", "pybuf") wrapper.after_call.write_code("%s = PyBuffer_FromReadWriteMemory(retval, (%s)*sizeof(short int));" % (pybuf, self.length_expression)) wrapper.build_params.add_parameter("N", [pybuf], prepend=True) def my_module_gen(out_file): mod = Module('c') mod.add_include('"c.h"') mod.add_function("GetBuffer", BufferReturn("unsigned short int*", "GetBufferLen()"), []) mod.add_function("GetBufferLen", ReturnValue.new("int"), []) mod.add_function("GetBufferChecksum", ReturnValue.new("unsigned short"), []) mod.generate(FileCodeSink(out_file)) if __name__ == '__main__': my_module_gen(sys.stdout)
nikhilsinghmus/csound
refs/heads/develop
tests/commandline/testUI.py
14
from Tkinter import * class TestApplication(Frame): def selectTest(self): selected = self.listBox.curselection()[0] self.textBox.insert(0, selected[5]) def createWidgets(self): self.scrollbar = Scrollbar(self) self.scrollbar.grid(row=0, column=1, sticky="ns") self.listBox = Listbox(self, yscrollcommand=self.scrollbar.set) self.listBox.grid(row=0, column=0, sticky="ew") self.scrollbar2 = Scrollbar(self) self.scrollbar2.grid(row=1, column=1, sticky="ns") self.textBox = Text(self, yscrollcommand=self.scrollbar2.set) self.textBox.grid(row=1, column=0, sticky="nsew") self.scrollbar.config(command=self.listBox.yview) self.scrollbar2.config(command=self.textBox.yview) self.current = None self.poll() # start polling the list def poll(self): now = self.listBox.curselection() if now != self.current: self.list_has_changed(now) self.current = now self.after(250, self.poll) def list_has_changed(self, selection): if len(selection) > 0: self.textBox.delete(1.0, END) self.textBox.insert(END, self.results[int(selection[0])][3]) def setResults(self, results): self.results = results label = "%s (%s)" for i in results: self.listBox.insert(END, label%(i[1], i[0])) def __init__(self, master=None): Frame.__init__(self, master) self.pack() self.createWidgets() if __name__ == "__main__": root = Tk() app = TestApplication(master=root) app.mainloop() root.destroy()
jiangzhuo/kbengine
refs/heads/master
kbe/res/scripts/common/Lib/test/test_userlist.py
116
# Check every path through every method of UserList from collections import UserList from test import support, list_tests class UserListTest(list_tests.CommonTest): type2test = UserList def test_getslice(self): super().test_getslice() l = [0, 1, 2, 3, 4] u = self.type2test(l) for i in range(-3, 6): self.assertEqual(u[:i], l[:i]) self.assertEqual(u[i:], l[i:]) for j in range(-3, 6): self.assertEqual(u[i:j], l[i:j]) def test_add_specials(self): u = UserList("spam") u2 = u + "eggs" self.assertEqual(u2, list("spameggs")) def test_radd_specials(self): u = UserList("eggs") u2 = "spam" + u self.assertEqual(u2, list("spameggs")) u2 = u.__radd__(UserList("spam")) self.assertEqual(u2, list("spameggs")) def test_iadd(self): super().test_iadd() u = [0, 1] u += UserList([0, 1]) self.assertEqual(u, [0, 1, 0, 1]) def test_mixedcmp(self): u = self.type2test([0, 1]) self.assertEqual(u, [0, 1]) self.assertNotEqual(u, [0]) self.assertNotEqual(u, [0, 2]) def test_mixedadd(self): u = self.type2test([0, 1]) self.assertEqual(u + [], u) self.assertEqual(u + [2], [0, 1, 2]) def test_getitemoverwriteiter(self): # Verify that __getitem__ overrides *are* recognized by __iter__ class T(self.type2test): def __getitem__(self, key): return str(key) + '!!!' self.assertEqual(next(iter(T((1,2)))), "0!!!") def test_userlist_copy(self): u = self.type2test([6, 8, 1, 9, 1]) v = u.copy() self.assertEqual(u, v) self.assertEqual(type(u), type(v)) def test_main(): support.run_unittest(UserListTest) if __name__ == "__main__": test_main()
oinopion/django
refs/heads/master
tests/extra_regress/models.py
166
from __future__ import unicode_literals import copy import datetime from django.contrib.auth.models import User from django.db import models from django.utils.encoding import python_2_unicode_compatible @python_2_unicode_compatible class RevisionableModel(models.Model): base = models.ForeignKey('self', null=True) title = models.CharField(blank=True, max_length=255) when = models.DateTimeField(default=datetime.datetime.now) def __str__(self): return "%s (%s, %s)" % (self.title, self.id, self.base.id) def save(self, *args, **kwargs): super(RevisionableModel, self).save(*args, **kwargs) if not self.base: self.base = self kwargs.pop('force_insert', None) kwargs.pop('force_update', None) super(RevisionableModel, self).save(*args, **kwargs) def new_revision(self): new_revision = copy.copy(self) new_revision.pk = None return new_revision class Order(models.Model): created_by = models.ForeignKey(User) text = models.TextField() @python_2_unicode_compatible class TestObject(models.Model): first = models.CharField(max_length=20) second = models.CharField(max_length=20) third = models.CharField(max_length=20) def __str__(self): return 'TestObject: %s,%s,%s' % (self.first, self.second, self.third)
nelmiux/CarnotKE
refs/heads/master
jyhton/lib-python/2.7/lib2to3/fixes/fix_reduce.py
326
# Copyright 2008 Armin Ronacher. # Licensed to PSF under a Contributor Agreement. """Fixer for reduce(). Makes sure reduce() is imported from the functools module if reduce is used in that module. """ from lib2to3 import fixer_base from lib2to3.fixer_util import touch_import class FixReduce(fixer_base.BaseFix): BM_compatible = True order = "pre" PATTERN = """ power< 'reduce' trailer< '(' arglist< ( (not(argument<any '=' any>) any ',' not(argument<any '=' any>) any) | (not(argument<any '=' any>) any ',' not(argument<any '=' any>) any ',' not(argument<any '=' any>) any) ) > ')' > > """ def transform(self, node, results): touch_import(u'functools', u'reduce', node)
rfguri/vimfiles
refs/heads/master
bundle/ycm/third_party/ycmd/third_party/python-future/src/libpasteurize/fixes/fix_memoryview.py
71
u""" Fixer for memoryview(s) -> buffer(s). Explicit because some memoryview methods are invalid on buffer objects. """ from lib2to3 import fixer_base from lib2to3.fixer_util import Name class FixMemoryview(fixer_base.BaseFix): explicit = True # User must specify that they want this. PATTERN = u""" power< name='memoryview' trailer< '(' [any] ')' > rest=any* > """ def transform(self, node, results): name = results[u"name"] name.replace(Name(u"buffer", prefix=name.prefix))
yagince/text_ux
refs/heads/master
vendor/ux-trie/ux-0.1.9/.waf-1.6.8-3e3391c5f23fbabad81e6d17c63a1b1e/waflib/Tools/ruby.py
14
#! /usr/bin/env python # encoding: utf-8 # WARNING! Do not edit! http://waf.googlecode.com/git/docs/wafbook/single.html#_obtaining_the_waf_file import os from waflib import Task,Options,Utils from waflib.TaskGen import before_method,feature,after_method,Task,extension from waflib.Configure import conf def init_rubyext(self): self.install_path='${ARCHDIR_RUBY}' self.uselib=self.to_list(getattr(self,'uselib','')) if not'RUBY'in self.uselib: self.uselib.append('RUBY') if not'RUBYEXT'in self.uselib: self.uselib.append('RUBYEXT') def apply_ruby_so_name(self): self.env['cshlib_PATTERN']=self.env['cxxshlib_PATTERN']=self.env['rubyext_PATTERN'] def check_ruby_version(self,minver=()): if Options.options.rubybinary: self.env.RUBY=Options.options.rubybinary else: self.find_program('ruby',var='RUBY') ruby=self.env.RUBY try: version=self.cmd_and_log([ruby,'-e','puts defined?(VERSION) ? VERSION : RUBY_VERSION']).strip() except: self.fatal('could not determine ruby version') self.env.RUBY_VERSION=version try: ver=tuple(map(int,version.split("."))) except: self.fatal('unsupported ruby version %r'%version) cver='' if minver: if ver<minver: self.fatal('ruby is too old %r'%ver) cver='.'.join([str(x)for x in minver]) else: cver=ver self.msg('Checking for ruby version %s'%str(minver or''),cver) def check_ruby_ext_devel(self): if not self.env.RUBY: self.fatal('ruby detection is required first') if not self.env.CC_NAME and not self.env.CXX_NAME: self.fatal('load a c/c++ compiler first') version=tuple(map(int,self.env.RUBY_VERSION.split("."))) def read_out(cmd): return Utils.to_list(self.cmd_and_log([self.env.RUBY,'-rrbconfig','-e',cmd])) def read_config(key): return read_out('puts Config::CONFIG[%r]'%key) ruby=self.env['RUBY'] archdir=read_config('archdir') cpppath=archdir if version>=(1,9,0): ruby_hdrdir=read_config('rubyhdrdir') cpppath+=ruby_hdrdir cpppath+=[os.path.join(ruby_hdrdir[0],read_config('arch')[0])] self.check(header_name='ruby.h',includes=cpppath,errmsg='could not find ruby header file') self.env.LIBPATH_RUBYEXT=read_config('libdir') self.env.LIBPATH_RUBYEXT+=archdir self.env.INCLUDES_RUBYEXT=cpppath self.env.CFLAGS_RUBYEXT=read_config('CCDLFLAGS') self.env.rubyext_PATTERN='%s.'+read_config('DLEXT')[0] flags=read_config('LDSHARED') while flags and flags[0][0]!='-': flags=flags[1:] if len(flags)>1 and flags[1]=="ppc": flags=flags[2:] self.env.LINKFLAGS_RUBYEXT=flags self.env.LINKFLAGS_RUBYEXT+=read_config('LIBS') self.env.LINKFLAGS_RUBYEXT+=read_config('LIBRUBYARG_SHARED') if Options.options.rubyarchdir: self.env.ARCHDIR_RUBY=Options.options.rubyarchdir else: self.env.ARCHDIR_RUBY=read_config('sitearchdir')[0] if Options.options.rubylibdir: self.env.LIBDIR_RUBY=Options.options.rubylibdir else: self.env.LIBDIR_RUBY=read_config('sitelibdir')[0] def check_ruby_module(self,module_name): self.start_msg('Ruby module %s'%module_name) try: self.cmd_and_log([self.env['RUBY'],'-e','require \'%s\';puts 1'%module_name]) except: self.end_msg(False) self.fatal('Could not find the ruby module %r'%module_name) self.end_msg(True) def process(self,node): tsk=self.create_task('run_ruby',node) class run_ruby(Task.Task): run_str='${RUBY} ${RBFLAGS} -I ${SRC[0].parent.abspath()} ${SRC}' def options(opt): opt.add_option('--with-ruby-archdir',type='string',dest='rubyarchdir',help='Specify directory where to install arch specific files') opt.add_option('--with-ruby-libdir',type='string',dest='rubylibdir',help='Specify alternate ruby library path') opt.add_option('--with-ruby-binary',type='string',dest='rubybinary',help='Specify alternate ruby binary') feature('rubyext')(init_rubyext) before_method('apply_incpaths','apply_lib_vars','apply_bundle','apply_link')(init_rubyext) feature('rubyext')(apply_ruby_so_name) before_method('apply_link','propagate_uselib')(apply_ruby_so_name) conf(check_ruby_version) conf(check_ruby_ext_devel) conf(check_ruby_module) extension('.rb')(process)
Archcady/mbed-os
refs/heads/master
tools/export/kds/__init__.py
16
""" mbed SDK Copyright (c) 2011-2016 ARM Limited Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at http://www.apache.org/licenses/LICENSE-2.0 Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the specific language governing permissions and limitations under the License. """ from os.path import splitext, basename from tools.export.exporters import Exporter, deprecated_exporter @deprecated_exporter class KDS(Exporter): NAME = 'Kinetis Design Studio' TOOLCHAIN = 'GCC_ARM' TARGETS = [ 'K64F', 'HEXIWEAR', 'K22F', ] def generate(self): libraries = [] for lib in self.resources.libraries: l, _ = splitext(basename(lib)) libraries.append(l[3:]) ctx = { 'name': self.project_name, 'include_paths': self.resources.inc_dirs, 'linker_script': self.resources.linker_script, 'object_files': self.resources.objects, 'libraries': libraries, 'symbols': self.toolchain.get_symbols() } self.gen_file('kds/%s_project.tmpl' % self.target.lower(), ctx, '.project') self.gen_file('kds/%s_cproject.tmpl' % self.target.lower(), ctx, '.cproject') self.gen_file('kds/launch.tmpl', ctx, '%s.launch' % self.project_name)
kaedroho/django
refs/heads/master
tests/i18n/forms.py
500
from django import forms from .models import Company class I18nForm(forms.Form): decimal_field = forms.DecimalField(localize=True) float_field = forms.FloatField(localize=True) date_field = forms.DateField(localize=True) datetime_field = forms.DateTimeField(localize=True) time_field = forms.TimeField(localize=True) integer_field = forms.IntegerField(localize=True) class SelectDateForm(forms.Form): date_field = forms.DateField(widget=forms.SelectDateWidget) class CompanyForm(forms.ModelForm): cents_paid = forms.DecimalField(max_digits=4, decimal_places=2, localize=True) products_delivered = forms.IntegerField(localize=True) date_added = forms.DateTimeField(localize=True) class Meta: model = Company fields = '__all__'
Work4Labs/lettuce
refs/heads/master
tests/integration/lib/Django-1.3/django/forms/widgets.py
155
""" HTML Widget classes """ import datetime from itertools import chain import time from urlparse import urljoin from util import flatatt import django.utils.copycompat as copy from django.conf import settings from django.utils.datastructures import MultiValueDict, MergeDict from django.utils.html import escape, conditional_escape from django.utils.translation import ugettext, ugettext_lazy from django.utils.encoding import StrAndUnicode, force_unicode from django.utils.safestring import mark_safe from django.utils import datetime_safe, formats __all__ = ( 'Media', 'MediaDefiningClass', 'Widget', 'TextInput', 'PasswordInput', 'HiddenInput', 'MultipleHiddenInput', 'ClearableFileInput', 'FileInput', 'DateInput', 'DateTimeInput', 'TimeInput', 'Textarea', 'CheckboxInput', 'Select', 'NullBooleanSelect', 'SelectMultiple', 'RadioSelect', 'CheckboxSelectMultiple', 'MultiWidget', 'SplitDateTimeWidget', ) MEDIA_TYPES = ('css','js') class Media(StrAndUnicode): def __init__(self, media=None, **kwargs): if media: media_attrs = media.__dict__ else: media_attrs = kwargs self._css = {} self._js = [] for name in MEDIA_TYPES: getattr(self, 'add_' + name)(media_attrs.get(name, None)) # Any leftover attributes must be invalid. # if media_attrs != {}: # raise TypeError("'class Media' has invalid attribute(s): %s" % ','.join(media_attrs.keys())) def __unicode__(self): return self.render() def render(self): return mark_safe(u'\n'.join(chain(*[getattr(self, 'render_' + name)() for name in MEDIA_TYPES]))) def render_js(self): return [u'<script type="text/javascript" src="%s"></script>' % self.absolute_path(path) for path in self._js] def render_css(self): # To keep rendering order consistent, we can't just iterate over items(). # We need to sort the keys, and iterate over the sorted list. media = self._css.keys() media.sort() return chain(*[ [u'<link href="%s" type="text/css" media="%s" rel="stylesheet" />' % (self.absolute_path(path), medium) for path in self._css[medium]] for medium in media]) def absolute_path(self, path, prefix=None): if path.startswith(u'http://') or path.startswith(u'https://') or path.startswith(u'/'): return path if prefix is None: if settings.STATIC_URL is None: # backwards compatibility prefix = settings.MEDIA_URL else: prefix = settings.STATIC_URL return urljoin(prefix, path) def __getitem__(self, name): "Returns a Media object that only contains media of the given type" if name in MEDIA_TYPES: return Media(**{str(name): getattr(self, '_' + name)}) raise KeyError('Unknown media type "%s"' % name) def add_js(self, data): if data: for path in data: if path not in self._js: self._js.append(path) def add_css(self, data): if data: for medium, paths in data.items(): for path in paths: if not self._css.get(medium) or path not in self._css[medium]: self._css.setdefault(medium, []).append(path) def __add__(self, other): combined = Media() for name in MEDIA_TYPES: getattr(combined, 'add_' + name)(getattr(self, '_' + name, None)) getattr(combined, 'add_' + name)(getattr(other, '_' + name, None)) return combined def media_property(cls): def _media(self): # Get the media property of the superclass, if it exists if hasattr(super(cls, self), 'media'): base = super(cls, self).media else: base = Media() # Get the media definition for this class definition = getattr(cls, 'Media', None) if definition: extend = getattr(definition, 'extend', True) if extend: if extend == True: m = base else: m = Media() for medium in extend: m = m + base[medium] return m + Media(definition) else: return Media(definition) else: return base return property(_media) class MediaDefiningClass(type): "Metaclass for classes that can have media definitions" def __new__(cls, name, bases, attrs): new_class = super(MediaDefiningClass, cls).__new__(cls, name, bases, attrs) if 'media' not in attrs: new_class.media = media_property(new_class) return new_class class Widget(object): __metaclass__ = MediaDefiningClass is_hidden = False # Determines whether this corresponds to an <input type="hidden">. needs_multipart_form = False # Determines does this widget need multipart-encrypted form is_localized = False is_required = False def __init__(self, attrs=None): if attrs is not None: self.attrs = attrs.copy() else: self.attrs = {} def __deepcopy__(self, memo): obj = copy.copy(self) obj.attrs = self.attrs.copy() memo[id(self)] = obj return obj def render(self, name, value, attrs=None): """ Returns this Widget rendered as HTML, as a Unicode string. The 'value' given is not guaranteed to be valid input, so subclass implementations should program defensively. """ raise NotImplementedError def build_attrs(self, extra_attrs=None, **kwargs): "Helper function for building an attribute dictionary." attrs = dict(self.attrs, **kwargs) if extra_attrs: attrs.update(extra_attrs) return attrs def value_from_datadict(self, data, files, name): """ Given a dictionary of data and this widget's name, returns the value of this widget. Returns None if it's not provided. """ return data.get(name, None) def _has_changed(self, initial, data): """ Return True if data differs from initial. """ # For purposes of seeing whether something has changed, None is # the same as an empty string, if the data or inital value we get # is None, replace it w/ u''. if data is None: data_value = u'' else: data_value = data if initial is None: initial_value = u'' else: initial_value = initial if force_unicode(initial_value) != force_unicode(data_value): return True return False def id_for_label(self, id_): """ Returns the HTML ID attribute of this Widget for use by a <label>, given the ID of the field. Returns None if no ID is available. This hook is necessary because some widgets have multiple HTML elements and, thus, multiple IDs. In that case, this method should return an ID value that corresponds to the first ID in the widget's tags. """ return id_ id_for_label = classmethod(id_for_label) class Input(Widget): """ Base class for all <input> widgets (except type='checkbox' and type='radio', which are special). """ input_type = None # Subclasses must define this. def _format_value(self, value): if self.is_localized: return formats.localize_input(value) return value def render(self, name, value, attrs=None): if value is None: value = '' final_attrs = self.build_attrs(attrs, type=self.input_type, name=name) if value != '': # Only add the 'value' attribute if a value is non-empty. final_attrs['value'] = force_unicode(self._format_value(value)) return mark_safe(u'<input%s />' % flatatt(final_attrs)) class TextInput(Input): input_type = 'text' class PasswordInput(Input): input_type = 'password' def __init__(self, attrs=None, render_value=False): super(PasswordInput, self).__init__(attrs) self.render_value = render_value def render(self, name, value, attrs=None): if not self.render_value: value=None return super(PasswordInput, self).render(name, value, attrs) class HiddenInput(Input): input_type = 'hidden' is_hidden = True class MultipleHiddenInput(HiddenInput): """ A widget that handles <input type="hidden"> for fields that have a list of values. """ def __init__(self, attrs=None, choices=()): super(MultipleHiddenInput, self).__init__(attrs) # choices can be any iterable self.choices = choices def render(self, name, value, attrs=None, choices=()): if value is None: value = [] final_attrs = self.build_attrs(attrs, type=self.input_type, name=name) id_ = final_attrs.get('id', None) inputs = [] for i, v in enumerate(value): input_attrs = dict(value=force_unicode(v), **final_attrs) if id_: # An ID attribute was given. Add a numeric index as a suffix # so that the inputs don't all have the same ID attribute. input_attrs['id'] = '%s_%s' % (id_, i) inputs.append(u'<input%s />' % flatatt(input_attrs)) return mark_safe(u'\n'.join(inputs)) def value_from_datadict(self, data, files, name): if isinstance(data, (MultiValueDict, MergeDict)): return data.getlist(name) return data.get(name, None) class FileInput(Input): input_type = 'file' needs_multipart_form = True def render(self, name, value, attrs=None): return super(FileInput, self).render(name, None, attrs=attrs) def value_from_datadict(self, data, files, name): "File widgets take data from FILES, not POST" return files.get(name, None) def _has_changed(self, initial, data): if data is None: return False return True FILE_INPUT_CONTRADICTION = object() class ClearableFileInput(FileInput): initial_text = ugettext_lazy('Currently') input_text = ugettext_lazy('Change') clear_checkbox_label = ugettext_lazy('Clear') template_with_initial = u'%(initial_text)s: %(initial)s %(clear_template)s<br />%(input_text)s: %(input)s' template_with_clear = u'%(clear)s <label for="%(clear_checkbox_id)s">%(clear_checkbox_label)s</label>' def clear_checkbox_name(self, name): """ Given the name of the file input, return the name of the clear checkbox input. """ return name + '-clear' def clear_checkbox_id(self, name): """ Given the name of the clear checkbox input, return the HTML id for it. """ return name + '_id' def render(self, name, value, attrs=None): substitutions = { 'initial_text': self.initial_text, 'input_text': self.input_text, 'clear_template': '', 'clear_checkbox_label': self.clear_checkbox_label, } template = u'%(input)s' substitutions['input'] = super(ClearableFileInput, self).render(name, value, attrs) if value and hasattr(value, "url"): template = self.template_with_initial substitutions['initial'] = (u'<a href="%s">%s</a>' % (escape(value.url), escape(force_unicode(value)))) if not self.is_required: checkbox_name = self.clear_checkbox_name(name) checkbox_id = self.clear_checkbox_id(checkbox_name) substitutions['clear_checkbox_name'] = conditional_escape(checkbox_name) substitutions['clear_checkbox_id'] = conditional_escape(checkbox_id) substitutions['clear'] = CheckboxInput().render(checkbox_name, False, attrs={'id': checkbox_id}) substitutions['clear_template'] = self.template_with_clear % substitutions return mark_safe(template % substitutions) def value_from_datadict(self, data, files, name): upload = super(ClearableFileInput, self).value_from_datadict(data, files, name) if not self.is_required and CheckboxInput().value_from_datadict( data, files, self.clear_checkbox_name(name)): if upload: # If the user contradicts themselves (uploads a new file AND # checks the "clear" checkbox), we return a unique marker # object that FileField will turn into a ValidationError. return FILE_INPUT_CONTRADICTION # False signals to clear any existing value, as opposed to just None return False return upload class Textarea(Widget): def __init__(self, attrs=None): # The 'rows' and 'cols' attributes are required for HTML correctness. default_attrs = {'cols': '40', 'rows': '10'} if attrs: default_attrs.update(attrs) super(Textarea, self).__init__(default_attrs) def render(self, name, value, attrs=None): if value is None: value = '' final_attrs = self.build_attrs(attrs, name=name) return mark_safe(u'<textarea%s>%s</textarea>' % (flatatt(final_attrs), conditional_escape(force_unicode(value)))) class DateInput(Input): input_type = 'text' format = '%Y-%m-%d' # '2006-10-25' def __init__(self, attrs=None, format=None): super(DateInput, self).__init__(attrs) if format: self.format = format self.manual_format = True else: self.format = formats.get_format('DATE_INPUT_FORMATS')[0] self.manual_format = False def _format_value(self, value): if self.is_localized and not self.manual_format: return formats.localize_input(value) elif hasattr(value, 'strftime'): value = datetime_safe.new_date(value) return value.strftime(self.format) return value def _has_changed(self, initial, data): # If our field has show_hidden_initial=True, initial will be a string # formatted by HiddenInput using formats.localize_input, which is not # necessarily the format used for this widget. Attempt to convert it. try: input_format = formats.get_format('DATE_INPUT_FORMATS')[0] initial = datetime.date(*time.strptime(initial, input_format)[:3]) except (TypeError, ValueError): pass return super(DateInput, self)._has_changed(self._format_value(initial), data) class DateTimeInput(Input): input_type = 'text' format = '%Y-%m-%d %H:%M:%S' # '2006-10-25 14:30:59' def __init__(self, attrs=None, format=None): super(DateTimeInput, self).__init__(attrs) if format: self.format = format self.manual_format = True else: self.format = formats.get_format('DATETIME_INPUT_FORMATS')[0] self.manual_format = False def _format_value(self, value): if self.is_localized and not self.manual_format: return formats.localize_input(value) elif hasattr(value, 'strftime'): value = datetime_safe.new_datetime(value) return value.strftime(self.format) return value def _has_changed(self, initial, data): # If our field has show_hidden_initial=True, initial will be a string # formatted by HiddenInput using formats.localize_input, which is not # necessarily the format used for this widget. Attempt to convert it. try: input_format = formats.get_format('DATETIME_INPUT_FORMATS')[0] initial = datetime.datetime(*time.strptime(initial, input_format)[:6]) except (TypeError, ValueError): pass return super(DateTimeInput, self)._has_changed(self._format_value(initial), data) class TimeInput(Input): input_type = 'text' format = '%H:%M:%S' # '14:30:59' def __init__(self, attrs=None, format=None): super(TimeInput, self).__init__(attrs) if format: self.format = format self.manual_format = True else: self.format = formats.get_format('TIME_INPUT_FORMATS')[0] self.manual_format = False def _format_value(self, value): if self.is_localized and not self.manual_format: return formats.localize_input(value) elif hasattr(value, 'strftime'): return value.strftime(self.format) return value def _has_changed(self, initial, data): # If our field has show_hidden_initial=True, initial will be a string # formatted by HiddenInput using formats.localize_input, which is not # necessarily the format used for this widget. Attempt to convert it. try: input_format = formats.get_format('TIME_INPUT_FORMATS')[0] initial = datetime.time(*time.strptime(initial, input_format)[3:6]) except (TypeError, ValueError): pass return super(TimeInput, self)._has_changed(self._format_value(initial), data) class CheckboxInput(Widget): def __init__(self, attrs=None, check_test=bool): super(CheckboxInput, self).__init__(attrs) # check_test is a callable that takes a value and returns True # if the checkbox should be checked for that value. self.check_test = check_test def render(self, name, value, attrs=None): final_attrs = self.build_attrs(attrs, type='checkbox', name=name) try: result = self.check_test(value) except: # Silently catch exceptions result = False if result: final_attrs['checked'] = 'checked' if value not in ('', True, False, None): # Only add the 'value' attribute if a value is non-empty. final_attrs['value'] = force_unicode(value) return mark_safe(u'<input%s />' % flatatt(final_attrs)) def value_from_datadict(self, data, files, name): if name not in data: # A missing value means False because HTML form submission does not # send results for unselected checkboxes. return False value = data.get(name) # Translate true and false strings to boolean values. values = {'true': True, 'false': False} if isinstance(value, basestring): value = values.get(value.lower(), value) return value def _has_changed(self, initial, data): # Sometimes data or initial could be None or u'' which should be the # same thing as False. return bool(initial) != bool(data) class Select(Widget): def __init__(self, attrs=None, choices=()): super(Select, self).__init__(attrs) # choices can be any iterable, but we may need to render this widget # multiple times. Thus, collapse it into a list so it can be consumed # more than once. self.choices = list(choices) def render(self, name, value, attrs=None, choices=()): if value is None: value = '' final_attrs = self.build_attrs(attrs, name=name) output = [u'<select%s>' % flatatt(final_attrs)] options = self.render_options(choices, [value]) if options: output.append(options) output.append(u'</select>') return mark_safe(u'\n'.join(output)) def render_option(self, selected_choices, option_value, option_label): option_value = force_unicode(option_value) selected_html = (option_value in selected_choices) and u' selected="selected"' or '' return u'<option value="%s"%s>%s</option>' % ( escape(option_value), selected_html, conditional_escape(force_unicode(option_label))) def render_options(self, choices, selected_choices): # Normalize to strings. selected_choices = set([force_unicode(v) for v in selected_choices]) output = [] for option_value, option_label in chain(self.choices, choices): if isinstance(option_label, (list, tuple)): output.append(u'<optgroup label="%s">' % escape(force_unicode(option_value))) for option in option_label: output.append(self.render_option(selected_choices, *option)) output.append(u'</optgroup>') else: output.append(self.render_option(selected_choices, option_value, option_label)) return u'\n'.join(output) class NullBooleanSelect(Select): """ A Select Widget intended to be used with NullBooleanField. """ def __init__(self, attrs=None): choices = ((u'1', ugettext('Unknown')), (u'2', ugettext('Yes')), (u'3', ugettext('No'))) super(NullBooleanSelect, self).__init__(attrs, choices) def render(self, name, value, attrs=None, choices=()): try: value = {True: u'2', False: u'3', u'2': u'2', u'3': u'3'}[value] except KeyError: value = u'1' return super(NullBooleanSelect, self).render(name, value, attrs, choices) def value_from_datadict(self, data, files, name): value = data.get(name, None) return {u'2': True, True: True, 'True': True, u'3': False, 'False': False, False: False}.get(value, None) def _has_changed(self, initial, data): # For a NullBooleanSelect, None (unknown) and False (No) # are not the same if initial is not None: initial = bool(initial) if data is not None: data = bool(data) return initial != data class SelectMultiple(Select): def render(self, name, value, attrs=None, choices=()): if value is None: value = [] final_attrs = self.build_attrs(attrs, name=name) output = [u'<select multiple="multiple"%s>' % flatatt(final_attrs)] options = self.render_options(choices, value) if options: output.append(options) output.append('</select>') return mark_safe(u'\n'.join(output)) def value_from_datadict(self, data, files, name): if isinstance(data, (MultiValueDict, MergeDict)): return data.getlist(name) return data.get(name, None) def _has_changed(self, initial, data): if initial is None: initial = [] if data is None: data = [] if len(initial) != len(data): return True initial_set = set([force_unicode(value) for value in initial]) data_set = set([force_unicode(value) for value in data]) return data_set != initial_set class RadioInput(StrAndUnicode): """ An object used by RadioFieldRenderer that represents a single <input type='radio'>. """ def __init__(self, name, value, attrs, choice, index): self.name, self.value = name, value self.attrs = attrs self.choice_value = force_unicode(choice[0]) self.choice_label = force_unicode(choice[1]) self.index = index def __unicode__(self): if 'id' in self.attrs: label_for = ' for="%s_%s"' % (self.attrs['id'], self.index) else: label_for = '' choice_label = conditional_escape(force_unicode(self.choice_label)) return mark_safe(u'<label%s>%s %s</label>' % (label_for, self.tag(), choice_label)) def is_checked(self): return self.value == self.choice_value def tag(self): if 'id' in self.attrs: self.attrs['id'] = '%s_%s' % (self.attrs['id'], self.index) final_attrs = dict(self.attrs, type='radio', name=self.name, value=self.choice_value) if self.is_checked(): final_attrs['checked'] = 'checked' return mark_safe(u'<input%s />' % flatatt(final_attrs)) class RadioFieldRenderer(StrAndUnicode): """ An object used by RadioSelect to enable customization of radio widgets. """ def __init__(self, name, value, attrs, choices): self.name, self.value, self.attrs = name, value, attrs self.choices = choices def __iter__(self): for i, choice in enumerate(self.choices): yield RadioInput(self.name, self.value, self.attrs.copy(), choice, i) def __getitem__(self, idx): choice = self.choices[idx] # Let the IndexError propogate return RadioInput(self.name, self.value, self.attrs.copy(), choice, idx) def __unicode__(self): return self.render() def render(self): """Outputs a <ul> for this set of radio fields.""" return mark_safe(u'<ul>\n%s\n</ul>' % u'\n'.join([u'<li>%s</li>' % force_unicode(w) for w in self])) class RadioSelect(Select): renderer = RadioFieldRenderer def __init__(self, *args, **kwargs): # Override the default renderer if we were passed one. renderer = kwargs.pop('renderer', None) if renderer: self.renderer = renderer super(RadioSelect, self).__init__(*args, **kwargs) def get_renderer(self, name, value, attrs=None, choices=()): """Returns an instance of the renderer.""" if value is None: value = '' str_value = force_unicode(value) # Normalize to string. final_attrs = self.build_attrs(attrs) choices = list(chain(self.choices, choices)) return self.renderer(name, str_value, final_attrs, choices) def render(self, name, value, attrs=None, choices=()): return self.get_renderer(name, value, attrs, choices).render() def id_for_label(self, id_): # RadioSelect is represented by multiple <input type="radio"> fields, # each of which has a distinct ID. The IDs are made distinct by a "_X" # suffix, where X is the zero-based index of the radio field. Thus, # the label for a RadioSelect should reference the first one ('_0'). if id_: id_ += '_0' return id_ id_for_label = classmethod(id_for_label) class CheckboxSelectMultiple(SelectMultiple): def render(self, name, value, attrs=None, choices=()): if value is None: value = [] has_id = attrs and 'id' in attrs final_attrs = self.build_attrs(attrs, name=name) output = [u'<ul>'] # Normalize to strings str_values = set([force_unicode(v) for v in value]) for i, (option_value, option_label) in enumerate(chain(self.choices, choices)): # If an ID attribute was given, add a numeric index as a suffix, # so that the checkboxes don't all have the same ID attribute. if has_id: final_attrs = dict(final_attrs, id='%s_%s' % (attrs['id'], i)) label_for = u' for="%s"' % final_attrs['id'] else: label_for = '' cb = CheckboxInput(final_attrs, check_test=lambda value: value in str_values) option_value = force_unicode(option_value) rendered_cb = cb.render(name, option_value) option_label = conditional_escape(force_unicode(option_label)) output.append(u'<li><label%s>%s %s</label></li>' % (label_for, rendered_cb, option_label)) output.append(u'</ul>') return mark_safe(u'\n'.join(output)) def id_for_label(self, id_): # See the comment for RadioSelect.id_for_label() if id_: id_ += '_0' return id_ id_for_label = classmethod(id_for_label) class MultiWidget(Widget): """ A widget that is composed of multiple widgets. Its render() method is different than other widgets', because it has to figure out how to split a single value for display in multiple widgets. The ``value`` argument can be one of two things: * A list. * A normal value (e.g., a string) that has been "compressed" from a list of values. In the second case -- i.e., if the value is NOT a list -- render() will first "decompress" the value into a list before rendering it. It does so by calling the decompress() method, which MultiWidget subclasses must implement. This method takes a single "compressed" value and returns a list. When render() does its HTML rendering, each value in the list is rendered with the corresponding widget -- the first value is rendered in the first widget, the second value is rendered in the second widget, etc. Subclasses may implement format_output(), which takes the list of rendered widgets and returns a string of HTML that formats them any way you'd like. You'll probably want to use this class with MultiValueField. """ def __init__(self, widgets, attrs=None): self.widgets = [isinstance(w, type) and w() or w for w in widgets] super(MultiWidget, self).__init__(attrs) def render(self, name, value, attrs=None): if self.is_localized: for widget in self.widgets: widget.is_localized = self.is_localized # value is a list of values, each corresponding to a widget # in self.widgets. if not isinstance(value, list): value = self.decompress(value) output = [] final_attrs = self.build_attrs(attrs) id_ = final_attrs.get('id', None) for i, widget in enumerate(self.widgets): try: widget_value = value[i] except IndexError: widget_value = None if id_: final_attrs = dict(final_attrs, id='%s_%s' % (id_, i)) output.append(widget.render(name + '_%s' % i, widget_value, final_attrs)) return mark_safe(self.format_output(output)) def id_for_label(self, id_): # See the comment for RadioSelect.id_for_label() if id_: id_ += '_0' return id_ id_for_label = classmethod(id_for_label) def value_from_datadict(self, data, files, name): return [widget.value_from_datadict(data, files, name + '_%s' % i) for i, widget in enumerate(self.widgets)] def _has_changed(self, initial, data): if initial is None: initial = [u'' for x in range(0, len(data))] else: if not isinstance(initial, list): initial = self.decompress(initial) for widget, initial, data in zip(self.widgets, initial, data): if widget._has_changed(initial, data): return True return False def format_output(self, rendered_widgets): """ Given a list of rendered widgets (as strings), returns a Unicode string representing the HTML for the whole lot. This hook allows you to format the HTML design of the widgets, if needed. """ return u''.join(rendered_widgets) def decompress(self, value): """ Returns a list of decompressed values for the given compressed value. The given value can be assumed to be valid, but not necessarily non-empty. """ raise NotImplementedError('Subclasses must implement this method.') def _get_media(self): "Media for a multiwidget is the combination of all media of the subwidgets" media = Media() for w in self.widgets: media = media + w.media return media media = property(_get_media) def __deepcopy__(self, memo): obj = super(MultiWidget, self).__deepcopy__(memo) obj.widgets = copy.deepcopy(self.widgets) return obj class SplitDateTimeWidget(MultiWidget): """ A Widget that splits datetime input into two <input type="text"> boxes. """ date_format = DateInput.format time_format = TimeInput.format def __init__(self, attrs=None, date_format=None, time_format=None): widgets = (DateInput(attrs=attrs, format=date_format), TimeInput(attrs=attrs, format=time_format)) super(SplitDateTimeWidget, self).__init__(widgets, attrs) def decompress(self, value): if value: return [value.date(), value.time().replace(microsecond=0)] return [None, None] class SplitHiddenDateTimeWidget(SplitDateTimeWidget): """ A Widget that splits datetime input into two <input type="hidden"> inputs. """ is_hidden = True def __init__(self, attrs=None, date_format=None, time_format=None): super(SplitHiddenDateTimeWidget, self).__init__(attrs, date_format, time_format) for widget in self.widgets: widget.input_type = 'hidden' widget.is_hidden = True
samhoo/askbot-realworld
refs/heads/master
askbot/views/commands.py
1
""" :synopsis: most ajax processors for askbot This module contains most (but not all) processors for Ajax requests. Not so clear if this subdivision was necessary as separation of Ajax and non-ajax views is not always very clean. """ from django.conf import settings as django_settings from django.core import exceptions from django.core.urlresolvers import reverse from django.contrib.auth.decorators import login_required from django.http import HttpResponse, HttpResponseRedirect, Http404 from django.forms import ValidationError from django.shortcuts import get_object_or_404 from django.views.decorators import csrf from django.utils import simplejson from django.utils.translation import ugettext as _ from askbot import models from askbot import forms from askbot.conf import should_show_sort_by_relevance from askbot.conf import settings as askbot_settings from askbot.utils import decorators from askbot.utils import url_utils from askbot.skins.loaders import render_into_skin from askbot import const import logging def process_vote(user = None, vote_direction = None, post = None): """function (non-view) that actually processes user votes - i.e. up- or down- votes in the future this needs to be converted into a real view function for that url and javascript will need to be adjusted also in the future make keys in response data be more meaningful right now they are kind of cryptic - "status", "count" """ if user.is_anonymous(): raise exceptions.PermissionDenied(_('anonymous users cannot vote')) user.assert_can_vote_for_post( post = post, direction = vote_direction ) vote = user.get_old_vote_for_post(post) response_data = {} if vote != None: user.assert_can_revoke_old_vote(vote) score_delta = vote.cancel() response_data['count'] = post.score + score_delta response_data['status'] = 1 #this means "cancel" else: #this is a new vote votes_left = user.get_unused_votes_today() if votes_left <= 0: raise exceptions.PermissionDenied( _('Sorry you ran out of votes for today') ) votes_left -= 1 if votes_left <= \ askbot_settings.VOTES_LEFT_WARNING_THRESHOLD: msg = _('You have %(votes_left)s votes left for today') \ % {'votes_left': votes_left } response_data['message'] = msg if vote_direction == 'up': vote = user.upvote(post = post) else: vote = user.downvote(post = post) response_data['count'] = post.score response_data['status'] = 0 #this means "not cancel", normal operation response_data['success'] = 1 return response_data @csrf.csrf_exempt def manage_inbox(request): """delete, mark as new or seen user's response memo objects, excluding flags request data is memo_list - list of integer id's of the ActivityAuditStatus items and action_type - string - one of delete|mark_new|mark_seen """ response_data = dict() try: if request.is_ajax(): if request.method == 'POST': post_data = simplejson.loads(request.raw_post_data) if request.user.is_authenticated(): activity_types = const.RESPONSE_ACTIVITY_TYPES_FOR_DISPLAY activity_types += (const.TYPE_ACTIVITY_MENTION, ) user = request.user memo_set = models.ActivityAuditStatus.objects.filter( id__in = post_data['memo_list'], activity__activity_type__in = activity_types, user = user ) action_type = post_data['action_type'] if action_type == 'delete': memo_set.delete() elif action_type == 'mark_new': memo_set.update(status = models.ActivityAuditStatus.STATUS_NEW) elif action_type == 'mark_seen': memo_set.update(status = models.ActivityAuditStatus.STATUS_SEEN) else: raise exceptions.PermissionDenied( _('Oops, apologies - there was some error') ) user.update_response_counts() response_data['success'] = True data = simplejson.dumps(response_data) return HttpResponse(data, mimetype="application/json") else: raise exceptions.PermissionDenied( _('Sorry, but anonymous users cannot access the inbox') ) else: raise exceptions.PermissionDenied('must use POST request') else: #todo: show error page but no-one is likely to get here return HttpResponseRedirect(reverse('index')) except Exception, e: message = unicode(e) if message == '': message = _('Oops, apologies - there was some error') response_data['message'] = message response_data['success'] = False data = simplejson.dumps(response_data) return HttpResponse(data, mimetype="application/json") @csrf.csrf_exempt def vote(request, id): """ todo: this subroutine needs serious refactoring it's too long and is hard to understand vote_type: acceptAnswer : 0, questionUpVote : 1, questionDownVote : 2, favorite : 4, answerUpVote: 5, answerDownVote:6, offensiveQuestion : 7, remove offensiveQuestion flag : 7.5, remove all offensiveQuestion flag : 7.6, offensiveAnswer:8, remove offensiveAnswer flag : 8.5, remove all offensiveAnswer flag : 8.6, removeQuestion: 9, removeAnswer:10 questionSubscribeUpdates:11 questionUnSubscribeUpdates:12 accept answer code: response_data['allowed'] = -1, Accept his own answer 0, no allowed - Anonymous 1, Allowed - by default response_data['success'] = 0, failed 1, Success - by default response_data['status'] = 0, By default 1, Answer has been accepted already(Cancel) vote code: allowed = -3, Don't have enough votes left -2, Don't have enough reputation score -1, Vote his own post 0, no allowed - Anonymous 1, Allowed - by default status = 0, By default 1, Cancel 2, Vote is too old to be canceled offensive code: allowed = -3, Don't have enough flags left -2, Don't have enough reputation score to do this 0, not allowed 1, allowed status = 0, by default 1, can't do it again """ response_data = { "allowed": 1, "success": 1, "status" : 0, "count" : 0, "message" : '' } try: if request.is_ajax() and request.method == 'POST': vote_type = request.POST.get('type') else: raise Exception(_('Sorry, something is not right here...')) if vote_type == '0': if request.user.is_authenticated(): answer_id = request.POST.get('postId') answer = get_object_or_404(models.Answer, id = answer_id) question = answer.question # make sure question author is current user if answer.accepted: request.user.unaccept_best_answer(answer) response_data['status'] = 1 #cancelation else: request.user.accept_best_answer(answer) else: raise exceptions.PermissionDenied( _('Sorry, but anonymous users cannot accept answers') ) elif vote_type in ('1', '2', '5', '6'):#Q&A up/down votes ############################### # all this can be avoided with # better query parameters vote_direction = 'up' if vote_type in ('2','6'): vote_direction = 'down' if vote_type in ('5', '6'): #todo: fix this weirdness - why postId here #and not with question? id = request.POST.get('postId') post = get_object_or_404(models.Answer, id=id) else: post = get_object_or_404(models.Question, id=id) # ###################### response_data = process_vote( user = request.user, vote_direction = vote_direction, post = post ) elif vote_type in ['7', '8']: #flag question or answer if vote_type == '7': post = get_object_or_404(models.Question, id=id) if vote_type == '8': id = request.POST.get('postId') post = get_object_or_404(models.Answer, id=id) request.user.flag_post(post) response_data['count'] = post.offensive_flag_count response_data['success'] = 1 elif vote_type in ['7.5', '8.5']: #flag question or answer if vote_type == '7.5': post = get_object_or_404(models.Question, id=id) if vote_type == '8.5': id = request.POST.get('postId') post = get_object_or_404(models.Answer, id=id) request.user.flag_post(post, cancel = True) response_data['count'] = post.offensive_flag_count response_data['success'] = 1 elif vote_type in ['7.6', '8.6']: #flag question or answer if vote_type == '7.6': post = get_object_or_404(models.Question, id=id) if vote_type == '8.6': id = request.POST.get('postId') post = get_object_or_404(models.Answer, id=id) request.user.flag_post(post, cancel_all = True) response_data['count'] = post.offensive_flag_count response_data['success'] = 1 elif vote_type in ['9', '10']: #delete question or answer post = get_object_or_404(models.Question, id = id) if vote_type == '10': id = request.POST.get('postId') post = get_object_or_404(models.Answer, id = id) if post.deleted == True: request.user.restore_post(post = post) else: request.user.delete_post(post = post) elif request.is_ajax() and request.method == 'POST': if not request.user.is_authenticated(): response_data['allowed'] = 0 response_data['success'] = 0 question = get_object_or_404(models.Question, id=id) vote_type = request.POST.get('type') #accept answer if vote_type == '4': has_favorited = False fave = request.user.toggle_favorite_question(question) response_data['count'] = models.FavoriteQuestion.objects.filter( question = question ).count() if fave == False: response_data['status'] = 1 elif vote_type == '11':#subscribe q updates user = request.user if user.is_authenticated(): if user not in question.followed_by.all(): user.follow_question(question) if askbot_settings.EMAIL_VALIDATION == True \ and user.email_isvalid == False: response_data['message'] = \ _('subscription saved, %(email)s needs validation, see %(details_url)s') \ % {'email':user.email,'details_url':reverse('faq') + '#validate'} subscribed = user.subscribe_for_followed_question_alerts() if subscribed: if 'message' in response_data: response_data['message'] += '<br/>' response_data['message'] += _('email update frequency has been set to daily') #response_data['status'] = 1 #responst_data['allowed'] = 1 else: pass #response_data['status'] = 0 #response_data['allowed'] = 0 elif vote_type == '12':#unsubscribe q updates user = request.user if user.is_authenticated(): user.unfollow_question(question) else: response_data['success'] = 0 response_data['message'] = u'Request mode is not supported. Please try again.' data = simplejson.dumps(response_data) except Exception, e: response_data['message'] = unicode(e) response_data['success'] = 0 data = simplejson.dumps(response_data) return HttpResponse(data, mimetype="application/json") #internally grouped views - used by the tagging system @csrf.csrf_exempt @decorators.ajax_login_required def mark_tag(request, **kwargs):#tagging system action = kwargs['action'] post_data = simplejson.loads(request.raw_post_data) raw_tagnames = post_data['tagnames'] reason = kwargs.get('reason', None) #separate plain tag names and wildcard tags tagnames, wildcards = forms.clean_marked_tagnames(raw_tagnames) cleaned_tagnames, cleaned_wildcards = request.user.mark_tags( tagnames, wildcards, reason = reason, action = action ) #lastly - calculate tag usage counts tag_usage_counts = dict() for name in tagnames: if name in cleaned_tagnames: tag_usage_counts[name] = 1 else: tag_usage_counts[name] = 0 for name in wildcards: if name in cleaned_wildcards: tag_usage_counts[name] = models.Tag.objects.filter( name__startswith = name[:-1] ).count() else: tag_usage_counts[name] = 0 return HttpResponse(simplejson.dumps(tag_usage_counts), mimetype="application/json") #@decorators.ajax_only @decorators.get_only def get_tags_by_wildcard(request): """returns an json encoded array of tag names in the response to a wildcard tag name """ matching_tags = models.Tag.objects.get_by_wildcards( [request.GET['wildcard'],] ) count = matching_tags.count() names = matching_tags.values_list('name', flat = True)[:20] re_data = simplejson.dumps({'tag_count': count, 'tag_names': list(names)}) return HttpResponse(re_data, mimetype = 'application/json') @decorators.get_only def get_tag_list(request): """returns tags to use in the autocomplete function """ tag_names = models.Tag.objects.filter( deleted = False ).values_list( 'name', flat = True ) output = '\n'.join(tag_names) return HttpResponse(output, mimetype = "text/plain") @csrf.csrf_protect def subscribe_for_tags(request): """process subscription of users by tags""" #todo - use special separator to split tags tag_names = request.REQUEST.get('tags','').strip().split() pure_tag_names, wildcards = forms.clean_marked_tagnames(tag_names) if request.user.is_authenticated(): if request.method == 'POST': if 'ok' in request.POST: request.user.mark_tags( pure_tag_names, wildcards, reason = 'good', action = 'add' ) request.user.message_set.create( message = _('Your tag subscription was saved, thanks!') ) else: message = _( 'Tag subscription was canceled (<a href="%(url)s">undo</a>).' ) % {'url': request.path + '?tags=' + request.REQUEST['tags']} request.user.message_set.create(message = message) return HttpResponseRedirect(reverse('index')) else: data = {'tags': tag_names} return render_into_skin('subscribe_for_tags.html', data, request) else: all_tag_names = pure_tag_names + wildcards message = _('Please sign in to subscribe for: %(tags)s') \ % {'tags': ', '.join(all_tag_names)} request.user.message_set.create(message = message) request.session['subscribe_for_tags'] = (pure_tag_names, wildcards) return HttpResponseRedirect(url_utils.get_login_url()) @decorators.get_only def api_get_questions(request): """json api for retrieving questions todo - see if it is possible to integrate this with the questions view """ form = forms.AdvancedSearchForm(request.GET) if form.is_valid(): query = form.cleaned_data['query'] questions = models.Question.objects.get_by_text_query(query) if should_show_sort_by_relevance(): questions = questions.extra(order_by = ['-relevance']) questions = questions.filter(deleted = False).distinct() page_size = form.cleaned_data.get('page_size', 30) questions = questions[:page_size] question_list = list() for question in questions: question_list.append({ 'url': question.get_absolute_url(), 'title': question.title, 'answer_count': question.answer_count }) json_data = simplejson.dumps(question_list) return HttpResponse(json_data, mimetype = "application/json") else: raise ValidationError('InvalidInput') @csrf.csrf_exempt @decorators.ajax_login_required def set_tag_filter_strategy(request): """saves data in the ``User.display_tag_filter_strategy`` for the current user """ filter_type = request.POST['filter_type'] filter_value = int(request.POST['filter_value']) assert(filter_type == 'display') assert(filter_value in dict(const.TAG_FILTER_STRATEGY_CHOICES)) request.user.display_tag_filter_strategy = filter_value request.user.save() return HttpResponse('', mimetype = "application/json") @login_required @csrf.csrf_protect def close(request, id):#close question """view to initiate and process question close """ question = get_object_or_404(models.Question, id=id) try: if request.method == 'POST': form = forms.CloseForm(request.POST) if form.is_valid(): reason = form.cleaned_data['reason'] request.user.close_question( question = question, reason = reason ) return HttpResponseRedirect(question.get_absolute_url()) else: request.user.assert_can_close_question(question) form = forms.CloseForm() data = { 'question': question, 'form': form, } return render_into_skin('close.html', data, request) except exceptions.PermissionDenied, e: request.user.message_set.create(message = unicode(e)) return HttpResponseRedirect(question.get_absolute_url()) @login_required @csrf.csrf_protect def reopen(request, id):#re-open question """view to initiate and process question close this is not an ajax view """ question = get_object_or_404(models.Question, id=id) # open question try: if request.method == 'POST' : request.user.reopen_question(question) return HttpResponseRedirect(question.get_absolute_url()) else: request.user.assert_can_reopen_question(question) closed_by_profile_url = question.closed_by.get_profile_url() closed_by_username = question.closed_by.username data = { 'question' : question, 'closed_by_profile_url': closed_by_profile_url, 'closed_by_username': closed_by_username, } return render_into_skin('reopen.html', data, request) except exceptions.PermissionDenied, e: request.user.message_set.create(message = unicode(e)) return HttpResponseRedirect(question.get_absolute_url()) @csrf.csrf_exempt @decorators.ajax_only def swap_question_with_answer(request): """receives two json parameters - answer id and new question title the view is made to be used only by the site administrator or moderators """ if request.user.is_authenticated(): if request.user.is_administrator() or request.user.is_moderator(): answer = models.Answer.objects.get(id = request.POST['answer_id']) new_question = answer.swap_with_question(new_title = request.POST['new_title']) return { 'id': new_question.id, 'slug': new_question.slug } raise Http404 @csrf.csrf_exempt @decorators.ajax_only @decorators.post_only def upvote_comment(request): if request.user.is_anonymous(): raise exceptions.PermissionDenied(_('Please sign in to vote')) form = forms.VoteForm(request.POST) if form.is_valid(): comment_id = form.cleaned_data['post_id'] cancel_vote = form.cleaned_data['cancel_vote'] comment = models.Comment.objects.get(id = comment_id) process_vote( post = comment, vote_direction = 'up', user = request.user ) else: raise ValueError return {'score': comment.score} #askbot-user communication system @csrf.csrf_exempt def read_message(request):#marks message a read if request.method == "POST": if request.POST['formdata'] == 'required': request.session['message_silent'] = 1 if request.user.is_authenticated(): request.user.delete_messages() return HttpResponse('')
david-ragazzi/nupic
refs/heads/master
examples/opf/experiments/multistep/hotgym/permutations_sp.py
8
#! /usr/bin/env python # ---------------------------------------------------------------------- # Numenta Platform for Intelligent Computing (NuPIC) # Copyright (C) 2013, Numenta, Inc. Unless you have an agreement # with Numenta, Inc., for a separate license for this software code, the # following terms and conditions apply: # # This program is free software: you can redistribute it and/or modify # it under the terms of the GNU General Public License version 3 as # published by the Free Software Foundation. # # 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 General Public License for more details. # # You should have received a copy of the GNU General Public License # along with this program. If not, see http://www.gnu.org/licenses. # # http://numenta.org/licenses/ # ---------------------------------------------------------------------- """ Template file used by ExpGenerator to generate the actual permutations.py file by replacing $XXXXXXXX tokens with desired values. This permutations.py file was generated by: '~/nupic/eng/lib/python2.6/site-packages/nupic/frameworks/opf/expGenerator/ExpGenerator.pyc' """ from nupic.swarming.permutationhelpers import * # The name of the field being predicted. Any allowed permutation MUST contain # the prediction field. # (generated from PREDICTION_FIELD) predictedField = 'consumption' ENC_WIDTH = 21 permutations = { 'inferenceType': 'NontemporalMultiStep', 'tpEnable': False, # Encoder permutation choices # Example: # # '__gym_encoder' : PermuteEncoder('gym', 'SDRCategoryEncoder', w=7, # n=100), # # '__address_encoder' : PermuteEncoder('address', 'SDRCategoryEncoder', # w=7, n=100), # # '__timestamp_timeOfDay_encoder' : PermuteEncoder('timestamp', # 'DateEncoder.timeOfDay', w=7, radius=PermuteChoices([1, 8])), # # '__timestamp_dayOfWeek_encoder' : PermuteEncoder('timestamp', # 'DateEncoder.dayOfWeek', w=7, radius=PermuteChoices([1, 3])), # # '__consumption_encoder' : PermuteEncoder('consumption', 'ScalarEncoder', # w=7, n=PermuteInt(13, 500, 20), minval=0, # maxval=PermuteInt(100, 300, 25)), # # (generated from PERM_ENCODER_CHOICES) '__timestamp_timeOfDay_encoder' : PermuteEncoder(fieldName='timestamp', encoderClass='DateEncoder.timeOfDay', w=ENC_WIDTH, radius=PermuteFloat(0.5, 12)), '__timestamp_dayOfWeek_encoder' : PermuteEncoder(fieldName='timestamp', encoderClass='DateEncoder.dayOfWeek', w=ENC_WIDTH, radius=PermuteFloat(1, 6)), '__timestamp_weekend_encoder' : PermuteEncoder(fieldName='timestamp', encoderClass='DateEncoder.weekend', w=ENC_WIDTH, radius=PermuteChoices([1])), '__consumption_encoder' : PermuteEncoder(fieldName='consumption', encoderClass='AdaptiveScalarEncoder', w=ENC_WIDTH, n=PermuteInt(28, 521), clipInput=True), 'tpSegmentActivationThreshold': 14, 'tpMinSegmentMatchSynapseThreshold': 12, } # Fields selected for final hypersearch report; # NOTE: These values are used as regular expressions by RunPermutations.py's # report generator # (fieldname values generated from PERM_PREDICTED_FIELD_NAME) report = [ '.*consumption.*', ] # Permutation optimization setting: either minimize or maximize metric # used by RunPermutations. # NOTE: The value is used as a regular expressions by RunPermutations.py's # report generator # (generated from minimize = 'prediction:aae:window=1000:field=consumption') minimize = "multiStepBestPredictions:multiStep:errorMetric='aae':steps=1:window=1000:field=consumption" def permutationFilter(perm): """ This function can be used to selectively filter out specific permutation combinations. It is called by RunPermutations for every possible permutation of the variables in the permutations dict. It should return True for valid a combination of permutation values and False for an invalid one. Parameters: --------------------------------------------------------- perm: dict of one possible combination of name:value pairs chosen from permutations. """ # An example of how to use this #if perm['__consumption_encoder']['maxval'] > 300: # return False; # return True
niceQWER007/jaikuengine
refs/heads/master
common/test/runner.py
34
# Copyright 2009 Google Inc. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. import unittest from common import profile from common.test import coverage from django.conf import settings from django.db import models from django.test import simple from django.test import utils def _any_startswith(app, app_names): return [a for a in app_names if app.startswith(a)] def run_tests(test_labels, verbosity=1, interactive=True, extra_tests=[], include_coverage=False, include_profile=False, profile_all=False): """ Copy and munge of django's django.test.simple.run_tests method, we're extending it to handle coverage -- Original Docs -- Run the unit tests for all the test labels in the provided list. Labels must be of the form: - app.TestClass.test_method Run a single specific test method - app.TestClass Run all the test methods in a given class - app Search for doctests and unittests in the named application. When looking for tests, the test runner will look in the models and tests modules for the application. A list of 'extra' tests may also be provided; these tests will be added to the test suite. Returns the number of tests that failed. """ utils.setup_test_environment() settings.DEBUG = False profile.PROFILE_ALL_TESTS = False suite = unittest.TestSuite() coverage_modules = [] if include_coverage: coverage.start() if profile_all: profile.PROFILE_ALL_TESTS = True if test_labels: for label in test_labels: if '.' in label: suite.addTest(simple.build_test(label)) else: app = models.get_app(label) suite.addTest(simple.build_suite(app)) coverage_modules.append(app) else: for app in models.get_apps(): if app.__name__.startswith('appengine_django'): continue suite.addTest(simple.build_suite(app)) coverage_modules.append(app) for test in extra_tests: suite.addTest(test) old_name = settings.DATABASE_NAME from django.db import connection connection.creation.create_test_db(verbosity, autoclobber=not interactive) result = unittest.TextTestRunner(verbosity=verbosity).run(suite) if include_coverage: coverage.stop() app_names = [mod.__name__.split('.')[0] for mod in coverage_modules] coverage_paths = ['%s/*.py' % app for app in settings.INSTALLED_APPS if _any_startswith(app, app_names)] coverage.report(coverage_paths, ignore_errors=1) if profile_all or include_profile: f = open(settings.PROFILING_DATA_PATH, 'w') f.write(profile.csv()) f.close() profile.clear() connection.creation.destroy_test_db(old_name, verbosity) utils.teardown_test_environment() return len(result.failures) + len(result.errors)
SUSE/azure-sdk-for-python
refs/heads/master
azure-monitor/azure/monitor/operations/tenant_activity_logs_operations.py
1
# coding=utf-8 # -------------------------------------------------------------------------- # Copyright (c) Microsoft Corporation. All rights reserved. # Licensed under the MIT License. See License.txt in the project root for # license information. # # Code generated by Microsoft (R) AutoRest Code Generator. # Changes may cause incorrect behavior and will be lost if the code is # regenerated. # -------------------------------------------------------------------------- from msrest.pipeline import ClientRawResponse import uuid from .. import models class TenantActivityLogsOperations(object): """TenantActivityLogsOperations operations. :param client: Client for service requests. :param config: Configuration of service client. :param serializer: An object model serializer. :param deserializer: An objec model deserializer. :ivar api_version: Client Api Version. Constant value: "2015-04-01". """ def __init__(self, client, config, serializer, deserializer): self._client = client self._serialize = serializer self._deserialize = deserializer self.api_version = "2015-04-01" self.config = config def list( self, filter=None, select=None, custom_headers=None, raw=False, **operation_config): """Gets the Activity Logs for the Tenant.<br>Everything that is applicable to the API to get the Activity Logs for the subscription is applicable to this API (the parameters, $filter, etc.).<br>One thing to point out here is that this API does *not* retrieve the logs at the individual subscription of the tenant but only surfaces the logs that were generated at the tenant level. :param filter: Reduces the set of data collected. <br>The **$filter** is very restricted and allows only the following patterns.<br>- List events for a resource group: $filter=eventTimestamp ge '<Start Time>' and eventTimestamp le '<End Time>' and eventChannels eq 'Admin, Operation' and resourceGroupName eq '<ResourceGroupName>'.<br>- List events for resource: $filter=eventTimestamp ge '<Start Time>' and eventTimestamp le '<End Time>' and eventChannels eq 'Admin, Operation' and resourceUri eq '<ResourceURI>'.<br>- List events for a subscription: $filter=eventTimestamp ge '<Start Time>' and eventTimestamp le '<End Time>' and eventChannels eq 'Admin, Operation'.<br>- List evetns for a resource provider: $filter=eventTimestamp ge '<Start Time>' and eventTimestamp le '<End Time>' and eventChannels eq 'Admin, Operation' and resourceProvider eq '<ResourceProviderName>'.<br>- List events for a correlation Id: api-version=2014-04-01&$filter=eventTimestamp ge '2014-07-16T04:36:37.6407898Z' and eventTimestamp le '2014-07-20T04:36:37.6407898Z' and eventChannels eq 'Admin, Operation' and correlationId eq '<CorrelationID>'.<br>**NOTE**: No other syntax is allowed. :type filter: str :param select: Used to fetch events with only the given properties.<br>The **$select** argument is a comma separated list of property names to be returned. Possible values are: *authorization*, *claims*, *correlationId*, *description*, *eventDataId*, *eventName*, *eventTimestamp*, *httpRequest*, *level*, *operationId*, *operationName*, *properties*, *resourceGroupName*, *resourceProviderName*, *resourceId*, *status*, *submissionTimestamp*, *subStatus*, *subscriptionId* :type select: str :param dict custom_headers: headers that will be added to the request :param bool raw: returns the direct response alongside the deserialized response :param operation_config: :ref:`Operation configuration overrides<msrest:optionsforoperations>`. :rtype: :class:`EventDataPaged <azure.monitor.models.EventDataPaged>` :raises: :class:`ErrorResponseException<azure.monitor.models.ErrorResponseException>` """ def internal_paging(next_link=None, raw=False): if not next_link: # Construct URL url = '/providers/microsoft.insights/eventtypes/management/values' # Construct parameters query_parameters = {} query_parameters['api-version'] = self._serialize.query("self.api_version", self.api_version, 'str') if filter is not None: query_parameters['$filter'] = self._serialize.query("filter", filter, 'str') if select is not None: query_parameters['$select'] = self._serialize.query("select", select, 'str') else: url = next_link query_parameters = {} # Construct headers header_parameters = {} header_parameters['Content-Type'] = 'application/json; charset=utf-8' if self.config.generate_client_request_id: header_parameters['x-ms-client-request-id'] = str(uuid.uuid1()) if custom_headers: header_parameters.update(custom_headers) if self.config.accept_language is not None: header_parameters['accept-language'] = self._serialize.header("self.config.accept_language", self.config.accept_language, 'str') # Construct and send request request = self._client.get(url, query_parameters) response = self._client.send( request, header_parameters, **operation_config) if response.status_code not in [200]: raise models.ErrorResponseException(self._deserialize, response) return response # Deserialize response deserialized = models.EventDataPaged(internal_paging, self._deserialize.dependencies) if raw: header_dict = {} client_raw_response = models.EventDataPaged(internal_paging, self._deserialize.dependencies, header_dict) return client_raw_response return deserialized
ClovisIRex/Snake-django
refs/heads/master
env/lib/python3.6/site-packages/packaging/version.py
1151
# This file is dual licensed under the terms of the Apache License, Version # 2.0, and the BSD License. See the LICENSE file in the root of this repository # for complete details. from __future__ import absolute_import, division, print_function import collections import itertools import re from ._structures import Infinity __all__ = [ "parse", "Version", "LegacyVersion", "InvalidVersion", "VERSION_PATTERN" ] _Version = collections.namedtuple( "_Version", ["epoch", "release", "dev", "pre", "post", "local"], ) def parse(version): """ Parse the given version string and return either a :class:`Version` object or a :class:`LegacyVersion` object depending on if the given version is a valid PEP 440 version or a legacy version. """ try: return Version(version) except InvalidVersion: return LegacyVersion(version) class InvalidVersion(ValueError): """ An invalid version was found, users should refer to PEP 440. """ class _BaseVersion(object): def __hash__(self): return hash(self._key) def __lt__(self, other): return self._compare(other, lambda s, o: s < o) def __le__(self, other): return self._compare(other, lambda s, o: s <= o) def __eq__(self, other): return self._compare(other, lambda s, o: s == o) def __ge__(self, other): return self._compare(other, lambda s, o: s >= o) def __gt__(self, other): return self._compare(other, lambda s, o: s > o) def __ne__(self, other): return self._compare(other, lambda s, o: s != o) def _compare(self, other, method): if not isinstance(other, _BaseVersion): return NotImplemented return method(self._key, other._key) class LegacyVersion(_BaseVersion): def __init__(self, version): self._version = str(version) self._key = _legacy_cmpkey(self._version) def __str__(self): return self._version def __repr__(self): return "<LegacyVersion({0})>".format(repr(str(self))) @property def public(self): return self._version @property def base_version(self): return self._version @property def local(self): return None @property def is_prerelease(self): return False @property def is_postrelease(self): return False _legacy_version_component_re = re.compile( r"(\d+ | [a-z]+ | \.| -)", re.VERBOSE, ) _legacy_version_replacement_map = { "pre": "c", "preview": "c", "-": "final-", "rc": "c", "dev": "@", } def _parse_version_parts(s): for part in _legacy_version_component_re.split(s): part = _legacy_version_replacement_map.get(part, part) if not part or part == ".": continue if part[:1] in "0123456789": # pad for numeric comparison yield part.zfill(8) else: yield "*" + part # ensure that alpha/beta/candidate are before final yield "*final" def _legacy_cmpkey(version): # We hardcode an epoch of -1 here. A PEP 440 version can only have a epoch # greater than or equal to 0. This will effectively put the LegacyVersion, # which uses the defacto standard originally implemented by setuptools, # as before all PEP 440 versions. epoch = -1 # This scheme is taken from pkg_resources.parse_version setuptools prior to # it's adoption of the packaging library. parts = [] for part in _parse_version_parts(version.lower()): if part.startswith("*"): # remove "-" before a prerelease tag if part < "*final": while parts and parts[-1] == "*final-": parts.pop() # remove trailing zeros from each series of numeric parts while parts and parts[-1] == "00000000": parts.pop() parts.append(part) parts = tuple(parts) return epoch, parts # Deliberately not anchored to the start and end of the string, to make it # easier for 3rd party code to reuse VERSION_PATTERN = r""" v? (?: (?:(?P<epoch>[0-9]+)!)? # epoch (?P<release>[0-9]+(?:\.[0-9]+)*) # release segment (?P<pre> # pre-release [-_\.]? (?P<pre_l>(a|b|c|rc|alpha|beta|pre|preview)) [-_\.]? (?P<pre_n>[0-9]+)? )? (?P<post> # post release (?:-(?P<post_n1>[0-9]+)) | (?: [-_\.]? (?P<post_l>post|rev|r) [-_\.]? (?P<post_n2>[0-9]+)? ) )? (?P<dev> # dev release [-_\.]? (?P<dev_l>dev) [-_\.]? (?P<dev_n>[0-9]+)? )? ) (?:\+(?P<local>[a-z0-9]+(?:[-_\.][a-z0-9]+)*))? # local version """ class Version(_BaseVersion): _regex = re.compile( r"^\s*" + VERSION_PATTERN + r"\s*$", re.VERBOSE | re.IGNORECASE, ) def __init__(self, version): # Validate the version and parse it into pieces match = self._regex.search(version) if not match: raise InvalidVersion("Invalid version: '{0}'".format(version)) # Store the parsed out pieces of the version self._version = _Version( epoch=int(match.group("epoch")) if match.group("epoch") else 0, release=tuple(int(i) for i in match.group("release").split(".")), pre=_parse_letter_version( match.group("pre_l"), match.group("pre_n"), ), post=_parse_letter_version( match.group("post_l"), match.group("post_n1") or match.group("post_n2"), ), dev=_parse_letter_version( match.group("dev_l"), match.group("dev_n"), ), local=_parse_local_version(match.group("local")), ) # Generate a key which will be used for sorting self._key = _cmpkey( self._version.epoch, self._version.release, self._version.pre, self._version.post, self._version.dev, self._version.local, ) def __repr__(self): return "<Version({0})>".format(repr(str(self))) def __str__(self): parts = [] # Epoch if self._version.epoch != 0: parts.append("{0}!".format(self._version.epoch)) # Release segment parts.append(".".join(str(x) for x in self._version.release)) # Pre-release if self._version.pre is not None: parts.append("".join(str(x) for x in self._version.pre)) # Post-release if self._version.post is not None: parts.append(".post{0}".format(self._version.post[1])) # Development release if self._version.dev is not None: parts.append(".dev{0}".format(self._version.dev[1])) # Local version segment if self._version.local is not None: parts.append( "+{0}".format(".".join(str(x) for x in self._version.local)) ) return "".join(parts) @property def public(self): return str(self).split("+", 1)[0] @property def base_version(self): parts = [] # Epoch if self._version.epoch != 0: parts.append("{0}!".format(self._version.epoch)) # Release segment parts.append(".".join(str(x) for x in self._version.release)) return "".join(parts) @property def local(self): version_string = str(self) if "+" in version_string: return version_string.split("+", 1)[1] @property def is_prerelease(self): return bool(self._version.dev or self._version.pre) @property def is_postrelease(self): return bool(self._version.post) def _parse_letter_version(letter, number): if letter: # We consider there to be an implicit 0 in a pre-release if there is # not a numeral associated with it. if number is None: number = 0 # We normalize any letters to their lower case form letter = letter.lower() # We consider some words to be alternate spellings of other words and # in those cases we want to normalize the spellings to our preferred # spelling. if letter == "alpha": letter = "a" elif letter == "beta": letter = "b" elif letter in ["c", "pre", "preview"]: letter = "rc" elif letter in ["rev", "r"]: letter = "post" return letter, int(number) if not letter and number: # We assume if we are given a number, but we are not given a letter # then this is using the implicit post release syntax (e.g. 1.0-1) letter = "post" return letter, int(number) _local_version_seperators = re.compile(r"[\._-]") def _parse_local_version(local): """ Takes a string like abc.1.twelve and turns it into ("abc", 1, "twelve"). """ if local is not None: return tuple( part.lower() if not part.isdigit() else int(part) for part in _local_version_seperators.split(local) ) def _cmpkey(epoch, release, pre, post, dev, local): # When we compare a release version, we want to compare it with all of the # trailing zeros removed. So we'll use a reverse the list, drop all the now # leading zeros until we come to something non zero, then take the rest # re-reverse it back into the correct order and make it a tuple and use # that for our sorting key. release = tuple( reversed(list( itertools.dropwhile( lambda x: x == 0, reversed(release), ) )) ) # We need to "trick" the sorting algorithm to put 1.0.dev0 before 1.0a0. # We'll do this by abusing the pre segment, but we _only_ want to do this # if there is not a pre or a post segment. If we have one of those then # the normal sorting rules will handle this case correctly. if pre is None and post is None and dev is not None: pre = -Infinity # Versions without a pre-release (except as noted above) should sort after # those with one. elif pre is None: pre = Infinity # Versions without a post segment should sort before those with one. if post is None: post = -Infinity # Versions without a development segment should sort after those with one. if dev is None: dev = Infinity if local is None: # Versions without a local segment should sort before those with one. local = -Infinity else: # Versions with a local segment need that segment parsed to implement # the sorting rules in PEP440. # - Alpha numeric segments sort before numeric segments # - Alpha numeric segments sort lexicographically # - Numeric segments sort numerically # - Shorter versions sort before longer versions when the prefixes # match exactly local = tuple( (i, "") if isinstance(i, int) else (-Infinity, i) for i in local ) return epoch, release, pre, post, dev, local
AzaiaInquisitor/MindScryer
refs/heads/master
bp_includes/external/requests/packages/chardet/compat.py
2942
######################## BEGIN LICENSE BLOCK ######################## # Contributor(s): # Ian Cordasco - port to Python # # This library 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 2.1 of the License, or (at your option) any later version. # # This library 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 library; if not, write to the Free Software # Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA # 02110-1301 USA ######################### END LICENSE BLOCK ######################### import sys if sys.version_info < (3, 0): base_str = (str, unicode) else: base_str = (bytes, str) def wrap_ord(a): if sys.version_info < (3, 0) and isinstance(a, base_str): return ord(a) else: return a
fubecka/f5-dashboard
refs/heads/master
flask/lib/python2.6/site-packages/pip/_vendor/requests/packages/chardet/sjisprober.py
1776
######################## BEGIN LICENSE BLOCK ######################## # The Original Code is mozilla.org code. # # The Initial Developer of the Original Code is # Netscape Communications Corporation. # Portions created by the Initial Developer are Copyright (C) 1998 # the Initial Developer. All Rights Reserved. # # Contributor(s): # Mark Pilgrim - port to Python # # This library 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 2.1 of the License, or (at your option) any later version. # # This library 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 library; if not, write to the Free Software # Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA # 02110-1301 USA ######################### END LICENSE BLOCK ######################### import sys from .mbcharsetprober import MultiByteCharSetProber from .codingstatemachine import CodingStateMachine from .chardistribution import SJISDistributionAnalysis from .jpcntx import SJISContextAnalysis from .mbcssm import SJISSMModel from . import constants class SJISProber(MultiByteCharSetProber): def __init__(self): MultiByteCharSetProber.__init__(self) self._mCodingSM = CodingStateMachine(SJISSMModel) self._mDistributionAnalyzer = SJISDistributionAnalysis() self._mContextAnalyzer = SJISContextAnalysis() self.reset() def reset(self): MultiByteCharSetProber.reset(self) self._mContextAnalyzer.reset() def get_charset_name(self): return self._mContextAnalyzer.get_charset_name() def feed(self, aBuf): aLen = len(aBuf) for i in range(0, aLen): codingState = self._mCodingSM.next_state(aBuf[i]) if codingState == constants.eError: if constants._debug: sys.stderr.write(self.get_charset_name() + ' prober hit error at byte ' + str(i) + '\n') self._mState = constants.eNotMe break elif codingState == constants.eItsMe: self._mState = constants.eFoundIt break elif codingState == constants.eStart: charLen = self._mCodingSM.get_current_charlen() if i == 0: self._mLastChar[1] = aBuf[0] self._mContextAnalyzer.feed(self._mLastChar[2 - charLen:], charLen) self._mDistributionAnalyzer.feed(self._mLastChar, charLen) else: self._mContextAnalyzer.feed(aBuf[i + 1 - charLen:i + 3 - charLen], charLen) self._mDistributionAnalyzer.feed(aBuf[i - 1:i + 1], charLen) self._mLastChar[0] = aBuf[aLen - 1] if self.get_state() == constants.eDetecting: if (self._mContextAnalyzer.got_enough_data() and (self.get_confidence() > constants.SHORTCUT_THRESHOLD)): self._mState = constants.eFoundIt return self.get_state() def get_confidence(self): contxtCf = self._mContextAnalyzer.get_confidence() distribCf = self._mDistributionAnalyzer.get_confidence() return max(contxtCf, distribCf)
jsjohnst/tornado
refs/heads/master
tornado/concurrent.py
32
#!/usr/bin/env python # # Copyright 2012 Facebook # # Licensed under the Apache License, Version 2.0 (the "License"); you may # not use this file except in compliance with the License. You may obtain # a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, WITHOUT # WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the # License for the specific language governing permissions and limitations # under the License. """Utilities for working with threads and ``Futures``. ``Futures`` are a pattern for concurrent programming introduced in Python 3.2 in the `concurrent.futures` package. This package defines a mostly-compatible `Future` class designed for use from coroutines, as well as some utility functions for interacting with the `concurrent.futures` package. """ from __future__ import absolute_import, division, print_function, with_statement import functools import platform import textwrap import traceback import sys from tornado.log import app_log from tornado.stack_context import ExceptionStackContext, wrap from tornado.util import raise_exc_info, ArgReplacer try: from concurrent import futures except ImportError: futures = None # Can the garbage collector handle cycles that include __del__ methods? # This is true in cpython beginning with version 3.4 (PEP 442). _GC_CYCLE_FINALIZERS = (platform.python_implementation() == 'CPython' and sys.version_info >= (3, 4)) class ReturnValueIgnoredError(Exception): pass # This class and associated code in the future object is derived # from the Trollius project, a backport of asyncio to Python 2.x - 3.x class _TracebackLogger(object): """Helper to log a traceback upon destruction if not cleared. This solves a nasty problem with Futures and Tasks that have an exception set: if nobody asks for the exception, the exception is never logged. This violates the Zen of Python: 'Errors should never pass silently. Unless explicitly silenced.' However, we don't want to log the exception as soon as set_exception() is called: if the calling code is written properly, it will get the exception and handle it properly. But we *do* want to log it if result() or exception() was never called -- otherwise developers waste a lot of time wondering why their buggy code fails silently. An earlier attempt added a __del__() method to the Future class itself, but this backfired because the presence of __del__() prevents garbage collection from breaking cycles. A way out of this catch-22 is to avoid having a __del__() method on the Future class itself, but instead to have a reference to a helper object with a __del__() method that logs the traceback, where we ensure that the helper object doesn't participate in cycles, and only the Future has a reference to it. The helper object is added when set_exception() is called. When the Future is collected, and the helper is present, the helper object is also collected, and its __del__() method will log the traceback. When the Future's result() or exception() method is called (and a helper object is present), it removes the the helper object, after calling its clear() method to prevent it from logging. One downside is that we do a fair amount of work to extract the traceback from the exception, even when it is never logged. It would seem cheaper to just store the exception object, but that references the traceback, which references stack frames, which may reference the Future, which references the _TracebackLogger, and then the _TracebackLogger would be included in a cycle, which is what we're trying to avoid! As an optimization, we don't immediately format the exception; we only do the work when activate() is called, which call is delayed until after all the Future's callbacks have run. Since usually a Future has at least one callback (typically set by 'yield From') and usually that callback extracts the callback, thereby removing the need to format the exception. PS. I don't claim credit for this solution. I first heard of it in a discussion about closing files when they are collected. """ __slots__ = ('exc_info', 'formatted_tb') def __init__(self, exc_info): self.exc_info = exc_info self.formatted_tb = None def activate(self): exc_info = self.exc_info if exc_info is not None: self.exc_info = None self.formatted_tb = traceback.format_exception(*exc_info) def clear(self): self.exc_info = None self.formatted_tb = None def __del__(self): if self.formatted_tb: app_log.error('Future exception was never retrieved: %s', ''.join(self.formatted_tb).rstrip()) class Future(object): """Placeholder for an asynchronous result. A ``Future`` encapsulates the result of an asynchronous operation. In synchronous applications ``Futures`` are used to wait for the result from a thread or process pool; in Tornado they are normally used with `.IOLoop.add_future` or by yielding them in a `.gen.coroutine`. `tornado.concurrent.Future` is similar to `concurrent.futures.Future`, but not thread-safe (and therefore faster for use with single-threaded event loops). In addition to ``exception`` and ``set_exception``, methods ``exc_info`` and ``set_exc_info`` are supported to capture tracebacks in Python 2. The traceback is automatically available in Python 3, but in the Python 2 futures backport this information is discarded. This functionality was previously available in a separate class ``TracebackFuture``, which is now a deprecated alias for this class. .. versionchanged:: 4.0 `tornado.concurrent.Future` is always a thread-unsafe ``Future`` with support for the ``exc_info`` methods. Previously it would be an alias for the thread-safe `concurrent.futures.Future` if that package was available and fall back to the thread-unsafe implementation if it was not. .. versionchanged:: 4.1 If a `.Future` contains an error but that error is never observed (by calling ``result()``, ``exception()``, or ``exc_info()``), a stack trace will be logged when the `.Future` is garbage collected. This normally indicates an error in the application, but in cases where it results in undesired logging it may be necessary to suppress the logging by ensuring that the exception is observed: ``f.add_done_callback(lambda f: f.exception())``. """ def __init__(self): self._done = False self._result = None self._exc_info = None self._log_traceback = False # Used for Python >= 3.4 self._tb_logger = None # Used for Python <= 3.3 self._callbacks = [] # Implement the Python 3.5 Awaitable protocol if possible # (we can't use return and yield together until py33). if sys.version_info >= (3, 3): exec(textwrap.dedent(""" def __await__(self): return (yield self) """)) else: # Py2-compatible version for use with cython. def __await__(self): result = yield self # StopIteration doesn't take args before py33, # but Cython recognizes the args tuple. e = StopIteration() e.args = (result,) raise e def cancel(self): """Cancel the operation, if possible. Tornado ``Futures`` do not support cancellation, so this method always returns False. """ return False def cancelled(self): """Returns True if the operation has been cancelled. Tornado ``Futures`` do not support cancellation, so this method always returns False. """ return False def running(self): """Returns True if this operation is currently running.""" return not self._done def done(self): """Returns True if the future has finished running.""" return self._done def _clear_tb_log(self): self._log_traceback = False if self._tb_logger is not None: self._tb_logger.clear() self._tb_logger = None def result(self, timeout=None): """If the operation succeeded, return its result. If it failed, re-raise its exception. This method takes a ``timeout`` argument for compatibility with `concurrent.futures.Future` but it is an error to call it before the `Future` is done, so the ``timeout`` is never used. """ self._clear_tb_log() if self._result is not None: return self._result if self._exc_info is not None: raise_exc_info(self._exc_info) self._check_done() return self._result def exception(self, timeout=None): """If the operation raised an exception, return the `Exception` object. Otherwise returns None. This method takes a ``timeout`` argument for compatibility with `concurrent.futures.Future` but it is an error to call it before the `Future` is done, so the ``timeout`` is never used. """ self._clear_tb_log() if self._exc_info is not None: return self._exc_info[1] else: self._check_done() return None def add_done_callback(self, fn): """Attaches the given callback to the `Future`. It will be invoked with the `Future` as its argument when the Future has finished running and its result is available. In Tornado consider using `.IOLoop.add_future` instead of calling `add_done_callback` directly. """ if self._done: fn(self) else: self._callbacks.append(fn) def set_result(self, result): """Sets the result of a ``Future``. It is undefined to call any of the ``set`` methods more than once on the same object. """ self._result = result self._set_done() def set_exception(self, exception): """Sets the exception of a ``Future.``""" self.set_exc_info( (exception.__class__, exception, getattr(exception, '__traceback__', None))) def exc_info(self): """Returns a tuple in the same format as `sys.exc_info` or None. .. versionadded:: 4.0 """ self._clear_tb_log() return self._exc_info def set_exc_info(self, exc_info): """Sets the exception information of a ``Future.`` Preserves tracebacks on Python 2. .. versionadded:: 4.0 """ self._exc_info = exc_info self._log_traceback = True if not _GC_CYCLE_FINALIZERS: self._tb_logger = _TracebackLogger(exc_info) try: self._set_done() finally: # Activate the logger after all callbacks have had a # chance to call result() or exception(). if self._log_traceback and self._tb_logger is not None: self._tb_logger.activate() self._exc_info = exc_info def _check_done(self): if not self._done: raise Exception("DummyFuture does not support blocking for results") def _set_done(self): self._done = True for cb in self._callbacks: try: cb(self) except Exception: app_log.exception('Exception in callback %r for %r', cb, self) self._callbacks = None # On Python 3.3 or older, objects with a destructor part of a reference # cycle are never destroyed. It's no longer the case on Python 3.4 thanks to # the PEP 442. if _GC_CYCLE_FINALIZERS: def __del__(self): if not self._log_traceback: # set_exception() was not called, or result() or exception() # has consumed the exception return tb = traceback.format_exception(*self._exc_info) app_log.error('Future %r exception was never retrieved: %s', self, ''.join(tb).rstrip()) TracebackFuture = Future if futures is None: FUTURES = Future else: FUTURES = (futures.Future, Future) def is_future(x): return isinstance(x, FUTURES) class DummyExecutor(object): def submit(self, fn, *args, **kwargs): future = TracebackFuture() try: future.set_result(fn(*args, **kwargs)) except Exception: future.set_exc_info(sys.exc_info()) return future def shutdown(self, wait=True): pass dummy_executor = DummyExecutor() def run_on_executor(*args, **kwargs): """Decorator to run a synchronous method asynchronously on an executor. The decorated method may be called with a ``callback`` keyword argument and returns a future. The `.IOLoop` and executor to be used are determined by the ``io_loop`` and ``executor`` attributes of ``self``. To use different attributes, pass keyword arguments to the decorator:: @run_on_executor(executor='_thread_pool') def foo(self): pass .. versionchanged:: 4.2 Added keyword arguments to use alternative attributes. """ def run_on_executor_decorator(fn): executor = kwargs.get("executor", "executor") io_loop = kwargs.get("io_loop", "io_loop") @functools.wraps(fn) def wrapper(self, *args, **kwargs): callback = kwargs.pop("callback", None) future = getattr(self, executor).submit(fn, self, *args, **kwargs) if callback: getattr(self, io_loop).add_future( future, lambda future: callback(future.result())) return future return wrapper if args and kwargs: raise ValueError("cannot combine positional and keyword args") if len(args) == 1: return run_on_executor_decorator(args[0]) elif len(args) != 0: raise ValueError("expected 1 argument, got %d", len(args)) return run_on_executor_decorator _NO_RESULT = object() def return_future(f): """Decorator to make a function that returns via callback return a `Future`. The wrapped function should take a ``callback`` keyword argument and invoke it with one argument when it has finished. To signal failure, the function can simply raise an exception (which will be captured by the `.StackContext` and passed along to the ``Future``). From the caller's perspective, the callback argument is optional. If one is given, it will be invoked when the function is complete with `Future.result()` as an argument. If the function fails, the callback will not be run and an exception will be raised into the surrounding `.StackContext`. If no callback is given, the caller should use the ``Future`` to wait for the function to complete (perhaps by yielding it in a `.gen.engine` function, or passing it to `.IOLoop.add_future`). Usage: .. testcode:: @return_future def future_func(arg1, arg2, callback): # Do stuff (possibly asynchronous) callback(result) @gen.engine def caller(callback): yield future_func(arg1, arg2) callback() .. Note that ``@return_future`` and ``@gen.engine`` can be applied to the same function, provided ``@return_future`` appears first. However, consider using ``@gen.coroutine`` instead of this combination. """ replacer = ArgReplacer(f, 'callback') @functools.wraps(f) def wrapper(*args, **kwargs): future = TracebackFuture() callback, args, kwargs = replacer.replace( lambda value=_NO_RESULT: future.set_result(value), args, kwargs) def handle_error(typ, value, tb): future.set_exc_info((typ, value, tb)) return True exc_info = None with ExceptionStackContext(handle_error): try: result = f(*args, **kwargs) if result is not None: raise ReturnValueIgnoredError( "@return_future should not be used with functions " "that return values") except: exc_info = sys.exc_info() raise if exc_info is not None: # If the initial synchronous part of f() raised an exception, # go ahead and raise it to the caller directly without waiting # for them to inspect the Future. future.result() # If the caller passed in a callback, schedule it to be called # when the future resolves. It is important that this happens # just before we return the future, or else we risk confusing # stack contexts with multiple exceptions (one here with the # immediate exception, and again when the future resolves and # the callback triggers its exception by calling future.result()). if callback is not None: def run_callback(future): result = future.result() if result is _NO_RESULT: callback() else: callback(future.result()) future.add_done_callback(wrap(run_callback)) return future return wrapper def chain_future(a, b): """Chain two futures together so that when one completes, so does the other. The result (success or failure) of ``a`` will be copied to ``b``, unless ``b`` has already been completed or cancelled by the time ``a`` finishes. """ def copy(future): assert future is a if b.done(): return if (isinstance(a, TracebackFuture) and isinstance(b, TracebackFuture) and a.exc_info() is not None): b.set_exc_info(a.exc_info()) elif a.exception() is not None: b.set_exception(a.exception()) else: b.set_result(a.result()) a.add_done_callback(copy)
google/makani
refs/heads/master
analysis/checks/collection/q7_checks.py
1
# Copyright 2020 Makani Technologies LLC # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. """Classes to perform checks on Q7SlowStatusMessages.""" from makani.analysis.checks import base_check from makani.avionics.common import pack_avionics_messages from makani.lib.python import c_helpers class Q7CpuLoadCheck(base_check.BaseCheckItem): """Check CPU load. """ @base_check.RegisterSpecs def __init__(self, for_log, node): """Initialize the checks. Args: for_log: True if this check is used for log analysis. Otherwise, it is for realtime AIO monitoring. node: The name of the node sending the message. """ self.node = node super(Q7CpuLoadCheck, self).__init__(for_log, name='Q7CpuLoadCheck.' + node) def _RegisterInputs(self): return [self._Arg('Q7SlowStatus', self.node, 'sys_info.num_cpus'), self._Arg('Q7SlowStatus', self.node, 'sys_info.load_averages[:]')] def _CheckSingleLoad(self, num_cpus, loads, index, minutes): if self._for_log: # Just in case the data ever drops out, use our best number. num_cpus = max(num_cpus) load = loads[:, index] load_per_cpu = load / float(num_cpus) name = '%s.%s (%d-minute)' % (self.node, 'CpuLoadCheck', minutes) self._CheckByRange(name, load_per_cpu, [[0, 1.6]], [[0, 2]]) @base_check.SkipIfAnyInputIsNone def _Check(self, num_cpus, loads): """Do the checking. Args: num_cpus: The number of logical CPUs on the Q7, as scalar or numpy.array. loads: SysInfo.load_averages, as float[3] or numpy.array(float[3]) """ self._CheckSingleLoad(num_cpus, loads, 0, 1) self._CheckSingleLoad(num_cpus, loads, 1, 5) self._CheckSingleLoad(num_cpus, loads, 2, 15) class Q7TemperatureCheck(base_check.BaseCheckItem): """Check CPU and SSD temperatures. """ _temperature_info_flag_helper = c_helpers.EnumHelper('TemperatureInfoFlag', pack_avionics_messages) @base_check.RegisterSpecs def __init__(self, for_log, node): """Initialize the checks. Args: for_log: True if this check is used for log analysis. Otherwise, it is for realtime AIO monitoring. node: The name of the node sending the message. """ self.node = node super(Q7TemperatureCheck, self).__init__(for_log, [[0, 70]], [[-40, 85]], name='Q7TemperatureCheck.' + node) def _RegisterInputs(self): """Indicates what fields are needed for the check. Returns: A list of arguments. Each argument contains three components: message type, aio node (short name), and message field. The message field is a string that indexes into the message struct. It can refer to arrays and dicts. E.g. "fc_mon.analog_data[2]". In addition, "timestamp" will refer to the derived field "capture_header.tv_sec + capture_header.tv_usec * 1e-6". """ # | Message | Aio node | Message | # | type | Short name | field | return [self._Arg('Q7SlowStatus', self.node, 'temperature_info.flags'), self._Arg('Q7SlowStatus', self.node, 'temperature_info.cpu_zone_0'), self._Arg('Q7SlowStatus', self.node, 'temperature_info.cpu_zone_1'), self._Arg('Q7SlowStatus', self.node, 'temperature_info.ssd')] def _Check(self, flags, cpu_zone_0, cpu_zone_1, ssd): """Do the checking. Each argument comes in either as a scalar or as a numpy.array of such scalars. Args: flags: Q7SlowStatusMessage.temperature_info.flags cpu_zone_0: Q7SlowStatusMessage.temperature_info.cpu_zone_0 cpu_zone_1: Q7SlowStatusMessage.temperature_info.cpu_zone_1 ssd: Q7SlowStatusMessage.temperature_info.ssd """ def GetMask(bit_name): return self._temperature_info_flag_helper.Value(bit_name) def Filter(for_log, flag_field, data_field): """Skip checking any data for which the flag bit isn't set. Args: for_log: True if this check is used for log analysis. Otherwise, it is for realtime AIO monitoring. flag_field: A flag or array of flags indicating presence of data. data_field: The data to use, if the flag is set. Returns: If the flag isn't set, a single value will get converted to None; an array of values will be filtered, and a shorter array returned, that includes only the values corresponding to indices where the flag was set. """ if flag_field is None or data_field is None: return None if for_log: return data_field[flag_field & mask] elif mask & flag_field == 0: return None return data_field if flags is None: return tuples = [('CpuZone0', cpu_zone_0), ('CpuZone1', cpu_zone_1), ('Ssd', ssd)] # Check each temperature field for which data is present. for t in tuples: mask = GetMask('%sValid' % t[0]) temperature_data = t[1] temperature_name = '%s.%sTemperature' % (self.node, t[0]) # Controller Q7s don't yet report temperatures, but when they do, they # won't have SSDs. if 'Recorder' not in self.node and 'Ssd' in temperature_name: continue flag_value = flags & mask != 0 # Warn if we're not getting temperature info. self._CheckByRange(temperature_name, flag_value, [[True, True]], [[False, True]]) temperature_data = Filter(self._for_log, flag_value, temperature_data) if temperature_data is not None: self._CheckByRange(temperature_name, temperature_data, self._normal_ranges, self._warning_ranges) class Q7Checks(base_check.ListOfChecks): def __init__(self, for_log): self._items_to_check = [ Q7TemperatureCheck(for_log, 'RecorderQ7Wing'), Q7TemperatureCheck(for_log, 'RecorderQ7Platform'), Q7CpuLoadCheck(for_log, 'RecorderQ7Wing'), Q7CpuLoadCheck(for_log, 'RecorderQ7Platform')]
kore-plugins/kore-plugins-ini
refs/heads/master
kore_plugins_ini/parsers.py
1
from configparser import ConfigParser class CaseConfigParser(ConfigParser): def optionxform(self, optionstr): return optionstr
vmanoria/bluemix-hue-filebrowser
refs/heads/master
hue-3.8.1-bluemix/desktop/core/ext-py/python-openid-2.2.5/openid/test/test_symbol.py
87
import unittest from openid import oidutil class SymbolTest(unittest.TestCase): def test_selfEquality(self): s = oidutil.Symbol('xxx') self.failUnlessEqual(s, s) def test_otherEquality(self): x = oidutil.Symbol('xxx') y = oidutil.Symbol('xxx') self.failUnlessEqual(x, y) def test_inequality(self): x = oidutil.Symbol('xxx') y = oidutil.Symbol('yyy') self.failIfEqual(x, y) def test_selfInequality(self): x = oidutil.Symbol('xxx') self.failIf(x != x) def test_otherInequality(self): x = oidutil.Symbol('xxx') y = oidutil.Symbol('xxx') self.failIf(x != y) def test_ne_inequality(self): x = oidutil.Symbol('xxx') y = oidutil.Symbol('yyy') self.failUnless(x != y) if __name__ == '__main__': unittest.main()
sariths/stadicViewer
refs/heads/master
StadicViewer/gui/pyqtGui/dump/ui3.py
1
# -*- coding: utf-8 -*- # Form implementation generated from reading ui file 'ui1.ui' # # Created by: PyQt4 UI code generator 4.11.4 # # WARNING! All changes made in this file will be lost! from PyQt4 import QtCore, QtGui try: _fromUtf8 = QtCore.QString.fromUtf8 except AttributeError: def _fromUtf8(s): return s try: _encoding = QtGui.QApplication.UnicodeUTF8 def _translate(context, text, disambig): return QtGui.QApplication.translate(context, text, disambig, _encoding) except AttributeError: def _translate(context, text, disambig): return QtGui.QApplication.translate(context, text, disambig) class Ui_Form(object): def setupUi(self, Form): Form.setObjectName(_fromUtf8("Form")) Form.resize(1093, 813) self.tabWidget = QtGui.QTabWidget(Form) self.tabWidget.setEnabled(False) self.tabWidget.setGeometry(QtCore.QRect(0, 50, 1091, 761)) self.tabWidget.setObjectName(_fromUtf8("tabWidget")) self.tabSpace = QtGui.QWidget() self.tabSpace.setObjectName(_fromUtf8("tabSpace")) self.verticalLayoutWidget = QtGui.QWidget(self.tabSpace) self.verticalLayoutWidget.setGeometry(QtCore.QRect(210, 30, 871, 581)) self.verticalLayoutWidget.setObjectName(_fromUtf8("verticalLayoutWidget")) self.layoutIlluminance = QtGui.QVBoxLayout(self.verticalLayoutWidget) self.layoutIlluminance.setObjectName(_fromUtf8("layoutIlluminance")) self.grpSpaceIlluminance = QtGui.QGroupBox(self.tabSpace) self.grpSpaceIlluminance.setGeometry(QtCore.QRect(0, 30, 201, 583)) self.grpSpaceIlluminance.setToolTip(_fromUtf8("")) self.grpSpaceIlluminance.setObjectName(_fromUtf8("grpSpaceIlluminance")) self.groupSpaceNavigateIlluminance = QtGui.QGroupBox(self.grpSpaceIlluminance) self.groupSpaceNavigateIlluminance.setGeometry(QtCore.QRect(0, 70, 201, 191)) self.groupSpaceNavigateIlluminance.setAutoFillBackground(False) self.groupSpaceNavigateIlluminance.setStyleSheet(_fromUtf8("")) self.groupSpaceNavigateIlluminance.setObjectName(_fromUtf8("groupSpaceNavigateIlluminance")) self.cmbSpaceTimeIllum = QtGui.QComboBox(self.groupSpaceNavigateIlluminance) self.cmbSpaceTimeIllum.setGeometry(QtCore.QRect(110, 30, 81, 21)) self.cmbSpaceTimeIllum.setObjectName(_fromUtf8("cmbSpaceTimeIllum")) self.cmbSpaceTimeIllum.addItem(_fromUtf8("")) self.cmbSpaceTimeIllum.addItem(_fromUtf8("")) self.cmbSpaceTimeIllum.addItem(_fromUtf8("")) self.cmbSpaceTimeIllum.addItem(_fromUtf8("")) self.cmbSpaceTimeIllum.addItem(_fromUtf8("")) self.cmbSpaceTimeIllum.addItem(_fromUtf8("")) self.cmbSpaceTimeIllum.addItem(_fromUtf8("")) self.cmbSpaceTimeIllum.addItem(_fromUtf8("")) self.cmbSpaceTimeIllum.addItem(_fromUtf8("")) self.cmbSpaceTimeIllum.addItem(_fromUtf8("")) self.cmbSpaceTimeIllum.addItem(_fromUtf8("")) self.cmbSpaceTimeIllum.addItem(_fromUtf8("")) self.cmbSpaceTimeIllum.addItem(_fromUtf8("")) self.cmbSpaceTimeIllum.addItem(_fromUtf8("")) self.cmbSpaceTimeIllum.addItem(_fromUtf8("")) self.cmbSpaceTimeIllum.addItem(_fromUtf8("")) self.cmbSpaceTimeIllum.addItem(_fromUtf8("")) self.cmbSpaceTimeIllum.addItem(_fromUtf8("")) self.cmbSpaceTimeIllum.addItem(_fromUtf8("")) self.cmbSpaceTimeIllum.addItem(_fromUtf8("")) self.cmbSpaceTimeIllum.addItem(_fromUtf8("")) self.cmbSpaceTimeIllum.addItem(_fromUtf8("")) self.cmbSpaceTimeIllum.addItem(_fromUtf8("")) self.cmbSpaceTimeIllum.addItem(_fromUtf8("")) self.lblSpaceTime = QtGui.QLabel(self.groupSpaceNavigateIlluminance) self.lblSpaceTime.setGeometry(QtCore.QRect(130, 0, 31, 41)) self.lblSpaceTime.setObjectName(_fromUtf8("lblSpaceTime")) self.calSpaceDateTimeIllum = QtGui.QDateTimeEdit(self.groupSpaceNavigateIlluminance) self.calSpaceDateTimeIllum.setGeometry(QtCore.QRect(10, 30, 81, 21)) self.calSpaceDateTimeIllum.setWrapping(True) self.calSpaceDateTimeIllum.setAlignment(QtCore.Qt.AlignCenter) self.calSpaceDateTimeIllum.setDate(QtCore.QDate(2015, 1, 1)) self.calSpaceDateTimeIllum.setTime(QtCore.QTime(0, 0, 0)) self.calSpaceDateTimeIllum.setMaximumDateTime(QtCore.QDateTime(QtCore.QDate(2015, 12, 31), QtCore.QTime(23, 59, 59))) self.calSpaceDateTimeIllum.setMinimumDateTime(QtCore.QDateTime(QtCore.QDate(2015, 1, 1), QtCore.QTime(0, 0, 0))) self.calSpaceDateTimeIllum.setMinimumDate(QtCore.QDate(2015, 1, 1)) self.calSpaceDateTimeIllum.setCalendarPopup(True) self.calSpaceDateTimeIllum.setObjectName(_fromUtf8("calSpaceDateTimeIllum")) self.lblSpaceDate = QtGui.QLabel(self.groupSpaceNavigateIlluminance) self.lblSpaceDate.setGeometry(QtCore.QRect(40, 10, 31, 21)) self.lblSpaceDate.setObjectName(_fromUtf8("lblSpaceDate")) self.grpSpaceIlluminanceNavigateDetailed = QtGui.QGroupBox(self.groupSpaceNavigateIlluminance) self.grpSpaceIlluminanceNavigateDetailed.setGeometry(QtCore.QRect(0, 60, 201, 131)) self.grpSpaceIlluminanceNavigateDetailed.setTitle(_fromUtf8("")) self.grpSpaceIlluminanceNavigateDetailed.setObjectName(_fromUtf8("grpSpaceIlluminanceNavigateDetailed")) self.cmbSpaceTimeIntervalMin = QtGui.QComboBox(self.grpSpaceIlluminanceNavigateDetailed) self.cmbSpaceTimeIntervalMin.setGeometry(QtCore.QRect(42, 40, 71, 20)) font = QtGui.QFont() font.setPointSize(7) self.cmbSpaceTimeIntervalMin.setFont(font) self.cmbSpaceTimeIntervalMin.setObjectName(_fromUtf8("cmbSpaceTimeIntervalMin")) self.cmbSpaceTimeIntervalMin.addItem(_fromUtf8("")) self.cmbSpaceTimeIntervalMin.addItem(_fromUtf8("")) self.cmbSpaceTimeIntervalMin.addItem(_fromUtf8("")) self.cmbSpaceTimeIntervalMin.addItem(_fromUtf8("")) self.cmbSpaceTimeIntervalMin.addItem(_fromUtf8("")) self.cmbSpaceTimeIntervalMin.addItem(_fromUtf8("")) self.cmbSpaceTimeIntervalMin.addItem(_fromUtf8("")) self.cmbSpaceTimeIntervalMin.addItem(_fromUtf8("")) self.cmbSpaceTimeIntervalMin.addItem(_fromUtf8("")) self.cmbSpaceTimeIntervalMin.addItem(_fromUtf8("")) self.cmbSpaceTimeIntervalMin.addItem(_fromUtf8("")) self.cmbSpaceTimeIntervalMin.addItem(_fromUtf8("")) self.cmbSpaceTimeIntervalMin.addItem(_fromUtf8("")) self.cmbSpaceTimeIntervalMin.addItem(_fromUtf8("")) self.cmbSpaceTimeIntervalMin.addItem(_fromUtf8("")) self.cmbSpaceTimeIntervalMin.addItem(_fromUtf8("")) self.cmbSpaceTimeIntervalMin.addItem(_fromUtf8("")) self.cmbSpaceTimeIntervalMin.addItem(_fromUtf8("")) self.cmbSpaceTimeIntervalMin.addItem(_fromUtf8("")) self.cmbSpaceTimeIntervalMin.addItem(_fromUtf8("")) self.cmbSpaceTimeIntervalMin.addItem(_fromUtf8("")) self.cmbSpaceTimeIntervalMin.addItem(_fromUtf8("")) self.cmbSpaceTimeIntervalMin.addItem(_fromUtf8("")) self.cmbSpaceTimeIntervalMin.addItem(_fromUtf8("")) self.lblSpaceTimeStep = QtGui.QLabel(self.grpSpaceIlluminanceNavigateDetailed) self.lblSpaceTimeStep.setGeometry(QtCore.QRect(7, 100, 56, 20)) self.lblSpaceTimeStep.setObjectName(_fromUtf8("lblSpaceTimeStep")) self.cmbSpaceIlluminanceStepType = QtGui.QComboBox(self.grpSpaceIlluminanceNavigateDetailed) self.cmbSpaceIlluminanceStepType.setGeometry(QtCore.QRect(69, 100, 55, 20)) self.cmbSpaceIlluminanceStepType.setObjectName(_fromUtf8("cmbSpaceIlluminanceStepType")) self.cmbSpaceIlluminanceStepType.addItem(_fromUtf8("")) self.cmbSpaceIlluminanceStepType.addItem(_fromUtf8("")) self.cmbSpaceTimeIntervalMax = QtGui.QComboBox(self.grpSpaceIlluminanceNavigateDetailed) self.cmbSpaceTimeIntervalMax.setGeometry(QtCore.QRect(119, 40, 71, 20)) font = QtGui.QFont() font.setPointSize(7) self.cmbSpaceTimeIntervalMax.setFont(font) self.cmbSpaceTimeIntervalMax.setObjectName(_fromUtf8("cmbSpaceTimeIntervalMax")) self.cmbSpaceTimeIntervalMax.addItem(_fromUtf8("")) self.cmbSpaceTimeIntervalMax.addItem(_fromUtf8("")) self.cmbSpaceTimeIntervalMax.addItem(_fromUtf8("")) self.cmbSpaceTimeIntervalMax.addItem(_fromUtf8("")) self.cmbSpaceTimeIntervalMax.addItem(_fromUtf8("")) self.cmbSpaceTimeIntervalMax.addItem(_fromUtf8("")) self.cmbSpaceTimeIntervalMax.addItem(_fromUtf8("")) self.cmbSpaceTimeIntervalMax.addItem(_fromUtf8("")) self.cmbSpaceTimeIntervalMax.addItem(_fromUtf8("")) self.cmbSpaceTimeIntervalMax.addItem(_fromUtf8("")) self.cmbSpaceTimeIntervalMax.addItem(_fromUtf8("")) self.cmbSpaceTimeIntervalMax.addItem(_fromUtf8("")) self.cmbSpaceTimeIntervalMax.addItem(_fromUtf8("")) self.cmbSpaceTimeIntervalMax.addItem(_fromUtf8("")) self.cmbSpaceTimeIntervalMax.addItem(_fromUtf8("")) self.cmbSpaceTimeIntervalMax.addItem(_fromUtf8("")) self.cmbSpaceTimeIntervalMax.addItem(_fromUtf8("")) self.cmbSpaceTimeIntervalMax.addItem(_fromUtf8("")) self.cmbSpaceTimeIntervalMax.addItem(_fromUtf8("")) self.cmbSpaceTimeIntervalMax.addItem(_fromUtf8("")) self.cmbSpaceTimeIntervalMax.addItem(_fromUtf8("")) self.cmbSpaceTimeIntervalMax.addItem(_fromUtf8("")) self.cmbSpaceTimeIntervalMax.addItem(_fromUtf8("")) self.cmbSpaceTimeIntervalMax.addItem(_fromUtf8("")) self.chkSpaceSkipDarkHours = QtGui.QCheckBox(self.grpSpaceIlluminanceNavigateDetailed) self.chkSpaceSkipDarkHours.setGeometry(QtCore.QRect(10, 70, 181, 20)) self.chkSpaceSkipDarkHours.setObjectName(_fromUtf8("chkSpaceSkipDarkHours")) self.lblSpaceDayInterval = QtGui.QLabel(self.grpSpaceIlluminanceNavigateDetailed) self.lblSpaceDayInterval.setGeometry(QtCore.QRect(10, 40, 41, 20)) self.lblSpaceDayInterval.setObjectName(_fromUtf8("lblSpaceDayInterval")) self.cmbSpaceIluminanceStepValue = QtGui.QComboBox(self.grpSpaceIlluminanceNavigateDetailed) self.cmbSpaceIluminanceStepValue.setGeometry(QtCore.QRect(130, 100, 56, 20)) self.cmbSpaceIluminanceStepValue.setObjectName(_fromUtf8("cmbSpaceIluminanceStepValue")) self.cmbSpaceIluminanceStepValue.addItem(_fromUtf8("")) self.cmbSpaceIluminanceStepValue.addItem(_fromUtf8("")) self.cmbSpaceIluminanceStepValue.addItem(_fromUtf8("")) self.cmbSpaceIluminanceStepValue.addItem(_fromUtf8("")) self.cmbSpaceIluminanceStepValue.addItem(_fromUtf8("")) self.cmbSpaceIluminanceStepValue.addItem(_fromUtf8("")) self.cmbSpaceIluminanceStepValue.addItem(_fromUtf8("")) self.cmbSpaceIluminanceStepValue.addItem(_fromUtf8("")) self.cmbSpaceIluminanceStepValue.addItem(_fromUtf8("")) self.cmbSpaceIluminanceStepValue.addItem(_fromUtf8("")) self.cmbSpaceIluminanceStepValue.addItem(_fromUtf8("")) self.cmbSpaceIluminanceStepValue.addItem(_fromUtf8("")) self.cmbSpaceIluminanceStepValue.addItem(_fromUtf8("")) self.cmbSpaceIluminanceStepValue.addItem(_fromUtf8("")) self.cmbSpaceIluminanceStepValue.addItem(_fromUtf8("")) self.cmbSpaceIluminanceStepValue.addItem(_fromUtf8("")) self.cmbSpaceIluminanceStepValue.addItem(_fromUtf8("")) self.cmbSpaceIluminanceStepValue.addItem(_fromUtf8("")) self.cmbSpaceIluminanceStepValue.addItem(_fromUtf8("")) self.cmbSpaceIluminanceStepValue.addItem(_fromUtf8("")) self.cmbSpaceIluminanceStepValue.addItem(_fromUtf8("")) self.cmbSpaceIluminanceStepValue.addItem(_fromUtf8("")) self.cmbSpaceIluminanceStepValue.addItem(_fromUtf8("")) self.cmbSpaceIluminanceStepValue.addItem(_fromUtf8("")) self.btnSpacePrevHour = QtGui.QPushButton(self.grpSpaceIlluminanceNavigateDetailed) self.btnSpacePrevHour.setGeometry(QtCore.QRect(10, 10, 88, 20)) self.btnSpacePrevHour.setObjectName(_fromUtf8("btnSpacePrevHour")) self.btnSpaceNextHour = QtGui.QPushButton(self.grpSpaceIlluminanceNavigateDetailed) self.btnSpaceNextHour.setGeometry(QtCore.QRect(103, 10, 88, 20)) self.btnSpaceNextHour.setObjectName(_fromUtf8("btnSpaceNextHour")) self.cmbSpaceTimeIntervalMin.raise_() self.lblSpaceTimeStep.raise_() self.cmbSpaceIlluminanceStepType.raise_() self.cmbSpaceTimeIntervalMax.raise_() self.chkSpaceSkipDarkHours.raise_() self.lblSpaceDayInterval.raise_() self.cmbSpaceIluminanceStepValue.raise_() self.btnSpacePrevHour.raise_() self.btnSpaceNextHour.raise_() self.cmbSpaceSelectIlluminanceFile = QtGui.QComboBox(self.grpSpaceIlluminance) self.cmbSpaceSelectIlluminanceFile.setGeometry(QtCore.QRect(10, 20, 181, 22)) font = QtGui.QFont() font.setPointSize(8) self.cmbSpaceSelectIlluminanceFile.setFont(font) self.cmbSpaceSelectIlluminanceFile.setObjectName(_fromUtf8("cmbSpaceSelectIlluminanceFile")) self.btnSapceSelectFileTypeIlluminance = QtGui.QPushButton(self.grpSpaceIlluminance) self.btnSapceSelectFileTypeIlluminance.setGeometry(QtCore.QRect(60, 43, 75, 21)) self.btnSapceSelectFileTypeIlluminance.setObjectName(_fromUtf8("btnSapceSelectFileTypeIlluminance")) self.grpSpaceColorContourSettings = QtGui.QGroupBox(self.grpSpaceIlluminance) self.grpSpaceColorContourSettings.setGeometry(QtCore.QRect(0, 260, 201, 321)) self.grpSpaceColorContourSettings.setTitle(_fromUtf8("")) self.grpSpaceColorContourSettings.setObjectName(_fromUtf8("grpSpaceColorContourSettings")) self.grpColoursIlluminance = QtGui.QGroupBox(self.grpSpaceColorContourSettings) self.grpColoursIlluminance.setGeometry(QtCore.QRect(110, 60, 81, 261)) self.grpColoursIlluminance.setStyleSheet(_fromUtf8("")) self.grpColoursIlluminance.setTitle(_fromUtf8("")) self.grpColoursIlluminance.setObjectName(_fromUtf8("grpColoursIlluminance")) self.btnSelectColorLowerMask = QtGui.QPushButton(self.grpColoursIlluminance) self.btnSelectColorLowerMask.setGeometry(QtCore.QRect(0, 190, 81, 21)) self.btnSelectColorLowerMask.setObjectName(_fromUtf8("btnSelectColorLowerMask")) self.lblColorMinLimit = QtGui.QLabel(self.grpColoursIlluminance) self.lblColorMinLimit.setGeometry(QtCore.QRect(0, 70, 81, 20)) self.lblColorMinLimit.setAlignment(QtCore.Qt.AlignCenter) self.lblColorMinLimit.setObjectName(_fromUtf8("lblColorMinLimit")) self.txtColorsMin = QtGui.QLineEdit(self.grpColoursIlluminance) self.txtColorsMin.setGeometry(QtCore.QRect(0, 90, 81, 20)) self.txtColorsMin.setInputMethodHints(QtCore.Qt.ImhDigitsOnly) self.txtColorsMin.setInputMask(_fromUtf8("")) self.txtColorsMin.setText(_fromUtf8("")) self.txtColorsMin.setCursorPosition(0) self.txtColorsMin.setAlignment(QtCore.Qt.AlignLeading|QtCore.Qt.AlignLeft|QtCore.Qt.AlignTop) self.txtColorsMin.setObjectName(_fromUtf8("txtColorsMin")) self.btnSelectColorUpperMask = QtGui.QPushButton(self.grpColoursIlluminance) self.btnSelectColorUpperMask.setGeometry(QtCore.QRect(0, 130, 81, 21)) self.btnSelectColorUpperMask.setObjectName(_fromUtf8("btnSelectColorUpperMask")) self.txtColorsMax = QtGui.QLineEdit(self.grpColoursIlluminance) self.txtColorsMax.setGeometry(QtCore.QRect(0, 40, 81, 20)) self.txtColorsMax.setInputMethodHints(QtCore.Qt.ImhDigitsOnly) self.txtColorsMax.setInputMask(_fromUtf8("")) self.txtColorsMax.setText(_fromUtf8("")) self.txtColorsMax.setCursorPosition(0) self.txtColorsMax.setAlignment(QtCore.Qt.AlignLeading|QtCore.Qt.AlignLeft|QtCore.Qt.AlignTop) self.txtColorsMax.setObjectName(_fromUtf8("txtColorsMax")) self.lblColorMaxLimit = QtGui.QLabel(self.grpColoursIlluminance) self.lblColorMaxLimit.setGeometry(QtCore.QRect(0, 20, 81, 20)) self.lblColorMaxLimit.setAlignment(QtCore.Qt.AlignCenter) self.lblColorMaxLimit.setObjectName(_fromUtf8("lblColorMaxLimit")) self.txtColorsUpperMask = QtGui.QLineEdit(self.grpColoursIlluminance) self.txtColorsUpperMask.setEnabled(False) self.txtColorsUpperMask.setGeometry(QtCore.QRect(0, 150, 81, 20)) self.txtColorsUpperMask.setInputMethodHints(QtCore.Qt.ImhDigitsOnly) self.txtColorsUpperMask.setInputMask(_fromUtf8("")) self.txtColorsUpperMask.setCursorPosition(0) self.txtColorsUpperMask.setAlignment(QtCore.Qt.AlignLeading|QtCore.Qt.AlignLeft|QtCore.Qt.AlignTop) self.txtColorsUpperMask.setObjectName(_fromUtf8("txtColorsUpperMask")) self.txtColorsLowerMask = QtGui.QLineEdit(self.grpColoursIlluminance) self.txtColorsLowerMask.setEnabled(False) self.txtColorsLowerMask.setGeometry(QtCore.QRect(0, 210, 81, 20)) self.txtColorsLowerMask.setInputMethodHints(QtCore.Qt.ImhDigitsOnly) self.txtColorsLowerMask.setInputMask(_fromUtf8("")) self.txtColorsLowerMask.setCursorPosition(0) self.txtColorsLowerMask.setAlignment(QtCore.Qt.AlignLeading|QtCore.Qt.AlignLeft|QtCore.Qt.AlignTop) self.txtColorsLowerMask.setObjectName(_fromUtf8("txtColorsLowerMask")) self.btnSpaceSetColors = QtGui.QPushButton(self.grpColoursIlluminance) self.btnSpaceSetColors.setGeometry(QtCore.QRect(0, 240, 79, 19)) self.btnSpaceSetColors.setObjectName(_fromUtf8("btnSpaceSetColors")) self.btnSpaceResetColors = QtGui.QPushButton(self.grpColoursIlluminance) self.btnSpaceResetColors.setGeometry(QtCore.QRect(0, 1, 79, 18)) self.btnSpaceResetColors.setObjectName(_fromUtf8("btnSpaceResetColors")) self.chkSpaceContours = QtGui.QCheckBox(self.grpSpaceColorContourSettings) self.chkSpaceContours.setGeometry(QtCore.QRect(10, 0, 81, 20)) self.chkSpaceContours.setChecked(True) self.chkSpaceContours.setObjectName(_fromUtf8("chkSpaceContours")) self.grpContoursIlluminance = QtGui.QGroupBox(self.grpSpaceColorContourSettings) self.grpContoursIlluminance.setGeometry(QtCore.QRect(10, 60, 81, 261)) self.grpContoursIlluminance.setTitle(_fromUtf8("")) self.grpContoursIlluminance.setObjectName(_fromUtf8("grpContoursIlluminance")) self.btnSpaceSetContours = QtGui.QPushButton(self.grpContoursIlluminance) self.btnSpaceSetContours.setGeometry(QtCore.QRect(0, 240, 79, 19)) self.btnSpaceSetContours.setObjectName(_fromUtf8("btnSpaceSetContours")) self.txtSpaceCountourValue6 = QtGui.QLineEdit(self.grpContoursIlluminance) self.txtSpaceCountourValue6.setGeometry(QtCore.QRect(0, 166, 79, 18)) self.txtSpaceCountourValue6.setInputMethodHints(QtCore.Qt.ImhNone) self.txtSpaceCountourValue6.setInputMask(_fromUtf8("")) self.txtSpaceCountourValue6.setCursorPosition(0) self.txtSpaceCountourValue6.setAlignment(QtCore.Qt.AlignLeading|QtCore.Qt.AlignLeft|QtCore.Qt.AlignTop) self.txtSpaceCountourValue6.setObjectName(_fromUtf8("txtSpaceCountourValue6")) self.btnSpaceResetContours = QtGui.QPushButton(self.grpContoursIlluminance) self.btnSpaceResetContours.setGeometry(QtCore.QRect(0, 1, 79, 18)) self.btnSpaceResetContours.setObjectName(_fromUtf8("btnSpaceResetContours")) self.txtSpaceCountourValue7 = QtGui.QLineEdit(self.grpContoursIlluminance) self.txtSpaceCountourValue7.setGeometry(QtCore.QRect(0, 190, 79, 17)) self.txtSpaceCountourValue7.setInputMethodHints(QtCore.Qt.ImhNone) self.txtSpaceCountourValue7.setInputMask(_fromUtf8("")) self.txtSpaceCountourValue7.setCursorPosition(0) self.txtSpaceCountourValue7.setAlignment(QtCore.Qt.AlignLeading|QtCore.Qt.AlignLeft|QtCore.Qt.AlignTop) self.txtSpaceCountourValue7.setObjectName(_fromUtf8("txtSpaceCountourValue7")) self.txtSpaceCountourValue5 = QtGui.QLineEdit(self.grpContoursIlluminance) self.txtSpaceCountourValue5.setGeometry(QtCore.QRect(0, 143, 79, 17)) self.txtSpaceCountourValue5.setInputMethodHints(QtCore.Qt.ImhNone) self.txtSpaceCountourValue5.setInputMask(_fromUtf8("")) self.txtSpaceCountourValue5.setCursorPosition(0) self.txtSpaceCountourValue5.setAlignment(QtCore.Qt.AlignLeading|QtCore.Qt.AlignLeft|QtCore.Qt.AlignTop) self.txtSpaceCountourValue5.setObjectName(_fromUtf8("txtSpaceCountourValue5")) self.txtSpaceCountourValue4 = QtGui.QLineEdit(self.grpContoursIlluminance) self.txtSpaceCountourValue4.setGeometry(QtCore.QRect(0, 119, 79, 18)) self.txtSpaceCountourValue4.setInputMethodHints(QtCore.Qt.ImhNone) self.txtSpaceCountourValue4.setInputMask(_fromUtf8("")) self.txtSpaceCountourValue4.setCursorPosition(0) self.txtSpaceCountourValue4.setAlignment(QtCore.Qt.AlignLeading|QtCore.Qt.AlignLeft|QtCore.Qt.AlignTop) self.txtSpaceCountourValue4.setObjectName(_fromUtf8("txtSpaceCountourValue4")) self.txtSpaceCountourValue1 = QtGui.QLineEdit(self.grpContoursIlluminance) self.txtSpaceCountourValue1.setGeometry(QtCore.QRect(0, 49, 79, 17)) self.txtSpaceCountourValue1.setLayoutDirection(QtCore.Qt.LeftToRight) self.txtSpaceCountourValue1.setAutoFillBackground(True) self.txtSpaceCountourValue1.setInputMethodHints(QtCore.Qt.ImhNone) self.txtSpaceCountourValue1.setInputMask(_fromUtf8("")) self.txtSpaceCountourValue1.setCursorPosition(0) self.txtSpaceCountourValue1.setAlignment(QtCore.Qt.AlignLeading|QtCore.Qt.AlignLeft|QtCore.Qt.AlignTop) self.txtSpaceCountourValue1.setObjectName(_fromUtf8("txtSpaceCountourValue1")) self.txtSpaceCountourValue2 = QtGui.QLineEdit(self.grpContoursIlluminance) self.txtSpaceCountourValue2.setGeometry(QtCore.QRect(0, 72, 79, 18)) self.txtSpaceCountourValue2.setInputMethodHints(QtCore.Qt.ImhNone) self.txtSpaceCountourValue2.setInputMask(_fromUtf8("")) self.txtSpaceCountourValue2.setAlignment(QtCore.Qt.AlignLeading|QtCore.Qt.AlignLeft|QtCore.Qt.AlignTop) self.txtSpaceCountourValue2.setObjectName(_fromUtf8("txtSpaceCountourValue2")) self.txtSpaceCountourValue3 = QtGui.QLineEdit(self.grpContoursIlluminance) self.txtSpaceCountourValue3.setGeometry(QtCore.QRect(0, 96, 79, 17)) self.txtSpaceCountourValue3.setInputMethodHints(QtCore.Qt.ImhNone) self.txtSpaceCountourValue3.setInputMask(_fromUtf8("")) self.txtSpaceCountourValue3.setCursorPosition(0) self.txtSpaceCountourValue3.setAlignment(QtCore.Qt.AlignLeading|QtCore.Qt.AlignLeft|QtCore.Qt.AlignTop) self.txtSpaceCountourValue3.setObjectName(_fromUtf8("txtSpaceCountourValue3")) self.cmbSpaceContourQuantity = QtGui.QComboBox(self.grpContoursIlluminance) self.cmbSpaceContourQuantity.setGeometry(QtCore.QRect(0, 25, 79, 18)) self.cmbSpaceContourQuantity.setLayoutDirection(QtCore.Qt.LeftToRight) self.cmbSpaceContourQuantity.setObjectName(_fromUtf8("cmbSpaceContourQuantity")) self.cmbSpaceContourQuantity.addItem(_fromUtf8("")) self.cmbSpaceContourQuantity.addItem(_fromUtf8("")) self.cmbSpaceContourQuantity.addItem(_fromUtf8("")) self.cmbSpaceContourQuantity.addItem(_fromUtf8("")) self.cmbSpaceContourQuantity.addItem(_fromUtf8("")) self.cmbSpaceContourQuantity.addItem(_fromUtf8("")) self.chkSpaceAutoFillContours = QtGui.QCheckBox(self.grpContoursIlluminance) self.chkSpaceAutoFillContours.setGeometry(QtCore.QRect(0, 217, 79, 17)) self.chkSpaceAutoFillContours.setChecked(True) self.chkSpaceAutoFillContours.setObjectName(_fromUtf8("chkSpaceAutoFillContours")) self.btnSpaceSettingsColours = QtGui.QPushButton(self.grpSpaceColorContourSettings) self.btnSpaceSettingsColours.setGeometry(QtCore.QRect(110, 20, 81, 21)) font = QtGui.QFont() font.setPointSize(7) self.btnSpaceSettingsColours.setFont(font) self.btnSpaceSettingsColours.setObjectName(_fromUtf8("btnSpaceSettingsColours")) self.btnSpaceSettingsContour = QtGui.QPushButton(self.grpSpaceColorContourSettings) self.btnSpaceSettingsContour.setGeometry(QtCore.QRect(10, 20, 81, 21)) font = QtGui.QFont() font.setPointSize(7) self.btnSpaceSettingsContour.setFont(font) self.btnSpaceSettingsContour.setObjectName(_fromUtf8("btnSpaceSettingsContour")) self.chkSpaceColors = QtGui.QCheckBox(self.grpSpaceColorContourSettings) self.chkSpaceColors.setGeometry(QtCore.QRect(110, 0, 81, 20)) self.chkSpaceColors.setChecked(True) self.chkSpaceColors.setObjectName(_fromUtf8("chkSpaceColors")) self.btnSpaceSettingsColours.raise_() self.grpContoursIlluminance.raise_() self.chkSpaceContours.raise_() self.grpColoursIlluminance.raise_() self.btnSpaceSettingsContour.raise_() self.chkSpaceColors.raise_() self.grpColoursIlluminance.raise_() self.chkSpaceContours.raise_() self.grpContoursIlluminance.raise_() self.btnSpaceSettingsColours.raise_() self.btnSpaceSettingsContour.raise_() self.chkSpaceColors.raise_() self.cmbSpacePlotType = QtGui.QComboBox(self.tabSpace) self.cmbSpacePlotType.setGeometry(QtCore.QRect(10, 2, 181, 21)) self.cmbSpacePlotType.setObjectName(_fromUtf8("cmbSpacePlotType")) self.grpSpaceColorScheme = QtGui.QGroupBox(self.tabSpace) self.grpSpaceColorScheme.setGeometry(QtCore.QRect(0, 620, 201, 111)) self.grpSpaceColorScheme.setTitle(_fromUtf8("")) self.grpSpaceColorScheme.setObjectName(_fromUtf8("grpSpaceColorScheme")) self.lblSpaceChartOpacity = QtGui.QLabel(self.grpSpaceColorScheme) self.lblSpaceChartOpacity.setGeometry(QtCore.QRect(11, 50, 121, 16)) self.lblSpaceChartOpacity.setObjectName(_fromUtf8("lblSpaceChartOpacity")) self.txtSpaceOpacityValue = QtGui.QLineEdit(self.grpSpaceColorScheme) self.txtSpaceOpacityValue.setEnabled(False) self.txtSpaceOpacityValue.setGeometry(QtCore.QRect(160, 60, 31, 20)) self.txtSpaceOpacityValue.setObjectName(_fromUtf8("txtSpaceOpacityValue")) self.sliderSpaceOpacity = QtGui.QSlider(self.grpSpaceColorScheme) self.sliderSpaceOpacity.setGeometry(QtCore.QRect(11, 60, 141, 20)) self.sliderSpaceOpacity.setMaximum(100) self.sliderSpaceOpacity.setSliderPosition(100) self.sliderSpaceOpacity.setOrientation(QtCore.Qt.Horizontal) self.sliderSpaceOpacity.setObjectName(_fromUtf8("sliderSpaceOpacity")) self.lblSpaceColorSchemeSelect = QtGui.QLabel(self.grpSpaceColorScheme) self.lblSpaceColorSchemeSelect.setGeometry(QtCore.QRect(10, 5, 121, 16)) self.lblSpaceColorSchemeSelect.setObjectName(_fromUtf8("lblSpaceColorSchemeSelect")) self.cmbSpaceColorScheme = QtGui.QComboBox(self.grpSpaceColorScheme) self.cmbSpaceColorScheme.setGeometry(QtCore.QRect(10, 20, 121, 21)) self.cmbSpaceColorScheme.setObjectName(_fromUtf8("cmbSpaceColorScheme")) self.chkSpaceColorSchemeInvert = QtGui.QCheckBox(self.grpSpaceColorScheme) self.chkSpaceColorSchemeInvert.setGeometry(QtCore.QRect(150, 15, 51, 31)) self.chkSpaceColorSchemeInvert.setObjectName(_fromUtf8("chkSpaceColorSchemeInvert")) self.btnSpaceSetColorScheme = QtGui.QPushButton(self.grpSpaceColorScheme) self.btnSpaceSetColorScheme.setGeometry(QtCore.QRect(10, 82, 181, 21)) self.btnSpaceSetColorScheme.setObjectName(_fromUtf8("btnSpaceSetColorScheme")) self.txtSpaceMsgBox = QtGui.QTextBrowser(self.tabSpace) self.txtSpaceMsgBox.setGeometry(QtCore.QRect(610, 620, 471, 111)) font = QtGui.QFont() font.setPointSize(7) self.txtSpaceMsgBox.setFont(font) self.txtSpaceMsgBox.setStyleSheet(_fromUtf8("")) self.txtSpaceMsgBox.setObjectName(_fromUtf8("txtSpaceMsgBox")) self.txtSpaceStatusDisplay = QtGui.QLineEdit(self.tabSpace) self.txtSpaceStatusDisplay.setEnabled(False) self.txtSpaceStatusDisplay.setGeometry(QtCore.QRect(210, 2, 871, 21)) self.txtSpaceStatusDisplay.setObjectName(_fromUtf8("txtSpaceStatusDisplay")) self.verticalLayoutWidget.raise_() self.grpSpaceIlluminance.raise_() self.cmbSpacePlotType.raise_() self.grpSpaceColorScheme.raise_() self.txtSpaceMsgBox.raise_() self.txtSpaceStatusDisplay.raise_() self.chkSpaceColors.raise_() self.btnSpaceSettingsColours.raise_() self.grpContoursIlluminance.raise_() self.btnSpaceSettingsContour.raise_() self.chkSpaceContours.raise_() self.grpColoursIlluminance.raise_() self.tabWidget.addTab(self.tabSpace, _fromUtf8("")) self.tabTimeSeries = QtGui.QWidget() self.tabTimeSeries.setObjectName(_fromUtf8("tabTimeSeries")) self.tabWidget.addTab(self.tabTimeSeries, _fromUtf8("")) self.grpFileDialog = QtGui.QGroupBox(Form) self.grpFileDialog.setEnabled(True) self.grpFileDialog.setGeometry(QtCore.QRect(-10, -10, 1101, 61)) self.grpFileDialog.setTitle(_fromUtf8("")) self.grpFileDialog.setObjectName(_fromUtf8("grpFileDialog")) self.btnOpenJson = QtGui.QPushButton(self.grpFileDialog) self.btnOpenJson.setGeometry(QtCore.QRect(10, 20, 101, 23)) self.btnOpenJson.setObjectName(_fromUtf8("btnOpenJson")) self.txtJsonPath = QtGui.QLineEdit(self.grpFileDialog) self.txtJsonPath.setEnabled(False) self.txtJsonPath.setGeometry(QtCore.QRect(120, 20, 591, 23)) self.txtJsonPath.setReadOnly(False) self.txtJsonPath.setObjectName(_fromUtf8("txtJsonPath")) self.cmbSpaceName = QtGui.QComboBox(self.grpFileDialog) self.cmbSpaceName.setEnabled(False) self.cmbSpaceName.setGeometry(QtCore.QRect(780, 20, 161, 23)) self.cmbSpaceName.setObjectName(_fromUtf8("cmbSpaceName")) self.btnSelectSpaceName = QtGui.QPushButton(self.grpFileDialog) self.btnSelectSpaceName.setEnabled(False) self.btnSelectSpaceName.setGeometry(QtCore.QRect(960, 20, 91, 23)) self.btnSelectSpaceName.setObjectName(_fromUtf8("btnSelectSpaceName")) self.lblSpaceName = QtGui.QLabel(self.grpFileDialog) self.lblSpaceName.setGeometry(QtCore.QRect(730, 20, 46, 23)) self.lblSpaceName.setAlignment(QtCore.Qt.AlignRight|QtCore.Qt.AlignTrailing|QtCore.Qt.AlignVCenter) self.lblSpaceName.setObjectName(_fromUtf8("lblSpaceName")) self.retranslateUi(Form) self.tabWidget.setCurrentIndex(0) self.cmbSpaceTimeIllum.setCurrentIndex(8) self.cmbSpaceTimeIntervalMin.setCurrentIndex(8) self.cmbSpaceTimeIntervalMax.setCurrentIndex(8) self.cmbSpaceContourQuantity.setCurrentIndex(5) QtCore.QMetaObject.connectSlotsByName(Form) Form.setTabOrder(self.cmbSpacePlotType, self.cmbSpaceSelectIlluminanceFile) Form.setTabOrder(self.cmbSpaceSelectIlluminanceFile, self.btnSapceSelectFileTypeIlluminance) Form.setTabOrder(self.btnSapceSelectFileTypeIlluminance, self.calSpaceDateTimeIllum) Form.setTabOrder(self.calSpaceDateTimeIllum, self.cmbSpaceTimeIllum) Form.setTabOrder(self.cmbSpaceTimeIllum, self.chkSpaceContours) Form.setTabOrder(self.chkSpaceContours, self.btnSpaceSettingsContour) Form.setTabOrder(self.btnSpaceSettingsContour, self.chkSpaceColors) Form.setTabOrder(self.chkSpaceColors, self.btnSpaceSettingsColours) Form.setTabOrder(self.btnSpaceSettingsColours, self.btnSpaceSetContours) Form.setTabOrder(self.btnSpaceSetContours, self.btnSpaceResetColors) Form.setTabOrder(self.btnSpaceResetColors, self.txtColorsMax) Form.setTabOrder(self.txtColorsMax, self.txtColorsMin) Form.setTabOrder(self.txtColorsMin, self.btnSelectColorUpperMask) Form.setTabOrder(self.btnSelectColorUpperMask, self.txtColorsUpperMask) Form.setTabOrder(self.txtColorsUpperMask, self.btnSelectColorLowerMask) Form.setTabOrder(self.btnSelectColorLowerMask, self.txtColorsLowerMask) Form.setTabOrder(self.txtColorsLowerMask, self.btnSpaceSetColors) Form.setTabOrder(self.btnSpaceSetColors, self.cmbSpaceColorScheme) Form.setTabOrder(self.cmbSpaceColorScheme, self.chkSpaceColorSchemeInvert) Form.setTabOrder(self.chkSpaceColorSchemeInvert, self.sliderSpaceOpacity) Form.setTabOrder(self.sliderSpaceOpacity, self.txtSpaceOpacityValue) Form.setTabOrder(self.txtSpaceOpacityValue, self.btnSpaceSetColorScheme) Form.setTabOrder(self.btnSpaceSetColorScheme, self.txtJsonPath) Form.setTabOrder(self.txtJsonPath, self.cmbSpaceName) Form.setTabOrder(self.cmbSpaceName, self.btnOpenJson) Form.setTabOrder(self.btnOpenJson, self.tabWidget) def retranslateUi(self, Form): Form.setWindowTitle(_translate("Form", "STADICvis 0.01", None)) self.grpSpaceIlluminance.setTitle(_translate("Form", "Illuminance Settings", None)) self.groupSpaceNavigateIlluminance.setToolTip(_translate("Form", "The navigation settings can be used to view plots corresponding to different dates and hours.", None)) self.groupSpaceNavigateIlluminance.setTitle(_translate("Form", "Navigate", None)) self.cmbSpaceTimeIllum.setToolTip(_translate("Form", "Select a time for which the readStadicData is to be displayed.", None)) self.cmbSpaceTimeIllum.setItemText(0, _translate("Form", "1", None)) self.cmbSpaceTimeIllum.setItemText(1, _translate("Form", "2", None)) self.cmbSpaceTimeIllum.setItemText(2, _translate("Form", "3", None)) self.cmbSpaceTimeIllum.setItemText(3, _translate("Form", "4", None)) self.cmbSpaceTimeIllum.setItemText(4, _translate("Form", "5", None)) self.cmbSpaceTimeIllum.setItemText(5, _translate("Form", "6", None)) self.cmbSpaceTimeIllum.setItemText(6, _translate("Form", "7", None)) self.cmbSpaceTimeIllum.setItemText(7, _translate("Form", "8", None)) self.cmbSpaceTimeIllum.setItemText(8, _translate("Form", "9", None)) self.cmbSpaceTimeIllum.setItemText(9, _translate("Form", "10", None)) self.cmbSpaceTimeIllum.setItemText(10, _translate("Form", "11", None)) self.cmbSpaceTimeIllum.setItemText(11, _translate("Form", "12", None)) self.cmbSpaceTimeIllum.setItemText(12, _translate("Form", "13", None)) self.cmbSpaceTimeIllum.setItemText(13, _translate("Form", "14", None)) self.cmbSpaceTimeIllum.setItemText(14, _translate("Form", "15", None)) self.cmbSpaceTimeIllum.setItemText(15, _translate("Form", "16", None)) self.cmbSpaceTimeIllum.setItemText(16, _translate("Form", "17", None)) self.cmbSpaceTimeIllum.setItemText(17, _translate("Form", "18", None)) self.cmbSpaceTimeIllum.setItemText(18, _translate("Form", "19", None)) self.cmbSpaceTimeIllum.setItemText(19, _translate("Form", "20", None)) self.cmbSpaceTimeIllum.setItemText(20, _translate("Form", "21", None)) self.cmbSpaceTimeIllum.setItemText(21, _translate("Form", "22", None)) self.cmbSpaceTimeIllum.setItemText(22, _translate("Form", "23", None)) self.cmbSpaceTimeIllum.setItemText(23, _translate("Form", "24", None)) self.lblSpaceTime.setText(_translate("Form", "Time", None)) self.calSpaceDateTimeIllum.setToolTip(_translate("Form", "Select a date by clicking on the pop-up calendar. Please note that selecting a year has no bearing on the readStadicData being displayed.", None)) self.calSpaceDateTimeIllum.setDisplayFormat(_translate("Form", "MMMM/d", None)) self.lblSpaceDate.setText(_translate("Form", "Date", None)) self.cmbSpaceTimeIntervalMin.setToolTip(_translate("Form", "The interval settings, both inclusive, can be used to specify the time intervals for which the readStadicData is to be shown.", None)) self.cmbSpaceTimeIntervalMin.setItemText(0, _translate("Form", "1", None)) self.cmbSpaceTimeIntervalMin.setItemText(1, _translate("Form", "2", None)) self.cmbSpaceTimeIntervalMin.setItemText(2, _translate("Form", "3", None)) self.cmbSpaceTimeIntervalMin.setItemText(3, _translate("Form", "4", None)) self.cmbSpaceTimeIntervalMin.setItemText(4, _translate("Form", "5", None)) self.cmbSpaceTimeIntervalMin.setItemText(5, _translate("Form", "6", None)) self.cmbSpaceTimeIntervalMin.setItemText(6, _translate("Form", "7", None)) self.cmbSpaceTimeIntervalMin.setItemText(7, _translate("Form", "8", None)) self.cmbSpaceTimeIntervalMin.setItemText(8, _translate("Form", "9", None)) self.cmbSpaceTimeIntervalMin.setItemText(9, _translate("Form", "10", None)) self.cmbSpaceTimeIntervalMin.setItemText(10, _translate("Form", "11", None)) self.cmbSpaceTimeIntervalMin.setItemText(11, _translate("Form", "12", None)) self.cmbSpaceTimeIntervalMin.setItemText(12, _translate("Form", "13", None)) self.cmbSpaceTimeIntervalMin.setItemText(13, _translate("Form", "14", None)) self.cmbSpaceTimeIntervalMin.setItemText(14, _translate("Form", "15", None)) self.cmbSpaceTimeIntervalMin.setItemText(15, _translate("Form", "16", None)) self.cmbSpaceTimeIntervalMin.setItemText(16, _translate("Form", "17", None)) self.cmbSpaceTimeIntervalMin.setItemText(17, _translate("Form", "18", None)) self.cmbSpaceTimeIntervalMin.setItemText(18, _translate("Form", "19", None)) self.cmbSpaceTimeIntervalMin.setItemText(19, _translate("Form", "20", None)) self.cmbSpaceTimeIntervalMin.setItemText(20, _translate("Form", "21", None)) self.cmbSpaceTimeIntervalMin.setItemText(21, _translate("Form", "22", None)) self.cmbSpaceTimeIntervalMin.setItemText(22, _translate("Form", "23", None)) self.cmbSpaceTimeIntervalMin.setItemText(23, _translate("Form", "24", None)) self.lblSpaceTimeStep.setToolTip(_translate("Form", "The Time Step settings can be used to specify a time step for navigating between different plots.", None)) self.lblSpaceTimeStep.setText(_translate("Form", "Time Step", None)) self.cmbSpaceIlluminanceStepType.setToolTip(_translate("Form", "Choose between an hour or day.", None)) self.cmbSpaceIlluminanceStepType.setItemText(0, _translate("Form", "Hour", None)) self.cmbSpaceIlluminanceStepType.setItemText(1, _translate("Form", "Day", None)) self.cmbSpaceTimeIntervalMax.setToolTip(_translate("Form", "The interval settings, both inclusive, can be used to specify the time intervals for which the readStadicData is to be shown.", None)) self.cmbSpaceTimeIntervalMax.setItemText(0, _translate("Form", "1", None)) self.cmbSpaceTimeIntervalMax.setItemText(1, _translate("Form", "2", None)) self.cmbSpaceTimeIntervalMax.setItemText(2, _translate("Form", "3", None)) self.cmbSpaceTimeIntervalMax.setItemText(3, _translate("Form", "4", None)) self.cmbSpaceTimeIntervalMax.setItemText(4, _translate("Form", "5", None)) self.cmbSpaceTimeIntervalMax.setItemText(5, _translate("Form", "6", None)) self.cmbSpaceTimeIntervalMax.setItemText(6, _translate("Form", "7", None)) self.cmbSpaceTimeIntervalMax.setItemText(7, _translate("Form", "8", None)) self.cmbSpaceTimeIntervalMax.setItemText(8, _translate("Form", "9", None)) self.cmbSpaceTimeIntervalMax.setItemText(9, _translate("Form", "10", None)) self.cmbSpaceTimeIntervalMax.setItemText(10, _translate("Form", "11", None)) self.cmbSpaceTimeIntervalMax.setItemText(11, _translate("Form", "12", None)) self.cmbSpaceTimeIntervalMax.setItemText(12, _translate("Form", "13", None)) self.cmbSpaceTimeIntervalMax.setItemText(13, _translate("Form", "14", None)) self.cmbSpaceTimeIntervalMax.setItemText(14, _translate("Form", "15", None)) self.cmbSpaceTimeIntervalMax.setItemText(15, _translate("Form", "16", None)) self.cmbSpaceTimeIntervalMax.setItemText(16, _translate("Form", "17", None)) self.cmbSpaceTimeIntervalMax.setItemText(17, _translate("Form", "18", None)) self.cmbSpaceTimeIntervalMax.setItemText(18, _translate("Form", "19", None)) self.cmbSpaceTimeIntervalMax.setItemText(19, _translate("Form", "20", None)) self.cmbSpaceTimeIntervalMax.setItemText(20, _translate("Form", "21", None)) self.cmbSpaceTimeIntervalMax.setItemText(21, _translate("Form", "22", None)) self.cmbSpaceTimeIntervalMax.setItemText(22, _translate("Form", "23", None)) self.cmbSpaceTimeIntervalMax.setItemText(23, _translate("Form", "24", None)) self.chkSpaceSkipDarkHours.setToolTip(_translate("Form", "Check this to skip over hours for which illuminance at every grid point is zero.", None)) self.chkSpaceSkipDarkHours.setText(_translate("Form", "Skip dark hours", None)) self.lblSpaceDayInterval.setToolTip(_translate("Form", "The interval settings, both inclusive, can be used to specify the time intervals for which the readStadicData is to be shown.", None)) self.lblSpaceDayInterval.setText(_translate("Form", "Intvl", None)) self.cmbSpaceIluminanceStepValue.setToolTip(_translate("Form", "Choose a multiplier for the timestep.", None)) self.cmbSpaceIluminanceStepValue.setItemText(0, _translate("Form", "1", None)) self.cmbSpaceIluminanceStepValue.setItemText(1, _translate("Form", "2", None)) self.cmbSpaceIluminanceStepValue.setItemText(2, _translate("Form", "3", None)) self.cmbSpaceIluminanceStepValue.setItemText(3, _translate("Form", "4", None)) self.cmbSpaceIluminanceStepValue.setItemText(4, _translate("Form", "5", None)) self.cmbSpaceIluminanceStepValue.setItemText(5, _translate("Form", "6", None)) self.cmbSpaceIluminanceStepValue.setItemText(6, _translate("Form", "7", None)) self.cmbSpaceIluminanceStepValue.setItemText(7, _translate("Form", "8", None)) self.cmbSpaceIluminanceStepValue.setItemText(8, _translate("Form", "9", None)) self.cmbSpaceIluminanceStepValue.setItemText(9, _translate("Form", "10", None)) self.cmbSpaceIluminanceStepValue.setItemText(10, _translate("Form", "11", None)) self.cmbSpaceIluminanceStepValue.setItemText(11, _translate("Form", "12", None)) self.cmbSpaceIluminanceStepValue.setItemText(12, _translate("Form", "13", None)) self.cmbSpaceIluminanceStepValue.setItemText(13, _translate("Form", "14", None)) self.cmbSpaceIluminanceStepValue.setItemText(14, _translate("Form", "15", None)) self.cmbSpaceIluminanceStepValue.setItemText(15, _translate("Form", "16", None)) self.cmbSpaceIluminanceStepValue.setItemText(16, _translate("Form", "17", None)) self.cmbSpaceIluminanceStepValue.setItemText(17, _translate("Form", "18", None)) self.cmbSpaceIluminanceStepValue.setItemText(18, _translate("Form", "19", None)) self.cmbSpaceIluminanceStepValue.setItemText(19, _translate("Form", "20", None)) self.cmbSpaceIluminanceStepValue.setItemText(20, _translate("Form", "21", None)) self.cmbSpaceIluminanceStepValue.setItemText(21, _translate("Form", "22", None)) self.cmbSpaceIluminanceStepValue.setItemText(22, _translate("Form", "23", None)) self.cmbSpaceIluminanceStepValue.setItemText(23, _translate("Form", "24", None)) self.btnSpacePrevHour.setToolTip(_translate("Form", "Click to plot the previous hour/day as per the options specified in the controls below.", None)) self.btnSpacePrevHour.setText(_translate("Form", "Previous", None)) self.btnSpaceNextHour.setToolTip(_translate("Form", "Click to plot the next hour/day as per the options specified in the controls below.", None)) self.btnSpaceNextHour.setText(_translate("Form", "Next", None)) self.cmbSpaceSelectIlluminanceFile.setToolTip(_translate("Form", "<html><head/><body><p>Select the annual illuminance readStadicData that is to be plotted. The readStadicData selected by default is from the final illuminance file.</p></body></html>", None)) self.btnSapceSelectFileTypeIlluminance.setToolTip(_translate("Form", "Click to confirm the selection of the annual illuminance time series readStadicData.", None)) self.btnSapceSelectFileTypeIlluminance.setText(_translate("Form", "Confirm", None)) self.btnSelectColorLowerMask.setToolTip(_translate("Form", "This option can be used to assign a specifc color to grid points which are lesser than the value specified in the text box below.", None)) self.btnSelectColorLowerMask.setText(_translate("Form", "Lower Mask", None)) self.lblColorMinLimit.setToolTip(_translate("Form", "The minimum limit specifies the lowest value for the color grid.", None)) self.lblColorMinLimit.setText(_translate("Form", "Minimum Limit", None)) self.txtColorsMin.setToolTip(_translate("Form", "The minimum limit specifies the lowest value for the color grid.", None)) self.btnSelectColorUpperMask.setToolTip(_translate("Form", "This option can be used to assign a specifc color to grid points which are greater than the value specified in the text box below.", None)) self.btnSelectColorUpperMask.setText(_translate("Form", "Upper Mask", None)) self.txtColorsMax.setToolTip(_translate("Form", "The maximum limit specifies the highest value for the color grid.", None)) self.lblColorMaxLimit.setToolTip(_translate("Form", "The maximum limit specifies the highest value for the color grid.", None)) self.lblColorMaxLimit.setText(_translate("Form", "Maximum Limit", None)) self.txtColorsUpperMask.setToolTip(_translate("Form", "Enter a positive number. The value of the upper mask should be always higher than the lower mask.", None)) self.txtColorsLowerMask.setToolTip(_translate("Form", "Enter a positive number. The value of the upper mask should be always higher than the lower mask.", None)) self.btnSpaceSetColors.setToolTip(_translate("Form", "Click to confirm the color settings.", None)) self.btnSpaceSetColors.setText(_translate("Form", "Confirm", None)) self.btnSpaceResetColors.setToolTip(_translate("Form", "Click to reset the color settings to their default values.", None)) self.btnSpaceResetColors.setText(_translate("Form", "Reset", None)) self.chkSpaceContours.setToolTip(_translate("Form", "Click to toggle between contour display on the chart.", None)) self.chkSpaceContours.setText(_translate("Form", "Contours", None)) self.btnSpaceSetContours.setToolTip(_translate("Form", "Click to confirm the contour settings.", None)) self.btnSpaceSetContours.setText(_translate("Form", "Confirm", None)) self.txtSpaceCountourValue6.setToolTip(_translate("Form", "Enter a positive number to set a contour line.", None)) self.btnSpaceResetContours.setToolTip(_translate("Form", "Click to reset the contour settings to their default values.", None)) self.btnSpaceResetContours.setText(_translate("Form", "Reset", None)) self.txtSpaceCountourValue7.setToolTip(_translate("Form", "Enter a positive number to set a contour line.", None)) self.txtSpaceCountourValue5.setToolTip(_translate("Form", "Enter a positive number to set a contour line.", None)) self.txtSpaceCountourValue4.setToolTip(_translate("Form", "Enter a positive number to set a contour line.", None)) self.txtSpaceCountourValue1.setToolTip(_translate("Form", "Enter a positive number to set a contour line.", None)) self.txtSpaceCountourValue2.setToolTip(_translate("Form", "Enter a positive number to set a contour line.", None)) self.txtSpaceCountourValue3.setToolTip(_translate("Form", "Enter a positive number to set a contour line.", None)) self.cmbSpaceContourQuantity.setToolTip(_translate("Form", "Select the number of contour lines on the plot.", None)) self.cmbSpaceContourQuantity.setItemText(0, _translate("Form", "2", None)) self.cmbSpaceContourQuantity.setItemText(1, _translate("Form", "3", None)) self.cmbSpaceContourQuantity.setItemText(2, _translate("Form", "4", None)) self.cmbSpaceContourQuantity.setItemText(3, _translate("Form", "5", None)) self.cmbSpaceContourQuantity.setItemText(4, _translate("Form", "6", None)) self.cmbSpaceContourQuantity.setItemText(5, _translate("Form", "7", None)) self.chkSpaceAutoFillContours.setToolTip(_translate("Form", "If checked, blank values will be filled through interpolation and extrapolation", None)) self.chkSpaceAutoFillContours.setText(_translate("Form", "Autofill", None)) self.btnSpaceSettingsColours.setToolTip(_translate("Form", "Click to show further settings.", None)) self.btnSpaceSettingsColours.setText(_translate("Form", "Show Settings", None)) self.btnSpaceSettingsContour.setToolTip(_translate("Form", "Click to show further settings.", None)) self.btnSpaceSettingsContour.setText(_translate("Form", "Show Settings", None)) self.chkSpaceColors.setToolTip(_translate("Form", "Click to toggle between display of colored grids on the plot.", None)) self.chkSpaceColors.setText(_translate("Form", "Colors", None)) self.cmbSpacePlotType.setToolTip(_translate("Form", "Select the type of readStadicData that you wish to plot", None)) self.lblSpaceChartOpacity.setToolTip(_translate("Form", "Select an opacity for the colors in the chart by using the slider.", None)) self.lblSpaceChartOpacity.setText(_translate("Form", "Select Chart Opacity", None)) self.txtSpaceOpacityValue.setPlaceholderText(_translate("Form", "100", None)) self.sliderSpaceOpacity.setToolTip(_translate("Form", "Select an opacity for the colors in the chart by using the slider.", None)) self.lblSpaceColorSchemeSelect.setText(_translate("Form", "Color Scheme", None)) self.cmbSpaceColorScheme.setToolTip(_translate("Form", "Select a color scheme for the chart.", None)) self.chkSpaceColorSchemeInvert.setToolTip(_translate("Form", "Check this box to invert the selected color scheme.", None)) self.chkSpaceColorSchemeInvert.setText(_translate("Form", "Invert", None)) self.btnSpaceSetColorScheme.setToolTip(_translate("Form", "Click to confirm the Color Scheme and Opacity settings.", None)) self.btnSpaceSetColorScheme.setText(_translate("Form", "Confirm", None)) self.txtSpaceMsgBox.setToolTip(_translate("Form", "This text panel displays readStadicData pertaining to visualizations and file paths which might be helpful in troubleshooting errors.", None)) self.tabWidget.setTabText(self.tabWidget.indexOf(self.tabSpace), _translate("Form", "Spatial Plots", None)) self.tabWidget.setTabText(self.tabWidget.indexOf(self.tabTimeSeries), _translate("Form", "Time Series Plots", None)) self.btnOpenJson.setText(_translate("Form", "Open Json File", None)) self.btnSelectSpaceName.setText(_translate("Form", "Confirm", None)) self.lblSpaceName.setText(_translate("Form", "Space", None))
opennode/nodeconductor
refs/heads/develop
waldur_core/cost_tracking/managers.py
1
import datetime from django.contrib.contenttypes.models import ContentType from django.core.exceptions import ObjectDoesNotExist from django.db import models as django_models from django.db.models import Q from django.utils import timezone from waldur_core.core import utils as core_utils from waldur_core.core.managers import GenericKeyMixin from waldur_core.structure.managers import filter_queryset_for_user from waldur_core.structure.models import Service # TODO: This mixin duplicates quota filter manager - they need to be moved to core (NC-686) class UserFilterMixin(object): def filtered_for_user(self, user, queryset=None): if queryset is None: queryset = self.get_queryset() if user.is_staff or user.is_support: return queryset query = Q() for model in self.get_available_models(): user_object_ids = filter_queryset_for_user(model.objects.all(), user).values_list('id', flat=True) content_type_id = ContentType.objects.get_for_model(model).id query |= Q(object_id__in=list(user_object_ids), content_type_id=content_type_id) return queryset.filter(query) def get_available_models(self): """ Return list of models that are acceptable """ raise NotImplementedError() class PriceEstimateManager(GenericKeyMixin, UserFilterMixin, django_models.Manager): def get_available_models(self): """ Return list of models that are acceptable """ return self.model.get_estimated_models() def get_current(self, scope): now = timezone.now() return self.get(scope=scope, year=now.year, month=now.month) def get_or_create_current(self, scope): now = timezone.now() return self.get_or_create(scope=scope, month=now.month, year=now.year) def filter_current(self): now = timezone.now() return self.filter(year=now.year, month=now.month) class ConsumptionDetailsQuerySet(django_models.QuerySet): def create(self, price_estimate): """ Take configuration from previous month, it it exists. Set last_update_time equals to the beginning of the month. """ kwargs = {} try: previous_price_estimate = price_estimate.get_previous() except ObjectDoesNotExist: pass else: configuration = previous_price_estimate.consumption_details.configuration kwargs['configuration'] = configuration month_start = core_utils.month_start(datetime.date(price_estimate.year, price_estimate.month, 1)) kwargs['last_update_time'] = month_start return super(ConsumptionDetailsQuerySet, self).create(price_estimate=price_estimate, **kwargs) ConsumptionDetailsManager = django_models.Manager.from_queryset(ConsumptionDetailsQuerySet) class PriceListItemManager(GenericKeyMixin, UserFilterMixin, django_models.Manager): def get_available_models(self): """ Return list of models that are acceptable """ return Service.get_all_models()
spaceof7/QGIS
refs/heads/master
python/plugins/processing/algs/grass7/ext/r_li_simpson_ascii.py
5
# -*- coding: utf-8 -*- """ *************************************************************************** r_li_simpson_ascii.py --------------------- Date : February 2016 Copyright : (C) 2016 by Médéric Ribreux Email : medspx at medspx dot fr *************************************************************************** * * * This program is free software; you can redistribute it and/or modify * * it under the terms of the GNU General Public License as published by * * the Free Software Foundation; either version 2 of the License, or * * (at your option) any later version. * * * *************************************************************************** """ __author__ = 'Médéric Ribreux' __date__ = 'February 2016' __copyright__ = '(C) 2016, Médéric Ribreux' # This will get replaced with a git SHA1 when you do a git archive __revision__ = '$Format:%H$' from .r_li import checkMovingWindow, configFile, moveOutputTxtFile def checkParameterValuesBeforeExecuting(alg): return checkMovingWindow(alg, True) def processCommand(alg, parameters): configFile(alg, parameters, True) def processOutputs(alg): moveOutputTxtFile(alg)
LuaDist/scintilla
refs/heads/master
test/XiteMenu.py
85
# -*- coding: utf-8 -*- from __future__ import unicode_literals """ Define the menu structure used by the Pentacle applications """ MenuStructure = [ ["&File", [ ["&New", "<control>N"], ["&Open...", "<control>O"], ["&Save", "<control>S"], ["Save &As...", "<control><shift>S"], ["Test", ""], ["Exercised", ""], ["Uncalled", ""], ["-", ""], ["&Exit", ""]]], [ "&Edit", [ ["&Undo", "<control>Z"], ["&Redo", "<control>Y"], ["-", ""], ["Cu&t", "<control>X"], ["&Copy", "<control>C"], ["&Paste", "<control>V"], ["&Delete", "Del"], ["Select &All", "<control>A"], ]], ]
Jovy23/N930TUVU1APGC_Kernel
refs/heads/master
tools/perf/scripts/python/netdev-times.py
1544
# Display a process of packets and processed time. # It helps us to investigate networking or network device. # # options # tx: show only tx chart # rx: show only rx chart # dev=: show only thing related to specified device # debug: work with debug mode. It shows buffer status. import os import sys sys.path.append(os.environ['PERF_EXEC_PATH'] + \ '/scripts/python/Perf-Trace-Util/lib/Perf/Trace') from perf_trace_context import * from Core import * from Util import * all_event_list = []; # insert all tracepoint event related with this script irq_dic = {}; # key is cpu and value is a list which stacks irqs # which raise NET_RX softirq net_rx_dic = {}; # key is cpu and value include time of NET_RX softirq-entry # and a list which stacks receive receive_hunk_list = []; # a list which include a sequence of receive events rx_skb_list = []; # received packet list for matching # skb_copy_datagram_iovec buffer_budget = 65536; # the budget of rx_skb_list, tx_queue_list and # tx_xmit_list of_count_rx_skb_list = 0; # overflow count tx_queue_list = []; # list of packets which pass through dev_queue_xmit of_count_tx_queue_list = 0; # overflow count tx_xmit_list = []; # list of packets which pass through dev_hard_start_xmit of_count_tx_xmit_list = 0; # overflow count tx_free_list = []; # list of packets which is freed # options show_tx = 0; show_rx = 0; dev = 0; # store a name of device specified by option "dev=" debug = 0; # indices of event_info tuple EINFO_IDX_NAME= 0 EINFO_IDX_CONTEXT=1 EINFO_IDX_CPU= 2 EINFO_IDX_TIME= 3 EINFO_IDX_PID= 4 EINFO_IDX_COMM= 5 # Calculate a time interval(msec) from src(nsec) to dst(nsec) def diff_msec(src, dst): return (dst - src) / 1000000.0 # Display a process of transmitting a packet def print_transmit(hunk): if dev != 0 and hunk['dev'].find(dev) < 0: return print "%7s %5d %6d.%06dsec %12.3fmsec %12.3fmsec" % \ (hunk['dev'], hunk['len'], nsecs_secs(hunk['queue_t']), nsecs_nsecs(hunk['queue_t'])/1000, diff_msec(hunk['queue_t'], hunk['xmit_t']), diff_msec(hunk['xmit_t'], hunk['free_t'])) # Format for displaying rx packet processing PF_IRQ_ENTRY= " irq_entry(+%.3fmsec irq=%d:%s)" PF_SOFT_ENTRY=" softirq_entry(+%.3fmsec)" PF_NAPI_POLL= " napi_poll_exit(+%.3fmsec %s)" PF_JOINT= " |" PF_WJOINT= " | |" PF_NET_RECV= " |---netif_receive_skb(+%.3fmsec skb=%x len=%d)" PF_NET_RX= " |---netif_rx(+%.3fmsec skb=%x)" PF_CPY_DGRAM= " | skb_copy_datagram_iovec(+%.3fmsec %d:%s)" PF_KFREE_SKB= " | kfree_skb(+%.3fmsec location=%x)" PF_CONS_SKB= " | consume_skb(+%.3fmsec)" # Display a process of received packets and interrputs associated with # a NET_RX softirq def print_receive(hunk): show_hunk = 0 irq_list = hunk['irq_list'] cpu = irq_list[0]['cpu'] base_t = irq_list[0]['irq_ent_t'] # check if this hunk should be showed if dev != 0: for i in range(len(irq_list)): if irq_list[i]['name'].find(dev) >= 0: show_hunk = 1 break else: show_hunk = 1 if show_hunk == 0: return print "%d.%06dsec cpu=%d" % \ (nsecs_secs(base_t), nsecs_nsecs(base_t)/1000, cpu) for i in range(len(irq_list)): print PF_IRQ_ENTRY % \ (diff_msec(base_t, irq_list[i]['irq_ent_t']), irq_list[i]['irq'], irq_list[i]['name']) print PF_JOINT irq_event_list = irq_list[i]['event_list'] for j in range(len(irq_event_list)): irq_event = irq_event_list[j] if irq_event['event'] == 'netif_rx': print PF_NET_RX % \ (diff_msec(base_t, irq_event['time']), irq_event['skbaddr']) print PF_JOINT print PF_SOFT_ENTRY % \ diff_msec(base_t, hunk['sirq_ent_t']) print PF_JOINT event_list = hunk['event_list'] for i in range(len(event_list)): event = event_list[i] if event['event_name'] == 'napi_poll': print PF_NAPI_POLL % \ (diff_msec(base_t, event['event_t']), event['dev']) if i == len(event_list) - 1: print "" else: print PF_JOINT else: print PF_NET_RECV % \ (diff_msec(base_t, event['event_t']), event['skbaddr'], event['len']) if 'comm' in event.keys(): print PF_WJOINT print PF_CPY_DGRAM % \ (diff_msec(base_t, event['comm_t']), event['pid'], event['comm']) elif 'handle' in event.keys(): print PF_WJOINT if event['handle'] == "kfree_skb": print PF_KFREE_SKB % \ (diff_msec(base_t, event['comm_t']), event['location']) elif event['handle'] == "consume_skb": print PF_CONS_SKB % \ diff_msec(base_t, event['comm_t']) print PF_JOINT def trace_begin(): global show_tx global show_rx global dev global debug for i in range(len(sys.argv)): if i == 0: continue arg = sys.argv[i] if arg == 'tx': show_tx = 1 elif arg =='rx': show_rx = 1 elif arg.find('dev=',0, 4) >= 0: dev = arg[4:] elif arg == 'debug': debug = 1 if show_tx == 0 and show_rx == 0: show_tx = 1 show_rx = 1 def trace_end(): # order all events in time all_event_list.sort(lambda a,b :cmp(a[EINFO_IDX_TIME], b[EINFO_IDX_TIME])) # process all events for i in range(len(all_event_list)): event_info = all_event_list[i] name = event_info[EINFO_IDX_NAME] if name == 'irq__softirq_exit': handle_irq_softirq_exit(event_info) elif name == 'irq__softirq_entry': handle_irq_softirq_entry(event_info) elif name == 'irq__softirq_raise': handle_irq_softirq_raise(event_info) elif name == 'irq__irq_handler_entry': handle_irq_handler_entry(event_info) elif name == 'irq__irq_handler_exit': handle_irq_handler_exit(event_info) elif name == 'napi__napi_poll': handle_napi_poll(event_info) elif name == 'net__netif_receive_skb': handle_netif_receive_skb(event_info) elif name == 'net__netif_rx': handle_netif_rx(event_info) elif name == 'skb__skb_copy_datagram_iovec': handle_skb_copy_datagram_iovec(event_info) elif name == 'net__net_dev_queue': handle_net_dev_queue(event_info) elif name == 'net__net_dev_xmit': handle_net_dev_xmit(event_info) elif name == 'skb__kfree_skb': handle_kfree_skb(event_info) elif name == 'skb__consume_skb': handle_consume_skb(event_info) # display receive hunks if show_rx: for i in range(len(receive_hunk_list)): print_receive(receive_hunk_list[i]) # display transmit hunks if show_tx: print " dev len Qdisc " \ " netdevice free" for i in range(len(tx_free_list)): print_transmit(tx_free_list[i]) if debug: print "debug buffer status" print "----------------------------" print "xmit Qdisc:remain:%d overflow:%d" % \ (len(tx_queue_list), of_count_tx_queue_list) print "xmit netdevice:remain:%d overflow:%d" % \ (len(tx_xmit_list), of_count_tx_xmit_list) print "receive:remain:%d overflow:%d" % \ (len(rx_skb_list), of_count_rx_skb_list) # called from perf, when it finds a correspoinding event def irq__softirq_entry(name, context, cpu, sec, nsec, pid, comm, callchain, vec): if symbol_str("irq__softirq_entry", "vec", vec) != "NET_RX": return event_info = (name, context, cpu, nsecs(sec, nsec), pid, comm, vec) all_event_list.append(event_info) def irq__softirq_exit(name, context, cpu, sec, nsec, pid, comm, callchain, vec): if symbol_str("irq__softirq_entry", "vec", vec) != "NET_RX": return event_info = (name, context, cpu, nsecs(sec, nsec), pid, comm, vec) all_event_list.append(event_info) def irq__softirq_raise(name, context, cpu, sec, nsec, pid, comm, callchain, vec): if symbol_str("irq__softirq_entry", "vec", vec) != "NET_RX": return event_info = (name, context, cpu, nsecs(sec, nsec), pid, comm, vec) all_event_list.append(event_info) def irq__irq_handler_entry(name, context, cpu, sec, nsec, pid, comm, callchain, irq, irq_name): event_info = (name, context, cpu, nsecs(sec, nsec), pid, comm, irq, irq_name) all_event_list.append(event_info) def irq__irq_handler_exit(name, context, cpu, sec, nsec, pid, comm, callchain, irq, ret): event_info = (name, context, cpu, nsecs(sec, nsec), pid, comm, irq, ret) all_event_list.append(event_info) def napi__napi_poll(name, context, cpu, sec, nsec, pid, comm, callchain, napi, dev_name): event_info = (name, context, cpu, nsecs(sec, nsec), pid, comm, napi, dev_name) all_event_list.append(event_info) def net__netif_receive_skb(name, context, cpu, sec, nsec, pid, comm, callchain, skbaddr, skblen, dev_name): event_info = (name, context, cpu, nsecs(sec, nsec), pid, comm, skbaddr, skblen, dev_name) all_event_list.append(event_info) def net__netif_rx(name, context, cpu, sec, nsec, pid, comm, callchain, skbaddr, skblen, dev_name): event_info = (name, context, cpu, nsecs(sec, nsec), pid, comm, skbaddr, skblen, dev_name) all_event_list.append(event_info) def net__net_dev_queue(name, context, cpu, sec, nsec, pid, comm, callchain, skbaddr, skblen, dev_name): event_info = (name, context, cpu, nsecs(sec, nsec), pid, comm, skbaddr, skblen, dev_name) all_event_list.append(event_info) def net__net_dev_xmit(name, context, cpu, sec, nsec, pid, comm, callchain, skbaddr, skblen, rc, dev_name): event_info = (name, context, cpu, nsecs(sec, nsec), pid, comm, skbaddr, skblen, rc ,dev_name) all_event_list.append(event_info) def skb__kfree_skb(name, context, cpu, sec, nsec, pid, comm, callchain, skbaddr, protocol, location): event_info = (name, context, cpu, nsecs(sec, nsec), pid, comm, skbaddr, protocol, location) all_event_list.append(event_info) def skb__consume_skb(name, context, cpu, sec, nsec, pid, comm, callchain, skbaddr): event_info = (name, context, cpu, nsecs(sec, nsec), pid, comm, skbaddr) all_event_list.append(event_info) def skb__skb_copy_datagram_iovec(name, context, cpu, sec, nsec, pid, comm, callchain, skbaddr, skblen): event_info = (name, context, cpu, nsecs(sec, nsec), pid, comm, skbaddr, skblen) all_event_list.append(event_info) def handle_irq_handler_entry(event_info): (name, context, cpu, time, pid, comm, irq, irq_name) = event_info if cpu not in irq_dic.keys(): irq_dic[cpu] = [] irq_record = {'irq':irq, 'name':irq_name, 'cpu':cpu, 'irq_ent_t':time} irq_dic[cpu].append(irq_record) def handle_irq_handler_exit(event_info): (name, context, cpu, time, pid, comm, irq, ret) = event_info if cpu not in irq_dic.keys(): return irq_record = irq_dic[cpu].pop() if irq != irq_record['irq']: return irq_record.update({'irq_ext_t':time}) # if an irq doesn't include NET_RX softirq, drop. if 'event_list' in irq_record.keys(): irq_dic[cpu].append(irq_record) def handle_irq_softirq_raise(event_info): (name, context, cpu, time, pid, comm, vec) = event_info if cpu not in irq_dic.keys() \ or len(irq_dic[cpu]) == 0: return irq_record = irq_dic[cpu].pop() if 'event_list' in irq_record.keys(): irq_event_list = irq_record['event_list'] else: irq_event_list = [] irq_event_list.append({'time':time, 'event':'sirq_raise'}) irq_record.update({'event_list':irq_event_list}) irq_dic[cpu].append(irq_record) def handle_irq_softirq_entry(event_info): (name, context, cpu, time, pid, comm, vec) = event_info net_rx_dic[cpu] = {'sirq_ent_t':time, 'event_list':[]} def handle_irq_softirq_exit(event_info): (name, context, cpu, time, pid, comm, vec) = event_info irq_list = [] event_list = 0 if cpu in irq_dic.keys(): irq_list = irq_dic[cpu] del irq_dic[cpu] if cpu in net_rx_dic.keys(): sirq_ent_t = net_rx_dic[cpu]['sirq_ent_t'] event_list = net_rx_dic[cpu]['event_list'] del net_rx_dic[cpu] if irq_list == [] or event_list == 0: return rec_data = {'sirq_ent_t':sirq_ent_t, 'sirq_ext_t':time, 'irq_list':irq_list, 'event_list':event_list} # merge information realted to a NET_RX softirq receive_hunk_list.append(rec_data) def handle_napi_poll(event_info): (name, context, cpu, time, pid, comm, napi, dev_name) = event_info if cpu in net_rx_dic.keys(): event_list = net_rx_dic[cpu]['event_list'] rec_data = {'event_name':'napi_poll', 'dev':dev_name, 'event_t':time} event_list.append(rec_data) def handle_netif_rx(event_info): (name, context, cpu, time, pid, comm, skbaddr, skblen, dev_name) = event_info if cpu not in irq_dic.keys() \ or len(irq_dic[cpu]) == 0: return irq_record = irq_dic[cpu].pop() if 'event_list' in irq_record.keys(): irq_event_list = irq_record['event_list'] else: irq_event_list = [] irq_event_list.append({'time':time, 'event':'netif_rx', 'skbaddr':skbaddr, 'skblen':skblen, 'dev_name':dev_name}) irq_record.update({'event_list':irq_event_list}) irq_dic[cpu].append(irq_record) def handle_netif_receive_skb(event_info): global of_count_rx_skb_list (name, context, cpu, time, pid, comm, skbaddr, skblen, dev_name) = event_info if cpu in net_rx_dic.keys(): rec_data = {'event_name':'netif_receive_skb', 'event_t':time, 'skbaddr':skbaddr, 'len':skblen} event_list = net_rx_dic[cpu]['event_list'] event_list.append(rec_data) rx_skb_list.insert(0, rec_data) if len(rx_skb_list) > buffer_budget: rx_skb_list.pop() of_count_rx_skb_list += 1 def handle_net_dev_queue(event_info): global of_count_tx_queue_list (name, context, cpu, time, pid, comm, skbaddr, skblen, dev_name) = event_info skb = {'dev':dev_name, 'skbaddr':skbaddr, 'len':skblen, 'queue_t':time} tx_queue_list.insert(0, skb) if len(tx_queue_list) > buffer_budget: tx_queue_list.pop() of_count_tx_queue_list += 1 def handle_net_dev_xmit(event_info): global of_count_tx_xmit_list (name, context, cpu, time, pid, comm, skbaddr, skblen, rc, dev_name) = event_info if rc == 0: # NETDEV_TX_OK for i in range(len(tx_queue_list)): skb = tx_queue_list[i] if skb['skbaddr'] == skbaddr: skb['xmit_t'] = time tx_xmit_list.insert(0, skb) del tx_queue_list[i] if len(tx_xmit_list) > buffer_budget: tx_xmit_list.pop() of_count_tx_xmit_list += 1 return def handle_kfree_skb(event_info): (name, context, cpu, time, pid, comm, skbaddr, protocol, location) = event_info for i in range(len(tx_queue_list)): skb = tx_queue_list[i] if skb['skbaddr'] == skbaddr: del tx_queue_list[i] return for i in range(len(tx_xmit_list)): skb = tx_xmit_list[i] if skb['skbaddr'] == skbaddr: skb['free_t'] = time tx_free_list.append(skb) del tx_xmit_list[i] return for i in range(len(rx_skb_list)): rec_data = rx_skb_list[i] if rec_data['skbaddr'] == skbaddr: rec_data.update({'handle':"kfree_skb", 'comm':comm, 'pid':pid, 'comm_t':time}) del rx_skb_list[i] return def handle_consume_skb(event_info): (name, context, cpu, time, pid, comm, skbaddr) = event_info for i in range(len(tx_xmit_list)): skb = tx_xmit_list[i] if skb['skbaddr'] == skbaddr: skb['free_t'] = time tx_free_list.append(skb) del tx_xmit_list[i] return def handle_skb_copy_datagram_iovec(event_info): (name, context, cpu, time, pid, comm, skbaddr, skblen) = event_info for i in range(len(rx_skb_list)): rec_data = rx_skb_list[i] if skbaddr == rec_data['skbaddr']: rec_data.update({'handle':"skb_copy_datagram_iovec", 'comm':comm, 'pid':pid, 'comm_t':time}) del rx_skb_list[i] return
hbhdytf/mac
refs/heads/master
swift/container/updater.py
16
# Copyright (c) 2010-2012 OpenStack Foundation # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or # implied. # See the License for the specific language governing permissions and # limitations under the License. from __future__ import print_function import logging import os import signal import sys import time from swift import gettext_ as _ from random import random, shuffle from tempfile import mkstemp from eventlet import spawn, patcher, Timeout import swift.common.db from swift.container.backend import ContainerBroker, DATADIR from swift.common.bufferedhttp import http_connect from swift.common.exceptions import ConnectionTimeout from swift.common.ring import Ring from swift.common.utils import get_logger, config_true_value, ismount, \ dump_recon_cache, quorum_size, Timestamp from swift.common.daemon import Daemon from swift.common.http import is_success, HTTP_INTERNAL_SERVER_ERROR class ContainerUpdater(Daemon): """Update container information in account listings.""" def __init__(self, conf): self.conf = conf self.logger = get_logger(conf, log_route='container-updater') self.devices = conf.get('devices', '/srv/node') self.mount_check = config_true_value(conf.get('mount_check', 'true')) self.swift_dir = conf.get('swift_dir', '/etc/swift') self.interval = int(conf.get('interval', 300)) self.account_ring = None self.concurrency = int(conf.get('concurrency', 4)) self.slowdown = float(conf.get('slowdown', 0.01)) self.node_timeout = int(conf.get('node_timeout', 3)) self.conn_timeout = float(conf.get('conn_timeout', 0.5)) self.no_changes = 0 self.successes = 0 self.failures = 0 self.account_suppressions = {} self.account_suppression_time = \ float(conf.get('account_suppression_time', 60)) self.new_account_suppressions = None swift.common.db.DB_PREALLOCATION = \ config_true_value(conf.get('db_preallocation', 'f')) self.recon_cache_path = conf.get('recon_cache_path', '/var/cache/swift') self.rcache = os.path.join(self.recon_cache_path, "container.recon") self.user_agent = 'container-updater %s' % os.getpid() def get_account_ring(self): """Get the account ring. Load it if it hasn't been yet.""" if not self.account_ring: self.account_ring = Ring(self.swift_dir, ring_name='account') return self.account_ring def _listdir(self, path): try: return os.listdir(path) except OSError as e: self.logger.error(_('ERROR: Failed to get paths to drive ' 'partitions: %s') % e) return [] def get_paths(self): """ Get paths to all of the partitions on each drive to be processed. :returns: a list of paths """ paths = [] for device in self._listdir(self.devices): dev_path = os.path.join(self.devices, device) if self.mount_check and not ismount(dev_path): self.logger.warn(_('%s is not mounted'), device) continue con_path = os.path.join(dev_path, DATADIR) if not os.path.exists(con_path): continue for partition in self._listdir(con_path): paths.append(os.path.join(con_path, partition)) shuffle(paths) return paths def _load_suppressions(self, filename): try: with open(filename, 'r') as tmpfile: for line in tmpfile: account, until = line.split() until = float(until) self.account_suppressions[account] = until except Exception: self.logger.exception( _('ERROR with loading suppressions from %s: ') % filename) finally: os.unlink(filename) def run_forever(self, *args, **kwargs): """ Run the updator continuously. """ time.sleep(random() * self.interval) while True: self.logger.info(_('Begin container update sweep')) begin = time.time() now = time.time() expired_suppressions = \ [a for a, u in self.account_suppressions.items() if u < now] for account in expired_suppressions: del self.account_suppressions[account] pid2filename = {} # read from account ring to ensure it's fresh self.get_account_ring().get_nodes('') for path in self.get_paths(): while len(pid2filename) >= self.concurrency: pid = os.wait()[0] try: self._load_suppressions(pid2filename[pid]) finally: del pid2filename[pid] fd, tmpfilename = mkstemp() os.close(fd) pid = os.fork() if pid: pid2filename[pid] = tmpfilename else: signal.signal(signal.SIGTERM, signal.SIG_DFL) patcher.monkey_patch(all=False, socket=True) self.no_changes = 0 self.successes = 0 self.failures = 0 self.new_account_suppressions = open(tmpfilename, 'w') forkbegin = time.time() self.container_sweep(path) elapsed = time.time() - forkbegin self.logger.debug( _('Container update sweep of %(path)s completed: ' '%(elapsed).02fs, %(success)s successes, %(fail)s ' 'failures, %(no_change)s with no changes'), {'path': path, 'elapsed': elapsed, 'success': self.successes, 'fail': self.failures, 'no_change': self.no_changes}) sys.exit() while pid2filename: pid = os.wait()[0] try: self._load_suppressions(pid2filename[pid]) finally: del pid2filename[pid] elapsed = time.time() - begin self.logger.info(_('Container update sweep completed: %.02fs'), elapsed) dump_recon_cache({'container_updater_sweep': elapsed}, self.rcache, self.logger) if elapsed < self.interval: time.sleep(self.interval - elapsed) def run_once(self, *args, **kwargs): """ Run the updater once. """ patcher.monkey_patch(all=False, socket=True) self.logger.info(_('Begin container update single threaded sweep')) begin = time.time() self.no_changes = 0 self.successes = 0 self.failures = 0 for path in self.get_paths(): self.container_sweep(path) elapsed = time.time() - begin self.logger.info(_( 'Container update single threaded sweep completed: ' '%(elapsed).02fs, %(success)s successes, %(fail)s failures, ' '%(no_change)s with no changes'), {'elapsed': elapsed, 'success': self.successes, 'fail': self.failures, 'no_change': self.no_changes}) dump_recon_cache({'container_updater_sweep': elapsed}, self.rcache, self.logger) def container_sweep(self, path): """ Walk the path looking for container DBs and process them. :param path: path to walk """ for root, dirs, files in os.walk(path): for file in files: if file.endswith('.db'): self.process_container(os.path.join(root, file)) time.sleep(self.slowdown) def process_container(self, dbfile): """ Process a container, and update the information in the account. :param dbfile: container DB to process """ start_time = time.time() broker = ContainerBroker(dbfile, logger=self.logger) info = broker.get_info() # Don't send updates if the container was auto-created since it # definitely doesn't have up to date statistics. if Timestamp(info['put_timestamp']) <= 0: return if self.account_suppressions.get(info['account'], 0) > time.time(): return if info['put_timestamp'] > info['reported_put_timestamp'] or \ info['delete_timestamp'] > info['reported_delete_timestamp'] \ or info['object_count'] != info['reported_object_count'] or \ info['bytes_used'] != info['reported_bytes_used']: container = '/%s/%s' % (info['account'], info['container']) part, nodes = self.get_account_ring().get_nodes(info['account']) events = [spawn(self.container_report, node, part, container, info['put_timestamp'], info['delete_timestamp'], info['object_count'], info['bytes_used'], info['storage_policy_index']) for node in nodes] successes = 0 for event in events: if is_success(event.wait()): successes += 1 if successes >= quorum_size(len(events)): self.logger.increment('successes') self.successes += 1 self.logger.debug( _('Update report sent for %(container)s %(dbfile)s'), {'container': container, 'dbfile': dbfile}) broker.reported(info['put_timestamp'], info['delete_timestamp'], info['object_count'], info['bytes_used']) else: self.logger.increment('failures') self.failures += 1 self.logger.debug( _('Update report failed for %(container)s %(dbfile)s'), {'container': container, 'dbfile': dbfile}) self.account_suppressions[info['account']] = until = \ time.time() + self.account_suppression_time if self.new_account_suppressions: print(info['account'], until, file=self.new_account_suppressions) # Only track timing data for attempted updates: self.logger.timing_since('timing', start_time) else: self.logger.increment('no_changes') self.no_changes += 1 def container_report(self, node, part, container, put_timestamp, delete_timestamp, count, bytes, storage_policy_index): """ Report container info to an account server. :param node: node dictionary from the account ring :param part: partition the account is on :param container: container name :param put_timestamp: put timestamp :param delete_timestamp: delete timestamp :param count: object count in the container :param bytes: bytes used in the container :param storage_policy_index: the policy index for the container """ with ConnectionTimeout(self.conn_timeout): try: headers = { 'X-Put-Timestamp': put_timestamp, 'X-Delete-Timestamp': delete_timestamp, 'X-Object-Count': count, 'X-Bytes-Used': bytes, 'X-Account-Override-Deleted': 'yes', 'X-Backend-Storage-Policy-Index': storage_policy_index, 'user-agent': self.user_agent} conn = http_connect( node['ip'], node['port'], node['device'], part, 'PUT', container, headers=headers) except (Exception, Timeout): self.logger.exception(_( 'ERROR account update failed with ' '%(ip)s:%(port)s/%(device)s (will retry later): '), node) return HTTP_INTERNAL_SERVER_ERROR with Timeout(self.node_timeout): try: resp = conn.getresponse() resp.read() return resp.status except (Exception, Timeout): if self.logger.getEffectiveLevel() <= logging.DEBUG: self.logger.exception( _('Exception with %(ip)s:%(port)s/%(device)s'), node) return HTTP_INTERNAL_SERVER_ERROR finally: conn.close()
BeegorMif/HTPC-Manager
refs/heads/master
lib/sqlalchemy/dialects/postgresql/__init__.py
78
# postgresql/__init__.py # Copyright (C) 2005-2014 the SQLAlchemy authors and contributors <see AUTHORS file> # # This module is part of SQLAlchemy and is released under # the MIT License: http://www.opensource.org/licenses/mit-license.php from . import base, psycopg2, pg8000, pypostgresql, zxjdbc base.dialect = psycopg2.dialect from .base import \ INTEGER, BIGINT, SMALLINT, VARCHAR, CHAR, TEXT, NUMERIC, FLOAT, REAL, \ INET, CIDR, UUID, BIT, MACADDR, DOUBLE_PRECISION, TIMESTAMP, TIME, \ DATE, BYTEA, BOOLEAN, INTERVAL, ARRAY, ENUM, dialect, array, Any, All, \ TSVECTOR from .constraints import ExcludeConstraint from .hstore import HSTORE, hstore from .json import JSON, JSONElement from .ranges import INT4RANGE, INT8RANGE, NUMRANGE, DATERANGE, TSRANGE, \ TSTZRANGE __all__ = ( 'INTEGER', 'BIGINT', 'SMALLINT', 'VARCHAR', 'CHAR', 'TEXT', 'NUMERIC', 'FLOAT', 'REAL', 'INET', 'CIDR', 'UUID', 'BIT', 'MACADDR', 'DOUBLE_PRECISION', 'TIMESTAMP', 'TIME', 'DATE', 'BYTEA', 'BOOLEAN', 'INTERVAL', 'ARRAY', 'ENUM', 'dialect', 'Any', 'All', 'array', 'HSTORE', 'hstore', 'INT4RANGE', 'INT8RANGE', 'NUMRANGE', 'DATERANGE', 'TSRANGE', 'TSTZRANGE', 'json', 'JSON', 'JSONElement' )
tardyp/buildbot
refs/heads/master
master/buildbot/test/unit/util/test_maildir.py
5
# This file is part of Buildbot. Buildbot is free software: you can # redistribute it and/or modify it under the terms of the GNU General Public # License as published by the Free Software Foundation, version 2. # # 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 General Public License for more # details. # # You should have received a copy of the GNU General Public License along with # this program; if not, write to the Free Software Foundation, Inc., 51 # Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA. # # Copyright Buildbot Team Members import os from twisted.internet import defer from twisted.trial import unittest from buildbot.test.util import dirs from buildbot.util import maildir class TestMaildirService(dirs.DirsMixin, unittest.TestCase): def setUp(self): self.maildir = os.path.abspath("maildir") self.newdir = os.path.join(self.maildir, "new") self.curdir = os.path.join(self.maildir, "cur") self.tmpdir = os.path.join(self.maildir, "tmp") self.setUpDirs(self.maildir, self.newdir, self.curdir, self.tmpdir) self.svc = None def tearDown(self): if self.svc and self.svc.running: self.svc.stopService() self.tearDownDirs() # tests @defer.inlineCallbacks def test_start_stop_repeatedly(self): self.svc = maildir.MaildirService(self.maildir) self.svc.startService() yield self.svc.stopService() self.svc.startService() yield self.svc.stopService() self.assertEqual(len(list(self.svc)), 0) @defer.inlineCallbacks def test_messageReceived(self): self.svc = maildir.MaildirService(self.maildir) # add a fake messageReceived method messagesReceived = [] def messageReceived(filename): messagesReceived.append(filename) return defer.succeed(None) self.svc.messageReceived = messageReceived yield self.svc.startService() self.assertEqual(messagesReceived, []) tmpfile = os.path.join(self.tmpdir, "newmsg") newfile = os.path.join(self.newdir, "newmsg") open(tmpfile, "w").close() os.rename(tmpfile, newfile) # TODO: can we wait for a dnotify somehow, if enabled? yield self.svc.poll() self.assertEqual(messagesReceived, ['newmsg']) def test_moveToCurDir(self): self.svc = maildir.MaildirService(self.maildir) tmpfile = os.path.join(self.tmpdir, "newmsg") newfile = os.path.join(self.newdir, "newmsg") open(tmpfile, "w").close() os.rename(tmpfile, newfile) f = self.svc.moveToCurDir("newmsg") f.close() self.assertEqual([os.path.exists(os.path.join(d, "newmsg")) for d in (self.newdir, self.curdir, self.tmpdir)], [False, True, False])
Denisolt/Tensorflow_Chat_Bot
refs/heads/master
local/lib/python2.7/site-packages/wheel/tool/__init__.py
93
""" Wheel command-line utility. """ import os import hashlib import sys import json from glob import iglob from .. import signatures from ..util import (urlsafe_b64decode, urlsafe_b64encode, native, binary, matches_requirement) from ..install import WheelFile, VerifyingZipFile from ..paths import get_install_command def require_pkgresources(name): try: import pkg_resources except ImportError: raise RuntimeError("'{0}' needs pkg_resources (part of setuptools).".format(name)) import argparse class WheelError(Exception): pass # For testability def get_keyring(): try: from ..signatures import keys import keyring assert keyring.get_keyring().priority except (ImportError, AssertionError): raise WheelError("Install wheel[signatures] (requires keyring, keyrings.alt, pyxdg) for signatures.") return keys.WheelKeys, keyring def keygen(get_keyring=get_keyring): """Generate a public/private key pair.""" WheelKeys, keyring = get_keyring() ed25519ll = signatures.get_ed25519ll() wk = WheelKeys().load() keypair = ed25519ll.crypto_sign_keypair() vk = native(urlsafe_b64encode(keypair.vk)) sk = native(urlsafe_b64encode(keypair.sk)) kr = keyring.get_keyring() kr.set_password("wheel", vk, sk) sys.stdout.write("Created Ed25519 keypair with vk={0}\n".format(vk)) sys.stdout.write("in {0!r}\n".format(kr)) sk2 = kr.get_password('wheel', vk) if sk2 != sk: raise WheelError("Keyring is broken. Could not retrieve secret key.") sys.stdout.write("Trusting {0} to sign and verify all packages.\n".format(vk)) wk.add_signer('+', vk) wk.trust('+', vk) wk.save() def sign(wheelfile, replace=False, get_keyring=get_keyring): """Sign a wheel""" WheelKeys, keyring = get_keyring() ed25519ll = signatures.get_ed25519ll() wf = WheelFile(wheelfile, append=True) wk = WheelKeys().load() name = wf.parsed_filename.group('name') sign_with = wk.signers(name)[0] sys.stdout.write("Signing {0} with {1}\n".format(name, sign_with[1])) vk = sign_with[1] kr = keyring.get_keyring() sk = kr.get_password('wheel', vk) keypair = ed25519ll.Keypair(urlsafe_b64decode(binary(vk)), urlsafe_b64decode(binary(sk))) record_name = wf.distinfo_name + '/RECORD' sig_name = wf.distinfo_name + '/RECORD.jws' if sig_name in wf.zipfile.namelist(): raise WheelError("Wheel is already signed.") record_data = wf.zipfile.read(record_name) payload = {"hash":"sha256=" + native(urlsafe_b64encode(hashlib.sha256(record_data).digest()))} sig = signatures.sign(payload, keypair) wf.zipfile.writestr(sig_name, json.dumps(sig, sort_keys=True)) wf.zipfile.close() def unsign(wheelfile): """ Remove RECORD.jws from a wheel by truncating the zip file. RECORD.jws must be at the end of the archive. The zip file must be an ordinary archive, with the compressed files and the directory in the same order, and without any non-zip content after the truncation point. """ vzf = VerifyingZipFile(wheelfile, "a") info = vzf.infolist() if not (len(info) and info[-1].filename.endswith('/RECORD.jws')): raise WheelError("RECORD.jws not found at end of archive.") vzf.pop() vzf.close() def verify(wheelfile): """Verify a wheel. The signature will be verified for internal consistency ONLY and printed. Wheel's own unpack/install commands verify the manifest against the signature and file contents. """ wf = WheelFile(wheelfile) sig_name = wf.distinfo_name + '/RECORD.jws' sig = json.loads(native(wf.zipfile.open(sig_name).read())) verified = signatures.verify(sig) sys.stderr.write("Signatures are internally consistent.\n") sys.stdout.write(json.dumps(verified, indent=2)) sys.stdout.write('\n') def unpack(wheelfile, dest='.'): """Unpack a wheel. Wheel content will be unpacked to {dest}/{name}-{ver}, where {name} is the package name and {ver} its version. :param wheelfile: The path to the wheel. :param dest: Destination directory (default to current directory). """ wf = WheelFile(wheelfile) namever = wf.parsed_filename.group('namever') destination = os.path.join(dest, namever) sys.stderr.write("Unpacking to: %s\n" % (destination)) wf.zipfile.extractall(destination) wf.zipfile.close() def install(requirements, requirements_file=None, wheel_dirs=None, force=False, list_files=False, dry_run=False): """Install wheels. :param requirements: A list of requirements or wheel files to install. :param requirements_file: A file containing requirements to install. :param wheel_dirs: A list of directories to search for wheels. :param force: Install a wheel file even if it is not compatible. :param list_files: Only list the files to install, don't install them. :param dry_run: Do everything but the actual install. """ # If no wheel directories specified, use the WHEELPATH environment # variable, or the current directory if that is not set. if not wheel_dirs: wheelpath = os.getenv("WHEELPATH") if wheelpath: wheel_dirs = wheelpath.split(os.pathsep) else: wheel_dirs = [ os.path.curdir ] # Get a list of all valid wheels in wheel_dirs all_wheels = [] for d in wheel_dirs: for w in os.listdir(d): if w.endswith('.whl'): wf = WheelFile(os.path.join(d, w)) if wf.compatible: all_wheels.append(wf) # If there is a requirements file, add it to the list of requirements if requirements_file: # If the file doesn't exist, search for it in wheel_dirs # This allows standard requirements files to be stored with the # wheels. if not os.path.exists(requirements_file): for d in wheel_dirs: name = os.path.join(d, requirements_file) if os.path.exists(name): requirements_file = name break with open(requirements_file) as fd: requirements.extend(fd) to_install = [] for req in requirements: if req.endswith('.whl'): # Explicitly specified wheel filename if os.path.exists(req): wf = WheelFile(req) if wf.compatible or force: to_install.append(wf) else: msg = ("{0} is not compatible with this Python. " "--force to install anyway.".format(req)) raise WheelError(msg) else: # We could search on wheel_dirs, but it's probably OK to # assume the user has made an error. raise WheelError("No such wheel file: {}".format(req)) continue # We have a requirement spec # If we don't have pkg_resources, this will raise an exception matches = matches_requirement(req, all_wheels) if not matches: raise WheelError("No match for requirement {}".format(req)) to_install.append(max(matches)) # We now have a list of wheels to install if list_files: sys.stdout.write("Installing:\n") if dry_run: return for wf in to_install: if list_files: sys.stdout.write(" {0}\n".format(wf.filename)) continue wf.install(force=force) wf.zipfile.close() def install_scripts(distributions): """ Regenerate the entry_points console_scripts for the named distribution. """ try: from setuptools.command import easy_install import pkg_resources except ImportError: raise RuntimeError("'wheel install_scripts' needs setuptools.") for dist in distributions: pkg_resources_dist = pkg_resources.get_distribution(dist) install = get_install_command(dist) command = easy_install.easy_install(install.distribution) command.args = ['wheel'] # dummy argument command.finalize_options() command.install_egg_scripts(pkg_resources_dist) def convert(installers, dest_dir, verbose): require_pkgresources('wheel convert') # Only support wheel convert if pkg_resources is present from ..wininst2wheel import bdist_wininst2wheel from ..egg2wheel import egg2wheel for pat in installers: for installer in iglob(pat): if os.path.splitext(installer)[1] == '.egg': conv = egg2wheel else: conv = bdist_wininst2wheel if verbose: sys.stdout.write("{0}... ".format(installer)) sys.stdout.flush() conv(installer, dest_dir) if verbose: sys.stdout.write("OK\n") def parser(): p = argparse.ArgumentParser() s = p.add_subparsers(help="commands") def keygen_f(args): keygen() keygen_parser = s.add_parser('keygen', help='Generate signing key') keygen_parser.set_defaults(func=keygen_f) def sign_f(args): sign(args.wheelfile) sign_parser = s.add_parser('sign', help='Sign wheel') sign_parser.add_argument('wheelfile', help='Wheel file') sign_parser.set_defaults(func=sign_f) def unsign_f(args): unsign(args.wheelfile) unsign_parser = s.add_parser('unsign', help=unsign.__doc__) unsign_parser.add_argument('wheelfile', help='Wheel file') unsign_parser.set_defaults(func=unsign_f) def verify_f(args): verify(args.wheelfile) verify_parser = s.add_parser('verify', help=verify.__doc__) verify_parser.add_argument('wheelfile', help='Wheel file') verify_parser.set_defaults(func=verify_f) def unpack_f(args): unpack(args.wheelfile, args.dest) unpack_parser = s.add_parser('unpack', help='Unpack wheel') unpack_parser.add_argument('--dest', '-d', help='Destination directory', default='.') unpack_parser.add_argument('wheelfile', help='Wheel file') unpack_parser.set_defaults(func=unpack_f) def install_f(args): install(args.requirements, args.requirements_file, args.wheel_dirs, args.force, args.list_files) install_parser = s.add_parser('install', help='Install wheels') install_parser.add_argument('requirements', nargs='*', help='Requirements to install.') install_parser.add_argument('--force', default=False, action='store_true', help='Install incompatible wheel files.') install_parser.add_argument('--wheel-dir', '-d', action='append', dest='wheel_dirs', help='Directories containing wheels.') install_parser.add_argument('--requirements-file', '-r', help="A file containing requirements to " "install.") install_parser.add_argument('--list', '-l', default=False, dest='list_files', action='store_true', help="List wheels which would be installed, " "but don't actually install anything.") install_parser.set_defaults(func=install_f) def install_scripts_f(args): install_scripts(args.distributions) install_scripts_parser = s.add_parser('install-scripts', help='Install console_scripts') install_scripts_parser.add_argument('distributions', nargs='*', help='Regenerate console_scripts for these distributions') install_scripts_parser.set_defaults(func=install_scripts_f) def convert_f(args): convert(args.installers, args.dest_dir, args.verbose) convert_parser = s.add_parser('convert', help='Convert egg or wininst to wheel') convert_parser.add_argument('installers', nargs='*', help='Installers to convert') convert_parser.add_argument('--dest-dir', '-d', default=os.path.curdir, help="Directory to store wheels (default %(default)s)") convert_parser.add_argument('--verbose', '-v', action='store_true') convert_parser.set_defaults(func=convert_f) def version_f(args): from .. import __version__ sys.stdout.write("wheel %s\n" % __version__) version_parser = s.add_parser('version', help='Print version and exit') version_parser.set_defaults(func=version_f) def help_f(args): p.print_help() help_parser = s.add_parser('help', help='Show this help') help_parser.set_defaults(func=help_f) return p def main(): p = parser() args = p.parse_args() if not hasattr(args, 'func'): p.print_help() else: # XXX on Python 3.3 we get 'args has no func' rather than short help. try: args.func(args) return 0 except WheelError as e: sys.stderr.write(e.message + "\n") return 1
hellhovnd/django
refs/heads/master
django/conf/locale/uk/formats.py
236
# -*- encoding: utf-8 -*- # This file is distributed under the same license as the Django package. # from __future__ import unicode_literals # The *_FORMAT strings use the Django date format syntax, # see http://docs.djangoproject.com/en/dev/ref/templates/builtins/#date DATE_FORMAT = 'j E Y р.' TIME_FORMAT = 'H:i:s' DATETIME_FORMAT = 'j E Y р. H:i:s' YEAR_MONTH_FORMAT = 'F Y' MONTH_DAY_FORMAT = 'j F' SHORT_DATE_FORMAT = 'j M Y' # SHORT_DATETIME_FORMAT = # FIRST_DAY_OF_WEEK = # The *_INPUT_FORMATS strings use the Python strftime format syntax, # see http://docs.python.org/library/datetime.html#strftime-strptime-behavior # DATE_INPUT_FORMATS = # TIME_INPUT_FORMATS = # DATETIME_INPUT_FORMATS = DECIMAL_SEPARATOR = ',' THOUSAND_SEPARATOR = ' ' # NUMBER_GROUPING =
adminneyk/codificacionproyectando
refs/heads/master
application/views/Generacion/Generacion/lib/openoffice/openoffice.org/basis3.4/program/python-core-2.6.1/lib/ntpath.py
60
# Module 'ntpath' -- common operations on WinNT/Win95 pathnames """Common pathname manipulations, WindowsNT/95 version. Instead of importing this module directly, import os and refer to this module as os.path. """ import os import sys import stat import genericpath import warnings from genericpath import * __all__ = ["normcase","isabs","join","splitdrive","split","splitext", "basename","dirname","commonprefix","getsize","getmtime", "getatime","getctime", "islink","exists","lexists","isdir","isfile", "ismount","walk","expanduser","expandvars","normpath","abspath", "splitunc","curdir","pardir","sep","pathsep","defpath","altsep", "extsep","devnull","realpath","supports_unicode_filenames","relpath"] # strings representing various path-related bits and pieces curdir = '.' pardir = '..' extsep = '.' sep = '\\' pathsep = ';' altsep = '/' defpath = '.;C:\\bin' if 'ce' in sys.builtin_module_names: defpath = '\\Windows' elif 'os2' in sys.builtin_module_names: # OS/2 w/ VACPP altsep = '/' devnull = 'nul' # Normalize the case of a pathname and map slashes to backslashes. # Other normalizations (such as optimizing '../' away) are not done # (this is done by normpath). def normcase(s): """Normalize case of pathname. Makes all characters lowercase and all slashes into backslashes.""" return s.replace("/", "\\").lower() # Return whether a path is absolute. # Trivial in Posix, harder on the Mac or MS-DOS. # For DOS it is absolute if it starts with a slash or backslash (current # volume), or if a pathname after the volume letter and colon / UNC resource # starts with a slash or backslash. def isabs(s): """Test whether a path is absolute""" s = splitdrive(s)[1] return s != '' and s[:1] in '/\\' # Join two (or more) paths. def join(a, *p): """Join two or more pathname components, inserting "\\" as needed. If any component is an absolute path, all previous path components will be discarded.""" path = a for b in p: b_wins = 0 # set to 1 iff b makes path irrelevant if path == "": b_wins = 1 elif isabs(b): # This probably wipes out path so far. However, it's more # complicated if path begins with a drive letter: # 1. join('c:', '/a') == 'c:/a' # 2. join('c:/', '/a') == 'c:/a' # But # 3. join('c:/a', '/b') == '/b' # 4. join('c:', 'd:/') = 'd:/' # 5. join('c:/', 'd:/') = 'd:/' if path[1:2] != ":" or b[1:2] == ":": # Path doesn't start with a drive letter, or cases 4 and 5. b_wins = 1 # Else path has a drive letter, and b doesn't but is absolute. elif len(path) > 3 or (len(path) == 3 and path[-1] not in "/\\"): # case 3 b_wins = 1 if b_wins: path = b else: # Join, and ensure there's a separator. assert len(path) > 0 if path[-1] in "/\\": if b and b[0] in "/\\": path += b[1:] else: path += b elif path[-1] == ":": path += b elif b: if b[0] in "/\\": path += b else: path += "\\" + b else: # path is not empty and does not end with a backslash, # but b is empty; since, e.g., split('a/') produces # ('a', ''), it's best if join() adds a backslash in # this case. path += '\\' return path # Split a path in a drive specification (a drive letter followed by a # colon) and the path specification. # It is always true that drivespec + pathspec == p def splitdrive(p): """Split a pathname into drive and path specifiers. Returns a 2-tuple "(drive,path)"; either part may be empty""" if p[1:2] == ':': return p[0:2], p[2:] return '', p # Parse UNC paths def splitunc(p): """Split a pathname into UNC mount point and relative path specifiers. Return a 2-tuple (unc, rest); either part may be empty. If unc is not empty, it has the form '//host/mount' (or similar using backslashes). unc+rest is always the input path. Paths containing drive letters never have an UNC part. """ if p[1:2] == ':': return '', p # Drive letter present firstTwo = p[0:2] if firstTwo == '//' or firstTwo == '\\\\': # is a UNC path: # vvvvvvvvvvvvvvvvvvvv equivalent to drive letter # \\machine\mountpoint\directories... # directory ^^^^^^^^^^^^^^^ normp = normcase(p) index = normp.find('\\', 2) if index == -1: ##raise RuntimeError, 'illegal UNC path: "' + p + '"' return ("", p) index = normp.find('\\', index + 1) if index == -1: index = len(p) return p[:index], p[index:] return '', p # Split a path in head (everything up to the last '/') and tail (the # rest). After the trailing '/' is stripped, the invariant # join(head, tail) == p holds. # The resulting head won't end in '/' unless it is the root. def split(p): """Split a pathname. Return tuple (head, tail) where tail is everything after the final slash. Either part may be empty.""" d, p = splitdrive(p) # set i to index beyond p's last slash i = len(p) while i and p[i-1] not in '/\\': i = i - 1 head, tail = p[:i], p[i:] # now tail has no slashes # remove trailing slashes from head, unless it's all slashes head2 = head while head2 and head2[-1] in '/\\': head2 = head2[:-1] head = head2 or head return d + head, tail # Split a path in root and extension. # The extension is everything starting at the last dot in the last # pathname component; the root is everything before that. # It is always true that root + ext == p. def splitext(p): return genericpath._splitext(p, sep, altsep, extsep) splitext.__doc__ = genericpath._splitext.__doc__ # Return the tail (basename) part of a path. def basename(p): """Returns the final component of a pathname""" return split(p)[1] # Return the head (dirname) part of a path. def dirname(p): """Returns the directory component of a pathname""" return split(p)[0] # Is a path a symbolic link? # This will always return false on systems where posix.lstat doesn't exist. def islink(path): """Test for symbolic link. On WindowsNT/95 and OS/2 always returns false """ return False # alias exists to lexists lexists = exists # Is a path a mount point? Either a root (with or without drive letter) # or an UNC path with at most a / or \ after the mount point. def ismount(path): """Test whether a path is a mount point (defined as root of drive)""" unc, rest = splitunc(path) if unc: return rest in ("", "/", "\\") p = splitdrive(path)[1] return len(p) == 1 and p[0] in '/\\' # Directory tree walk. # For each directory under top (including top itself, but excluding # '.' and '..'), func(arg, dirname, filenames) is called, where # dirname is the name of the directory and filenames is the list # of files (and subdirectories etc.) in the directory. # The func may modify the filenames list, to implement a filter, # or to impose a different order of visiting. def walk(top, func, arg): """Directory tree walk with callback function. For each directory in the directory tree rooted at top (including top itself, but excluding '.' and '..'), call func(arg, dirname, fnames). dirname is the name of the directory, and fnames a list of the names of the files and subdirectories in dirname (excluding '.' and '..'). func may modify the fnames list in-place (e.g. via del or slice assignment), and walk will only recurse into the subdirectories whose names remain in fnames; this can be used to implement a filter, or to impose a specific order of visiting. No semantics are defined for, or required of, arg, beyond that arg is always passed to func. It can be used, e.g., to pass a filename pattern, or a mutable object designed to accumulate statistics. Passing None for arg is common.""" warnings.warnpy3k("In 3.x, os.path.walk is removed in favor of os.walk.") try: names = os.listdir(top) except os.error: return func(arg, top, names) for name in names: name = join(top, name) if isdir(name): walk(name, func, arg) # Expand paths beginning with '~' or '~user'. # '~' means $HOME; '~user' means that user's home directory. # If the path doesn't begin with '~', or if the user or $HOME is unknown, # the path is returned unchanged (leaving error reporting to whatever # function is called with the expanded path as argument). # See also module 'glob' for expansion of *, ? and [...] in pathnames. # (A function should also be defined to do full *sh-style environment # variable expansion.) def expanduser(path): """Expand ~ and ~user constructs. If user or $HOME is unknown, do nothing.""" if path[:1] != '~': return path i, n = 1, len(path) while i < n and path[i] not in '/\\': i = i + 1 if 'HOME' in os.environ: userhome = os.environ['HOME'] elif 'USERPROFILE' in os.environ: userhome = os.environ['USERPROFILE'] elif not 'HOMEPATH' in os.environ: return path else: try: drive = os.environ['HOMEDRIVE'] except KeyError: drive = '' userhome = join(drive, os.environ['HOMEPATH']) if i != 1: #~user userhome = join(dirname(userhome), path[1:i]) return userhome + path[i:] # Expand paths containing shell variable substitutions. # The following rules apply: # - no expansion within single quotes # - '$$' is translated into '$' # - '%%' is translated into '%' if '%%' are not seen in %var1%%var2% # - ${varname} is accepted. # - $varname is accepted. # - %varname% is accepted. # - varnames can be made out of letters, digits and the characters '_-' # (though is not verifed in the ${varname} and %varname% cases) # XXX With COMMAND.COM you can use any characters in a variable name, # XXX except '^|<>='. def expandvars(path): """Expand shell variables of the forms $var, ${var} and %var%. Unknown variables are left unchanged.""" if '$' not in path and '%' not in path: return path import string varchars = string.ascii_letters + string.digits + '_-' res = '' index = 0 pathlen = len(path) while index < pathlen: c = path[index] if c == '\'': # no expansion within single quotes path = path[index + 1:] pathlen = len(path) try: index = path.index('\'') res = res + '\'' + path[:index + 1] except ValueError: res = res + path index = pathlen - 1 elif c == '%': # variable or '%' if path[index + 1:index + 2] == '%': res = res + c index = index + 1 else: path = path[index+1:] pathlen = len(path) try: index = path.index('%') except ValueError: res = res + '%' + path index = pathlen - 1 else: var = path[:index] if var in os.environ: res = res + os.environ[var] else: res = res + '%' + var + '%' elif c == '$': # variable or '$$' if path[index + 1:index + 2] == '$': res = res + c index = index + 1 elif path[index + 1:index + 2] == '{': path = path[index+2:] pathlen = len(path) try: index = path.index('}') var = path[:index] if var in os.environ: res = res + os.environ[var] else: res = res + '${' + var + '}' except ValueError: res = res + '${' + path index = pathlen - 1 else: var = '' index = index + 1 c = path[index:index + 1] while c != '' and c in varchars: var = var + c index = index + 1 c = path[index:index + 1] if var in os.environ: res = res + os.environ[var] else: res = res + '$' + var if c != '': index = index - 1 else: res = res + c index = index + 1 return res # Normalize a path, e.g. A//B, A/./B and A/foo/../B all become A\B. # Previously, this function also truncated pathnames to 8+3 format, # but as this module is called "ntpath", that's obviously wrong! def normpath(path): """Normalize path, eliminating double slashes, etc.""" path = path.replace("/", "\\") prefix, path = splitdrive(path) # We need to be careful here. If the prefix is empty, and the path starts # with a backslash, it could either be an absolute path on the current # drive (\dir1\dir2\file) or a UNC filename (\\server\mount\dir1\file). It # is therefore imperative NOT to collapse multiple backslashes blindly in # that case. # The code below preserves multiple backslashes when there is no drive # letter. This means that the invalid filename \\\a\b is preserved # unchanged, where a\\\b is normalised to a\b. It's not clear that there # is any better behaviour for such edge cases. if prefix == '': # No drive letter - preserve initial backslashes while path[:1] == "\\": prefix = prefix + "\\" path = path[1:] else: # We have a drive letter - collapse initial backslashes if path.startswith("\\"): prefix = prefix + "\\" path = path.lstrip("\\") comps = path.split("\\") i = 0 while i < len(comps): if comps[i] in ('.', ''): del comps[i] elif comps[i] == '..': if i > 0 and comps[i-1] != '..': del comps[i-1:i+1] i -= 1 elif i == 0 and prefix.endswith("\\"): del comps[i] else: i += 1 else: i += 1 # If the path is now empty, substitute '.' if not prefix and not comps: comps.append('.') return prefix + "\\".join(comps) # Return an absolute path. try: from nt import _getfullpathname except ImportError: # not running on Windows - mock up something sensible def abspath(path): """Return the absolute version of a path.""" if not isabs(path): path = join(os.getcwd(), path) return normpath(path) else: # use native Windows method on Windows def abspath(path): """Return the absolute version of a path.""" if path: # Empty path must return current working directory. try: path = _getfullpathname(path) except WindowsError: pass # Bad path - return unchanged. else: path = os.getcwd() return normpath(path) # realpath is a no-op on systems without islink support realpath = abspath # Win9x family and earlier have no Unicode filename support. supports_unicode_filenames = (hasattr(sys, "getwindowsversion") and sys.getwindowsversion()[3] >= 2) def relpath(path, start=curdir): """Return a relative version of a path""" if not path: raise ValueError("no path specified") start_list = abspath(start).split(sep) path_list = abspath(path).split(sep) if start_list[0].lower() != path_list[0].lower(): unc_path, rest = splitunc(path) unc_start, rest = splitunc(start) if bool(unc_path) ^ bool(unc_start): raise ValueError("Cannot mix UNC and non-UNC paths (%s and %s)" % (path, start)) else: raise ValueError("path is on drive %s, start on drive %s" % (path_list[0], start_list[0])) # Work out how much of the filepath is shared by start and path. for i in range(min(len(start_list), len(path_list))): if start_list[i].lower() != path_list[i].lower(): break else: i += 1 rel_list = [pardir] * (len(start_list)-i) + path_list[i:] if not rel_list: return curdir return join(*rel_list)
catapult-project/catapult
refs/heads/master
third_party/gsutil/gslib/vendored/boto/tests/unit/machinelearning/test_machinelearning.py
91
# Copyright (c) 2015 Amazon.com, Inc. or its affiliates. All Rights Reserved # # 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, dis- # tribute, sublicense, and/or sell copies of the Software, and to permit # persons to whom the Software is furnished to do so, subject to the fol- # lowing 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 MERCHANTABIL- # ITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT # SHALL THE AUTHOR 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. # from boto.compat import json from boto.machinelearning.layer1 import MachineLearningConnection from tests.unit import AWSMockServiceTestCase class TestMachineLearning(AWSMockServiceTestCase): connection_class = MachineLearningConnection def test_predict(self): ml_endpoint = 'mymlmodel.amazonaws.com' self.set_http_response(status_code=200, body=b'') self.service_connection.predict( ml_model_id='foo', record={'Foo': 'bar'}, predict_endpoint=ml_endpoint) self.assertEqual(self.actual_request.host, ml_endpoint) def test_predict_with_scheme_in_endpoint(self): ml_endpoint = 'mymlmodel.amazonaws.com' self.set_http_response(status_code=200, body=b'') self.service_connection.predict( ml_model_id='foo', record={'Foo': 'bar'}, predict_endpoint='https://' + ml_endpoint) self.assertEqual(self.actual_request.host, ml_endpoint)
gauravbose/digital-menu
refs/heads/master
digimenu2/tests/file_uploads/tests.py
12
#! -*- coding: utf-8 -*- from __future__ import unicode_literals import base64 import errno import hashlib import json import os import shutil import tempfile as sys_tempfile import unittest from django.core.files import temp as tempfile from django.core.files.uploadedfile import SimpleUploadedFile from django.http.multipartparser import MultiPartParser, parse_header from django.test import TestCase, client, override_settings from django.utils.encoding import force_bytes from django.utils.http import urlquote from django.utils.six import PY2, BytesIO, StringIO from . import uploadhandler from .models import FileModel UNICODE_FILENAME = 'test-0123456789_中文_Orléans.jpg' MEDIA_ROOT = sys_tempfile.mkdtemp() UPLOAD_TO = os.path.join(MEDIA_ROOT, 'test_upload') @override_settings(MEDIA_ROOT=MEDIA_ROOT, ROOT_URLCONF='file_uploads.urls', MIDDLEWARE_CLASSES=()) class FileUploadTests(TestCase): @classmethod def setUpClass(cls): super(FileUploadTests, cls).setUpClass() if not os.path.isdir(MEDIA_ROOT): os.makedirs(MEDIA_ROOT) @classmethod def tearDownClass(cls): shutil.rmtree(MEDIA_ROOT) super(FileUploadTests, cls).tearDownClass() def test_simple_upload(self): with open(__file__, 'rb') as fp: post_data = { 'name': 'Ringo', 'file_field': fp, } response = self.client.post('/upload/', post_data) self.assertEqual(response.status_code, 200) def test_large_upload(self): file = tempfile.NamedTemporaryFile with file(suffix=".file1") as file1, file(suffix=".file2") as file2: file1.write(b'a' * (2 ** 21)) file1.seek(0) file2.write(b'a' * (10 * 2 ** 20)) file2.seek(0) post_data = { 'name': 'Ringo', 'file_field1': file1, 'file_field2': file2, } for key in list(post_data): try: post_data[key + '_hash'] = hashlib.sha1(post_data[key].read()).hexdigest() post_data[key].seek(0) except AttributeError: post_data[key + '_hash'] = hashlib.sha1(force_bytes(post_data[key])).hexdigest() response = self.client.post('/verify/', post_data) self.assertEqual(response.status_code, 200) def _test_base64_upload(self, content, encode=base64.b64encode): payload = client.FakePayload("\r\n".join([ '--' + client.BOUNDARY, 'Content-Disposition: form-data; name="file"; filename="test.txt"', 'Content-Type: application/octet-stream', 'Content-Transfer-Encoding: base64', ''])) payload.write(b"\r\n" + encode(force_bytes(content)) + b"\r\n") payload.write('--' + client.BOUNDARY + '--\r\n') r = { 'CONTENT_LENGTH': len(payload), 'CONTENT_TYPE': client.MULTIPART_CONTENT, 'PATH_INFO': "/echo_content/", 'REQUEST_METHOD': 'POST', 'wsgi.input': payload, } response = self.client.request(**r) received = json.loads(response.content.decode('utf-8')) self.assertEqual(received['file'], content) def test_base64_upload(self): self._test_base64_upload("This data will be transmitted base64-encoded.") def test_big_base64_upload(self): self._test_base64_upload("Big data" * 68000) # > 512Kb def test_big_base64_newlines_upload(self): self._test_base64_upload( # encodestring is a deprecated alias on Python 3 "Big data" * 68000, encode=base64.encodestring if PY2 else base64.encodebytes) def test_unicode_file_name(self): tdir = sys_tempfile.mkdtemp() self.addCleanup(shutil.rmtree, tdir, True) # This file contains chinese symbols and an accented char in the name. with open(os.path.join(tdir, UNICODE_FILENAME), 'w+b') as file1: file1.write(b'b' * (2 ** 10)) file1.seek(0) post_data = { 'file_unicode': file1, } response = self.client.post('/unicode_name/', post_data) self.assertEqual(response.status_code, 200) def test_unicode_file_name_rfc2231(self): """ Test receiving file upload when filename is encoded with RFC2231 (#22971). """ payload = client.FakePayload() payload.write('\r\n'.join([ '--' + client.BOUNDARY, 'Content-Disposition: form-data; name="file_unicode"; filename*=UTF-8\'\'%s' % urlquote(UNICODE_FILENAME), 'Content-Type: application/octet-stream', '', 'You got pwnd.\r\n', '\r\n--' + client.BOUNDARY + '--\r\n' ])) r = { 'CONTENT_LENGTH': len(payload), 'CONTENT_TYPE': client.MULTIPART_CONTENT, 'PATH_INFO': "/unicode_name/", 'REQUEST_METHOD': 'POST', 'wsgi.input': payload, } response = self.client.request(**r) self.assertEqual(response.status_code, 200) def test_unicode_name_rfc2231(self): """ Test receiving file upload when filename is encoded with RFC2231 (#22971). """ payload = client.FakePayload() payload.write('\r\n'.join([ '--' + client.BOUNDARY, 'Content-Disposition: form-data; name*=UTF-8\'\'file_unicode; filename*=UTF-8\'\'%s' % urlquote(UNICODE_FILENAME), 'Content-Type: application/octet-stream', '', 'You got pwnd.\r\n', '\r\n--' + client.BOUNDARY + '--\r\n' ])) r = { 'CONTENT_LENGTH': len(payload), 'CONTENT_TYPE': client.MULTIPART_CONTENT, 'PATH_INFO': "/unicode_name/", 'REQUEST_METHOD': 'POST', 'wsgi.input': payload, } response = self.client.request(**r) self.assertEqual(response.status_code, 200) def test_dangerous_file_names(self): """Uploaded file names should be sanitized before ever reaching the view.""" # This test simulates possible directory traversal attacks by a # malicious uploader We have to do some monkeybusiness here to construct # a malicious payload with an invalid file name (containing os.sep or # os.pardir). This similar to what an attacker would need to do when # trying such an attack. scary_file_names = [ "/tmp/hax0rd.txt", # Absolute path, *nix-style. "C:\\Windows\\hax0rd.txt", # Absolute path, win-style. "C:/Windows/hax0rd.txt", # Absolute path, broken-style. "\\tmp\\hax0rd.txt", # Absolute path, broken in a different way. "/tmp\\hax0rd.txt", # Absolute path, broken by mixing. "subdir/hax0rd.txt", # Descendant path, *nix-style. "subdir\\hax0rd.txt", # Descendant path, win-style. "sub/dir\\hax0rd.txt", # Descendant path, mixed. "../../hax0rd.txt", # Relative path, *nix-style. "..\\..\\hax0rd.txt", # Relative path, win-style. "../..\\hax0rd.txt" # Relative path, mixed. ] payload = client.FakePayload() for i, name in enumerate(scary_file_names): payload.write('\r\n'.join([ '--' + client.BOUNDARY, 'Content-Disposition: form-data; name="file%s"; filename="%s"' % (i, name), 'Content-Type: application/octet-stream', '', 'You got pwnd.\r\n' ])) payload.write('\r\n--' + client.BOUNDARY + '--\r\n') r = { 'CONTENT_LENGTH': len(payload), 'CONTENT_TYPE': client.MULTIPART_CONTENT, 'PATH_INFO': "/echo/", 'REQUEST_METHOD': 'POST', 'wsgi.input': payload, } response = self.client.request(**r) # The filenames should have been sanitized by the time it got to the view. received = json.loads(response.content.decode('utf-8')) for i, name in enumerate(scary_file_names): got = received["file%s" % i] self.assertEqual(got, "hax0rd.txt") def test_filename_overflow(self): """File names over 256 characters (dangerous on some platforms) get fixed up.""" long_str = 'f' * 300 cases = [ # field name, filename, expected ('long_filename', '%s.txt' % long_str, '%s.txt' % long_str[:251]), ('long_extension', 'foo.%s' % long_str, '.%s' % long_str[:254]), ('no_extension', long_str, long_str[:255]), ('no_filename', '.%s' % long_str, '.%s' % long_str[:254]), ('long_everything', '%s.%s' % (long_str, long_str), '.%s' % long_str[:254]), ] payload = client.FakePayload() for name, filename, _ in cases: payload.write("\r\n".join([ '--' + client.BOUNDARY, 'Content-Disposition: form-data; name="{}"; filename="{}"', 'Content-Type: application/octet-stream', '', 'Oops.', '' ]).format(name, filename)) payload.write('\r\n--' + client.BOUNDARY + '--\r\n') r = { 'CONTENT_LENGTH': len(payload), 'CONTENT_TYPE': client.MULTIPART_CONTENT, 'PATH_INFO': "/echo/", 'REQUEST_METHOD': 'POST', 'wsgi.input': payload, } response = self.client.request(**r) result = json.loads(response.content.decode('utf-8')) for name, _, expected in cases: got = result[name] self.assertEqual(expected, got, 'Mismatch for {}'.format(name)) self.assertLess(len(got), 256, "Got a long file name (%s characters)." % len(got)) def test_file_content(self): file = tempfile.NamedTemporaryFile with file(suffix=".ctype_extra") as no_content_type, file(suffix=".ctype_extra") as simple_file: no_content_type.write(b'no content') no_content_type.seek(0) simple_file.write(b'text content') simple_file.seek(0) simple_file.content_type = 'text/plain' string_io = StringIO('string content') bytes_io = BytesIO(b'binary content') response = self.client.post('/echo_content/', { 'no_content_type': no_content_type, 'simple_file': simple_file, 'string': string_io, 'binary': bytes_io, }) received = json.loads(response.content.decode('utf-8')) self.assertEqual(received['no_content_type'], 'no content') self.assertEqual(received['simple_file'], 'text content') self.assertEqual(received['string'], 'string content') self.assertEqual(received['binary'], 'binary content') def test_content_type_extra(self): """Uploaded files may have content type parameters available.""" file = tempfile.NamedTemporaryFile with file(suffix=".ctype_extra") as no_content_type, file(suffix=".ctype_extra") as simple_file: no_content_type.write(b'something') no_content_type.seek(0) simple_file.write(b'something') simple_file.seek(0) simple_file.content_type = 'text/plain; test-key=test_value' response = self.client.post('/echo_content_type_extra/', { 'no_content_type': no_content_type, 'simple_file': simple_file, }) received = json.loads(response.content.decode('utf-8')) self.assertEqual(received['no_content_type'], {}) self.assertEqual(received['simple_file'], {'test-key': 'test_value'}) def test_truncated_multipart_handled_gracefully(self): """ If passed an incomplete multipart message, MultiPartParser does not attempt to read beyond the end of the stream, and simply will handle the part that can be parsed gracefully. """ payload_str = "\r\n".join([ '--' + client.BOUNDARY, 'Content-Disposition: form-data; name="file"; filename="foo.txt"', 'Content-Type: application/octet-stream', '', 'file contents' '--' + client.BOUNDARY + '--', '', ]) payload = client.FakePayload(payload_str[:-10]) r = { 'CONTENT_LENGTH': len(payload), 'CONTENT_TYPE': client.MULTIPART_CONTENT, 'PATH_INFO': '/echo/', 'REQUEST_METHOD': 'POST', 'wsgi.input': payload, } got = json.loads(self.client.request(**r).content.decode('utf-8')) self.assertEqual(got, {}) def test_empty_multipart_handled_gracefully(self): """ If passed an empty multipart message, MultiPartParser will return an empty QueryDict. """ r = { 'CONTENT_LENGTH': 0, 'CONTENT_TYPE': client.MULTIPART_CONTENT, 'PATH_INFO': '/echo/', 'REQUEST_METHOD': 'POST', 'wsgi.input': client.FakePayload(b''), } got = json.loads(self.client.request(**r).content.decode('utf-8')) self.assertEqual(got, {}) def test_custom_upload_handler(self): file = tempfile.NamedTemporaryFile with file() as smallfile, file() as bigfile: # A small file (under the 5M quota) smallfile.write(b'a' * (2 ** 21)) smallfile.seek(0) # A big file (over the quota) bigfile.write(b'a' * (10 * 2 ** 20)) bigfile.seek(0) # Small file posting should work. response = self.client.post('/quota/', {'f': smallfile}) got = json.loads(response.content.decode('utf-8')) self.assertIn('f', got) # Large files don't go through. response = self.client.post("/quota/", {'f': bigfile}) got = json.loads(response.content.decode('utf-8')) self.assertNotIn('f', got) def test_broken_custom_upload_handler(self): with tempfile.NamedTemporaryFile() as file: file.write(b'a' * (2 ** 21)) file.seek(0) # AttributeError: You cannot alter upload handlers after the upload has been processed. self.assertRaises( AttributeError, self.client.post, '/quota/broken/', {'f': file} ) def test_fileupload_getlist(self): file = tempfile.NamedTemporaryFile with file() as file1, file() as file2, file() as file2a: file1.write(b'a' * (2 ** 23)) file1.seek(0) file2.write(b'a' * (2 * 2 ** 18)) file2.seek(0) file2a.write(b'a' * (5 * 2 ** 20)) file2a.seek(0) response = self.client.post('/getlist_count/', { 'file1': file1, 'field1': 'test', 'field2': 'test3', 'field3': 'test5', 'field4': 'test6', 'field5': 'test7', 'file2': (file2, file2a) }) got = json.loads(response.content.decode('utf-8')) self.assertEqual(got.get('file1'), 1) self.assertEqual(got.get('file2'), 2) def test_fileuploads_closed_at_request_end(self): file = tempfile.NamedTemporaryFile with file() as f1, file() as f2a, file() as f2b: response = self.client.post('/fd_closing/t/', { 'file': f1, 'file2': (f2a, f2b), }) request = response.wsgi_request # Check that the files got actually parsed. self.assertTrue(hasattr(request, '_files')) file = request._files['file'] self.assertTrue(file.closed) files = request._files.getlist('file2') self.assertTrue(files[0].closed) self.assertTrue(files[1].closed) def test_no_parsing_triggered_by_fd_closing(self): file = tempfile.NamedTemporaryFile with file() as f1, file() as f2a, file() as f2b: response = self.client.post('/fd_closing/f/', { 'file': f1, 'file2': (f2a, f2b), }) request = response.wsgi_request # Check that the fd closing logic doesn't trigger parsing of the stream self.assertFalse(hasattr(request, '_files')) def test_file_error_blocking(self): """ The server should not block when there are upload errors (bug #8622). This can happen if something -- i.e. an exception handler -- tries to access POST while handling an error in parsing POST. This shouldn't cause an infinite loop! """ class POSTAccessingHandler(client.ClientHandler): """A handler that'll access POST during an exception.""" def handle_uncaught_exception(self, request, resolver, exc_info): ret = super(POSTAccessingHandler, self).handle_uncaught_exception(request, resolver, exc_info) request.POST # evaluate return ret # Maybe this is a little more complicated that it needs to be; but if # the django.test.client.FakePayload.read() implementation changes then # this test would fail. So we need to know exactly what kind of error # it raises when there is an attempt to read more than the available bytes: try: client.FakePayload(b'a').read(2) except Exception as err: reference_error = err # install the custom handler that tries to access request.POST self.client.handler = POSTAccessingHandler() with open(__file__, 'rb') as fp: post_data = { 'name': 'Ringo', 'file_field': fp, } try: self.client.post('/upload_errors/', post_data) except reference_error.__class__ as err: self.assertFalse( str(err) == str(reference_error), "Caught a repeated exception that'll cause an infinite loop in file uploads." ) except Exception as err: # CustomUploadError is the error that should have been raised self.assertEqual(err.__class__, uploadhandler.CustomUploadError) def test_filename_case_preservation(self): """ The storage backend shouldn't mess with the case of the filenames uploaded. """ # Synthesize the contents of a file upload with a mixed case filename # so we don't have to carry such a file in the Django tests source code # tree. vars = {'boundary': 'oUrBoUnDaRyStRiNg'} post_data = [ '--%(boundary)s', 'Content-Disposition: form-data; name="file_field"; filename="MiXeD_cAsE.txt"', 'Content-Type: application/octet-stream', '', 'file contents\n' '', '--%(boundary)s--\r\n', ] response = self.client.post( '/filename_case/', '\r\n'.join(post_data) % vars, 'multipart/form-data; boundary=%(boundary)s' % vars ) self.assertEqual(response.status_code, 200) id = int(response.content) obj = FileModel.objects.get(pk=id) # The name of the file uploaded and the file stored in the server-side # shouldn't differ. self.assertEqual(os.path.basename(obj.testfile.path), 'MiXeD_cAsE.txt') @override_settings(MEDIA_ROOT=MEDIA_ROOT) class DirectoryCreationTests(TestCase): """ Tests for error handling during directory creation via _save_FIELD_file (ticket #6450) """ @classmethod def setUpClass(cls): super(DirectoryCreationTests, cls).setUpClass() if not os.path.isdir(MEDIA_ROOT): os.makedirs(MEDIA_ROOT) @classmethod def tearDownClass(cls): shutil.rmtree(MEDIA_ROOT) super(DirectoryCreationTests, cls).tearDownClass() def setUp(self): self.obj = FileModel() def test_readonly_root(self): """Permission errors are not swallowed""" os.chmod(MEDIA_ROOT, 0o500) self.addCleanup(os.chmod, MEDIA_ROOT, 0o700) try: self.obj.testfile.save('foo.txt', SimpleUploadedFile('foo.txt', b'x')) except OSError as err: self.assertEqual(err.errno, errno.EACCES) except Exception: self.fail("OSError [Errno %s] not raised." % errno.EACCES) def test_not_a_directory(self): """The correct IOError is raised when the upload directory name exists but isn't a directory""" # Create a file with the upload directory name open(UPLOAD_TO, 'wb').close() self.addCleanup(os.remove, UPLOAD_TO) with self.assertRaises(IOError) as exc_info: with SimpleUploadedFile('foo.txt', b'x') as file: self.obj.testfile.save('foo.txt', file) # The test needs to be done on a specific string as IOError # is raised even without the patch (just not early enough) self.assertEqual(exc_info.exception.args[0], "%s exists and is not a directory." % UPLOAD_TO) class MultiParserTests(unittest.TestCase): def test_empty_upload_handlers(self): # We're not actually parsing here; just checking if the parser properly # instantiates with empty upload handlers. MultiPartParser({ 'CONTENT_TYPE': 'multipart/form-data; boundary=_foo', 'CONTENT_LENGTH': '1' }, StringIO('x'), [], 'utf-8') def test_rfc2231_parsing(self): test_data = ( (b"Content-Type: application/x-stuff; title*=us-ascii'en-us'This%20is%20%2A%2A%2Afun%2A%2A%2A", "This is ***fun***"), (b"Content-Type: application/x-stuff; title*=UTF-8''foo-%c3%a4.html", "foo-ä.html"), (b"Content-Type: application/x-stuff; title*=iso-8859-1''foo-%E4.html", "foo-ä.html"), ) for raw_line, expected_title in test_data: parsed = parse_header(raw_line) self.assertEqual(parsed[1]['title'], expected_title) def test_rfc2231_wrong_title(self): """ Test wrongly formatted RFC 2231 headers (missing double single quotes). Parsing should not crash (#24209). """ test_data = ( (b"Content-Type: application/x-stuff; title*='This%20is%20%2A%2A%2Afun%2A%2A%2A", b"'This%20is%20%2A%2A%2Afun%2A%2A%2A"), (b"Content-Type: application/x-stuff; title*='foo.html", b"'foo.html"), (b"Content-Type: application/x-stuff; title*=bar.html", b"bar.html"), ) for raw_line, expected_title in test_data: parsed = parse_header(raw_line) self.assertEqual(parsed[1]['title'], expected_title)
bumfo/sublime-real-javascript
refs/heads/master
libs/js-beautify/python/six.py
271
"""Utilities for writing code that runs on Python 2 and 3""" # Copyright (c) 2010-2014 Benjamin Peterson # # Permission is hereby granted, free of charge, to any person obtaining a copy # of this software and associated documentation files (the "Software"), to deal # in the Software without restriction, including without limitation the rights # to use, copy, modify, merge, publish, distribute, sublicense, and/or sell # copies of the Software, and to permit persons to whom the Software is # furnished to do so, subject to the following conditions: # # The above copyright notice and this permission notice shall be included in all # copies or substantial portions of the Software. # # THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR # IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, # FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE # AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER # LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, # OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE # SOFTWARE. import operator import sys import types __author__ = "Benjamin Peterson <benjamin@python.org>" __version__ = "1.6.1" # Useful for very coarse version differentiation. PY2 = sys.version_info[0] == 2 PY3 = sys.version_info[0] == 3 if PY3: string_types = str, integer_types = int, class_types = type, text_type = str binary_type = bytes MAXSIZE = sys.maxsize else: string_types = basestring, integer_types = (int, long) class_types = (type, types.ClassType) text_type = unicode binary_type = str if sys.platform.startswith("java"): # Jython always uses 32 bits. MAXSIZE = int((1 << 31) - 1) else: # It's possible to have sizeof(long) != sizeof(Py_ssize_t). class X(object): def __len__(self): return 1 << 31 try: len(X()) except OverflowError: # 32-bit MAXSIZE = int((1 << 31) - 1) else: # 64-bit MAXSIZE = int((1 << 63) - 1) del X def _add_doc(func, doc): """Add documentation to a function.""" func.__doc__ = doc def _import_module(name): """Import module, returning the module after the last dot.""" __import__(name) return sys.modules[name] class _LazyDescr(object): def __init__(self, name): self.name = name def __get__(self, obj, tp): try: result = self._resolve() except ImportError: # See the nice big comment in MovedModule.__getattr__. raise AttributeError("%s could not be imported " % self.name) setattr(obj, self.name, result) # Invokes __set__. # This is a bit ugly, but it avoids running this again. delattr(obj.__class__, self.name) return result class MovedModule(_LazyDescr): def __init__(self, name, old, new=None): super(MovedModule, self).__init__(name) if PY3: if new is None: new = name self.mod = new else: self.mod = old def _resolve(self): return _import_module(self.mod) def __getattr__(self, attr): # It turns out many Python frameworks like to traverse sys.modules and # try to load various attributes. This causes problems if this is a # platform-specific module on the wrong platform, like _winreg on # Unixes. Therefore, we silently pretend unimportable modules do not # have any attributes. See issues #51, #53, #56, and #63 for the full # tales of woe. # # First, if possible, avoid loading the module just to look at __file__, # __name__, or __path__. if (attr in ("__file__", "__name__", "__path__") and self.mod not in sys.modules): raise AttributeError(attr) try: _module = self._resolve() except ImportError: raise AttributeError(attr) value = getattr(_module, attr) setattr(self, attr, value) return value class _LazyModule(types.ModuleType): def __init__(self, name): super(_LazyModule, self).__init__(name) self.__doc__ = self.__class__.__doc__ def __dir__(self): attrs = ["__doc__", "__name__"] attrs += [attr.name for attr in self._moved_attributes] return attrs # Subclasses should override this _moved_attributes = [] class MovedAttribute(_LazyDescr): def __init__(self, name, old_mod, new_mod, old_attr=None, new_attr=None): super(MovedAttribute, self).__init__(name) if PY3: if new_mod is None: new_mod = name self.mod = new_mod if new_attr is None: if old_attr is None: new_attr = name else: new_attr = old_attr self.attr = new_attr else: self.mod = old_mod if old_attr is None: old_attr = name self.attr = old_attr def _resolve(self): module = _import_module(self.mod) return getattr(module, self.attr) class _MovedItems(_LazyModule): """Lazy loading of moved objects""" _moved_attributes = [ MovedAttribute("cStringIO", "cStringIO", "io", "StringIO"), MovedAttribute("filter", "itertools", "builtins", "ifilter", "filter"), MovedAttribute("filterfalse", "itertools", "itertools", "ifilterfalse", "filterfalse"), MovedAttribute("input", "__builtin__", "builtins", "raw_input", "input"), MovedAttribute("map", "itertools", "builtins", "imap", "map"), MovedAttribute("range", "__builtin__", "builtins", "xrange", "range"), MovedAttribute("reload_module", "__builtin__", "imp", "reload"), MovedAttribute("reduce", "__builtin__", "functools"), MovedAttribute("StringIO", "StringIO", "io"), MovedAttribute("UserString", "UserString", "collections"), MovedAttribute("xrange", "__builtin__", "builtins", "xrange", "range"), MovedAttribute("zip", "itertools", "builtins", "izip", "zip"), MovedAttribute("zip_longest", "itertools", "itertools", "izip_longest", "zip_longest"), MovedModule("builtins", "__builtin__"), MovedModule("configparser", "ConfigParser"), MovedModule("copyreg", "copy_reg"), MovedModule("dbm_gnu", "gdbm", "dbm.gnu"), MovedModule("http_cookiejar", "cookielib", "http.cookiejar"), MovedModule("http_cookies", "Cookie", "http.cookies"), MovedModule("html_entities", "htmlentitydefs", "html.entities"), MovedModule("html_parser", "HTMLParser", "html.parser"), MovedModule("http_client", "httplib", "http.client"), MovedModule("email_mime_multipart", "email.MIMEMultipart", "email.mime.multipart"), MovedModule("email_mime_text", "email.MIMEText", "email.mime.text"), MovedModule("email_mime_base", "email.MIMEBase", "email.mime.base"), MovedModule("BaseHTTPServer", "BaseHTTPServer", "http.server"), MovedModule("CGIHTTPServer", "CGIHTTPServer", "http.server"), MovedModule("SimpleHTTPServer", "SimpleHTTPServer", "http.server"), MovedModule("cPickle", "cPickle", "pickle"), MovedModule("queue", "Queue"), MovedModule("reprlib", "repr"), MovedModule("socketserver", "SocketServer"), MovedModule("_thread", "thread", "_thread"), MovedModule("tkinter", "Tkinter"), MovedModule("tkinter_dialog", "Dialog", "tkinter.dialog"), MovedModule("tkinter_filedialog", "FileDialog", "tkinter.filedialog"), MovedModule("tkinter_scrolledtext", "ScrolledText", "tkinter.scrolledtext"), MovedModule("tkinter_simpledialog", "SimpleDialog", "tkinter.simpledialog"), MovedModule("tkinter_tix", "Tix", "tkinter.tix"), MovedModule("tkinter_ttk", "ttk", "tkinter.ttk"), MovedModule("tkinter_constants", "Tkconstants", "tkinter.constants"), MovedModule("tkinter_dnd", "Tkdnd", "tkinter.dnd"), MovedModule("tkinter_colorchooser", "tkColorChooser", "tkinter.colorchooser"), MovedModule("tkinter_commondialog", "tkCommonDialog", "tkinter.commondialog"), MovedModule("tkinter_tkfiledialog", "tkFileDialog", "tkinter.filedialog"), MovedModule("tkinter_font", "tkFont", "tkinter.font"), MovedModule("tkinter_messagebox", "tkMessageBox", "tkinter.messagebox"), MovedModule("tkinter_tksimpledialog", "tkSimpleDialog", "tkinter.simpledialog"), MovedModule("urllib_parse", __name__ + ".moves.urllib_parse", "urllib.parse"), MovedModule("urllib_error", __name__ + ".moves.urllib_error", "urllib.error"), MovedModule("urllib", __name__ + ".moves.urllib", __name__ + ".moves.urllib"), MovedModule("urllib_robotparser", "robotparser", "urllib.robotparser"), MovedModule("xmlrpc_client", "xmlrpclib", "xmlrpc.client"), MovedModule("xmlrpc_server", "xmlrpclib", "xmlrpc.server"), MovedModule("winreg", "_winreg"), ] for attr in _moved_attributes: setattr(_MovedItems, attr.name, attr) if isinstance(attr, MovedModule): sys.modules[__name__ + ".moves." + attr.name] = attr del attr _MovedItems._moved_attributes = _moved_attributes moves = sys.modules[__name__ + ".moves"] = _MovedItems(__name__ + ".moves") class Module_six_moves_urllib_parse(_LazyModule): """Lazy loading of moved objects in six.moves.urllib_parse""" _urllib_parse_moved_attributes = [ MovedAttribute("ParseResult", "urlparse", "urllib.parse"), MovedAttribute("SplitResult", "urlparse", "urllib.parse"), MovedAttribute("parse_qs", "urlparse", "urllib.parse"), MovedAttribute("parse_qsl", "urlparse", "urllib.parse"), MovedAttribute("urldefrag", "urlparse", "urllib.parse"), MovedAttribute("urljoin", "urlparse", "urllib.parse"), MovedAttribute("urlparse", "urlparse", "urllib.parse"), MovedAttribute("urlsplit", "urlparse", "urllib.parse"), MovedAttribute("urlunparse", "urlparse", "urllib.parse"), MovedAttribute("urlunsplit", "urlparse", "urllib.parse"), MovedAttribute("quote", "urllib", "urllib.parse"), MovedAttribute("quote_plus", "urllib", "urllib.parse"), MovedAttribute("unquote", "urllib", "urllib.parse"), MovedAttribute("unquote_plus", "urllib", "urllib.parse"), MovedAttribute("urlencode", "urllib", "urllib.parse"), MovedAttribute("splitquery", "urllib", "urllib.parse"), ] for attr in _urllib_parse_moved_attributes: setattr(Module_six_moves_urllib_parse, attr.name, attr) del attr Module_six_moves_urllib_parse._moved_attributes = _urllib_parse_moved_attributes sys.modules[__name__ + ".moves.urllib_parse"] = sys.modules[__name__ + ".moves.urllib.parse"] = Module_six_moves_urllib_parse(__name__ + ".moves.urllib_parse") class Module_six_moves_urllib_error(_LazyModule): """Lazy loading of moved objects in six.moves.urllib_error""" _urllib_error_moved_attributes = [ MovedAttribute("URLError", "urllib2", "urllib.error"), MovedAttribute("HTTPError", "urllib2", "urllib.error"), MovedAttribute("ContentTooShortError", "urllib", "urllib.error"), ] for attr in _urllib_error_moved_attributes: setattr(Module_six_moves_urllib_error, attr.name, attr) del attr Module_six_moves_urllib_error._moved_attributes = _urllib_error_moved_attributes sys.modules[__name__ + ".moves.urllib_error"] = sys.modules[__name__ + ".moves.urllib.error"] = Module_six_moves_urllib_error(__name__ + ".moves.urllib.error") class Module_six_moves_urllib_request(_LazyModule): """Lazy loading of moved objects in six.moves.urllib_request""" _urllib_request_moved_attributes = [ MovedAttribute("urlopen", "urllib2", "urllib.request"), MovedAttribute("install_opener", "urllib2", "urllib.request"), MovedAttribute("build_opener", "urllib2", "urllib.request"), MovedAttribute("pathname2url", "urllib", "urllib.request"), MovedAttribute("url2pathname", "urllib", "urllib.request"), MovedAttribute("getproxies", "urllib", "urllib.request"), MovedAttribute("Request", "urllib2", "urllib.request"), MovedAttribute("OpenerDirector", "urllib2", "urllib.request"), MovedAttribute("HTTPDefaultErrorHandler", "urllib2", "urllib.request"), MovedAttribute("HTTPRedirectHandler", "urllib2", "urllib.request"), MovedAttribute("HTTPCookieProcessor", "urllib2", "urllib.request"), MovedAttribute("ProxyHandler", "urllib2", "urllib.request"), MovedAttribute("BaseHandler", "urllib2", "urllib.request"), MovedAttribute("HTTPPasswordMgr", "urllib2", "urllib.request"), MovedAttribute("HTTPPasswordMgrWithDefaultRealm", "urllib2", "urllib.request"), MovedAttribute("AbstractBasicAuthHandler", "urllib2", "urllib.request"), MovedAttribute("HTTPBasicAuthHandler", "urllib2", "urllib.request"), MovedAttribute("ProxyBasicAuthHandler", "urllib2", "urllib.request"), MovedAttribute("AbstractDigestAuthHandler", "urllib2", "urllib.request"), MovedAttribute("HTTPDigestAuthHandler", "urllib2", "urllib.request"), MovedAttribute("ProxyDigestAuthHandler", "urllib2", "urllib.request"), MovedAttribute("HTTPHandler", "urllib2", "urllib.request"), MovedAttribute("HTTPSHandler", "urllib2", "urllib.request"), MovedAttribute("FileHandler", "urllib2", "urllib.request"), MovedAttribute("FTPHandler", "urllib2", "urllib.request"), MovedAttribute("CacheFTPHandler", "urllib2", "urllib.request"), MovedAttribute("UnknownHandler", "urllib2", "urllib.request"), MovedAttribute("HTTPErrorProcessor", "urllib2", "urllib.request"), MovedAttribute("urlretrieve", "urllib", "urllib.request"), MovedAttribute("urlcleanup", "urllib", "urllib.request"), MovedAttribute("URLopener", "urllib", "urllib.request"), MovedAttribute("FancyURLopener", "urllib", "urllib.request"), MovedAttribute("proxy_bypass", "urllib", "urllib.request"), ] for attr in _urllib_request_moved_attributes: setattr(Module_six_moves_urllib_request, attr.name, attr) del attr Module_six_moves_urllib_request._moved_attributes = _urllib_request_moved_attributes sys.modules[__name__ + ".moves.urllib_request"] = sys.modules[__name__ + ".moves.urllib.request"] = Module_six_moves_urllib_request(__name__ + ".moves.urllib.request") class Module_six_moves_urllib_response(_LazyModule): """Lazy loading of moved objects in six.moves.urllib_response""" _urllib_response_moved_attributes = [ MovedAttribute("addbase", "urllib", "urllib.response"), MovedAttribute("addclosehook", "urllib", "urllib.response"), MovedAttribute("addinfo", "urllib", "urllib.response"), MovedAttribute("addinfourl", "urllib", "urllib.response"), ] for attr in _urllib_response_moved_attributes: setattr(Module_six_moves_urllib_response, attr.name, attr) del attr Module_six_moves_urllib_response._moved_attributes = _urllib_response_moved_attributes sys.modules[__name__ + ".moves.urllib_response"] = sys.modules[__name__ + ".moves.urllib.response"] = Module_six_moves_urllib_response(__name__ + ".moves.urllib.response") class Module_six_moves_urllib_robotparser(_LazyModule): """Lazy loading of moved objects in six.moves.urllib_robotparser""" _urllib_robotparser_moved_attributes = [ MovedAttribute("RobotFileParser", "robotparser", "urllib.robotparser"), ] for attr in _urllib_robotparser_moved_attributes: setattr(Module_six_moves_urllib_robotparser, attr.name, attr) del attr Module_six_moves_urllib_robotparser._moved_attributes = _urllib_robotparser_moved_attributes sys.modules[__name__ + ".moves.urllib_robotparser"] = sys.modules[__name__ + ".moves.urllib.robotparser"] = Module_six_moves_urllib_robotparser(__name__ + ".moves.urllib.robotparser") class Module_six_moves_urllib(types.ModuleType): """Create a six.moves.urllib namespace that resembles the Python 3 namespace""" parse = sys.modules[__name__ + ".moves.urllib_parse"] error = sys.modules[__name__ + ".moves.urllib_error"] request = sys.modules[__name__ + ".moves.urllib_request"] response = sys.modules[__name__ + ".moves.urllib_response"] robotparser = sys.modules[__name__ + ".moves.urllib_robotparser"] def __dir__(self): return ['parse', 'error', 'request', 'response', 'robotparser'] sys.modules[__name__ + ".moves.urllib"] = Module_six_moves_urllib(__name__ + ".moves.urllib") def add_move(move): """Add an item to six.moves.""" setattr(_MovedItems, move.name, move) def remove_move(name): """Remove item from six.moves.""" try: delattr(_MovedItems, name) except AttributeError: try: del moves.__dict__[name] except KeyError: raise AttributeError("no such move, %r" % (name,)) if PY3: _meth_func = "__func__" _meth_self = "__self__" _func_closure = "__closure__" _func_code = "__code__" _func_defaults = "__defaults__" _func_globals = "__globals__" _iterkeys = "keys" _itervalues = "values" _iteritems = "items" _iterlists = "lists" else: _meth_func = "im_func" _meth_self = "im_self" _func_closure = "func_closure" _func_code = "func_code" _func_defaults = "func_defaults" _func_globals = "func_globals" _iterkeys = "iterkeys" _itervalues = "itervalues" _iteritems = "iteritems" _iterlists = "iterlists" try: advance_iterator = next except NameError: def advance_iterator(it): return it.next() next = advance_iterator try: callable = callable except NameError: def callable(obj): return any("__call__" in klass.__dict__ for klass in type(obj).__mro__) if PY3: def get_unbound_function(unbound): return unbound create_bound_method = types.MethodType Iterator = object else: def get_unbound_function(unbound): return unbound.im_func def create_bound_method(func, obj): return types.MethodType(func, obj, obj.__class__) class Iterator(object): def next(self): return type(self).__next__(self) callable = callable _add_doc(get_unbound_function, """Get the function out of a possibly unbound function""") get_method_function = operator.attrgetter(_meth_func) get_method_self = operator.attrgetter(_meth_self) get_function_closure = operator.attrgetter(_func_closure) get_function_code = operator.attrgetter(_func_code) get_function_defaults = operator.attrgetter(_func_defaults) get_function_globals = operator.attrgetter(_func_globals) def iterkeys(d, **kw): """Return an iterator over the keys of a dictionary.""" return iter(getattr(d, _iterkeys)(**kw)) def itervalues(d, **kw): """Return an iterator over the values of a dictionary.""" return iter(getattr(d, _itervalues)(**kw)) def iteritems(d, **kw): """Return an iterator over the (key, value) pairs of a dictionary.""" return iter(getattr(d, _iteritems)(**kw)) def iterlists(d, **kw): """Return an iterator over the (key, [values]) pairs of a dictionary.""" return iter(getattr(d, _iterlists)(**kw)) if PY3: def b(s): return s.encode("latin-1") def u(s): return s unichr = chr if sys.version_info[1] <= 1: def int2byte(i): return bytes((i,)) else: # This is about 2x faster than the implementation above on 3.2+ int2byte = operator.methodcaller("to_bytes", 1, "big") byte2int = operator.itemgetter(0) indexbytes = operator.getitem iterbytes = iter import io StringIO = io.StringIO BytesIO = io.BytesIO else: def b(s): return s # Workaround for standalone backslash def u(s): return unicode(s.replace(r'\\', r'\\\\'), "unicode_escape") unichr = unichr int2byte = chr def byte2int(bs): return ord(bs[0]) def indexbytes(buf, i): return ord(buf[i]) def iterbytes(buf): return (ord(byte) for byte in buf) import StringIO StringIO = BytesIO = StringIO.StringIO _add_doc(b, """Byte literal""") _add_doc(u, """Text literal""") if PY3: exec_ = getattr(moves.builtins, "exec") def reraise(tp, value, tb=None): if value.__traceback__ is not tb: raise value.with_traceback(tb) raise value else: def exec_(_code_, _globs_=None, _locs_=None): """Execute code in a namespace.""" if _globs_ is None: frame = sys._getframe(1) _globs_ = frame.f_globals if _locs_ is None: _locs_ = frame.f_locals del frame elif _locs_ is None: _locs_ = _globs_ exec("""exec _code_ in _globs_, _locs_""") exec_("""def reraise(tp, value, tb=None): raise tp, value, tb """) print_ = getattr(moves.builtins, "print", None) if print_ is None: def print_(*args, **kwargs): """The new-style print function for Python 2.4 and 2.5.""" fp = kwargs.pop("file", sys.stdout) if fp is None: return def write(data): if not isinstance(data, basestring): data = str(data) # If the file has an encoding, encode unicode with it. if (isinstance(fp, file) and isinstance(data, unicode) and fp.encoding is not None): errors = getattr(fp, "errors", None) if errors is None: errors = "strict" data = data.encode(fp.encoding, errors) fp.write(data) want_unicode = False sep = kwargs.pop("sep", None) if sep is not None: if isinstance(sep, unicode): want_unicode = True elif not isinstance(sep, str): raise TypeError("sep must be None or a string") end = kwargs.pop("end", None) if end is not None: if isinstance(end, unicode): want_unicode = True elif not isinstance(end, str): raise TypeError("end must be None or a string") if kwargs: raise TypeError("invalid keyword arguments to print()") if not want_unicode: for arg in args: if isinstance(arg, unicode): want_unicode = True break if want_unicode: newline = unicode("\n") space = unicode(" ") else: newline = "\n" space = " " if sep is None: sep = space if end is None: end = newline for i, arg in enumerate(args): if i: write(sep) write(arg) write(end) _add_doc(reraise, """Reraise an exception.""") def with_metaclass(meta, *bases): """Create a base class with a metaclass.""" return meta("NewBase", bases, {}) def add_metaclass(metaclass): """Class decorator for creating a class with a metaclass.""" def wrapper(cls): orig_vars = cls.__dict__.copy() orig_vars.pop('__dict__', None) orig_vars.pop('__weakref__', None) slots = orig_vars.get('__slots__') if slots is not None: if isinstance(slots, str): slots = [slots] for slots_var in slots: orig_vars.pop(slots_var) return metaclass(cls.__name__, cls.__bases__, orig_vars) return wrapper
cbertinato/pandas
refs/heads/master
pandas/core/ops.py
1
""" Arithmetic operations for PandasObjects This is not a public API. """ import datetime import operator import textwrap from typing import Dict, Optional import warnings import numpy as np from pandas._libs import algos as libalgos, lib, ops as libops from pandas.errors import NullFrequencyError from pandas.util._decorators import Appender from pandas.core.dtypes.cast import ( construct_1d_object_array_from_listlike, find_common_type, maybe_upcast_putmask) from pandas.core.dtypes.common import ( ensure_object, is_bool_dtype, is_categorical_dtype, is_datetime64_dtype, is_datetime64tz_dtype, is_datetimelike_v_numeric, is_extension_array_dtype, is_integer_dtype, is_list_like, is_object_dtype, is_period_dtype, is_scalar, is_timedelta64_dtype, needs_i8_conversion) from pandas.core.dtypes.generic import ( ABCDataFrame, ABCIndex, ABCIndexClass, ABCSeries, ABCSparseArray, ABCSparseSeries) from pandas.core.dtypes.missing import isna, notna import pandas as pd import pandas.core.common as com import pandas.core.missing as missing # ----------------------------------------------------------------------------- # Ops Wrapping Utilities def get_op_result_name(left, right): """ Find the appropriate name to pin to an operation result. This result should always be either an Index or a Series. Parameters ---------- left : {Series, Index} right : object Returns ------- name : object Usually a string """ # `left` is always a pd.Series when called from within ops if isinstance(right, (ABCSeries, pd.Index)): name = _maybe_match_name(left, right) else: name = left.name return name def _maybe_match_name(a, b): """ Try to find a name to attach to the result of an operation between a and b. If only one of these has a `name` attribute, return that name. Otherwise return a consensus name if they match of None if they have different names. Parameters ---------- a : object b : object Returns ------- name : str or None See Also -------- pandas.core.common.consensus_name_attr """ a_has = hasattr(a, 'name') b_has = hasattr(b, 'name') if a_has and b_has: if a.name == b.name: return a.name else: # TODO: what if they both have np.nan for their names? return None elif a_has: return a.name elif b_has: return b.name return None def maybe_upcast_for_op(obj): """ Cast non-pandas objects to pandas types to unify behavior of arithmetic and comparison operations. Parameters ---------- obj: object Returns ------- out : object Notes ----- Be careful to call this *after* determining the `name` attribute to be attached to the result of the arithmetic operation. """ if type(obj) is datetime.timedelta: # GH#22390 cast up to Timedelta to rely on Timedelta # implementation; otherwise operation against numeric-dtype # raises TypeError return pd.Timedelta(obj) elif isinstance(obj, np.timedelta64) and not isna(obj): # In particular non-nanosecond timedelta64 needs to be cast to # nanoseconds, or else we get undesired behavior like # np.timedelta64(3, 'D') / 2 == np.timedelta64(1, 'D') # The isna check is to avoid casting timedelta64("NaT"), which would # return NaT and incorrectly be treated as a datetime-NaT. return pd.Timedelta(obj) elif isinstance(obj, np.ndarray) and is_timedelta64_dtype(obj): # GH#22390 Unfortunately we need to special-case right-hand # timedelta64 dtypes because numpy casts integer dtypes to # timedelta64 when operating with timedelta64 return pd.TimedeltaIndex(obj) return obj # ----------------------------------------------------------------------------- # Reversed Operations not available in the stdlib operator module. # Defining these instead of using lambdas allows us to reference them by name. def radd(left, right): return right + left def rsub(left, right): return right - left def rmul(left, right): return right * left def rdiv(left, right): return right / left def rtruediv(left, right): return right / left def rfloordiv(left, right): return right // left def rmod(left, right): # check if right is a string as % is the string # formatting operation; this is a TypeError # otherwise perform the op if isinstance(right, str): raise TypeError("{typ} cannot perform the operation mod".format( typ=type(left).__name__)) return right % left def rdivmod(left, right): return divmod(right, left) def rpow(left, right): return right ** left def rand_(left, right): return operator.and_(right, left) def ror_(left, right): return operator.or_(right, left) def rxor(left, right): return operator.xor(right, left) # ----------------------------------------------------------------------------- def make_invalid_op(name): """ Return a binary method that always raises a TypeError. Parameters ---------- name : str Returns ------- invalid_op : function """ def invalid_op(self, other=None): raise TypeError("cannot perform {name} with this index type: " "{typ}".format(name=name, typ=type(self).__name__)) invalid_op.__name__ = name return invalid_op def _gen_eval_kwargs(name): """ Find the keyword arguments to pass to numexpr for the given operation. Parameters ---------- name : str Returns ------- eval_kwargs : dict Examples -------- >>> _gen_eval_kwargs("__add__") {} >>> _gen_eval_kwargs("rtruediv") {'reversed': True, 'truediv': True} """ kwargs = {} # Series appear to only pass __add__, __radd__, ... # but DataFrame gets both these dunder names _and_ non-dunder names # add, radd, ... name = name.replace('__', '') if name.startswith('r'): if name not in ['radd', 'rand', 'ror', 'rxor']: # Exclude commutative operations kwargs['reversed'] = True if name in ['truediv', 'rtruediv']: kwargs['truediv'] = True if name in ['ne']: kwargs['masker'] = True return kwargs def _gen_fill_zeros(name): """ Find the appropriate fill value to use when filling in undefined values in the results of the given operation caused by operating on (generally dividing by) zero. Parameters ---------- name : str Returns ------- fill_value : {None, np.nan, np.inf} """ name = name.strip('__') if 'div' in name: # truediv, floordiv, div, and reversed variants fill_value = np.inf elif 'mod' in name: # mod, rmod fill_value = np.nan else: fill_value = None return fill_value def _get_frame_op_default_axis(name): """ Only DataFrame cares about default_axis, specifically: special methods have default_axis=None and flex methods have default_axis='columns'. Parameters ---------- name : str Returns ------- default_axis: str or None """ if name.replace('__r', '__') in ['__and__', '__or__', '__xor__']: # bool methods return 'columns' elif name.startswith('__'): # __add__, __mul__, ... return None else: # add, mul, ... return 'columns' def _get_opstr(op, cls): """ Find the operation string, if any, to pass to numexpr for this operation. Parameters ---------- op : binary operator cls : class Returns ------- op_str : string or None """ # numexpr is available for non-sparse classes subtyp = getattr(cls, '_subtyp', '') use_numexpr = 'sparse' not in subtyp if not use_numexpr: # if we're not using numexpr, then don't pass a str_rep return None return {operator.add: '+', radd: '+', operator.mul: '*', rmul: '*', operator.sub: '-', rsub: '-', operator.truediv: '/', rtruediv: '/', operator.floordiv: '//', rfloordiv: '//', operator.mod: None, # TODO: Why None for mod but '%' for rmod? rmod: '%', operator.pow: '**', rpow: '**', operator.eq: '==', operator.ne: '!=', operator.le: '<=', operator.lt: '<', operator.ge: '>=', operator.gt: '>', operator.and_: '&', rand_: '&', operator.or_: '|', ror_: '|', operator.xor: '^', rxor: '^', divmod: None, rdivmod: None}[op] def _get_op_name(op, special): """ Find the name to attach to this method according to conventions for special and non-special methods. Parameters ---------- op : binary operator special : bool Returns ------- op_name : str """ opname = op.__name__.strip('_') if special: opname = '__{opname}__'.format(opname=opname) return opname # ----------------------------------------------------------------------------- # Docstring Generation and Templates _add_example_SERIES = """ Examples -------- >>> a = pd.Series([1, 1, 1, np.nan], index=['a', 'b', 'c', 'd']) >>> a a 1.0 b 1.0 c 1.0 d NaN dtype: float64 >>> b = pd.Series([1, np.nan, 1, np.nan], index=['a', 'b', 'd', 'e']) >>> b a 1.0 b NaN d 1.0 e NaN dtype: float64 >>> a.add(b, fill_value=0) a 2.0 b 1.0 c 1.0 d 1.0 e NaN dtype: float64 """ _sub_example_SERIES = """ Examples -------- >>> a = pd.Series([1, 1, 1, np.nan], index=['a', 'b', 'c', 'd']) >>> a a 1.0 b 1.0 c 1.0 d NaN dtype: float64 >>> b = pd.Series([1, np.nan, 1, np.nan], index=['a', 'b', 'd', 'e']) >>> b a 1.0 b NaN d 1.0 e NaN dtype: float64 >>> a.subtract(b, fill_value=0) a 0.0 b 1.0 c 1.0 d -1.0 e NaN dtype: float64 """ _mul_example_SERIES = """ Examples -------- >>> a = pd.Series([1, 1, 1, np.nan], index=['a', 'b', 'c', 'd']) >>> a a 1.0 b 1.0 c 1.0 d NaN dtype: float64 >>> b = pd.Series([1, np.nan, 1, np.nan], index=['a', 'b', 'd', 'e']) >>> b a 1.0 b NaN d 1.0 e NaN dtype: float64 >>> a.multiply(b, fill_value=0) a 1.0 b 0.0 c 0.0 d 0.0 e NaN dtype: float64 """ _div_example_SERIES = """ Examples -------- >>> a = pd.Series([1, 1, 1, np.nan], index=['a', 'b', 'c', 'd']) >>> a a 1.0 b 1.0 c 1.0 d NaN dtype: float64 >>> b = pd.Series([1, np.nan, 1, np.nan], index=['a', 'b', 'd', 'e']) >>> b a 1.0 b NaN d 1.0 e NaN dtype: float64 >>> a.divide(b, fill_value=0) a 1.0 b inf c inf d 0.0 e NaN dtype: float64 """ _floordiv_example_SERIES = """ Examples -------- >>> a = pd.Series([1, 1, 1, np.nan], index=['a', 'b', 'c', 'd']) >>> a a 1.0 b 1.0 c 1.0 d NaN dtype: float64 >>> b = pd.Series([1, np.nan, 1, np.nan], index=['a', 'b', 'd', 'e']) >>> b a 1.0 b NaN d 1.0 e NaN dtype: float64 >>> a.floordiv(b, fill_value=0) a 1.0 b NaN c NaN d 0.0 e NaN dtype: float64 """ _mod_example_SERIES = """ Examples -------- >>> a = pd.Series([1, 1, 1, np.nan], index=['a', 'b', 'c', 'd']) >>> a a 1.0 b 1.0 c 1.0 d NaN dtype: float64 >>> b = pd.Series([1, np.nan, 1, np.nan], index=['a', 'b', 'd', 'e']) >>> b a 1.0 b NaN d 1.0 e NaN dtype: float64 >>> a.mod(b, fill_value=0) a 0.0 b NaN c NaN d 0.0 e NaN dtype: float64 """ _pow_example_SERIES = """ Examples -------- >>> a = pd.Series([1, 1, 1, np.nan], index=['a', 'b', 'c', 'd']) >>> a a 1.0 b 1.0 c 1.0 d NaN dtype: float64 >>> b = pd.Series([1, np.nan, 1, np.nan], index=['a', 'b', 'd', 'e']) >>> b a 1.0 b NaN d 1.0 e NaN dtype: float64 >>> a.pow(b, fill_value=0) a 1.0 b 1.0 c 1.0 d 0.0 e NaN dtype: float64 """ _op_descriptions = { # Arithmetic Operators 'add': {'op': '+', 'desc': 'Addition', 'reverse': 'radd', 'series_examples': _add_example_SERIES}, 'sub': {'op': '-', 'desc': 'Subtraction', 'reverse': 'rsub', 'series_examples': _sub_example_SERIES}, 'mul': {'op': '*', 'desc': 'Multiplication', 'reverse': 'rmul', 'series_examples': _mul_example_SERIES, 'df_examples': None}, 'mod': {'op': '%', 'desc': 'Modulo', 'reverse': 'rmod', 'series_examples': _mod_example_SERIES}, 'pow': {'op': '**', 'desc': 'Exponential power', 'reverse': 'rpow', 'series_examples': _pow_example_SERIES, 'df_examples': None}, 'truediv': {'op': '/', 'desc': 'Floating division', 'reverse': 'rtruediv', 'series_examples': _div_example_SERIES, 'df_examples': None}, 'floordiv': {'op': '//', 'desc': 'Integer division', 'reverse': 'rfloordiv', 'series_examples': _floordiv_example_SERIES, 'df_examples': None}, 'divmod': {'op': 'divmod', 'desc': 'Integer division and modulo', 'reverse': 'rdivmod', 'series_examples': None, 'df_examples': None}, # Comparison Operators 'eq': {'op': '==', 'desc': 'Equal to', 'reverse': None, 'series_examples': None}, 'ne': {'op': '!=', 'desc': 'Not equal to', 'reverse': None, 'series_examples': None}, 'lt': {'op': '<', 'desc': 'Less than', 'reverse': None, 'series_examples': None}, 'le': {'op': '<=', 'desc': 'Less than or equal to', 'reverse': None, 'series_examples': None}, 'gt': {'op': '>', 'desc': 'Greater than', 'reverse': None, 'series_examples': None}, 'ge': {'op': '>=', 'desc': 'Greater than or equal to', 'reverse': None, 'series_examples': None} } # type: Dict[str, Dict[str, Optional[str]]] _op_names = list(_op_descriptions.keys()) for key in _op_names: reverse_op = _op_descriptions[key]['reverse'] if reverse_op is not None: _op_descriptions[reverse_op] = _op_descriptions[key].copy() _op_descriptions[reverse_op]['reverse'] = key _flex_doc_SERIES = """ Return {desc} of series and other, element-wise (binary operator `{op_name}`). Equivalent to ``{equiv}``, but with support to substitute a fill_value for missing data in one of the inputs. Parameters ---------- other : Series or scalar value fill_value : None or float value, default None (NaN) Fill existing missing (NaN) values, and any new element needed for successful Series alignment, with this value before computation. If data in both corresponding Series locations is missing the result will be missing. level : int or name Broadcast across a level, matching Index values on the passed MultiIndex level. Returns ------- Series The result of the operation. See Also -------- Series.{reverse} """ _arith_doc_FRAME = """ Binary operator %s with support to substitute a fill_value for missing data in one of the inputs Parameters ---------- other : Series, DataFrame, or constant axis : {0, 1, 'index', 'columns'} For Series input, axis to match Series index on fill_value : None or float value, default None Fill existing missing (NaN) values, and any new element needed for successful DataFrame alignment, with this value before computation. If data in both corresponding DataFrame locations is missing the result will be missing level : int or name Broadcast across a level, matching Index values on the passed MultiIndex level Returns ------- result : DataFrame Notes ----- Mismatched indices will be unioned together """ _flex_doc_FRAME = """ Get {desc} of dataframe and other, element-wise (binary operator `{op_name}`). Equivalent to ``{equiv}``, but with support to substitute a fill_value for missing data in one of the inputs. With reverse version, `{reverse}`. Among flexible wrappers (`add`, `sub`, `mul`, `div`, `mod`, `pow`) to arithmetic operators: `+`, `-`, `*`, `/`, `//`, `%`, `**`. Parameters ---------- other : scalar, sequence, Series, or DataFrame Any single or multiple element data structure, or list-like object. axis : {{0 or 'index', 1 or 'columns'}} Whether to compare by the index (0 or 'index') or columns (1 or 'columns'). For Series input, axis to match Series index on. level : int or label Broadcast across a level, matching Index values on the passed MultiIndex level. fill_value : float or None, default None Fill existing missing (NaN) values, and any new element needed for successful DataFrame alignment, with this value before computation. If data in both corresponding DataFrame locations is missing the result will be missing. Returns ------- DataFrame Result of the arithmetic operation. See Also -------- DataFrame.add : Add DataFrames. DataFrame.sub : Subtract DataFrames. DataFrame.mul : Multiply DataFrames. DataFrame.div : Divide DataFrames (float division). DataFrame.truediv : Divide DataFrames (float division). DataFrame.floordiv : Divide DataFrames (integer division). DataFrame.mod : Calculate modulo (remainder after division). DataFrame.pow : Calculate exponential power. Notes ----- Mismatched indices will be unioned together. Examples -------- >>> df = pd.DataFrame({{'angles': [0, 3, 4], ... 'degrees': [360, 180, 360]}}, ... index=['circle', 'triangle', 'rectangle']) >>> df angles degrees circle 0 360 triangle 3 180 rectangle 4 360 Add a scalar with operator version which return the same results. >>> df + 1 angles degrees circle 1 361 triangle 4 181 rectangle 5 361 >>> df.add(1) angles degrees circle 1 361 triangle 4 181 rectangle 5 361 Divide by constant with reverse version. >>> df.div(10) angles degrees circle 0.0 36.0 triangle 0.3 18.0 rectangle 0.4 36.0 >>> df.rdiv(10) angles degrees circle inf 0.027778 triangle 3.333333 0.055556 rectangle 2.500000 0.027778 Subtract a list and Series by axis with operator version. >>> df - [1, 2] angles degrees circle -1 358 triangle 2 178 rectangle 3 358 >>> df.sub([1, 2], axis='columns') angles degrees circle -1 358 triangle 2 178 rectangle 3 358 >>> df.sub(pd.Series([1, 1, 1], index=['circle', 'triangle', 'rectangle']), ... axis='index') angles degrees circle -1 359 triangle 2 179 rectangle 3 359 Multiply a DataFrame of different shape with operator version. >>> other = pd.DataFrame({{'angles': [0, 3, 4]}}, ... index=['circle', 'triangle', 'rectangle']) >>> other angles circle 0 triangle 3 rectangle 4 >>> df * other angles degrees circle 0 NaN triangle 9 NaN rectangle 16 NaN >>> df.mul(other, fill_value=0) angles degrees circle 0 0.0 triangle 9 0.0 rectangle 16 0.0 Divide by a MultiIndex by level. >>> df_multindex = pd.DataFrame({{'angles': [0, 3, 4, 4, 5, 6], ... 'degrees': [360, 180, 360, 360, 540, 720]}}, ... index=[['A', 'A', 'A', 'B', 'B', 'B'], ... ['circle', 'triangle', 'rectangle', ... 'square', 'pentagon', 'hexagon']]) >>> df_multindex angles degrees A circle 0 360 triangle 3 180 rectangle 4 360 B square 4 360 pentagon 5 540 hexagon 6 720 >>> df.div(df_multindex, level=1, fill_value=0) angles degrees A circle NaN 1.0 triangle 1.0 1.0 rectangle 1.0 1.0 B square 0.0 0.0 pentagon 0.0 0.0 hexagon 0.0 0.0 """ _flex_comp_doc_FRAME = """ Get {desc} of dataframe and other, element-wise (binary operator `{op_name}`). Among flexible wrappers (`eq`, `ne`, `le`, `lt`, `ge`, `gt`) to comparison operators. Equivalent to `==`, `=!`, `<=`, `<`, `>=`, `>` with support to choose axis (rows or columns) and level for comparison. Parameters ---------- other : scalar, sequence, Series, or DataFrame Any single or multiple element data structure, or list-like object. axis : {{0 or 'index', 1 or 'columns'}}, default 'columns' Whether to compare by the index (0 or 'index') or columns (1 or 'columns'). level : int or label Broadcast across a level, matching Index values on the passed MultiIndex level. Returns ------- DataFrame of bool Result of the comparison. See Also -------- DataFrame.eq : Compare DataFrames for equality elementwise. DataFrame.ne : Compare DataFrames for inequality elementwise. DataFrame.le : Compare DataFrames for less than inequality or equality elementwise. DataFrame.lt : Compare DataFrames for strictly less than inequality elementwise. DataFrame.ge : Compare DataFrames for greater than inequality or equality elementwise. DataFrame.gt : Compare DataFrames for strictly greater than inequality elementwise. Notes ----- Mismatched indices will be unioned together. `NaN` values are considered different (i.e. `NaN` != `NaN`). Examples -------- >>> df = pd.DataFrame({{'cost': [250, 150, 100], ... 'revenue': [100, 250, 300]}}, ... index=['A', 'B', 'C']) >>> df cost revenue A 250 100 B 150 250 C 100 300 Comparison with a scalar, using either the operator or method: >>> df == 100 cost revenue A False True B False False C True False >>> df.eq(100) cost revenue A False True B False False C True False When `other` is a :class:`Series`, the columns of a DataFrame are aligned with the index of `other` and broadcast: >>> df != pd.Series([100, 250], index=["cost", "revenue"]) cost revenue A True True B True False C False True Use the method to control the broadcast axis: >>> df.ne(pd.Series([100, 300], index=["A", "D"]), axis='index') cost revenue A True False B True True C True True D True True When comparing to an arbitrary sequence, the number of columns must match the number elements in `other`: >>> df == [250, 100] cost revenue A True True B False False C False False Use the method to control the axis: >>> df.eq([250, 250, 100], axis='index') cost revenue A True False B False True C True False Compare to a DataFrame of different shape. >>> other = pd.DataFrame({{'revenue': [300, 250, 100, 150]}}, ... index=['A', 'B', 'C', 'D']) >>> other revenue A 300 B 250 C 100 D 150 >>> df.gt(other) cost revenue A False False B False False C False True D False False Compare to a MultiIndex by level. >>> df_multindex = pd.DataFrame({{'cost': [250, 150, 100, 150, 300, 220], ... 'revenue': [100, 250, 300, 200, 175, 225]}}, ... index=[['Q1', 'Q1', 'Q1', 'Q2', 'Q2', 'Q2'], ... ['A', 'B', 'C', 'A', 'B', 'C']]) >>> df_multindex cost revenue Q1 A 250 100 B 150 250 C 100 300 Q2 A 150 200 B 300 175 C 220 225 >>> df.le(df_multindex, level=1) cost revenue Q1 A True True B True True C True True Q2 A False True B True False C True False """ def _make_flex_doc(op_name, typ): """ Make the appropriate substitutions for the given operation and class-typ into either _flex_doc_SERIES or _flex_doc_FRAME to return the docstring to attach to a generated method. Parameters ---------- op_name : str {'__add__', '__sub__', ... '__eq__', '__ne__', ...} typ : str {series, 'dataframe']} Returns ------- doc : str """ op_name = op_name.replace('__', '') op_desc = _op_descriptions[op_name] if op_name.startswith('r'): equiv = 'other ' + op_desc['op'] + ' ' + typ else: equiv = typ + ' ' + op_desc['op'] + ' other' if typ == 'series': base_doc = _flex_doc_SERIES doc_no_examples = base_doc.format( desc=op_desc['desc'], op_name=op_name, equiv=equiv, reverse=op_desc['reverse'] ) if op_desc['series_examples']: doc = doc_no_examples + op_desc['series_examples'] else: doc = doc_no_examples elif typ == 'dataframe': base_doc = _flex_doc_FRAME doc = base_doc.format( desc=op_desc['desc'], op_name=op_name, equiv=equiv, reverse=op_desc['reverse'] ) else: raise AssertionError('Invalid typ argument.') return doc # ----------------------------------------------------------------------------- # Masking NA values and fallbacks for operations numpy does not support def fill_binop(left, right, fill_value): """ If a non-None fill_value is given, replace null entries in left and right with this value, but only in positions where _one_ of left/right is null, not both. Parameters ---------- left : array-like right : array-like fill_value : object Returns ------- left : array-like right : array-like Notes ----- Makes copies if fill_value is not None """ # TODO: can we make a no-copy implementation? if fill_value is not None: left_mask = isna(left) right_mask = isna(right) left = left.copy() right = right.copy() # one but not both mask = left_mask ^ right_mask left[left_mask & mask] = fill_value right[right_mask & mask] = fill_value return left, right def mask_cmp_op(x, y, op): """ Apply the function `op` to only non-null points in x and y. Parameters ---------- x : array-like y : array-like op : binary operation Returns ------- result : ndarray[bool] """ xrav = x.ravel() result = np.empty(x.size, dtype=bool) if isinstance(y, (np.ndarray, ABCSeries)): yrav = y.ravel() mask = notna(xrav) & notna(yrav) result[mask] = op(np.array(list(xrav[mask])), np.array(list(yrav[mask]))) else: mask = notna(xrav) result[mask] = op(np.array(list(xrav[mask])), y) if op == operator.ne: # pragma: no cover np.putmask(result, ~mask, True) else: np.putmask(result, ~mask, False) result = result.reshape(x.shape) return result def masked_arith_op(x, y, op): """ If the given arithmetic operation fails, attempt it again on only the non-null elements of the input array(s). Parameters ---------- x : np.ndarray y : np.ndarray, Series, Index op : binary operator """ # For Series `x` is 1D so ravel() is a no-op; calling it anyway makes # the logic valid for both Series and DataFrame ops. xrav = x.ravel() assert isinstance(x, (np.ndarray, ABCSeries)), type(x) if isinstance(y, (np.ndarray, ABCSeries, ABCIndexClass)): dtype = find_common_type([x.dtype, y.dtype]) result = np.empty(x.size, dtype=dtype) # PeriodIndex.ravel() returns int64 dtype, so we have # to work around that case. See GH#19956 yrav = y if is_period_dtype(y) else y.ravel() mask = notna(xrav) & notna(yrav) if yrav.shape != mask.shape: # FIXME: GH#5284, GH#5035, GH#19448 # Without specifically raising here we get mismatched # errors in Py3 (TypeError) vs Py2 (ValueError) # Note: Only = an issue in DataFrame case raise ValueError('Cannot broadcast operands together.') if mask.any(): with np.errstate(all='ignore'): result[mask] = op(xrav[mask], com.values_from_object(yrav[mask])) else: assert is_scalar(y), type(y) assert isinstance(x, np.ndarray), type(x) # mask is only meaningful for x result = np.empty(x.size, dtype=x.dtype) mask = notna(xrav) # 1 ** np.nan is 1. So we have to unmask those. if op == pow: mask = np.where(x == 1, False, mask) elif op == rpow: mask = np.where(y == 1, False, mask) if mask.any(): with np.errstate(all='ignore'): result[mask] = op(xrav[mask], y) result, changed = maybe_upcast_putmask(result, ~mask, np.nan) result = result.reshape(x.shape) # 2D compat return result def invalid_comparison(left, right, op): """ If a comparison has mismatched types and is not necessarily meaningful, follow python3 conventions by: - returning all-False for equality - returning all-True for inequality - raising TypeError otherwise Parameters ---------- left : array-like right : scalar, array-like op : operator.{eq, ne, lt, le, gt} Raises ------ TypeError : on inequality comparisons """ if op is operator.eq: res_values = np.zeros(left.shape, dtype=bool) elif op is operator.ne: res_values = np.ones(left.shape, dtype=bool) else: raise TypeError("Invalid comparison between dtype={dtype} and {typ}" .format(dtype=left.dtype, typ=type(right).__name__)) return res_values # ----------------------------------------------------------------------------- # Dispatch logic def should_series_dispatch(left, right, op): """ Identify cases where a DataFrame operation should dispatch to its Series counterpart. Parameters ---------- left : DataFrame right : DataFrame op : binary operator Returns ------- override : bool """ if left._is_mixed_type or right._is_mixed_type: return True if not len(left.columns) or not len(right.columns): # ensure obj.dtypes[0] exists for each obj return False ldtype = left.dtypes.iloc[0] rdtype = right.dtypes.iloc[0] if ((is_timedelta64_dtype(ldtype) and is_integer_dtype(rdtype)) or (is_timedelta64_dtype(rdtype) and is_integer_dtype(ldtype))): # numpy integer dtypes as timedelta64 dtypes in this scenario return True if is_datetime64_dtype(ldtype) and is_object_dtype(rdtype): # in particular case where right is an array of DateOffsets return True return False def dispatch_to_series(left, right, func, str_rep=None, axis=None): """ Evaluate the frame operation func(left, right) by evaluating column-by-column, dispatching to the Series implementation. Parameters ---------- left : DataFrame right : scalar or DataFrame func : arithmetic or comparison operator str_rep : str or None, default None axis : {None, 0, 1, "index", "columns"} Returns ------- DataFrame """ # Note: we use iloc to access columns for compat with cases # with non-unique columns. import pandas.core.computation.expressions as expressions right = lib.item_from_zerodim(right) if lib.is_scalar(right) or np.ndim(right) == 0: def column_op(a, b): return {i: func(a.iloc[:, i], b) for i in range(len(a.columns))} elif isinstance(right, ABCDataFrame): assert right._indexed_same(left) def column_op(a, b): return {i: func(a.iloc[:, i], b.iloc[:, i]) for i in range(len(a.columns))} elif isinstance(right, ABCSeries) and axis == "columns": # We only get here if called via left._combine_match_columns, # in which case we specifically want to operate row-by-row assert right.index.equals(left.columns) def column_op(a, b): return {i: func(a.iloc[:, i], b.iloc[i]) for i in range(len(a.columns))} elif isinstance(right, ABCSeries): assert right.index.equals(left.index) # Handle other cases later def column_op(a, b): return {i: func(a.iloc[:, i], b) for i in range(len(a.columns))} else: # Remaining cases have less-obvious dispatch rules raise NotImplementedError(right) new_data = expressions.evaluate(column_op, str_rep, left, right) result = left._constructor(new_data, index=left.index, copy=False) # Pin columns instead of passing to constructor for compat with # non-unique columns case result.columns = left.columns return result def dispatch_to_index_op(op, left, right, index_class): """ Wrap Series left in the given index_class to delegate the operation op to the index implementation. DatetimeIndex and TimedeltaIndex perform type checking, timezone handling, overflow checks, etc. Parameters ---------- op : binary operator (operator.add, operator.sub, ...) left : Series right : object index_class : DatetimeIndex or TimedeltaIndex Returns ------- result : object, usually DatetimeIndex, TimedeltaIndex, or Series """ left_idx = index_class(left) # avoid accidentally allowing integer add/sub. For datetime64[tz] dtypes, # left_idx may inherit a freq from a cached DatetimeIndex. # See discussion in GH#19147. if getattr(left_idx, 'freq', None) is not None: left_idx = left_idx._shallow_copy(freq=None) try: result = op(left_idx, right) except NullFrequencyError: # DatetimeIndex and TimedeltaIndex with freq == None raise ValueError # on add/sub of integers (or int-like). We re-raise as a TypeError. raise TypeError('incompatible type for a datetime/timedelta ' 'operation [{name}]'.format(name=op.__name__)) return result def dispatch_to_extension_op(op, left, right): """ Assume that left or right is a Series backed by an ExtensionArray, apply the operator defined by op. """ # The op calls will raise TypeError if the op is not defined # on the ExtensionArray # unbox Series and Index to arrays if isinstance(left, (ABCSeries, ABCIndexClass)): new_left = left._values else: new_left = left if isinstance(right, (ABCSeries, ABCIndexClass)): new_right = right._values else: new_right = right res_values = op(new_left, new_right) res_name = get_op_result_name(left, right) if op.__name__ in ['divmod', 'rdivmod']: return _construct_divmod_result( left, res_values, left.index, res_name) return _construct_result(left, res_values, left.index, res_name) # ----------------------------------------------------------------------------- # Functions that add arithmetic methods to objects, given arithmetic factory # methods def _get_method_wrappers(cls): """ Find the appropriate operation-wrappers to use when defining flex/special arithmetic, boolean, and comparison operations with the given class. Parameters ---------- cls : class Returns ------- arith_flex : function or None comp_flex : function or None arith_special : function comp_special : function bool_special : function Notes ----- None is only returned for SparseArray """ if issubclass(cls, ABCSparseSeries): # Be sure to catch this before ABCSeries and ABCSparseArray, # as they will both come see SparseSeries as a subclass arith_flex = _flex_method_SERIES comp_flex = _flex_method_SERIES arith_special = _arith_method_SPARSE_SERIES comp_special = _arith_method_SPARSE_SERIES bool_special = _bool_method_SERIES # TODO: I don't think the functions defined by bool_method are tested elif issubclass(cls, ABCSeries): # Just Series; SparseSeries is caught above arith_flex = _flex_method_SERIES comp_flex = _flex_method_SERIES arith_special = _arith_method_SERIES comp_special = _comp_method_SERIES bool_special = _bool_method_SERIES elif issubclass(cls, ABCSparseArray): arith_flex = None comp_flex = None arith_special = _arith_method_SPARSE_ARRAY comp_special = _arith_method_SPARSE_ARRAY bool_special = _arith_method_SPARSE_ARRAY elif issubclass(cls, ABCDataFrame): # Same for DataFrame and SparseDataFrame arith_flex = _arith_method_FRAME comp_flex = _flex_comp_method_FRAME arith_special = _arith_method_FRAME comp_special = _comp_method_FRAME bool_special = _arith_method_FRAME return arith_flex, comp_flex, arith_special, comp_special, bool_special def _create_methods(cls, arith_method, comp_method, bool_method, special): # creates actual methods based upon arithmetic, comp and bool method # constructors. have_divmod = issubclass(cls, ABCSeries) # divmod is available for Series and SparseSeries # yapf: disable new_methods = dict( add=arith_method(cls, operator.add, special), radd=arith_method(cls, radd, special), sub=arith_method(cls, operator.sub, special), mul=arith_method(cls, operator.mul, special), truediv=arith_method(cls, operator.truediv, special), floordiv=arith_method(cls, operator.floordiv, special), # Causes a floating point exception in the tests when numexpr enabled, # so for now no speedup mod=arith_method(cls, operator.mod, special), pow=arith_method(cls, operator.pow, special), # not entirely sure why this is necessary, but previously was included # so it's here to maintain compatibility rmul=arith_method(cls, rmul, special), rsub=arith_method(cls, rsub, special), rtruediv=arith_method(cls, rtruediv, special), rfloordiv=arith_method(cls, rfloordiv, special), rpow=arith_method(cls, rpow, special), rmod=arith_method(cls, rmod, special)) # yapf: enable new_methods['div'] = new_methods['truediv'] new_methods['rdiv'] = new_methods['rtruediv'] if have_divmod: # divmod doesn't have an op that is supported by numexpr new_methods['divmod'] = arith_method(cls, divmod, special) new_methods['rdivmod'] = arith_method(cls, rdivmod, special) new_methods.update(dict( eq=comp_method(cls, operator.eq, special), ne=comp_method(cls, operator.ne, special), lt=comp_method(cls, operator.lt, special), gt=comp_method(cls, operator.gt, special), le=comp_method(cls, operator.le, special), ge=comp_method(cls, operator.ge, special))) if bool_method: new_methods.update( dict(and_=bool_method(cls, operator.and_, special), or_=bool_method(cls, operator.or_, special), # For some reason ``^`` wasn't used in original. xor=bool_method(cls, operator.xor, special), rand_=bool_method(cls, rand_, special), ror_=bool_method(cls, ror_, special), rxor=bool_method(cls, rxor, special))) if special: dunderize = lambda x: '__{name}__'.format(name=x.strip('_')) else: dunderize = lambda x: x new_methods = {dunderize(k): v for k, v in new_methods.items()} return new_methods def add_methods(cls, new_methods): for name, method in new_methods.items(): # For most methods, if we find that the class already has a method # of the same name, it is OK to over-write it. The exception is # inplace methods (__iadd__, __isub__, ...) for SparseArray, which # retain the np.ndarray versions. force = not (issubclass(cls, ABCSparseArray) and name.startswith('__i')) if force or name not in cls.__dict__: setattr(cls, name, method) # ---------------------------------------------------------------------- # Arithmetic def add_special_arithmetic_methods(cls): """ Adds the full suite of special arithmetic methods (``__add__``, ``__sub__``, etc.) to the class. Parameters ---------- cls : class special methods will be defined and pinned to this class """ _, _, arith_method, comp_method, bool_method = _get_method_wrappers(cls) new_methods = _create_methods(cls, arith_method, comp_method, bool_method, special=True) # inplace operators (I feel like these should get passed an `inplace=True` # or just be removed def _wrap_inplace_method(method): """ return an inplace wrapper for this method """ def f(self, other): result = method(self, other) # this makes sure that we are aligned like the input # we are updating inplace so we want to ignore is_copy self._update_inplace(result.reindex_like(self, copy=False)._data, verify_is_copy=False) return self f.__name__ = "__i{name}__".format(name=method.__name__.strip("__")) return f new_methods.update( dict(__iadd__=_wrap_inplace_method(new_methods["__add__"]), __isub__=_wrap_inplace_method(new_methods["__sub__"]), __imul__=_wrap_inplace_method(new_methods["__mul__"]), __itruediv__=_wrap_inplace_method(new_methods["__truediv__"]), __ifloordiv__=_wrap_inplace_method(new_methods["__floordiv__"]), __imod__=_wrap_inplace_method(new_methods["__mod__"]), __ipow__=_wrap_inplace_method(new_methods["__pow__"]))) new_methods.update( dict(__iand__=_wrap_inplace_method(new_methods["__and__"]), __ior__=_wrap_inplace_method(new_methods["__or__"]), __ixor__=_wrap_inplace_method(new_methods["__xor__"]))) add_methods(cls, new_methods=new_methods) def add_flex_arithmetic_methods(cls): """ Adds the full suite of flex arithmetic methods (``pow``, ``mul``, ``add``) to the class. Parameters ---------- cls : class flex methods will be defined and pinned to this class """ flex_arith_method, flex_comp_method, _, _, _ = _get_method_wrappers(cls) new_methods = _create_methods(cls, flex_arith_method, flex_comp_method, bool_method=None, special=False) new_methods.update(dict(multiply=new_methods['mul'], subtract=new_methods['sub'], divide=new_methods['div'])) # opt out of bool flex methods for now assert not any(kname in new_methods for kname in ('ror_', 'rxor', 'rand_')) add_methods(cls, new_methods=new_methods) # ----------------------------------------------------------------------------- # Series def _align_method_SERIES(left, right, align_asobject=False): """ align lhs and rhs Series """ # ToDo: Different from _align_method_FRAME, list, tuple and ndarray # are not coerced here # because Series has inconsistencies described in #13637 if isinstance(right, ABCSeries): # avoid repeated alignment if not left.index.equals(right.index): if align_asobject: # to keep original value's dtype for bool ops left = left.astype(object) right = right.astype(object) left, right = left.align(right, copy=False) return left, right def _construct_result(left, result, index, name, dtype=None): """ If the raw op result has a non-None name (e.g. it is an Index object) and the name argument is None, then passing name to the constructor will not be enough; we still need to override the name attribute. """ out = left._constructor(result, index=index, dtype=dtype) out = out.__finalize__(left) out.name = name return out def _construct_divmod_result(left, result, index, name, dtype=None): """divmod returns a tuple of like indexed series instead of a single series. """ return ( _construct_result(left, result[0], index=index, name=name, dtype=dtype), _construct_result(left, result[1], index=index, name=name, dtype=dtype), ) def _arith_method_SERIES(cls, op, special): """ Wrapper function for Series arithmetic operations, to avoid code duplication. """ str_rep = _get_opstr(op, cls) op_name = _get_op_name(op, special) eval_kwargs = _gen_eval_kwargs(op_name) fill_zeros = _gen_fill_zeros(op_name) construct_result = (_construct_divmod_result if op in [divmod, rdivmod] else _construct_result) def na_op(x, y): """ Return the result of evaluating op on the passed in values. If native types are not compatible, try coersion to object dtype. Parameters ---------- x : array-like y : array-like or scalar Returns ------- array-like Raises ------ TypeError : invalid operation """ import pandas.core.computation.expressions as expressions try: result = expressions.evaluate(op, str_rep, x, y, **eval_kwargs) except TypeError: result = masked_arith_op(x, y, op) except Exception: # TODO: more specific? if is_object_dtype(x): return libalgos.arrmap_object(x, lambda val: op(val, y)) raise result = missing.fill_zeros(result, x, y, op_name, fill_zeros) return result def wrapper(left, right): if isinstance(right, ABCDataFrame): return NotImplemented left, right = _align_method_SERIES(left, right) res_name = get_op_result_name(left, right) right = maybe_upcast_for_op(right) if is_categorical_dtype(left): raise TypeError("{typ} cannot perform the operation " "{op}".format(typ=type(left).__name__, op=str_rep)) elif is_datetime64_dtype(left) or is_datetime64tz_dtype(left): # Give dispatch_to_index_op a chance for tests like # test_dt64_series_add_intlike, which the index dispatching handles # specifically. result = dispatch_to_index_op(op, left, right, pd.DatetimeIndex) return construct_result(left, result, index=left.index, name=res_name, dtype=result.dtype) elif (is_extension_array_dtype(left) or (is_extension_array_dtype(right) and not is_scalar(right))): # GH#22378 disallow scalar to exclude e.g. "category", "Int64" return dispatch_to_extension_op(op, left, right) elif is_timedelta64_dtype(left): result = dispatch_to_index_op(op, left, right, pd.TimedeltaIndex) return construct_result(left, result, index=left.index, name=res_name) elif is_timedelta64_dtype(right): # We should only get here with non-scalar or timedelta64('NaT') # values for right # Note: we cannot use dispatch_to_index_op because # that may incorrectly raise TypeError when we # should get NullFrequencyError result = op(pd.Index(left), right) return construct_result(left, result, index=left.index, name=res_name, dtype=result.dtype) lvalues = left.values rvalues = right if isinstance(rvalues, ABCSeries): rvalues = rvalues.values with np.errstate(all='ignore'): result = na_op(lvalues, rvalues) return construct_result(left, result, index=left.index, name=res_name, dtype=None) wrapper.__name__ = op_name return wrapper def _comp_method_OBJECT_ARRAY(op, x, y): if isinstance(y, list): y = construct_1d_object_array_from_listlike(y) if isinstance(y, (np.ndarray, ABCSeries, ABCIndex)): if not is_object_dtype(y.dtype): y = y.astype(np.object_) if isinstance(y, (ABCSeries, ABCIndex)): y = y.values result = libops.vec_compare(x, y, op) else: result = libops.scalar_compare(x, y, op) return result def _comp_method_SERIES(cls, op, special): """ Wrapper function for Series arithmetic operations, to avoid code duplication. """ op_name = _get_op_name(op, special) masker = _gen_eval_kwargs(op_name).get('masker', False) def na_op(x, y): # TODO: # should have guarantess on what x, y can be type-wise # Extension Dtypes are not called here # Checking that cases that were once handled here are no longer # reachable. assert not (is_categorical_dtype(y) and not is_scalar(y)) if is_object_dtype(x.dtype): result = _comp_method_OBJECT_ARRAY(op, x, y) elif is_datetimelike_v_numeric(x, y): return invalid_comparison(x, y, op) else: # we want to compare like types # we only want to convert to integer like if # we are not NotImplemented, otherwise # we would allow datetime64 (but viewed as i8) against # integer comparisons # we have a datetime/timedelta and may need to convert assert not needs_i8_conversion(x) mask = None if not is_scalar(y) and needs_i8_conversion(y): mask = isna(x) | isna(y) y = y.view('i8') x = x.view('i8') method = getattr(x, op_name, None) if method is not None: with np.errstate(all='ignore'): result = method(y) if result is NotImplemented: return invalid_comparison(x, y, op) else: result = op(x, y) if mask is not None and mask.any(): result[mask] = masker return result def wrapper(self, other, axis=None): # Validate the axis parameter if axis is not None: self._get_axis_number(axis) res_name = get_op_result_name(self, other) if isinstance(other, list): # TODO: same for tuples? other = np.asarray(other) if isinstance(other, ABCDataFrame): # pragma: no cover # Defer to DataFrame implementation; fail early return NotImplemented elif isinstance(other, ABCSeries) and not self._indexed_same(other): raise ValueError("Can only compare identically-labeled " "Series objects") elif is_categorical_dtype(self): # Dispatch to Categorical implementation; pd.CategoricalIndex # behavior is non-canonical GH#19513 res_values = dispatch_to_index_op(op, self, other, pd.Categorical) return self._constructor(res_values, index=self.index, name=res_name) elif is_datetime64_dtype(self) or is_datetime64tz_dtype(self): # Dispatch to DatetimeIndex to ensure identical # Series/Index behavior if (isinstance(other, datetime.date) and not isinstance(other, datetime.datetime)): # https://github.com/pandas-dev/pandas/issues/21152 # Compatibility for difference between Series comparison w/ # datetime and date msg = ( "Comparing Series of datetimes with 'datetime.date'. " "Currently, the 'datetime.date' is coerced to a " "datetime. In the future pandas will not coerce, " "and {future}. " "To retain the current behavior, " "convert the 'datetime.date' to a datetime with " "'pd.Timestamp'." ) if op in {operator.lt, operator.le, operator.gt, operator.ge}: future = "a TypeError will be raised" else: future = ( "'the values will not compare equal to the " "'datetime.date'" ) msg = '\n'.join(textwrap.wrap(msg.format(future=future))) warnings.warn(msg, FutureWarning, stacklevel=2) other = pd.Timestamp(other) res_values = dispatch_to_index_op(op, self, other, pd.DatetimeIndex) return self._constructor(res_values, index=self.index, name=res_name) elif is_timedelta64_dtype(self): res_values = dispatch_to_index_op(op, self, other, pd.TimedeltaIndex) return self._constructor(res_values, index=self.index, name=res_name) elif (is_extension_array_dtype(self) or (is_extension_array_dtype(other) and not is_scalar(other))): # Note: the `not is_scalar(other)` condition rules out # e.g. other == "category" return dispatch_to_extension_op(op, self, other) elif isinstance(other, ABCSeries): # By this point we have checked that self._indexed_same(other) res_values = na_op(self.values, other.values) # rename is needed in case res_name is None and res_values.name # is not. return self._constructor(res_values, index=self.index, name=res_name).rename(res_name) elif isinstance(other, (np.ndarray, pd.Index)): # do not check length of zerodim array # as it will broadcast if other.ndim != 0 and len(self) != len(other): raise ValueError('Lengths must match to compare') res_values = na_op(self.values, np.asarray(other)) result = self._constructor(res_values, index=self.index) # rename is needed in case res_name is None and self.name # is not. return result.__finalize__(self).rename(res_name) elif is_scalar(other) and isna(other): # numpy does not like comparisons vs None if op is operator.ne: res_values = np.ones(len(self), dtype=bool) else: res_values = np.zeros(len(self), dtype=bool) return self._constructor(res_values, index=self.index, name=res_name, dtype='bool') else: values = self.get_values() with np.errstate(all='ignore'): res = na_op(values, other) if is_scalar(res): raise TypeError('Could not compare {typ} type with Series' .format(typ=type(other))) # always return a full value series here res_values = com.values_from_object(res) return self._constructor(res_values, index=self.index, name=res_name, dtype='bool') wrapper.__name__ = op_name return wrapper def _bool_method_SERIES(cls, op, special): """ Wrapper function for Series arithmetic operations, to avoid code duplication. """ op_name = _get_op_name(op, special) def na_op(x, y): try: result = op(x, y) except TypeError: assert not isinstance(y, (list, ABCSeries, ABCIndexClass)) if isinstance(y, np.ndarray): # bool-bool dtype operations should be OK, should not get here assert not (is_bool_dtype(x) and is_bool_dtype(y)) x = ensure_object(x) y = ensure_object(y) result = libops.vec_binop(x, y, op) else: # let null fall thru assert lib.is_scalar(y) if not isna(y): y = bool(y) try: result = libops.scalar_binop(x, y, op) except (TypeError, ValueError, AttributeError, OverflowError, NotImplementedError): raise TypeError("cannot compare a dtyped [{dtype}] array " "with a scalar of type [{typ}]" .format(dtype=x.dtype, typ=type(y).__name__)) return result fill_int = lambda x: x.fillna(0) fill_bool = lambda x: x.fillna(False).astype(bool) def wrapper(self, other): is_self_int_dtype = is_integer_dtype(self.dtype) self, other = _align_method_SERIES(self, other, align_asobject=True) res_name = get_op_result_name(self, other) if isinstance(other, ABCDataFrame): # Defer to DataFrame implementation; fail early return NotImplemented elif isinstance(other, (ABCSeries, ABCIndexClass)): is_other_int_dtype = is_integer_dtype(other.dtype) other = fill_int(other) if is_other_int_dtype else fill_bool(other) ovalues = other.values finalizer = lambda x: x else: # scalars, list, tuple, np.array is_other_int_dtype = is_integer_dtype(np.asarray(other)) if is_list_like(other) and not isinstance(other, np.ndarray): # TODO: Can we do this before the is_integer_dtype check? # could the is_integer_dtype check be checking the wrong # thing? e.g. other = [[0, 1], [2, 3], [4, 5]]? other = construct_1d_object_array_from_listlike(other) ovalues = other finalizer = lambda x: x.__finalize__(self) # For int vs int `^`, `|`, `&` are bitwise operators and return # integer dtypes. Otherwise these are boolean ops filler = (fill_int if is_self_int_dtype and is_other_int_dtype else fill_bool) res_values = na_op(self.values, ovalues) unfilled = self._constructor(res_values, index=self.index, name=res_name) filled = filler(unfilled) return finalizer(filled) wrapper.__name__ = op_name return wrapper def _flex_method_SERIES(cls, op, special): name = _get_op_name(op, special) doc = _make_flex_doc(name, 'series') @Appender(doc) def flex_wrapper(self, other, level=None, fill_value=None, axis=0): # validate axis if axis is not None: self._get_axis_number(axis) if isinstance(other, ABCSeries): return self._binop(other, op, level=level, fill_value=fill_value) elif isinstance(other, (np.ndarray, list, tuple)): if len(other) != len(self): raise ValueError('Lengths must be equal') other = self._constructor(other, self.index) return self._binop(other, op, level=level, fill_value=fill_value) else: if fill_value is not None: self = self.fillna(fill_value) return self._constructor(op(self, other), self.index).__finalize__(self) flex_wrapper.__name__ = name return flex_wrapper # ----------------------------------------------------------------------------- # DataFrame def _combine_series_frame(self, other, func, fill_value=None, axis=None, level=None): """ Apply binary operator `func` to self, other using alignment and fill conventions determined by the fill_value, axis, and level kwargs. Parameters ---------- self : DataFrame other : Series func : binary operator fill_value : object, default None axis : {0, 1, 'columns', 'index', None}, default None level : int or None, default None Returns ------- result : DataFrame """ if fill_value is not None: raise NotImplementedError("fill_value {fill} not supported." .format(fill=fill_value)) if axis is not None: axis = self._get_axis_number(axis) if axis == 0: return self._combine_match_index(other, func, level=level) else: return self._combine_match_columns(other, func, level=level) else: if not len(other): return self * np.nan if not len(self): # Ambiguous case, use _series so works with DataFrame return self._constructor(data=self._series, index=self.index, columns=self.columns) # default axis is columns return self._combine_match_columns(other, func, level=level) def _align_method_FRAME(left, right, axis): """ convert rhs to meet lhs dims if input is list, tuple or np.ndarray """ def to_series(right): msg = ('Unable to coerce to Series, length must be {req_len}: ' 'given {given_len}') if axis is not None and left._get_axis_name(axis) == 'index': if len(left.index) != len(right): raise ValueError(msg.format(req_len=len(left.index), given_len=len(right))) right = left._constructor_sliced(right, index=left.index) else: if len(left.columns) != len(right): raise ValueError(msg.format(req_len=len(left.columns), given_len=len(right))) right = left._constructor_sliced(right, index=left.columns) return right if isinstance(right, np.ndarray): if right.ndim == 1: right = to_series(right) elif right.ndim == 2: if right.shape == left.shape: right = left._constructor(right, index=left.index, columns=left.columns) elif right.shape[0] == left.shape[0] and right.shape[1] == 1: # Broadcast across columns right = np.broadcast_to(right, left.shape) right = left._constructor(right, index=left.index, columns=left.columns) elif right.shape[1] == left.shape[1] and right.shape[0] == 1: # Broadcast along rows right = to_series(right[0, :]) else: raise ValueError("Unable to coerce to DataFrame, shape " "must be {req_shape}: given {given_shape}" .format(req_shape=left.shape, given_shape=right.shape)) elif right.ndim > 2: raise ValueError('Unable to coerce to Series/DataFrame, dim ' 'must be <= 2: {dim}'.format(dim=right.shape)) elif (is_list_like(right) and not isinstance(right, (ABCSeries, ABCDataFrame))): # GH17901 right = to_series(right) return right def _arith_method_FRAME(cls, op, special): str_rep = _get_opstr(op, cls) op_name = _get_op_name(op, special) eval_kwargs = _gen_eval_kwargs(op_name) fill_zeros = _gen_fill_zeros(op_name) default_axis = _get_frame_op_default_axis(op_name) def na_op(x, y): import pandas.core.computation.expressions as expressions try: result = expressions.evaluate(op, str_rep, x, y, **eval_kwargs) except TypeError: result = masked_arith_op(x, y, op) result = missing.fill_zeros(result, x, y, op_name, fill_zeros) return result if op_name in _op_descriptions: # i.e. include "add" but not "__add__" doc = _make_flex_doc(op_name, 'dataframe') else: doc = _arith_doc_FRAME % op_name @Appender(doc) def f(self, other, axis=default_axis, level=None, fill_value=None): other = _align_method_FRAME(self, other, axis) if isinstance(other, ABCDataFrame): # Another DataFrame pass_op = op if should_series_dispatch(self, other, op) else na_op return self._combine_frame(other, pass_op, fill_value, level) elif isinstance(other, ABCSeries): # For these values of `axis`, we end up dispatching to Series op, # so do not want the masked op. pass_op = op if axis in [0, "columns", None] else na_op return _combine_series_frame(self, other, pass_op, fill_value=fill_value, axis=axis, level=level) else: if fill_value is not None: self = self.fillna(fill_value) assert np.ndim(other) == 0 return self._combine_const(other, op) f.__name__ = op_name return f def _flex_comp_method_FRAME(cls, op, special): str_rep = _get_opstr(op, cls) op_name = _get_op_name(op, special) default_axis = _get_frame_op_default_axis(op_name) def na_op(x, y): try: with np.errstate(invalid='ignore'): result = op(x, y) except TypeError: result = mask_cmp_op(x, y, op) return result doc = _flex_comp_doc_FRAME.format(op_name=op_name, desc=_op_descriptions[op_name]['desc']) @Appender(doc) def f(self, other, axis=default_axis, level=None): other = _align_method_FRAME(self, other, axis) if isinstance(other, ABCDataFrame): # Another DataFrame if not self._indexed_same(other): self, other = self.align(other, 'outer', level=level, copy=False) return dispatch_to_series(self, other, na_op, str_rep) elif isinstance(other, ABCSeries): return _combine_series_frame(self, other, na_op, fill_value=None, axis=axis, level=level) else: assert np.ndim(other) == 0, other return self._combine_const(other, na_op) f.__name__ = op_name return f def _comp_method_FRAME(cls, func, special): str_rep = _get_opstr(func, cls) op_name = _get_op_name(func, special) @Appender('Wrapper for comparison method {name}'.format(name=op_name)) def f(self, other): other = _align_method_FRAME(self, other, axis=None) if isinstance(other, ABCDataFrame): # Another DataFrame if not self._indexed_same(other): raise ValueError('Can only compare identically-labeled ' 'DataFrame objects') return dispatch_to_series(self, other, func, str_rep) elif isinstance(other, ABCSeries): return _combine_series_frame(self, other, func, fill_value=None, axis=None, level=None) else: # straight boolean comparisons we want to allow all columns # (regardless of dtype to pass thru) See #4537 for discussion. res = self._combine_const(other, func) return res.fillna(True).astype(bool) f.__name__ = op_name return f # ----------------------------------------------------------------------------- # Sparse def _cast_sparse_series_op(left, right, opname): """ For SparseSeries operation, coerce to float64 if the result is expected to have NaN or inf values Parameters ---------- left : SparseArray right : SparseArray opname : str Returns ------- left : SparseArray right : SparseArray """ from pandas.core.sparse.api import SparseDtype opname = opname.strip('_') # TODO: This should be moved to the array? if is_integer_dtype(left) and is_integer_dtype(right): # series coerces to float64 if result should have NaN/inf if opname in ('floordiv', 'mod') and (right.to_dense() == 0).any(): left = left.astype(SparseDtype(np.float64, left.fill_value)) right = right.astype(SparseDtype(np.float64, right.fill_value)) elif opname in ('rfloordiv', 'rmod') and (left.to_dense() == 0).any(): left = left.astype(SparseDtype(np.float64, left.fill_value)) right = right.astype(SparseDtype(np.float64, right.fill_value)) return left, right def _arith_method_SPARSE_SERIES(cls, op, special): """ Wrapper function for Series arithmetic operations, to avoid code duplication. """ op_name = _get_op_name(op, special) def wrapper(self, other): if isinstance(other, ABCDataFrame): return NotImplemented elif isinstance(other, ABCSeries): if not isinstance(other, ABCSparseSeries): other = other.to_sparse(fill_value=self.fill_value) return _sparse_series_op(self, other, op, op_name) elif is_scalar(other): with np.errstate(all='ignore'): new_values = op(self.values, other) return self._constructor(new_values, index=self.index, name=self.name) else: # pragma: no cover raise TypeError('operation with {other} not supported' .format(other=type(other))) wrapper.__name__ = op_name return wrapper def _sparse_series_op(left, right, op, name): left, right = left.align(right, join='outer', copy=False) new_index = left.index new_name = get_op_result_name(left, right) from pandas.core.arrays.sparse import _sparse_array_op lvalues, rvalues = _cast_sparse_series_op(left.values, right.values, name) result = _sparse_array_op(lvalues, rvalues, op, name) return left._constructor(result, index=new_index, name=new_name) def _arith_method_SPARSE_ARRAY(cls, op, special): """ Wrapper function for Series arithmetic operations, to avoid code duplication. """ op_name = _get_op_name(op, special) def wrapper(self, other): from pandas.core.arrays.sparse.array import ( SparseArray, _sparse_array_op, _wrap_result, _get_fill) if isinstance(other, np.ndarray): if len(self) != len(other): raise AssertionError("length mismatch: {self} vs. {other}" .format(self=len(self), other=len(other))) if not isinstance(other, SparseArray): dtype = getattr(other, 'dtype', None) other = SparseArray(other, fill_value=self.fill_value, dtype=dtype) return _sparse_array_op(self, other, op, op_name) elif is_scalar(other): with np.errstate(all='ignore'): fill = op(_get_fill(self), np.asarray(other)) result = op(self.sp_values, other) return _wrap_result(op_name, result, self.sp_index, fill) else: # pragma: no cover raise TypeError('operation with {other} not supported' .format(other=type(other))) wrapper.__name__ = op_name return wrapper
naro/django-guardian
refs/heads/master
guardian/models.py
35
from django.db import models from django.core.exceptions import ValidationError from django.contrib.auth.models import User, Group, Permission from django.contrib.contenttypes.models import ContentType from django.contrib.contenttypes import generic from django.utils.translation import ugettext_lazy as _ from guardian.managers import UserObjectPermissionManager from guardian.managers import GroupObjectPermissionManager from guardian.utils import get_anonymous_user class BaseObjectPermission(models.Model): """ Abstract ObjectPermission class. """ permission = models.ForeignKey(Permission) content_type = models.ForeignKey(ContentType) object_pk = models.CharField(_('object ID'), max_length=255) content_object = generic.GenericForeignKey(fk_field='object_pk') class Meta: abstract = True def __unicode__(self): return u'%s | %s | %s' % ( unicode(self.content_object), unicode(getattr(self, 'user', False) or self.group), unicode(self.permission.codename)) def save(self, *args, **kwargs): if self.content_type != self.permission.content_type: raise ValidationError("Cannot persist permission not designed for " "this class (permission's type is %s and object's type is %s)" % (self.permission.content_type, self.content_type)) return super(BaseObjectPermission, self).save(*args, **kwargs) class UserObjectPermission(BaseObjectPermission): """ **Manager**: :manager:`UserObjectPermissionManager` """ user = models.ForeignKey(User) objects = UserObjectPermissionManager() class Meta: unique_together = ['user', 'permission', 'content_type', 'object_pk'] class GroupObjectPermission(BaseObjectPermission): """ **Manager**: :manager:`GroupObjectPermissionManager` """ group = models.ForeignKey(Group) objects = GroupObjectPermissionManager() class Meta: unique_together = ['group', 'permission', 'content_type', 'object_pk'] # Prototype User and Group methods setattr(User, 'get_anonymous', staticmethod(lambda: get_anonymous_user())) setattr(User, 'add_obj_perm', lambda self, perm, obj: UserObjectPermission.objects.assign(perm, self, obj)) setattr(User, 'del_obj_perm', lambda self, perm, obj: UserObjectPermission.objects.remove_perm(perm, self, obj)) setattr(Group, 'add_obj_perm', lambda self, perm, obj: GroupObjectPermission.objects.assign(perm, self, obj)) setattr(Group, 'del_obj_perm', lambda self, perm, obj: GroupObjectPermission.objects.remove_perm(perm, self, obj))
rajathkumarmp/BinPy
refs/heads/develop
BinPy/examples/source/ic/Series_7400/IC7431.py
5
# -*- coding: utf-8 -*- # <nbformat>3.0</nbformat> # <headingcell level=2> # Usage of IC 7431 # <codecell> from __future__ import print_function from BinPy import * # <codecell> # Usage of IC 7431: ic = IC_7431() print(ic.__doc__) # <codecell> # The Pin configuration is: inp = {1: 1, 3: 1, 5: 0, 6: 0, 8: 0, 10: 1, 11: 1, 13: 0, 15: 1, 16: 1} # Pin initinalization # Powering up the IC - using -- ic.setIC({14: 1, 7: 0}) ic.setIC({14: 1, 7: 0}) # Setting the inputs of the ic ic.setIC(inp) # Draw the IC with the current configuration\n ic.drawIC() # <codecell> # Run the IC with the current configuration using -- print ic.run() -- # Note that the ic.run() returns a dict of pin configuration similar to print (ic.run()) # <codecell> # Seting the outputs to the current IC configuration using -- # ic.setIC(ic.run()) --\n ic.setIC(ic.run()) # Draw the final configuration ic.drawIC() # <codecell> # Seting the outputs to the current IC configuration using -- # ic.setIC(ic.run()) -- ic.setIC(ic.run()) # Draw the final configuration ic.drawIC() # Run the IC print (ic.run()) # <codecell> # Connector Outputs c = Connector() # Set the output connector to a particular pin of the ic ic.setOutput(9, c) print(c)
bhattmansi/Implementation-of-CARED-in-ns3
refs/heads/master
src/csma/test/examples-to-run.py
198
#! /usr/bin/env python ## -*- Mode: python; py-indent-offset: 4; indent-tabs-mode: nil; coding: utf-8; -*- # A list of C++ examples to run in order to ensure that they remain # buildable and runnable over time. Each tuple in the list contains # # (example_name, do_run, do_valgrind_run). # # See test.py for more information. cpp_examples = [ ("csma-broadcast", "True", "True"), ("csma-multicast", "True", "True"), ("csma-one-subnet", "True", "True"), ("csma-packet-socket", "True", "True"), ("csma-ping", "True", "True"), ("csma-raw-ip-socket", "True", "True"), ] # A list of Python examples to run in order to ensure that they remain # runnable over time. Each tuple in the list contains # # (example_name, do_run). # # See test.py for more information. python_examples = []
digideskio/django-gather
refs/heads/master
gather/migrations/0011_auto__add_field_event_location__add_field_event_series__add_field_even.py
2
# -*- coding: utf-8 -*- import datetime from south.db import db from south.v2 import SchemaMigration from django.db import models class Migration(SchemaMigration): def forwards(self, orm): # Adding field 'Event.location' db.add_column('gather_event', 'location', self.gf('django.db.models.fields.related.ForeignKey')(default=1, to=orm['core.Location']), keep_default=False) # Adding field 'Event.series' db.add_column('gather_event', 'series', self.gf('django.db.models.fields.related.ForeignKey')(blank=True, related_name='events', null=True, to=orm['gather.EventSeries']), keep_default=False) # Adding field 'Event.admin' db.add_column('gather_event', 'admin', self.gf('django.db.models.fields.related.ForeignKey')(default=1, related_name='events', to=orm['gather.EventAdminGroup']), keep_default=False) def backwards(self, orm): # Deleting field 'Event.location' db.delete_column('gather_event', 'location_id') # Deleting field 'Event.series' db.delete_column('gather_event', 'series_id') # Deleting field 'Event.admin' db.delete_column('gather_event', 'admin_id') models = { 'auth.group': { 'Meta': {'object_name': 'Group'}, 'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}), 'name': ('django.db.models.fields.CharField', [], {'unique': 'True', 'max_length': '80'}), 'permissions': ('django.db.models.fields.related.ManyToManyField', [], {'to': "orm['auth.Permission']", 'symmetrical': 'False', 'blank': 'True'}) }, 'auth.permission': { 'Meta': {'ordering': "('content_type__app_label', 'content_type__model', 'codename')", 'unique_together': "(('content_type', 'codename'),)", 'object_name': 'Permission'}, 'codename': ('django.db.models.fields.CharField', [], {'max_length': '100'}), 'content_type': ('django.db.models.fields.related.ForeignKey', [], {'to': "orm['contenttypes.ContentType']"}), 'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}), 'name': ('django.db.models.fields.CharField', [], {'max_length': '50'}) }, 'auth.user': { 'Meta': {'object_name': 'User'}, 'date_joined': ('django.db.models.fields.DateTimeField', [], {'default': 'datetime.datetime.now'}), 'email': ('django.db.models.fields.EmailField', [], {'max_length': '75', 'blank': 'True'}), 'first_name': ('django.db.models.fields.CharField', [], {'max_length': '30', 'blank': 'True'}), 'groups': ('django.db.models.fields.related.ManyToManyField', [], {'to': "orm['auth.Group']", 'symmetrical': 'False', 'blank': 'True'}), 'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}), 'is_active': ('django.db.models.fields.BooleanField', [], {'default': 'True'}), 'is_staff': ('django.db.models.fields.BooleanField', [], {'default': 'False'}), 'is_superuser': ('django.db.models.fields.BooleanField', [], {'default': 'False'}), 'last_login': ('django.db.models.fields.DateTimeField', [], {'default': 'datetime.datetime.now'}), 'last_name': ('django.db.models.fields.CharField', [], {'max_length': '30', 'blank': 'True'}), 'password': ('django.db.models.fields.CharField', [], {'max_length': '128'}), 'user_permissions': ('django.db.models.fields.related.ManyToManyField', [], {'to': "orm['auth.Permission']", 'symmetrical': 'False', 'blank': 'True'}), 'username': ('django.db.models.fields.CharField', [], {'unique': 'True', 'max_length': '30'}) }, 'contenttypes.contenttype': { 'Meta': {'ordering': "('name',)", 'unique_together': "(('app_label', 'model'),)", 'object_name': 'ContentType', 'db_table': "'django_content_type'"}, 'app_label': ('django.db.models.fields.CharField', [], {'max_length': '100'}), 'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}), 'model': ('django.db.models.fields.CharField', [], {'max_length': '100'}), 'name': ('django.db.models.fields.CharField', [], {'max_length': '100'}) }, 'core.location': { 'Meta': {'object_name': 'Location'}, 'about_page': ('django.db.models.fields.TextField', [], {}), 'address': ('django.db.models.fields.CharField', [], {'max_length': '300'}), 'default_from_email': ('django.db.models.fields.CharField', [], {'max_length': '200'}), 'email_subject_prefix': ('django.db.models.fields.CharField', [], {'max_length': '200'}), 'front_page_participate': ('django.db.models.fields.TextField', [], {}), 'front_page_stay': ('django.db.models.fields.TextField', [], {}), 'house_access_code': ('django.db.models.fields.CharField', [], {'max_length': '50', 'null': 'True', 'blank': 'True'}), 'house_admins': ('django.db.models.fields.related.ManyToManyField', [], {'blank': 'True', 'related_name': "'house_admin'", 'null': 'True', 'symmetrical': 'False', 'to': "orm['auth.User']"}), 'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}), 'mailgun_api_key': ('django.db.models.fields.CharField', [], {'max_length': '200'}), 'mailgun_domain': ('django.db.models.fields.CharField', [], {'max_length': '200'}), 'max_reservation_days': ('django.db.models.fields.IntegerField', [], {'default': '14'}), 'name': ('django.db.models.fields.CharField', [], {'max_length': '200'}), 'residents': ('django.db.models.fields.related.ManyToManyField', [], {'blank': 'True', 'related_name': "'residences'", 'null': 'True', 'symmetrical': 'False', 'to': "orm['auth.User']"}), 'short_description': ('django.db.models.fields.TextField', [], {}), 'slug': ('django.db.models.fields.CharField', [], {'unique': 'True', 'max_length': '60'}), 'stay_page': ('django.db.models.fields.TextField', [], {}), 'stripe_public_key': ('django.db.models.fields.CharField', [], {'max_length': '200'}), 'stripe_secret_key': ('django.db.models.fields.CharField', [], {'max_length': '200'}), 'welcome_email_days_ahead': ('django.db.models.fields.IntegerField', [], {'default': '2'}) }, 'gather.event': { 'Meta': {'object_name': 'Event'}, 'admin': ('django.db.models.fields.related.ForeignKey', [], {'related_name': "'events'", 'to': "orm['gather.EventAdminGroup']"}), 'attendees': ('django.db.models.fields.related.ManyToManyField', [], {'blank': 'True', 'related_name': "'events_attending'", 'null': 'True', 'symmetrical': 'False', 'to': "orm['auth.User']"}), 'created': ('django.db.models.fields.DateTimeField', [], {'auto_now_add': 'True', 'blank': 'True'}), 'creator': ('django.db.models.fields.related.ForeignKey', [], {'related_name': "'events_created'", 'to': "orm['auth.User']"}), 'description': ('django.db.models.fields.TextField', [], {}), 'end': ('django.db.models.fields.DateTimeField', [], {}), 'endorsements': ('django.db.models.fields.related.ManyToManyField', [], {'blank': 'True', 'related_name': "'events_endorsed'", 'null': 'True', 'symmetrical': 'False', 'to': "orm['auth.User']"}), 'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}), 'image': ('django.db.models.fields.files.ImageField', [], {'max_length': '100'}), 'limit': ('django.db.models.fields.IntegerField', [], {'default': '0', 'blank': 'True'}), 'location': ('django.db.models.fields.related.ForeignKey', [], {'to': "orm['core.Location']"}), 'notifications': ('django.db.models.fields.BooleanField', [], {'default': 'True'}), 'organizer_notes': ('django.db.models.fields.TextField', [], {'null': 'True', 'blank': 'True'}), 'organizers': ('django.db.models.fields.related.ManyToManyField', [], {'blank': 'True', 'related_name': "'events_organized'", 'null': 'True', 'symmetrical': 'False', 'to': "orm['auth.User']"}), 'private': ('django.db.models.fields.BooleanField', [], {'default': 'False'}), 'series': ('django.db.models.fields.related.ForeignKey', [], {'blank': 'True', 'related_name': "'events'", 'null': 'True', 'to': "orm['gather.EventSeries']"}), 'slug': ('django.db.models.fields.CharField', [], {'unique': 'True', 'max_length': '60'}), 'start': ('django.db.models.fields.DateTimeField', [], {}), 'status': ('django.db.models.fields.CharField', [], {'default': "'waiting for approval'", 'max_length': '200', 'blank': 'True'}), 'title': ('django.db.models.fields.CharField', [], {'max_length': '300'}), 'updated': ('django.db.models.fields.DateTimeField', [], {'auto_now': 'True', 'blank': 'True'}), 'where': ('django.db.models.fields.CharField', [], {'max_length': '500'}) }, 'gather.eventadmingroup': { 'Meta': {'object_name': 'EventAdminGroup'}, 'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}), 'location': ('django.db.models.fields.related.ForeignKey', [], {'to': "orm['core.Location']", 'null': 'True', 'blank': 'True'}), 'users': ('django.db.models.fields.related.ManyToManyField', [], {'to': "orm['auth.User']", 'symmetrical': 'False'}) }, 'gather.eventnotifications': { 'Meta': {'object_name': 'EventNotifications'}, 'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}), 'reminders': ('django.db.models.fields.BooleanField', [], {'default': 'True'}), 'user': ('django.db.models.fields.related.OneToOneField', [], {'related_name': "'event_notifications'", 'unique': 'True', 'to': "orm['auth.User']"}), 'weekly': ('django.db.models.fields.BooleanField', [], {'default': 'False'}) }, 'gather.eventseries': { 'Meta': {'object_name': 'EventSeries'}, 'description': ('django.db.models.fields.TextField', [], {}), 'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}), 'name': ('django.db.models.fields.CharField', [], {'max_length': '200'}) }, 'gather.location': { 'Meta': {'object_name': 'Location'}, 'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}), 'name': ('django.db.models.fields.CharField', [], {'max_length': '200'}) } } complete_apps = ['gather']
dhondta/tinyscript
refs/heads/master
tinyscript/helpers/data/types/strings.py
1
# -*- coding: UTF-8 -*- """String-related checking functions and argument types. """ import ast import re from six import binary_type, string_types from string import ascii_lowercase as LC, ascii_uppercase as UC, \ ascii_letters as letters, digits, printable, punctuation __all__ = __features__ = [] def _str2list(s): """ Convert string to list if input is effectively a string. """ # if already a list, simply return it, otherwise ensure input is a string if isinstance(s, list): return s else: s = str(s) # remove heading and trailing brackets if s[0] == '[' and s[-1] == ']' or s[0] == '(' and s[-1] == ')': s = s[1:-1] # then parse list elements from the string l = [] for i in s.split(","): i = i.strip() try: l.append(ast.literal_eval(i)) except Exception: l.append(i) return l def _is_from_alph(s, a, t): if is_str(s): val = str_contains(a, t) try: val(s) return True except ValueError: pass return False # various string-related check functions __all__ += ["is_str", "is_bytes", "is_digits", "is_letters", "is_lowercase", "is_printable", "is_punctuation", "is_uppercase"] is_str = lambda s: isinstance(s, string_types) is_bytes = lambda s: isinstance(s, binary_type) is_digits = lambda s, t=1.0: _is_from_alph(s, digits, t) is_letters = lambda s, t=1.0: _is_from_alph(s, letters, t) is_lowercase = lambda s, t=1.0: _is_from_alph(s, LC, t) is_printable = lambda s, t=1.0: _is_from_alph(s, printable, t) is_punctuation = lambda s, t=1.0: _is_from_alph(s, punctuation, t) is_uppercase = lambda s, t=1.0: _is_from_alph(s, UC, t) # various data format check functions __all__ += ["is_bin", "is_hex"] is_bin = lambda b: is_str(b) and all(set(_).difference(set("01")) == set() \ for _ in re.split(r"\W+", b)) is_hex = lambda h: is_str(h) and len(h) % 2 == 0 and \ set(h.lower()).difference(set("0123456789abcdef")) == set() # some other common check functions __all__ += ["is_long_opt", "is_short_opt"] is_long_opt = lambda o: is_str(o) and \ re.match(r"^--[a-z]+(-[a-z]+)*$", o, re.I) is_short_opt = lambda o: is_str(o) and re.match(r"^-[a-z]$", o, re.I) # -------------------- STRING FORMAT ARGUMENT TYPES -------------------- __all__ += ["str_contains", "str_matches"] def str_contains(alphabet, threshold=1.0): """ Counts the characters of a string and determines, given an alphabet, if the string has enough valid characters. """ if threshold < 0.0 or threshold > 1.0: raise ValueError("Bad threshold (should be between 0 and 1)") def _validation(s): p = sum(int(c in alphabet) for c in s) / float(len(s)) if p < threshold: raise ValueError("Input string does not contain enough items from " "the given alphabet ({:.2f}%)".format(p * 100)) return s return _validation def str_matches(pattern, flags=0): """ Applies the given regular expression to a string argument. """ def _validation(s): if re.match(pattern, s, flags) is None: raise ValueError("Input string does not match the given regex") return s return _validation
ghandiosm/Test
refs/heads/master
addons/website_partner/__init__.py
616
# -*- coding: utf-8 -*- # Part of Odoo. See LICENSE file for full copyright and licensing details. import models import controllers
sugartom/tensorflow-alien
refs/heads/master
tensorflow/examples/tutorials/mnist/input_data.py
165
# Copyright 2015 The TensorFlow Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. # ============================================================================== """Functions for downloading and reading MNIST data.""" from __future__ import absolute_import from __future__ import division from __future__ import print_function import gzip import os import tempfile import numpy from six.moves import urllib from six.moves import xrange # pylint: disable=redefined-builtin import tensorflow as tf from tensorflow.contrib.learn.python.learn.datasets.mnist import read_data_sets
wwj718/ANALYSE
refs/heads/master
lms/djangoapps/courseware/migrations/0008_add_xmodule_storage.py
80
# -*- coding: utf-8 -*- import datetime from south.db import db from south.v2 import SchemaMigration from django.db import models class Migration(SchemaMigration): def forwards(self, orm): # Adding model 'XModuleStudentInfoField' db.create_table('courseware_xmodulestudentinfofield', ( ('id', self.gf('django.db.models.fields.AutoField')(primary_key=True)), ('field_name', self.gf('django.db.models.fields.CharField')(max_length=64, db_index=True)), ('value', self.gf('django.db.models.fields.TextField')(null=True, blank=True)), ('student', self.gf('django.db.models.fields.related.ForeignKey')(to=orm['auth.User'])), ('created', self.gf('django.db.models.fields.DateTimeField')(auto_now_add=True, db_index=True, blank=True)), ('modified', self.gf('django.db.models.fields.DateTimeField')(auto_now=True, db_index=True, blank=True)), )) db.send_create_signal('courseware', ['XModuleStudentInfoField']) # Adding unique constraint on 'XModuleStudentInfoField', fields ['student', 'field_name'] db.create_unique('courseware_xmodulestudentinfofield', ['student_id', 'field_name']) # Adding model 'XModuleContentField' db.create_table('courseware_xmodulecontentfield', ( ('id', self.gf('django.db.models.fields.AutoField')(primary_key=True)), ('field_name', self.gf('django.db.models.fields.CharField')(max_length=64, db_index=True)), ('definition_id', self.gf('django.db.models.fields.CharField')(max_length=255, db_index=True)), ('value', self.gf('django.db.models.fields.TextField')(null=True, blank=True)), ('created', self.gf('django.db.models.fields.DateTimeField')(auto_now_add=True, db_index=True, blank=True)), ('modified', self.gf('django.db.models.fields.DateTimeField')(auto_now=True, db_index=True, blank=True)), )) db.send_create_signal('courseware', ['XModuleContentField']) # Adding unique constraint on 'XModuleContentField', fields ['definition_id', 'field_name'] db.create_unique('courseware_xmodulecontentfield', ['definition_id', 'field_name']) # Adding model 'XModuleSettingsField' db.create_table('courseware_xmodulesettingsfield', ( ('id', self.gf('django.db.models.fields.AutoField')(primary_key=True)), ('field_name', self.gf('django.db.models.fields.CharField')(max_length=64, db_index=True)), ('usage_id', self.gf('django.db.models.fields.CharField')(max_length=255, db_index=True)), ('value', self.gf('django.db.models.fields.TextField')(null=True, blank=True)), ('created', self.gf('django.db.models.fields.DateTimeField')(auto_now_add=True, db_index=True, blank=True)), ('modified', self.gf('django.db.models.fields.DateTimeField')(auto_now=True, db_index=True, blank=True)), )) db.send_create_signal('courseware', ['XModuleSettingsField']) # Adding unique constraint on 'XModuleSettingsField', fields ['usage_id', 'field_name'] db.create_unique('courseware_xmodulesettingsfield', ['usage_id', 'field_name']) # Adding model 'XModuleStudentPrefsField' db.create_table('courseware_xmodulestudentprefsfield', ( ('id', self.gf('django.db.models.fields.AutoField')(primary_key=True)), ('field_name', self.gf('django.db.models.fields.CharField')(max_length=64, db_index=True)), ('module_type', self.gf('django.db.models.fields.CharField')(max_length=64, db_index=True)), ('value', self.gf('django.db.models.fields.TextField')(null=True, blank=True)), ('student', self.gf('django.db.models.fields.related.ForeignKey')(to=orm['auth.User'])), ('created', self.gf('django.db.models.fields.DateTimeField')(auto_now_add=True, db_index=True, blank=True)), ('modified', self.gf('django.db.models.fields.DateTimeField')(auto_now=True, db_index=True, blank=True)), )) db.send_create_signal('courseware', ['XModuleStudentPrefsField']) # Adding unique constraint on 'XModuleStudentPrefsField', fields ['student', 'module_type', 'field_name'] db.create_unique('courseware_xmodulestudentprefsfield', ['student_id', 'module_type', 'field_name']) def backwards(self, orm): # Removing unique constraint on 'XModuleStudentPrefsField', fields ['student', 'module_type', 'field_name'] db.delete_unique('courseware_xmodulestudentprefsfield', ['student_id', 'module_type', 'field_name']) # Removing unique constraint on 'XModuleSettingsField', fields ['usage_id', 'field_name'] db.delete_unique('courseware_xmodulesettingsfield', ['usage_id', 'field_name']) # Removing unique constraint on 'XModuleContentField', fields ['definition_id', 'field_name'] db.delete_unique('courseware_xmodulecontentfield', ['definition_id', 'field_name']) # Removing unique constraint on 'XModuleStudentInfoField', fields ['student', 'field_name'] db.delete_unique('courseware_xmodulestudentinfofield', ['student_id', 'field_name']) # Deleting model 'XModuleStudentInfoField' db.delete_table('courseware_xmodulestudentinfofield') # Deleting model 'XModuleContentField' db.delete_table('courseware_xmodulecontentfield') # Deleting model 'XModuleSettingsField' db.delete_table('courseware_xmodulesettingsfield') # Deleting model 'XModuleStudentPrefsField' db.delete_table('courseware_xmodulestudentprefsfield') models = { 'auth.group': { 'Meta': {'object_name': 'Group'}, 'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}), 'name': ('django.db.models.fields.CharField', [], {'unique': 'True', 'max_length': '80'}), 'permissions': ('django.db.models.fields.related.ManyToManyField', [], {'to': "orm['auth.Permission']", 'symmetrical': 'False', 'blank': 'True'}) }, 'auth.permission': { 'Meta': {'ordering': "('content_type__app_label', 'content_type__model', 'codename')", 'unique_together': "(('content_type', 'codename'),)", 'object_name': 'Permission'}, 'codename': ('django.db.models.fields.CharField', [], {'max_length': '100'}), 'content_type': ('django.db.models.fields.related.ForeignKey', [], {'to': "orm['contenttypes.ContentType']"}), 'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}), 'name': ('django.db.models.fields.CharField', [], {'max_length': '50'}) }, 'auth.user': { 'Meta': {'object_name': 'User'}, 'date_joined': ('django.db.models.fields.DateTimeField', [], {'default': 'datetime.datetime.now'}), 'email': ('django.db.models.fields.EmailField', [], {'max_length': '75', 'blank': 'True'}), 'first_name': ('django.db.models.fields.CharField', [], {'max_length': '30', 'blank': 'True'}), 'groups': ('django.db.models.fields.related.ManyToManyField', [], {'to': "orm['auth.Group']", 'symmetrical': 'False', 'blank': 'True'}), 'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}), 'is_active': ('django.db.models.fields.BooleanField', [], {'default': 'True'}), 'is_staff': ('django.db.models.fields.BooleanField', [], {'default': 'False'}), 'is_superuser': ('django.db.models.fields.BooleanField', [], {'default': 'False'}), 'last_login': ('django.db.models.fields.DateTimeField', [], {'default': 'datetime.datetime.now'}), 'last_name': ('django.db.models.fields.CharField', [], {'max_length': '30', 'blank': 'True'}), 'password': ('django.db.models.fields.CharField', [], {'max_length': '128'}), 'user_permissions': ('django.db.models.fields.related.ManyToManyField', [], {'to': "orm['auth.Permission']", 'symmetrical': 'False', 'blank': 'True'}), 'username': ('django.db.models.fields.CharField', [], {'unique': 'True', 'max_length': '30'}) }, 'contenttypes.contenttype': { 'Meta': {'ordering': "('name',)", 'unique_together': "(('app_label', 'model'),)", 'object_name': 'ContentType', 'db_table': "'django_content_type'"}, 'app_label': ('django.db.models.fields.CharField', [], {'max_length': '100'}), 'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}), 'model': ('django.db.models.fields.CharField', [], {'max_length': '100'}), 'name': ('django.db.models.fields.CharField', [], {'max_length': '100'}) }, 'courseware.studentmodule': { 'Meta': {'unique_together': "(('student', 'module_state_key', 'course_id'),)", 'object_name': 'StudentModule'}, 'course_id': ('django.db.models.fields.CharField', [], {'max_length': '255', 'db_index': 'True'}), 'created': ('django.db.models.fields.DateTimeField', [], {'auto_now_add': 'True', 'db_index': 'True', 'blank': 'True'}), 'done': ('django.db.models.fields.CharField', [], {'default': "'na'", 'max_length': '8', 'db_index': 'True'}), 'grade': ('django.db.models.fields.FloatField', [], {'db_index': 'True', 'null': 'True', 'blank': 'True'}), 'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}), 'max_grade': ('django.db.models.fields.FloatField', [], {'null': 'True', 'blank': 'True'}), 'modified': ('django.db.models.fields.DateTimeField', [], {'auto_now': 'True', 'db_index': 'True', 'blank': 'True'}), 'module_state_key': ('django.db.models.fields.CharField', [], {'max_length': '255', 'db_column': "'module_id'", 'db_index': 'True'}), 'module_type': ('django.db.models.fields.CharField', [], {'default': "'problem'", 'max_length': '32', 'db_index': 'True'}), 'state': ('django.db.models.fields.TextField', [], {'null': 'True', 'blank': 'True'}), 'student': ('django.db.models.fields.related.ForeignKey', [], {'to': "orm['auth.User']"}) }, 'courseware.xmodulecontentfield': { 'Meta': {'unique_together': "(('definition_id', 'field_name'),)", 'object_name': 'XModuleContentField'}, 'created': ('django.db.models.fields.DateTimeField', [], {'auto_now_add': 'True', 'db_index': 'True', 'blank': 'True'}), 'definition_id': ('django.db.models.fields.CharField', [], {'max_length': '255', 'db_index': 'True'}), 'field_name': ('django.db.models.fields.CharField', [], {'max_length': '64', 'db_index': 'True'}), 'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}), 'modified': ('django.db.models.fields.DateTimeField', [], {'auto_now': 'True', 'db_index': 'True', 'blank': 'True'}), 'value': ('django.db.models.fields.TextField', [], {'null': 'True', 'blank': 'True'}) }, 'courseware.xmodulesettingsfield': { 'Meta': {'unique_together': "(('usage_id', 'field_name'),)", 'object_name': 'XModuleSettingsField'}, 'created': ('django.db.models.fields.DateTimeField', [], {'auto_now_add': 'True', 'db_index': 'True', 'blank': 'True'}), 'field_name': ('django.db.models.fields.CharField', [], {'max_length': '64', 'db_index': 'True'}), 'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}), 'modified': ('django.db.models.fields.DateTimeField', [], {'auto_now': 'True', 'db_index': 'True', 'blank': 'True'}), 'usage_id': ('django.db.models.fields.CharField', [], {'max_length': '255', 'db_index': 'True'}), 'value': ('django.db.models.fields.TextField', [], {'null': 'True', 'blank': 'True'}) }, 'courseware.xmodulestudentinfofield': { 'Meta': {'unique_together': "(('student', 'field_name'),)", 'object_name': 'XModuleStudentInfoField'}, 'created': ('django.db.models.fields.DateTimeField', [], {'auto_now_add': 'True', 'db_index': 'True', 'blank': 'True'}), 'field_name': ('django.db.models.fields.CharField', [], {'max_length': '64', 'db_index': 'True'}), 'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}), 'modified': ('django.db.models.fields.DateTimeField', [], {'auto_now': 'True', 'db_index': 'True', 'blank': 'True'}), 'student': ('django.db.models.fields.related.ForeignKey', [], {'to': "orm['auth.User']"}), 'value': ('django.db.models.fields.TextField', [], {'null': 'True', 'blank': 'True'}) }, 'courseware.xmodulestudentprefsfield': { 'Meta': {'unique_together': "(('student', 'module_type', 'field_name'),)", 'object_name': 'XModuleStudentPrefsField'}, 'created': ('django.db.models.fields.DateTimeField', [], {'auto_now_add': 'True', 'db_index': 'True', 'blank': 'True'}), 'field_name': ('django.db.models.fields.CharField', [], {'max_length': '64', 'db_index': 'True'}), 'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}), 'modified': ('django.db.models.fields.DateTimeField', [], {'auto_now': 'True', 'db_index': 'True', 'blank': 'True'}), 'module_type': ('django.db.models.fields.CharField', [], {'max_length': '64', 'db_index': 'True'}), 'student': ('django.db.models.fields.related.ForeignKey', [], {'to': "orm['auth.User']"}), 'value': ('django.db.models.fields.TextField', [], {'null': 'True', 'blank': 'True'}) } } complete_apps = ['courseware']
ChenTangMark/Control_MKZ
refs/heads/master
control_ws/src/path_follower/rosbag/bag2csv.py
1
''' This script saves each topic in a bagfile as a csv. Accepts a filename as an optional argument. Operates on all bagfiles in current directory if no argument provided Usage1 (for one bag file): python bag2csv.py filename.bag Usage 2 (for all bag files in current directory): python bag2csv.py Written by Nick Speal in May 2013 at McGill University's Aerospace Mechatronics Laboratory. Bugfixed by Marc Hanheide June 2016. www.speal.ca Supervised by Professor Inna Sharf, Professor Meyer Nahon ''' import rosbag, sys, csv import time import string import os #for file management make directory import shutil #for file management, copy file #verify correct input arguments: 1 or 2 if (len(sys.argv) > 2): print "invalid number of arguments: " + str(len(sys.argv)) print "should be 2: 'bag2csv.py' and 'bagName'" print "or just 1 : 'bag2csv.py'" sys.exit(1) elif (len(sys.argv) == 2): listOfBagFiles = [sys.argv[1]] numberOfFiles = 1 print "reading only 1 bagfile: " + str(listOfBagFiles[0]) elif (len(sys.argv) == 1): listOfBagFiles = [f for f in os.listdir(".") if f[-4:] == ".bag"] #get list of only bag files in current dir. numberOfFiles = str(len(listOfBagFiles)) print "reading all " + numberOfFiles + " bagfiles in current directory: \n" for f in listOfBagFiles: print f print "\n press ctrl+c in the next 10 seconds to cancel \n" time.sleep(10) else: print "bad argument(s): " + str(sys.argv) #shouldnt really come up sys.exit(1) count = 0 for bagFile in listOfBagFiles: count += 1 print "reading file " + str(count) + " of " + str(numberOfFiles) + ": " + bagFile #access bag bag = rosbag.Bag(bagFile) bagContents = bag.read_messages() bagName = bag.filename #create a new directory folder = string.rstrip(bagName, ".bag") try: #else already exists os.makedirs(folder) except: pass shutil.copyfile(bagName, folder + '/' + bagName) #get list of topics from the bag listOfTopics = [] for topic, msg, t in bagContents: if topic not in listOfTopics: listOfTopics.append(topic) for topicName in listOfTopics: #Create a new CSV file for each topic filename = folder + '/' + string.replace(topicName, '/', '_slash_') + '.csv' with open(filename, 'w+') as csvfile: filewriter = csv.writer(csvfile, delimiter = ',') firstIteration = True #allows header row for subtopic, msg, t in bag.read_messages(topicName): # for each instant in time that has data for topicName #parse data from this instant, which is of the form of multiple lines of "Name: value\n" # - put it in the form of a list of 2-element lists msgString = str(msg) msgList = string.split(msgString, '\n') instantaneousListOfData = [] for nameValuePair in msgList: splitPair = string.split(nameValuePair, ':') for i in range(len(splitPair)): #should be 0 to 1 splitPair[i] = string.strip(splitPair[i]) instantaneousListOfData.append(splitPair) #write the first row from the first element of each pair if firstIteration: # header headers = ["rosbagTimestamp"] #first column header for pair in instantaneousListOfData: headers.append(pair[0]) filewriter.writerow(headers) firstIteration = False # write the value from each pair to the file values = [str(t)] #first column will have rosbag timestamp for pair in instantaneousListOfData: if len(pair)>1: values.append(pair[1]) filewriter.writerow(values) bag.close() print "Done reading all " + str(numberOfFiles) + " bag files."
CoolCloud/ansible
refs/heads/devel
test/units/plugins/action/__init__.py
7690
# (c) 2012-2014, Michael DeHaan <michael.dehaan@gmail.com> # # This file is part of Ansible # # Ansible is free software: you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by # the Free Software Foundation, either version 3 of the License, or # (at your option) any later version. # # Ansible 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 General Public License for more details. # # You should have received a copy of the GNU General Public License # along with Ansible. If not, see <http://www.gnu.org/licenses/>. # Make coding more python3-ish from __future__ import (absolute_import, division, print_function) __metaclass__ = type
bryanrtboy/videoselector
refs/heads/master
shutdownclients.py
1
from pssh import ParallelSSHClient, utils output = [] hosts = ['client0', 'client1', 'client2','client3', 'client4'] client = ParallelSSHClient(hosts) def shutdown_all(): cmds=["shutdown now"] for cmd in cmds: output.append(client.run_command(cmd, stop_on_errors=False, sudo=True)) for _output in output: client.join(_output) print(_output) print("Finished shutting down clients") if __name__ == "__main__": shutdown_all()
fschaefer/android-samsung-3.0-jb
refs/heads/android-samsung-3.0-jb-mr0
scripts/tracing/draw_functrace.py
14679
#!/usr/bin/python """ Copyright 2008 (c) Frederic Weisbecker <fweisbec@gmail.com> Licensed under the terms of the GNU GPL License version 2 This script parses a trace provided by the function tracer in kernel/trace/trace_functions.c The resulted trace is processed into a tree to produce a more human view of the call stack by drawing textual but hierarchical tree of calls. Only the functions's names and the the call time are provided. Usage: Be sure that you have CONFIG_FUNCTION_TRACER # mount -t debugfs nodev /sys/kernel/debug # echo function > /sys/kernel/debug/tracing/current_tracer $ cat /sys/kernel/debug/tracing/trace_pipe > ~/raw_trace_func Wait some times but not too much, the script is a bit slow. Break the pipe (Ctrl + Z) $ scripts/draw_functrace.py < raw_trace_func > draw_functrace Then you have your drawn trace in draw_functrace """ import sys, re class CallTree: """ This class provides a tree representation of the functions call stack. If a function has no parent in the kernel (interrupt, syscall, kernel thread...) then it is attached to a virtual parent called ROOT. """ ROOT = None def __init__(self, func, time = None, parent = None): self._func = func self._time = time if parent is None: self._parent = CallTree.ROOT else: self._parent = parent self._children = [] def calls(self, func, calltime): """ If a function calls another one, call this method to insert it into the tree at the appropriate place. @return: A reference to the newly created child node. """ child = CallTree(func, calltime, self) self._children.append(child) return child def getParent(self, func): """ Retrieve the last parent of the current node that has the name given by func. If this function is not on a parent, then create it as new child of root @return: A reference to the parent. """ tree = self while tree != CallTree.ROOT and tree._func != func: tree = tree._parent if tree == CallTree.ROOT: child = CallTree.ROOT.calls(func, None) return child return tree def __repr__(self): return self.__toString("", True) def __toString(self, branch, lastChild): if self._time is not None: s = "%s----%s (%s)\n" % (branch, self._func, self._time) else: s = "%s----%s\n" % (branch, self._func) i = 0 if lastChild: branch = branch[:-1] + " " while i < len(self._children): if i != len(self._children) - 1: s += "%s" % self._children[i].__toString(branch +\ " |", False) else: s += "%s" % self._children[i].__toString(branch +\ " |", True) i += 1 return s class BrokenLineException(Exception): """If the last line is not complete because of the pipe breakage, we want to stop the processing and ignore this line. """ pass class CommentLineException(Exception): """ If the line is a comment (as in the beginning of the trace file), just ignore it. """ pass def parseLine(line): line = line.strip() if line.startswith("#"): raise CommentLineException m = re.match("[^]]+?\\] +([0-9.]+): (\\w+) <-(\\w+)", line) if m is None: raise BrokenLineException return (m.group(1), m.group(2), m.group(3)) def main(): CallTree.ROOT = CallTree("Root (Nowhere)", None, None) tree = CallTree.ROOT for line in sys.stdin: try: calltime, callee, caller = parseLine(line) except BrokenLineException: break except CommentLineException: continue tree = tree.getParent(caller) tree = tree.calls(callee, calltime) print CallTree.ROOT if __name__ == "__main__": main()
anushav85/IntroToHadoopAndMR__Udacity_Course
refs/heads/master
ProblemStatement1/Python/P1Q3_Mapper.py
4
#!/usr/bin/python # Find the total sales value across all the stores, and the total number of sales. Assume there is only one reducer. # Format of each line is: # date\ttime\tstore name\titem description\tcost\tmethod of payment import sys for line in sys.stdin: data = line.strip().split("\t") if len(data) == 6: date, time, store, item, cost, payment = data print "{0}\t{1}".format(1, cost)
sestrella/ansible
refs/heads/devel
test/units/modules/network/check_point/test_cp_mgmt_security_zone.py
19
# Ansible module to manage CheckPoint Firewall (c) 2019 # # Ansible is free software: you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by # the Free Software Foundation, either version 3 of the License, or # (at your option) any later version. # # Ansible 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 General Public License for more details. # # You should have received a copy of the GNU General Public License # along with Ansible. If not, see <http://www.gnu.org/licenses/>. # from __future__ import absolute_import, division, print_function __metaclass__ = type import pytest from units.modules.utils import set_module_args, exit_json, fail_json, AnsibleExitJson from ansible.module_utils import basic from ansible.modules.network.check_point import cp_mgmt_security_zone OBJECT = { "name": "SZone1", "comments": "My Security Zone 1", "color": "yellow" } CREATE_PAYLOAD = { "name": "SZone1", "comments": "My Security Zone 1", "color": "yellow" } UPDATE_PAYLOAD = { "name": "SZone1" } OBJECT_AFTER_UPDATE = UPDATE_PAYLOAD DELETE_PAYLOAD = { "name": "SZone1", "state": "absent" } function_path = 'ansible.modules.network.check_point.cp_mgmt_security_zone.api_call' api_call_object = 'security-zone' class TestCheckpointSecurityZone(object): module = cp_mgmt_security_zone @pytest.fixture(autouse=True) def module_mock(self, mocker): return mocker.patch.multiple(basic.AnsibleModule, exit_json=exit_json, fail_json=fail_json) @pytest.fixture def connection_mock(self, mocker): connection_class_mock = mocker.patch('ansible.module_utils.network.checkpoint.checkpoint.Connection') return connection_class_mock.return_value def test_create(self, mocker, connection_mock): mock_function = mocker.patch(function_path) mock_function.return_value = {'changed': True, api_call_object: OBJECT} result = self._run_module(CREATE_PAYLOAD) assert result['changed'] assert OBJECT.items() == result[api_call_object].items() def test_create_idempotent(self, mocker, connection_mock): mock_function = mocker.patch(function_path) mock_function.return_value = {'changed': False, api_call_object: OBJECT} result = self._run_module(CREATE_PAYLOAD) assert not result['changed'] def test_update(self, mocker, connection_mock): mock_function = mocker.patch(function_path) mock_function.return_value = {'changed': True, api_call_object: OBJECT_AFTER_UPDATE} result = self._run_module(UPDATE_PAYLOAD) assert result['changed'] assert OBJECT_AFTER_UPDATE.items() == result[api_call_object].items() def test_update_idempotent(self, mocker, connection_mock): mock_function = mocker.patch(function_path) mock_function.return_value = {'changed': False, api_call_object: OBJECT_AFTER_UPDATE} result = self._run_module(UPDATE_PAYLOAD) assert not result['changed'] def test_delete(self, mocker, connection_mock): mock_function = mocker.patch(function_path) mock_function.return_value = {'changed': True} result = self._run_module(DELETE_PAYLOAD) assert result['changed'] def test_delete_idempotent(self, mocker, connection_mock): mock_function = mocker.patch(function_path) mock_function.return_value = {'changed': False} result = self._run_module(DELETE_PAYLOAD) assert not result['changed'] def _run_module(self, module_args): set_module_args(module_args) with pytest.raises(AnsibleExitJson) as ex: self.module.main() return ex.value.args[0]
cidadania/e-cidadania
refs/heads/master
tests/unit_tests/src/core/views/test_invite.py
2
#/usr/bin/env python # -*- coding: utf-8 -*- # # Copyright (c) 2010-2012 Cidadania S. Coop. Galega # # This file is part of e-cidadania. # # e-cidadania is free software: you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by # the Free Software Foundation, either version 3 of the License, or # (at your option) any later version. # # e-cidadania 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 General Public License for more details. # # You should have received a copy of the GNU General Public License # along with e-cidadania. If not, see <http://www.gnu.org/licenses/>. from e_cidadania import url_names from apps.ecidadania.news import models from tests.test_utils import ECDTestCase class InviteViewTest(ECDTestCase): """Tests the invite view in core.views.invite. """ def setUp(self): self.init() def testInviteView(self): url = self.getURL(url_names.INVITE) response = self.get(url) self.assertResponseOK(response) self.create_user('test_user', 'user_pass', logged_in=True) response = self.get(url) #print self.printResponse(response) #print response.context['uri'] self.assertResponseOK(response) post_data = {'email_addr': 'test@gmail.com', 'mail_msg':'test'} response = self.post(url, data=post_data) self.assertResponseOK(response)
bzero/networkx
refs/heads/master
networkx/algorithms/core.py
26
""" Find the k-cores of a graph. The k-core is found by recursively pruning nodes with degrees less than k. See the following reference for details: An O(m) Algorithm for Cores Decomposition of Networks Vladimir Batagelj and Matjaz Zaversnik, 2003. http://arxiv.org/abs/cs.DS/0310049 """ __author__ = "\n".join(['Dan Schult (dschult@colgate.edu)', 'Jason Grout (jason-sage@creativetrax.com)', 'Aric Hagberg (hagberg@lanl.gov)']) # Copyright (C) 2004-2015 by # Aric Hagberg <hagberg@lanl.gov> # Dan Schult <dschult@colgate.edu> # Pieter Swart <swart@lanl.gov> # All rights reserved. # BSD license. __all__ = ['core_number','k_core','k_shell','k_crust','k_corona','find_cores'] import networkx as nx def core_number(G): """Return the core number for each vertex. A k-core is a maximal subgraph that contains nodes of degree k or more. The core number of a node is the largest value k of a k-core containing that node. Parameters ---------- G : NetworkX graph A graph or directed graph Returns ------- core_number : dictionary A dictionary keyed by node to the core number. Raises ------ NetworkXError The k-core is not defined for graphs with self loops or parallel edges. Notes ----- Not implemented for graphs with parallel edges or self loops. For directed graphs the node degree is defined to be the in-degree + out-degree. References ---------- .. [1] An O(m) Algorithm for Cores Decomposition of Networks Vladimir Batagelj and Matjaz Zaversnik, 2003. http://arxiv.org/abs/cs.DS/0310049 """ if G.is_multigraph(): raise nx.NetworkXError( 'MultiGraph and MultiDiGraph types not supported.') if G.number_of_selfloops()>0: raise nx.NetworkXError( 'Input graph has self loops; the core number is not defined.', 'Consider using G.remove_edges_from(G.selfloop_edges()).') if G.is_directed(): import itertools def neighbors(v): return itertools.chain.from_iterable([G.predecessors_iter(v), G.successors_iter(v)]) else: neighbors=G.neighbors_iter degrees=G.degree() # sort nodes by degree nodes=sorted(degrees,key=degrees.get) bin_boundaries=[0] curr_degree=0 for i,v in enumerate(nodes): if degrees[v]>curr_degree: bin_boundaries.extend([i]*(degrees[v]-curr_degree)) curr_degree=degrees[v] node_pos = dict((v,pos) for pos,v in enumerate(nodes)) # initial guesses for core is degree core=degrees nbrs=dict((v,set(neighbors(v))) for v in G) for v in nodes: for u in nbrs[v]: if core[u] > core[v]: nbrs[u].remove(v) pos=node_pos[u] bin_start=bin_boundaries[core[u]] node_pos[u]=bin_start node_pos[nodes[bin_start]]=pos nodes[bin_start],nodes[pos]=nodes[pos],nodes[bin_start] bin_boundaries[core[u]]+=1 core[u]-=1 return core find_cores=core_number def k_core(G,k=None,core_number=None): """Return the k-core of G. A k-core is a maximal subgraph that contains nodes of degree k or more. Parameters ---------- G : NetworkX graph A graph or directed graph k : int, optional The order of the core. If not specified return the main core. core_number : dictionary, optional Precomputed core numbers for the graph G. Returns ------- G : NetworkX graph The k-core subgraph Raises ------ NetworkXError The k-core is not defined for graphs with self loops or parallel edges. Notes ----- The main core is the core with the largest degree. Not implemented for graphs with parallel edges or self loops. For directed graphs the node degree is defined to be the in-degree + out-degree. Graph, node, and edge attributes are copied to the subgraph. See Also -------- core_number References ---------- .. [1] An O(m) Algorithm for Cores Decomposition of Networks Vladimir Batagelj and Matjaz Zaversnik, 2003. http://arxiv.org/abs/cs.DS/0310049 """ if core_number is None: core_number=nx.core_number(G) if k is None: k=max(core_number.values()) # max core nodes=(n for n in core_number if core_number[n]>=k) return G.subgraph(nodes).copy() def k_shell(G,k=None,core_number=None): """Return the k-shell of G. The k-shell is the subgraph of nodes in the k-core but not in the (k+1)-core. Parameters ---------- G : NetworkX graph A graph or directed graph. k : int, optional The order of the shell. If not specified return the main shell. core_number : dictionary, optional Precomputed core numbers for the graph G. Returns ------- G : NetworkX graph The k-shell subgraph Raises ------ NetworkXError The k-shell is not defined for graphs with self loops or parallel edges. Notes ----- This is similar to k_corona but in that case only neighbors in the k-core are considered. Not implemented for graphs with parallel edges or self loops. For directed graphs the node degree is defined to be the in-degree + out-degree. Graph, node, and edge attributes are copied to the subgraph. See Also -------- core_number k_corona References ---------- .. [1] A model of Internet topology using k-shell decomposition Shai Carmi, Shlomo Havlin, Scott Kirkpatrick, Yuval Shavitt, and Eran Shir, PNAS July 3, 2007 vol. 104 no. 27 11150-11154 http://www.pnas.org/content/104/27/11150.full """ if core_number is None: core_number=nx.core_number(G) if k is None: k=max(core_number.values()) # max core nodes=(n for n in core_number if core_number[n]==k) return G.subgraph(nodes).copy() def k_crust(G,k=None,core_number=None): """Return the k-crust of G. The k-crust is the graph G with the k-core removed. Parameters ---------- G : NetworkX graph A graph or directed graph. k : int, optional The order of the shell. If not specified return the main crust. core_number : dictionary, optional Precomputed core numbers for the graph G. Returns ------- G : NetworkX graph The k-crust subgraph Raises ------ NetworkXError The k-crust is not defined for graphs with self loops or parallel edges. Notes ----- This definition of k-crust is different than the definition in [1]_. The k-crust in [1]_ is equivalent to the k+1 crust of this algorithm. Not implemented for graphs with parallel edges or self loops. For directed graphs the node degree is defined to be the in-degree + out-degree. Graph, node, and edge attributes are copied to the subgraph. See Also -------- core_number References ---------- .. [1] A model of Internet topology using k-shell decomposition Shai Carmi, Shlomo Havlin, Scott Kirkpatrick, Yuval Shavitt, and Eran Shir, PNAS July 3, 2007 vol. 104 no. 27 11150-11154 http://www.pnas.org/content/104/27/11150.full """ if core_number is None: core_number=nx.core_number(G) if k is None: k=max(core_number.values())-1 nodes=(n for n in core_number if core_number[n]<=k) return G.subgraph(nodes).copy() def k_corona(G, k, core_number=None): """Return the k-corona of G. The k-corona is the subgraph of nodes in the k-core which have exactly k neighbours in the k-core. Parameters ---------- G : NetworkX graph A graph or directed graph k : int The order of the corona. core_number : dictionary, optional Precomputed core numbers for the graph G. Returns ------- G : NetworkX graph The k-corona subgraph Raises ------ NetworkXError The k-cornoa is not defined for graphs with self loops or parallel edges. Notes ----- Not implemented for graphs with parallel edges or self loops. For directed graphs the node degree is defined to be the in-degree + out-degree. Graph, node, and edge attributes are copied to the subgraph. See Also -------- core_number References ---------- .. [1] k -core (bootstrap) percolation on complex networks: Critical phenomena and nonlocal effects, A. V. Goltsev, S. N. Dorogovtsev, and J. F. F. Mendes, Phys. Rev. E 73, 056101 (2006) http://link.aps.org/doi/10.1103/PhysRevE.73.056101 """ if core_number is None: core_number = nx.core_number(G) nodes = (n for n in core_number if core_number[n] == k and len([v for v in G[n] if core_number[v] >= k]) == k) return G.subgraph(nodes).copy()
hoangt/gem5v
refs/heads/master
tests/configs/pc-simple-timing.py
2
# Copyright (c) 2006-2007 The Regents of The University of Michigan # All rights reserved. # # Redistribution and use in source and binary forms, with or without # modification, are permitted provided that the following conditions are # met: redistributions of source code must retain the above copyright # notice, this list of conditions and the following disclaimer; # redistributions in binary form must reproduce the above copyright # notice, this list of conditions and the following disclaimer in the # documentation and/or other materials provided with the distribution; # neither the name of the copyright holders nor the names of its # contributors may be used to endorse or promote products derived from # this software without specific prior written permission. # # THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS # "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT # LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR # A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT # OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, # SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT # LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, # DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY # THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT # (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE # OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. # # Authors: Steve Reinhardt import m5 from m5.objects import * m5.util.addToPath('../configs/common') from Benchmarks import SysConfig import FSConfig from Caches import * mem_size = '128MB' #cpu cpu = TimingSimpleCPU(cpu_id=0) #the system mdesc = SysConfig(disk = 'linux-x86.img') system = FSConfig.makeLinuxX86System('timing', mdesc = mdesc) system.kernel = FSConfig.binary('x86_64-vmlinux-2.6.22.9') system.cpu = cpu #create the iocache system.iocache = IOCache(clock = '1GHz', addr_ranges = [AddrRange(mem_size)]) system.iocache.cpu_side = system.iobus.master system.iocache.mem_side = system.membus.slave #connect up the cpu and caches cpu.addTwoLevelCacheHierarchy(L1(size = '32kB', assoc = 1), L1(size = '32kB', assoc = 4), L2(size = '4MB', assoc = 8), PageTableWalkerCache(), PageTableWalkerCache()) # create the interrupt controller cpu.createInterruptController() # connect cpu and caches to the rest of the system cpu.connectAllPorts(system.membus) # set the cpu clock along with the caches and l1-l2 bus cpu.clock = '2GHz' root = Root(full_system=True, system=system) m5.ticks.setGlobalFrequency('1THz')
ArcherSys/ArcherSys
refs/heads/master
Lib/site-packages/PIL/PcfFontFile.py
72
# # THIS IS WORK IN PROGRESS # # The Python Imaging Library # $Id$ # # portable compiled font file parser # # history: # 1997-08-19 fl created # 2003-09-13 fl fixed loading of unicode fonts # # Copyright (c) 1997-2003 by Secret Labs AB. # Copyright (c) 1997-2003 by Fredrik Lundh. # # See the README file for information on usage and redistribution. # from PIL import Image from PIL import FontFile from PIL import _binary # -------------------------------------------------------------------- # declarations PCF_MAGIC = 0x70636601 # "\x01fcp" PCF_PROPERTIES = (1 << 0) PCF_ACCELERATORS = (1 << 1) PCF_METRICS = (1 << 2) PCF_BITMAPS = (1 << 3) PCF_INK_METRICS = (1 << 4) PCF_BDF_ENCODINGS = (1 << 5) PCF_SWIDTHS = (1 << 6) PCF_GLYPH_NAMES = (1 << 7) PCF_BDF_ACCELERATORS = (1 << 8) BYTES_PER_ROW = [ lambda bits: ((bits+7) >> 3), lambda bits: ((bits+15) >> 3) & ~1, lambda bits: ((bits+31) >> 3) & ~3, lambda bits: ((bits+63) >> 3) & ~7, ] i8 = _binary.i8 l16 = _binary.i16le l32 = _binary.i32le b16 = _binary.i16be b32 = _binary.i32be def sz(s, o): return s[o:s.index(b"\0", o)] ## # Font file plugin for the X11 PCF format. class PcfFontFile(FontFile.FontFile): name = "name" def __init__(self, fp): magic = l32(fp.read(4)) if magic != PCF_MAGIC: raise SyntaxError("not a PCF file") FontFile.FontFile.__init__(self) count = l32(fp.read(4)) self.toc = {} for i in range(count): type = l32(fp.read(4)) self.toc[type] = l32(fp.read(4)), l32(fp.read(4)), l32(fp.read(4)) self.fp = fp self.info = self._load_properties() metrics = self._load_metrics() bitmaps = self._load_bitmaps(metrics) encoding = self._load_encoding() # # create glyph structure for ch in range(256): ix = encoding[ch] if ix is not None: x, y, l, r, w, a, d, f = metrics[ix] glyph = (w, 0), (l, d-y, x+l, d), (0, 0, x, y), bitmaps[ix] self.glyph[ch] = glyph def _getformat(self, tag): format, size, offset = self.toc[tag] fp = self.fp fp.seek(offset) format = l32(fp.read(4)) if format & 4: i16, i32 = b16, b32 else: i16, i32 = l16, l32 return fp, format, i16, i32 def _load_properties(self): # # font properties properties = {} fp, format, i16, i32 = self._getformat(PCF_PROPERTIES) nprops = i32(fp.read(4)) # read property description p = [] for i in range(nprops): p.append((i32(fp.read(4)), i8(fp.read(1)), i32(fp.read(4)))) if nprops & 3: fp.seek(4 - (nprops & 3), 1) # pad data = fp.read(i32(fp.read(4))) for k, s, v in p: k = sz(data, k) if s: v = sz(data, v) properties[k] = v return properties def _load_metrics(self): # # font metrics metrics = [] fp, format, i16, i32 = self._getformat(PCF_METRICS) append = metrics.append if (format & 0xff00) == 0x100: # "compressed" metrics for i in range(i16(fp.read(2))): left = i8(fp.read(1)) - 128 right = i8(fp.read(1)) - 128 width = i8(fp.read(1)) - 128 ascent = i8(fp.read(1)) - 128 descent = i8(fp.read(1)) - 128 xsize = right - left ysize = ascent + descent append( (xsize, ysize, left, right, width, ascent, descent, 0) ) else: # "jumbo" metrics for i in range(i32(fp.read(4))): left = i16(fp.read(2)) right = i16(fp.read(2)) width = i16(fp.read(2)) ascent = i16(fp.read(2)) descent = i16(fp.read(2)) attributes = i16(fp.read(2)) xsize = right - left ysize = ascent + descent append( (xsize, ysize, left, right, width, ascent, descent, attributes) ) return metrics def _load_bitmaps(self, metrics): # # bitmap data bitmaps = [] fp, format, i16, i32 = self._getformat(PCF_BITMAPS) nbitmaps = i32(fp.read(4)) if nbitmaps != len(metrics): raise IOError("Wrong number of bitmaps") offsets = [] for i in range(nbitmaps): offsets.append(i32(fp.read(4))) bitmapSizes = [] for i in range(4): bitmapSizes.append(i32(fp.read(4))) # byteorder = format & 4 # non-zero => MSB bitorder = format & 8 # non-zero => MSB padindex = format & 3 bitmapsize = bitmapSizes[padindex] offsets.append(bitmapsize) data = fp.read(bitmapsize) pad = BYTES_PER_ROW[padindex] mode = "1;R" if bitorder: mode = "1" for i in range(nbitmaps): x, y, l, r, w, a, d, f = metrics[i] b, e = offsets[i], offsets[i+1] bitmaps.append( Image.frombytes("1", (x, y), data[b:e], "raw", mode, pad(x)) ) return bitmaps def _load_encoding(self): # map character code to bitmap index encoding = [None] * 256 fp, format, i16, i32 = self._getformat(PCF_BDF_ENCODINGS) firstCol, lastCol = i16(fp.read(2)), i16(fp.read(2)) firstRow, lastRow = i16(fp.read(2)), i16(fp.read(2)) default = i16(fp.read(2)) nencoding = (lastCol - firstCol + 1) * (lastRow - firstRow + 1) for i in range(nencoding): encodingOffset = i16(fp.read(2)) if encodingOffset != 0xFFFF: try: encoding[i+firstCol] = encodingOffset except IndexError: break # only load ISO-8859-1 glyphs return encoding
mortbauer/openfoam-extend-Breeder-other-scripting-PyFoam
refs/heads/master
bin/pyFoamCaseReport.py
3
#! /usr/bin/env python from PyFoam.Applications.CaseReport import CaseReport CaseReport()
cernops/nova
refs/heads/master
nova/tests/unit/api/openstack/compute/test_floating_ips_bulk.py
35
# Copyright 2012 IBM Corp. # # Licensed under the Apache License, Version 2.0 (the "License"); you may # not use this file except in compliance with the License. You may obtain # a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, WITHOUT # WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the # License for the specific language governing permissions and limitations # under the License. import mock import netaddr from oslo_config import cfg import webob from nova.api.openstack.compute import floating_ips_bulk \ as fipbulk_v21 from nova.api.openstack.compute.legacy_v2.contrib import floating_ips_bulk \ as fipbulk_v2 from nova import context from nova import exception from nova import objects from nova import test from nova.tests.unit.api.openstack import fakes CONF = cfg.CONF class FloatingIPBulkV21(test.TestCase): floating_ips_bulk = fipbulk_v21 bad_request = exception.ValidationError def setUp(self): super(FloatingIPBulkV21, self).setUp() self.context = context.get_admin_context() self.controller = self.floating_ips_bulk.FloatingIPBulkController() self.req = fakes.HTTPRequest.blank('') def _setup_floating_ips(self, ip_range): body = {'floating_ips_bulk_create': {'ip_range': ip_range}} res_dict = self.controller.create(self.req, body=body) response = {"floating_ips_bulk_create": { 'ip_range': ip_range, 'pool': CONF.default_floating_pool, 'interface': CONF.public_interface}} self.assertEqual(res_dict, response) def test_create_ips(self): ip_range = '192.168.1.0/28' self._setup_floating_ips(ip_range) def test_create_ips_pool(self): ip_range = '10.0.1.0/29' pool = 'a new pool' body = {'floating_ips_bulk_create': {'ip_range': ip_range, 'pool': pool}} res_dict = self.controller.create(self.req, body=body) response = {"floating_ips_bulk_create": { 'ip_range': ip_range, 'pool': pool, 'interface': CONF.public_interface}} self.assertEqual(res_dict, response) def test_list_ips(self): self._test_list_ips(self.req) def _test_list_ips(self, req): ip_range = '192.168.1.1/28' self._setup_floating_ips(ip_range) res_dict = self.controller.index(req) ip_info = [{'address': str(ip_addr), 'pool': CONF.default_floating_pool, 'interface': CONF.public_interface, 'project_id': None, 'instance_uuid': None, 'fixed_ip': None} for ip_addr in netaddr.IPNetwork(ip_range).iter_hosts()] response = {'floating_ip_info': ip_info} self.assertEqual(res_dict, response) def test_list_ips_associated(self): self._test_list_ips_associated(self.req) @mock.patch('nova.objects.FloatingIPList.get_all') def _test_list_ips_associated(self, req, mock_get): instance_uuid = "fake-uuid" fixed_address = "10.0.0.1" floating_address = "192.168.0.1" fixed_ip = objects.FixedIP(instance_uuid=instance_uuid, address=fixed_address) floating_ip = objects.FloatingIP(address=floating_address, fixed_ip=fixed_ip, pool=CONF.default_floating_pool, interface=CONF.public_interface, project_id=None) floating_list = objects.FloatingIPList(objects=[floating_ip]) mock_get.return_value = floating_list res_dict = self.controller.index(req) ip_info = [{'address': floating_address, 'pool': CONF.default_floating_pool, 'interface': CONF.public_interface, 'project_id': None, 'instance_uuid': instance_uuid, 'fixed_ip': fixed_address}] response = {'floating_ip_info': ip_info} self.assertEqual(res_dict, response) def test_list_ip_by_host(self): self._test_list_ip_by_host(self.req) def _test_list_ip_by_host(self, req): ip_range = '192.168.1.1/28' self._setup_floating_ips(ip_range) self.assertRaises(webob.exc.HTTPNotFound, self.controller.show, req, 'host') def test_delete_ips(self): self._test_delete_ips(self.req) def _test_delete_ips(self, req): ip_range = '192.168.1.0/29' self._setup_floating_ips(ip_range) body = {'ip_range': ip_range} res_dict = self.controller.update(req, "delete", body=body) response = {"floating_ips_bulk_delete": ip_range} self.assertEqual(res_dict, response) # Check that the IPs are actually deleted res_dict = self.controller.index(req) response = {'floating_ip_info': []} self.assertEqual(res_dict, response) def test_create_duplicate_fail(self): ip_range = '192.168.1.0/30' self._setup_floating_ips(ip_range) ip_range = '192.168.1.0/29' body = {'floating_ips_bulk_create': {'ip_range': ip_range}} self.assertRaises(webob.exc.HTTPConflict, self.controller.create, self.req, body=body) def test_create_bad_cidr_fail(self): # netaddr can't handle /32 or 31 cidrs ip_range = '192.168.1.1/32' body = {'floating_ips_bulk_create': {'ip_range': ip_range}} self.assertRaises(webob.exc.HTTPBadRequest, self.controller.create, self.req, body=body) def test_create_invalid_cidr_fail(self): ip_range = 'not a cidr' body = {'floating_ips_bulk_create': {'ip_range': ip_range}} self.assertRaises(self.bad_request, self.controller.create, self.req, body=body) class FloatingIPBulkV2(FloatingIPBulkV21): floating_ips_bulk = fipbulk_v2 bad_request = webob.exc.HTTPBadRequest def setUp(self): super(FloatingIPBulkV2, self).setUp() self.non_admin_req = fakes.HTTPRequest.blank('') self.admin_req = fakes.HTTPRequest.blank('', use_admin_context=True) def test_list_ips_with_non_admin(self): ip_range = '192.168.1.1/28' self._setup_floating_ips(ip_range) self.assertRaises(exception.AdminRequired, self.controller.index, self.non_admin_req) def test_list_ip_with_non_admin(self): ip_range = '192.168.1.1/28' self._setup_floating_ips(ip_range) self.assertRaises(exception.AdminRequired, self.controller.show, self.non_admin_req, "host") def test_delete_ips(self): self._test_delete_ips(self.admin_req) def test_list_ip_by_host(self): self._test_list_ip_by_host(self.admin_req) def test_list_ips_associated(self): self._test_list_ips_associated(self.admin_req) def test_list_ips(self): self._test_list_ips(self.admin_req) class FloatingIPBulkPolicyEnforcementV21(test.NoDBTestCase): def setUp(self): super(FloatingIPBulkPolicyEnforcementV21, self).setUp() self.controller = fipbulk_v21.FloatingIPBulkController() self.req = fakes.HTTPRequest.blank('') def _common_policy_check(self, func, *arg, **kwarg): rule_name = "os_compute_api:os-floating-ips-bulk" rule = {rule_name: "project:non_fake"} self.policy.set_rules(rule) exc = self.assertRaises( exception.PolicyNotAuthorized, func, *arg, **kwarg) self.assertEqual( "Policy doesn't allow %s to be performed." % rule_name, exc.format_message()) def test_index_policy_failed(self): self._common_policy_check(self.controller.index, self.req) def test_show_ip_policy_failed(self): self._common_policy_check(self.controller.show, self.req, "host") def test_create_policy_failed(self): ip_range = '192.168.1.0/28' body = {'floating_ips_bulk_create': {'ip_range': ip_range}} self._common_policy_check(self.controller.create, self.req, body=body) def test_update_policy_failed(self): ip_range = '192.168.1.0/29' body = {'ip_range': ip_range} self._common_policy_check(self.controller.update, self.req, "delete", body=body)
egaxegax/dbCarta
refs/heads/master
demos/data/countries.py
1
""" List with coords of world countries. [[ftype, ftag, coords, label, centerof, ismap],...] """ COUNTRIES=[ ["Country","AF0",[[74.5654296875,37.0278167724609],[74.0352630615234,36.8153762817383],[72.5785980224609,36.8254318237305],[71.6441802978516,36.4659690856934],[71.2460861206055,36.1313781738281],[71.648323059082,35.4281845092773],[71.4937973022461,34.9576988220215],[70.9822769165039,34.5379066467285],[71.154914855957,34.3556175231934],[71.081169128418,34.0561714172363],[69.9009552001953,34.0291595458984],[70.3247756958008,33.3327026367188],[69.5070724487305,33.0361061096191],[69.2478942871094,32.4411010742188],[69.3282470703125,31.9403648376465],[68.827766418457,31.6058292388916],[68.5761032104492,31.8234691619873],[68.1636276245117,31.8293361663818],[67.5813751220703,31.5292682647705],[67.7905502319336,31.3434047698975],[66.7215805053711,31.2073554992676],[66.400260925293,30.9434680938721],[66.2566528320312,29.8519401550293],[64.0591430664062,29.4144401550293],[62.4844360351562,29.4061050415039],[60.8663024902344,29.863655090332],[61.8501319885254,31.0238857269287],[61.7136077880859,31.3833312988281],[60.8488121032715,31.4961051940918],[60.8583297729492,32.2259635925293],[60.5824966430664,33.0661010742188],[60.9388771057129,33.5170402526855],[60.5308265686035,33.6399917602539],[60.5044403076172,34.1222152709961],[60.8788757324219,34.3197174072266],[60.723876953125,34.5279121398926],[61.0511016845703,34.789436340332],[61.2765579223633,35.6072463989258],[62.0427017211914,35.4412384033203],[62.3121185302734,35.1459884643555],[62.7270736694336,35.2576332092285],[63.1073532104492,35.4569396972656],[63.1231079101562,35.86279296875],[64.5036010742188,36.2805480957031],[64.8230438232422,37.1386032104492],[65.5630416870117,37.2613143920898],[65.6975479125977,37.5325622558594],[66.5377349853516,37.3663787841797],[67.7798767089844,37.1858215332031],[68.0580139160156,36.9325256347656],[68.8911056518555,37.3384628295898],[69.2866516113281,37.1041641235352],[69.5222091674805,37.5823516845703],[70.1558227539062,37.5362319946289],[70.2860946655273,37.6996994018555],[70.1625366210938,37.928955078125],[70.9601287841797,38.4719772338867],[71.3619232177734,38.2479438781738],[71.2521438598633,37.9279365539551],[71.5848541259766,37.9117393493652],[71.4308166503906,37.0669364929199],[71.6772003173828,36.6760101318359],[72.6624603271484,37.0253486633301],[73.2992858886719,37.460391998291],[73.7763214111328,37.432861328125],[73.6205978393555,37.2635231018066],[73.7385864257812,37.2216491699219],[74.2541580200195,37.4094047546387],[74.9157409667969,37.2373275756836],[74.3908920288086,37.1700019836426],[74.5654296875,37.0278167724609]],"Afghanistan"], ["Country","AL0",[[20.0100288391113,39.6912002563477],[19.8572902679443,40.0434684753418],[19.2897891998291,40.4214515686035],[19.4794425964355,40.3548583984375],[19.3072090148926,40.6453094482422],[19.5216636657715,40.909854888916],[19.442497253418,41.4069442749023],[19.5991649627686,41.7797203063965],[19.3677711486816,41.8489990234375],[19.2885398864746,42.1829109191895],[19.6515254974365,42.6231880187988],[19.8224983215332,42.4719390869141],[20.0714225769043,42.5609130859375],[20.5251369476318,42.2130508422852],[20.5896415710449,41.8821868896484],[20.5191650390625,41.2463836669922],[20.7408103942871,40.909538269043],[20.9834899902344,40.8558883666992],[21.0420799255371,40.5640258789062],[20.7919235229492,40.4315414428711],[20.6670799255371,40.0962448120117],[20.3154144287109,39.9918022155762],[20.4133319854736,39.8201332092285],[20.2199974060059,39.6473579406738],[20.0100288391113,39.6912002563477]],"Albania"], ["Country","AG0",[[4.24527740478516,19.1466636657715],[3.33194398880005,18.9763870239258],[3.11701345443726,19.1455516815186],[3.27805542945862,19.4058303833008],[3.23305511474609,19.8171501159668],[2.42166662216187,20.0530548095703],[2.20361089706421,20.2830543518066],[1.78972208499908,20.3129138946533],[1.62749981880188,20.5711097717285],[1.17638874053955,20.7337493896484],[1.17080330848694,21.1008529663086],[-4.80611133575439,25.0002746582031],[-8.66679000854492,27.2904586791992],[-8.66666793823242,27.6666641235352],[-8.66722297668457,28.7094421386719],[-7.12625026702881,29.6358318328857],[-6.58340311050415,29.5683307647705],[-6.40027809143066,29.804443359375],[-5.53069496154785,29.905969619751],[-4.91513919830322,30.509859085083],[-3.62222242355347,30.9736099243164],[-3.60013914108276,31.0908317565918],[-3.8238890171051,31.1615943908691],[-3.81347250938416,31.6980533599854],[-2.99944448471069,31.8333320617676],[-2.8594446182251,32.0865249633789],[-1.18055558204651,32.1122169494629],[-1.25041675567627,32.3234710693359],[-1.01180565357208,32.5055503845215],[-1.38277792930603,32.7244415283203],[-1.66666686534882,33.2588844299316],[-1.65444445610046,34.083610534668],[-1.79333353042603,34.3783264160156],[-1.69258046150208,34.4890823364258],[-1.85496532917023,34.6143684387207],[-1.75760424137115,34.7546463012695],[-2.20944452285767,35.0858306884766],[-1.36930572986603,35.312915802002],[-0.791666746139526,35.7649993896484],[-0.373125046491623,35.902774810791],[-0.0522222295403481,35.8061065673828],[0.204166650772095,36.1033325195312],[1.18249988555908,36.5122146606445],[2.57249975204468,36.5891609191895],[2.90020799636841,36.7947845458984],[3.90166640281677,36.9147186279297],[4.78874921798706,36.8938865661621],[5.3280553817749,36.6402740478516],[6.3983325958252,37.0863876342773],[6.9204158782959,36.8843002319336],[7.17055511474609,36.9199981689453],[7.22972202301025,37.0863876342773],[7.87666606903076,36.8474960327148],[8.62203025817871,36.9413681030273],[8.18166542053223,36.5052719116211],[8.37638759613037,36.4201354980469],[8.26055526733398,35.8563842773438],[8.40110969543457,35.1922149658203],[8.25270748138428,34.6552047729492],[7.52888822555542,34.104305267334],[7.49249935150146,33.8874969482422],[7.74305534362793,33.2291641235352],[8.15777587890625,33.0280532836914],[8.34860992431641,32.533332824707],[9.05722141265869,32.0955543518066],[9.53711318969727,30.2343902587891],[9.31138801574707,30.1272201538086],[9.8397216796875,29.1599998474121],[9.7902774810791,28.2705535888672],[9.95583248138428,27.846248626709],[9.73444366455078,27.3160400390625],[9.93055534362793,26.8597221374512],[9.87166595458984,26.5141639709473],[9.49944305419922,26.3574981689453],[9.3983325958252,26.1533317565918],[10.0320825576782,25.3294429779053],[10.054443359375,24.8380546569824],[10.2522220611572,24.6058311462402],[11.5588865280151,24.3024978637695],[11.9864749908447,23.5223045349121],[7.46377468109131,20.8566722869873],[5.81249904632568,19.4461097717285],[4.24527740478516,19.1466636657715]],"Algeria"], ["Country","AQ0",[[-170.638870239258,-14.266713142395],[-170.743041992188,-14.375431060791],[-170.822647094727,-14.3235740661621],[-170.638870239258,-14.266713142395]],"American Samoa"], ["Country","AN0",[[1.44583320617676,42.6019439697266],[1.7386109828949,42.6163864135742],[1.72361087799072,42.5094375610352],[1.45152771472931,42.4462471008301],[1.44583320617676,42.6019439697266]],"Andorra"], ["Country","AO0",[[13.0913887023926,-4.63305568695068],[12.5722208023071,-5.02180576324463],[12.5266666412354,-5.72416687011719],[12.2145519256592,-5.76855564117432],[12.0261306762695,-5.0149974822998],[12.7652769088745,-4.39388942718506],[13.0913887023926,-4.63305568695068]],"Angola"], ["Country","AO1",[[11.7527828216553,-17.2548332214355],[11.7312488555908,-15.8506956100464],[12.0149993896484,-15.5694446563721],[12.5127067565918,-13.4243755340576],[12.9699993133545,-12.78444480896],[13.4591588973999,-12.5086078643799],[13.7920827865601,-11.7947235107422],[13.7683324813843,-10.6728487014771],[12.984582901001,-9.08125114440918],[13.3874988555908,-8.74027824401855],[13.3918046951294,-8.39375019073486],[12.817777633667,-6.95027828216553],[12.2462491989136,-6.1036114692688],[13.1788806915283,-5.85632991790771],[16.579719543457,-5.90083408355713],[16.9431228637695,-7.19902801513672],[17.6311092376709,-8.09805679321289],[18.5269432067871,-7.93708372116089],[19.3727760314941,-7.99333381652832],[19.538948059082,-6.99661350250244],[20.6297454833984,-6.9138822555542],[20.5487155914307,-7.283616065979],[21.7778587341309,-7.28125095367432],[21.7550678253174,-8.00375080108643],[21.939998626709,-8.49611282348633],[21.7915267944336,-9.41138935089111],[22.3138179779053,-10.375],[22.3151359558105,-10.7275009155273],[22.1664562225342,-10.8599309921265],[22.2538871765137,-11.2097234725952],[22.5674991607666,-11.0336112976074],[23.8586101531982,-11.027153968811],[23.9862060546875,-10.8704614639282],[24.0506916046143,-12.3924312591553],[23.8870105743408,-12.7636117935181],[24.0194416046143,-12.9994449615479],[22.0015258789062,-13.004584312439],[22.0001487731934,-16.1716613769531],[22.1883316040039,-16.5411148071289],[23.4761085510254,-17.6258354187012],[20.8541641235352,-18.0163917541504],[20.3213176727295,-17.8572235107422],[18.9194431304932,-17.8163890838623],[18.4515380859375,-17.389835357666],[13.9932193756104,-17.4239463806152],[13.4720821380615,-17.010835647583],[13.1491661071777,-16.9541702270508],[12.5572204589844,-17.243335723877],[12.087776184082,-17.1365299224854],[11.7527828216553,-17.2548332214355]],"Angola"], ["Country","AV0",[[-62.9734802246094,18.2723579406738],[-62.9924926757812,18.2275409698486],[-63.168025970459,18.1647300720215],[-63.0532684326172,18.2591171264648],[-62.9734802246094,18.2723579406738]],"Anguilla"], ["Arctic","AY0",[[-45.1452789306641,-60.76611328125],[-46.0172271728516,-60.5863952636719],[-45.4281997680664,-60.5490341186523],[-45.1452789306641,-60.76611328125]],"Antarctica"], ["Arctic","AY1",[[-55.240837097168,-61.2797241210938],[-55.4944458007812,-61.1266708374023],[-55.4013900756836,-61.0616683959961],[-54.6463928222656,-61.0927810668945],[-55.240837097168,-61.2797241210938]],"Antarctica"], ["Arctic","AY2",[[-58.5836181640625,-62.2502822875977],[-58.9836120605469,-62.2011184692383],[-58.4002838134766,-61.9386138916016],[-57.6583404541016,-61.8805618286133],[-57.589168548584,-62.0083351135254],[-58.228889465332,-62.1750030517578],[-58.3997268676758,-62.0555572509766],[-58.5836181640625,-62.2502822875977]],"Antarctica"], ["Arctic","AY3",[[-59.4766693115234,-62.4597244262695],[-59.678337097168,-62.3638916015625],[-59.3315315246582,-62.3684768676758],[-59.4766693115234,-62.4597244262695]],"Antarctica"], ["Arctic","AY4",[[-59.6794509887695,-62.5580596923828],[-59.9793090820312,-62.4541702270508],[-59.5669479370117,-62.4811172485352],[-59.6794509887695,-62.5580596923828]],"Antarctica"], ["Arctic","AY5",[[-60.2677841186523,-62.7616729736328],[-60.3438949584961,-62.6136169433594],[-61.1694450378418,-62.571533203125],[-60.0900039672852,-62.4675064086914],[-59.8181991577148,-62.6109771728516],[-60.2677841186523,-62.7616729736328]],"Antarctica"], ["Arctic","AY6",[[-56.2794494628906,-63.1697235107422],[-56.5843048095703,-63.0398635864258],[-56.0325012207031,-63.0083389282227],[-56.2794494628906,-63.1697235107422]],"Antarctica"], ["Arctic","AY7",[[-56.349723815918,-63.4377822875977],[-56.5377807617188,-63.3372268676758],[-56.0102844238281,-63.1327819824219],[-55.0010452270508,-63.2586860656738],[-56.349723815918,-63.4377822875977]],"Antarctica"], ["Arctic","AY8",[[-55.9997253417969,-63.5825042724609],[-56.1897277832031,-63.4391708374023],[-55.7077789306641,-63.452507019043],[-55.9997253417969,-63.5825042724609]],"Antarctica"], ["Arctic","AY9",[[-60.7383346557617,-63.8683395385742],[-60.886116027832,-63.8025054931641],[-60.7641677856445,-63.6605606079102],[-60.530143737793,-63.6548652648926],[-60.7383346557617,-63.8683395385742]],"Antarctica"], ["Arctic","AY10",[[-58.4225082397461,-64.1203155517578],[-58.2550048828125,-63.9088897705078],[-57.8377838134766,-63.795280456543],[-57.7688903808594,-64.0761260986328],[-57.4633407592773,-63.9141693115234],[-57.0333404541016,-64.1725006103516],[-57.3486175537109,-64.297233581543],[-57.2700042724609,-64.3827819824219],[-57.9127807617188,-64.4452819824219],[-58.2395858764648,-64.3216781616211],[-58.0838890075684,-64.0833435058594],[-58.4225082397461,-64.1203155517578]],"Antarctica"], ["Arctic","AY11",[[-57.3477783203125,-63.9044494628906],[-57.6925048828125,-63.8065338134766],[-57.0550003051758,-63.8177795410156],[-57.3477783203125,-63.9044494628906]],"Antarctica"], ["Arctic","AY12",[[-62.5486145019531,-64.5155639648438],[-62.7047271728516,-64.4661254882812],[-62.42333984375,-64.2319488525391],[-62.4805603027344,-64.0433349609375],[-62.0143089294434,-64.2111206054688],[-62.5486145019531,-64.5155639648438]],"Antarctica"], ["Arctic","AY13",[[-63.6552810668945,-64.8344573974609],[-64.2205657958984,-64.67333984375],[-63.5158386230469,-64.2780609130859],[-63.1033363342285,-64.281120300293],[-63.3070869445801,-64.4319534301758],[-63.0944480895996,-64.3961181640625],[-63.2175064086914,-64.5558471679688],[-62.7637557983398,-64.5632019042969],[-63.6552810668945,-64.8344573974609]],"Antarctica"], ["Arctic","AY14",[[-57.3244476318359,-64.5544586181641],[-57.4322280883789,-64.4525146484375],[-56.85986328125,-64.3411178588867],[-57.3244476318359,-64.5544586181641]],"Antarctica"], ["Arctic","AY15",[[-63.3244476318359,-64.9119567871094],[-63.5194473266602,-64.8169555664062],[-63.1150054931641,-64.7275085449219],[-63.3244476318359,-64.9119567871094]],"Antarctica"], ["Arctic","AY16",[[-59.515007019043,-65.1211242675781],[-59.4619445800781,-65.2608337402344],[-59.8130569458008,-65.1072235107422],[-59.515007019043,-65.1211242675781]],"Antarctica"], ["Arctic","AY17",[[103.468627929688,-65.4385681152344],[103.125846862793,-65.4100189208984],[102.776008605957,-65.1373672485352],[103.201171875,-65.1678009033203],[103.468627929688,-65.4385681152344]],"Antarctica"], ["Arctic","AY18",[[101.256652832031,-65.5037689208984],[100.981140136719,-65.6633453369141],[100.246276855469,-65.5877838134766],[100.760307312012,-65.3947448730469],[101.256652832031,-65.5037689208984]],"Antarctica"], ["Arctic","AY19",[[-66.1138916015625,-65.8816680908203],[-65.9441680908203,-65.5425109863281],[-65.5944519042969,-65.5177917480469],[-65.6522369384766,-65.681396484375],[-65.8998641967773,-65.7063903808594],[-65.8269500732422,-65.8388977050781],[-66.1138916015625,-65.8816680908203]],"Antarctica"], ["Arctic","AY20",[[92.4978179931641,-65.8075103759766],[92.2736358642578,-65.7790451049805],[92.4325561523438,-65.6747283935547],[92.7622680664062,-65.763916015625],[92.4978179931641,-65.8075103759766]],"Antarctica"], ["Arctic","AY21",[[-66.7630615234375,-66.3180694580078],[-66.7405624389648,-66.1144485473633],[-66.5675048828125,-66.0941772460938],[-66.7630615234375,-66.3180694580078]],"Antarctica"], ["Arctic","AY22",[[96.7294921875,-66.263916015625],[96.261962890625,-66.1929321289062],[96.7922515869141,-66.1061401367188],[96.8836364746094,-66.1931991577148],[96.7294921875,-66.263916015625]],"Antarctica"], ["Arctic","AY23",[[-67.676155090332,-67.1608123779297],[-68.1375045776367,-67.3283462524414],[-67.9472274780273,-67.4225082397461],[-68.0459823608398,-67.5336227416992],[-68.3397369384766,-67.5411224365234],[-68.5734786987305,-67.748893737793],[-68.9036254882812,-67.76611328125],[-69.2288970947266,-67.5413970947266],[-67.8094482421875,-66.6097259521484],[-67.5885467529297,-66.6171569824219],[-67.9180603027344,-66.8944549560547],[-67.676155090332,-67.1608123779297]],"Antarctica"], ["Arctic","AY24",[[86.4597778320312,-66.776123046875],[86.374755859375,-66.667236328125],[86.728645324707,-66.7089004516602],[86.4597778320312,-66.776123046875]],"Antarctica"], ["Arctic","AY25",[[-67.4580688476562,-66.8988952636719],[-67.4905700683594,-66.7111206054688],[-67.2127838134766,-66.7797241210938],[-67.4580688476562,-66.8988952636719]],"Antarctica"], ["Arctic","AY26",[[86.0319976806641,-67.0050201416016],[85.3728179931641,-66.7466888427734],[85.8719635009766,-66.7738952636719],[86.1807327270508,-66.919189453125],[86.0319976806641,-67.0050201416016]],"Antarctica"], ["Arctic","AY27",[[164.76611328125,-67.6000061035156],[164.559310913086,-67.2748718261719],[164.837387084961,-67.4198760986328],[164.76611328125,-67.6000061035156]],"Antarctica"], ["Arctic","AY28",[[-67.5594482421875,-67.8111114501953],[-67.7416687011719,-67.7794494628906],[-67.7238922119141,-67.635009765625],[-67.0863952636719,-67.6331253051758],[-67.5594482421875,-67.8111114501953]],"Antarctica"], ["Arctic","AY29",[[-90.5944519042969,-68.9258422851562],[-90.754035949707,-68.8027877807617],[-90.5022277832031,-68.8147277832031],[-90.5944519042969,-68.9258422851562]],"Antarctica"], ["Arctic","AY30",[[-68.3630676269531,-70.7558441162109],[-68.0713958740234,-71.6383361816406],[-68.1334762573242,-71.8800048828125],[-68.4279937744141,-71.9977188110352],[-68.3975067138672,-72.2369537353516],[-69.0666809082031,-72.3752899169922],[-69.2350006103516,-72.5588989257812],[-72.4169464111328,-72.7222290039062],[-73.1725006103516,-72.4597320556641],[-73.0108337402344,-72.3439025878906],[-70.9747314453125,-72.4083404541016],[-70.5241775512695,-72.2044525146484],[-72.0366744995117,-72.1966781616211],[-70.9506378173828,-72.0401458740234],[-71.8501434326172,-71.9170913696289],[-72.2675018310547,-71.6461181640625],[-72.8666687011719,-71.9341735839844],[-73.8902816772461,-71.8290328979492],[-73.5838928222656,-72.0448684692383],[-74.0902862548828,-72.2097320556641],[-75.352783203125,-71.9656982421875],[-75.4606323242188,-71.843132019043],[-75.2567443847656,-71.7968063354492],[-75.491813659668,-71.7127151489258],[-75.1886138916016,-71.5872344970703],[-74.4358367919922,-71.6930694580078],[-74.4996566772461,-71.4771575927734],[-74.1952819824219,-71.4297332763672],[-73.4755630493164,-71.6373748779297],[-73.645149230957,-71.3440399169922],[-72.836669921875,-71.4519500732422],[-72.4225082397461,-71.3327865600586],[-73.1570587158203,-71.1887817382812],[-72.8052825927734,-71.103759765625],[-71.6502838134766,-71.1847229003906],[-71.23583984375,-71.026123046875],[-70.5891723632812,-71.1411209106445],[-71.0208435058594,-70.8033447265625],[-72.4654235839844,-70.5952911376953],[-72.3294525146484,-70.4300079345703],[-71.3943176269531,-70.239875793457],[-71.8156967163086,-69.9744567871094],[-71.6220932006836,-69.7723693847656],[-71.7857971191406,-69.6402740478516],[-71.6640396118164,-69.506950378418],[-72.1383361816406,-69.3915328979492],[-72.2492446899414,-69.2057037353516],[-71.6019592285156,-68.9355621337891],[-70.1645889282227,-68.8455657958984],[-70.0111236572266,-69.0641784667969],[-70.0869522094727,-69.2597351074219],[-69.5030670166016,-69.4802856445312],[-69.055419921875,-70.1926422119141],[-68.6351470947266,-70.348762512207],[-68.3630676269531,-70.7558441162109]],"Antarctica"], ["Arctic","AY31",[[-62.061393737793,-69.7222290039062],[-62.381950378418,-69.276123046875],[-62.3272247314453,-69.1075134277344],[-61.7141723632812,-69.4719467163086],[-62.061393737793,-69.7222290039062]],"Antarctica"], ["Arctic","AY32",[[-72.0511932373047,-69.6795043945312],[-72.5844573974609,-69.7508392333984],[-72.9452819824219,-69.6008453369141],[-72.4652862548828,-69.4936218261719],[-72.0511932373047,-69.6795043945312]],"Antarctica"], ["Arctic","AY33",[[-74.7550964355469,-70.1501159667969],[-75.8618087768555,-70.0511169433594],[-75.6211242675781,-69.8338928222656],[-74.8600006103516,-69.8105621337891],[-74.4541778564453,-70.0116806030273],[-74.7550964355469,-70.1501159667969]],"Antarctica"], ["Arctic","AY34",[[15.9337062835693,-70.1750030517578],[15.3603439331055,-70.0289001464844],[16.1228523254395,-69.8813934326172],[16.363151550293,-70.0372314453125],[15.9337062835693,-70.1750030517578]],"Antarctica"], ["Arctic","AY35",[[12.9806442260742,-70.0366821289062],[13.2006454467773,-70.1000289916992],[13.1025924682617,-70.1686401367188],[12.4817428588867,-70.1105651855469],[12.9806442260742,-70.0366821289062]],"Antarctica"], ["Arctic","AY36",[[-2.76242923736572,-70.2871856689453],[-2.69222259521484,-70.4408416748047],[-3.32916688919067,-70.4797286987305],[-3.20472240447998,-70.3300018310547],[-2.76242923736572,-70.2871856689453]],"Antarctica"], ["Arctic","AY37",[[72.2067413330078,-70.6158599853516],[71.8314361572266,-70.5558471679688],[71.6904754638672,-70.3347396850586],[71.9300689697266,-70.2941741943359],[72.2067413330078,-70.6158599853516]],"Antarctica"], ["Arctic","AY38",[[-5.96985244750977,-70.4179534912109],[-5.97750091552734,-70.5747222900391],[-6.37764692306519,-70.4802627563477],[-5.96985244750977,-70.4179534912109]],"Antarctica"], ["Arctic","AY39",[[2.92260599136353,-70.6286163330078],[2.64538383483887,-70.5641784667969],[2.68511819839478,-70.4375],[3.32494926452637,-70.4651565551758],[2.92260599136353,-70.6286163330078]],"Antarctica"], ["Arctic","AY40",[[-60.8140640258789,-70.6613311767578],[-61.1591720581055,-70.5758361816406],[-60.7550048828125,-70.4769592285156],[-60.6204223632812,-70.5716781616211],[-60.8140640258789,-70.6613311767578]],"Antarctica"], ["Arctic","AY41",[[-73.8129272460938,-70.9023284912109],[-75.7458343505859,-71.1780700683594],[-76.4219512939453,-71.2059783935547],[-76.6302795410156,-71.0825042724609],[-74.98583984375,-70.6694488525391],[-74.5350036621094,-70.8211212158203],[-74.4547271728516,-70.6419525146484],[-73.7838897705078,-70.6494445800781],[-73.5998687744141,-70.760986328125],[-73.8129272460938,-70.9023284912109]],"Antarctica"], ["Arctic","AY42",[[-2.72277784347534,-71.0405578613281],[-3.29138898849487,-70.8902893066406],[-3.45250034332275,-70.6788940429688],[-2.00250005722046,-70.8019561767578],[-2.72277784347534,-71.0405578613281]],"Antarctica"], ["Arctic","AY43",[[-60.535530090332,-71.0563507080078],[-60.9554214477539,-70.9352874755859],[-60.6247253417969,-70.885009765625],[-60.535530090332,-71.0563507080078]],"Antarctica"], ["Arctic","AY44",[[68.4605865478516,-72.2791900634766],[68.6931304931641,-72.0889129638672],[68.8217315673828,-72.1714172363281],[68.4605865478516,-72.2791900634766]],"Antarctica"], ["Arctic","AY45",[[-77.7069396972656,-72.4715423583984],[-77.4391784667969,-72.588623046875],[-77.5944519042969,-72.9100036621094],[-78.8447265625,-73.1852874755859],[-79.4166717529297,-72.9593811035156],[-78.8538970947266,-72.797233581543],[-79.0243148803711,-72.6216735839844],[-79.4632034301758,-72.5632019042969],[-79.2475128173828,-72.4025115966797],[-78.2569580078125,-72.588623046875],[-77.7069396972656,-72.4715423583984]],"Antarctica"], ["Arctic","AY46",[[-90.8341674804688,-72.6658477783203],[-90.8519592285156,-72.9163970947266],[-91.3630676269531,-73.1583404541016],[-91.3283386230469,-72.8880615234375],[-91.6193237304688,-72.6076126098633],[-91.0333404541016,-72.5316772460938],[-90.8341674804688,-72.6658477783203]],"Antarctica"], ["Arctic","AY47",[[-99.5525054931641,-72.8097229003906],[-100.858612060547,-72.6655578613281],[-99.1866760253906,-72.5936126708984],[-98.9625091552734,-72.7166748046875],[-99.5525054931641,-72.8097229003906]],"Antarctica"], ["Arctic","AY48",[[-74.1858215332031,-73.0625610351562],[-74.5068054199219,-73.32958984375],[-74.2706298828125,-73.5348663330078],[-74.4655609130859,-73.6483459472656],[-76.0925064086914,-73.206184387207],[-75.390007019043,-73.0568161010742],[-75.7155609130859,-72.9489593505859],[-75.3180694580078,-72.8116760253906],[-74.1858215332031,-73.0625610351562]],"Antarctica"], ["Arctic","AY49",[[-90.2808380126953,-73.0830688476562],[-90.3377838134766,-72.95556640625],[-89.9430694580078,-72.8450012207031],[-89.4590377807617,-72.9029235839844],[-90.2808380126953,-73.0830688476562]],"Antarctica"], ["Arctic","AY50",[[-104.890556335449,-73.2408447265625],[-105.24250793457,-73.0588989257812],[-105.040008544922,-72.9491729736328],[-104.567779541016,-73.1719512939453],[-104.890556335449,-73.2408447265625]],"Antarctica"], ["Arctic","AY51",[[-73.4971923828125,-73.1567840576172],[-73.7858428955078,-73.3963928222656],[-74.0641784667969,-73.3255615234375],[-73.4971923828125,-73.1567840576172]],"Antarctica"], ["Arctic","AY52",[[-125.102546691895,-73.5899505615234],[-125.091400146484,-73.7261199951172],[-124.230560302734,-73.6891784667969],[-123.722778320312,-73.9819488525391],[-123.880569458008,-74.1647338867188],[-124.926391601562,-74.1138916015625],[-126.476119995117,-73.6622314453125],[-127.13175201416,-73.6630325317383],[-127.082778930664,-73.5387573242188],[-127.381530761719,-73.4072341918945],[-126.305847167969,-73.2175140380859],[-125.102546691895,-73.5899505615234]],"Antarctica"], ["Arctic","AY53",[[-78.3473358154297,-73.2582702636719],[-77.6370849609375,-73.3176498413086],[-78.1969451904297,-73.4461212158203],[-78.3473358154297,-73.2582702636719]],"Antarctica"], ["Arctic","AY54",[[169.750305175781,-73.6008453369141],[169.38818359375,-73.5364151000977],[169.868591308594,-73.2891693115234],[169.918029785156,-73.5541839599609],[169.750305175781,-73.6008453369141]],"Antarctica"], ["Arctic","AY55",[[-118.551620483398,-73.9248504638672],[-119.437789916992,-74.167236328125],[-122.132232666016,-74.3680572509766],[-122.629028320312,-74.3132019042969],[-122.452224731445,-74.1891784667969],[-122.572158813477,-74.041389465332],[-122.420288085938,-73.8677825927734],[-123.157341003418,-73.7309112548828],[-122.27278137207,-73.5980682373047],[-120.545562744141,-73.7894592285156],[-119.169448852539,-73.7583465576172],[-118.551620483398,-73.9248504638672]],"Antarctica"], ["Arctic","AY56",[[-115.884292602539,-73.9253082275391],[-116.273620605469,-74.1536254882812],[-117.241119384766,-74.1875],[-116.728897094727,-73.9705657958984],[-115.884292602539,-73.9253082275391]],"Antarctica"], ["Arctic","AY57",[[-20.4049682617188,-74.1183166503906],[-20.3212509155273,-74.2375030517578],[-20.5863914489746,-74.4625091552734],[-20.1545867919922,-74.6826477050781],[-20.1466674804688,-74.8616790771484],[-21.6027812957764,-74.4466705322266],[-20.4049682617188,-74.1183166503906]],"Antarctica"], ["Arctic","AY58",[[-127.440567016602,-74.5813903808594],[-128.160858154297,-74.2541809082031],[-127.056671142578,-74.3802795410156],[-127.05500793457,-74.4975128173828],[-127.440567016602,-74.5813903808594]],"Antarctica"], ["Arctic","AY59",[[169.423004150391,-77.4629821777344],[168.940551757812,-77.6402893066406],[167.583618164062,-77.6366882324219],[166.776641845703,-77.8577880859375],[166.873687744141,-77.729377746582],[166.557769775391,-77.7088317871094],[166.858581542969,-77.6655731201172],[166.217102050781,-77.5354385375977],[166.619842529297,-77.3842391967773],[166.372222900391,-77.2768859863281],[166.631652832031,-77.1728057861328],[167.379699707031,-77.3836212158203],[169.423004150391,-77.4629821777344]],"Antarctica"], ["Arctic","AY60",[[-43.3847274780273,-79.8219451904297],[-43.6638946533203,-80.0555572509766],[-44.5697937011719,-80.0941696166992],[-44.1658401489258,-80.314453125],[-46.599723815918,-80.6041717529297],[-52.904167175293,-80.9216766357422],[-54.3430557250977,-80.8972320556641],[-54.9095840454102,-80.7125015258789],[-54.0127792358398,-80.2930603027344],[-52.4258346557617,-80.1397247314453],[-51.1388931274414,-79.7644500732422],[-50.5922966003418,-79.5438232421875],[-50.7033386230469,-79.23681640625],[-50.5015296936035,-79.0837554931641],[-50.5509757995605,-78.9441680908203],[-49.8758392333984,-78.4791717529297],[-47.3030624389648,-77.9358367919922],[-45.4400024414062,-78.0133361816406],[-43.9140319824219,-78.3452911376953],[-43.890007019043,-78.5280609130859],[-44.0888900756836,-78.6922302246094],[-45.5730590820312,-78.8582077026367],[-43.8233337402344,-78.9841766357422],[-43.8304214477539,-79.2355651855469],[-44.5793075561523,-79.3309097290039],[-43.4661178588867,-79.4702911376953],[-43.3847274780273,-79.8219451904297]],"Antarctica"], ["Arctic","AY61",[[167.117492675781,-78.2547302246094],[166.874176025391,-78.1947479248047],[167.425018310547,-77.9975280761719],[167.677093505859,-78.120849609375],[167.117492675781,-78.2547302246094]],"Antarctica"], ["Arctic","AY62",[[166.318054199219,-78.3147430419922],[166.098358154297,-78.2555694580078],[166.197494506836,-78.210578918457],[166.081359863281,-78.1019592285156],[166.769927978516,-78.2193832397461],[166.318054199219,-78.3147430419922]],"Antarctica"], ["Arctic","AY63",[[-71.0980682373047,-79.6516723632812],[-71.8509826660156,-79.509033203125],[-71.7486114501953,-79.2316741943359],[-71.3727874755859,-79.0552825927734],[-68.1261138916016,-78.4733428955078],[-67.3172988891602,-78.5036849975586],[-70.3819580078125,-79.5780639648438],[-71.0980682373047,-79.6516723632812]],"Antarctica"], ["Arctic","AY64",[[-37.932502746582,-78.6655578613281],[-41.9305572509766,-78.5919494628906],[-41.0269470214844,-78.4738922119141],[-37.932502746582,-78.6655578613281]],"Antarctica"], ["Arctic","AY65",[[-159.087524414062,-79.8819580078125],[-162.465026855469,-79.6455688476562],[-163.592224121094,-79.3725128173828],[-163.815307617188,-79.1805572509766],[-162.7861328125,-78.7341766357422],[-161.668334960938,-78.7477874755859],[-158.561401367188,-79.6455612182617],[-158.650848388672,-79.8027801513672],[-159.087524414062,-79.8819580078125]],"Antarctica"], ["Arctic","AY66",[[-60.1951751708984,-80.2278289794922],[-60.7508392333984,-80.6902923583984],[-61.8438949584961,-80.8363952636719],[-64.1808471679688,-80.4311218261719],[-66.0700073242188,-80.4500122070312],[-67.0305633544922,-80.1569519042969],[-62.5500030517578,-80.2588958740234],[-61.7894515991211,-80.1244506835938],[-61.4186172485352,-79.7066802978516],[-60.6950073242188,-79.6100006103516],[-60.1801414489746,-79.7051467895508],[-60.1951751708984,-80.2278289794922]],"Antarctica"], ["Arctic","AY67",[[48.3973159790039,-66.8902893066406],[48.3645324707031,-66.7633361816406],[48.8436889648438,-66.8080673217773],[48.3973159790039,-66.8902893066406]],"Antarctica"], ["Arctic","AY68",[[47.8980407714844,-67.5942840576172],[47.655590057373,-67.6526718139648],[47.40869140625,-67.620849609375],[47.5398292541504,-67.5104522705078],[47.8980407714844,-67.5942840576172]],"Antarctica"], ["Arctic","AY69",[[-145.547576904297,-75.5575408935547],[-145.113632202148,-75.7215347290039],[-145.813354492188,-75.6414031982422],[-145.547576904297,-75.5575408935547]],"Antarctica"], ["Arctic","AY70",[[-146.682739257812,-76.286865234375],[-147.27571105957,-76.1101455688477],[-146.776123046875,-76.0872344970703],[-146.619705200195,-76.2953643798828],[-146.682739257812,-76.286865234375]],"Antarctica"], ["Arctic","AY71",[[-147.059722900391,-76.5125122070312],[-146.730010986328,-76.6950073242188],[-147.120300292969,-76.6858367919922],[-147.249176025391,-76.5804214477539],[-147.059722900391,-76.5125122070312]],"Antarctica"], ["Arctic","AY72",[[-150.378112792969,-76.6727905273438],[-149.770080566406,-76.6985473632812],[-150.381683349609,-76.7827911376953],[-150.700164794922,-76.7229232788086],[-150.378112792969,-76.6727905273438]],"Antarctica"], ["Arctic","AY73",[[-148.855834960938,-76.8369445800781],[-149.158630371094,-76.7533416748047],[-148.934722900391,-76.6869506835938],[-148.1591796875,-76.7618179321289],[-148.855834960938,-76.8369445800781]],"Antarctica"], ["Arctic","AY74",[[-146.835021972656,-76.9891815185547],[-146.945861816406,-76.8202819824219],[-146.223358154297,-76.8975067138672],[-146.835021972656,-76.9891815185547]],"Antarctica"], ["Arctic","AY75",[[-149.9853515625,-76.8736724853516],[-149.516418457031,-76.8858337402344],[-149.074462890625,-77.1041793823242],[-150.698333740234,-76.9702911376953],[-149.9853515625,-76.8736724853516]],"Antarctica"], ["Arctic","AY76",[[-148.770843505859,-77.0200042724609],[-149.161956787109,-76.9833374023438],[-149.020568847656,-76.9086151123047],[-148.206695556641,-76.9780578613281],[-148.770843505859,-77.0200042724609]],"Antarctica"], ["Arctic","AY77",[[-148.045288085938,-77.4361114501953],[-148.863494873047,-77.26708984375],[-148.600006103516,-77.0694580078125],[-147.748077392578,-77.1794586181641],[-147.627243041992,-77.3335952758789],[-147.937591552734,-77.4183578491211],[-148.045288085938,-77.4361114501953]],"Antarctica"], ["Arctic","AY78",[[-60.1669464111328,-73.2858428955078],[-60.4627838134766,-73.1477813720703],[-60.6683349609375,-73.3611145019531],[-61.9030609130859,-73.1333465576172],[-61.4357681274414,-73.3466033935547],[-61.8359756469727,-73.3695907592773],[-61.6236152648926,-73.5359039306641],[-60.7744445800781,-73.5436248779297],[-60.9193115234375,-73.7073745727539],[-60.5915336608887,-73.7093811035156],[-60.977783203125,-73.9577789306641],[-61.757640838623,-73.917366027832],[-61.0423622131348,-74.0932006835938],[-61.7388916015625,-74.2936248779297],[-61.6129913330078,-74.4174346923828],[-62.0244483947754,-74.6325073242188],[-61.8626403808594,-74.7963943481445],[-62.0950012207031,-74.9400024414062],[-62.5875015258789,-74.9688949584961],[-62.6300010681152,-74.7588958740234],[-63.2233352661133,-74.602783203125],[-63.0480575561523,-74.89208984375],[-63.9741706848145,-74.9915390014648],[-63.1010437011719,-75.1315383911133],[-64.4219512939453,-75.3207015991211],[-63.1780624389648,-75.3086242675781],[-63.2900009155273,-75.4080657958984],[-66.3136138916016,-76.0347290039062],[-69.3852844238281,-76.2961120605469],[-69.8250122070312,-76.3902893066406],[-70.0997314453125,-76.6552886962891],[-70.5972290039062,-76.7111206054688],[-75.4444580078125,-76.5464019775391],[-76.167236328125,-76.3825073242188],[-76.3805694580078,-76.0650024414062],[-77.7716674804688,-75.9188995361328],[-77.7372283935547,-76.0319519042969],[-78.4711151123047,-76.195556640625],[-78.3536148071289,-76.3309097290039],[-78.4783401489258,-76.4033355712891],[-77.0211181640625,-77.0633392333984],[-75.6052856445312,-77.5136260986328],[-74.4830627441406,-77.4588928222656],[-72.8482055664062,-77.6562576293945],[-73.6741790771484,-77.9852905273438],[-74.915283203125,-78.14111328125],[-81.4083404541016,-77.6163940429688],[-80.6118774414062,-77.8901443481445],[-81.4700012207031,-77.8972320556641],[-78.1300048828125,-78.2836151123047],[-77.4888916015625,-78.5232009887695],[-78.7563934326172,-78.7991790771484],[-80.8150024414062,-78.8005676269531],[-83.0291748046875,-78.2936248779297],[-84.040283203125,-78.3250122070312],[-82.8852844238281,-79.0086212158203],[-81.5172271728516,-79.17529296875],[-81.0030670166016,-79.4514007568359],[-80.4338989257812,-79.6083374023438],[-80.5638198852539,-79.3012542724609],[-80.3152923583984,-79.2316741943359],[-76.7852783203125,-79.3083343505859],[-76.25,-79.4347229003906],[-76.0836868286133,-79.6511154174805],[-76.8947296142578,-79.9544525146484],[-79.8494567871094,-79.9544525146484],[-76.0894470214844,-80.1972351074219],[-74.6938934326172,-80.6972351074219],[-67.8480682373047,-81.3577880859375],[-62.9750061035156,-82.0508422851562],[-59.0936126708984,-82.5363922119141],[-58.7734756469727,-82.683967590332],[-59.1263961791992,-82.9397277832031],[-58.4205627441406,-83.0411224365234],[-55.4744491577148,-82.3744506835938],[-53.5877838134766,-82.1389007568359],[-48.1291732788086,-81.8313903808594],[-43.0844497680664,-81.8513946533203],[-41.4888916015625,-81.3833465576172],[-28.3194465637207,-80.2769470214844],[-28.0466690063477,-80.1294555664062],[-28.1577796936035,-79.9547271728516],[-30.2037506103516,-79.6642379760742],[-27.1444473266602,-78.9983367919922],[-32.8494491577148,-79.4552917480469],[-35.904167175293,-79.0347290039062],[-36.2925033569336,-78.8372268676758],[-35.8280563354492,-78.3666687011719],[-33.886116027832,-77.6605682373047],[-31.5491676330566,-77.3316802978516],[-28.9355583190918,-76.6777801513672],[-26.5597229003906,-76.3083343505859],[-21.9150009155273,-75.9111175537109],[-20.8141670227051,-75.9652862548828],[-19.8233337402344,-75.7572326660156],[-17.7786140441895,-75.7339019775391],[-18.2452812194824,-75.4783477783203],[-17.3216667175293,-75.0400085449219],[-17.1472244262695,-74.7847290039062],[-13.7472229003906,-73.9652862548828],[-14.5963897705078,-73.8125],[-16.326114654541,-74.0639038085938],[-16.9156970977783,-73.9801483154297],[-16.0743064880371,-73.7542419433594],[-16.9063205718994,-73.7913208007812],[-16.0236129760742,-73.3202819824219],[-13.7661809921265,-73.0595169067383],[-14.4527778625488,-72.792236328125],[-13.3513889312744,-72.8136138916016],[-11.5250015258789,-72.2677917480469],[-11.343334197998,-71.9397277832031],[-12.1616668701172,-71.6375122070312],[-12.216667175293,-71.3511199951172],[-11.5775012969971,-71.2752838134766],[-11.5969457626343,-71.5580596923828],[-11.0194454193115,-71.6572265625],[-10.0519456863403,-71.1150054931641],[-10.4125003814697,-70.9827880859375],[-9.55111122131348,-70.9091796875],[-9.44597244262695,-70.9387588500977],[-9.64875030517578,-71.043342590332],[-8.93652820587158,-71.2301406860352],[-8.64166831970215,-71.7425079345703],[-8.36694526672363,-71.8258361816406],[-7.33277797698975,-71.6891784667969],[-7.69055557250977,-71.3975067138672],[-7.02888965606689,-70.9944458007812],[-5.96944522857666,-70.695556640625],[-5.44208383560181,-70.8859786987305],[-6.10319471359253,-71.1445922851562],[-6.0091667175293,-71.4188995361328],[-2.28527784347534,-71.1716766357422],[-2.33583354949951,-71.2825088500977],[-2.0938892364502,-71.4861145019531],[-1.05333352088928,-71.2766723632812],[-0.780694484710693,-71.3816757202148],[-0.918333411216736,-71.5830612182617],[-0.297500014305115,-71.6588897705078],[0.928161025047302,-71.1650238037109],[4.3978853225708,-70.6775054931641],[6.72259140014648,-70.5830841064453],[7.55730819702148,-70.1683502197266],[8.66533851623535,-70.4725189208984],[9.0870304107666,-70.3147277832031],[8.6828556060791,-70.074462890625],[9.2311954498291,-70.0950012207031],[10.7528629302979,-70.6686401367188],[11.9636764526367,-70.729736328125],[12.740348815918,-70.2811279296875],[14.165641784668,-70.1589050292969],[15.705924987793,-70.2786254882812],[18.0269050598145,-69.9694595336914],[22.8748016357422,-70.5514068603516],[27.5328826904297,-70.1597290039062],[29.4878387451172,-69.8350219726562],[31.2098236083984,-69.7458343505859],[32.9023208618164,-69.2769470214844],[33.0267105102539,-69.056396484375],[33.4404106140137,-68.9538345336914],[33.2988128662109,-68.7676620483398],[33.4304885864258,-68.6479415893555],[34.1403579711914,-68.4827880859375],[34.6524124145508,-68.5420989990234],[34.8800430297852,-68.8755798339844],[35.6194839477539,-69.1580810546875],[36.4145278930664,-69.314453125],[36.4868850708008,-69.4458465576172],[36.1181106567383,-69.3790435791016],[36.129768371582,-69.5296020507812],[36.7225723266602,-69.7280731201172],[37.1362075805664,-69.4019470214844],[37.9072952270508,-69.2486267089844],[37.8539810180664,-69.5307159423828],[37.1464614868164,-69.6616821289062],[38.0995254516602,-69.8175201416016],[38.2420120239258,-69.9889068603516],[38.5000686645508,-69.5020980834961],[38.692497253418,-69.5600891113281],[38.5504837036133,-69.7009811401367],[38.620491027832,-69.9855804443359],[39.033821105957,-69.7369613647461],[39.7017593383789,-69.6486358642578],[39.5439529418945,-69.4397354125977],[39.8852005004883,-69.3868942260742],[39.6348037719727,-69.2269592285156],[39.9732437133789,-68.8483428955078],[42.2906265258789,-68.3639068603516],[42.8453674316406,-68.0883483886719],[43.7983779907227,-68.0538940429688],[44.5054969787598,-67.9739151000977],[45.0089416503906,-67.7325134277344],[46.3230895996094,-67.6372222900391],[46.2492370605469,-67.3552932739258],[46.5514297485352,-67.2772521972656],[47.4492225646973,-67.4208450317383],[47.0163764953613,-67.5532150268555],[47.3862953186035,-67.7202911376953],[48.2089576721191,-67.6355667114258],[49.1613159179688,-67.3864059448242],[48.2632789611816,-67.1604385375977],[49.1728515625,-66.8629455566406],[49.303955078125,-66.9561309814453],[49.1517028808594,-67.088623046875],[49.7975769042969,-67.0202941894531],[50.6894836425781,-67.181396484375],[50.8486022949219,-67.1351547241211],[50.4585266113281,-67.0639038085938],[50.4434661865234,-66.8935546875],[50.16796875,-66.7287673950195],[50.4131164550781,-66.4419708251953],[51.9889221191406,-65.9755859375],[53.7278137207031,-65.8414001464844],[55.6278381347656,-66.0095901489258],[56.2725448608398,-66.3866882324219],[57.3072776794434,-66.5566711425781],[57.3325614929199,-66.6982803344727],[56.8775596618652,-66.7000122070312],[56.7339477539062,-66.9009094238281],[58.4336776733398,-67.1889190673828],[58.9239196777344,-67.181396484375],[59.0662155151367,-67.2991027832031],[58.9006042480469,-67.3622360229492],[59.1106185913086,-67.4122314453125],[60.5185470581055,-67.3694610595703],[62.7281188964844,-67.6469573974609],[63.7775497436523,-67.5164031982422],[68.2975616455078,-67.8661193847656],[69.6447906494141,-67.75390625],[69.6675567626953,-68.1322326660156],[70.1020050048828,-68.5238952636719],[69.3914184570312,-68.8402938842773],[69.7956085205078,-68.9196090698242],[69.2988128662109,-69.1041793823242],[69.7625274658203,-69.2291870117188],[69.7461700439453,-69.3590545654297],[68.9043731689453,-69.3662719726562],[68.8206024169922,-69.5441741943359],[69.3347015380859,-69.6359176635742],[69.0787811279297,-69.7370986938477],[69.2097625732422,-69.8600234985352],[68.7143402099609,-70.0251541137695],[68.1544952392578,-69.8611297607422],[67.6708526611328,-70.2697448730469],[67.6597747802734,-70.410026550293],[67.9114532470703,-70.5058441162109],[68.2730865478516,-70.4433441162109],[68.3050689697266,-70.7716674804688],[68.6831207275391,-70.73974609375],[68.8485717773438,-70.5232086181641],[68.6696319580078,-70.3648834228516],[69.2133941650391,-70.3533630371094],[69.2471923828125,-70.6627883911133],[68.9817047119141,-70.9964141845703],[67.6041259765625,-71.5852279663086],[67.8990020751953,-71.6479339599609],[67.3402633666992,-72.0661926269531],[68.5633697509766,-72.4033508300781],[69.4084014892578,-72.3619689941406],[70.8397979736328,-71.9422302246094],[71.1151885986328,-71.6358413696289],[71.4197540283203,-71.5647430419922],[71.2565765380859,-71.379524230957],[71.4990692138672,-70.9618148803711],[71.8486785888672,-70.8488922119141],[71.8185272216797,-70.7158432006836],[72.5214385986328,-70.6350250244141],[72.5000762939453,-70.4480590820312],[72.8419952392578,-70.4411239624023],[72.6281280517578,-70.2380828857422],[73.3706207275391,-69.87890625],[74.9810333251953,-69.7526626586914],[75.0789337158203,-69.5625],[75.8143463134766,-69.5944595336914],[76.0581207275391,-69.3922271728516],[77.7472686767578,-69.1169738769531],[78.1270446777344,-68.7765426635742],[77.8461456298828,-68.6730651855469],[78.1164093017578,-68.4597320556641],[79.1256256103516,-68.0964050292969],[81.3575592041016,-67.7954864501953],[81.4422760009766,-67.6302947998047],[82.0593414306641,-67.6704406738281],[81.4787979125977,-67.493896484375],[82.0144805908203,-67.2516784667969],[82.6565628051758,-67.3938903808594],[83.4033966064453,-67.1566772460938],[85.7989273071289,-67.1770935058594],[86.9319458007812,-67.0236358642578],[88.1026000976562,-66.6523056030273],[88.2352905273438,-66.036262512207],[88.4820098876953,-66.0780792236328],[88.8339385986328,-66.51611328125],[88.73779296875,-66.7139129638672],[89.0114288330078,-66.7630767822266],[92.0053100585938,-66.5339050292969],[95.6361846923828,-66.6805572509766],[97.09033203125,-66.5461120605469],[97.5943603515625,-66.7384872436523],[98.261962890625,-66.51611328125],[98.8555908203125,-66.5619659423828],[99.2830810546875,-66.8808441162109],[100.953918457031,-66.0808410644531],[102.626159667969,-65.901123046875],[106.766143798828,-66.4100189208984],[107.804779052734,-66.3983612060547],[108.82421875,-66.8311309814453],[110.629760742188,-66.4866790771484],[110.891723632812,-66.0636291503906],[113.315338134766,-65.7133483886719],[114.431427001953,-66.1794738769531],[114.537246704102,-66.4769592285156],[116.187957763672,-66.3682174682617],[117.031158447266,-66.8469543457031],[117.766998291016,-66.98974609375],[121.023933410645,-66.8266754150391],[122.18335723877,-66.5478057861328],[122.985877990723,-66.6487655639648],[122.989486694336,-66.7766723632812],[124.289222717285,-66.5116882324219],[124.614486694336,-66.5533599853516],[124.734756469727,-66.743896484375],[125.190017700195,-66.7341918945312],[125.55143737793,-66.4181976318359],[126.356163024902,-66.2797241210938],[126.988357543945,-66.4579086303711],[126.936698913574,-66.8368148803711],[128.868072509766,-67.1400299072266],[129.301986694336,-67.0154266357422],[129.332458496094,-66.7287216186523],[129.675598144531,-66.4761352539062],[130.351989746094,-66.2258453369141],[133.528106689453,-66.0572509765625],[134.252258300781,-66.1980667114258],[134.431121826172,-65.9694671630859],[134.063293457031,-65.4253005981445],[134.185592651367,-65.2607116699219],[134.101577758789,-65.1263961791992],[134.407257080078,-64.9253082275391],[134.994476318359,-65.0416870117188],[135.274459838867,-65.4429321289062],[134.859329223633,-66.0550155639648],[136.422790527344,-66.3155670166016],[141.369445800781,-66.8383483886719],[141.944183349609,-66.7711181640625],[142.56640625,-66.9941711425781],[143.400024414062,-66.8511352539062],[143.881546020508,-67.0912704467773],[144.458343505859,-67.0230712890625],[144.585571289062,-67.2452850341797],[145.395980834961,-67.0168151855469],[145.874603271484,-67.1991958618164],[145.303619384766,-67.6043853759766],[146.633209228516,-67.7066802978516],[147.145294189453,-67.9925155639648],[146.962921142578,-68.1415481567383],[148.021392822266,-67.8440475463867],[148.617797851562,-67.9743194580078],[148.220977783203,-68.1300201416016],[148.813354492188,-68.3352813720703],[151.001266479492,-68.3934860229492],[151.131881713867,-68.5668792724609],[150.960922241211,-68.8600845336914],[151.242248535156,-68.9825134277344],[152.460571289062,-68.7658538818359],[153.768615722656,-68.9222412109375],[153.880981445312,-68.7609786987305],[153.684310913086,-68.6316833496094],[153.907928466797,-68.5945281982422],[153.625839233398,-68.3973846435547],[153.778350830078,-68.3436279296875],[154.693344116211,-68.6213989257812],[154.411956787109,-68.6652908325195],[154.564193725586,-68.7940444946289],[154.288970947266,-68.8599472045898],[154.856689453125,-69.1025238037109],[156.326263427734,-69.2401580810547],[157.149459838867,-69.1568222045898],[157.107376098633,-68.9883575439453],[157.244873046875,-68.9455795288086],[157.553070068359,-69.2386245727539],[159.677368164062,-69.6625137329102],[160.968902587891,-70.2555694580078],[161.676391601562,-70.2050170898438],[161.891540527344,-70.350715637207],[162.035705566406,-70.1990432739258],[162.070983886719,-70.4226608276367],[162.745147705078,-70.2790451049805],[163.520843505859,-70.6750030517578],[163.776596069336,-70.6258544921875],[163.527099609375,-70.4691925048828],[164.431671142578,-70.4780731201172],[165.820831298828,-70.7180633544922],[166.771667480469,-70.6116790771484],[166.870559692383,-70.7139129638672],[166.472274780273,-70.7104263305664],[166.736083984375,-70.7758483886719],[167.767517089844,-70.7808380126953],[167.931365966797,-70.8966751098633],[167.830169677734,-70.9886932373047],[168.237640380859,-71.1518173217773],[170.262649536133,-71.6587600708008],[170.432235717773,-71.4811172485352],[170.321929931641,-71.2975158691406],[170.990356445312,-71.8556823730469],[170.129974365234,-72.0514068603516],[169.873031616211,-72.375862121582],[170.314727783203,-72.3066711425781],[170.318054199219,-72.5833511352539],[170.0615234375,-72.6074371337891],[170.202484130859,-72.6772308349609],[169.681640625,-73.0530700683594],[169.270980834961,-73.0809936523438],[169.079162597656,-73.5275268554688],[168.646362304688,-73.4163970947266],[168.383880615234,-73.6261291503906],[167.611801147461,-73.3962631225586],[165.889724731445,-73.842658996582],[165.996795654297,-73.9279937744141],[165.601959228516,-73.9075012207031],[166.231735229492,-74.0580673217773],[164.789047241211,-74.1347351074219],[165.354583740234,-74.5395965576172],[165.334854125977,-74.6690444946289],[164.523895263672,-74.6277923583984],[164.572509765625,-74.7752990722656],[164.142517089844,-74.6161193847656],[163.661544799805,-74.7698745727539],[163.877639770508,-74.9468231201172],[162.547500610352,-75.0980072021484],[162.626129150391,-75.4458618164062],[163.063629150391,-75.5361328125],[162.899871826172,-75.8923721313477],[163.130569458008,-75.9336929321289],[162.343139648438,-76.1707763671875],[162.86848449707,-76.2445907592773],[162.776962280273,-76.3162689208984],[162.932250976562,-76.5830841064453],[162.627105712891,-76.6162719726562],[163.069732666016,-76.7308502197266],[162.342102050781,-76.9487686157227],[163.243850708008,-77.0497970581055],[163.897659301758,-77.4701614379883],[163.612930297852,-77.5539016723633],[163.755722045898,-77.6244659423828],[163.61083984375,-77.6961212158203],[164.530029296875,-77.7169494628906],[164.558868408203,-77.9996566772461],[164.232788085938,-78.1477813720703],[164.928894042969,-78.0358581542969],[165.023590087891,-78.2503051757812],[165.540008544922,-78.0033569335938],[165.70361328125,-78.0894546508789],[165.448638916016,-78.1908569335938],[165.780303955078,-78.2929306030273],[165.706115722656,-78.3980560302734],[167.085845947266,-78.5003051757812],[167.263671875,-78.6571655273438],[166.2177734375,-78.5200042724609],[164.494445800781,-78.5697479248047],[162.901123046875,-78.806396484375],[162.781677246094,-78.9483489990234],[161.825286865234,-78.8658599853516],[160.494171142578,-79.0208587646484],[160.040008544922,-79.1527862548828],[160.509048461914,-79.2219543457031],[160.347518920898,-79.3518142700195],[160.73681640625,-79.4479293823242],[159.5966796875,-79.8791961669922],[159.126953125,-79.9839172363281],[160.374176025391,-79.9130859375],[160.568481445312,-79.986686706543],[160.436126708984,-80.0705718994141],[158.066757202148,-80.2886199951172],[158.810028076172,-80.4833374023438],[160.870849609375,-80.3719482421875],[160.951416015625,-80.5036163330078],[159.763687133789,-80.5727310180664],[161.174468994141,-80.6355590820312],[160.01708984375,-80.7939071655273],[160.846267700195,-80.8966827392578],[160.509735107422,-80.9615478515625],[160.835983276367,-81.0866165161133],[160.621398925781,-81.2000198364258],[162.208068847656,-81.2266693115234],[161.344177246094,-81.4708404541016],[160.398895263672,-81.5244674682617],[162.275848388672,-81.6622314453125],[162.320007324219,-81.7839050292969],[163.76611328125,-82.0816802978516],[163.83821105957,-82.1929321289062],[163.473907470703,-82.2705841064453],[165.319458007812,-82.4219512939453],[165.458053588867,-82.4948654174805],[165.261688232422,-82.5633392333984],[166.523345947266,-82.7889099121094],[167.349456787109,-82.7886352539062],[166.813079833984,-82.8227844238281],[167.159866333008,-82.9118118286133],[166.752807617188,-82.9775238037109],[168.426116943359,-83.0050201416016],[168.672760009766,-83.1702880859375],[167.505279541016,-83.4441680908203],[169.250823974609,-83.3300170898438],[172.256408691406,-83.5714111328125],[171.905029296875,-83.8016967773438],[174.741668701172,-83.8283538818359],[178.189422607422,-84.1841888427734],[179.511688232422,-84.1550140380859],[179.323196411133,-84.2422332763672],[179.99,-84.30224609375],[179.99,-90],[-179.99,-90],[-179.99,-84.3053436279297],[-177.721954345703,-84.4983367919922],[-174.517242431641,-84.4430694580078],[-169.223358154297,-84.6638946533203],[-168.445281982422,-84.8422241210938],[-167.211944580078,-84.7888946533203],[-162.526672363281,-85.2505645751953],[-157.483337402344,-85.4486236572266],[-152.810577392578,-85.3280639648438],[-150.239471435547,-85.463623046875],[-148.138336181641,-85.0908355712891],[-140.049468994141,-85.2511138916016],[-139.123626708984,-85.2100067138672],[-138.683074951172,-84.9675140380859],[-149.294738769531,-84.5619506835938],[-151.691131591797,-84.3241729736328],[-153.053070068359,-84.0127868652344],[-153.232788085938,-83.8186187744141],[-152.943634033203,-83.6483459472656],[-153.007507324219,-83.0875091552734],[-151.794189453125,-82.5777893066406],[-154.839752197266,-81.9205627441406],[-154.085845947266,-81.5844573974609],[-156.880004882812,-81.2941741943359],[-156.755004882812,-81.1400146484375],[-154.835296630859,-81.0030670166016],[-148.413360595703,-81.3575134277344],[-148.060028076172,-81.1013946533203],[-145.524169921875,-80.4605560302734],[-146.811950683594,-79.8875122070312],[-154.298065185547,-79.0572357177734],[-155.906402587891,-78.7197265625],[-154.083618164062,-78.4813995361328],[-153.761962890625,-78.2850112915039],[-154.273071289062,-78.1102905273438],[-156.11474609375,-78.1513977050781],[-156.561401367188,-78.2886199951172],[-158.082794189453,-77.9383392333984],[-158.080017089844,-77.6737594604492],[-157.700714111328,-77.577507019043],[-157.854110717773,-77.148681640625],[-157.693084716797,-77.0955657958984],[-156.483337402344,-77.3586120605469],[-155.861389160156,-77.0844573974609],[-153.790283203125,-77.1747283935547],[-153.083618164062,-77.2866668701172],[-152.972381591797,-77.3716049194336],[-153.238891601562,-77.432991027832],[-153.106414794922,-77.4972229003906],[-152.061126708984,-77.3252868652344],[-149.477233886719,-77.7639007568359],[-149.09765625,-77.6943817138672],[-149.4716796875,-77.5808410644531],[-148.673889160156,-77.6194458007812],[-147.592346191406,-77.4259719848633],[-147.493072509766,-77.2969512939453],[-147.099456787109,-77.3772277832031],[-147.0322265625,-77.2208404541016],[-146.240295410156,-77.4630584716797],[-145.884460449219,-77.3096618652344],[-146.221817016602,-77.1618118286133],[-145.845291137695,-77.1054229736328],[-146.282363891602,-76.9877853393555],[-145.298889160156,-77.0291748046875],[-146.102233886719,-76.8400115966797],[-145.492248535156,-76.7422332763672],[-146.779449462891,-76.4750061035156],[-148.383911132812,-76.5002899169922],[-149.442504882812,-76.4191741943359],[-149.418334960938,-76.3208465576172],[-148.101287841797,-76.0956573486328],[-146.490097045898,-76.3677139282227],[-145.503356933594,-76.4458465576172],[-145.458358764648,-76.3087539672852],[-146.287231445312,-76.1025085449219],[-146.073638916016,-75.9155578613281],[-144.206390380859,-75.8377838134766],[-144.219451904297,-75.6716766357422],[-142.745574951172,-75.6361236572266],[-142.56640625,-75.4805603027344],[-141.210021972656,-75.5188903808594],[-140.061676025391,-75.4347229003906],[-139.280029296875,-75.0991668701172],[-137.020843505859,-75.0116729736328],[-136.737518310547,-74.7516784667969],[-134.303894042969,-74.5327911376953],[-134.129730224609,-74.7311248779297],[-133.262512207031,-74.8472290039062],[-131.842224121094,-74.7238922119141],[-129.650299072266,-74.8613891601562],[-126.811401367188,-74.6347351074219],[-121.47834777832,-74.7425079345703],[-118.531677246094,-74.6136169433594],[-118.345909118652,-74.5355682373047],[-118.525146484375,-74.4338912963867],[-117.743057250977,-74.3086242675781],[-117.396957397461,-74.5308380126953],[-114.697776794434,-74.4691772460938],[-114.806732177734,-74.103141784668],[-114.003616333008,-73.8891754150391],[-113.184860229492,-74.1850051879883],[-113.51000213623,-74.3019561767578],[-113.448341369629,-74.4627914428711],[-112.933616638184,-74.4469528198242],[-113.548896789551,-74.6313934326172],[-113.445419311523,-74.7063980102539],[-112.637222290039,-74.6847229003906],[-112.73583984375,-74.8172225952148],[-112.528343200684,-74.8630676269531],[-111.343063354492,-74.7594451904297],[-111.721328735352,-74.5909805297852],[-111.389030456543,-74.4668121337891],[-111.649032592773,-74.2670974731445],[-111.013900756836,-74.1794586181641],[-110.198333740234,-74.2675018310547],[-109.999603271484,-74.4713973999023],[-110.140762329102,-74.6606979370117],[-109.943756103516,-74.7713928222656],[-110.774436950684,-74.9627838134766],[-110.58805847168,-75.0191802978516],[-110.956390380859,-75.1529922485352],[-110.383056640625,-75.3061218261719],[-109.068618774414,-75.1288909912109],[-106.979446411133,-75.3477783203125],[-105.834457397461,-75.1272277832031],[-103.33805847168,-75.0283355712891],[-102.146003723145,-75.0628814697266],[-101.919166564941,-75.2288970947266],[-100.904167175293,-75.3086242675781],[-99.8684768676758,-75.2486190795898],[-99.5380706787109,-75.0125122070312],[-100.815139770508,-74.8383407592773],[-100.151741027832,-74.7571563720703],[-100.505973815918,-74.6685485839844],[-100.143753051758,-74.6129913330078],[-100.248062133789,-74.4908447265625],[-101.32445526123,-74.4826431274414],[-101.67333984375,-73.993896484375],[-102.901397705078,-73.8758392333984],[-102.814445495605,-73.7319564819336],[-103.013343811035,-73.6379241943359],[-99.3116760253906,-73.6719512939453],[-99.195556640625,-73.6105651855469],[-99.9161224365234,-73.4116668701172],[-100.879730224609,-73.3638916015625],[-103.036117553711,-73.3264007568359],[-103.601119995117,-72.8961181640625],[-103.176116943359,-72.7333374023438],[-102.318748474121,-72.8061141967773],[-102.663192749023,-73.0025787353516],[-102.099166870117,-73.0847320556641],[-98.8355560302734,-72.9733428955078],[-96.5188903808594,-73.3061218261719],[-92.4519500732422,-73.1536254882812],[-90.8611145019531,-73.3266754150391],[-89.3210525512695,-73.0524368286133],[-89.2370910644531,-72.9041748046875],[-89.42333984375,-72.6313934326172],[-88.3381805419922,-72.8211517333984],[-88.8252182006836,-73.1084060668945],[-88.7091674804688,-73.1794586181641],[-87.64111328125,-73.1575012207031],[-86.8408355712891,-73.3363952636719],[-85.9763946533203,-73.0404281616211],[-85.4813232421875,-73.3523635864258],[-85.7265396118164,-73.4961242675781],[-85.5997314453125,-73.5583343505859],[-83.6898727416992,-73.6562576293945],[-82.1341705322266,-73.9433441162109],[-81.2290420532227,-73.8380661010742],[-81.0370864868164,-73.7052841186523],[-81.3029251098633,-73.5053558349609],[-81.2552795410156,-73.3638916015625],[-80.5269546508789,-73.4494552612305],[-80.695556640625,-73.0505676269531],[-78.9588928222656,-73.3925018310547],[-78.7897338867188,-73.6930694580078],[-76.7005615234375,-73.5450134277344],[-76.6380615234375,-73.6361236572266],[-77.092643737793,-73.8188934326172],[-76.9869537353516,-73.8725128173828],[-75.2039031982422,-73.6625061035156],[-73.9325103759766,-73.7102813720703],[-72.1591796875,-73.4094543457031],[-68.6247253417969,-73.0552825927734],[-67.588623046875,-72.8330688476562],[-66.8002777099609,-72.4061889648438],[-66.9520950317383,-72.192512512207],[-66.8647308349609,-71.8887634277344],[-67.534309387207,-71.4577865600586],[-67.4029235839844,-71.0365371704102],[-67.9562606811523,-70.2637557983398],[-68.3912506103516,-70.1182022094727],[-68.5022964477539,-69.9414672851562],[-68.3394470214844,-69.6788940429688],[-68.8327789306641,-69.4135437011719],[-68.2047271728516,-69.2669525146484],[-67.3969573974609,-69.3505706787109],[-66.6598739624023,-69.0212631225586],[-67.4883422851562,-68.81396484375],[-66.9318084716797,-68.7692413330078],[-67.1736831665039,-68.5039596557617],[-66.9376449584961,-68.3765335083008],[-67.1615371704102,-68.2967376708984],[-66.5922317504883,-68.2429275512695],[-66.9163970947266,-68.2200012207031],[-67.1572265625,-68.0105590820312],[-66.7859802246094,-67.9009094238281],[-66.7138214111328,-67.7997283935547],[-67.0232086181641,-67.7821578979492],[-66.6798629760742,-67.7330627441406],[-66.8989639282227,-67.6766052246094],[-66.4337615966797,-67.5270919799805],[-67.5914001464844,-67.5580596923828],[-67.48583984375,-67.0772247314453],[-66.9908447265625,-66.9022369384766],[-66.8733367919922,-67.0777893066406],[-66.3994522094727,-66.8822250366211],[-66.4861145019531,-66.6125106811523],[-66.0970916748047,-66.5647277832031],[-65.6941757202148,-66.1270904541016],[-65.2152862548828,-66.1680603027344],[-65.2820205688477,-65.9888916015625],[-64.92333984375,-65.9320907592773],[-64.5661163330078,-66.0283355712891],[-64.4231338500977,-65.9488906860352],[-64.6600112915039,-65.7433395385742],[-64.3161163330078,-65.7788925170898],[-64.4043121337891,-65.6275100708008],[-64.0480651855469,-65.6755676269531],[-64.1389007568359,-65.524169921875],[-63.7341690063477,-65.51611328125],[-64.0519561767578,-65.4245910644531],[-63.9411163330078,-65.0427856445312],[-63.0905609130859,-65.1338958740234],[-62.9958343505859,-65.0813903808594],[-63.1538925170898,-64.9258422851562],[-62.7684745788574,-64.8461837768555],[-62.938404083252,-64.8009033203125],[-62.3300018310547,-64.8618087768555],[-62.6113929748535,-64.7578506469727],[-62.4584770202637,-64.5927810668945],[-62.224308013916,-64.7616729736328],[-60.9432640075684,-64.2759094238281],[-60.8547286987305,-64.1397247314453],[-60.9712562561035,-64.031120300293],[-60.024169921875,-63.9426422119141],[-59.8379211425781,-63.7715301513672],[-59.432502746582,-63.8894500732422],[-58.9041709899902,-63.5318069458008],[-57.2766723632812,-63.2091674804688],[-57.0127830505371,-63.2466735839844],[-56.7202796936035,-63.5913925170898],[-57.1161155700684,-63.64111328125],[-57.1515312194824,-63.469539642334],[-57.3863945007324,-63.4626426696777],[-58.6461181640625,-63.9797286987305],[-58.8802795410156,-64.2164001464844],[-58.7786407470703,-64.5358123779297],[-59.4930572509766,-64.3161163330078],[-59.4987525939941,-64.5347290039062],[-59.9188919067383,-64.4122314453125],[-61.6306991577148,-65.2273712158203],[-61.9791679382324,-65.1900100708008],[-62.0791702270508,-65.4527893066406],[-61.6836128234863,-65.535285949707],[-62.0922241210938,-65.5713958740234],[-62.4573631286621,-65.9111175537109],[-61.8727798461914,-66.1719512939453],[-61.3384742736816,-66.061882019043],[-61.2905578613281,-65.9136199951172],[-61.0794486999512,-66.0611190795898],[-61.0116691589355,-65.9136199951172],[-60.6111907958984,-65.9292297363281],[-60.6838912963867,-66.0794525146484],[-61.1134757995605,-66.3266754150391],[-61.4458389282227,-66.1338958740234],[-61.7065315246582,-66.4668121337891],[-62.1727828979492,-66.1818084716797],[-62.8645896911621,-66.2525100708008],[-62.4470138549805,-66.4386825561523],[-62.6758346557617,-66.5495834350586],[-62.4377784729004,-66.6692733764648],[-62.5758361816406,-66.727783203125],[-63.1595878601074,-66.2987594604492],[-63.7047271728516,-66.2272338867188],[-63.768611907959,-66.3522338867188],[-63.5888214111328,-66.3731307983398],[-63.9747276306152,-66.4708404541016],[-63.8063926696777,-66.5838928222656],[-64.1038970947266,-66.5680618286133],[-64.1844482421875,-66.7327194213867],[-63.7788925170898,-66.7752838134766],[-63.7509765625,-66.8952865600586],[-64.8377838134766,-66.9514007568359],[-64.9340667724609,-67.0153579711914],[-64.6726455688477,-67.1557006835938],[-64.9204254150391,-67.2226486206055],[-64.7637634277344,-67.3102874755859],[-65.4147262573242,-67.3377838134766],[-65.6118087768555,-67.5628509521484],[-65.29833984375,-67.6682052612305],[-65.611946105957,-67.883056640625],[-65.3388290405273,-67.9749755859375],[-65.7191772460938,-68.1508407592773],[-64.770149230957,-68.1161193847656],[-65.5929946899414,-68.3529891967773],[-65.0962600708008,-68.4386215209961],[-65.4386138916016,-68.5952911376953],[-65.319450378418,-68.7079238891602],[-63.8613548278809,-68.8357696533203],[-64.2436218261719,-68.7125091552734],[-63.9912528991699,-68.7145919799805],[-64.3705596923828,-68.5066757202148],[-63.6141738891602,-68.3552856445312],[-62.7381286621094,-68.4134750366211],[-63.9668045043945,-68.5313949584961],[-63.2120170593262,-68.799934387207],[-63.6980590820312,-68.7405624389648],[-63.4661178588867,-68.9011154174805],[-63.6231994628906,-68.9725036621094],[-63.3690299987793,-69.0526428222656],[-63.5716705322266,-69.2405700683594],[-63.2461166381836,-69.1482009887695],[-63.1427841186523,-69.3602905273438],[-62.4734764099121,-69.4615325927734],[-62.6281967163086,-69.854866027832],[-61.9424324035645,-70.2328491210938],[-62.4813919067383,-70.2291717529297],[-62.4990997314453,-70.3688278198242],[-62.1763916015625,-70.5394592285156],[-61.4900817871094,-70.5195083618164],[-62.2009773254395,-70.7009811401367],[-62.1358375549316,-70.8589019775391],[-61.3900032043457,-70.813346862793],[-60.9468078613281,-71.1595230102539],[-61.1019515991211,-71.2355651855469],[-60.9720878601074,-71.3643112182617],[-61.2683372497559,-71.326530456543],[-61.1096534729004,-71.420280456543],[-61.938892364502,-71.6270904541016],[-61.2588958740234,-71.5388946533203],[-60.9227828979492,-71.759033203125],[-62.5250015258789,-71.9197235107422],[-62.2553482055664,-71.9986190795898],[-62.5460433959961,-72.0493774414062],[-61.334171295166,-72.1332015991211],[-60.8587532043457,-72.0059814453125],[-61.0669479370117,-72.1607666015625],[-60.7955589294434,-72.2372360229492],[-60.9913215637207,-72.2840270996094],[-60.8593063354492,-72.39208984375],[-61.509449005127,-72.4788970947266],[-61.2469482421875,-72.7039031982422],[-60.6152801513672,-72.6450042724609],[-60.6236152648926,-73.0252914428711],[-59.7955627441406,-72.8808441162109],[-59.8398666381836,-73.2231979370117],[-60.1669464111328,-73.2858428955078]],"Antarctica"], ["Arctic","AY79",[[-98.1966705322266,-72.1991729736328],[-97.9976501464844,-72.113899230957],[-98.1130676269531,-71.8900146484375],[-97.8100051879883,-71.9100112915039],[-97.7125091552734,-72.0105590820312],[-97.8679962158203,-72.1074371337891],[-97.6864013671875,-72.1819458007812],[-97.4155578613281,-72.0811157226562],[-97.3175048828125,-71.8544464111328],[-96.6922302246094,-71.868896484375],[-96.346321105957,-72.0048522949219],[-97.2522201538086,-72.2230606079102],[-95.9951477050781,-72.0800018310547],[-95.8697280883789,-72.2155685424805],[-96.5878524780273,-72.2909774780273],[-95.6875076293945,-72.374870300293],[-96.2650146484375,-72.5572357177734],[-97.7169494628906,-72.45361328125],[-98.6161193847656,-72.5688934326172],[-99.6138916015625,-72.4569549560547],[-99.3439025878906,-72.3416748046875],[-102.560134887695,-72.1230621337891],[-100.414459228516,-71.8813934326172],[-100.070137023926,-71.9385757446289],[-100.506813049316,-72.015983581543],[-100.070899963379,-72.0302124023438],[-100.211120605469,-72.1294555664062],[-99.6988983154297,-71.9641723632812],[-99.6166687011719,-72.1380615234375],[-98.8577880859375,-72.1305694580078],[-99.3058395385742,-71.9484786987305],[-98.8861236572266,-71.7616729736328],[-98.8112640380859,-71.8851470947266],[-98.2878570556641,-71.8779907226562],[-98.5564575195312,-72.1353530883789],[-98.1966705322266,-72.1991729736328]],"Antarctica"], ["Arctic","AY80",[[-94.6967620849609,-72.6141967773438],[-95.5172271728516,-72.6461181640625],[-94.9333343505859,-72.4963989257812],[-94.6967620849609,-72.6141967773438]],"Antarctica"], ["Arctic","AY81",[[-130.799438476562,-74.3708038330078],[-130.896392822266,-74.5441741943359],[-132.008361816406,-74.4230651855469],[-131.670837402344,-74.2933349609375],[-130.799438476562,-74.3708038330078]],"Antarctica"], ["Country","AC0",[[-61.7380599975586,16.9897193908691],[-61.8815307617188,17.0220813751221],[-61.8295860290527,17.1655540466309],[-61.6705589294434,17.0884704589844],[-61.7380599975586,16.9897193908691]],"Antigua & Barbuda"], ["Country","AR0",[[-64.6783447265625,-54.9072265625],[-64.6927795410156,-54.7769470214844],[-64.2872924804688,-54.6981010437012],[-63.8137550354004,-54.7286148071289],[-64.6783447265625,-54.9072265625]],"Argentina"], ["Country","AR1",[[-71.6983337402344,-43.8666687011719],[-71.8076477050781,-43.7633361816406],[-71.7017440795898,-43.6016693115234],[-71.9355621337891,-43.4534034729004],[-71.7396621704102,-43.1761131286621],[-72.1366729736328,-43.0057678222656],[-72.1303558349609,-42.2854232788086],[-71.7265396118164,-42.0950736999512],[-71.9145889282227,-41.6520881652832],[-71.8380661010742,-40.9554901123047],[-71.9501419067383,-40.7269477844238],[-71.6639633178711,-40.3345146179199],[-71.8180618286133,-40.20458984375],[-71.6333465576172,-39.9505615234375],[-71.6898651123047,-39.5754890441895],[-71.5071563720703,-39.6176414489746],[-71.4031982421875,-39.3301429748535],[-71.4104232788086,-38.9354209899902],[-70.8297271728516,-38.5880584716797],[-71.1798629760742,-37.696460723877],[-71.1861190795898,-36.8455581665039],[-71.034309387207,-36.4838905334473],[-70.7069473266602,-36.4145164489746],[-70.7047271728516,-36.2705612182617],[-70.42431640625,-36.1360397338867],[-70.3437576293945,-35.8113555908203],[-70.5650024414062,-35.2419471740723],[-70.3629913330078,-35.1447944641113],[-70.0476226806641,-34.2860107421875],[-69.8175735473633,-34.2347259521484],[-69.9050064086914,-33.7784767150879],[-69.7749328613281,-33.3871536254883],[-70.0955581665039,-33.1794471740723],[-69.9933395385742,-32.8761825561523],[-70.3209838867188,-32.2652816772461],[-70.2375106811523,-31.9384746551514],[-70.5867385864258,-31.5638217926025],[-70.5312576293945,-31.1812515258789],[-70.2950134277344,-31.0297241210938],[-70.211669921875,-30.5594482421875],[-69.8316802978516,-30.1905555725098],[-70.0289688110352,-29.2911148071289],[-69.7927856445312,-29.0956974029541],[-69.6553802490234,-28.4009323120117],[-69.1777801513672,-27.9519462585449],[-68.8074340820312,-27.1185436248779],[-68.2877883911133,-26.9127788543701],[-68.5836181640625,-26.5052795410156],[-68.3998641967773,-26.1593761444092],[-68.5975036621094,-25.4433364868164],[-68.3556289672852,-25.1212520599365],[-68.5674285888672,-24.7819442749023],[-68.2536163330078,-24.3986129760742],[-67.3358459472656,-24.0216674804688],[-67.0008392333984,-23.0027809143066],[-67.1836242675781,-22.8216667175293],[-66.7366790771484,-22.2275009155273],[-66.3069458007812,-22.0769462585449],[-66.2230072021484,-21.7805213928223],[-65.7500076293945,-22.1100692749023],[-64.592643737793,-22.2131977081299],[-64.3382720947266,-22.8697929382324],[-63.9411163330078,-22.0008354187012],[-62.8171920776367,-21.9973850250244],[-62.6437683105469,-22.2389030456543],[-61.0106964111328,-23.8108348846436],[-60.0380630493164,-24.0097236633301],[-58.807918548584,-24.781530380249],[-57.7611122131348,-25.1715297698975],[-57.5766677856445,-25.549446105957],[-58.1447296142578,-26.2069473266602],[-58.1816711425781,-26.6561126708984],[-58.6520881652832,-27.1588897705078],[-58.604621887207,-27.3169212341309],[-57.791389465332,-27.2922248840332],[-56.3980560302734,-27.5844459533691],[-56.1440315246582,-27.3114604949951],[-55.7316703796387,-27.4366683959961],[-55.5475006103516,-27.1122245788574],[-54.9633407592773,-26.7831974029541],[-54.6931953430176,-26.4280567169189],[-54.5989151000977,-25.5732231140137],[-54.1075744628906,-25.4963912963867],[-53.8616676330566,-25.6852798461914],[-53.6500053405762,-26.2500019073486],[-53.8077850341797,-27.1291694641113],[-54.8136138916016,-27.5355567932129],[-55.0216674804688,-27.8338890075684],[-55.7483367919922,-28.2170848846436],[-55.6975402832031,-28.4077091217041],[-55.8930625915527,-28.3697242736816],[-57.6080017089844,-30.1849250793457],[-57.8894500732422,-30.5350036621094],[-57.796947479248,-30.8834743499756],[-58.0788917541504,-31.4759044647217],[-58.040210723877,-31.7891693115234],[-58.2001419067383,-31.8947925567627],[-58.0975570678711,-32.2945861816406],[-58.1992416381836,-32.450309753418],[-58.1505432128906,-33.000129699707],[-58.2559623718262,-33.0658111572266],[-58.4256973266602,-33.0974349975586],[-58.5319519042969,-33.5169448852539],[-58.3852844238281,-34.050422668457],[-58.4697265625,-34.5397262573242],[-57.1883392333984,-35.320556640625],[-57.3766708374023,-35.9627838134766],[-57.053337097168,-36.3141708374023],[-56.7453498840332,-36.315975189209],[-56.678337097168,-36.9236145019531],[-57.4840316772461,-37.8304214477539],[-57.5519485473633,-38.1136169433594],[-58.3011169433594,-38.4850006103516],[-61.0944519042969,-38.9958343505859],[-62.3851432800293,-38.8026428222656],[-62.3275032043457,-39.2600059509277],[-62.0243759155273,-39.3875045776367],[-62.2748641967773,-39.3384742736816],[-62.0687522888184,-39.5084762573242],[-62.1170883178711,-39.8368759155273],[-62.3091735839844,-39.8922271728516],[-62.4887504577637,-40.3025703430176],[-62.247501373291,-40.6011848449707],[-62.3383369445801,-40.6713218688965],[-62.1953163146973,-40.6284065246582],[-62.390007019043,-40.9019470214844],[-63.0363960266113,-41.1493110656738],[-63.7747268676758,-41.164867401123],[-64.8044509887695,-40.7219467163086],[-65.1301422119141,-40.8441696166992],[-65.0136260986328,-42.0922241210938],[-64.4644546508789,-42.2656288146973],[-64.6008758544922,-42.4072608947754],[-64.4519500732422,-42.4458389282227],[-64.1134796142578,-42.4315299987793],[-64.0630645751953,-42.2786178588867],[-64.328239440918,-42.2461814880371],[-63.7508354187012,-42.0900039672852],[-63.5869483947754,-42.3318099975586],[-63.6286468505859,-42.7648315429688],[-64.0984115600586,-42.8885459899902],[-64.4540328979492,-42.5072288513184],[-64.9537506103516,-42.6611137390137],[-64.9894485473633,-42.7945899963379],[-64.2965316772461,-42.9911842346191],[-64.9298629760742,-43.2358360290527],[-65.3268127441406,-43.661808013916],[-65.2494506835938,-44.3130569458008],[-65.6890411376953,-44.7120895385742],[-65.5373001098633,-44.8922920227051],[-65.6111221313477,-45.0205612182617],[-66.1827850341797,-44.9644470214844],[-66.946533203125,-45.2541732788086],[-67.5843505859375,-46.0002975463867],[-67.5336151123047,-46.42236328125],[-66.8185501098633,-46.9891700744629],[-65.7752838134766,-47.1952095031738],[-65.8704223632812,-47.755558013916],[-66.2436218261719,-47.8602828979492],[-65.9568099975586,-47.7863922119141],[-65.789794921875,-47.9658355712891],[-67.5857009887695,-49.0404205322266],[-67.8277816772461,-49.3863906860352],[-67.6057739257812,-49.2640991210938],[-67.8972320556641,-49.98583984375],[-68.2733459472656,-50.1233367919922],[-68.5925140380859,-49.9286117553711],[-69.0028533935547,-50.0096549987793],[-68.5849380493164,-49.9804191589355],[-68.3731994628906,-50.1552124023438],[-68.9411163330078,-50.3880615234375],[-69.1436157226562,-50.8816719055176],[-69.4059753417969,-51.0796546936035],[-69.1925048828125,-50.9668083190918],[-68.9700698852539,-51.5727806091309],[-69.6095199584961,-51.6241722106934],[-68.9901428222656,-51.6244468688965],[-68.4417572021484,-52.3777770996094],[-69.9983367919922,-51.9963912963867],[-71.9105682373047,-51.9958343505859],[-72.4005584716797,-51.5136184692383],[-72.249626159668,-51.237850189209],[-72.3952178955078,-51.1081275939941],[-72.2658386230469,-51.0107002258301],[-72.2938919067383,-50.6529197692871],[-73.137092590332,-50.7698631286621],[-73.2775115966797,-50.3284759521484],[-73.5362548828125,-50.1201400756836],[-73.5400085449219,-49.4431991577148],[-73.4647369384766,-49.311393737793],[-73.1361236572266,-49.3041687011719],[-73.0063934326172,-48.9983367919922],[-72.5611190795898,-48.7994499206543],[-72.5955657958984,-48.4730606079102],[-72.2918853759766,-48.3477821350098],[-72.3219528198242,-48.0783386230469],[-72.5350723266602,-47.9154891967773],[-72.3501434326172,-47.4500045776367],[-71.867919921875,-47.2186164855957],[-71.9392471313477,-46.8162536621094],[-71.6728515625,-46.6839599609375],[-71.7466049194336,-46.2470169067383],[-71.9018096923828,-46.149097442627],[-71.6044464111328,-45.9769439697266],[-71.7819519042969,-45.6550064086914],[-71.2986145019531,-45.3050727844238],[-71.582649230957,-44.9754180908203],[-72.0668182373047,-44.901668548584],[-72.0818099975586,-44.7870864868164],[-71.2779235839844,-44.7981986999512],[-71.108757019043,-44.5352821350098],[-71.8534088134766,-44.3724365234375],[-71.6983337402344,-43.8666687011719]],"Argentina"], ["Country","AR2",[[-68.6175842285156,-52.6415100097656],[-68.2241744995117,-53.1062545776367],[-68.3683471679688,-53.0038909912109],[-68.5436248779297,-53.2294464111328],[-68.163200378418,-53.2937545776367],[-67.5636138916016,-53.9186172485352],[-66.2416687011719,-54.5377807617188],[-65.1400756835938,-54.6532669067383],[-65.3505630493164,-54.9277801513672],[-66.4461212158203,-55.0516738891602],[-67.4847793579102,-54.8749809265137],[-68.6358337402344,-54.7883377075195],[-68.6175842285156,-52.6415100097656]],"Argentina"], ["Country","AR3",[[-68.6361236572266,-54.8047714233398],[-68.5575332641602,-54.8795051574707],[-68.6431121826172,-54.8886108398438],[-68.6361236572266,-54.8047714233398]],"Argentina"], ["Country","AM0",[[43.4607696533203,41.1129608154297],[45.0229415893555,41.2970504760742],[45.2210922241211,41.1399841308594],[45.0963745117188,41.0597076416016],[45.6194343566895,40.866584777832],[45.3891563415527,40.6637382507324],[45.5363845825195,40.4569282531738],[45.997730255127,40.2308235168457],[45.9079704284668,40.0239486694336],[45.6077651977539,39.9717903137207],[46.5456886291504,39.5493659973145],[46.3841552734375,39.4059677124023],[46.6205368041992,39.2294235229492],[46.4231491088867,39.2087020874023],[46.5403747558594,38.8755874633789],[46.1782455444336,38.8411483764648],[45.8193588256836,39.5491600036621],[45.4649887084961,39.4940185546875],[45.0470695495605,39.7791557312012],[44.7788619995117,39.7063827514648],[44.3516616821289,40.0222206115723],[43.6683959960938,40.1031799316406],[43.5830535888672,40.4511108398438],[43.7504081726074,40.7449989318848],[43.4607696533203,41.1129608154297]],"Armenia"], ["Country","AM1",[[44.9928092956543,41.085262298584],[45.0107383728027,41.0296745300293],[45.0573616027832,41.0601577758789],[44.9928092956543,41.085262298584]],"Armenia"], ["Country","AM2",[[45.200813293457,40.9991912841797],[45.2223320007324,40.9651184082031],[45.2402648925781,40.9848442077637],[45.200813293457,40.9991912841797]],"Armenia"], ["Country","AM3",[[45.5849647521973,40.6515235900879],[45.5253753662109,40.6051788330078],[45.5079956054688,40.6631126403809],[45.5849647521973,40.6515235900879]],"Armenia"], ["Country","AA0",[[-70.0600662231445,12.6276264190674],[-69.9705581665039,12.5628261566162],[-69.8799438476562,12.4123582839966],[-70.058967590332,12.5397615432739],[-70.0600662231445,12.6276264190674]],"Aruba"], ["Country","AS0",[[136.908782958984,-14.1792659759521],[136.88916015625,-14.297779083252],[136.378021240234,-14.2163887023926],[136.428314208984,-13.8869457244873],[136.678863525391,-13.6580562591553],[136.712890625,-13.8379163742065],[136.91845703125,-13.8095836639404],[136.708023071289,-14.1677770614624],[136.908782958984,-14.1792659759521]],"Australia"], ["Country","AS1",[[139.148315429688,-16.7608337402344],[139.306640625,-16.4624977111816],[139.733581542969,-16.4558334350586],[139.148315429688,-16.7608337402344]],"Australia"], ["Country","AS2",[[151.227172851562,-23.7866668701172],[151.018463134766,-23.4563884735107],[151.222473144531,-23.5586128234863],[151.227172851562,-23.7866668701172]],"Australia"], ["Country","AS3",[[153.081634521484,-25.7958335876465],[152.943023681641,-25.5583343505859],[153.281646728516,-24.6991653442383],[153.371063232422,-25.0141677856445],[153.081634521484,-25.7958335876465]],"Australia"], ["Country","AS4",[[113.205551147461,-26.1447219848633],[112.952491760254,-25.78444480896],[112.953872680664,-25.4877758026123],[113.205551147461,-26.1447219848633]],"Australia"], ["Country","AS5",[[137.910949707031,-35.729377746582],[138.112731933594,-35.8697204589844],[137.760955810547,-35.8660430908203],[137.455444335938,-36.0853424072266],[136.712188720703,-36.0566635131836],[136.533874511719,-35.8822212219238],[137.317199707031,-35.590690612793],[137.910949707031,-35.729377746582]],"Australia"], ["Country","AS6",[[143.921630859375,-40.1363906860352],[143.837738037109,-39.8730545043945],[143.977462768555,-39.5738906860352],[144.146453857422,-39.9294395446777],[143.921630859375,-40.1363906860352]],"Australia"], ["Country","AS7",[[148.128845214844,-40.2744445800781],[147.7607421875,-39.8779830932617],[147.881896972656,-39.7541732788086],[148.279418945312,-39.9658355712891],[148.331359863281,-40.219165802002],[148.128845214844,-40.2744445800781]],"Australia"], ["Country","AS8",[[148.339141845703,-40.5033340454102],[147.998565673828,-40.3897247314453],[148.343017578125,-40.3066635131836],[148.479141235352,-40.4306945800781],[148.339141845703,-40.5033340454102]],"Australia"], ["Country","AS9",[[146.586090087891,-41.1866607666016],[147.971832275391,-40.7447891235352],[148.273315429688,-40.9011077880859],[148.363845825195,-42.2224273681641],[148.195266723633,-41.9454498291016],[148.079116821289,-42.1172180175781],[147.842880249023,-42.872917175293],[147.999694824219,-42.9070777893066],[147.995529174805,-43.2275886535645],[147.789703369141,-43.2469482421875],[147.631622314453,-43.0655517578125],[147.706497192383,-42.9383277893066],[147.8994140625,-43.0268745422363],[147.825805664062,-42.9319458007812],[147.557464599609,-42.8305587768555],[147.427124023438,-43.0417404174805],[147.317474365234,-42.8466644287109],[147.247451782227,-43.2691688537598],[146.991287231445,-43.1124305725098],[147.095336914062,-43.2887153625488],[146.833587646484,-43.6480560302734],[146.038299560547,-43.4980545043945],[145.932678222656,-43.3763160705566],[146.23454284668,-43.3251419067383],[145.8369140625,-43.2972259521484],[145.459686279297,-42.9044418334961],[145.205230712891,-42.256950378418],[145.469421386719,-42.5230560302734],[145.552047729492,-42.3511085510254],[144.858581542969,-41.5444488525391],[144.63720703125,-41.0319442749023],[144.701354980469,-40.7591705322266],[146.586090087891,-41.1866607666016]],"Australia"], ["Country","AS10",[[147.302764892578,-43.5133361816406],[147.123016357422,-43.4219436645508],[147.300262451172,-43.2627792358398],[147.302764892578,-43.5133361816406]],"Australia"], ["Country","AS11",[[123.16805267334,-34.0186080932617],[123.01782989502,-33.8575706481934],[122.118316650391,-34.0286102294922],[121.993865966797,-33.8247261047363],[120.004989624023,-33.9288864135742],[119.325546264648,-34.4469451904297],[118.911651611328,-34.4530563354492],[118.281661987305,-34.9055557250977],[117.83797454834,-35.0301399230957],[117.995880126953,-35.0969123840332],[117.609710693359,-35.1383361816406],[116.460540771484,-34.9995880126953],[115.973602294922,-34.819450378418],[115.495674133301,-34.3836135864258],[115.122207641602,-34.3627815246582],[114.997100830078,-33.5241050720215],[115.36360168457,-33.633056640625],[115.712631225586,-33.2640266418457],[115.594360351562,-32.6706924438477],[115.694496154785,-32.5222206115723],[115.700256347656,-32.7811126708984],[115.761932373047,-32.5725021362305],[115.70581817627,-31.7163867950439],[115.047271728516,-30.5047225952148],[114.887344360352,-29.2058334350586],[114.154289245605,-28.0909729003906],[113.936920166016,-27.1988868713379],[113.224426269531,-26.2391662597656],[113.287658691406,-26.0277767181396],[113.643455505371,-26.6543064117432],[113.863876342773,-26.4847221374512],[113.391105651855,-25.7104167938232],[113.469436645508,-25.5408363342285],[113.734085083008,-25.8890266418457],[113.714004516602,-26.1969432830811],[113.878860473633,-26.0288887023926],[114.069290161133,-26.4616661071777],[114.22144317627,-26.2924995422363],[114.258110046387,-25.8478469848633],[113.389709472656,-24.429443359375],[113.532211303711,-23.7572250366211],[113.763046264648,-23.4727745056152],[113.807479858398,-22.9333305358887],[113.656372070312,-22.6047210693359],[113.933319091797,-21.9761085510254],[114.175956726074,-21.8227787017822],[114.153869628906,-22.5277786254883],[114.372482299805,-22.442497253418],[114.651092529297,-21.8400001525879],[115.451927185059,-21.5177803039551],[116.707489013672,-20.6491661071777],[117.685386657715,-20.6763877868652],[118.178520202637,-20.3486804962158],[118.801086425781,-20.2858352661133],[119.080268859863,-19.9687480926514],[119.58179473877,-20.0708351135254],[121.027481079102,-19.5922241210938],[121.488586425781,-19.1230545043945],[121.800537109375,-18.4802780151367],[122.33748626709,-18.1313896179199],[122.174987792969,-17.2433319091797],[122.752212524414,-16.7622222900391],[122.920257568359,-16.4145832061768],[123.060249328613,-16.4555530548096],[122.956230163574,-16.5868072509766],[123.575271606445,-17.5974998474121],[123.592620849609,-16.9966659545898],[123.916023254395,-17.2082633972168],[123.796371459961,-16.9979839324951],[123.891662597656,-16.8933334350586],[123.425178527832,-16.4995136260986],[123.708877563477,-16.4302787780762],[123.570899963379,-16.1716651916504],[123.726234436035,-16.1386108398438],[123.891372680664,-16.3788871765137],[123.964431762695,-16.2455520629883],[124.229843139648,-16.4042339324951],[124.893043518066,-16.4067001342773],[124.400543212891,-16.3294448852539],[124.726715087891,-15.8089580535889],[124.400199890137,-15.8643045425415],[124.45726776123,-15.4782629013062],[124.656372070312,-15.4797210693359],[124.705268859863,-15.2533340454102],[125.18180847168,-15.5206851959229],[125.097343444824,-15.3018054962158],[124.912101745605,-15.3360061645508],[125.044258117676,-15.1615629196167],[124.824851989746,-15.1602783203125],[125.078323364258,-14.9997215270996],[125.164710998535,-15.1623620986938],[125.161651611328,-15.0338897705078],[125.434768676758,-15.1331243515015],[125.136024475098,-14.7474308013916],[125.336112976074,-14.5230560302734],[125.588882446289,-14.5494441986084],[125.618316650391,-14.2224292755127],[125.728668212891,-14.2731943130493],[125.642242431641,-14.6301040649414],[125.722793579102,-14.4043054580688],[125.902770996094,-14.643611907959],[126.037620544434,-14.5152082443237],[126.14665222168,-14.1299991607666],[126.017593383789,-13.9265270233154],[126.217483520508,-13.9619445800781],[126.287773132324,-14.2330551147461],[126.502487182617,-13.9647216796875],[126.600540161133,-14.2297210693359],[126.857902526855,-13.7509717941284],[127.12841796875,-13.9714918136597],[127.425254821777,-13.9540271759033],[128.16943359375,-14.7027778625488],[128.020843505859,-15.4982290267944],[128.132141113281,-15.2140550613403],[128.287185668945,-15.4006948471069],[128.192108154297,-15.0652084350586],[128.306289672852,-14.9127769470215],[128.448287963867,-15.047082901001],[128.387680053711,-14.7999992370605],[128.53596496582,-14.758472442627],[129.089416503906,-14.8994445800781],[129.191070556641,-15.1825008392334],[129.229614257812,-14.8392353057861],[129.731964111328,-15.1821880340576],[129.647338867188,-14.837776184082],[129.944427490234,-14.7677783966064],[129.675384521484,-14.7660427093506],[129.586563110352,-14.6280555725098],[129.772750854492,-14.535590171814],[129.540115356445,-14.5502786636353],[129.370239257812,-14.3333320617676],[129.732727050781,-13.994722366333],[129.828857421875,-13.5169458389282],[130.264434814453,-13.3252773284912],[130.140701293945,-12.9259243011475],[130.509002685547,-12.6044435501099],[130.688827514648,-12.701075553894],[130.57926940918,-12.4046535491943],[130.896362304688,-12.6402778625488],[130.815795898438,-12.4447231292725],[131.026916503906,-12.3583335876465],[131.024322509766,-12.149582862854],[131.492599487305,-12.2972221374512],[132.360931396484,-12.2023611068726],[132.383605957031,-12.3799991607666],[132.444351196289,-12.1502771377563],[132.748992919922,-12.1354160308838],[132.627593994141,-12.0327777862549],[132.691497802734,-11.6581954956055],[132.489959716797,-11.4769439697266],[132.086776733398,-11.5247230529785],[131.764266967773,-11.3066873550415],[131.984329223633,-11.1274299621582],[132.204956054688,-11.4097232818604],[132.146682739258,-11.1400003433228],[132.340515136719,-11.1301383972168],[132.671981811523,-11.5081262588501],[132.918029785156,-11.3369445800781],[133.183044433594,-11.7166652679443],[133.548858642578,-11.8327770233154],[133.908325195312,-11.7361106872559],[133.839401245117,-11.8541660308838],[134.050399780273,-11.844443321228],[134.206634521484,-12.0616655349731],[134.771377563477,-11.9958324432373],[135.231353759766,-12.2944450378418],[135.912750244141,-11.7655563354492],[135.669143676758,-12.1908330917358],[135.735504150391,-12.280834197998],[136.023040771484,-12.1119441986084],[136.039703369141,-12.4716663360596],[136.293731689453,-12.4143056869507],[136.363922119141,-12.2397212982178],[136.177749633789,-12.1669454574585],[136.562194824219,-11.9344444274902],[136.673233032227,-12.2845144271851],[136.775405883789,-12.1717367172241],[136.978363037109,-12.3581590652466],[136.620788574219,-12.8252773284912],[136.494415283203,-12.779167175293],[136.4580078125,-13.2525005340576],[136.356628417969,-13.053750038147],[135.927261352539,-13.2778472900391],[135.845794677734,-13.6038875579834],[136.020263671875,-13.7625007629395],[135.869125366211,-14.1945838928223],[135.372741699219,-14.7288875579834],[135.451354980469,-14.9327774047852],[136.765808105469,-15.9044456481934],[137.737670898438,-16.2517356872559],[138.19482421875,-16.7073593139648],[139.010543823242,-16.8991661071777],[139.260528564453,-17.3424987792969],[140.058578491211,-17.7184715270996],[140.833297729492,-17.4519424438477],[141.426574707031,-16.0743751525879],[141.66552734375,-15.0265283584595],[141.465789794922,-13.897084236145],[141.688720703125,-13.2540273666382],[141.585662841797,-12.9863882064819],[141.796920776367,-12.6912498474121],[141.940307617188,-12.8649988174438],[141.747604370117,-12.4697217941284],[141.592391967773,-12.5545139312744],[141.668853759766,-12.3819427490234],[141.84912109375,-11.988471031189],[142.023666381836,-12.067777633667],[142.147689819336,-10.9491662979126],[142.444427490234,-10.7097225189209],[142.613143920898,-10.7507638931274],[142.509292602539,-10.9502773284912],[142.608978271484,-10.8724985122681],[142.788299560547,-11.0805559158325],[142.859817504883,-11.8331937789917],[143.199127197266,-11.9874992370605],[143.07746887207,-12.3343048095703],[143.275817871094,-12.4130563735962],[143.429977416992,-12.6168050765991],[143.362319946289,-12.8488883972168],[143.51416015625,-12.8791656494141],[143.530807495117,-13.7563896179199],[143.782196044922,-14.4133338928223],[144.011856079102,-14.4877071380615],[144.51594543457,-14.1716661453247],[144.676773071289,-14.5573616027832],[145.315795898438,-14.9455547332764],[145.402053833008,-16.4409713745117],[145.806091308594,-16.9130554199219],[145.955444335938,-16.8990955352783],[145.8828125,-17.0717353820801],[146.104263305664,-17.6916656494141],[146.009429931641,-18.2380523681641],[146.333572387695,-18.5356254577637],[146.277618408203,-18.8870143890381],[147.139434814453,-19.4027786254883],[147.431915283203,-19.4123611450195],[147.401489257812,-19.3079509735107],[147.669555664062,-19.8247222900391],[147.821838378906,-19.7106914520264],[148.413452148438,-20.2063884735107],[148.452987670898,-20.0636119842529],[148.768890380859,-20.2324619293213],[148.934417724609,-20.5347232818604],[148.790252685547,-20.4569435119629],[148.691650390625,-20.6244430541992],[149.214691162109,-21.0800018310547],[149.669479370117,-22.4951705932617],[149.814651489258,-22.3839225769043],[150.038299560547,-22.6410064697266],[149.920806884766,-22.3505554199219],[150.043731689453,-22.1490287780762],[150.557739257812,-22.5769462585449],[150.634552001953,-22.3430557250977],[150.819122314453,-22.7319412231445],[150.8671875,-23.5050010681152],[151.537963867188,-24.0863189697266],[151.683868408203,-23.9888877868652],[152.131774902344,-24.6081943511963],[152.468017578125,-24.8122215270996],[152.671493530273,-25.2451362609863],[152.907821655273,-25.2888889312744],[152.920532226562,-25.7354164123535],[153.185516357422,-25.973331451416],[153.072052001953,-26.3084735870361],[153.157196044922,-27.0827789306641],[153.034561157227,-27.1766662597656],[153.505950927734,-28.1501121520996],[153.606002807617,-28.862154006958],[153.337615966797,-29.3283348083496],[152.848846435547,-31.656665802002],[152.511856079102,-32.1310424804688],[152.529693603516,-32.4036102294922],[151.454559326172,-33.3168067932129],[151.272766113281,-33.9694442749023],[151.099716186523,-34.013786315918],[151.195266723633,-34.0568161010742],[150.840515136719,-34.5583343505859],[150.836761474609,-35.0884017944336],[150.685180664062,-35.0421867370605],[150.162475585938,-35.9405517578125],[149.902465820312,-36.9233322143555],[149.977752685547,-37.5126724243164],[149.672821044922,-37.6963882446289],[147.759155273438,-37.9824981689453],[146.873565673828,-38.6516647338867],[146.219268798828,-38.7159729003906],[146.296493530273,-38.916561126709],[146.469268798828,-38.8056259155273],[146.394134521484,-39.1472244262695],[146.142349243164,-38.8459701538086],[145.904418945312,-38.8569488525391],[145.816146850586,-38.652286529541],[145.416076660156,-38.5458374023438],[145.555252075195,-38.3743057250977],[145.444274902344,-38.2269401550293],[144.9013671875,-38.5058364868164],[144.761108398438,-38.3777770996094],[145.131271362305,-38.1370124816895],[144.917678833008,-37.8685417175293],[144.368560791016,-38.1265258789062],[144.706344604492,-38.1491661071777],[144.658874511719,-38.2850036621094],[144.36328125,-38.3244476318359],[143.542953491211,-38.8592338562012],[142.379333496094,-38.3638916015625],[141.750946044922,-38.2670822143555],[141.571350097656,-38.4172210693359],[140.355926513672,-37.8616676330566],[139.751373291016,-37.1997222900391],[139.860794067383,-36.660831451416],[139.648040771484,-36.2097244262695],[139.082595825195,-35.679759979248],[139.660400390625,-36.2162475585938],[139.099563598633,-35.6125106811523],[139.159698486328,-35.5038948059082],[139.335830688477,-35.6913871765137],[139.35661315918,-35.3744430541992],[138.137481689453,-35.6530532836914],[138.51416015625,-35.0249977111816],[138.496063232422,-34.7288818359375],[138.092254638672,-34.1349296569824],[137.748168945312,-35.1327781677246],[136.831497192383,-35.2518043518066],[137.024078369141,-34.9020118713379],[137.434143066406,-34.9388885498047],[137.451705932617,-34.1604156494141],[137.948577880859,-33.5593032836914],[137.814346313477,-33.2780532836914],[138.039428710938,-33.0780563354492],[137.762969970703,-32.5325012207031],[137.774841308594,-32.9927749633789],[137.48828125,-33.1277770996094],[137.2099609375,-33.6661071777344],[136.413452148438,-34.0409774780273],[135.936904907227,-34.5368766784668],[135.803787231445,-34.8152122497559],[136.00666809082,-34.742603302002],[135.956405639648,-35.0082359313965],[135.112319946289,-34.5947570800781],[135.208511352539,-34.4358291625977],[135.495864868164,-34.6170845031738],[135.261077880859,-34.0065269470215],[134.840667724609,-33.6377792358398],[134.707473754883,-33.1772232055664],[134.26872253418,-33.1455574035645],[134.074508666992,-32.7208633422852],[134.276519775391,-32.7287483215332],[134.184143066406,-32.4866638183594],[133.852874755859,-32.5418090820312],[133.950790405273,-32.3982620239258],[133.605865478516,-32.0980529785156],[133.417205810547,-32.2133331298828],[132.764434814453,-31.9508323669434],[132.195938110352,-32.0269470214844],[131.148590087891,-31.474027633667],[128.978713989258,-31.6961097717285],[127.267761230469,-32.2783355712891],[125.972274780273,-32.2667388916016],[124.746643066406,-32.8977813720703],[124.281936645508,-32.9855575561523],[123.734992980957,-33.7797241210938],[123.16805267334,-34.0186080932617]],"Australia"], ["Country","AS12",[[130.958862304688,-11.9388885498047],[130.555404663086,-11.6815376281738],[130.493438720703,-11.6420135498047],[130.485107421875,-11.6024103164673],[130.392684936523,-11.163402557373],[130.704956054688,-11.3902778625488],[131.151718139648,-11.2607650756836],[131.223510742188,-11.4020137786865],[131.271514892578,-11.1902780532837],[131.528594970703,-11.3919448852539],[130.958862304688,-11.9388885498047]],"Australia"], ["Country","AS13",[[130.491271972656,-11.6897068023682],[130.636581420898,-11.7729167938232],[130.493560791016,-11.8386116027832],[130.024703979492,-11.79847240448],[130.255676269531,-11.3441667556763],[130.491271972656,-11.6897068023682]],"Australia"], ["Country","AU0",[[10.4712352752686,46.8713531494141],[10.3907632827759,47.0025672912598],[10.1094436645508,46.8502731323242],[9.59863471984863,47.063835144043],[9.5335693359375,47.274543762207],[9.67034530639648,47.3906898498535],[9.56672382354736,47.5404510498047],[9.95499992370605,47.5397186279297],[10.2317352294922,47.3737449645996],[10.1733322143555,47.2747192382812],[10.481803894043,47.5865211486816],[11.1040267944336,47.3965263366699],[12.7369422912598,47.6827049255371],[13.0124988555908,47.4697875976562],[13.1001377105713,47.6429138183594],[12.9139566421509,47.7249984741211],[13.0088882446289,47.8541641235352],[12.7597208023071,48.1217308044434],[13.394998550415,48.3661041259766],[13.4432277679443,48.5602378845215],[13.7259960174561,48.5155868530273],[13.833610534668,48.7736053466797],[14.7002801895142,48.5813789367676],[15.0286102294922,49.0187454223633],[16.1033325195312,48.75],[16.5405540466309,48.8123588562012],[16.9461822509766,48.6190643310547],[16.8447208404541,48.3619728088379],[17.1663856506348,48.0124969482422],[17.0538864135742,47.7094421386719],[16.450553894043,47.6980514526367],[16.7138862609863,47.5438842773438],[16.4520111083984,47.412841796875],[16.5048599243164,47.006763458252],[16.1118049621582,46.8697204589844],[14.8674983978271,46.6133308410645],[14.5449981689453,46.4074935913086],[13.7186546325684,46.526611328125],[12.4405536651611,46.6908264160156],[12.1602764129639,46.9280548095703],[12.1861095428467,47.0945816040039],[11.1771516799927,46.967357635498],[11.0168046951294,46.7733306884766],[10.4712352752686,46.8713531494141]],"Austria"], ["Country","AJ0",[[46.5403747558594,38.8755874633789],[46.4231491088867,39.2087020874023],[46.6205368041992,39.2294235229492],[46.3841552734375,39.4059677124023],[46.5456886291504,39.5493659973145],[45.6077651977539,39.9717903137207],[45.9079704284668,40.0239486694336],[45.997730255127,40.2308235168457],[45.5363845825195,40.4569282531738],[45.3891563415527,40.6637382507324],[45.6194343566895,40.866584777832],[45.0963745117188,41.0597076416016],[45.2210922241211,41.1399841308594],[45.0229415893555,41.2970504760742],[45.3415870666504,41.4609642028809],[46.5147132873535,41.0480422973633],[46.6896362304688,41.3173484802246],[46.1944274902344,41.6980438232422],[46.4517517089844,41.8970565795898],[46.7617263793945,41.8604736328125],[47.37109375,41.2719345092773],[47.8591537475586,41.207763671875],[49.7606239318848,42.7107582092285],[51.2501792907715,41.2312088012695],[51.5336151123047,40.9251861572266],[51.6770095825195,40.2960090637207],[51.6533088684082,39.4081726074219],[51.2945556640625,38.9537086486816],[51.2927131652832,38.7148513793945],[49.714527130127,38.262809753418],[48.6235084533691,38.3965034484863],[48.0246391296387,38.8333892822266],[48.3087387084961,39.0037422180176],[48.1238746643066,39.2781829833984],[48.3578834533691,39.3899078369141],[47.9847106933594,39.7155838012695],[46.5403747558594,38.8755874633789]],"Azerbaijan"], ["Country","AJ1",[[45.5849647521973,40.6515235900879],[45.5079956054688,40.6631126403809],[45.5253753662109,40.6051788330078],[45.5849647521973,40.6515235900879]],"Azerbaijan"], ["Country","AJ2",[[44.9928092956543,41.085262298584],[45.0573616027832,41.0601577758789],[45.0107383728027,41.0296745300293],[44.9928092956543,41.085262298584]],"Azerbaijan"], ["Country","AJ3",[[45.200813293457,40.9991912841797],[45.2402648925781,40.9848442077637],[45.2223320007324,40.9651184082031],[45.200813293457,40.9991912841797]],"Azerbaijan"], ["Country","AJ4",[[44.8130416870117,39.6308135986328],[44.7788619995117,39.7063827514648],[45.0470695495605,39.7791557312012],[45.4649887084961,39.4940185546875],[45.8193588256836,39.5491600036621],[46.1782455444336,38.8411483764648],[45.4334754943848,39.0031852722168],[44.8130416870117,39.6308135986328]],"Azerbaijan"], ["Country","BA0",[[50.5473251342773,26.2269268035889],[50.5733299255371,25.8097229003906],[50.4616622924805,25.965274810791],[50.5473251342773,26.2269268035889]],"Bahrain"], ["Country","FQ0",[[-176.455902099609,0.222557246685028],[-176.461471557617,0.215269327163696],[-176.467651367188,0.219457313418388],[-176.455902099609,0.222557246685028]],"Baker I."], ["Country","BG0",[[90.6713714599609,21.9872169494629],[90.5508117675781,22.6397171020508],[90.662483215332,22.7831935882568],[90.8788604736328,22.4366607666016],[90.6713714599609,21.9872169494629]],"Bangladesh"], ["Country","BG1",[[91.0272064208984,22.0838851928711],[91.0897064208984,22.5240249633789],[91.1746978759766,22.2186050415039],[91.0272064208984,22.0838851928711]],"Bangladesh"], ["Country","BG2",[[89.0630035400391,22.1154747009277],[88.8631057739258,22.9682579040527],[88.982795715332,23.2061405181885],[88.7271347045898,23.2470779418945],[88.7863388061523,23.4928417205811],[88.5659637451172,23.6466617584229],[88.7420806884766,24.2416687011719],[88.1304016113281,24.5065269470215],[88.0438690185547,24.6852035522461],[88.1410980224609,24.9164180755615],[88.397216796875,24.93971824646],[88.4542236328125,25.1883983612061],[88.9330444335938,25.1644401550293],[89.0086669921875,25.2902755737305],[88.1105346679688,25.8355522155762],[88.1828918457031,26.1505508422852],[88.523063659668,26.3673152923584],[88.3355865478516,26.4829978942871],[88.4130706787109,26.6261405944824],[88.8571472167969,26.240140914917],[89.0440063476562,26.2746047973633],[88.9466934204102,26.442684173584],[89.0707321166992,26.3853282928467],[89.3199081420898,26.024829864502],[89.5482177734375,26.0156307220459],[89.6017227172852,26.2274703979492],[89.7339401245117,26.1563148498535],[89.8505401611328,25.2889556884766],[90.4124908447266,25.1488838195801],[92.0388793945312,25.1874942779541],[92.4088745117188,25.0255527496338],[92.4916305541992,24.8775100708008],[92.2483825683594,24.8945789337158],[92.1172027587891,24.3899955749512],[91.8825759887695,24.1515560150146],[91.3819808959961,24.1051349639893],[91.1619262695312,23.6315250396729],[91.3442916870117,23.0981903076172],[91.4260864257812,23.2619438171387],[91.6115112304688,22.9445781707764],[91.8181762695312,23.090274810791],[91.9585952758789,23.7277717590332],[92.2780456542969,23.7108287811279],[92.6008148193359,21.9822158813477],[92.6693420410156,21.2969818115234],[92.2608184814453,21.4144401550293],[92.2619323730469,21.0543098449707],[92.3271102905273,20.7448196411133],[92.0480422973633,21.1649951934814],[92.0394287109375,21.6602745056152],[91.6583251953125,22.5541648864746],[91.4558258056641,22.7899971008301],[91.2306747436523,22.5863857269287],[90.8315200805664,22.6883277893066],[90.6245651245117,23.0584011077881],[90.6023406982422,23.4666595458984],[90.7160263061523,23.5068016052246],[90.5938262939453,23.5979652404785],[90.4736022949219,23.5758285522461],[90.5480422973633,23.3843021392822],[90.3088684082031,23.4144401550293],[90.6131820678711,23.2183284759521],[90.4244003295898,22.7701892852783],[90.6124801635742,22.3027763366699],[90.4359512329102,22.0730514526367],[90.4013824462891,22.260555267334],[90.2699890136719,21.8469409942627],[90.0233154296875,21.863468170166],[90.2384490966797,22.1828422546387],[90.0481414794922,21.9830226898193],[90.074089050293,22.1588840484619],[89.9158172607422,22.0372200012207],[90,22.4837512969971],[89.8413772583008,22.2609691619873],[89.8837356567383,21.8946475982666],[89.5811004638672,21.70166015625],[89.615119934082,22.319580078125],[89.5282516479492,21.9906902313232],[89.4747085571289,22.2891635894775],[89.462760925293,21.7688865661621],[89.35498046875,21.9660358428955],[89.2449798583984,21.64284324646],[89.0630035400391,22.1154747009277]],"Bangladesh"], ["Country","BB0",[[-59.5330581665039,13.0505542755127],[-59.6311111450195,13.3349990844727],[-59.4291687011719,13.1649990081787],[-59.5330581665039,13.0505542755127]],"Barbados"], ["Country","BO0",[[31.7838859558105,52.1080474853516],[30.959659576416,52.079345703125],[30.564998626709,51.6433258056641],[30.5514144897461,51.2518463134766],[30.1799945831299,51.4915199279785],[29.3422203063965,51.3731842041016],[29.1180534362793,51.6369400024414],[28.7571506500244,51.4156494140625],[28.2567329406738,51.659294128418],[27.8320808410645,51.6091613769531],[27.7479114532471,51.4665184020996],[27.1699962615967,51.76416015625],[25.240966796875,51.9598541259766],[24.3942317962646,51.8847160339355],[24.0430526733398,51.6102752685547],[23.6046333312988,51.5276947021484],[23.6386070251465,52.0794372558594],[23.1653995513916,52.2822761535645],[23.9352741241455,52.7174873352051],[23.5040397644043,53.9470443725586],[24.3916606903076,53.8903388977051],[25.4669380187988,54.3043670654297],[25.5399284362793,54.1454811096191],[25.7661094665527,54.1538772583008],[25.712703704834,54.3315200805664],[25.5516624450684,54.326904296875],[25.7920818328857,54.873046875],[26.8068027496338,55.269718170166],[26.4648551940918,55.3387413024902],[26.613208770752,55.6748352050781],[26.9858283996582,55.8323554992676],[27.6002426147461,55.7925224304199],[28.1680107116699,56.1501541137695],[28.7461071014404,55.9561042785645],[29.4100646972656,55.9579086303711],[29.4849948883057,55.692211151123],[30.2458267211914,55.8544387817383],[30.9262466430664,55.6025695800781],[30.8159694671631,55.3017272949219],[31.0275325775146,55.0485000610352],[30.7827053070068,54.7990913391113],[31.1030502319336,54.6455459594727],[31.3286075592041,54.2432556152344],[31.845552444458,54.0609664916992],[31.7642250061035,53.8043479919434],[32.4566612243652,53.7245712280273],[32.443531036377,53.5728416442871],[32.7400588989258,53.458812713623],[32.2233200073242,53.1055526733398],[31.4257583618164,53.208812713623],[31.2666645050049,53.023323059082],[31.579719543457,52.804573059082],[31.5938167572021,52.313117980957],[31.7838859558105,52.1080474853516]],"Belarus"], ["Country","BE0",[[2.54166650772095,51.0911102294922],[3.37086582183838,51.3738555908203],[3.43986082077026,51.2447853088379],[3.89541625976562,51.2056884765625],[4.23889827728271,51.3504257202148],[4.32770252227783,51.2901229858398],[4.25236797332764,51.3751449584961],[5.03847169876099,51.4869422912598],[5.23897361755371,51.2622833251953],[5.84713220596313,51.153190612793],[5.63881874084473,50.8488845825195],[6.01179790496826,50.7572708129883],[6.27041625976562,50.6198539733887],[6.39820384979248,50.3231735229492],[6.13441371917725,50.1278457641602],[5.97305488586426,50.1699981689453],[5.74777698516846,49.9074935913086],[5.89916610717773,49.6627731323242],[5.80788040161133,49.5450439453125],[5.47277736663818,49.5088844299316],[4.8684720993042,49.8022193908691],[4.82472372055054,50.1675682067871],[4.51055526733398,49.9474945068359],[4.14923763275146,49.9783706665039],[4.16499996185303,50.2830505371094],[3.29708290100098,50.524299621582],[3.15857601165771,50.784366607666],[2.65055513381958,50.8161087036133],[2.54166650772095,51.0911102294922]],"Belgium"], ["Country","BH0",[[-88.2994995117188,18.4829292297363],[-88.0777893066406,18.2155532836914],[-88.2825012207031,17.6238861083984],[-88.2133407592773,16.9620819091797],[-88.3612899780273,16.5017681121826],[-88.9105682373047,15.8936100006104],[-89.2161712646484,15.8898506164551],[-89.1419525146484,17.8188858032227],[-89.0720520019531,17.9949760437012],[-88.8414001464844,17.9038887023926],[-88.4737930297852,18.4837131500244],[-88.2994995117188,18.4829292297363]],"Belize"], ["Country","BN0",[[0.917969942092896,10.9963989257812],[1.43527770042419,11.4588871002197],[2.02003335952759,11.4260768890381],[2.39792537689209,11.8961515426636],[2.38836646080017,12.2473230361938],[2.83861970901489,12.3966579437256],[3.60445880889893,11.6932735443115],[3.47499990463257,11.4297218322754],[3.73577356338501,11.1206340789795],[3.85499954223633,10.5849990844727],[3.58194398880005,10.275276184082],[3.61201357841492,9.9540958404541],[3.17138862609863,9.49638748168945],[3.09499979019165,9.09055519104004],[2.79208302497864,9.05041599273682],[2.71960592269897,6.36550521850586],[1.63540387153625,6.21872138977051],[1.79779934883118,6.28025436401367],[1.55388236045837,6.99656248092651],[1.61972200870514,9.03423500061035],[1.33749985694885,9.54249954223633],[1.35499978065491,9.99527740478516],[0.776666641235352,10.3766651153564],[0.917969942092896,10.9963989257812]],"Benin"], ["Country","BD0",[[-64.6772689819336,32.3791236877441],[-64.7234039306641,32.3179206848145],[-64.780387878418,32.2778205871582],[-64.6944580078125,32.3730964660645],[-64.6772689819336,32.3791236877441]],"Bermuda"], ["Country","BT0",[[88.9169311523438,27.3208312988281],[89.4874877929688,28.0577735900879],[89.9981918334961,28.3236923217773],[90.3889770507812,28.2425651550293],[90.3765029907227,28.0795803070068],[91.0869293212891,27.9699935913086],[91.3013763427734,28.0811080932617],[91.6627655029297,27.944995880127],[91.6577606201172,27.764720916748],[91.6758193969727,27.4870777130127],[91.9936599731445,27.4755840301514],[92.1142196655273,27.2930526733398],[92.0312347412109,26.8519401550293],[90.7086029052734,26.7724990844727],[90.3887405395508,26.9034671783447],[89.6430511474609,26.7152709960938],[88.8938751220703,26.9755516052246],[88.7519378662109,27.1486053466797],[88.9169311523438,27.3208312988281]],"Bhutan"], ["Country","BL0",[[-69.4997253417969,-17.5052795410156],[-69.618896484375,-17.2147254943848],[-68.8242416381836,-16.3263206481934],[-69.2138214111328,-16.1572227478027],[-69.4209823608398,-15.6215286254883],[-69.137092590332,-15.2276401519775],[-69.3647994995117,-14.8006258010864],[-68.8578872680664,-14.2001390457153],[-69.0627899169922,-13.7077789306641],[-68.9733428955078,-12.8654861450195],[-68.6739044189453,-12.5011501312256],[-69.5675048828125,-10.9505558013916],[-68.6208343505859,-11.1163902282715],[-68.2809066772461,-10.9797229766846],[-68.0611114501953,-10.6763896942139],[-67.7033386230469,-10.6947231292725],[-66.630485534668,-9.90576457977295],[-65.376953125,-9.70333385467529],[-65.3907089233398,-11.2747230529785],[-65.0083465576172,-11.989444732666],[-64.3730621337891,-12.468334197998],[-63.0671005249023,-12.6598682403564],[-62.7697296142578,-13.0058345794678],[-62.1136741638184,-13.1537084579468],[-61.8403129577637,-13.5387449264526],[-61.0389785766602,-13.4931182861328],[-60.4768104553223,-13.8034725189209],[-60.2588958740234,-15.0936126708984],[-60.5713958740234,-15.0975017547607],[-60.2272262573242,-15.4786128997803],[-60.1602783203125,-16.2630577087402],[-58.327507019043,-16.279167175293],[-58.4757690429688,-16.674633026123],[-58.3904190063477,-17.2595844268799],[-57.7455139160156,-17.5938873291016],[-57.5211181640625,-18.2038917541504],[-57.7047271728516,-19.0436134338379],[-58.1211166381836,-19.7413902282715],[-57.8518753051758,-19.9755096435547],[-58.1588897705078,-20.1680564880371],[-58.1509742736816,-19.831111907959],[-59.0958404541016,-19.3488922119141],[-59.9818077087402,-19.2968082427979],[-61.7425003051758,-19.6450004577637],[-62.2694473266602,-20.5622253417969],[-62.2588958740234,-21.0569458007812],[-62.6437683105469,-22.2389030456543],[-62.8171920776367,-21.9973850250244],[-63.9411163330078,-22.0008354187012],[-64.3382720947266,-22.8697929382324],[-64.592643737793,-22.2131977081299],[-65.7500076293945,-22.1100692749023],[-66.2230072021484,-21.7805213928223],[-66.3069458007812,-22.0769462585449],[-66.7366790771484,-22.2275009155273],[-67.1836242675781,-22.8216667175293],[-67.8764038085938,-22.8280563354492],[-68.1886138916016,-21.296947479248],[-68.5600128173828,-20.8913917541504],[-68.4670181274414,-20.6306266784668],[-68.7522277832031,-20.4240283966064],[-68.777229309082,-20.0891666412354],[-68.5233459472656,-19.916389465332],[-68.6871566772461,-19.7036819458008],[-68.4436798095703,-19.4336471557617],[-68.9658355712891,-18.9530563354492],[-69.0716705322266,-18.038890838623],[-69.2912521362305,-17.9794464111328],[-69.4997253417969,-17.5052795410156]],"Bolivia"], ["Country","BK0",[[17.6498413085938,42.8890762329102],[17.5785255432129,42.9438247680664],[17.6544418334961,43.0472183227539],[17.2547206878662,43.4640235900879],[16.1454830169678,44.1986770629883],[16.1298599243164,44.4923553466797],[15.7405891418457,44.8122482299805],[15.7857627868652,45.1689529418945],[16.0224266052246,45.2143707275391],[16.2917594909668,44.9991149902344],[16.5310935974121,45.225528717041],[16.9139251708984,45.2659454345703],[17.8603458404541,45.0493698120117],[18.634162902832,45.0833282470703],[19.0397186279297,44.8613815307617],[19.3713874816895,44.88916015625],[19.1044425964355,44.355827331543],[19.6185646057129,44.052619934082],[19.2394523620605,44.010612487793],[19.5105533599854,43.6858291625977],[19.2288093566895,43.5132141113281],[18.949857711792,43.5060348510742],[19.0595741271973,43.2359466552734],[18.9155712127686,43.3577690124512],[18.7027759552002,43.2571487426758],[18.4817333221436,42.9661750793457],[18.5763854980469,42.6630554199219],[18.4555549621582,42.5658264160156],[17.6498413085938,42.8890762329102]],"Bosnia & Herzegovina"], ["Country","BC0",[[20.0009422302246,-24.7654075622559],[19.9966659545898,-22.0050010681152],[20.991943359375,-21.9969482421875],[20.9932861328125,-18.318416595459],[23.2971076965332,-17.9959487915039],[23.6132564544678,-18.4851608276367],[24.3630542755127,-17.9491672515869],[24.5663166046143,-18.0542373657227],[24.8327751159668,-17.8377094268799],[25.2644309997559,-17.8022499084473],[26.1693725585938,-19.5298614501953],[27.2136096954346,-20.0873622894287],[27.2874526977539,-20.4949645996094],[27.7155799865723,-20.5102195739746],[27.6867332458496,-21.0711822509766],[28.0158309936523,-21.5661125183105],[29.0725173950195,-21.8094120025635],[29.0758304595947,-22.0394477844238],[29.3736228942871,-22.1924095153809],[28.2983322143555,-22.609447479248],[27.5290946960449,-23.3793773651123],[27.0052051544189,-23.6437511444092],[26.8304138183594,-24.2751407623291],[26.4110412597656,-24.6282730102539],[25.8713874816895,-24.7444458007812],[25.5097198486328,-25.6777801513672],[24.6845722198486,-25.828218460083],[23.9019432067871,-25.6248626708984],[23.4543724060059,-25.2770156860352],[23.0148315429688,-25.2997245788574],[22.6248092651367,-26.1115646362305],[21.6683311462402,-26.8636817932129],[20.6411094665527,-26.8259735107422],[20.8102760314941,-25.8808345794678],[20.3899993896484,-25.0369453430176],[20.0009422302246,-24.7654075622559]],"Botswana"], ["Country","BV0",[[3.48138427734375,-54.4004936218262],[3.38389277458191,-54.453556060791],[3.35254740715027,-54.4096221923828],[3.4443621635437,-54.3839569091797],[3.48138427734375,-54.4004936218262]],"Bouvet I."], ["Country","BR0",[[-45.2433395385742,-23.9672241210938],[-45.4479179382324,-23.917501449585],[-45.321949005127,-23.7269477844238],[-45.2433395385742,-23.9672241210938]],"Brazil"], ["Country","BR1",[[-50.4047241210938,1.87999987602234],[-50.4994506835938,2.07777738571167],[-50.3788909912109,2.13333320617676],[-50.4047241210938,1.87999987602234]],"Brazil"], ["Country","BR2",[[-50.2541732788086,0.341944396495819],[-50.3080596923828,0.506388783454895],[-50.0598640441895,0.643055498600006],[-50.2541732788086,0.341944396495819]],"Brazil"], ["Country","BR3",[[-50.4411163330078,0.171111106872559],[-50.5363922119141,0.222361087799072],[-50.3777809143066,0.618333280086517],[-50.3177795410156,0.308888852596283],[-50.4411163330078,0.171111106872559]],"Brazil"], ["Country","BR4",[[-49.8950157165527,0],[-50.3498649597168,0.021805552765727],[-50.3919448852539,0.189722210168839],[-49.7038917541504,0.334999978542328],[-49.6436157226562,0.210277765989304],[-49.8950157165527,0]],"Brazil"], ["Country","BR5",[[-50.437141418457,-8.67361737988404e-19],[-50.6577835083008,0.15236109495163],[-50.4727783203125,0.154166638851166],[-50.437141418457,-8.67361737988404e-19]],"Brazil"], ["Country","BR6",[[-49.3978118896484,0],[-49.5255584716797,-0.134444445371628],[-49.8525009155273,-0.0644444525241852],[-49.6509780883789,0.077361099421978],[-49.3978118896484,0]],"Brazil"], ["Country","BR7",[[-50.857780456543,-0.283055603504181],[-51.027229309082,-0.224166691303253],[-50.9727783203125,-0.0900000035762787],[-50.5625,-0.054166667163372],[-50.857780456543,-0.283055603504181]],"Brazil"], ["Country","BR8",[[-50.7905807495117,-1.20259165763855],[-50.7811126708984,-1.15194463729858],[-50.569450378418,-1.10194444656372],[-50.7969512939453,-0.971944451332092],[-50.7750015258789,-0.644166707992554],[-50.557430267334,-0.678611159324646],[-50.7263946533203,-0.497777819633484],[-50.6466674804688,-0.262500047683716],[-50.3288955688477,-0.100277781486511],[-48.4102783203125,-0.26212739944458],[-48.5391693115234,-0.900277853012085],[-48.8766708374023,-1.48777794837952],[-49.6725006103516,-1.77666687965393],[-49.7575721740723,-1.63875007629395],[-49.81298828125,-1.81444454193115],[-50.0543098449707,-1.70847225189209],[-50.579517364502,-1.79868066310883],[-50.7239151000977,-1.51014232635498],[-50.8143119812012,-1.32951390743256],[-50.7905807495117,-1.20259165763855]],"Brazil"], ["Country","BR9",[[-51.6427955627441,-0.818110406398773],[-51.6097259521484,-0.733888983726501],[-51.5913963317871,-0.724817514419556],[-51.1983337402344,-0.530277848243713],[-51.2768096923828,-1.0200001001358],[-51.9013900756836,-1.47666668891907],[-51.6427955627441,-0.818110406398773]],"Brazil"], ["Country","BR10",[[-51.140007019043,-0.962222337722778],[-51.0702819824219,-0.694444537162781],[-50.8136138916016,-0.576111137866974],[-51.140007019043,-0.962222337722778]],"Brazil"], ["Country","BR11",[[-52.2008361816406,-1.64666676521301],[-52.1722259521484,-1.49722242355347],[-51.9151458740234,-1.52027785778046],[-52.2008361816406,-1.64666676521301]],"Brazil"], ["Country","BR12",[[-44.6950073242188,-1.81777787208557],[-44.4897270202637,-1.98666679859161],[-44.6549339294434,-2.32368087768555],[-44.4508361816406,-2.14638900756836],[-44.3605575561523,-2.34194469451904],[-44.582088470459,-2.56680583953857],[-44.7863922119141,-3.2975001335144],[-44.4230613708496,-2.93444466590881],[-44.3569488525391,-2.52666711807251],[-44.0338897705078,-2.41361141204834],[-44.3383712768555,-2.78079867362976],[-44.1983337402344,-2.86888933181763],[-43.928337097168,-2.54847240447998],[-43.4483337402344,-2.5377779006958],[-43.477710723877,-2.38277816772461],[-43.3475036621094,-2.36583375930786],[-42.23583984375,-2.83777809143066],[-41.8708343505859,-2.73222255706787],[-41.2480697631836,-3.02355432510376],[-41.2227783203125,-2.88027811050415],[-39.9987525939941,-2.84652805328369],[-38.4965324401855,-3.72486138343811],[-37.174446105957,-4.91861152648926],[-35.4144477844238,-5.21847248077393],[-34.7929191589355,-7.17277812957764],[-34.8309783935547,-8.00930595397949],[-35.327507019043,-9.22888946533203],[-36.3898620605469,-10.4891672134399],[-37.0119476318359,-10.929723739624],[-37.0551834106445,-10.876877784729],[-37.1545143127441,-11.0997915267944],[-37.2756271362305,-11.0252084732056],[-37.2072296142578,-11.219446182251],[-37.3718795776367,-11.4298620223999],[-37.3423614501953,-11.1875009536743],[-37.6591720581055,-12.0583343505859],[-38.3179206848145,-12.9372234344482],[-38.5305252075195,-13.0160074234009],[-38.5073661804199,-12.7264585494995],[-38.6979904174805,-12.581111907959],[-38.7999572753906,-12.8035907745361],[-38.7301406860352,-12.8712511062622],[-39.0802841186523,-13.5383338928223],[-38.9634742736816,-13.6861124038696],[-39.0745887756348,-14.1461124420166],[-38.9207000732422,-13.9251394271851],[-39.0666694641113,-14.6504182815552],[-38.8719482421875,-15.8741683959961],[-39.2090301513672,-17.1661148071289],[-39.1322250366211,-17.6863212585449],[-39.6462554931641,-18.2312526702881],[-39.7875061035156,-19.6036148071289],[-40.9643325805664,-21.2765655517578],[-40.970142364502,-21.9825019836426],[-41.7630615234375,-22.3461112976074],[-41.987434387207,-22.5656967163086],[-42.0344467163086,-22.9191703796387],[-43.0941696166992,-22.9533348083496],[-43.0758361816406,-22.6683349609375],[-43.2543106079102,-22.7365989685059],[-43.1474342346191,-22.9518070220947],[-43.2894515991211,-23.0130577087402],[-43.9969482421875,-23.1030578613281],[-43.6068077087402,-23.0188884735107],[-43.7688903808594,-22.9266700744629],[-44.1919479370117,-23.0511131286621],[-44.3537521362305,-22.9204177856445],[-44.6752128601074,-23.0556964874268],[-44.5743064880371,-23.3536834716797],[-44.9438934326172,-23.3622245788574],[-45.4108352661133,-23.6288909912109],[-45.4154853820801,-23.8280563354492],[-45.890007019043,-23.7677803039551],[-46.2797241210938,-24.0258350372314],[-46.3804206848145,-23.8687515258789],[-48.0261154174805,-25.0150032043457],[-47.914306640625,-25.1523628234863],[-48.2081985473633,-25.4601402282715],[-48.1340560913086,-25.2847309112549],[-48.3950042724609,-25.2961120605469],[-48.4806976318359,-25.4801406860352],[-48.7186126708984,-25.4247245788574],[-48.3618087768555,-25.5794448852539],[-48.7701416015625,-25.8840980529785],[-48.5811157226562,-25.8722229003906],[-48.5810432434082,-26.1756954193115],[-48.7933349609375,-26.1322250366211],[-48.4869499206543,-27.2134742736816],[-48.6205596923828,-27.2370853424072],[-48.5638961791992,-27.864444732666],[-48.7618064880371,-28.4906959533691],[-48.8527793884277,-28.3202781677246],[-48.8425064086914,-28.6177787780762],[-49.7525024414062,-29.3697242736816],[-50.7494506835938,-31.081111907959],[-52.0696563720703,-32.171947479248],[-52.086742401123,-31.8268051147461],[-51.861255645752,-31.872917175293],[-51.2513961791992,-31.4716682434082],[-51.1589622497559,-31.0778484344482],[-50.9708404541016,-31.1222229003906],[-50.5680999755859,-30.4575500488281],[-50.6050033569336,-30.1940288543701],[-50.9663925170898,-30.4088897705078],[-51.2750396728516,-30.0105571746826],[-51.2772941589355,-30.7999324798584],[-51.3769493103027,-30.6511116027832],[-51.4677810668945,-31.0609741210938],[-51.963752746582,-31.3373641967773],[-52.2176399230957,-31.745002746582],[-52.2547225952148,-32.0552825927734],[-52.0907669067383,-32.164379119873],[-52.6286163330078,-33.1152801513672],[-53.3742980957031,-33.7406692504883],[-53.5344467163086,-33.6569519042969],[-53.5210456848145,-33.1416130065918],[-53.0983009338379,-32.7234382629395],[-53.553337097168,-32.4461135864258],[-53.875415802002,-31.9744472503662],[-54.2858352661133,-31.8044471740723],[-54.5941009521484,-31.4609050750732],[-55.2287521362305,-31.2497253417969],[-55.584171295166,-30.8462524414062],[-56.0089225769043,-31.0797939300537],[-56.0016708374023,-30.7958335876465],[-56.811393737793,-30.1052780151367],[-57.0709762573242,-30.1088905334473],[-57.2138938903809,-30.292085647583],[-57.6080017089844,-30.1849250793457],[-55.8930625915527,-28.3697242736816],[-55.6975402832031,-28.4077091217041],[-55.7483367919922,-28.2170848846436],[-55.0216674804688,-27.8338890075684],[-54.8136138916016,-27.5355567932129],[-53.8077850341797,-27.1291694641113],[-53.6500053405762,-26.2500019073486],[-53.8616676330566,-25.6852798461914],[-54.1075744628906,-25.4963912963867],[-54.5989151000977,-25.5732231140137],[-54.243896484375,-24.0536079406738],[-54.6256980895996,-23.804931640625],[-55.0313949584961,-23.9944458007812],[-55.4120864868164,-23.9543075561523],[-55.6091690063477,-22.6384735107422],[-55.849723815918,-22.288890838623],[-56.2029190063477,-22.2747249603271],[-56.3965301513672,-22.0686817169189],[-56.8775024414062,-22.274169921875],[-57.985107421875,-22.0918273925781],[-57.8145866394043,-20.9787521362305],[-58.1588897705078,-20.1680564880371],[-57.8518753051758,-19.9755096435547],[-58.1211166381836,-19.7413902282715],[-57.7047271728516,-19.0436134338379],[-57.5211181640625,-18.2038917541504],[-57.7455139160156,-17.5938873291016],[-58.3904190063477,-17.2595844268799],[-58.4757690429688,-16.674633026123],[-58.327507019043,-16.279167175293],[-60.1602783203125,-16.2630577087402],[-60.2272262573242,-15.4786128997803],[-60.5713958740234,-15.0975017547607],[-60.2588958740234,-15.0936126708984],[-60.4768104553223,-13.8034725189209],[-61.0389785766602,-13.4931182861328],[-61.8403129577637,-13.5387449264526],[-62.1136741638184,-13.1537084579468],[-62.7697296142578,-13.0058345794678],[-63.0671005249023,-12.6598682403564],[-64.3730621337891,-12.468334197998],[-65.0083465576172,-11.989444732666],[-65.3907089233398,-11.2747230529785],[-65.376953125,-9.70333385467529],[-66.630485534668,-9.90576457977295],[-67.7033386230469,-10.6947231292725],[-68.0611114501953,-10.6763896942139],[-68.2809066772461,-10.9797229766846],[-68.6208343505859,-11.1163902282715],[-69.5675048828125,-10.9505558013916],[-70.6313934326172,-11.0091667175293],[-70.5146636962891,-9.42800140380859],[-71.2963943481445,-9.99541759490967],[-72.1438903808594,-10.0047225952148],[-72.3716735839844,-9.49264049530029],[-73.2006988525391,-9.40076446533203],[-72.9623641967773,-8.9884729385376],[-73.533203125,-8.35236167907715],[-73.7719573974609,-7.9480562210083],[-73.7066650390625,-7.77638912200928],[-74.0045928955078,-7.55437564849854],[-73.9311218261719,-7.35916709899902],[-73.7058410644531,-7.30923652648926],[-73.7441711425781,-6.87694454193115],[-73.1239013671875,-6.44722270965576],[-73.229736328125,-6.09361171722412],[-72.8519592285156,-5.12472248077393],[-71.9024810791016,-4.5181884765625],[-70.9562606811523,-4.3822226524353],[-70.7624359130859,-4.14770841598511],[-70.3201446533203,-4.13972282409668],[-70.1978302001953,-4.33265018463135],[-69.9569244384766,-4.23687362670898],[-69.378547668457,-1.33791673183441],[-69.6065368652344,-0.519861161708832],[-70.0580596923828,-0.157500028610229],[-70.0447311401367,0.584999978542328],[-69.4592819213867,0.736597180366516],[-69.127815246582,0.644027709960938],[-69.2648696899414,1.03388869762421],[-69.8422241210938,1.07222199440002],[-69.8460998535156,1.71045517921448],[-68.1530609130859,1.72416663169861],[-68.1963958740234,1.97749996185303],[-67.9147338867188,1.74527764320374],[-67.4225769042969,2.14284706115723],[-67.0711822509766,1.62040734291077],[-67.0752868652344,1.17249989509583],[-66.8704528808594,1.22093200683594],[-66.3147277832031,0.751388847827911],[-65.5954284667969,0.990416586399078],[-65.5216674804688,0.649166643619537],[-65.103889465332,1.14208316802979],[-64.1132049560547,1.5829164981842],[-64.0023651123047,1.9498610496521],[-63.3994483947754,2.14951348304749],[-63.365421295166,2.41999959945679],[-64.0340347290039,2.47131896018982],[-64.1902160644531,3.58965253829956],[-64.7816696166992,4.2863883972168],[-64.5920181274414,4.12777709960938],[-64.1263885498047,4.10958290100098],[-64.0177917480469,3.88611078262329],[-63.3355560302734,3.95805549621582],[-62.8780555725098,3.56013870239258],[-62.7340316772461,3.67652773857117],[-62.7283401489258,4.03861093521118],[-62.4401397705078,4.18267297744751],[-61.8488922119141,4.16055488586426],[-61.3136138916016,4.50666618347168],[-60.9870872497559,4.51930522918701],[-60.5785446166992,4.95263814926147],[-60.7303695678711,5.20479869842529],[-60.1145858764648,5.24569416046143],[-59.9830627441406,5.02249908447266],[-60.1484756469727,4.51999950408936],[-59.674446105957,4.38513851165771],[-59.5686111450195,3.89944410324097],[-59.8319473266602,3.52416658401489],[-59.9884757995605,2.68819403648376],[-59.7354888916016,2.28472185134888],[-59.7490310668945,1.86138880252838],[-59.2439613342285,1.38652765750885],[-58.8106956481934,1.1868748664856],[-58.5196228027344,1.26961779594421],[-58.2972259521484,1.58277773857117],[-58.0071563720703,1.51569426059723],[-57.5280609130859,1.71583318710327],[-57.3319473266602,1.97222208976746],[-56.4706344604492,1.94449901580811],[-55.9017372131348,1.90104150772095],[-56.115837097168,2.24916648864746],[-55.9627799987793,2.53305530548096],[-55.7136840820312,2.40013861656189],[-54.9694480895996,2.55055522918701],[-54.6037826538086,2.32919454574585],[-54.1096572875977,2.11347198486328],[-53.7461128234863,2.37097191810608],[-52.8964614868164,2.20680522918701],[-52.5944519042969,2.47388887405396],[-52.3449401855469,3.15740346908569],[-51.6840667724609,4.03416347503662],[-51.540283203125,4.15361022949219],[-51.4477844238281,3.97249984741211],[-51.5481300354004,4.38569355010986],[-51.0929870605469,3.91284704208374],[-51.0236129760742,3.12999963760376],[-50.6797256469727,2.16472196578979],[-50.4452819824219,1.82583332061768],[-49.9320831298828,1.70993041992188],[-49.8929901123047,1.3242359161377],[-50.1105575561523,1.21340262889862],[-49.9031982421875,1.17444431781769],[-51.2975006103516,-0.19138890504837],[-51.6940765380859,-0.745188534259796],[-51.9275054931641,-1.33486115932465],[-52.7069511413574,-1.60305571556091],[-52.2933349609375,-1.53500008583069],[-52.2084693908691,-1.69207870960236],[-50.8529205322266,-0.915000081062317],[-50.8370971679688,-1.3394091129303],[-50.6672286987305,-1.77166676521301],[-50.8147277832031,-1.89833354949951],[-51.336597442627,-1.64743053913116],[-51.5219497680664,-2.04638910293579],[-51.4472274780273,-2.27916693687439],[-51.3082313537598,-1.76690971851349],[-50.9911155700684,-2.02958345413208],[-51.029167175293,-2.34500026702881],[-50.843822479248,-2.50750017166138],[-51.0062522888184,-2.33986139297485],[-50.9843101501465,-2.06916689872742],[-50.7164573669434,-2.22326421737671],[-50.8229217529297,-1.96000003814697],[-50.6779556274414,-1.81044363975525],[-50.416389465332,-1.95222234725952],[-49.2809066772461,-1.71770846843719],[-49.4900054931641,-2.56500005722046],[-49.190559387207,-1.89805579185486],[-48.9704895019531,-1.8405556678772],[-48.6972274780273,-1.46916675567627],[-48.4272232055664,-1.66027796268463],[-48.4136123657227,-1.49944448471069],[-48.1889610290527,-1.46625006198883],[-48.4997253417969,-1.46145844459534],[-48.2380599975586,-0.867777824401855],[-47.7445869445801,-0.637361168861389],[-47.3980598449707,-0.812777876853943],[-47.431396484375,-0.582500100135803],[-46.9597282409668,-0.702777862548828],[-46.9600028991699,-0.898472309112549],[-46.8266716003418,-0.713194489479065],[-46.6011123657227,-0.867777824401855],[-46.6100006103516,-1.03750014305115],[-46.1919479370117,-0.957500100135803],[-46.259449005127,-1.17777788639069],[-46.0466690063477,-1.21027779579163],[-45.9756965637207,-1.07750010490417],[-45.8615303039551,-1.25951397418976],[-45.7355575561523,-1.1800000667572],[-45.6961822509766,-1.36868059635162],[-45.4469451904297,-1.31083345413208],[-45.4622268676758,-1.54555559158325],[-45.3247261047363,-1.3147224187851],[-45.3506965637207,-1.73680567741394],[-45.1587562561035,-1.48041677474976],[-44.8588943481445,-1.43062508106232],[-44.9513931274414,-1.60166668891907],[-44.6950073242188,-1.81777787208557]],"Brazil"], ["Country","IO0",[[72.3572235107422,-7.27061653137207],[72.4445953369141,-7.23361206054688],[72.4877700805664,-7.38111639022827],[72.432258605957,-7.43559551239014],[72.3572235107422,-7.27061653137207]],"British Indian Ocean Territory"], ["Country","VI0",[[-64.5715484619141,18.4572219848633],[-64.6609649658203,18.38356590271],[-64.6981658935547,18.3968677520752],[-64.6530838012695,18.4412097930908],[-64.5715484619141,18.4572219848633]],"British Virgin Is."], ["Country","BX0",[[115.145782470703,4.90324020385742],[115.352073669434,4.3174991607666],[115.102348327637,4.38055419921875],[115.02912902832,4.82021045684814],[115.145782470703,4.90324020385742]],"Brunei"], ["Country","BX1",[[115.018432617188,4.89579486846924],[114.779853820801,4.73583221435547],[114.866928100586,4.3552770614624],[114.638038635254,4.01819372177124],[114.095077514648,4.59053802490234],[115.040267944336,5.04749870300293],[115.018432617188,4.89579486846924]],"Brunei"], ["Country","BU0",[[22.935604095459,41.3421249389648],[23.0092334747314,41.7663116455078],[22.3652763366699,42.3238830566406],[22.5584697723389,42.4833297729492],[22.4429130554199,42.8204116821289],[22.7415943145752,42.892147064209],[23.004997253418,43.1927719116211],[22.5416641235352,43.4756202697754],[22.3672218322754,43.8269424438477],[22.6814346313477,44.2247009277344],[23.0429840087891,44.072566986084],[22.8944435119629,43.8361053466797],[24.1892337799072,43.6849250793457],[25.5319404602051,43.6436004638672],[26.1363849639893,43.9827690124512],[27.0364265441895,44.1473388671875],[28.5832443237305,43.7477645874023],[28.5416603088379,43.4377746582031],[28.1272201538086,43.3949851989746],[27.9449996948242,43.1672134399414],[27.8940944671631,42.703052520752],[27.4495792388916,42.4729804992676],[27.6791648864746,42.4183197021484],[28.013053894043,41.9822158813477],[27.569580078125,41.9092636108398],[27.0702705383301,42.0899887084961],[26.6213836669922,41.9730529785156],[26.3610954284668,41.711051940918],[26.07763671875,41.714298248291],[26.1399955749512,41.3547134399414],[25.2823581695557,41.243049621582],[24.2581920623779,41.569580078125],[22.935604095459,41.3421249389648]],"Bulgaria"], ["Country","UV0",[[0.917969942092896,10.9963989257812],[0.504166603088379,10.9369430541992],[-0.149762004613876,11.1385402679443],[-0.618472218513489,10.9138870239258],[-2.8340482711792,11.0020065307617],[-2.92752504348755,10.7081470489502],[-2.68556070327759,9.4818172454834],[-2.77972269058228,9.40361022949219],[-3.20861148834229,9.90138816833496],[-3.63708353042603,9.95444297790527],[-4.12416696548462,9.82930469512939],[-4.31245613098145,9.59997177124023],[-4.70444488525391,9.69805526733398],[-5.1281943321228,10.3030548095703],[-5.51984977722168,10.4362716674805],[-5.48562526702881,11.0772905349731],[-5.29944515228271,11.1394443511963],[-5.20861148834229,11.4616661071777],[-5.27305603027344,11.8438873291016],[-4.63342666625977,12.0672225952148],[-4.41750049591064,12.3008308410645],[-4.4688892364502,12.7238883972168],[-4.19444465637207,12.8286094665527],[-4.33555603027344,13.1195125579834],[-3.96425294876099,13.5038299560547],[-3.43767547607422,13.1664981842041],[-3.23222255706787,13.2880554199219],[-3.25750017166138,13.6966648101807],[-2.8822226524353,13.6643037796021],[-2.81555557250977,14.0502777099609],[-2.46513915061951,14.2861099243164],[-2.00694465637207,14.1877765655518],[-1.98083353042603,14.4747219085693],[-1.07416677474976,14.7769432067871],[-0.725277781486511,15.0827770233154],[0.235048443078995,14.9150676727295],[0.166666656732559,14.5230541229248],[0.607569396495819,13.6988182067871],[1.27651929855347,13.3480539321899],[0.991666555404663,13.3716659545898],[0.989166617393494,13.0472221374512],[1.57833313941956,12.6299991607666],[2.14229154586792,12.6940956115723],[2.25611066818237,12.4811096191406],[2.0583324432373,12.3572196960449],[2.39792537689209,11.8961515426636],[2.02003335952759,11.4260768890381],[1.43527770042419,11.4588871002197],[0.917969942092896,10.9963989257812]],"Burkina Faso"], ["Country","BY0",[[30.5733299255371,-2.39916706085205],[30.4169425964355,-2.85604166984558],[30.8436622619629,-2.97879362106323],[30.833610534668,-3.25902795791626],[30.4484710693359,-3.55104184150696],[30.0261077880859,-4.26944446563721],[29.4233322143555,-4.44750022888184],[29.2324981689453,-3.88500022888184],[29.2372207641602,-3.06027817726135],[29.0244407653809,-2.74472236633301],[29.140552520752,-2.58916711807251],[29.3804836273193,-2.8254861831665],[29.8219413757324,-2.77277803421021],[29.952220916748,-2.30944490432739],[30.5733299255371,-2.39916706085205]],"Burundi"], ["Country","CB0",[[102.916091918945,11.6358509063721],[102.717269897461,12.1663179397583],[102.779426574707,12.4519424438477],[102.503601074219,12.6854839324951],[102.377197265625,13.5738868713379],[102.563873291016,13.5805530548096],[103.183860778809,14.3305530548096],[104.809005737305,14.4476375579834],[105.082138061523,14.218955039978],[105.210601806641,14.349648475647],[105.374771118164,14.1065254211426],[105.559127807617,14.1683254241943],[106.056640625,13.9299983978271],[106.174217224121,14.0586090087891],[106.000816345215,14.3672189712524],[106.534492492676,14.5973920822144],[106.85026550293,14.3038864135742],[107.546600341797,14.7086181640625],[107.344085693359,14.128399848938],[107.629249572754,13.5380382537842],[107.483322143555,13.0205535888672],[107.549911499023,12.359302520752],[106.419548034668,11.9726362228394],[106.458213806152,11.6658630371094],[106.04337310791,11.7762489318848],[105.853149414062,11.6619424819946],[105.871139526367,11.2967348098755],[106.189399719238,11.0536785125732],[106.203308105469,10.7705535888672],[105.781356811523,11.0209703445435],[105.100799560547,10.9543027877808],[105.094146728516,10.713191986084],[104.877883911133,10.5304155349731],[104.445327758789,10.4227390289307],[104.251289367676,10.5661783218384],[103.634986877441,10.4902057647705],[103.516082763672,10.638053894043],[103.719421386719,10.8874988555908],[103.555656433105,11.155345916748],[103.348861694336,10.8847217559814],[103.129699707031,10.8830528259277],[102.960250854492,11.5441656112671],[103.076393127441,11.712739944458],[102.895881652832,11.8267688751221],[102.916091918945,11.6358509063721]],"Cambodia"], ["Country","CM0",[[13.293888092041,2.16361093521118],[12.335657119751,2.31789827346802],[11.3673467636108,2.29887175559998],[11.3397636413574,2.1686110496521],[10.0209712982178,2.16819429397583],[9.81176376342773,2.34369802474976],[9.96513748168945,3.08520817756653],[9.54305458068848,3.81152749061584],[9.72249984741211,3.8652777671814],[9.48836612701416,4.11291599273682],[9.43499946594238,3.89944434165955],[8.97409629821777,4.09979104995728],[8.89861106872559,4.58833312988281],[8.6663875579834,4.68138885498047],[8.71416568756104,4.50263833999634],[8.50840187072754,4.52354097366333],[8.59173774719238,4.81093215942383],[8.82472038269043,5.18861103057861],[8.8644437789917,5.83756875991821],[9.7088451385498,6.52125072479248],[9.79555511474609,6.80166625976562],[10.1661100387573,7.02013826370239],[10.2306938171387,6.88124942779541],[10.5133323669434,6.87805461883545],[10.6203460693359,7.05708265304565],[11.0436096191406,6.75333309173584],[11.1278457641602,6.43791627883911],[11.3402767181396,6.44083309173584],[11.8641662597656,7.08472156524658],[11.7549638748169,7.26829814910889],[12.042290687561,7.57736015319824],[12.2505540847778,8.40097141265869],[12.7972211837769,8.77138805389404],[12.897777557373,9.34805488586426],[13.2418050765991,9.58499908447266],[13.2530546188354,10.0718050003052],[13.4543046951294,10.1587495803833],[13.8072204589844,11.0558319091797],[14.644513130188,11.572359085083],[14.6452770233154,12.1883316040039],[14.1744441986084,12.3966655731201],[14.0747203826904,13.0816650390625],[14.4359712600708,13.0849990844727],[14.5462493896484,12.7716655731201],[14.8224239349365,12.6337766647339],[14.8943395614624,12.1558074951172],[15.0425968170166,12.0788879394531],[15.0581932067871,10.8019437789917],[15.6752986907959,9.98801898956299],[14.1947689056396,9.98175048828125],[13.9576377868652,9.64645671844482],[15.2072219848633,8.47735977172852],[15.5799770355225,7.76040649414062],[15.4990081787109,7.52660942077637],[14.8049983978271,6.34666633605957],[14.418888092041,6.04097175598145],[14.6172218322754,5.90124940872192],[14.5326375961304,5.29124927520752],[14.6724987030029,5.17999982833862],[14.7234716415405,4.64374923706055],[15.0869436264038,4.29472208023071],[15.043888092041,4.02916622161865],[15.2602767944336,3.67388868331909],[16.1030540466309,2.89833307266235],[16.2070045471191,2.22125959396362],[16.0834693908691,2.15249991416931],[16.0722198486328,1.65416646003723],[15.6874990463257,1.93354153633118],[14.5626373291016,2.1684718132019],[13.293888092041,2.16361093521118]],"Cameroon"], ["Country","CA0",[[-98.8300018310547,79.6644287109375],[-100.121109008789,79.8866577148438],[-100.193328857422,80.0338745117188],[-99.7591705322266,80.1497192382812],[-98.8688812255859,80.0777740478516],[-98.6441650390625,79.7972030639648],[-98.8300018310547,79.6644287109375]],"Canada"], ["Country","CA1",[[-103.796112060547,78.7358093261719],[-104.211387634277,78.7805404663086],[-103.825416564941,78.895263671875],[-104.178596496582,78.9902648925781],[-105.011947631836,78.8035888671875],[-104.680824279785,79.0037384033203],[-105.586112976074,79.0324859619141],[-105.482772827148,79.3063659667969],[-103.097778320312,79.2824859619141],[-102.614372253418,79.0904769897461],[-102.720840454102,78.9383087158203],[-102.587226867676,78.8748397827148],[-101.648902893066,79.0758209228516],[-100.985969543457,78.9342803955078],[-101.179588317871,78.8016510009766],[-99.9444427490234,78.7227630615234],[-100.016662597656,78.6166534423828],[-99.5368728637695,78.5810317993164],[-99.862907409668,78.4390716552734],[-99.7917327880859,78.3003997802734],[-98.9458312988281,78.0587310791016],[-99.0249328613281,77.8915100097656],[-99.9069519042969,77.7785949707031],[-100.606376647949,77.8799743652344],[-101.062767028809,78.1985931396484],[-102.618606567383,78.2413635253906],[-102.806106567383,78.3777618408203],[-104.467498779297,78.2652740478516],[-105.011947631836,78.5216522216797],[-103.527153015137,78.4964370727539],[-103.39998626709,78.6155395507812],[-104.039825439453,78.6266479492188],[-103.322082519531,78.7314376831055],[-103.796112060547,78.7358093261719]],"Canada"], ["Country","CA2",[[-85.9244384765625,79.0538635253906],[-85.1683349609375,79.0177688598633],[-86.3880615234375,78.8830413818359],[-85.9244384765625,79.0538635253906]],"Canada"], ["Country","CA3",[[-96.9077758789062,77.7905426025391],[-97.7634124755859,78.0287322998047],[-96.8780517578125,78.1356887817383],[-98.0621566772461,78.3062286376953],[-98.4106903076172,78.4959564208984],[-98.0206985473633,78.5395660400391],[-98.3654098510742,78.7658309936523],[-97.0780639648438,78.7497100830078],[-94.8346939086914,78.3574447631836],[-95.393684387207,78.2292175292969],[-94.8884735107422,78.1058197021484],[-95.1065292358398,77.9524917602539],[-96.9077758789062,77.7905426025391]],"Canada"], ["Country","CA4",[[-110,78.6842498779297],[-109.257919311523,78.4838638305664],[-109.428596496582,78.3033142089844],[-113.33332824707,78.3308181762695],[-110.956123352051,78.7183227539062],[-110,78.6842498779297]],"Canada"], ["Country","CA5",[[-102.897506713867,78.2691497802734],[-102.77889251709,78.2089462280273],[-103.04167175293,78.1222076416016],[-103.280975341797,78.1606826782227],[-102.897506713867,78.2691497802734]],"Canada"], ["Country","CA6",[[-110,78.105827331543],[-109.584312438965,78.0615081787109],[-109.70556640625,77.9599914550781],[-110.899444580078,77.8514404296875],[-110.105003356934,77.7749938964844],[-110.08423614502,77.5592193603516],[-110.877212524414,77.411376953125],[-112.413063049316,77.3560943603516],[-113.201377868652,77.5266571044922],[-113.31861114502,77.8101196289062],[-112.294998168945,78.0105438232422],[-110,78.105827331543]],"Canada"], ["Country","CA7",[[-114.193046569824,77.6980285644531],[-115.112701416016,77.9574890136719],[-114.28694152832,78.0660858154297],[-113.576110839844,77.8141479492188],[-114.193046569824,77.6980285644531]],"Canada"], ["Country","CA8",[[-101.671943664551,77.8933258056641],[-100.940551757812,77.7269287109375],[-102.067779541016,77.6822052001953],[-102.529716491699,77.8341522216797],[-101.671943664551,77.8933258056641]],"Canada"], ["Country","CA9",[[-93.1747131347656,77.7041625976562],[-93.570556640625,77.4377593994141],[-95.8641662597656,77.4622039794922],[-96.3288879394531,77.60498046875],[-95.4652862548828,77.8080291748047],[-93.1747131347656,77.7041625976562]],"Canada"], ["Country","CA10",[[-105.648902893066,77.7485961914062],[-104.366516113281,77.2273483276367],[-104.790283203125,77.1088714599609],[-105.550277709961,77.3116455078125],[-106.091949462891,77.7265090942383],[-105.648902893066,77.7485961914062]],"Canada"], ["Country","CA11",[[-90.366943359375,77.19775390625],[-91.1466674804688,77.3621978759766],[-91.2069549560547,77.568603515625],[-90.3880615234375,77.6294250488281],[-89.7191619873047,77.4583282470703],[-89.7077789306641,77.2941436767578],[-90.366943359375,77.19775390625]],"Canada"], ["Country","CA12",[[-85.2597351074219,77.5866546630859],[-84.8138885498047,77.4972076416016],[-85.1683349609375,77.4569396972656],[-85.5369415283203,77.5419235229492],[-85.2597351074219,77.5866546630859]],"Canada"], ["Country","CA13",[[-121.306953430176,76.5783233642578],[-119.153343200684,77.3258209228516],[-116.787353515625,77.3183212280273],[-116.653617858887,77.3852005004883],[-117.148750305176,77.4552688598633],[-116.487777709961,77.5502624511719],[-115.38973236084,77.3092803955078],[-116.274864196777,77.1869277954102],[-116.242492675781,77.0441436767578],[-115.734573364258,76.9435882568359],[-116.351669311523,76.9327545166016],[-115.894378662109,76.6989440917969],[-117.039993286133,76.5374908447266],[-116.937210083008,76.3491516113281],[-117.095550537109,76.2952575683594],[-118.052223205566,76.4070663452148],[-117.737701416016,76.776725769043],[-118.328483581543,76.7706832885742],[-118.495002746582,76.7122039794922],[-118.316101074219,76.57470703125],[-118.969924926758,76.4959564208984],[-118.648620605469,76.4288635253906],[-118.625549316406,76.29443359375],[-119.075843811035,76.0833282470703],[-119.654998779297,76.3030395507812],[-119.568405151367,76.1719284057617],[-119.797080993652,76.110466003418],[-119.485137939453,75.9681854248047],[-119.935546875,75.8483276367188],[-120.462921142578,75.8198471069336],[-120.434997558594,76.0030517578125],[-120.857223510742,76.1966400146484],[-121.011817932129,76.1371383666992],[-120.990135192871,75.940673828125],[-122.139579772949,76.0335998535156],[-122.516662597656,75.9283142089844],[-122.725692749023,75.9709548950195],[-122.473541259766,76.108528137207],[-122.699996948242,76.114143371582],[-122.574172973633,76.1660919189453],[-123.037780761719,76.084716796875],[-122.608329772949,76.3452682495117],[-121.306953430176,76.5783233642578]],"Canada"], ["Country","CA14",[[-91.0722351074219,77.2533264160156],[-90.7159805297852,77.2040176391602],[-91.1847229003906,77.1636047363281],[-91.2991638183594,77.2177581787109],[-91.0722351074219,77.2533264160156]],"Canada"], ["Country","CA15",[[-114.054718017578,76.7035980224609],[-114.874984741211,76.7670059204102],[-113.807502746582,76.8894348144531],[-113.451522827148,76.7749862670898],[-114.054718017578,76.7035980224609]],"Canada"], ["Country","CA16",[[-89.9788818359375,76.4697113037109],[-90.5990905761719,76.7469329833984],[-89.8258361816406,76.8060913085938],[-89.6738891601562,76.7344284057617],[-89.8583374023438,76.5910949707031],[-89.6726379394531,76.5031890869141],[-89.9788818359375,76.4697113037109]],"Canada"], ["Country","CA17",[[-78.89306640625,76.1155395507812],[-79.1766662597656,75.9495697021484],[-78.8977813720703,75.8397064208984],[-79.7522277832031,75.8785858154297],[-78.89306640625,76.1155395507812]],"Canada"], ["Country","CA18",[[-117.623046875,76.1144256591797],[-117.467643737793,76.0859680175781],[-117.573059082031,75.98193359375],[-118.354721069336,75.5588684082031],[-119.406944274902,75.6031799316406],[-117.623046875,76.1144256591797]],"Canada"], ["Country","CA19",[[-94.4819488525391,75.9744262695312],[-94.3538818359375,75.7538757324219],[-94.7774963378906,75.7686004638672],[-94.9052810668945,75.9338684082031],[-94.4819488525391,75.9744262695312]],"Canada"], ["Country","CA20",[[-120.867767333984,75.9133148193359],[-121.032783508301,75.7377624511719],[-121.287078857422,75.7558288574219],[-120.867767333984,75.9133148193359]],"Canada"], ["Country","CA21",[[-96.0254364013672,75.6028442382812],[-96.8511047363281,75.3502655029297],[-97.0530548095703,75.4947052001953],[-96.0254364013672,75.6028442382812]],"Canada"], ["Country","CA22",[[-97.3680572509766,74.6227569580078],[-97.2594528198242,74.5872116088867],[-97.3875122070312,74.5063781738281],[-97.7909698486328,74.4828948974609],[-97.3680572509766,74.6227569580078]],"Canada"], ["Country","CA23",[[-115.817497253418,73.6983184814453],[-115.366943359375,73.5458221435547],[-115.455413818359,73.4248428344727],[-119.114440917969,72.6394348144531],[-119.306594848633,72.359977722168],[-119.760559082031,72.2288665771484],[-120.246101379395,72.2605514526367],[-120.145133972168,72.1467971801758],[-120.446594238281,71.9482498168945],[-120.378807067871,71.6909484863281],[-120.601669311523,71.4935913085938],[-121.70361328125,71.4608154296875],[-122.775550842285,71.0876312255859],[-123.223327636719,71.1141510009766],[-123.948883056641,71.6583251953125],[-124.987777709961,71.9697113037109],[-125.98176574707,71.97216796875],[-125.028060913086,72.5660705566406],[-125.026107788086,72.8210906982422],[-124.48291015625,72.9258117675781],[-124.86287689209,73.0784606933594],[-123.774719238281,73.7644348144531],[-124.217498779297,73.8727569580078],[-124.755569458008,74.3427581787109],[-121.518623352051,74.5488739013672],[-119.609161376953,74.2333221435547],[-119.773612976074,74.0320739746094],[-119.457504272461,74.2215118408203],[-119.118324279785,74.1973419189453],[-119.167503356934,73.9871978759766],[-118.673889160156,74.2199859619141],[-117.43041229248,74.2281799316406],[-115.817497253418,73.6983184814453]],"Canada"], ["Country","CA24",[[-97.6536102294922,74.0999908447266],[-98.3927764892578,73.8452606201172],[-99.4369430541992,73.8995742797852],[-97.6536102294922,74.0999908447266]],"Canada"], ["Country","CA25",[[-80.7716674804688,73.7497100830078],[-77.4244384765625,73.5547027587891],[-76.0608215332031,72.9038772583008],[-79.5433349609375,72.7485961914062],[-80.0038909912109,72.8678970336914],[-80.1409759521484,73.2144317626953],[-80.8760986328125,73.3331832885742],[-80.7716674804688,73.7497100830078]],"Canada"], ["Country","CA26",[[-96.7719421386719,73.1816558837891],[-96.5672225952148,73.0591430664062],[-96.6583404541016,72.9541625976562],[-97.1383361816406,73.0488739013672],[-96.7719421386719,73.1816558837891]],"Canada"], ["Country","CA27",[[-96.6883239746094,72.8833312988281],[-96.7413787841797,72.7255401611328],[-97.0102844238281,72.7766571044922],[-96.6883239746094,72.8833312988281]],"Canada"], ["Country","CA28",[[-100.461120605469,70.6599884033203],[-100.227630615234,70.4541549682617],[-100.676391601562,70.5633087158203],[-100.461120605469,70.6599884033203]],"Canada"], ["Country","CA29",[[-79.76806640625,69.7527770996094],[-79.331672668457,69.6994323730469],[-80.0624923706055,69.6427688598633],[-80.0165328979492,69.4922027587891],[-80.8094329833984,69.6862335205078],[-79.76806640625,69.7527770996094]],"Canada"], ["Country","CA30",[[-78.1419525146484,69.7424774169922],[-77.9658355712891,69.6249847412109],[-78.8783264160156,69.4801864624023],[-78.1419525146484,69.7424774169922]],"Canada"], ["Country","CA31",[[-96.1363983154297,69.5460968017578],[-96.163330078125,69.3480377197266],[-96.7361068725586,69.5792999267578],[-96.1363983154297,69.5460968017578]],"Canada"], ["Country","CA32",[[-78.4586181640625,69.3899841308594],[-78.2120132446289,69.2956771850586],[-78.7252807617188,68.9688720703125],[-79.3983383178711,68.8684539794922],[-78.4586181640625,69.3899841308594]],"Canada"], ["Country","CA33",[[-100.095550537109,69.1174774169922],[-100.003196716309,68.9415054321289],[-100.257781982422,69.0291595458984],[-100.095550537109,69.1174774169922]],"Canada"], ["Country","CA34",[[-78.7952728271484,68.4385833740234],[-78.9447174072266,68.5099868774414],[-78.6697235107422,68.5811004638672],[-78.8929901123047,68.6501998901367],[-78.4650039672852,68.6191482543945],[-78.7952728271484,68.4385833740234]],"Canada"], ["Country","CA35",[[-104.682502746582,68.5738830566406],[-104.440551757812,68.4760894775391],[-104.545272827148,68.3961029052734],[-105.081680297852,68.5463714599609],[-104.682502746582,68.5738830566406]],"Canada"], ["Country","CA36",[[-79.0994415283203,68.3486022949219],[-78.8036041259766,68.271240234375],[-79.0897216796875,68.1702575683594],[-79.0994415283203,68.3486022949219]],"Canada"], ["Country","CA37",[[-108.089721679688,67.4655456542969],[-108.132217407227,67.6394348144531],[-107.999572753906,67.6572036743164],[-107.924858093262,67.5376205444336],[-108.089721679688,67.4655456542969]],"Canada"], ["Country","CA38",[[-83.92138671875,66.0097198486328],[-83.6941528320312,65.9246978759766],[-83.7274932861328,65.7997131347656],[-83.2126388549805,65.7081832885742],[-83.3791656494141,65.6155395507812],[-84.1333312988281,65.7608184814453],[-84.1236114501953,65.9002685546875],[-84.4706954956055,66.1308212280273],[-83.92138671875,66.0097198486328]],"Canada"], ["Country","CA39",[[-84.9102783203125,66],[-84.586669921875,65.6921997070312],[-84.6677703857422,65.5605316162109],[-85.1180572509766,65.7647094726562],[-85.1730499267578,65.9947052001953],[-84.9102783203125,66]],"Canada"], ["Country","CA40",[[-86.3155517578125,64.7010955810547],[-86.0119552612305,65.7120742797852],[-85.5002746582031,65.9333114624023],[-85.5019454956055,65.7997055053711],[-85.1594467163086,65.7790145874023],[-85.0515213012695,65.6148376464844],[-85.3059310913086,65.5422744750977],[-84.9276351928711,65.2119369506836],[-84.5556869506836,65.47998046875],[-84.1413879394531,65.2199859619141],[-83.4086151123047,65.1355438232422],[-83.201171875,64.9428863525391],[-81.7630615234375,64.5010986328125],[-81.6066589355469,64.1278915405273],[-81.989372253418,63.996654510498],[-80.9424896240234,63.9905471801758],[-80.8908386230469,64.1155395507812],[-80.1743698120117,63.7711715698242],[-81.0764007568359,63.4513854980469],[-82.4798583984375,63.6836051940918],[-82.3667297363281,63.9075584411621],[-83.0929183959961,63.9570770263672],[-82.9622192382812,64.1430435180664],[-83.0727844238281,64.1866455078125],[-83.54833984375,64.1024780273438],[-83.6780471801758,64.0109634399414],[-83.6349258422852,63.7706909179688],[-84.2861175537109,63.6155471801758],[-84.5633239746094,63.3374938964844],[-85.4906921386719,63.1200561523438],[-85.7174987792969,63.7161026000977],[-87.2200012207031,63.6269378662109],[-86.915283203125,63.914436340332],[-86.196662902832,64.0963745117188],[-86.4013900756836,64.4391479492188],[-86.3155517578125,64.7010955810547]],"Canada"], ["Country","CA41",[[-76.6816101074219,63.4813537597656],[-76.5445098876953,63.4632568359375],[-76.6922149658203,63.3677673339844],[-76.9841613769531,63.406379699707],[-77.4555587768555,63.6477699279785],[-77.0613861083984,63.6727676391602],[-76.6816101074219,63.4813537597656]],"Canada"], ["Country","CA42",[[-64.3255615234375,63.6374969482422],[-64.0658340454102,63.2694358825684],[-64.4219360351562,63.4716567993164],[-64.4905548095703,63.6205444335938],[-64.3255615234375,63.6374969482422]],"Canada"], ["Country","CA43",[[-78.2128219604492,63.4960899353027],[-77.6805572509766,63.4344329833984],[-77.4951324462891,63.2714500427246],[-77.9583435058594,63.0930480957031],[-78.5625,63.3958282470703],[-78.2128219604492,63.4960899353027]],"Canada"], ["Country","CA44",[[-82.1858215332031,62.9799880981445],[-81.8679809570312,62.924991607666],[-81.9295043945312,62.7203369140625],[-82.9937515258789,62.2070770263672],[-83.7077789306641,62.1437454223633],[-83.9438781738281,62.4244384765625],[-83.3741607666016,62.9069366455078],[-82.1858215332031,62.9799880981445]],"Canada"], ["Country","CA45",[[-70.5877838134766,62.7741622924805],[-70.2118072509766,62.5797157287598],[-70.7238922119141,62.5502700805664],[-70.8466644287109,62.7661056518555],[-71.240966796875,62.8788795471191],[-70.5877838134766,62.7741622924805]],"Canada"], ["Country","CA46",[[-64.3827667236328,62.5258255004883],[-64.5947265625,62.3667984008789],[-64.9658355712891,62.4658279418945],[-64.3827667236328,62.5258255004883]],"Canada"], ["Country","CA47",[[-79.5413208007812,61.7997894287109],[-79.8369522094727,61.5683288574219],[-80.2777786254883,61.8124237060547],[-80.2676391601562,62.1092987060547],[-79.9426345825195,62.3873558044434],[-79.4463806152344,62.3813781738281],[-79.2618103027344,62.1612434387207],[-79.5413208007812,61.7997894287109]],"Canada"], ["Country","CA48",[[-65.0680694580078,61.9238815307617],[-64.8272247314453,61.7597885131836],[-65.2126388549805,61.8194389343262],[-65.0680694580078,61.9238815307617]],"Canada"], ["Country","CA49",[[-64.6597290039062,61.5880432128906],[-64.8699951171875,61.3233299255371],[-65.4877777099609,61.5994338989258],[-65.0363922119141,61.693603515625],[-64.6597290039062,61.5880432128906]],"Canada"], ["Country","CA50",[[-67.9484786987305,60.5613670349121],[-67.8533325195312,60.3752670288086],[-68.3872222900391,60.2408294677734],[-68.1294403076172,60.5705490112305],[-67.9484786987305,60.5613670349121]],"Canada"], ["Country","CA51",[[-64.5217132568359,60.3107299804688],[-64.8679122924805,60.4531860351562],[-64.4254150390625,60.399299621582],[-64.5217132568359,60.3107299804688]],"Canada"], ["Country","CA52",[[-57.9408340454102,54.9119338989258],[-57.8784713745117,54.7919387817383],[-58.2229804992676,54.831657409668],[-57.9408340454102,54.9119338989258]],"Canada"], ["Country","CA53",[[-81.0877838134766,53.1794357299805],[-80.769172668457,52.9379081726074],[-80.7094421386719,52.6914482116699],[-82.0579071044922,53.0199241638184],[-81.8562469482422,53.1801338195801],[-81.0877838134766,53.1794357299805]],"Canada"], ["Country","CA54",[[-79.2972259521484,52.0919342041016],[-79.3812484741211,51.9358253479004],[-79.6521530151367,51.987907409668],[-79.2972259521484,52.0919342041016]],"Canada"], ["Country","CA55",[[-63.4922256469727,49.8408279418945],[-61.8838920593262,49.3481903076172],[-61.6647911071777,49.144229888916],[-62.1955490112305,49.0749969482422],[-63.537223815918,49.3797149658203],[-64.5125122070312,49.8611068725586],[-63.4922256469727,49.8408279418945]],"Canada"], ["Country","CA56",[[-54.0811157226562,49.7363815307617],[-54.0044479370117,49.6474914550781],[-54.291389465332,49.5783271789551],[-54.2854156494141,49.7140197753906],[-54.0811157226562,49.7363815307617]],"Canada"], ["Country","CA57",[[-61.4077758789062,47.6411056518555],[-61.9252777099609,47.3436050415039],[-61.799446105957,47.2327651977539],[-62.011531829834,47.2235984802246],[-61.9251403808594,47.4085998535156],[-61.4077758789062,47.6411056518555]],"Canada"], ["Country","CA58",[[-63.8111114501953,46.3274917602539],[-64.1273498535156,46.4109268188477],[-64.1055603027344,46.618049621582],[-64.4147262573242,46.6681861877441],[-64.0208435058594,47.0386047363281],[-64.0916748046875,46.7786026000977],[-63.7802810668945,46.4449920654297],[-63.6547203063965,46.5667991638184],[-63.2163925170898,46.4122085571289],[-61.9746170043945,46.4547119140625],[-62.603889465332,46.1798553466797],[-62.4481925964355,46.096794128418],[-62.6138916015625,45.9627685546875],[-63.1138191223145,46.2089157104492],[-62.9665260314941,46.315616607666],[-63.2576446533203,46.1377716064453],[-63.8111114501953,46.3274917602539]],"Canada"], ["Country","CA59",[[-61.4780502319336,45.8038787841797],[-61.4555587768555,46.1374969482422],[-60.5955543518066,47.0301322937012],[-60.3058319091797,46.8442993164062],[-60.6091690063477,46.2019348144531],[-60.4251365661621,46.2779769897461],[-61.1079177856445,45.953254699707],[-60.7367362976074,46.0551300048828],[-61.1465301513672,45.7015228271484],[-60.4669418334961,45.9380416870117],[-60.787223815918,45.9361686706543],[-60.3074989318848,46.2087440490723],[-60.6449241638184,46.071346282959],[-60.3537521362305,46.3077697753906],[-59.8091659545898,46.1091613769531],[-59.8405532836914,45.9383239746094],[-60.4988861083984,45.6202697753906],[-61.3369445800781,45.5733261108398],[-61.4780502319336,45.8038787841797]],"Canada"], ["Country","CA60",[[-61.3552780151367,56.9108200073242],[-61.585277557373,56.7638854980469],[-61.3860359191895,56.7744216918945],[-61.3935890197754,56.6177787780762],[-61.6419525146484,56.7355880737305],[-61.4993705749512,56.9528503417969],[-61.3552780151367,56.9108200073242]],"Canada"], ["Country","CA61",[[-61.5580520629883,56.5519332885742],[-61.1494407653809,56.4433212280273],[-61.6305541992188,56.4652709960938],[-61.4204177856445,56.4853401184082],[-61.5580520629883,56.5519332885742]],"Canada"], ["Country","CA62",[[-61.0891647338867,56.1699905395508],[-60.9367332458496,56.0124244689941],[-61.218334197998,56.0486068725586],[-61.0891647338867,56.1699905395508]],"Canada"], ["Country","CA63",[[-53.9447593688965,48.1717948913574],[-53.9096527099609,48.0840187072754],[-53.6917686462402,48.0585670471191],[-53.9097366333008,48.0228233337402],[-53.6068077087402,48.0487442016602],[-53.8505554199219,47.7605514526367],[-53.5452079772949,47.5410346984863],[-53.2744445800781,48.0133285522461],[-52.8346519470215,48.0996475219727],[-53.2616729736328,47.54638671875],[-53.1185417175293,47.4179077148438],[-52.7796859741211,47.7976722717285],[-52.6173629760742,47.5084686279297],[-52.9366645812988,46.7970771789551],[-53.1651382446289,46.6198501586914],[-53.3580589294434,46.7372169494629],[-53.6143035888672,46.6411743164062],[-53.5913848876953,47.1560974121094],[-54.1868705749512,46.8218688964844],[-53.8675003051758,47.4027709960938],[-53.98388671875,47.7577743530273],[-54.1961784362793,47.8412437438965],[-54.4775619506836,47.3983955383301],[-54.6097946166992,47.3548545837402],[-54.4149284362793,47.5954780578613],[-54.8563919067383,47.3905487060547],[-55.3920822143555,46.8658294677734],[-55.9666595458984,46.9813766479492],[-55.4905548095703,47.1355476379395],[-54.8455505371094,47.6338806152344],[-55.0321502685547,47.6270790100098],[-54.9414558410645,47.7776298522949],[-55.1302146911621,47.6137886047363],[-55.3704872131348,47.7256126403809],[-55.587776184082,47.3986053466797],[-55.9203834533691,47.4450263977051],[-55.7458343505859,47.5852661132812],[-56.1129837036133,47.4633293151855],[-55.6341667175293,47.6730499267578],[-55.9134712219238,47.6557540893555],[-55.7689590454102,47.9516563415527],[-56.1624984741211,47.6361045837402],[-56.8408355712891,47.5213775634766],[-58.0319442749023,47.695125579834],[-59.3034706115723,47.6116600036621],[-59.3848609924316,47.9195785522461],[-58.4183349609375,48.4866561889648],[-59.2125015258789,48.5477714538574],[-58.7718734741211,48.7736015319824],[-58.9572219848633,48.6194381713867],[-58.701244354248,48.5799942016602],[-58.350414276123,49.1480484008789],[-57.8957252502441,48.9772834777832],[-58.1444473266602,49.1219329833984],[-57.9177055358887,49.1265182495117],[-58.0898475646973,49.161247253418],[-57.9332618713379,49.2384643554688],[-58.2041664123535,49.2426300048828],[-58.2198600769043,49.3963813781738],[-57.9983367919922,49.5591583251953],[-57.7036781311035,49.4640197753906],[-57.9497222900391,49.6647148132324],[-57.3679847717285,50.5931167602539],[-57.1513862609863,50.6237411499023],[-57.3786087036133,50.6877670288086],[-56.9274978637695,50.9158248901367],[-56.682502746582,51.3394317626953],[-55.9031257629395,51.6265182495117],[-55.8822212219238,51.4949951171875],[-55.4067687988281,51.5644683837891],[-55.6137504577637,51.3028373718262],[-56.0819473266602,51.3690185546875],[-55.992561340332,51.1765747070312],[-55.7147178649902,51.1789512634277],[-55.7961120605469,51.0391616821289],[-56.0688934326172,50.7244338989258],[-56.1491661071777,50.8890228271484],[-56.163330078125,50.6177673339844],[-56.905330657959,49.7475204467773],[-56.784008026123,49.7312431335449],[-56.8488845825195,49.5444412231445],[-56.1226348876953,50.1545028686523],[-55.7505569458008,49.9236068725586],[-55.4610404968262,49.9597129821777],[-55.9861145019531,49.746940612793],[-56.1241683959961,49.6133270263672],[-55.8333282470703,49.686653137207],[-56.1255493164062,49.4248542785645],[-55.8277816772461,49.5241622924805],[-55.6680564880371,49.3835334777832],[-55.5226402282715,49.4842948913574],[-55.5611419677734,49.3681831359863],[-55.3734703063965,49.5034675598145],[-55.3152770996094,49.3144378662109],[-55.3055572509766,49.5344390869141],[-55.1413192749023,49.5433311462402],[-55.3833312988281,49.0408325195312],[-55.0776405334473,49.3523559570312],[-54.8211135864258,49.2704086303711],[-54.5280532836914,49.5319366455078],[-54.481559753418,49.2650299072266],[-54.045280456543,49.4801254272461],[-53.511116027832,49.277214050293],[-53.5911102294922,49.0381927490234],[-54.0961074829102,48.8122100830078],[-53.8015289306641,48.8102684020996],[-53.9228477478027,48.6247825622559],[-53.6071853637695,48.6809616088867],[-53.9510383605957,48.5432586669922],[-53.5880508422852,48.4280471801758],[-53.0720138549805,48.6979751586914],[-52.9872207641602,48.5480499267578],[-53.597900390625,48.189811706543],[-53.6262512207031,48.1731834411621],[-53.7021675109863,48.1875534057617],[-53.9373588562012,48.2320747375488],[-53.9447593688965,48.1717948913574]],"Canada"], ["Country","CA64",[[-53.9281120300293,48.1826629638672],[-53.6786003112793,48.1480178833008],[-53.5641632080078,48.190544128418],[-53.6341705322266,48.0752716064453],[-53.9275283813477,48.1795463562012],[-53.9281120300293,48.1826629638672]],"Canada"], ["Country","CA65",[[-132.261871337891,53.1872825622559],[-132.674179077148,53.2565231323242],[-132.546142578125,53.3129425048828],[-132.705474853516,53.3729782104492],[-132.405502319336,53.3374214172363],[-132.86393737793,53.4632568359375],[-133.007781982422,53.676383972168],[-133.138214111328,53.8776321411133],[-133.069442749023,54.1713829040527],[-132.572509765625,54.1137428283691],[-132.658905029297,53.9394302368164],[-132.228332519531,54.0658264160156],[-132.129730224609,53.8484649658203],[-132.658615112305,53.6822814941406],[-132.418060302734,53.6061019897461],[-132.156402587891,53.7163848876953],[-132.072509765625,54.0227661132812],[-131.66374206543,54.1402702331543],[-131.934158325195,53.6122169494629],[-131.908630371094,53.3574981689453],[-132.107208251953,53.2087249755859],[-132.158905029297,53.1699905395508],[-132.261871337891,53.1872825622559]],"Canada"], ["Country","CA66",[[-130.336120605469,54.067497253418],[-130.228881835938,53.964714050293],[-130.341522216797,53.8372116088867],[-130.45849609375,53.8821601867676],[-130.35498046875,53.9933242797852],[-130.710540771484,53.8576316833496],[-130.442947387695,54.0906791687012],[-130.336120605469,54.067497253418]],"Canada"], ["Country","CA67",[[-129.563903808594,53.2074966430664],[-130.268356323242,53.8784637451172],[-129.424713134766,53.411376953125],[-129.563903808594,53.2074966430664]],"Canada"], ["Country","CA68",[[-130.271942138672,53.7977752685547],[-130.094711303711,53.5681915283203],[-130.403350830078,53.6824951171875],[-130.271942138672,53.7977752685547]],"Canada"], ["Country","CA69",[[-128.823608398438,53.7005462646484],[-129.157501220703,53.3927688598633],[-129.150161743164,53.6405487060547],[-128.823608398438,53.7005462646484]],"Canada"], ["Country","CA70",[[-130.39111328125,53.6169357299805],[-129.920562744141,53.4241638183594],[-129.742492675781,53.1783294677734],[-130.305847167969,53.384162902832],[-130.527221679688,53.5522155761719],[-130.39111328125,53.6169357299805]],"Canada"], ["Country","CA71",[[-128.985534667969,53.5230484008789],[-128.920288085938,53.3286056518555],[-129.1240234375,53.3202743530273],[-128.985534667969,53.5230484008789]],"Canada"], ["Country","CA72",[[-129.226928710938,53.3261032104492],[-129.136413574219,53.1049957275391],[-129.333602905273,53.1399955749512],[-129.226928710938,53.3261032104492]],"Canada"], ["Country","CA73",[[-128.599487304688,52.6180801391602],[-128.601104736328,52.6084671020508],[-128.623840332031,52.6070289611816],[-128.750274658203,52.5990219116211],[-128.646743774414,52.9619369506836],[-128.778900146484,52.6641540527344],[-129.110809326172,52.817497253418],[-128.838607788086,53.0326347351074],[-129.006958007812,53.1383285522461],[-128.863327026367,53.0365257263184],[-129.163543701172,52.922492980957],[-129.082916259766,53.2951354980469],[-128.531677246094,53.0211029052734],[-128.599487304688,52.6180801391602]],"Canada"], ["Country","CA74",[[-132.167785644531,52.9280471801758],[-132.557922363281,53.146240234375],[-132.065673828125,53.1563301086426],[-131.799514770508,53.2513847351074],[-131.597732543945,53.0407905578613],[-131.964721679688,53.04638671875],[-131.615539550781,52.9202728271484],[-131.980545043945,52.8776321411133],[-131.395614624023,52.3764495849609],[-131.234436035156,52.4369354248047],[-131.329437255859,52.288257598877],[-131.013626098633,52.1906852722168],[-131.264739990234,52.1197128295898],[-132.08332824707,52.7298469543457],[-131.965545654297,52.7902717590332],[-132.219161987305,52.8085327148438],[-132.344573974609,52.9354782104492],[-132.167785644531,52.9280471801758]],"Canada"], ["Country","CA75",[[-129.231109619141,52.8161010742188],[-128.922439575195,52.6054801940918],[-128.946380615234,52.4676284790039],[-129.231109619141,52.8161010742188]],"Canada"], ["Country","CA76",[[-128.287292480469,52.529167175293],[-128.275436401367,52.4930458068848],[-128.317749023438,52.4612350463867],[-128.441680908203,52.368049621582],[-128.373321533203,52.7911071777344],[-128.287292480469,52.529167175293]],"Canada"], ["Country","CA77",[[-128.578689575195,52.5915145874023],[-128.535278320312,52.647216796875],[-128.483749389648,52.4387397766113],[-128.812576293945,52.5213813781738],[-128.578689575195,52.5915145874023]],"Canada"], ["Country","CA78",[[-127.596313476562,52.1517944335938],[-127.882911682129,51.9463806152344],[-127.789169311523,52.2219314575195],[-127.234733581543,52.4169387817383],[-127.596313476562,52.1517944335938]],"Canada"], ["Country","CA79",[[-127.951217651367,52.0469131469727],[-128.134033203125,51.7452697753906],[-128.217498779297,51.9627685546875],[-127.951217651367,52.0469131469727]],"Canada"], ["Country","CA80",[[-127.998046875,51.7116622924805],[-127.914436340332,51.4108200073242],[-128.153625488281,51.6037445068359],[-127.998046875,51.7116622924805]],"Canada"], ["Country","CA81",[[-127.446952819824,50.3727645874023],[-127.566314697266,50.5081901550293],[-127.416946411133,50.5796089172363],[-127.874229431152,50.6215858459473],[-127.596206665039,50.5453033447266],[-128.051422119141,50.4466934204102],[-128.319458007812,50.6086044311523],[-128.413269042969,50.7708930969238],[-127.914024353027,50.8717956542969],[-125.456390380859,50.3266639709473],[-124.789436340332,49.4641571044922],[-123.943046569824,49.2111053466797],[-123.292984008789,48.4120712280273],[-123.58332824707,48.3011016845703],[-125.101524353027,48.7248497009277],[-125.184715270996,48.7984657287598],[-124.843330383301,49.0157585144043],[-124.807006835938,49.2356147766113],[-124.936943054199,48.9880447387695],[-125.504730224609,48.9190216064453],[-125.76806640625,49.0986022949219],[-125.60954284668,49.2072792053223],[-126.021942138672,49.265552520752],[-125.89965057373,49.4228363037109],[-126.535697937012,49.3740844726562],[-126.567916870117,49.5804100036621],[-126.089790344238,49.6603355407715],[-126.587646484375,49.7027702331543],[-126.679397583008,49.8793716430664],[-126.804443359375,49.9091567993164],[-127.126800537109,49.8546142578125],[-127.158340454102,50.0963821411133],[-127.89444732666,50.108814239502],[-127.788887023926,50.2222137451172],[-127.979026794434,50.3448524475098],[-127.923324584961,50.461727142334],[-127.446952819824,50.3727645874023]],"Canada"], ["Country","CA82",[[-126.322822570801,50.788932800293],[-126.25171661377,50.8189315795898],[-126.256156921387,50.7781982421875],[-126.269729614258,50.6537399291992],[-126.616241455078,50.6651306152344],[-126.322822570801,50.788932800293]],"Canada"], ["Country","CA83",[[-125.273063659668,50.4311065673828],[-125.051109313965,50.2241554260254],[-125.131538391113,50.1244316101074],[-125.151741027832,50.2186393737793],[-125.213821411133,50.3152732849121],[-125.399726867676,50.3159675598145],[-125.273063659668,50.4311065673828]],"Canada"], ["Country","CA84",[[-125.167259216309,50.2072715759277],[-125.16854095459,49.982349395752],[-125.345542907715,50.2639007568359],[-125.170372009277,50.2144966125488],[-125.167221069336,50.2136077880859],[-125.167259216309,50.2072715759277]],"Canada"], ["Country","CA85",[[-126.76872253418,49.8786163330078],[-126.765663146973,49.8722381591797],[-126.633056640625,49.5960998535156],[-126.96736907959,49.7290191650391],[-126.770751953125,49.8770866394043],[-126.76872253418,49.8786163330078]],"Canada"], ["Country","CA86",[[-135.648895263672,68.9919281005859],[-135.923461914062,69.0908813476562],[-135.920562744141,69.256103515625],[-135.49137878418,69.1187286376953],[-135.844436645508,69.2990112304688],[-135.175964355469,69.2593612670898],[-135.283340454102,69.4204711914062],[-135.152572631836,69.4756774902344],[-134.438323974609,69.4547119140625],[-134.486785888672,69.7120361328125],[-133.749450683594,69.5448455810547],[-134.674652099609,69.01318359375],[-134.502014160156,68.8912582397461],[-134.260192871094,68.7121963500977],[-134.37028503418,68.7651443481445],[-134.825836181641,68.9788665771484],[-135.648895263672,68.9919281005859]],"Canada"], ["Country","CA87",[[-87.4897155761719,80.6274719238281],[-89.3808288574219,80.9330444335938],[-86.6719360351562,81.0052642822266],[-84.7372894287109,81.2842864990234],[-89.8208465576172,81.0108184814453],[-90.2772216796875,81.1972045898438],[-88.9459686279297,81.2470626831055],[-89.9163970947266,81.3369293212891],[-88.5452728271484,81.5252685546875],[-87.2873611450195,81.5058288574219],[-88.3522186279297,81.5797119140625],[-90.4430541992188,81.3666534423828],[-90.8008270263672,81.4649963378906],[-89.5923614501953,81.6218566894531],[-90.2969512939453,81.6985931396484],[-91.4013977050781,81.5263824462891],[-91.9530487060547,81.660400390625],[-90.4366607666016,81.8874969482422],[-89.3563842773438,81.8110961914062],[-89.2036819458008,81.8832855224609],[-89.3716583251953,81.9358062744141],[-88.038330078125,82.1038665771484],[-86.7683410644531,81.8902740478516],[-87.1287460327148,81.9661026000977],[-86.9943084716797,82.0380401611328],[-86.2027893066406,82.0455322265625],[-85.3794403076172,81.85693359375],[-85.7302093505859,81.9861679077148],[-84.6352844238281,81.8861083984375],[-84.8152770996094,82.0008239746094],[-86.8684616088867,82.1974792480469],[-85.6199951171875,82.2435913085938],[-85.3645095825195,82.2840423583984],[-85.5015411376953,82.396240234375],[-85.910758972168,82.4289398193359],[-85.0469512939453,82.48193359375],[-83.5164031982422,82.3169403076172],[-82.9766693115234,82.1383209228516],[-83.0764007568359,82.0619201660156],[-81.8856964111328,82.0368576049805],[-82.6519470214844,82.1002655029297],[-83.0277862548828,82.2352600097656],[-82.6544494628906,82.2822113037109],[-79.2368087768555,81.8160858154297],[-82.7286758422852,82.3983917236328],[-81.5419464111328,82.5005416870117],[-82.3211212158203,82.5891571044922],[-82.2152862548828,82.6685943603516],[-80.5798721313477,82.5445709228516],[-81.4730529785156,82.8249969482422],[-79.8616638183594,82.6441497802734],[-78.5119552612305,82.6790084838867],[-79.8369445800781,82.7505493164062],[-79.9969482421875,82.8033142089844],[-79.6777725219727,82.8215179443359],[-80.4300003051758,82.8908233642578],[-80.0958404541016,82.9371948242188],[-77.1283264160156,82.8633117675781],[-75.8943099975586,82.5901260375977],[-76.23388671875,82.4449768066406],[-75.4202728271484,82.60693359375],[-75.6705474853516,82.6427612304688],[-77.3790969848633,82.9901275634766],[-76.0286102294922,83.0544281005859],[-74.4080505371094,83.0247039794922],[-72.6338958740234,82.6944274902344],[-73.6403427124023,82.9237976074219],[-72.6505584716797,83.0963745117188],[-71.6116638183594,83.0960998535156],[-71.7897186279297,83.0108261108398],[-71.5672302246094,82.9410858154297],[-70.8713836669922,82.8810882568359],[-71.4812774658203,83.0068664550781],[-70.3738861083984,83.1133117675781],[-66.3004150390625,82.9306793212891],[-68.6425018310547,82.6285858154297],[-65.7677764892578,82.8430480957031],[-65.1627731323242,82.7653350830078],[-65.2983322143555,82.8694229125977],[-64.8847351074219,82.9058227539062],[-64.4452667236328,82.7619323730469],[-63.490837097168,82.8252716064453],[-63.8426399230957,82.7174835205078],[-62.9354133605957,82.5773544311523],[-63.3680534362793,82.4419250488281],[-61.5308303833008,82.4783172607422],[-61.1362495422363,82.380256652832],[-61.1569442749023,82.2352600097656],[-64.2077789306641,81.7419281005859],[-66.1408386230469,81.6205291748047],[-68.2313842773438,81.5613708496094],[-69.2972106933594,81.7145690917969],[-68.5794525146484,81.5144348144531],[-66.6231155395508,81.5138092041016],[-70.2081985473633,81.1767883300781],[-69.6427841186523,81.1749801635742],[-69.9952697753906,81.0994262695312],[-65.7247161865234,81.4938659667969],[-64.5663909912109,81.5455322265625],[-64.5147323608398,81.4394226074219],[-67.5622100830078,80.9355316162109],[-69.427490234375,80.3827514648438],[-70.2314376831055,80.3530502319336],[-69.9826354980469,80.2659606933594],[-70.1369400024414,80.1953964233398],[-71.6944427490234,80.1108093261719],[-72.3956985473633,80.2201232910156],[-71.8993072509766,80.1108169555664],[-72.3063812255859,80.0574798583984],[-70.5038223266602,80.0938110351562],[-71.4087524414062,79.9328994750977],[-70.9133377075195,79.8826217651367],[-71.1838836669922,79.7774810791016],[-72.2672271728516,79.6591491699219],[-73.0591583251953,79.8255462646484],[-74.8396606445312,79.8473434448242],[-73.3847351074219,79.7488708496094],[-73.1304397583008,79.5604400634766],[-74.9644470214844,79.5130462646484],[-74.8837509155273,79.4122085571289],[-75.0583343505859,79.3738708496094],[-77.1515274047852,79.545539855957],[-75.8953475952148,79.3534545898438],[-77.3591613769531,79.4555511474609],[-77.1877746582031,79.3227691650391],[-78.0513153076172,79.3508148193359],[-74.4969482421875,79.2249908447266],[-74.8202819824219,79.1749038696289],[-74.5438842773438,79.0252685546875],[-76.1327667236328,79.19970703125],[-78.2465286254883,79.171989440918],[-76.1705474853516,79.0758209228516],[-78.8854141235352,79.0617828369141],[-77.7091674804688,79.0090866088867],[-78.248046875,78.770263671875],[-77.7119445800781,78.9660949707031],[-76.7541809082031,79.0277709960938],[-75.7262496948242,78.9673461914062],[-76.4031982421875,78.8390121459961],[-74.7750091552734,78.8299865722656],[-74.7899932861328,78.5913696289062],[-75.024169921875,78.5319366455078],[-76.6863403320312,78.514533996582],[-75.0899963378906,78.3688659667969],[-75.6136169433594,78.1980285644531],[-76.8933410644531,78.2152709960938],[-75.6219329833984,78.1244201660156],[-75.9227752685547,77.9566497802734],[-78.2608337402344,77.9952545166016],[-78.4153823852539,77.9101181030273],[-77.7243041992188,77.603874206543],[-78.7772216796875,77.3072052001953],[-80.7533416748047,77.3305511474609],[-81.9270095825195,77.6835861206055],[-81.673469543457,77.5333862304688],[-81.739990234375,77.4388656616211],[-81.1672210693359,77.3338012695312],[-82.0919494628906,77.3163757324219],[-81.8341674804688,77.1624908447266],[-80.9602813720703,77.2713775634766],[-80.1154098510742,77.1984558105469],[-80.373046875,77.0713806152344],[-79.4455413818359,77.2344207763672],[-79.0044479370117,77.1002655029297],[-79.3458404541016,76.9180450439453],[-78.7160339355469,76.8227691650391],[-78.3202819824219,77.0116577148438],[-77.8903427124023,76.9497756958008],[-77.7769470214844,76.654296875],[-78.4433288574219,76.4522094726562],[-78.7819442749023,76.5722122192383],[-79.3127746582031,76.2974853515625],[-81.0533294677734,76.1280364990234],[-80.7781982421875,76.4215087890625],[-82.0491638183594,76.5115203857422],[-81.7857284545898,76.6763610839844],[-82.2739486694336,76.6351928710938],[-82.0875015258789,76.5591506958008],[-82.2602844238281,76.3986053466797],[-82.9970855712891,76.4279022216797],[-83.4054183959961,76.7588806152344],[-83.5194854736328,76.7057418823242],[-83.2236175537109,76.4105377197266],[-84.2844390869141,76.6577606201172],[-84.2369384765625,76.4435882568359],[-85.0513916015625,76.51416015625],[-84.3833236694336,76.3156051635742],[-85.1744384765625,76.2802734375],[-86.3722229003906,76.3863830566406],[-86.2184753417969,76.5217895507812],[-86.5941619873047,76.6349945068359],[-86.3422241210938,76.51220703125],[-86.7138900756836,76.3470687866211],[-87.4266662597656,76.4685974121094],[-87.5286102294922,76.6149826049805],[-87.4094467163086,76.3504028320312],[-87.6488952636719,76.3380432128906],[-88.4320755004883,76.4001235961914],[-88.3530502319336,76.5177688598633],[-88.5188903808594,76.8160858154297],[-88.6926345825195,76.7047119140625],[-88.4955444335938,76.5522003173828],[-88.6319427490234,76.397216796875],[-88.7100067138672,76.5949859619141],[-88.9472198486328,76.4052581787109],[-89.6726379394531,76.5669250488281],[-89.4136123657227,76.6773452758789],[-89.5245819091797,76.8488693237305],[-88.545280456543,77.0991516113281],[-86.739990234375,77.1741485595703],[-87.2033309936523,77.2026290893555],[-86.9215927124023,77.2592239379883],[-87.2470779418945,77.3008193969727],[-86.8415298461914,77.3550491333008],[-87.7048568725586,77.3585968017578],[-87.7027816772461,77.5394287109375],[-88.2206268310547,77.6632461547852],[-88.0680694580078,77.8202667236328],[-86.4222259521484,77.8308258056641],[-85.9811096191406,77.7086029052734],[-85.7907638549805,77.4222030639648],[-84.4794464111328,77.29443359375],[-84.5502777099609,77.4013824462891],[-83.4675674438477,77.3492889404297],[-83.8291702270508,77.4517822265625],[-83.2161102294922,77.5777740478516],[-82.3252105712891,78.0726928710938],[-82.6924896240234,78.0449829101562],[-83.7350006103516,77.5188751220703],[-84.5797271728516,77.5124969482422],[-84.8689498901367,77.5672073364258],[-84.4331207275391,77.725959777832],[-84.9524993896484,77.6013793945312],[-85.3456268310547,77.7324066162109],[-85.0536041259766,77.8305511474609],[-85.3950042724609,77.8391571044922],[-84.318962097168,77.8904724121094],[-85.6735382080078,77.938591003418],[-84.2968673706055,78.0764465332031],[-84.9949951171875,78.1630401611328],[-84.1272201538086,78.175537109375],[-84.9700012207031,78.210823059082],[-84.5779876708984,78.3512649536133],[-84.8663864135742,78.3706741333008],[-84.6259689331055,78.5892868041992],[-85.4861145019531,78.1024780273438],[-86.2881240844727,78.0788040161133],[-85.8330688476562,78.3799743652344],[-86.7630615234375,78.114990234375],[-87.5058441162109,78.1283111572266],[-87.0968704223633,78.2041473388672],[-87.4944458007812,78.2985992431641],[-87.5101470947266,78.431510925293],[-86.8632965087891,78.556022644043],[-87.1202697753906,78.5795669555664],[-86.6158294677734,78.8030395507812],[-85.0641632080078,78.9191436767578],[-82.3083343505859,78.5688781738281],[-82.5825729370117,78.7045669555664],[-82.2547302246094,78.7408142089844],[-83.2527160644531,78.8335952758789],[-81.7058334350586,78.8412322998047],[-81.4840240478516,79.0457458496094],[-82.5030670166016,78.8827514648438],[-84.748046875,79.0319366455078],[-84.5036163330078,79.1444396972656],[-83.3717346191406,79.0477600097656],[-84.3033294677734,79.1866455078125],[-85.0595855712891,79.6238632202148],[-86.4791641235352,79.7616653442383],[-86.3672180175781,79.9627685546875],[-85.2659072875977,79.9172744750977],[-86.4745864868164,80.0062408447266],[-86.6581268310547,80.1247024536133],[-86.5147247314453,80.2991485595703],[-83.7819519042969,80.2458190917969],[-82.1530609130859,79.8588714599609],[-81.7066650390625,79.5866546630859],[-79.7609786987305,79.6987380981445],[-81.4244384765625,79.7127685546875],[-81.6599349975586,79.8930358886719],[-81.4169464111328,79.9272003173828],[-83.1669464111328,80.3269348144531],[-78.0380554199219,80.5672149658203],[-79.9604187011719,80.6113662719727],[-76.5116729736328,80.8544311523438],[-78.9356918334961,80.8784484863281],[-78.4385986328125,81.1647033691406],[-76.8033294677734,81.4455261230469],[-78.8175048828125,81.1060943603516],[-79.489128112793,81.1912612915039],[-79.0816421508789,81.0891036987305],[-79.6094436645508,80.8219375610352],[-81.5333251953125,80.6072082519531],[-83.1584777832031,80.5491485595703],[-81.7629928588867,80.8140029907227],[-83.3569488525391,80.6855316162109],[-83.5659790039062,80.7415084838867],[-83.2569580078125,80.8385925292969],[-83.8615264892578,80.7583236694336],[-83.7243728637695,80.6413726806641],[-83.9347229003906,80.534423828125],[-86.7389526367188,80.6033172607422],[-85.6058349609375,80.9758148193359],[-82.3899993896484,81.1802673339844],[-85.6816711425781,81.0494232177734],[-87.4897155761719,80.6274719238281]],"Canada"], ["Country","CA88",[[-88.8477783203125,78.1513824462891],[-89.9805603027344,78.6097106933594],[-90.0647125244141,78.5133209228516],[-89.5302886962891,78.1483306884766],[-90.2424926757812,78.3361053466797],[-90.7399291992188,78.3209533691406],[-90.3633270263672,78.2569427490234],[-90.2707672119141,78.1846313476562],[-90.4338836669922,78.1363830566406],[-92.0583343505859,78.2088775634766],[-92.9494323730469,78.4319305419922],[-91.6638870239258,78.5648422241211],[-93.2777786254883,78.585823059082],[-93.8081970214844,78.7680435180664],[-93.0434265136719,78.7497711181641],[-94.2880554199219,78.9837341308594],[-93.2949981689453,79.1669311523438],[-90.4927673339844,79.2208251953125],[-92.1808319091797,79.2030487060547],[-92.6038818359375,79.3008117675781],[-91.1245803833008,79.3886032104492],[-93.0988922119141,79.4822082519531],[-93.0126037597656,79.3922805786133],[-93.125,79.3597106933594],[-93.3200073242188,79.4483184814453],[-93.8699951171875,79.2638854980469],[-94.3763885498047,79.420539855957],[-95.1616668701172,79.2810974121094],[-95.7625045776367,79.4070739746094],[-95.7363891601562,79.5374908447266],[-94.6994323730469,79.6121978759766],[-94.3268127441406,79.7797088623047],[-95.7994384765625,79.6424865722656],[-96.5825042724609,79.8512344360352],[-96.1380615234375,79.9063720703125],[-96.6012496948242,79.9595718383789],[-96.3964614868164,80.0454711914062],[-96.7111206054688,80.1449890136719],[-94.4169464111328,79.9788665771484],[-94.7288818359375,80.1055450439453],[-94.0909042358398,80.1749114990234],[-95.3677673339844,80.1183166503906],[-95.6864547729492,80.1799087524414],[-95.2384033203125,80.2368240356445],[-96.4349975585938,80.2697143554688],[-96.5984725952148,80.3624801635742],[-95.4388809204102,80.3397064208984],[-96.0197906494141,80.57568359375],[-93.866943359375,80.5183258056641],[-94.6643753051758,80.6635589599609],[-94.1083374023438,80.7188720703125],[-95.5011138916016,80.8069305419922],[-95.1487503051758,80.8824844360352],[-95.4720077514648,80.8961334228516],[-95.2480545043945,81.0013732910156],[-93.1576385498047,81.0933227539062],[-93.2597351074219,81.2122039794922],[-94.3856964111328,81.2544326782227],[-94.1538848876953,81.3597106933594],[-92.2130584716797,81.2455291748047],[-90.6586074829102,80.6813735961914],[-90.7413787841797,80.5621948242188],[-89.0591583251953,80.4613800048828],[-89.258544921875,80.2892227172852],[-88.7766723632812,80.1313629150391],[-88.1544418334961,80.0938034057617],[-88.6241683959961,80.2462310791016],[-88.6152801513672,80.4038696289062],[-87.6751403808594,80.4070663452148],[-87.5647201538086,80.1806030273438],[-88.0559692382812,80.1224746704102],[-87.2243041992188,80.0540084838867],[-87.0433349609375,79.9649963378906],[-87.463623046875,79.8313751220703],[-86.9634017944336,79.9053344726562],[-87.3986129760742,79.5134658813477],[-86.3341674804688,79.6455383300781],[-86.0441665649414,79.5672073364258],[-86.0708465576172,79.4341430664062],[-85.6819458007812,79.6133117675781],[-85.0397186279297,79.3508148193359],[-84.9311065673828,79.2583312988281],[-86.7022247314453,78.9552612304688],[-86.9866561889648,79.0522003173828],[-86.9708404541016,78.8961029052734],[-87.6158294677734,78.645263671875],[-88.0023727416992,78.8156814575195],[-87.7290878295898,79.0739517211914],[-88.1625061035156,78.9905395507812],[-88.2236785888672,78.7879028320312],[-87.9083404541016,78.5485992431641],[-88.2052764892578,78.4524841308594],[-88.79638671875,78.6112365722656],[-88.5421524047852,78.3976287841797],[-88.8477783203125,78.1513824462891]],"Canada"], ["Country","CA89",[[-95.6683349609375,76.3861083984375],[-96.100212097168,76.5025634765625],[-95.5913162231445,76.6000518798828],[-96.954231262207,76.7274169921875],[-96.3087463378906,76.7526321411133],[-96.8651351928711,76.9156799316406],[-96.2355499267578,77.0424880981445],[-93.6463928222656,76.9055404663086],[-93.1697235107422,76.6869201660156],[-93.6491012573242,76.4405364990234],[-93.54833984375,76.3861083984375],[-93.04638671875,76.6160888671875],[-90.9861145019531,76.6491546630859],[-90.4721527099609,76.4748458862305],[-91.4094467163086,76.4588775634766],[-89.1981201171875,76.2311630249023],[-90.1108245849609,76.1241455078125],[-91.6019515991211,76.262077331543],[-90.1953430175781,76.0573425292969],[-91.1513900756836,76.0186004638672],[-90.9465637207031,75.9551544189453],[-91.1331176757812,75.8449172973633],[-90.7856903076172,75.9953994750977],[-90.5008392333984,75.8965148925781],[-89.9570770263672,76.0079116821289],[-89.6918029785156,75.893669128418],[-89.7732009887695,75.7897033691406],[-89.1674957275391,75.7759628295898],[-89.7038955688477,75.5552597045898],[-88.7743072509766,75.43359375],[-88.8658294677734,75.5861053466797],[-88.7308349609375,75.6792907714844],[-88.2630615234375,75.4760894775391],[-87.7514038085938,75.57666015625],[-87.5755615234375,75.4441452026367],[-87.2633361816406,75.62109375],[-86.3713836669922,75.4241409301758],[-86.5447235107422,75.3591461181641],[-83.8781509399414,75.818962097168],[-81.2125091552734,75.7713775634766],[-81.2640380859375,75.6505508422852],[-80.2657012939453,75.6233139038086],[-79.9529876708984,75.536376953125],[-80.3561706542969,75.4636993408203],[-79.4916610717773,75.3785934448242],[-79.6294403076172,75.1749877929688],[-80.4340209960938,75.0340118408203],[-79.341178894043,74.9001922607422],[-79.9305572509766,74.8133087158203],[-80.3622131347656,74.9235992431641],[-80.1031951904297,74.8223495483398],[-80.239860534668,74.5770721435547],[-82.7836151123047,74.520263671875],[-83.0907592773438,74.6406097412109],[-83.0887603759766,74.8209686279297],[-83.5113983154297,74.9016571044922],[-83.3231964111328,74.7770767211914],[-83.4793014526367,74.5773544311523],[-84.2855529785156,74.5036010742188],[-84.8944473266602,74.5027694702148],[-84.9969482421875,74.69775390625],[-85.2144470214844,74.4919281005859],[-85.5238876342773,74.6884536743164],[-85.6041717529297,74.4958190917969],[-86.1218719482422,74.4844284057617],[-86.1876373291016,74.6152648925781],[-86.4233245849609,74.4788665771484],[-86.7761154174805,74.6165084838867],[-86.693603515625,74.4680480957031],[-88.4969482421875,74.4977569580078],[-88.5608215332031,74.5930480957031],[-88.3475036621094,74.7847137451172],[-88.5352783203125,74.9046401977539],[-88.8419494628906,74.6602630615234],[-89.0894470214844,74.835823059082],[-89.0465240478516,74.7255401611328],[-89.26806640625,74.7555465698242],[-89.1505584716797,74.5997161865234],[-89.58056640625,74.5402679443359],[-91.0185470581055,74.7064437866211],[-90.765007019043,74.8829040527344],[-91.2244415283203,74.7306823730469],[-91.133056640625,74.6244201660156],[-91.8752746582031,74.7119293212891],[-92.2247848510742,75.0731201171875],[-92.0534744262695,75.1486053466797],[-92.4908294677734,75.2136077880859],[-92.3883361816406,75.4419250488281],[-92.0094528198242,75.5920715332031],[-92.1749954223633,75.7474899291992],[-92.1077728271484,75.8528289794922],[-93.0777816772461,76.3556747436523],[-95.3549957275391,76.2341461181641],[-94.8344421386719,76.3344268798828],[-95.6683349609375,76.3861083984375]],"Canada"], ["Country","CA90",[[-110,75.538330078125],[-108.896667480469,75.4775543212891],[-108.834861755371,75.6890029907227],[-110.051872253418,75.8935317993164],[-109.308250427246,76.1040802001953],[-110.378196716309,76.2960968017578],[-110.384590148926,76.4252548217773],[-109.746383666992,76.5055541992188],[-109.127777099609,76.8194427490234],[-108.459167480469,76.7362365722656],[-108.719787597656,76.640266418457],[-108.558036804199,76.4085998535156],[-108.077499389648,76.2805480957031],[-108.396118164062,76.0460968017578],[-107.638687133789,75.9880294799805],[-108.02222442627,75.7823486328125],[-107.186660766602,75.9038696289062],[-106.896667480469,75.7202606201172],[-106.622772216797,75.8011627197266],[-106.895698547363,75.9397659301758],[-106.606109619141,76.0577545166016],[-105.610137939453,75.9358139038086],[-105.390144348145,75.6476287841797],[-105.744300842285,75.4883117675781],[-105.60228729248,75.4683837890625],[-105.651107788086,75.3599166870117],[-106.000770568848,75.0592193603516],[-107.206527709961,74.9113693237305],[-107.778198242188,75.0948486328125],[-107.948608398438,74.9297027587891],[-108.382362365723,74.9109573364258],[-108.832496643066,75.0699920654297],[-111.677223205566,74.4933166503906],[-112.919998168945,74.3974914550781],[-113.696380615234,74.4460906982422],[-114.400970458984,74.7062454223633],[-112.867492675781,74.9755401611328],[-111.718612670898,74.9866485595703],[-110.916107177734,75.2314376831055],[-112.390556335449,75.1230316162109],[-112.295280456543,75.2004013061523],[-112.672500610352,75.2781829833984],[-112.806953430176,75.1158142089844],[-113.917503356934,75.0535888671875],[-113.813194274902,75.3205413818359],[-113.340560913086,75.4133148193359],[-114.081245422363,75.4629745483398],[-114.137512207031,75.2449798583984],[-114.535415649414,75.3137283325195],[-114.314865112305,75.1490173339844],[-114.763427734375,75.0024719238281],[-115.190544128418,74.9876174926758],[-115.226249694824,75.1710891723633],[-115.623893737793,75.1213684082031],[-115.548469543457,75.0124893188477],[-115.681243896484,74.9644317626953],[-116.163063049316,75.0402679443359],[-116.277778625488,75.2058258056641],[-116.717216491699,75.1166534423828],[-117.677223205566,75.2463073730469],[-117.240547180176,75.4736022949219],[-116.021942138672,75.4849853515625],[-115.000770568848,75.6940765380859],[-117.248046875,75.591796875],[-116.859718322754,75.7917938232422],[-114.838607788086,75.8744201660156],[-116.7197265625,75.9033203125],[-116.471519470215,75.9741516113281],[-116.641387939453,76.1133117675781],[-116.342216491699,76.1830444335938],[-114.676979064941,76.1587371826172],[-115.874298095703,76.250129699707],[-115.905418395996,76.3477630615234],[-115.507225036621,76.4530487060547],[-114.207229614258,76.4680480957031],[-113.989990234375,76.1915054321289],[-112.900978088379,76.2556838989258],[-111.758346557617,75.9448394775391],[-112.219520568848,75.809211730957],[-111.448471069336,75.8344345092773],[-111.271392822266,75.5224914550781],[-110,75.538330078125]],"Canada"], ["Country","CA91",[[-99.6808319091797,76.1185913085938],[-100.438888549805,76.2124938964844],[-99.8466720581055,76.2820739746094],[-100.952499389648,76.4747009277344],[-100.383827209473,76.6275024414062],[-99.5788955688477,76.622200012207],[-99.0999908447266,76.3980407714844],[-98.8519439697266,76.4337310791016],[-99.0272216796875,76.6010894775391],[-98.5145950317383,76.6233139038086],[-98.7336120605469,76.6827545166016],[-97.6890258789062,76.4797058105469],[-97.7613983154297,76.3349914550781],[-97.4947204589844,76.1438827514648],[-97.5977783203125,75.8469390869141],[-97.9345779418945,75.7441482543945],[-97.3955612182617,75.6853942871094],[-97.2882614135742,75.3988800048828],[-97.7204132080078,75.5684661865234],[-98.0425033569336,75.4823455810547],[-97.7787475585938,75.4256744384766],[-98.1248550415039,75.2998428344727],[-97.5740966796875,75.1490859985352],[-98.0919494628906,75.2227630615234],[-97.9824981689453,75.0152740478516],[-100.392227172852,75.0357437133789],[-100.539581298828,75.1962280273438],[-100.001770019531,75.2327270507812],[-100.720001220703,75.4308166503906],[-98.9168014526367,75.7061004638672],[-102.534156799316,75.5113830566406],[-102.874267578125,75.6128921508789],[-102.07861328125,75.6883087158203],[-102.367835998535,75.7978591918945],[-102.163063049316,75.8788604736328],[-101.182220458984,75.7797088623047],[-101.579177856445,75.9085998535156],[-101.325691223145,76.0199890136719],[-101.905975341797,76.0814437866211],[-101.391258239746,76.2468566894531],[-102.162780761719,76.2406768798828],[-101.862213134766,76.4502716064453],[-101.315826416016,76.4144287109375],[-99.9824981689453,75.8905487060547],[-99.4485092163086,75.968132019043],[-99.8613815307617,75.9353942871094],[-100.152786254883,76.1324768066406],[-99.6808319091797,76.1185913085938]],"Canada"], ["Country","CA92",[[-104.134170532227,76.66943359375],[-103.004463195801,76.4326171875],[-104.378883361816,76.3233184814453],[-104.637222290039,76.6033172607422],[-104.134170532227,76.66943359375]],"Canada"], ["Country","CA93",[[-102.652221679688,76.2877655029297],[-102.530204772949,76.2158889770508],[-102.65055847168,76.1199798583984],[-103.342216491699,76.0366516113281],[-104.48055267334,76.1390151977539],[-102.652221679688,76.2877655029297]],"Canada"], ["Country","CA94",[[-96.0066680908203,74.8769226074219],[-96.0786209106445,75.0240173339844],[-96.2683410644531,74.9038696289062],[-96.6155548095703,74.988037109375],[-96.4597244262695,75.1951217651367],[-95.9147186279297,75.2893600463867],[-96.0619354248047,75.3152618408203],[-95.8345642089844,75.3730010986328],[-96.0958404541016,75.4177551269531],[-94.9097213745117,75.6373519897461],[-93.4947891235352,75.2583160400391],[-93.4063873291016,74.8836059570312],[-93.5633239746094,74.659423828125],[-94.5475006103516,74.6213684082031],[-96.0066680908203,74.8769226074219]],"Canada"], ["Country","CA95",[[-104.151779174805,75.4345550537109],[-103.60888671875,75.1491546630859],[-104.22917175293,75.0180511474609],[-104.847229003906,75.1091461181641],[-104.677909851074,75.339714050293],[-104.151779174805,75.4345550537109]],"Canada"], ["Country","CA96",[[-95.6286010742188,74.6408233642578],[-95.2487487792969,74.5188751220703],[-95.8450012207031,74.5638732910156],[-95.6286010742188,74.6408233642578]],"Canada"], ["Country","CA97",[[-94.4367599487305,72.0233840942383],[-95.2105560302734,71.9916534423828],[-95.2036056518555,72.1010971069336],[-94.7565307617188,72.1541519165039],[-95.1650009155273,72.1374893188477],[-95.1333312988281,72.4602661132812],[-95.5963897705078,72.6988677978516],[-95.6136169433594,73.3427581787109],[-95.6523666381836,73.7340087890625],[-94.6186065673828,73.6529083251953],[-95.3287582397461,73.9145660400391],[-94.7471542358398,74.0904693603516],[-93.3274993896484,74.1699829101562],[-92.3169708251953,73.9454650878906],[-90.1975708007812,73.8979721069336],[-92.0958404541016,72.7430419921875],[-94.3068008422852,72.7666549682617],[-93.79833984375,72.7022094726562],[-93.4655532836914,72.4538726806641],[-94.1795806884766,72.0567855834961],[-94.072639465332,71.9772033691406],[-94.4367599487305,72.0233840942383]],"Canada"], ["Country","CA98",[[-100.444442749023,73.4063720703125],[-100.550827026367,73.596794128418],[-101.119163513184,73.7252578735352],[-100.554168701172,73.8547058105469],[-100.063049316406,73.7649993896484],[-99.8618011474609,73.8402633666992],[-100.255416870117,73.8360977172852],[-100.104446411133,73.9363708496094],[-99.2350006103516,73.7377624511719],[-97.2236175537109,73.8563690185547],[-96.9662551879883,73.6366577148438],[-97.6668014526367,73.4797058105469],[-97.1901397705078,73.4673538208008],[-97.1736755371094,73.3541488647461],[-97.8429183959961,73.2708206176758],[-98.4502868652344,73.020263671875],[-98.4481964111328,72.8703994750977],[-97.9877777099609,73.0385971069336],[-97.4424896240234,72.9991455078125],[-97.0265274047852,72.7293548583984],[-97.1974945068359,72.6072082519531],[-96.6119384765625,72.7469329833984],[-96.3000640869141,72.4263000488281],[-96.8682556152344,72.3206787109375],[-96.5576400756836,72.2697143554688],[-96.5033416748047,72.0876312255859],[-96.8604125976562,72.0387344360352],[-96.4892959594727,72.0266571044922],[-96.7593765258789,71.9115829467773],[-96.4949264526367,71.9228286743164],[-96.5858383178711,71.8128967285156],[-98.121940612793,71.6374893188477],[-98.3560409545898,71.7258148193359],[-98.2612533569336,71.9033203125],[-98.4956893920898,71.7177658081055],[-98.0394439697266,71.5287399291992],[-98.1894378662109,71.4191513061523],[-98.7016754150391,71.2719268798828],[-99.2294464111328,71.3435974121094],[-99.6754150390625,71.7555389404297],[-100.639312744141,72.1869201660156],[-101.776947021484,72.2997131347656],[-102.739028930664,72.7220687866211],[-102.507080078125,73.0283203125],[-102.137222290039,73.0869293212891],[-101.297500610352,72.7099914550781],[-100.412216186523,72.7419281005859],[-100.314994812012,72.7988739013672],[-100.457504272461,73.0176239013672],[-100.314582824707,73.0297088623047],[-100.285278320312,72.8735961914062],[-100.031387329102,72.9349822998047],[-100.240837097168,73.1357498168945],[-100.583061218262,73.1702575683594],[-100.36971282959,73.2901229858398],[-99.7750015258789,73.2063751220703],[-100.386116027832,73.3959579467773],[-100.889450073242,73.2644348144531],[-101.619018554688,73.4877624511719],[-100.917915344238,73.5999908447266],[-100.444442749023,73.4063720703125]],"Canada"], ["Country","CA99",[[-105.225830078125,72.9330444335938],[-105.383056640625,72.8666534423828],[-106.454299926758,73.396240234375],[-107.030754089355,73.4855422973633],[-106.185546875,73.7335968017578],[-105.148620605469,73.7541656494141],[-104.580841064453,73.6002655029297],[-104.572357177734,73.3258972167969],[-105.225830078125,72.9330444335938]],"Canada"], ["Country","CA100",[[-103.403060913086,68.7772064208984],[-105.136947631836,68.8977661132812],[-105.248893737793,68.9455261230469],[-104.9208984375,69.0723419189453],[-106.407913208008,69.1845626831055],[-106.316390991211,69.3866577148438],[-106.611106872559,69.4969940185547],[-107.342216491699,69.0188751220703],[-108.530693054199,68.9449768066406],[-109.104721069336,68.7105407714844],[-113.26042175293,68.4530410766602],[-113.072509765625,68.5205383300781],[-113.671798706055,68.8066482543945],[-113.547843933105,69.0463714599609],[-113.686515808105,69.190673828125],[-113.553596496582,69.1871948242188],[-116.532211303711,69.4088745117188],[-116.578475952148,69.5581741333008],[-117.243194580078,69.754997253418],[-117.415283203125,70.0099945068359],[-114.543060302734,70.3133087158203],[-112.556381225586,70.1984558105469],[-111.494094848633,70.3397750854492],[-113.938316345215,70.7152709960938],[-116.055557250977,70.5722198486328],[-117.55152130127,70.5962371826172],[-118.410903930664,71.0002593994141],[-115.066947937012,71.5238723754883],[-118.112213134766,71.3735961914062],[-118.285972595215,71.4838790893555],[-117.681106567383,71.5513763427734],[-117.908889770508,71.614990234375],[-117.736656188965,71.6749877929688],[-118.903755187988,71.5794372558594],[-119.105827331543,71.6858062744141],[-118.9375,71.9959564208984],[-118.107566833496,72.2444305419922],[-118.550277709961,72.4833221435547],[-117.379989624023,72.9105377197266],[-114.561660766602,73.3755340576172],[-113.955688476562,73.1194229125977],[-113.974990844727,72.8201217651367],[-114.558326721191,72.5608062744141],[-113.466400146484,72.6652679443359],[-113.590690612793,72.7879028320312],[-113.028060913086,73.0094299316406],[-111.229927062988,72.7234573364258],[-111.269866943359,72.5733261108398],[-111.899101257324,72.3529739379883],[-111.663887023926,72.2763824462891],[-111.301651000977,72.4617919921875],[-111.112777709961,72.3352661132812],[-110.708343505859,72.5742950439453],[-110.350563049316,72.4280395507812],[-110.52604675293,72.5002593994141],[-110.396392822266,72.5522003173828],[-110,72.4941940307617],[-110.249649047852,72.5599136352539],[-109.802352905273,72.4928970336914],[-109.950820922852,72.6084594726562],[-110.282287597656,72.6629028320312],[-109.773338317871,72.7201995849609],[-110.535552978516,72.8472137451172],[-110.7490234375,72.9630432128906],[-110.618606567383,73.0113830566406],[-109.659439086914,72.9249877929688],[-109.040756225586,72.5695037841797],[-108.644729614258,72.5624847412109],[-108.66056060791,72.3412399291992],[-108.191246032715,71.9564437866211],[-108.23860168457,71.7151260375977],[-107.753341674805,71.6102600097656],[-107.81916809082,71.7198486328125],[-107.261428833008,71.8896331787109],[-107.779861450195,72.1392974853516],[-107.879852294922,72.5746383666992],[-108.293609619141,73.1202545166016],[-107.876106262207,73.1871948242188],[-108.084442138672,73.3499908447266],[-107.069732666016,73.1738739013672],[-106.861389160156,73.3108062744141],[-105.562210083008,72.9130401611328],[-104.956382751465,72.1762313842773],[-105.018623352051,72.0669403076172],[-104.360824584961,71.581657409668],[-104.578056335449,71.0624923706055],[-103.556381225586,70.6008148193359],[-102.96875,70.4895629882812],[-103.076248168945,70.6712341308594],[-101.59156036377,70.2702941894531],[-101.555969238281,70.1115112304688],[-100.978607177734,70.1601257324219],[-100.963195800781,69.6611022949219],[-101.326393127441,69.6709518432617],[-101.450828552246,69.9073486328125],[-101.694580078125,69.682487487793],[-102.235557556152,69.9152603149414],[-102.672004699707,69.7604827880859],[-102.480834960938,69.6873397827148],[-102.603057861328,69.5383148193359],[-103.481796264648,69.6891479492188],[-103.013900756836,69.4741516113281],[-103.182220458984,69.1110992431641],[-102.832153320312,69.384162902832],[-102.305549621582,69.4984588623047],[-101.933883666992,69.4110946655273],[-102.217216491699,69.2252655029297],[-101.753059387207,69.1629028320312],[-101.851387023926,68.9844207763672],[-103.403060913086,68.7772064208984]],"Canada"], ["Country","CA101",[[-72.9247131347656,71.6494293212891],[-72.6613845825195,71.6012344360352],[-72.9499969482422,71.5472106933594],[-72.9247131347656,71.6494293212891]],"Canada"], ["Country","CA102",[[-73.060546875,71.2947082519531],[-73.3786010742188,71.521240234375],[-73.1619262695312,71.5692367553711],[-72.8238906860352,71.4523468017578],[-73.060546875,71.2947082519531]],"Canada"], ["Country","CA103",[[-71.7947235107422,71.0530395507812],[-71.3413925170898,70.9881744384766],[-72.1122131347656,70.8113708496094],[-72.2263946533203,70.9305419921875],[-71.7947235107422,71.0530395507812]],"Canada"], ["Country","CA104",[[-87.2656097412109,70.1135559082031],[-86.4594421386719,70.0091552734375],[-87.1041717529297,69.9877624511719],[-87.2656097412109,70.1135559082031]],"Canada"], ["Country","CA105",[[-99.2366638183594,68.848876953125],[-99.591682434082,69.0219345092773],[-99.5136260986328,69.1019287109375],[-98.4069442749023,69.3034439086914],[-98.6104125976562,69.4469223022461],[-98.4221496582031,69.4697036743164],[-98.5313873291016,69.5849914550781],[-98.0014572143555,69.4438018798828],[-98.3641586303711,69.5988693237305],[-97.9455413818359,69.8936004638672],[-97.4491577148438,69.7602691650391],[-97.3853454589844,69.5954055786133],[-97.2815322875977,69.6963653564453],[-96.2024993896484,69.3013763427734],[-96.1952667236328,69.0383148193359],[-96.0444412231445,69.2260971069336],[-95.8202819824219,68.8702545166016],[-95.2097244262695,68.8510971069336],[-96.5305633544922,68.4449768066406],[-98.1248550415039,68.6727600097656],[-98.3765258789062,68.8587341308594],[-98.5194549560547,68.7474822998047],[-98.8494415283203,68.93359375],[-99.2366638183594,68.848876953125]],"Canada"], ["Country","CA106",[[-67.8697204589844,69.7008209228516],[-67.9202728271484,69.5219268798828],[-68.2488861083984,69.5966491699219],[-67.8697204589844,69.7008209228516]],"Canada"], ["Country","CA107",[[-95.4888916015625,69.5655364990234],[-95.3622131347656,69.4988708496094],[-95.5158386230469,69.3308258056641],[-95.7403411865234,69.3307571411133],[-95.6691589355469,69.5074920654297],[-95.8158264160156,69.5627593994141],[-95.8622131347656,69.3480377197266],[-95.9908294677734,69.3533172607422],[-95.9199981689453,69.5952606201172],[-95.4888916015625,69.5655364990234]],"Canada"], ["Country","CA108",[[-101.053047180176,69.5044403076172],[-101.010375976562,69.4496765136719],[-101.230293273926,69.3685913085938],[-101.187637329102,69.4724884033203],[-101.385833740234,69.5352630615234],[-101.053047180176,69.5044403076172]],"Canada"], ["Country","CA109",[[-77.1136169433594,69.441650390625],[-76.6477813720703,69.3344345092773],[-77.213623046875,69.1258087158203],[-77.3580551147461,69.3947067260742],[-77.1136169433594,69.441650390625]],"Canada"], ["Country","CA110",[[-90.1952667236328,69.4169311523438],[-90.3294525146484,69.2358093261719],[-90.5082015991211,69.3319396972656],[-90.1952667236328,69.4169311523438]],"Canada"], ["Country","CA111",[[-90.7421493530273,69.3326644897461],[-90.5594329833984,69.3472137451172],[-90.4562530517578,69.2266540527344],[-90.5755615234375,69.1985931396484],[-90.7629776000977,69.3215484619141],[-90.7758331298828,69.3299865722656],[-90.7421493530273,69.3326644897461]],"Canada"], ["Country","CA112",[[-100.323623657227,68.99609375],[-100.128746032715,68.9077682495117],[-100.17374420166,68.7970657348633],[-100.625549316406,68.76416015625],[-100.599990844727,69.0005493164062],[-100.323623657227,68.99609375]],"Canada"], ["Country","CA113",[[-101.693878173828,68.7680511474609],[-101.831123352051,68.5669403076172],[-102.316390991211,68.6722106933594],[-102.023063659668,68.8194427490234],[-101.693878173828,68.7680511474609]],"Canada"], ["Country","CA114",[[-75,68.6722412109375],[-74.7702865600586,68.4766464233398],[-74.8144454956055,68.3195724487305],[-75.4163970947266,68.521240234375],[-75.2805633544922,68.709716796875],[-75,68.6722412109375]],"Canada"], ["Country","CA115",[[-74.3408355712891,68.4624938964844],[-74.0772933959961,68.3301239013672],[-74.2249984741211,68.2490158081055],[-74.3408355712891,68.4624938964844]],"Canada"], ["Country","CA116",[[-76.6636199951172,67.2199859619141],[-77.0744476318359,67.2808227539062],[-77.3208389282227,67.704704284668],[-76.7261047363281,68.2388763427734],[-75.8180694580078,68.3366546630859],[-75.0075073242188,68.1399841308594],[-75.1613159179688,67.954216003418],[-75.025146484375,67.6224822998047],[-75.1611175537109,67.4638824462891],[-76.6636199951172,67.2199859619141]],"Canada"], ["Country","CA117",[[-86.4349975585938,68.1624908447266],[-86.3961181640625,67.8597106933594],[-86.5719451904297,67.7288665771484],[-86.9458312988281,67.909423828125],[-86.8369445800781,68.0010986328125],[-86.9883270263672,68.0816650390625],[-86.7119445800781,68.2991485595703],[-86.4349975585938,68.1624908447266]],"Canada"], ["Country","CA118",[[-73.6554718017578,68.0077056884766],[-73.4106979370117,67.9727630615234],[-73.4494323730469,67.7624969482422],[-74.4811096191406,67.7894287109375],[-74.7780609130859,68.006103515625],[-74.3432006835938,68.1767883300781],[-73.6554718017578,68.0077056884766]],"Canada"], ["Country","CA119",[[-62.2586135864258,65.7285919189453],[-62.1300010681152,65.6765060424805],[-62.2197227478027,65.6105422973633],[-62.4841651916504,65.7240142822266],[-62.2586135864258,65.7285919189453]],"Canada"], ["Country","CA120",[[-73.5091705322266,64.5524749755859],[-73.5179443359375,64.3909912109375],[-73.6529235839844,64.3187408447266],[-73.6788864135742,64.5291519165039],[-73.5091705322266,64.5524749755859]],"Canada"], ["Country","CA121",[[-64.5494384765625,63.8952713012695],[-64.4363861083984,63.6733245849609],[-64.9163970947266,63.8063812255859],[-64.5494384765625,63.8952713012695]],"Canada"], ["Country","CA122",[[-79.1752777099609,55.9233245849609],[-78.9802703857422,56.38916015625],[-79.282844543457,55.8678398132324],[-79.1505584716797,56.2330474853516],[-79.4799957275391,55.863883972168],[-79.7819519042969,55.7880477905273],[-79.5130615234375,56.1349945068359],[-79.9858245849609,55.8980484008789],[-79.5268402099609,56.3042144775391],[-79.4566650390625,56.5533218383789],[-79.5313873291016,56.2069396972656],[-79.4147262573242,56.2144355773926],[-79.2863922119141,56.5702743530273],[-78.9208297729492,56.4065170288086],[-79.1752777099609,55.9233245849609]],"Canada"], ["Country","CA123",[[-78.927490234375,56.113883972168],[-78.662223815918,56.4342269897461],[-78.6763916015625,56.1811065673828],[-78.927490234375,56.113883972168]],"Canada"], ["Country","CA124",[[-64.4027099609375,67.7102890014648],[-64.3004150390625,67.73193359375],[-64.0418014526367,67.5283889770508],[-64.4328384399414,67.4756774902344],[-64.0038604736328,67.4559707641602],[-63.9372177124023,67.2927551269531],[-64.7923889160156,67.3554000854492],[-64.2452392578125,67.2942199707031],[-64.7658386230469,67.1902542114258],[-63.9711418151855,67.2758560180664],[-64.6969757080078,67.0090866088867],[-63.5541687011719,67.2363662719727],[-63.4523620605469,67.1745681762695],[-63.773853302002,66.9740447998047],[-63.1102828979492,67.3299865722656],[-62.9723587036133,67.2295608520508],[-63.2745132446289,67.1133804321289],[-63.2284698486328,66.9747085571289],[-63.773609161377,66.8184585571289],[-63.4344444274902,66.9048538208008],[-63.4116668701172,66.7031784057617],[-63.2247161865234,66.8994293212891],[-62.8423614501953,66.959846496582],[-62.9091300964355,66.6465148925781],[-62.6000022888184,66.9515151977539],[-62.3147239685059,66.7291564941406],[-62.4230575561523,66.9238739013672],[-62.1013946533203,67.0547027587891],[-62.1041679382324,66.9151229858398],[-61.7497253417969,66.9480285644531],[-61.2645835876465,66.626091003418],[-62.1238861083984,66.6263732910156],[-61.5792007446289,66.4810180664062],[-61.9778442382812,66.4123764038086],[-61.4650001525879,66.3696975708008],[-61.8774948120117,66.2833251953125],[-62.4561080932617,66.4238739013672],[-62.7087478637695,66.4085235595703],[-62.320140838623,66.3027572631836],[-62.5824966430664,66.2320098876953],[-61.9597930908203,66.0215835571289],[-62.9649963378906,66.1484603881836],[-62.3211135864258,65.8311004638672],[-62.8608360290527,65.9111022949219],[-62.5706977844238,65.7545013427734],[-62.8299713134766,65.7522125244141],[-62.6491661071777,65.5866546630859],[-62.9293060302734,65.7536010742188],[-62.9575004577637,65.5849914550781],[-63.206111907959,65.6369400024414],[-63.4397201538086,65.849983215332],[-63.3683319091797,65.66943359375],[-63.7185707092285,65.6782073974609],[-63.3233337402344,65.5970687866211],[-63.6122894287109,65.5357513427734],[-63.3021507263184,65.4400787353516],[-63.6519432067871,65.4704055786133],[-63.335693359375,65.2980346679688],[-63.5469512939453,64.88720703125],[-63.8241729736328,64.9847106933594],[-63.6916656494141,65.0485916137695],[-64.3770751953125,65.1791458129883],[-64.2391586303711,65.4274063110352],[-64.5154266357422,65.1148376464844],[-64.64111328125,65.1499938964844],[-64.9106903076172,65.3015060424805],[-64.690055847168,65.3348159790039],[-64.9034729003906,65.3366165161133],[-64.4187469482422,65.4798431396484],[-65.0669479370117,65.3798446655273],[-65.1619415283203,65.4864730834961],[-64.7114562988281,65.6508178710938],[-65.3167419433594,65.5511627197266],[-64.8017272949219,65.7219314575195],[-65.5018081665039,65.7488784790039],[-65.3572235107422,65.9024810791016],[-64.7377014160156,65.9728317260742],[-64.7173156738281,66.2161102294922],[-65.3899993896484,65.9752578735352],[-65.9634780883789,66.0391464233398],[-65.4807586669922,66.3848495483398],[-65.9269409179688,66.1147003173828],[-66.4019470214844,66.2008209228516],[-66.5719451904297,66.362060546875],[-66.4439849853516,66.4047393798828],[-66.7677764892578,66.3805389404297],[-66.9364929199219,66.5482864379883],[-67.1055603027344,66.4858093261719],[-67.7342987060547,66.5688018798828],[-67.1461868286133,66.4402542114258],[-67.404167175293,66.4266510009766],[-67.1314239501953,66.3092880249023],[-67.2822265625,66.2752685546875],[-67.9892959594727,66.5075607299805],[-67.1637573242188,66.0360946655273],[-67.1887435913086,65.9124145507812],[-67.8241729736328,65.8808135986328],[-68.0268325805664,66.0654983520508],[-68.2447204589844,66.1827545166016],[-68.8438873291016,66.1887283325195],[-68.0899276733398,66.0716171264648],[-68.0472259521484,66.0649871826172],[-68.0668334960938,66.0550308227539],[-68.3283386230469,65.9222717285156],[-67.8211212158203,65.7680511474609],[-68.0233001708984,65.4883804321289],[-67.2779235839844,65.6401290893555],[-67.4559020996094,65.4988708496094],[-67.0605545043945,65.4220657348633],[-67.4072189331055,65.3395004272461],[-66.9328460693359,65.2327575683594],[-67.1046524047852,65.0598373413086],[-66.7323608398438,65.1800537109375],[-66.6946411132812,64.7618637084961],[-66.6180572509766,65.0302734375],[-66.1483459472656,64.8688659667969],[-66.2155532836914,64.6881713867188],[-66.0202102661133,64.8478393554688],[-65.8517303466797,64.6803970336914],[-65.9378433227539,64.8904037475586],[-65.6686096191406,64.8101272583008],[-65.7073593139648,64.6914367675781],[-65.5620422363281,64.7315444946289],[-65.678955078125,64.5265350341797],[-65.7019424438477,64.4862289428711],[-65.0782012939453,64.4722061157227],[-65.2008285522461,64.3076858520508],[-65.6575698852539,64.3049774169922],[-65.2474975585938,64.2054748535156],[-65.0533218383789,64.0692977905273],[-65.1899871826172,64.020263671875],[-64.6731262207031,64.0343627929688],[-64.9854125976562,63.8238143920898],[-64.5326385498047,63.6796417236328],[-64.5345840454102,63.2490234375],[-65.2973251342773,63.8101615905762],[-64.9091644287109,63.2805480957031],[-65.1434097290039,63.286937713623],[-65.0833282470703,63.2038803100586],[-64.630615234375,62.8990211486816],[-65.2523651123047,62.9753379821777],[-64.9488830566406,62.6486053466797],[-65.1875,62.5622100830078],[-65.3397216796875,62.8374938964844],[-66.2730560302734,63.1322135925293],[-66.1061782836914,62.9458923339844],[-66.4008331298828,62.9984664916992],[-66.6538162231445,63.3733940124512],[-66.7388153076172,63.2913131713867],[-66.5454864501953,62.9938774108887],[-66.6776351928711,63.024715423584],[-66.8119049072266,63.2728385925293],[-66.8441619873047,63.147216796875],[-67.0204162597656,63.2469711303711],[-66.9776382446289,63.396728515625],[-67.2038879394531,63.285270690918],[-67.9208602905273,63.7548179626465],[-67.7204132080078,63.3640213012695],[-68.5427703857422,63.7324905395508],[-68.993049621582,63.7465209960938],[-68.1286010742188,63.1480484008789],[-67.6394424438477,63.0995750427246],[-67.7634735107422,62.9572830200195],[-67.5591659545898,63.0490226745605],[-67.6695098876953,62.9335174560547],[-67.3980560302734,62.9672088623047],[-66.6069488525391,62.6049957275391],[-66.3549270629883,62.4453353881836],[-66.4708633422852,62.3442611694336],[-66.3747100830078,62.2861099243164],[-65.9364929199219,62.1997108459473],[-66.1324920654297,62.0894317626953],[-65.9480438232422,61.9077682495117],[-68.5563812255859,62.2502708435059],[-69.4367370605469,62.5503387451172],[-69.5906295776367,62.6579055786133],[-69.4824981689453,62.7636108398438],[-70.2347259521484,62.7501335144043],[-71.1503448486328,62.9886703491211],[-70.9147186279297,63.1698570251465],[-71.2383270263672,63.001522064209],[-71.7102813720703,63.1770782470703],[-71.8006896972656,63.3837432861328],[-72.1399993896484,63.443115234375],[-71.6072235107422,63.4241600036621],[-71.2298583984375,63.6026268005371],[-71.5751419067383,63.584716796875],[-71.5830612182617,63.7158279418945],[-71.9005584716797,63.8092269897461],[-71.9270782470703,63.6524925231934],[-72.3216705322266,63.6761741638184],[-72.2421493530273,63.9497146606445],[-72.5248947143555,63.7925262451172],[-72.6615295410156,64.0786056518555],[-72.7200012207031,63.9611053466797],[-72.9028472900391,64.1619338989258],[-73.3793716430664,64.2701263427734],[-73.4155578613281,64.4458160400391],[-73.1661071777344,64.6071395874023],[-73.9102783203125,64.6058197021484],[-73.9994354248047,64.3280487060547],[-74.0538787841797,64.7279739379883],[-74.3879165649414,64.5704803466797],[-74.7020874023438,64.7351913452148],[-74.4799957275391,64.8376235961914],[-74.6309661865234,64.9037322998047],[-74.9789886474609,64.7906112670898],[-74.4728469848633,64.5589370727539],[-74.6858215332031,64.37109375],[-75.8241729736328,64.6116485595703],[-75.6385116577148,64.4595336914062],[-75.915412902832,64.4827575683594],[-75.7212142944336,64.378044128418],[-76.7058410644531,64.3008117675781],[-76.6705474853516,64.1841430664062],[-77.7472229003906,64.3377685546875],[-78.1806869506836,64.5699920654297],[-78.1472930908203,64.9479675292969],[-77.3168029785156,65.192268371582],[-77.5095825195312,65.3204727172852],[-77.2918701171875,65.3695983886719],[-77.3855590820312,65.4680480957031],[-75.7699356079102,65.2176895141602],[-75.5332565307617,65.0995254516602],[-75.4262466430664,65.0460968017578],[-75.4303741455078,65.044319152832],[-75.6652755737305,64.9430313110352],[-75.373046875,64.7149963378906],[-75.3572235107422,64.8977661132812],[-75.5614547729492,64.8779678344727],[-75.1904067993164,65.1014404296875],[-75.3561782836914,65.0045013427734],[-75.513298034668,65.1363983154297],[-75.9433288574219,65.3195724487305],[-75.1866607666016,65.2519378662109],[-75.1049194335938,65.3884582519531],[-74.5244445800781,65.3333282470703],[-74.1827697753906,65.5252685546875],[-73.5005645751953,65.4744262695312],[-73.7099304199219,65.7620010375977],[-74.4708633422852,66.1348419189453],[-73.1086120605469,66.7233123779297],[-72.7991638183594,67.0402603149414],[-72.2793045043945,67.1640167236328],[-72.612434387207,67.7891464233398],[-72.9430770874023,67.9298400878906],[-72.9933242797852,68.2053985595703],[-73.4961090087891,68.2755432128906],[-73.211669921875,68.3769226074219],[-73.6284027099609,68.2471313476562],[-73.8537521362305,68.3444290161133],[-73.7609710693359,68.6858139038086],[-74.0941619873047,68.7199859619141],[-73.8848648071289,68.5574111938477],[-73.9902801513672,68.4927520751953],[-74.3852767944336,68.5442886352539],[-74.7272186279297,68.7337341308594],[-74.5480499267578,68.8260345458984],[-74.9158325195312,68.8092956542969],[-74.7222290039062,68.9341430664062],[-75.0379867553711,68.9276885986328],[-74.6450729370117,69.0143661499023],[-74.8304214477539,69.081169128418],[-75.1319427490234,68.8863830566406],[-75.4865188598633,69.0180511474609],[-76.5830612182617,68.6752624511719],[-76.6379165649414,69.0088043212891],[-75.9049987792969,69.0369262695312],[-75.6044387817383,69.0889434814453],[-75.6113891601562,69.2441482543945],[-76.6395874023438,69.5512313842773],[-76.1856231689453,69.6620712280273],[-77.1913146972656,69.6427307128906],[-76.7929153442383,69.7201232910156],[-77.305061340332,69.8339462280273],[-76.990104675293,69.9368515014648],[-77.6320877075195,69.7494277954102],[-77.6770095825195,70.184211730957],[-78.4034729003906,70.2133255004883],[-78.4312438964844,70.3494262695312],[-79.070556640625,70.4697113037109],[-78.7261047363281,70.5474853515625],[-79.0173645019531,70.6799850463867],[-79.179443359375,70.4258193969727],[-79.5892333984375,70.410888671875],[-78.9391632080078,70.3110961914062],[-78.6959762573242,69.9292831420898],[-79.6918029785156,69.8510971069336],[-81.7200012207031,70.1313705444336],[-80.7913818359375,69.7905426025391],[-80.9524993896484,69.7138824462891],[-81.7286376953125,69.9376449584961],[-82.1313095092773,69.7834548950195],[-83.0508346557617,70.0041580200195],[-85.8519439697266,70.0055541992188],[-86.5540237426758,70.2398452758789],[-86.35791015625,70.5211029052734],[-86.6448669433594,70.3217926025391],[-86.9963836669922,70.4674835205078],[-87.1836090087891,70.3940124511719],[-86.9811096191406,70.2831878662109],[-87.9218673706055,70.2431030273438],[-88.8975067138672,70.5327606201172],[-89.4468688964844,70.9054641723633],[-89.1945037841797,70.9658889770508],[-89.5497283935547,71.0885925292969],[-87.9688873291016,70.9285888671875],[-87.0052185058594,70.9926910400391],[-87.8280563354492,71.2597808837891],[-89.7038879394531,71.3158111572266],[-89.9830627441406,71.4469299316406],[-90.0024337768555,71.6347045898438],[-89.8083343505859,71.7477569580078],[-90.0266723632812,71.8927612304688],[-89.9970855712891,72.0667877197266],[-89.5789642333984,72.1668548583984],[-89.8957672119141,72.1891403198242],[-89.9104156494141,72.4272079467773],[-89.4720840454102,72.6692886352539],[-89.5720901489258,72.7860946655273],[-89.33056640625,72.7558288574219],[-89.3613891601562,72.9916534423828],[-89.0395812988281,73.2549896240234],[-88.0747222900391,73.6277618408203],[-87.0494384765625,73.8083190917969],[-84.8402786254883,73.7387313842773],[-85.9302825927734,73.3552551269531],[-86.7327728271484,72.7160949707031],[-86.2613906860352,72.4499816894531],[-86.433464050293,72.0466537475586],[-86.1327667236328,71.7958221435547],[-84.8368759155273,71.2810592651367],[-86.7577819824219,70.9766540527344],[-84.9529113769531,71.1878890991211],[-84.8744354248047,71.071662902832],[-85.1445922851562,71.0845718383789],[-84.8052062988281,70.9217910766602],[-84.755973815918,71.4116516113281],[-84.526252746582,71.4735946655273],[-84.6345825195312,71.6691513061523],[-85.2855529785156,71.6704025268555],[-86.0491638183594,72.0124969482422],[-85.5023574829102,72.0734634399414],[-85.497428894043,72.2547149658203],[-85.0212554931641,72.2504119873047],[-84.1745758056641,71.9368515014648],[-84.9342956542969,72.2869262695312],[-84.4368743896484,72.3778305053711],[-85.1447296142578,72.3594207763672],[-85.7047958374023,72.6381149291992],[-85.6850662231445,72.8972778320312],[-85.490837097168,72.9741516113281],[-83.955696105957,72.7506103515625],[-84.8702697753906,72.9421997070312],[-85.536247253418,73.0251235961914],[-85.401252746582,73.1359634399414],[-83.6379165649414,72.9856719970703],[-85.1380615234375,73.2044372558594],[-85.0172271728516,73.3483276367188],[-84.3494415283203,73.2261581420898],[-84.6538848876953,73.3895721435547],[-84.17138671875,73.4752655029297],[-83.6072235107422,73.2967910766602],[-83.6581954956055,73.4474792480469],[-83.991455078125,73.5049514770508],[-83.7408294677734,73.5677642822266],[-82.8208465576172,73.7335968017578],[-81.5452728271484,73.7155456542969],[-81.2241668701172,73.5284576416016],[-81.2070846557617,73.2697143554688],[-80.5963897705078,73.1480407714844],[-80.6415252685547,72.9306716918945],[-80.2527770996094,72.7274856567383],[-81.3723602294922,72.2416534423828],[-80.5209808349609,72.5059585571289],[-80.5141754150391,72.3796997070312],[-80.9012603759766,72.1874847412109],[-80.5742416381836,72.0706100463867],[-81.0826416015625,72.0488662719727],[-80.7934646606445,72.0251312255859],[-80.9777755737305,71.8885345458984],[-80.385009765625,72.0483245849609],[-80.4799270629883,72.1767501831055],[-80.2665328979492,72.2926254272461],[-79.6855850219727,72.1344680786133],[-80.1595840454102,72.3242874145508],[-79.7991638183594,72.5013885498047],[-79.5955505371094,72.334716796875],[-79.7413864135742,72.2138748168945],[-79.345832824707,72.3989486694336],[-79.0127868652344,72.2738800048828],[-79.1966705322266,71.9601287841797],[-78.5130615234375,71.8678970336914],[-78.9192352294922,72.0127639770508],[-78.8583984375,72.1703262329102],[-78.2940216064453,71.9252166748047],[-77.7855529785156,71.7874908447266],[-78.104377746582,71.971794128418],[-78.8699951171875,72.2281799316406],[-78.6100006103516,72.3592834472656],[-78.4151382446289,72.1686019897461],[-78.4083404541016,72.3258209228516],[-77.0066299438477,72.1292114257812],[-78.5601348876953,72.4415054321289],[-78.163330078125,72.6552658081055],[-77.0558166503906,72.7528610229492],[-76.1147155761719,72.4756774902344],[-75.9319458007812,72.5836029052734],[-75.2234802246094,72.4990158081055],[-74.9461059570312,72.2597122192383],[-76.0547180175781,72.0730438232422],[-76.3108215332031,71.8847198486328],[-75.7966613769531,72.1035919189453],[-75.2258987426758,72.0746688842773],[-76.0920181274414,71.6963653564453],[-75.0436096191406,72.1238632202148],[-74.177490234375,72.0319366455078],[-74.2365264892578,71.820686340332],[-75.3902130126953,71.6769180297852],[-74.9402694702148,71.6642150878906],[-75.4025039672852,71.52001953125],[-74.6313858032227,71.6560287475586],[-75.1162414550781,71.4977645874023],[-74.705207824707,71.3835220336914],[-75.0813903808594,71.1794281005859],[-74.6459808349609,71.3753967285156],[-74.7190322875977,71.5442886352539],[-74.1469573974609,71.7388763427734],[-74.1626052856445,71.5391464233398],[-73.9283294677734,71.7691497802734],[-73.5924301147461,71.7526245117188],[-74.307487487793,71.4141159057617],[-74.037223815918,71.4392852783203],[-74.231559753418,71.2041091918945],[-73.6308288574219,71.5848541259766],[-73.6287536621094,71.3580322265625],[-73.383544921875,71.3877639770508],[-73.8859710693359,71.0594940185547],[-73.3208465576172,71.3408203125],[-73.0573577880859,71.2664489746094],[-73.2690277099609,71.2227630615234],[-73.3737411499023,70.9831771850586],[-72.5736083984375,71.6554718017578],[-71.4475631713867,71.4695663452148],[-71.1477813720703,71.2419281005859],[-72.6538925170898,70.8243026733398],[-72.1706924438477,70.8379058837891],[-72.5516662597656,70.6080322265625],[-70.6355590820312,71.0722198486328],[-70.5153503417969,70.9253997802734],[-70.7438888549805,70.7501220703125],[-71.5586090087891,70.6094207763672],[-71.8030548095703,70.4283142089844],[-71.8069458007812,70.2958221435547],[-71.5054168701172,70.5744323730469],[-71.1730499267578,70.532341003418],[-71.4936065673828,70.050537109375],[-71.0015335083008,70.6213684082031],[-69.9072875976562,70.8799057006836],[-69.7746505737305,70.8572006225586],[-69.9155578613281,70.7491455078125],[-70.4754791259766,70.6133117675781],[-70.4502716064453,70.4763717651367],[-69.460563659668,70.7912368774414],[-68.3197250366211,70.5648498535156],[-68.4520111083984,70.3753280639648],[-68.5736083984375,70.4654083251953],[-68.7355499267578,70.3177642822266],[-69.6680603027344,70.1985931396484],[-70.1813812255859,70.0288772583008],[-69.8158264160156,69.989013671875],[-70.4658355712891,69.8434600830078],[-69.7772216796875,69.9636077880859],[-69.6533355712891,70.1449890136719],[-68.6836776733398,70.2029037475586],[-69.2721786499023,69.8945541381836],[-69.3980560302734,69.8285980224609],[-69.6297073364258,69.8237075805664],[-69.8058319091797,69.8199920654297],[-69.9905548095703,69.614990234375],[-69.756462097168,69.7985916137695],[-69.4056625366211,69.7720031738281],[-68.2213897705078,70.1027679443359],[-68.3480529785156,70.1742172241211],[-68.1600036621094,70.2827606201172],[-67.801383972168,70.2606887817383],[-67.2198638916016,69.9408111572266],[-67.1277770996094,69.7269287109375],[-68.0045852661133,69.7731781005859],[-68.318962097168,69.6308212280273],[-70.0288925170898,69.5326232910156],[-68.6119384765625,69.5874938964844],[-66.790412902832,69.3391494750977],[-66.648063659668,69.2306823730469],[-66.7602157592773,69.1289367675781],[-68.2096786499023,69.3105392456055],[-69.2030639648438,69.3030395507812],[-68.1658325195312,69.2679061889648],[-68.4650573730469,69.2504425048828],[-68.9677734375,69.2210998535156],[-68.5091705322266,69.1972045898438],[-68.998046875,69.1035919189453],[-69.0227737426758,68.9705429077148],[-68.3813781738281,69.1752624511719],[-67.7188873291016,69.0261001586914],[-68.5471496582031,68.9756088256836],[-67.9869384765625,68.8544311523438],[-69.3619384765625,68.8741455078125],[-68.047492980957,68.6794967651367],[-68.8977737426758,68.6052627563477],[-67.5325012207031,68.5497055053711],[-67.6033325195312,68.3788604736328],[-67.4261016845703,68.4944305419922],[-66.7023620605469,68.4363708496094],[-67.8715896606445,68.2622146606445],[-67.0780639648438,68.3311004638672],[-67.5986175537109,68.1638793945312],[-67.003059387207,68.2928314208984],[-66.7761840820312,68.2419204711914],[-66.9466552734375,68.0136108398438],[-66.6808242797852,68.1401290893555],[-66.73388671875,67.9820709228516],[-66.6102752685547,68.1345672607422],[-66.3180541992188,68.1238021850586],[-66.4657287597656,68.0801620483398],[-66.1880493164062,68.0139465332031],[-66.7352066040039,67.8760528564453],[-66.4013977050781,67.8110961914062],[-65.9256896972656,68.1600494384766],[-66.0020141601562,67.6287994384766],[-65.8172225952148,67.9643630981445],[-65.4441604614258,67.9890060424805],[-65.6082229614258,67.7904739379883],[-65.3463897705078,67.5933227539062],[-65.5509719848633,67.780891418457],[-65.4236145019531,67.8980407714844],[-65.0011138916016,68.0555419921875],[-64.7261810302734,67.9888305664062],[-65.2037582397461,67.651237487793],[-64.5069580078125,67.8072052001953],[-64.4027099609375,67.7102890014648]],"Canada"], ["Country","CA125",[[-130.015075683594,55.9091796875],[-130.088592529297,56.118049621582],[-131.824371337891,56.5983963012695],[-131.861724853516,56.7958297729492],[-132.103057861328,56.8666610717773],[-132.027496337891,57.0363845825195],[-132.324234008789,57.0891571044922],[-132.226654052734,57.2047119140625],[-133.429992675781,58.4591598510742],[-134.951934814453,59.2799911499023],[-135.091674804688,59.4269409179688],[-135.014465332031,59.567497253418],[-135.473602294922,59.8019332885742],[-136.345123291016,59.6016616821289],[-136.23388671875,59.5258255004883],[-136.463623046875,59.4697113037109],[-136.583892822266,59.1633224487305],[-136.809463500977,59.1667175292969],[-137.471801757812,58.9066543579102],[-137.5908203125,59.2386016845703],[-139.161407470703,60.0702743530273],[-139.066879272461,60.3447151184082],[-139.979431152344,60.1877670288086],[-140.995544433594,60.3072128295898],[-141.002990722656,69.6423645019531],[-139.14306640625,69.5108184814453],[-137.255004882812,68.9483184814453],[-135.160003662109,68.6572113037109],[-135.617553710938,68.8865814208984],[-134.810287475586,68.9244232177734],[-134.282775878906,68.6813659667969],[-134.222427368164,68.6980285644531],[-134.626846313477,69.0107574462891],[-134.158340454102,69.2567977905273],[-133.073059082031,69.4349822998047],[-132.893890380859,69.6538696289062],[-132.372772216797,69.6469421386719],[-132.53596496582,69.7403945922852],[-132.14697265625,69.6852569580078],[-131.417007446289,69.9540176391602],[-131.190689086914,69.8248519897461],[-130.930297851562,70.0830535888672],[-130.548614501953,70.1667938232422],[-129.969299316406,70.0705490112305],[-129.682647705078,70.2654800415039],[-129.407470703125,70.1031799316406],[-129.497497558594,70.0205383300781],[-130.923889160156,69.5652618408203],[-131.053070068359,69.637336730957],[-132.001815795898,69.5292892456055],[-132.116638183594,69.3572082519531],[-132.739440917969,69.2608184814453],[-132.9052734375,69.0427551269531],[-133.484710693359,68.8502655029297],[-132.918334960938,68.6902618408203],[-133.354156494141,68.8322143554688],[-132.478256225586,68.8046340942383],[-132.772811889648,68.8596878051758],[-132.868103027344,69.0640106201172],[-132.313339233398,69.2342910766602],[-132.222503662109,69.1416625976562],[-131.796249389648,69.3230438232422],[-131.964508056641,69.3999176025391],[-131.599426269531,69.4720687866211],[-131.432693481445,69.4330673217773],[-131.499420166016,69.3324890136719],[-131.264450073242,69.5013809204102],[-131.329986572266,69.3183288574219],[-131.16650390625,69.4049301147461],[-131.216995239258,69.5554885864258],[-131.225463867188,69.5807189941406],[-131.214874267578,69.5555572509766],[-131.134582519531,69.364631652832],[-131.101028442383,69.5593566894531],[-131.092834472656,69.6069259643555],[-131.095001220703,69.5595550537109],[-131.105682373047,69.3264083862305],[-130.946548461914,69.5348815917969],[-130.937225341797,69.1344299316406],[-130.747772216797,69.4491424560547],[-130.364288330078,69.6801223754883],[-128.940826416016,69.9697799682617],[-128.940551757812,69.8430404663086],[-129.164672851562,69.8294296264648],[-129.151382446289,69.700813293457],[-128.925018310547,69.6808166503906],[-128.317352294922,69.9533233642578],[-128.343048095703,70.1169281005859],[-127.516250610352,70.2235946655273],[-128.197769165039,70.3972091674805],[-128.001800537109,70.5895690917969],[-127.180961608887,70.2763824462891],[-126.261665344238,69.5324172973633],[-125.420837402344,69.3125991821289],[-125.089447021484,69.44970703125],[-125.617012023926,69.4206695556641],[-125.132423400879,69.4882278442383],[-125.36353302002,69.6892776489258],[-124.825836181641,69.7170715332031],[-125.276397705078,69.8082427978516],[-124.795272827148,70.0088806152344],[-125.197555541992,70.0026702880859],[-124.453384399414,70.0378723144531],[-124.69596862793,70.1470718383789],[-124.358612060547,70.068603515625],[-124.496734619141,69.7238006591797],[-124.040832519531,69.7013854980469],[-124.446662902832,69.3672027587891],[-123.471946716309,69.3824844360352],[-123.165969848633,69.4983215332031],[-122.961044311523,69.8320007324219],[-121.052955627441,69.6668167114258],[-120.231666564941,69.3916625976562],[-117.14527130127,68.8855438232422],[-115.960006713867,68.8047027587891],[-116.319717407227,68.9563064575195],[-115.83332824707,68.9924774169922],[-114.984024047852,68.860954284668],[-114.114158630371,68.5134582519531],[-114.021041870117,68.244010925293],[-115.232292175293,68.1817169189453],[-115.120994567871,68.0151901245117],[-115.535827636719,67.9209518432617],[-115.108612060547,67.7976226806641],[-112.395843505859,67.6791534423828],[-111.012084960938,67.76416015625],[-110.077369689941,68.0055541992188],[-109.731513977051,67.7185974121094],[-109.062774658203,67.7120742797852],[-108.828063964844,67.3515090942383],[-108.662773132324,67.6284484863281],[-108.492630004883,67.3572692871094],[-108.384094238281,67.4443511962891],[-108.020561218262,67.2947082519531],[-107.877906799316,67.0505447387695],[-108.621246337891,67.1519317626953],[-107.25415802002,66.3515167236328],[-107.746658325195,66.9227600097656],[-107.643478393555,67.0749893188477],[-107.487358093262,66.9210205078125],[-107.667922973633,66.9385375976562],[-107.567359924316,66.8356857299805],[-107.42041015625,66.8066482543945],[-107.414024353027,66.9720687866211],[-107.089172363281,66.8194351196289],[-107.648620605469,67.3599853515625],[-107.578407287598,67.4862670898438],[-107.996459960938,67.6958160400391],[-107.658332824707,67.9404602050781],[-107.887916564941,68.0849914550781],[-107.355827331543,68.0477676391602],[-106.620964050293,68.2473373413086],[-106.426666259766,68.1545715332031],[-106.459373474121,68.337760925293],[-105.745697021484,68.4141540527344],[-105.651802062988,68.636100769043],[-106.543876647949,68.5119323730469],[-106.564437866211,68.2905349731445],[-106.787559509277,68.4105377197266],[-107.254028320312,68.2617263793945],[-107.822280883789,68.3410263061523],[-107.604370117188,68.1724090576172],[-108.370269775391,68.1127624511719],[-108.399032592773,68.2920608520508],[-108.815971374512,68.2660980224609],[-108.345283508301,68.6019287109375],[-106.208061218262,68.9409484863281],[-105.480201721191,68.7238006591797],[-105.380828857422,68.4866485595703],[-105.525421142578,68.4073486328125],[-104.884742736816,68.3397064208984],[-104.932632446289,68.2345657348633],[-104.603897094727,68.2343521118164],[-104.50048828125,68.0333862304688],[-103.421661376953,68.1666564941406],[-103.367630004883,68.0083236694336],[-102.251106262207,67.7252655029297],[-100.395553588867,67.8474884033203],[-98.9869384765625,67.7183227539062],[-98.3597869873047,67.7958831787109],[-98.7219467163086,67.9512329101562],[-98.6155548095703,68.07470703125],[-97.5690307617188,67.5976257324219],[-97.1389007568359,67.6741485595703],[-97.2472305297852,67.9277572631836],[-97.6830596923828,68.0186004638672],[-98.0638885498047,67.8291625976562],[-98.7102127075195,68.3619995117188],[-97.7459716796875,68.3676147460938],[-97.996940612793,68.5381774902344],[-97.2827758789062,68.4741516113281],[-96.9391632080078,68.2397003173828],[-96.4073638916016,68.3134536743164],[-96.7811126708984,68.0155487060547],[-95.9802856445312,68.2547149658203],[-96.1747131347656,67.6430511474609],[-96.4548645019531,67.4745635986328],[-96.1106185913086,67.4667892456055],[-96.24951171875,67.2490844726562],[-96.1222152709961,67.2149887084961],[-95.5713882446289,67.3784561157227],[-95.8271560668945,67.1665802001953],[-95.435546875,67.1938629150391],[-95.3402786254883,66.9826202392578],[-96.4555511474609,67.0641479492188],[-95.7413787841797,66.6380462646484],[-95.6590270996094,66.7299118041992],[-96.0669555664062,66.9363708496094],[-95.224723815918,66.9779663085938],[-95.3493041992188,67.1511001586914],[-95.1680450439453,67.2829666137695],[-95.334587097168,67.3460998535156],[-95.3247222900391,67.5292892456055],[-95.7063903808594,67.7294921875],[-95.470344543457,68.0594253540039],[-94.7165298461914,68.0587921142578],[-93.5533294677734,68.5863800048828],[-93.7052764892578,68.6572113037109],[-93.5692367553711,68.83935546875],[-93.6669464111328,68.9722137451172],[-93.9255523681641,68.9747009277344],[-94.0754241943359,68.8455429077148],[-93.8168716430664,68.8861694335938],[-94.0933303833008,68.7588806152344],[-94.625,68.7613830566406],[-94.5990982055664,68.9618606567383],[-94.0726470947266,69.1358184814453],[-94.3229827880859,69.1529006958008],[-94.2879180908203,69.3163757324219],[-93.5332641601562,69.4317779541016],[-93.848747253418,69.1696395874023],[-93.3675689697266,69.3739318847656],[-93.5627746582031,69.3758163452148],[-93.4877777099609,69.5027770996094],[-94.2791748046875,69.4402618408203],[-94.6294403076172,69.6830444335938],[-94.8547210693359,69.5662384033203],[-95.9681930541992,69.7799911499023],[-96.5284805297852,70.1269226074219],[-96.5563201904297,70.3146362304688],[-96.2327728271484,70.5621948242188],[-95.8002014160156,70.5341796875],[-96.0549240112305,70.6058883666992],[-95.8166656494141,70.7097091674805],[-96.2027893066406,70.6216430664062],[-96.60791015625,70.7912368774414],[-96.3717269897461,71.0927581787109],[-96.5452728271484,71.1165084838867],[-96.5004196166992,71.2788696289062],[-96.0370864868164,71.4179000854492],[-95.6588897705078,71.2855377197266],[-95.4533386230469,71.3717803955078],[-95.9004211425781,71.6062316894531],[-94.6136779785156,71.863037109375],[-95.2161102294922,71.9441452026367],[-94.5380096435547,71.9831085205078],[-94.4933242797852,71.9856796264648],[-94.4927062988281,71.982536315918],[-94.4663925170898,71.8483200073242],[-94.6441650390625,71.8183288574219],[-94.3608932495117,71.7984466552734],[-94.4171524047852,71.6623458862305],[-93.7094497680664,71.758186340332],[-93.8095855712891,71.6485977172852],[-92.9835357666016,71.3468551635742],[-92.8544464111328,71.1513824462891],[-92.9824981689453,70.8255462646484],[-92.2036056518555,70.6084518432617],[-91.9502792358398,70.2588806152344],[-91.7334671020508,70.3577651977539],[-91.5134811401367,70.1563034057617],[-92.2683410644531,70.2088775634766],[-92.4412536621094,70.0733261108398],[-91.9431838989258,70.0180435180664],[-92.9188842773438,69.6769943237305],[-92.3408355712891,69.6941375732422],[-91.8022918701172,69.504150390625],[-91.1954116821289,69.6545639038086],[-91.5624237060547,69.5173110961914],[-90.3134002685547,69.448112487793],[-90.7025680541992,69.4511642456055],[-90.5884017944336,69.4147033691406],[-90.8011093139648,69.3513946533203],[-90.9038848876953,69.2463684082031],[-91.4337463378906,69.349494934082],[-90.4363861083984,68.8744201660156],[-90.6044006347656,68.4495697021484],[-90.2327728271484,68.2302703857422],[-89.7291717529297,68.6991424560547],[-89.7119445800781,69.0104064941406],[-89.3144454956055,69.2492980957031],[-88.2031936645508,68.9091491699219],[-87.9680557250977,68.7633209228516],[-87.7922210693359,68.3344268798828],[-87.9352722167969,68.1972045898438],[-88.2219390869141,68.3655395507812],[-88.3891677856445,68.2887344360352],[-88.3712463378906,67.9628295898438],[-88.1322250366211,67.6599884033203],[-87.3591613769531,67.2535247802734],[-87.5104217529297,67.114631652832],[-86.9669418334961,67.2490768432617],[-87.0871505737305,67.3468627929688],[-86.8744354248047,67.4049835205078],[-86.5293807983398,67.3502578735352],[-86.5233383178711,67.676643371582],[-85.8950042724609,68.0512313842773],[-85.6364593505859,68.7396392822266],[-84.7713928222656,68.7422027587891],[-85.1630554199219,68.8391571044922],[-85.0037612915039,68.8799743652344],[-85.1274642944336,68.9449462890625],[-84.5343017578125,69.0148544311523],[-85.3377838134766,69.1938629150391],[-85.54736328125,69.6497116088867],[-85.346809387207,69.8152618408203],[-85.5549926757812,69.8597030639648],[-82.259033203125,69.6372146606445],[-82.6538848876953,69.6230316162109],[-82.4885406494141,69.497688293457],[-83.2280578613281,69.5385894775391],[-82.228889465332,69.3940887451172],[-82.2730560302734,69.2374877929688],[-81.3357009887695,69.1849822998047],[-82.0497894287109,68.8771362304688],[-81.3827667236328,68.8666534423828],[-81.259033203125,68.6417922973633],[-81.9644470214844,68.4222030639648],[-82.6325073242188,68.5009536743164],[-82.2643051147461,68.2795715332031],[-82.3144378662109,68.1466522216797],[-81.9892349243164,68.2040863037109],[-82.1747207641602,67.9999847412109],[-82.099723815918,67.9048461914062],[-81.2383346557617,67.438591003418],[-81.5022201538086,67.0009613037109],[-81.9297180175781,66.9785919189453],[-82.5810775756836,66.5764770507812],[-83.3629150390625,66.350959777832],[-83.9750671386719,66.5822067260742],[-83.9120864868164,66.8788681030273],[-84.2666702270508,66.7174911499023],[-84.4363861083984,66.8183288574219],[-84.3768005371094,66.9665145874023],[-84.931526184082,67.0577545166016],[-84.6456985473633,66.9792251586914],[-85.2270812988281,66.8746948242188],[-84.6022186279297,66.9358062744141],[-84.7463836669922,66.8974914550781],[-84.5125045776367,66.8270721435547],[-84.6577758789062,66.8258209228516],[-84.1487579345703,66.6835861206055],[-83.6845092773438,66.2076187133789],[-83.7897186279297,66.1633148193359],[-84.5146560668945,66.4033203125],[-84.6309051513672,66.3316497802734],[-84.3736038208008,66.163459777832],[-85.2212524414062,66.2633209228516],[-85.4858322143555,66.581657409668],[-86.757926940918,66.5284576416016],[-86.6450042724609,66.319709777832],[-85.8972625732422,66.1680221557617],[-87.0352783203125,65.4791564941406],[-87.3592300415039,65.3254013061523],[-87.9666595458984,65.3330535888672],[-88.8293075561523,65.6427612304688],[-88.5133361816406,65.6444396972656],[-89.6681900024414,65.9372024536133],[-89.9955520629883,65.945915222168],[-89.7933349609375,65.8224945068359],[-91.4291687011719,65.9510955810547],[-89.9600067138672,65.7888793945312],[-89.0574951171875,65.3306884765625],[-87.0750122070312,65.2366485595703],[-86.9706878662109,65.055534362793],[-88.1183242797852,64.1348571777344],[-88.7366638183594,63.9683227539062],[-89.2503433227539,64.1574783325195],[-89.0355529785156,63.9465866088867],[-89.5554046630859,64.0744323730469],[-89.4855499267578,63.9422149658203],[-89.8209762573242,64.1058120727539],[-89.7891616821289,64.2433166503906],[-90.1178436279297,64.1259460449219],[-89.8136138916016,63.9420738220215],[-90.272087097168,64.0015869140625],[-89.9674377441406,63.8142280578613],[-90.2363891601562,63.6072158813477],[-92.1423721313477,63.7467956542969],[-93.7727127075195,64.1902542114258],[-93.6041717529297,64.04443359375],[-93.7705535888672,63.9577713012695],[-93.5265274047852,63.8410987854004],[-93.223747253418,63.8443641662598],[-93.3899993896484,63.9716567993164],[-92.1037445068359,63.6979789733887],[-92.4808349609375,63.527214050293],[-91.7697219848633,63.7145767211914],[-90.8547210693359,63.4085998535156],[-90.6274871826172,63.0594329833984],[-91.3615188598633,62.7880516052246],[-92.4468002319336,62.8191604614258],[-91.8827667236328,62.6241607666016],[-92.7100067138672,62.4658279418945],[-92.4823226928711,62.1547050476074],[-93.1222229003906,62.3349914550781],[-92.7943420410156,62.175163269043],[-93.412223815918,62.0284652709961],[-93.2233352661133,61.9558258056641],[-93.304443359375,61.8847160339355],[-93.6161041259766,61.9399871826172],[-93.2555694580078,61.7424926757812],[-93.9850006103516,61.4551315307617],[-93.8193054199219,61.3525619506836],[-94.6733245849609,60.5224914550781],[-94.8004302978516,59.9995651245117],[-94.6805572509766,59.3572158813477],[-94.7897186279297,59.0922164916992],[-94.4161071777344,58.7152709960938],[-94.2288818359375,58.7849960327148],[-94.3633270263672,58.218879699707],[-94.1438903808594,58.7636108398438],[-93.1538925170898,58.7390213012695],[-92.4187469482422,57.3327026367188],[-92.8683319091797,56.9066543579102],[-90.8247222900391,57.2565231323242],[-88.8150024414062,56.8244400024414],[-87.9791641235352,56.4395751953125],[-87.5486145019531,56.0499954223633],[-85.7319412231445,55.636173248291],[-85.1302032470703,55.3452682495117],[-85.4199676513672,54.9990882873535],[-85.001953125,55.2966613769531],[-82.3077697753906,55.1488800048828],[-82.2211151123047,54.7874984741211],[-82.4416656494141,54.3308258056641],[-82.1319427490234,53.8177719116211],[-82.114860534668,53.2924957275391],[-82.2966613769531,53.0186004638672],[-81.5533981323242,52.4488792419434],[-81.8788909912109,52.1879081726074],[-81.4726333618164,52.2209625244141],[-80.6127777099609,51.7283248901367],[-80.4309692382812,51.3561744689941],[-81.0091705322266,51.0334663391113],[-80.3716583251953,51.3366546630859],[-79.7369384765625,51.1194343566895],[-79.3459396362305,50.7349548339844],[-79.537353515625,50.9837646484375],[-79.7440185546875,51.2115211486816],[-79.3538818359375,51.6560974121094],[-79.0224990844727,51.4748497009277],[-78.8447265625,51.1636047363281],[-78.7940292358398,51.6062431335449],[-79.0331954956055,51.7731857299805],[-78.5794525146484,52.1113815307617],[-78.5070953369141,52.4574928283691],[-78.7608413696289,52.5683975219727],[-78.7383270263672,52.8722152709961],[-78.8813858032227,52.8998565673828],[-78.895149230957,53.2624969482422],[-79.1073532104492,53.5024948120117],[-78.918815612793,53.5628356933594],[-79.1484069824219,53.7047157287598],[-78.9093704223633,53.8217277526855],[-79.1036071777344,53.9036026000977],[-78.9679260253906,54.0064353942871],[-79.1194458007812,54.0786056518555],[-79.0505523681641,54.1810340881348],[-79.3452758789062,54.1994323730469],[-79.5249328613281,54.5901260375977],[-79.7618103027344,54.6516571044922],[-77.7486114501953,55.3008270263672],[-76.6797866821289,56.036449432373],[-76.5188903808594,56.4060974121094],[-76.5644378662109,57.2072143554688],[-76.9230499267578,57.7861099243164],[-77.4608383178711,58.1998519897461],[-78.5729904174805,58.6288795471191],[-78.4684753417969,58.698600769043],[-78.5640258789062,58.9631156921387],[-78.3383331298828,58.9127655029297],[-77.6797180175781,59.3992958068848],[-77.9097900390625,59.411865234375],[-77.7213897705078,59.5397186279297],[-77.7677841186523,59.7098541259766],[-77.3163223266602,59.5661735534668],[-77.5376434326172,59.7517967224121],[-77.3004837036133,59.7977714538574],[-77.427490234375,59.9147109985352],[-76.7588958740234,60.1591567993164],[-77.5922241210938,60.0641555786133],[-77.4719467163086,60.2151298522949],[-77.738883972168,60.4262428283691],[-77.4300308227539,60.5479431152344],[-77.8291702270508,60.6424217224121],[-77.518928527832,60.8328399658203],[-78.1799240112305,60.7879447937012],[-77.7016754150391,61.2174911499023],[-77.7611236572266,61.410270690918],[-77.4771499633789,61.5415229797363],[-77.9977798461914,61.7215194702148],[-78.1532669067383,62.2800636291504],[-77.3549957275391,62.5580444335938],[-75.7097320556641,62.29638671875],[-75.8889541625977,62.1615180969238],[-75.3147201538086,62.3106880187988],[-74.5716705322266,62.1030502319336],[-74.7216644287109,62.2463836669922],[-73.683464050293,62.4799880981445],[-72.621940612793,62.1120758056641],[-72.7247161865234,61.8452682495117],[-72.2033386230469,61.8618011474609],[-72.0106582641602,61.675853729248],[-71.9288787841797,61.7058258056641],[-71.6297149658203,61.5486068725586],[-71.8801727294922,61.4265174865723],[-71.3899993896484,61.1377716064453],[-70.1484756469727,61.0845756530762],[-69.927490234375,60.8077697753906],[-69.6543045043945,60.8802719116211],[-69.6065216064453,61.0805511474609],[-69.3680572509766,60.9030456542969],[-69.8197250366211,60.5260314941406],[-69.6308288574219,60.0663833618164],[-70.9458312988281,60.0630493164062],[-69.7229156494141,59.9616622924805],[-69.6005554199219,59.8330535888672],[-69.5408325195312,59.6711044311523],[-69.7538909912109,59.5019378662109],[-69.6315231323242,59.3763809204102],[-69.7460708618164,59.3113784790039],[-69.2380523681641,59.2317924499512],[-69.5373611450195,59.1706848144531],[-69.3495788574219,59.1011009216309],[-69.5524978637695,58.8058242797852],[-69.863883972168,59.0509643554688],[-69.8158264160156,58.8238830566406],[-70.15625,58.7692985534668],[-69.8159713745117,58.5888786315918],[-69.2791748046875,58.8880462646484],[-68.3586044311523,58.7701301574707],[-68.2040328979492,58.442211151123],[-68.3466644287109,58.1261711120605],[-69.3636474609375,57.7677688598633],[-68.4105606079102,58.0370788574219],[-68.0082015991211,58.5749969482422],[-67.8618011474609,58.3254089355469],[-68.1181488037109,58.0759658813477],[-67.7238922119141,58.4588851928711],[-67.7138977050781,57.9230499267578],[-67.5661010742188,58.2236022949219],[-66.6297149658203,58.5036087036133],[-66.3886108398438,58.8505477905273],[-65.9390182495117,58.6113128662109],[-66.0588836669922,58.3202743530273],[-65.8799896240234,58.6272125244141],[-66.1026382446289,58.7723541259766],[-65.7960662841797,58.8608245849609],[-65.9886016845703,58.9036026000977],[-65.3274688720703,59.0463829040527],[-65.7165374755859,59.1506881713867],[-65.5690307617188,59.3767242431641],[-65.3640213012695,59.2784957885742],[-65.5495758056641,59.4881134033203],[-64.9894332885742,59.3744354248047],[-65.4158325195312,59.5131874084473],[-65.5277862548828,59.7169342041016],[-65.3287582397461,59.846378326416],[-64.9897537231445,59.764232635498],[-65.2238159179688,59.8858947753906],[-64.8447875976562,60.3611373901367],[-64.3769378662109,60.1605453491211],[-64.8140258789062,59.9811019897461],[-64.3961791992188,60.1206169128418],[-64.5048980712891,59.8982543945312],[-64.1655502319336,60.0215225219727],[-64.2580642700195,59.7606887817383],[-64.0577697753906,59.6252670288086],[-64.116943359375,59.5174942016602],[-63.8708305358887,59.6129112243652],[-63.7852783203125,59.4261016845703],[-64.0604782104492,59.3859634399414],[-63.3596534729004,59.1993637084961],[-64.0440216064453,59.0181884765625],[-63.1280517578125,59.0461730957031],[-63.3326377868652,59.0241584777832],[-63.1618041992188,58.9233283996582],[-63.3159713745117,58.8557586669922],[-63.033332824707,58.8738784790039],[-62.8463859558105,58.6877670288086],[-63.5810089111328,58.3017272949219],[-63.2416687011719,58.4663848876953],[-62.5569458007812,58.4802665710449],[-62.8280563354492,58.2522201538086],[-62.6349983215332,58.1836013793945],[-63.3352813720703,57.9801292419434],[-62.4506225585938,58.1684951782227],[-62.502571105957,58.0578384399414],[-62.3104858398438,58.0378379821777],[-62.6686096191406,57.9292984008789],[-62.1218032836914,57.9652709960938],[-61.8848609924316,57.6331176757812],[-62.5269432067871,57.4886054992676],[-61.8913879394531,57.4119338989258],[-61.8026390075684,57.3624954223633],[-62.0133361816406,57.2475280761719],[-61.3611145019531,57.0923538208008],[-61.668888092041,56.8061027526855],[-61.9039573669434,56.7930488586426],[-61.6852760314941,56.6182518005371],[-62.3530387878418,56.7579536437988],[-62.0052795410156,56.6169357299805],[-62.2320785522461,56.615406036377],[-61.6572494506836,56.5257530212402],[-62.1368064880371,56.4508247375488],[-61.6764297485352,56.2686042785645],[-62.0778465270996,56.2918701171875],[-61.3481941223145,56.2202682495117],[-61.4504852294922,56.0563125610352],[-61.240348815918,56.0439529418945],[-61.4997253417969,56.0130500793457],[-60.7588920593262,55.8504104614258],[-60.879997253418,55.7409629821777],[-60.6195831298828,55.8234672546387],[-60.661808013916,55.5869331359863],[-60.5087547302246,55.7983283996582],[-60.3327751159668,55.7813110351562],[-60.5300483703613,55.5969047546387],[-60.317985534668,55.5731887817383],[-60.4783325195312,55.3474884033203],[-60.1955490112305,55.4313812255859],[-60.6833267211914,54.9949951171875],[-60.1761093139648,55.2708282470703],[-60.0747756958008,55.2469367980957],[-60.2898979187012,55.0272483825684],[-59.7776374816895,55.3294410705566],[-59.7351341247559,55.1970024108887],[-59.9658355712891,55.1147155761719],[-59.4318733215332,55.135440826416],[-59.9143028259277,54.7411041259766],[-59.1563835144043,55.2338790893555],[-59.3836097717285,54.981201171875],[-59.0335426330566,55.155891418457],[-58.904167175293,54.8447113037109],[-58.0013961791992,54.7333297729492],[-57.4490928649902,54.648811340332],[-57.3899993896484,54.500617980957],[-57.6977081298828,54.4652671813965],[-57.5233306884766,54.4172134399414],[-59.5815963745117,54.0429801940918],[-58.4497222900391,54.1544342041016],[-60.0827789306641,53.7624969482422],[-60.1361122131348,53.5284652709961],[-60.8802795410156,53.7130508422852],[-60.1036148071289,53.5005493164062],[-60.4090919494629,53.3514518737793],[-60.1336135864258,53.2836074829102],[-59.790454864502,53.4822807312012],[-59.8979187011719,53.5223541259766],[-59.0769500732422,53.6818008422852],[-58.8702774047852,53.9047088623047],[-57.7969436645508,54.0750923156738],[-58.3555603027344,54.2063827514648],[-57.428337097168,54.1824951171875],[-57.0803108215332,53.8234672546387],[-57.5355033874512,53.5985145568848],[-57.3151397705078,53.5766639709473],[-57.3380546569824,53.4473533630371],[-57.0147247314453,53.7113800048828],[-56.4741516113281,53.7823829650879],[-56.6712493896484,53.6763801574707],[-56.0293045043945,53.5758285522461],[-56.2595863342285,53.5475959777832],[-55.8080520629883,53.3405456542969],[-55.7513198852539,53.1383285522461],[-56.1645812988281,53.030200958252],[-55.8341674804688,52.9219360351562],[-56.0608291625977,52.7661056518555],[-55.7634773254395,52.6112442016602],[-56.4877395629883,52.5942916870117],[-55.6455879211426,52.4328727722168],[-56.1898574829102,52.4369697570801],[-55.7072219848633,52.2483291625977],[-55.6993064880371,52.0852699279785],[-56.9515953063965,51.4245758056641],[-57.7394409179688,51.4716567993164],[-58.6243019104004,51.2763824462891],[-58.6232604980469,51.1505470275879],[-58.9937133789062,51.006103515625],[-59.0129203796387,50.7513847351074],[-60.0050048828125,50.2488784790039],[-61.720832824707,50.0919342041016],[-61.5834732055664,50.185546875],[-62.4008331298828,50.2933311462402],[-66.4697265625,50.2619400024414],[-67.1419448852539,49.8169364929199],[-67.3720779418945,49.3299942016602],[-68.5905609130859,49.0541610717773],[-69.6783294677734,48.1408271789551],[-71.0187530517578,48.4595794677734],[-69.7324981689453,48.1075630187988],[-70.2261123657227,47.4974250793457],[-71.2991638183594,46.7422180175781],[-70.5069580078125,47.0202713012695],[-69.4505615234375,47.9791564941406],[-68.2022247314453,48.6398544311523],[-66.3061065673828,49.1869354248047],[-64.9969482421875,49.2202682495117],[-64.211669921875,48.8849906921387],[-64.1576309204102,48.7598571777344],[-64.5304183959961,48.8737030029297],[-64.1654815673828,48.6277656555176],[-64.322509765625,48.4372100830078],[-65.3058319091797,48.0055541992188],[-65.8965377807617,48.2024917602539],[-66.8437042236328,47.9966506958008],[-66.3554077148438,48.0702705383301],[-65.7936096191406,47.8908309936523],[-65.6315307617188,47.6219367980957],[-64.8038864135742,47.8081855773926],[-64.6749267578125,47.724853515625],[-64.9100036621094,47.3530502319336],[-65.3661804199219,47.0854797363281],[-64.8020858764648,47.0815238952637],[-64.9043045043945,46.8459663391113],[-64.5041809082031,46.2402725219727],[-63.8262557983398,46.145133972168],[-64.0938873291016,46.0216598510742],[-63.6670799255371,45.8166618347168],[-62.6777801513672,45.76416015625],[-62.4619445800781,45.6124954223633],[-61.919376373291,45.8839530944824],[-61.8845825195312,45.6913070678711],[-61.4687461853027,45.6806869506836],[-61.2600021362305,45.5102767944336],[-61.3650054931641,45.4041595458984],[-60.9884719848633,45.3259658813477],[-61.0508346557617,45.2311019897461],[-63.4444389343262,44.5919380187988],[-63.653678894043,44.7111740112305],[-63.5205574035645,44.5102729797363],[-63.6348609924316,44.4363784790039],[-63.9319458007812,44.5136032104492],[-63.9086074829102,44.6780471801758],[-64.0875091552734,44.4677696228027],[-64.3052673339844,44.533332824707],[-64.2556991577148,44.2726287841797],[-65.4813842773438,43.4644393920898],[-66.1675033569336,43.8608283996582],[-66.1186065673828,44.3380432128906],[-65.8515625,44.5811042785645],[-66.1948547363281,44.4180450439453],[-64.4856948852539,45.3302688598633],[-64.1563873291016,44.9783248901367],[-64.158203125,45.1890144348145],[-63.3696136474609,45.3598556518555],[-64.9353408813477,45.331729888916],[-64.2743072509766,45.8058280944824],[-64.4783325195312,45.7505493164062],[-64.7508316040039,46.0866584777832],[-64.5830688476562,45.8269424438477],[-64.7820129394531,45.6102714538574],[-65.8868103027344,45.2083282470703],[-66.0924377441406,45.2995300292969],[-65.9999313354492,45.459228515625],[-66.1918716430664,45.3313102722168],[-66.1472320556641,45.1922149658203],[-66.4277801513672,45.0849914550781],[-67.20654296875,45.1830368041992],[-67.4552764892578,45.263053894043],[-67.4131240844727,45.5854759216309],[-67.7945098876953,45.6958236694336],[-67.7949981689453,47.0699920654297],[-68.3148574829102,47.3651351928711],[-68.8915328979492,47.1890144348145],[-69.2360610961914,47.4678916931152],[-70.0091705322266,46.6980438232422],[-70.2877807617188,46.2030487060547],[-70.258056640625,45.9090881347656],[-70.876594543457,45.2410316467285],[-71.3211059570312,45.2969398498535],[-71.4941558837891,45.0205459594727],[-74.9961166381836,44.9836006164551],[-76.4373550415039,44.1020736694336],[-76.8094482421875,43.6333274841309],[-78.7247161865234,43.6294326782227],[-79.1847229003906,43.4655456542969],[-78.9869384765625,42.8199920654297],[-82.6966552734375,41.6838760375977],[-83.1686096191406,42.0461044311523],[-83.0869598388672,42.3005447387695],[-82.5358276367188,42.5994338989258],[-82.1302795410156,43.5852661132812],[-82.5430603027344,45.355827331543],[-83.5977783203125,45.8272171020508],[-83.4477691650391,46.0119400024414],[-83.5961151123047,46.1141586303711],[-83.9543228149414,46.0704803466797],[-84.1253433227539,46.5294380187988],[-84.5650024414062,46.4663848876953],[-84.8645858764648,46.9058227539062],[-88.3680572509766,48.3122100830078],[-89.3566589355469,47.9797134399414],[-90.7498626708984,48.0927696228027],[-90.8686065673828,48.2374954223633],[-91.4183349609375,48.0411071777344],[-92.0393753051758,48.3453407287598],[-92.3598556518555,48.2317276000977],[-92.9513168334961,48.6226272583008],[-93.7858352661133,48.5170783996582],[-94.6058349609375,48.7244338989258],[-94.8177795410156,49.3055458068848],[-95.1527862548828,49.3766555786133],[-95.1541748046875,48.9994354248047],[-114.059860229492,49.000602722168],[-122.760299682617,48.9994354248047],[-123.034317016602,48.9994354248047],[-123.09375,48.9994354248047],[-123.247909545898,49.2724952697754],[-122.918060302734,49.290828704834],[-122.855133056641,49.4381141662598],[-123.236389160156,49.3388824462891],[-123.165618896484,49.701171875],[-123.54027557373,49.3823547363281],[-124.070007324219,49.6415214538574],[-123.938041687012,49.7406845092773],[-123.765251159668,49.5097503662109],[-123.535766601562,49.6971054077148],[-123.806381225586,49.6435356140137],[-123.934715270996,49.7761001586914],[-123.849235534668,50.0736312866211],[-123.998397827148,50.0022201538086],[-123.924308776855,49.8301315307617],[-124.035102844238,49.9180107116699],[-124.408889770508,49.7634696960449],[-124.818092346191,50.0639190673828],[-124.703338623047,49.9955444335938],[-124.602912902832,50.2404098510742],[-124.713066101074,50.3238105773926],[-124.356521606445,50.4959297180176],[-125.075286865234,50.3209686279297],[-124.806938171387,50.9195785522461],[-125.182846069336,50.4127655029297],[-125.548484802246,50.4975852966309],[-125.432487487793,50.7111015319824],[-125.703681945801,50.4295043945312],[-126.276947021484,50.5163116455078],[-126.270210266113,50.6273536682129],[-125.739303588867,50.6818885803223],[-125.620132446289,50.752082824707],[-125.507858276367,50.9414825439453],[-125.610816955566,51.0877685546875],[-125.810829162598,50.7154960632324],[-125.815277099609,50.7072143554688],[-125.836326599121,50.7106018066406],[-126.19913482666,50.8556632995605],[-126.49333190918,50.8163833618164],[-126.179298400879,50.9480438232422],[-127.173149108887,50.9222145080566],[-127.018608093262,50.8184700012207],[-127.53742980957,51.0056915283203],[-127.089721679688,51.0453071594238],[-126.657638549805,51.1903343200684],[-127.199577331543,51.0567970275879],[-127.249824523926,51.0660514831543],[-127.789993286133,51.1655426025391],[-127.132568359375,51.3284645080566],[-127.767562866211,51.321174621582],[-127.496391296387,51.6142997741699],[-126.657623291016,51.6499214172363],[-126.620002746582,51.6799926757812],[-126.660278320312,51.7922210693359],[-126.695152282715,51.6743583679199],[-126.698051452637,51.6645736694336],[-126.818458557129,51.6651153564453],[-127.407905578613,51.6677703857422],[-127.34725189209,51.8579444885254],[-127.659156799316,51.4574966430664],[-127.876106262207,51.6686019897461],[-127.864776611328,51.9008941650391],[-127.174644470215,52.3091583251953],[-126.675407409668,51.990894317627],[-126.940826416016,52.3038787841797],[-126.734298706055,52.3715171813965],[-127.228057861328,52.4530487060547],[-126.922775268555,52.7226295471191],[-126.974166870117,52.8336715698242],[-127.614990234375,52.293327331543],[-127.873046875,52.2233200073242],[-127.893394470215,52.5114517211914],[-128.007019042969,52.3374214172363],[-128.067642211914,52.4508247375488],[-127.883674621582,52.5773582458496],[-128.393890380859,52.2913818359375],[-128.22248840332,52.4727821350098],[-128.131652832031,52.8763809204102],[-128.438613891602,52.8208274841309],[-128.539733886719,53.1319351196289],[-128.853881835938,53.2797164916992],[-128.969573974609,53.5531845092773],[-128.523620605469,53.3966598510742],[-128.131927490234,53.4488754272461],[-127.87092590332,53.237174987793],[-128.126922607422,53.4811019897461],[-128.814849853516,53.6212387084961],[-128.770568847656,53.7958297729492],[-128.476715087891,53.8385353088379],[-128.678863525391,53.9091911315918],[-128.606170654297,54.02978515625],[-129.217498779297,53.6402740478516],[-129.272796630859,53.3791580200195],[-130.10026550293,53.9442939758301],[-130.049163818359,54.1509628295898],[-129.47428894043,54.2393646240234],[-130.117904663086,54.1549873352051],[-130.481109619141,54.3647155761719],[-130.411880493164,54.6287422180176],[-129.96012878418,54.3196449279785],[-130.371368408203,54.6613807678223],[-129.910278320312,54.6055526733398],[-130.199645996094,54.7288093566895],[-130.167907714844,54.8540878295898],[-129.623748779297,55.0001335144043],[-129.975555419922,55.0669403076172],[-129.478179931641,55.4707527160645],[-129.786956787109,55.5666656494141],[-129.815704345703,55.2865257263184],[-130.109024047852,54.9939498901367],[-129.946380615234,55.2854080200195],[-130.128311157227,55.7359619140625],[-130.015075683594,55.9091796875]],"Canada"], ["Country","CV0",[[-25.2813911437988,16.913330078125],[-25.3323631286621,17.0949974060059],[-24.9734745025635,17.108678817749],[-25.2813911437988,16.913330078125]],"Cape Verde"], ["Country","CV1",[[-24.3213920593262,16.4827766418457],[-24.354585647583,16.684024810791],[-24.0241680145264,16.5722904205322],[-24.3213920593262,16.4827766418457]],"Cape Verde"], ["Country","CV2",[[-22.8005561828613,15.9780540466309],[-22.9622230529785,16.0449981689453],[-22.7986145019531,16.2352752685547],[-22.6661128997803,16.0949974060059],[-22.8005561828613,15.9780540466309]],"Cape Verde"], ["Country","CV3",[[-23.5258369445801,14.896110534668],[-23.7895164489746,15.0654153823853],[-23.6950035095215,15.2949981689453],[-23.4447250366211,15.0061092376709],[-23.5258369445801,14.896110534668]],"Cape Verde"], ["Country","CV4",[[-24.3900032043457,14.8111095428467],[-24.5244464874268,14.9183320999146],[-24.3825702667236,15.0461797714233],[-24.3900032043457,14.8111095428467]],"Cape Verde"], ["Country","CJ0",[[-81.2560577392578,19.3535079956055],[-81.0921401977539,19.3331508636475],[-81.2619476318359,19.2651195526123],[-81.4012298583984,19.2854747772217],[-81.2560577392578,19.3535079956055]],"Cayman Is."], ["Country","CT0",[[15.4990081787109,7.52660942077637],[15.9748601913452,7.50131893157959],[16.5336074829102,7.86777687072754],[16.8174514770508,7.54630088806152],[17.6488876342773,7.98847150802612],[18.5888862609863,8.0402774810791],[19.1258316040039,8.67277717590332],[18.8763732910156,8.84142684936523],[18.9888877868652,8.96416664123535],[20.3716659545898,9.10833168029785],[21.6669425964355,10.2358322143555],[21.7190265655518,10.6381244659424],[22.4633312225342,11.0008325576782],[22.8665046691895,10.9224472045898],[23.6691665649414,9.866943359375],[23.6493034362793,9.27597141265869],[23.4483318328857,9.01958274841309],[23.5816650390625,8.99374866485596],[23.5296516418457,8.70833301544189],[24.2011108398438,8.68694305419922],[24.1848583221436,8.30986022949219],[24.804443359375,8.19277763366699],[25.2558307647705,7.84569406509399],[25.2002754211426,7.51638793945312],[26.4040241241455,6.64402675628662],[26.2980537414551,6.46555519104004],[26.5254154205322,6.21624946594238],[26.442289352417,6.07742977142334],[27.1427764892578,5.77194404602051],[27.4552764892578,5.01638793945312],[27.090274810791,5.20347166061401],[26.869441986084,5.03097152709961],[26.4947204589844,5.04555511474609],[25.5401382446289,5.3806939125061],[25.3619422912598,5.31472206115723],[25.2899971008301,5.02499961853027],[24.7344436645508,4.91083240509033],[24.3872890472412,5.11215209960938],[23.4245128631592,4.59374904632568],[22.89333152771,4.82013845443726],[22.3466644287109,4.1274995803833],[20.5719413757324,4.41749954223633],[20.3393039703369,4.7674994468689],[19.8413867950439,5.08451318740845],[19.415901184082,5.13104104995728],[19.0854148864746,4.91472196578979],[18.7516651153564,4.39055490493774],[18.5444431304932,4.33999967575073],[18.6249580383301,3.47944402694702],[18.4797210693359,3.64083313941956],[18.1936092376709,3.48249959945679],[17.4636077880859,3.71111106872559],[16.6644439697266,3.53541660308838],[16.2070045471191,2.22125959396362],[16.1030540466309,2.89833307266235],[15.2602767944336,3.67388868331909],[15.043888092041,4.02916622161865],[15.0869436264038,4.29472208023071],[14.7234716415405,4.64374923706055],[14.6724987030029,5.17999982833862],[14.5326375961304,5.29124927520752],[14.6172218322754,5.90124940872192],[14.418888092041,6.04097175598145],[14.8049983978271,6.34666633605957],[15.4990081787109,7.52660942077637]],"Central African Republic"], ["Country","CD0",[[15.4990081787109,7.52660942077637],[15.5799770355225,7.76040649414062],[15.2072219848633,8.47735977172852],[13.9576377868652,9.64645671844482],[14.1947689056396,9.98175048828125],[15.6752986907959,9.98801898956299],[15.0581932067871,10.8019437789917],[15.0425968170166,12.0788879394531],[14.8943395614624,12.1558074951172],[14.8224239349365,12.6337766647339],[14.5462493896484,12.7716655731201],[14.4359712600708,13.0849990844727],[14.0747203826904,13.0816650390625],[13.6251201629639,13.7183380126953],[13.4649991989136,14.4508323669434],[13.674373626709,14.5522899627686],[14.3688888549805,15.7338886260986],[15.4897212982178,16.920970916748],[15.7538871765137,19.9324989318848],[15.9966659545898,20.3530540466309],[15.5774984359741,20.7659702301025],[15.5830545425415,21.0186080932617],[15.2095823287964,21.4918041229248],[14.9978885650635,23.0005912780762],[16.0008316040039,23.450553894043],[24.0027465820312,19.4990653991699],[23.9975643157959,15.7028484344482],[23.1181564331055,15.7102928161621],[22.9372215270996,15.5619430541992],[22.9293727874756,15.1140260696411],[22.6999282836914,14.7040958404541],[22.3865242004395,14.5626373291016],[22.5561771392822,14.1297912597656],[22.0844421386719,13.7791652679443],[22.2849998474121,13.34055519104],[21.8291015625,12.7972030639648],[21.9527740478516,12.6438884735107],[22.223331451416,12.747220993042],[22.4643039703369,12.614860534668],[22.5590267181396,11.6290273666382],[22.9713878631592,11.2802762985229],[22.8665046691895,10.9224472045898],[22.4633312225342,11.0008325576782],[21.7190265655518,10.6381244659424],[21.6669425964355,10.2358322143555],[20.3716659545898,9.10833168029785],[18.9888877868652,8.96416664123535],[18.8763732910156,8.84142684936523],[19.1258316040039,8.67277717590332],[18.5888862609863,8.0402774810791],[17.6488876342773,7.98847150802612],[16.8174514770508,7.54630088806152],[16.5336074829102,7.86777687072754],[15.9748601913452,7.50131893157959],[15.4990081787109,7.52660942077637]],"Chad"], ["Country","CI0",[[-74.3175048828125,-47.9838943481445],[-74.4975128173828,-47.9141693115234],[-74.2930603027344,-47.8047256469727],[-73.8002853393555,-47.8912544250488],[-74.3175048828125,-47.9838943481445]],"Chile"], ["Country","CI1",[[-75.0550842285156,-50.2994537353516],[-75.2338943481445,-50.440559387207],[-75.2170333862305,-50.3071975708008],[-75.4597320556641,-50.3615341186523],[-75.3744506835938,-50.1483383178711],[-75.1450042724609,-50.2490310668945],[-75.4004898071289,-50.0440292358398],[-75.1436157226562,-50.0261154174805],[-75.0707015991211,-50.1887550354004],[-74.8152847290039,-50.115421295166],[-75.0550842285156,-50.2994537353516]],"Chile"], ["Country","CI2",[[-74.2091674804688,-50.8516693115234],[-74.5627899169922,-50.665283203125],[-74.4255599975586,-50.526252746582],[-74.6675796508789,-50.4784774780273],[-74.3638916015625,-50.4913940429688],[-74.2091674804688,-50.8516693115234]],"Chile"], ["Country","CI3",[[-75.328125,-50.7926712036133],[-75.5144577026367,-50.6597290039062],[-75.3744583129883,-50.615837097168],[-75.4607696533203,-50.4940986633301],[-75.0901489257812,-50.503059387207],[-75.328125,-50.7926712036133]],"Chile"], ["Country","CI4",[[-74.6988983154297,-50.89111328125],[-74.9526443481445,-50.7287559509277],[-74.7470932006836,-50.7041702270508],[-74.6988983154297,-50.89111328125]],"Chile"], ["Country","CI5",[[-73.4298095703125,-53.3970565795898],[-73.4898681640625,-53.5738906860352],[-73.8007049560547,-53.4315299987793],[-73.4298095703125,-53.3970565795898]],"Chile"], ["Country","CI6",[[-73.3086242675781,-53.8288955688477],[-73.2498626708984,-53.7122573852539],[-73.5769500732422,-53.7527465820312],[-73.4925003051758,-53.6668090820312],[-73.6131973266602,-53.6125030517578],[-72.9544448852539,-53.667293548584],[-73.4216690063477,-53.4680595397949],[-73.1031951904297,-53.5106964111328],[-73.0751190185547,-53.4026947021484],[-72.9111175537109,-53.4294509887695],[-72.8762588500977,-53.6786842346191],[-72.8599014282227,-53.4665679931641],[-72.1422958374023,-53.8045196533203],[-72.4169540405273,-53.897087097168],[-72.3279190063477,-54.0416679382324],[-72.8238906860352,-54.1363906860352],[-73.0263290405273,-54.0803489685059],[-72.7769470214844,-54.0172271728516],[-72.7279891967773,-53.8456268310547],[-73.0590362548828,-53.8138236999512],[-73.1325073242188,-54.0116729736328],[-73.3086242675781,-53.8288955688477]],"Chile"], ["Country","CI7",[[-70.5244445800781,-54.2286148071289],[-70.819450378418,-54.1138916015625],[-70.8980560302734,-53.8797225952148],[-70.6211166381836,-53.8641700744629],[-70.70556640625,-53.6908378601074],[-70.4915390014648,-53.557502746582],[-70.3476486206055,-54.0075035095215],[-70.6679306030273,-53.915699005127],[-70.5244445800781,-54.2286148071289]],"Chile"], ["Country","CI8",[[-71.6711120605469,-53.9438934326172],[-71.7330627441406,-54.1619453430176],[-71.9544525146484,-54.0225028991699],[-71.7436904907227,-54.2313919067383],[-71.8423690795898,-54.3388938903809],[-72.2570953369141,-53.9424362182617],[-71.6711120605469,-53.9438934326172]],"Chile"], ["Country","CI9",[[-71.2814025878906,-54.0136184692383],[-71.0097351074219,-54.102783203125],[-71.120002746582,-54.3859748840332],[-71.4112548828125,-54.1165313720703],[-71.540283203125,-54.2556991577148],[-71.698616027832,-54.1638946533203],[-71.6115341186523,-53.9470863342285],[-71.2814025878906,-54.0136184692383]],"Chile"], ["Country","CI10",[[-72.294189453125,-54.0789031982422],[-72.3018112182617,-54.2533378601074],[-72.5011138916016,-54.2430572509766],[-72.294189453125,-54.0789031982422]],"Chile"], ["Country","CI11",[[-71.0602874755859,-54.9552841186523],[-71.4543075561523,-54.8836135864258],[-70.9986114501953,-54.8566741943359],[-70.9154281616211,-54.9261131286621],[-71.0602874755859,-54.9552841186523]],"Chile"], ["Country","CI12",[[-70.3508453369141,-54.8986129760742],[-70.7325057983398,-55.0128479003906],[-70.2857055664062,-55.0330581665039],[-70.5308380126953,-55.2111129760742],[-71.0080642700195,-55.0450057983398],[-70.3508453369141,-54.8986129760742]],"Chile"], ["Country","CI13",[[-74.2525024414062,-42.9916687011719],[-74.0618133544922,-41.8134765625],[-73.5033416748047,-41.8415336608887],[-73.3802795410156,-42.2850036621094],[-73.8209762573242,-42.5143127441406],[-73.5006332397461,-42.800350189209],[-73.6520919799805,-42.935417175293],[-73.4916076660156,-43.1158332824707],[-73.7802124023438,-43.1274299621582],[-73.7147369384766,-43.3702850341797],[-73.8664627075195,-43.3981971740723],[-74.3891754150391,-43.2672271728516],[-74.2525024414062,-42.9916687011719]],"Chile"], ["Country","CI14",[[-73.9927825927734,-43.9400024414062],[-74.1400146484375,-43.8108367919922],[-73.7897338867188,-43.8216705322266],[-73.9927825927734,-43.9400024414062]],"Chile"], ["Country","CI15",[[-72.8704071044922,-44.7380523681641],[-73.223762512207,-44.9145431518555],[-73.2832412719727,-44.9354934692383],[-73.4080657958984,-44.8238906860352],[-73.2069549560547,-44.8004188537598],[-73.4629898071289,-44.6461143493652],[-72.9980621337891,-44.3672256469727],[-72.7183380126953,-44.5352821350098],[-72.9786834716797,-44.6080589294434],[-72.8704071044922,-44.7380523681641]],"Chile"], ["Country","CI16",[[-73.7455596923828,-44.7436141967773],[-73.8255615234375,-44.5847244262695],[-73.6923675537109,-44.5436134338379],[-73.5914001464844,-44.712085723877],[-73.7455596923828,-44.7436141967773]],"Chile"], ["Country","CI17",[[-74.2630615234375,-44.807502746582],[-74.399169921875,-44.6283340454102],[-73.8740997314453,-44.6934776306152],[-74.2630615234375,-44.807502746582]],"Chile"], ["Country","CI18",[[-74.2772369384766,-45.0308380126953],[-74.1683349609375,-44.8666687011719],[-73.9120941162109,-44.9554214477539],[-74.2772369384766,-45.0308380126953]],"Chile"], ["Country","CI19",[[-73.7313995361328,-45.2844467163086],[-74.2390365600586,-45.0755577087402],[-73.8466796875,-45.0027847290039],[-73.7313995361328,-45.2844467163086]],"Chile"], ["Country","CI20",[[-74.0005645751953,-45.3572235107422],[-74.1438903808594,-45.3138961791992],[-74.0823745727539,-45.2108383178711],[-73.7844543457031,-45.3119506835938],[-74.0005645751953,-45.3572235107422]],"Chile"], ["Country","CI21",[[-73.6525115966797,-45.761116027832],[-73.7819519042969,-45.670280456543],[-73.7040328979492,-45.4447250366211],[-73.5820236206055,-45.4709777832031],[-73.6525115966797,-45.761116027832]],"Chile"], ["Country","CI22",[[-74.4586181640625,-45.779167175293],[-74.4466705322266,-45.4875030517578],[-74.3025054931641,-45.4752807617188],[-74.2288970947266,-45.6730575561523],[-74.4586181640625,-45.779167175293]],"Chile"], ["Country","CI23",[[-75.0713958740234,-46.0974578857422],[-74.9519500732422,-46.0098648071289],[-75.1041793823242,-45.8761138916016],[-74.7223052978516,-45.8034057617188],[-74.8033447265625,-46.0325012207031],[-75.0713958740234,-46.0974578857422]],"Chile"], ["Country","CI24",[[-73.7730560302734,-46.2119445800781],[-73.9094543457031,-46.018611907959],[-73.6833343505859,-46.0766677856445],[-73.7730560302734,-46.2119445800781]],"Chile"], ["Country","CI25",[[-74.8875122070312,-48.0702819824219],[-75.2649383544922,-48.0301399230957],[-74.8302917480469,-47.8079223632812],[-74.8875122070312,-48.0702819824219]],"Chile"], ["Country","CI26",[[-75.2010040283203,-48.6997909545898],[-75.2950134277344,-48.4366683959961],[-75.5570907592773,-48.4061164855957],[-75.3472290039062,-48.2979888916016],[-75.5505676269531,-48.313060760498],[-75.5102920532227,-48.0340309143066],[-75.3358459472656,-48.0186157226562],[-75.0836181640625,-48.5083389282227],[-75.2010040283203,-48.6997909545898]],"Chile"], ["Country","CI27",[[-75.0255584716797,-48.4447250366211],[-75.2537612915039,-48.0722236633301],[-74.8039627075195,-48.1827812194824],[-75.0255584716797,-48.4447250366211]],"Chile"], ["Country","CI28",[[-74.5255584716797,-48.3402786254883],[-74.5663909912109,-48.1209754943848],[-74.3666763305664,-48.258472442627],[-74.5255584716797,-48.3402786254883]],"Chile"], ["Country","CI29",[[-74.6230163574219,-48.6921844482422],[-75.0314025878906,-48.5111122131348],[-74.7104263305664,-48.4563941955566],[-74.7387542724609,-48.123893737793],[-74.4847259521484,-48.5958404541016],[-74.6230163574219,-48.6921844482422]],"Chile"], ["Country","CI30",[[-75.6047210693359,-48.6888809204102],[-75.4412536621094,-48.6168098449707],[-75.6497344970703,-48.6186141967773],[-75.6213989257812,-48.4465293884277],[-75.3402099609375,-48.4359092712402],[-75.3200073242188,-48.6022262573242],[-75.6047210693359,-48.6888809204102]],"Chile"], ["Country","CI31",[[-75.1675109863281,-49.5025024414062],[-75.3174667358398,-49.2663192749023],[-74.9180603027344,-49.3361129760742],[-74.8272247314453,-49.0958404541016],[-75.0490341186523,-48.7963943481445],[-74.5412216186523,-48.7119789123535],[-74.4433441162109,-49.3066711425781],[-74.5975036621094,-49.6891708374023],[-74.4200057983398,-49.6759757995605],[-74.4655685424805,-49.9322242736816],[-74.7627868652344,-50.0555572509766],[-74.8700714111328,-50.0102119445801],[-74.7143096923828,-49.9050025939941],[-74.9113922119141,-49.9292411804199],[-74.8848724365234,-49.537223815918],[-74.655632019043,-49.360767364502],[-75.0059814453125,-49.5111122131348],[-75.0172271728516,-49.8994445800781],[-75.459587097168,-49.4030609130859],[-75.384033203125,-49.2820854187012],[-75.1675109863281,-49.5025024414062]],"Chile"], ["Country","CI32",[[-75.2577819824219,-49.0819473266602],[-75.3361434936523,-48.9604415893555],[-75.4908752441406,-49.0206146240234],[-75.6508483886719,-48.9005584716797],[-75.314453125,-48.8636169433594],[-75.2577819824219,-49.0819473266602]],"Chile"], ["Country","CI33",[[-75.5141754150391,-49.2719497680664],[-75.6564025878906,-49.2138938903809],[-75.3887557983398,-49.0215072631836],[-75.3422241210938,-48.9880599975586],[-75.3044281005859,-49.0604209899902],[-75.2854232788086,-49.096809387207],[-75.5141754150391,-49.2719497680664]],"Chile"], ["Country","CI34",[[-74.9522399902344,-49.2780227661133],[-75.236328125,-49.1361122131348],[-74.9759750366211,-49.0298652648926],[-74.9522399902344,-49.2780227661133]],"Chile"], ["Country","CI35",[[-75.1794586181641,-49.9047241210938],[-75.5595932006836,-49.8344459533691],[-75.6034774780273,-49.6615333557129],[-75.3597259521484,-49.6241683959961],[-75.1794586181641,-49.9047241210938]],"Chile"], ["Country","CI36",[[-74.7205657958984,-51.111946105957],[-74.9330673217773,-50.8898658752441],[-74.6161193847656,-50.8950042724609],[-74.6575012207031,-50.7266693115234],[-74.4094543457031,-50.8305587768555],[-74.39111328125,-51.0815315246582],[-74.7205657958984,-51.111946105957]],"Chile"], ["Country","CI37",[[-69.9061126708984,-55.0430603027344],[-69.8497314453125,-54.8783340454102],[-69.1687545776367,-54.9599342346191],[-69.9061126708984,-55.0430603027344]],"Chile"], ["Country","CI38",[[-67.3388977050781,-55.7908401489258],[-67.5430603027344,-55.6637535095215],[-67.3530654907227,-55.5752792358398],[-67.3388977050781,-55.7908401489258]],"Chile"], ["Country","CI39",[[-73.1231155395508,-52.5546340942383],[-73.6936111450195,-52.7220878601074],[-73.549934387207,-52.5425720214844],[-73.7316741943359,-52.0375061035156],[-73.3218154907227,-52.2237548828125],[-72.9862518310547,-52.0706253051758],[-72.8663940429688,-52.2638931274414],[-72.7847290039062,-52.0622253417969],[-72.8754959106445,-52.2030563354492],[-72.9433441162109,-52.0877838134766],[-72.6942367553711,-51.9891014099121],[-72.5756301879883,-52.3215293884277],[-72.8994445800781,-52.4586181640625],[-72.4910507202148,-52.3167419433594],[-72.6665649414062,-51.9652442932129],[-72.470703125,-51.9359741210938],[-72.4689025878906,-51.7891693115234],[-73.2425079345703,-51.4629859924316],[-72.566047668457,-51.7889633178711],[-73.2838973999023,-51.6135444641113],[-72.9973602294922,-51.783332824707],[-73.1907043457031,-51.8764953613281],[-72.9269561767578,-51.8611145019531],[-73.2407684326172,-52.0872230529785],[-73.3806686401367,-51.6698951721191],[-73.2869491577148,-52.1600036621094],[-73.5452880859375,-52.056396484375],[-73.6491394042969,-51.8345146179199],[-73.3994522094727,-52.0172233581543],[-73.5867080688477,-51.7563552856445],[-73.471321105957,-51.6941337585449],[-73.7003555297852,-51.7891693115234],[-73.9058380126953,-51.6225051879883],[-73.9048004150391,-51.3772926330566],[-73.6049423217773,-51.6284065246582],[-73.711669921875,-51.1597290039062],[-74.0837554931641,-51.2090301513672],[-74.2473678588867,-50.9277076721191],[-73.8513946533203,-50.9166717529297],[-73.7516708374023,-50.6617393493652],[-73.5331344604492,-50.7142372131348],[-73.7225799560547,-50.5457000732422],[-73.5717391967773,-50.4043426513672],[-74.0434799194336,-50.8280601501465],[-74.2892379760742,-50.4804878234863],[-73.8909072875977,-50.5468406677246],[-74.6887588500977,-50.207088470459],[-74.3487548828125,-50.0886154174805],[-73.8673324584961,-50.288890838623],[-74.3708419799805,-49.9920845031738],[-73.8901443481445,-50.0748634338379],[-74.3248748779297,-49.8677825927734],[-74.0633392333984,-49.7155570983887],[-74.2991027832031,-49.7391014099121],[-74.2432708740234,-49.5711822509766],[-73.9972534179688,-49.5612411499023],[-74.11083984375,-49.4830589294434],[-74.0683364868164,-49.2627830505371],[-73.8478546142578,-49.3465995788574],[-74.0289001464844,-49.0930557250977],[-73.831184387207,-49.0322265625],[-74.0433349609375,-49.0219497680664],[-74.2159805297852,-49.5322227478027],[-74.3739013671875,-49.4275054931641],[-74.4501419067383,-48.8156967163086],[-74.0646514892578,-48.7436828613281],[-74.397575378418,-48.611946105957],[-74.0466766357422,-48.5477828979492],[-74.0211181640625,-48.4136123657227],[-74.6318130493164,-48.0005569458008],[-74.3495941162109,-48.0225028991699],[-74.2152099609375,-48.2318077087402],[-74.3277816772461,-48.0050010681152],[-73.7718124389648,-48.0297241210938],[-73.5533447265625,-48.2458343505859],[-73.2737579345703,-48.0933380126953],[-73.4865341186523,-48.1229209899902],[-73.6542053222656,-47.9090995788574],[-73.2266006469727,-48.0030250549316],[-73.7136154174805,-47.780143737793],[-73.7262878417969,-47.5313911437988],[-73.7712554931641,-47.7865333557129],[-73.9344482421875,-47.8469467163086],[-74.7413940429688,-47.7114601135254],[-74.540283203125,-47.5483360290527],[-74.175910949707,-47.7485427856445],[-74.2986221313477,-47.680835723877],[-74.0619506835938,-47.5397262573242],[-74.3050079345703,-47.6033363342285],[-74.5281295776367,-47.4343109130859],[-74.3195953369141,-47.2198638916016],[-74.1052856445312,-47.3475036621094],[-73.9382705688477,-47.0344467163086],[-74.3394470214844,-46.76611328125],[-74.6186218261719,-46.7855606079102],[-74.504035949707,-46.9030570983887],[-75.0086212158203,-46.7519454956055],[-74.9452896118164,-46.4427108764648],[-75.5980682373047,-46.7030563354492],[-75.3426513671875,-46.8788223266602],[-75.4883422851562,-46.9558334350586],[-75.70458984375,-46.634449005127],[-74.8216705322266,-46.1127853393555],[-74.6748657226562,-45.8268051147461],[-74.3686141967773,-45.792366027832],[-74.1107025146484,-45.8358345031738],[-74.1591567993164,-46.1233787536621],[-74.484504699707,-46.1840133666992],[-73.8630676269531,-46.3475036621094],[-74.0173645019531,-46.213508605957],[-73.8922958374023,-46.1387519836426],[-73.7668151855469,-46.2962532043457],[-73.9938278198242,-46.5593109130859],[-73.8312530517578,-46.5780601501465],[-73.4255676269531,-46.0744476318359],[-73.6878509521484,-46.3150024414062],[-73.6651458740234,-45.9804878234863],[-73.1842422485352,-45.6683387756348],[-73.5798721313477,-45.7782669067383],[-73.5146636962891,-45.455696105957],[-73.237174987793,-45.3129043579102],[-73.4618072509766,-45.2528533935547],[-73.3054885864258,-45.1477470397949],[-73.3752822875977,-44.9679183959961],[-73.1433029174805,-44.9449806213379],[-72.76611328125,-44.7533340454102],[-72.6138916015625,-44.4727783203125],[-73.2820892333984,-44.1780624389648],[-72.8458404541016,-43.7766723632812],[-73.0420989990234,-43.7338371276855],[-73.0817413330078,-43.3143081665039],[-72.7452850341797,-43.04833984375],[-72.8569488525391,-42.5668106079102],[-72.539794921875,-42.5541687011719],[-72.8490295410156,-42.2888221740723],[-72.6043853759766,-42.1843757629395],[-72.4214630126953,-42.445972442627],[-72.461669921875,-41.9734764099121],[-72.8680572509766,-41.932502746582],[-72.3505706787109,-41.6525039672852],[-72.3100128173828,-41.4358367919922],[-72.4758453369141,-41.6833343505859],[-72.9358367919922,-41.483268737793],[-73.1291809082031,-41.7511138916016],[-73.5105590820312,-41.8052825927734],[-73.7455596923828,-41.7543754577637],[-73.4977188110352,-41.5199317932129],[-73.8711166381836,-41.4791717529297],[-73.9943161010742,-40.9669456481934],[-73.7454223632812,-40.5096549987793],[-73.7148666381836,-39.9816703796387],[-73.3780670166016,-39.8547286987305],[-73.2202835083008,-39.3513221740723],[-73.5186157226562,-38.537223815918],[-73.4549407958984,-38.0571556091309],[-73.6679229736328,-37.726806640625],[-73.6770935058594,-37.3472938537598],[-73.5868759155273,-37.1525688171387],[-73.2037582397461,-37.161808013916],[-73.1294555664062,-36.682502746582],[-72.9815368652344,-36.699031829834],[-72.7960510253906,-35.9750709533691],[-72.5914001464844,-35.8025016784668],[-72.6477813720703,-35.574031829834],[-72.2108383178711,-35.0852813720703],[-72.0168075561523,-34.1443786621094],[-71.6550140380859,-33.6625061035156],[-71.7562561035156,-33.1054191589355],[-71.4466705322266,-32.6650009155273],[-71.7033386230469,-30.7616691589355],[-71.6455688476562,-30.2736129760742],[-71.4058380126953,-30.1858348846436],[-71.2896499633789,-29.9096546173096],[-71.5102844238281,-28.8950004577637],[-70.9138946533203,-27.6244468688965],[-70.9666748046875,-27.1791687011719],[-70.7853546142578,-26.9888210296631],[-70.6380615234375,-26.3013916015625],[-70.7312545776367,-25.8159046173096],[-70.4505615234375,-25.3654880523682],[-70.5833435058594,-24.7161121368408],[-70.39111328125,-23.5619468688965],[-70.6220932006836,-23.4996528625488],[-70.5747222900391,-23.0669479370117],[-70.2861175537109,-22.8868770599365],[-70.0533447265625,-21.425651550293],[-70.4054870605469,-18.3485450744629],[-69.9584808349609,-18.2494449615479],[-69.7744445800781,-17.985279083252],[-69.8348693847656,-17.6813907623291],[-69.4997253417969,-17.5052795410156],[-69.2912521362305,-17.9794464111328],[-69.0716705322266,-18.038890838623],[-68.9658355712891,-18.9530563354492],[-68.4436798095703,-19.4336471557617],[-68.6871566772461,-19.7036819458008],[-68.5233459472656,-19.916389465332],[-68.777229309082,-20.0891666412354],[-68.7522277832031,-20.4240283966064],[-68.4670181274414,-20.6306266784668],[-68.5600128173828,-20.8913917541504],[-68.1886138916016,-21.296947479248],[-67.8764038085938,-22.8280563354492],[-67.1836242675781,-22.8216667175293],[-67.0008392333984,-23.0027809143066],[-67.3358459472656,-24.0216674804688],[-68.2536163330078,-24.3986129760742],[-68.5674285888672,-24.7819442749023],[-68.3556289672852,-25.1212520599365],[-68.5975036621094,-25.4433364868164],[-68.3998641967773,-26.1593761444092],[-68.5836181640625,-26.5052795410156],[-68.2877883911133,-26.9127788543701],[-68.8074340820312,-27.1185436248779],[-69.1777801513672,-27.9519462585449],[-69.6553802490234,-28.4009323120117],[-69.7927856445312,-29.0956974029541],[-70.0289688110352,-29.2911148071289],[-69.8316802978516,-30.1905555725098],[-70.211669921875,-30.5594482421875],[-70.2950134277344,-31.0297241210938],[-70.5312576293945,-31.1812515258789],[-70.5867385864258,-31.5638217926025],[-70.2375106811523,-31.9384746551514],[-70.3209838867188,-32.2652816772461],[-69.9933395385742,-32.8761825561523],[-70.0955581665039,-33.1794471740723],[-69.7749328613281,-33.3871536254883],[-69.9050064086914,-33.7784767150879],[-69.8175735473633,-34.2347259521484],[-70.0476226806641,-34.2860107421875],[-70.3629913330078,-35.1447944641113],[-70.5650024414062,-35.2419471740723],[-70.3437576293945,-35.8113555908203],[-70.42431640625,-36.1360397338867],[-70.7047271728516,-36.2705612182617],[-70.7069473266602,-36.4145164489746],[-71.034309387207,-36.4838905334473],[-71.1861190795898,-36.8455581665039],[-71.1798629760742,-37.696460723877],[-70.8297271728516,-38.5880584716797],[-71.4104232788086,-38.9354209899902],[-71.4031982421875,-39.3301429748535],[-71.5071563720703,-39.6176414489746],[-71.6898651123047,-39.5754890441895],[-71.6333465576172,-39.9505615234375],[-71.8180618286133,-40.20458984375],[-71.6639633178711,-40.3345146179199],[-71.9501419067383,-40.7269477844238],[-71.8380661010742,-40.9554901123047],[-71.9145889282227,-41.6520881652832],[-71.7265396118164,-42.0950736999512],[-72.1303558349609,-42.2854232788086],[-72.1366729736328,-43.0057678222656],[-71.7396621704102,-43.1761131286621],[-71.9355621337891,-43.4534034729004],[-71.7017440795898,-43.6016693115234],[-71.8076477050781,-43.7633361816406],[-71.6983337402344,-43.8666687011719],[-71.8534088134766,-44.3724365234375],[-71.108757019043,-44.5352821350098],[-71.2779235839844,-44.7981986999512],[-72.0818099975586,-44.7870864868164],[-72.0668182373047,-44.901668548584],[-71.582649230957,-44.9754180908203],[-71.2986145019531,-45.3050727844238],[-71.7819519042969,-45.6550064086914],[-71.6044464111328,-45.9769439697266],[-71.9018096923828,-46.149097442627],[-71.7466049194336,-46.2470169067383],[-71.6728515625,-46.6839599609375],[-71.9392471313477,-46.8162536621094],[-71.867919921875,-47.2186164855957],[-72.3501434326172,-47.4500045776367],[-72.5350723266602,-47.9154891967773],[-72.3219528198242,-48.0783386230469],[-72.2918853759766,-48.3477821350098],[-72.5955657958984,-48.4730606079102],[-72.5611190795898,-48.7994499206543],[-73.0063934326172,-48.9983367919922],[-73.1361236572266,-49.3041687011719],[-73.4647369384766,-49.311393737793],[-73.5400085449219,-49.4431991577148],[-73.5362548828125,-50.1201400756836],[-73.2775115966797,-50.3284759521484],[-73.137092590332,-50.7698631286621],[-72.2938919067383,-50.6529197692871],[-72.2658386230469,-51.0107002258301],[-72.3952178955078,-51.1081275939941],[-72.249626159668,-51.237850189209],[-72.4005584716797,-51.5136184692383],[-71.9105682373047,-51.9958343505859],[-69.9983367919922,-51.9963912963867],[-68.4417572021484,-52.3777770996094],[-69.2684860229492,-52.2080574035645],[-69.6756973266602,-52.5282669067383],[-70.8116760253906,-52.7325057983398],[-70.9766006469727,-53.7609062194824],[-71.2847290039062,-53.8863906860352],[-72.1150131225586,-53.6876411437988],[-72.452507019043,-53.4043083190918],[-72.2834091186523,-53.2450065612793],[-72.1120910644531,-53.257640838623],[-72.2273635864258,-53.4355239868164],[-72.1052856445312,-53.4297256469727],[-71.8666000366211,-53.2228507995605],[-71.7860488891602,-53.429515838623],[-72.0058441162109,-53.5654182434082],[-71.7973709106445,-53.5127830505371],[-71.7390289306641,-53.2152099609375],[-71.3286209106445,-53.1000061035156],[-71.1665344238281,-52.8106956481934],[-72.0195922851562,-53.1243095397949],[-72.51708984375,-53.0623664855957],[-72.1895217895508,-53.1827125549316],[-72.6477813720703,-53.3259735107422],[-72.4002838134766,-53.540283203125],[-73.2988891601562,-53.1607666015625],[-72.7102813720703,-53.2940330505371],[-72.7922210693359,-53.1840972900391],[-72.6558380126953,-53.1491012573242],[-72.9116668701172,-53.0841674804688],[-72.9583435058594,-52.8575057983398],[-72.7194519042969,-52.7461166381836],[-71.4752807617188,-52.6333389282227],[-72.789794921875,-52.5428504943848],[-72.8988952636719,-52.6255569458008],[-72.6783447265625,-52.6621551513672],[-73.0058441162109,-52.8541717529297],[-72.9804229736328,-53.0647239685059],[-73.203483581543,-53.1062507629395],[-73.449348449707,-53.0020484924316],[-73.2350006103516,-52.8897247314453],[-73.5564575195312,-52.8023262023926],[-73.2318801879883,-52.7876434326172],[-73.1231155395508,-52.5546340942383]],"Chile"], ["Country","CI40",[[-74.9888916015625,-51.4763946533203],[-74.7938995361328,-51.2094497680664],[-74.5361175537109,-51.279167175293],[-74.9888916015625,-51.4763946533203]],"Chile"], ["Country","CI41",[[-75.3102874755859,-51.6341705322266],[-75.2052917480469,-51.2991714477539],[-75.0047302246094,-51.3358383178711],[-75.3102874755859,-51.6341705322266]],"Chile"], ["Country","CI42",[[-74.0224609375,-51.8020248413086],[-74.2366790771484,-51.7038917541504],[-74.0888977050781,-51.5394515991211],[-73.9252853393555,-51.7597274780273],[-74.0224609375,-51.8020248413086]],"Chile"], ["Country","CI43",[[-74.9597549438477,-51.8112297058105],[-74.933479309082,-51.646671295166],[-74.8058395385742,-51.6345863342285],[-74.8587493896484,-51.7906761169434],[-74.8876800537109,-51.8760299682617],[-74.9697265625,-52.1180572509766],[-75.0597229003906,-51.9705581665039],[-74.9597549438477,-51.8112297058105]],"Chile"], ["Country","CI44",[[-74.1630706787109,-51.9530563354492],[-74.5033416748047,-51.7126426696777],[-74.0902862548828,-51.8772239685059],[-74.1630706787109,-51.9530563354492]],"Chile"], ["Country","CI45",[[-74.8705596923828,-52.1416702270508],[-74.7550048828125,-51.8430557250977],[-74.6008377075195,-51.8434753417969],[-74.8705596923828,-52.1416702270508]],"Chile"], ["Country","CI46",[[-74.3489685058594,-52.1155967712402],[-73.9343109130859,-52.3232650756836],[-74.1446685791016,-52.3928375244141],[-74.3489685058594,-52.1155967712402]],"Chile"], ["Country","CI47",[[-73.8402862548828,-52.3936157226562],[-74.0942459106445,-52.1661148071289],[-73.7891693115234,-52.2641677856445],[-73.8402862548828,-52.3936157226562]],"Chile"], ["Country","CI48",[[-73.9169464111328,-52.7269515991211],[-74.0558471679688,-52.5697250366211],[-73.7254180908203,-52.4111175537109],[-73.9169464111328,-52.7269515991211]],"Chile"], ["Country","CI49",[[-68.6175842285156,-52.6415100097656],[-68.6358337402344,-54.7883377075195],[-68.6361236572266,-54.8047714233398],[-68.6431121826172,-54.8886108398438],[-68.890007019043,-54.802921295166],[-68.7700042724609,-54.9172286987305],[-69.1111145019531,-54.9483337402344],[-69.6534805297852,-54.8213958740234],[-69.6277847290039,-54.6956977844238],[-70.7627868652344,-54.8411178588867],[-70.4644470214844,-54.6252822875977],[-71.0366744995117,-54.7777824401855],[-70.9705657958984,-54.6202850341797],[-71.2727813720703,-54.6797256469727],[-71.3357009887695,-54.5229187011719],[-71.4852905273438,-54.6913909912109],[-71.9280700683594,-54.6569519042969],[-72.0093078613281,-54.5073623657227],[-71.67529296875,-54.5769500732422],[-71.8477783203125,-54.4180603027344],[-71.5647277832031,-54.5127792358398],[-71.6026458740234,-54.4069480895996],[-71.3680572509766,-54.3744506835938],[-70.9677886962891,-54.4726409912109],[-70.8114013671875,-54.3208389282227],[-70.6138916015625,-54.3469467163086],[-70.7541809082031,-54.5947265625],[-70.5900039672852,-54.392505645752],[-70.1344528198242,-54.5434722900391],[-70.8802795410156,-54.1338958740234],[-70.1391754150391,-54.4277801513672],[-70.1988906860352,-54.3137550354004],[-70.0552825927734,-54.2491683959961],[-69.7736206054688,-54.5561141967773],[-69.8591766357422,-54.2830581665039],[-69.2552795410156,-54.440559387207],[-69.3764038085938,-54.6866683959961],[-69.1775054931641,-54.5808334350586],[-68.9932022094727,-54.4310417175293],[-70.0459823608398,-54.099308013916],[-70.1844482421875,-53.8136138916016],[-69.3538970947266,-53.5061111450195],[-69.3611221313477,-53.3454856872559],[-70.2175140380859,-53.4733352661133],[-70.4466705322266,-53.3680572509766],[-70.4444580078125,-53.0127792358398],[-70.0998687744141,-52.907642364502],[-70.4236145019531,-52.7702789306641],[-69.917236328125,-52.8258361816406],[-69.4172286987305,-52.4594497680664],[-69.1516723632812,-52.6844482421875],[-68.6175842285156,-52.6415100097656]],"Chile"], ["Country","CI50",[[-73.5741729736328,-53.2711181640625],[-73.8933410644531,-53.0647277832031],[-74.3261184692383,-53.0938911437988],[-74.7441101074219,-52.758544921875],[-73.6048736572266,-53.0672264099121],[-73.5237579345703,-53.2590293884277],[-73.45556640625,-53.1388931274414],[-73.0912551879883,-53.3531951904297],[-73.5741729736328,-53.2711181640625]],"Chile"], ["Country","CI51",[[-67.2614974975586,-54.9536170959473],[-67.0536193847656,-55.1363906860352],[-67.243896484375,-55.3088912963867],[-67.526123046875,-55.1708374023438],[-68.0952911376953,-55.236946105957],[-68.3611145019531,-54.9377136230469],[-68.0665969848633,-54.9072265625],[-67.4624328613281,-54.9294509887695],[-67.2614974975586,-54.9536170959473]],"Chile"], ["Country","CI52",[[-69.2980499267578,-55.1705703735352],[-69.3883361816406,-55.2905578613281],[-69.1686248779297,-55.5118064880371],[-69.5733337402344,-55.3777847290039],[-69.6963958740234,-55.2802810668945],[-69.5051422119141,-55.1788215637207],[-69.856819152832,-55.2602806091309],[-70.0312576293945,-55.1586837768555],[-69.9310455322266,-55.078685760498],[-68.5106964111328,-54.9312553405762],[-68.3263244628906,-55.0438232421875],[-68.5854187011719,-55.1463203430176],[-69.0597915649414,-55.050422668457],[-68.2777862548828,-55.2250061035156],[-68.7401428222656,-55.2688255310059],[-68.1630630493164,-55.3972244262695],[-67.9794464111328,-55.6719512939453],[-68.3605651855469,-55.4816741943359],[-68.8941802978516,-55.4902801513672],[-68.812370300293,-55.190071105957],[-69.2980499267578,-55.1705703735352]],"Chile"], ["Country","CH0",[[121.203857421875,31.800537109375],[121.873596191406,31.4997177124023],[121.546371459961,31.5311088562012],[121.203857421875,31.800537109375]],"China"], ["Country","CH1",[[110.85498046875,19.5288848876953],[110.483215332031,19.1676120758057],[110.525543212891,18.8008308410645],[110.050254821777,18.3852024078369],[109.759437561035,18.3915233612061],[109.703598022461,18.1977729797363],[108.687057495117,18.5056209564209],[108.628311157227,19.2802772521973],[109.293869018555,19.7599983215332],[109.165260314941,19.7236042022705],[109.257209777832,19.8997173309326],[109.4658203125,19.8286094665527],[109.610809326172,19.9938850402832],[110.665542602539,20.1336059570312],[110.942481994629,19.9786052703857],[111.021545410156,19.6382942199707],[110.85498046875,19.5288848876953]],"China"], ["Country","CH2",[[87.3482055664062,49.0926208496094],[87.8406982421875,49.1729507446289],[87.8929061889648,48.9830436706543],[87.761100769043,48.8810348510742],[88.0594177246094,48.734992980957],[87.9919357299805,48.5654106140137],[88.5167922973633,48.4058227539062],[88.6117858886719,48.2119331359863],[89.0851364135742,47.9937400817871],[90.0709609985352,47.8879089355469],[90.9135971069336,46.9522132873535],[91.0702667236328,46.5773544311523],[90.9215087890625,46.2969398498535],[91.0265121459961,46.0173530578613],[90.6819305419922,45.579719543457],[90.8969421386719,45.2530517578125],[91.5608825683594,45.0772857666016],[93.5547027587891,44.9572143554688],[94.7173461914062,44.3549919128418],[95.4106063842773,44.2941627502441],[95.3410949707031,44.0193672180176],[95.5333862304688,43.9931144714355],[95.8790054321289,43.2838821411133],[96.3820648193359,42.734992980957],[97.165397644043,42.795825958252],[99.510124206543,42.5719413757324],[100.842483520508,42.677074432373],[101.814697265625,42.5097198486328],[102.077209472656,42.2333297729492],[103.416381835938,41.8872146606445],[104.526657104492,41.8772125244141],[104.523735046387,41.6706848144531],[105.006507873535,41.5866584777832],[107.475814819336,42.4662437438965],[109.310668945312,42.4299926757812],[110.106369018555,42.6457595825195],[110.989700317383,43.3169403076172],[111.95832824707,43.6922149658203],[111.421371459961,44.3752708435059],[111.873031616211,45.0494384765625],[112.427200317383,45.0805511474609],[112.853042602539,44.8460998535156],[113.638046264648,44.7452697753906],[114.545257568359,45.3894348144531],[115.701927185059,45.4586029052734],[116.210403442383,45.7219314575195],[116.585540771484,46.2958297729492],[117.375526428223,46.4188842773438],[117.424980163574,46.5706901550293],[117.845542907715,46.5364532470703],[118.31470489502,46.7363815307617],[119.706787109375,46.598949432373],[119.931510925293,46.7151298522949],[119.922492980957,46.902214050293],[119.124969482422,47.6649856567383],[118.539337158203,47.9947509765625],[117.804557800293,48.0112457275391],[117.382675170898,47.657413482666],[116.874687194824,47.8880462646484],[116.262359619141,47.8781852722168],[115.923118591309,47.6918640136719],[115.59440612793,47.9174919128418],[115.549072265625,48.1435317993164],[115.835823059082,48.2524948120117],[115.811096191406,48.5205459594727],[116.711380004883,49.8304672241211],[117.874710083008,49.5205764770508],[118.574569702148,49.9226341247559],[119.321029663086,50.0963096618652],[119.359992980957,50.3302764892578],[119.138595581055,50.3902702331543],[120.064147949219,51.6208267211914],[120.776657104492,52.1149978637695],[120.625907897949,52.3442306518555],[120.712173461914,52.542667388916],[120.081924438477,52.5880470275879],[120.031440734863,52.7681884765625],[120.830688476562,53.263744354248],[123.614707946777,53.5436058044434],[124.493309020996,53.1883239746094],[125.620048522949,53.0502700805664],[125.657348632812,52.8751983642578],[126.096794128418,52.7572174072266],[125.994285583496,52.5761032104492],[126.554977416992,52.1269378662109],[126.441223144531,51.9943656921387],[126.913879394531,51.3813819885254],[126.81761932373,51.265552520752],[126.968872070312,51.3192291259766],[126.933097839355,51.0582542419434],[127.291931152344,50.7413787841797],[127.334014892578,50.3147163391113],[127.586067199707,50.2085647583008],[127.515007019043,49.8058776855469],[127.838043212891,49.5866546630859],[128.7119140625,49.5844345092773],[129.111785888672,49.3467559814453],[129.490203857422,49.4157981872559],[130.224609375,48.8646430969238],[130.67399597168,48.8604125976562],[130.523590087891,48.6057586669922],[130.823989868164,48.3268013000488],[130.65983581543,48.1083946228027],[130.992172241211,47.6872100830078],[132.521087646484,47.7102737426758],[133.082733154297,48.0988807678223],[133.484268188477,48.0688819885254],[134.415344238281,48.3911209106445],[134.740753173828,48.2671279907227],[134.557601928711,47.992073059082],[134.760818481445,47.7002716064453],[134.182464599609,47.3233261108398],[133.997741699219,46.6401672363281],[133.847183227539,46.4788780212402],[133.901611328125,46.2536277770996],[133.476058959961,45.8234672546387],[133.470245361328,45.6245765686035],[133.149139404297,45.4508285522461],[133.025268554688,45.0569381713867],[131.868438720703,45.3458213806152],[131.469116210938,44.973876953125],[130.952987670898,44.8364868164062],[131.298034667969,44.0519332885742],[131.191223144531,43.5362434387207],[131.310394287109,43.3895797729492],[131.128494262695,42.916446685791],[130.432739257812,42.7448539733887],[130.604370117188,42.4218597412109],[130.246780395508,42.7141571044922],[130.251419067383,42.8879432678223],[129.904586791992,43.0045700073242],[129.695526123047,42.4358215332031],[129.349273681641,42.4462394714355],[128.92692565918,42.0273551940918],[128.056640625,42.0012435913086],[128.300247192383,41.5828399658203],[128.152908325195,41.3812408447266],[127.27082824707,41.4724884033203],[126.904708862305,41.7922172546387],[126.566078186035,41.611759185791],[126.011795043945,40.8969383239746],[124.885124206543,40.4703712463379],[124.373596191406,40.093620300293],[124.128028869629,39.8277740478516],[123.242202758789,39.8142967224121],[123.216659545898,39.6738815307617],[121.648040771484,38.9963836669922],[121.698181152344,38.8611030578613],[121.187339782715,38.7190856933594],[121.088668823242,38.9122123718262],[121.679428100586,39.0901298522949],[121.599426269531,39.2185974121094],[121.751098632812,39.3516616821289],[121.22834777832,39.5284652709961],[121.533004760742,39.623218536377],[121.468322753906,39.8113784790039],[121.880950927734,40.0030517578125],[122.29866027832,40.5056190490723],[122.052131652832,40.7387428283691],[121.177467346191,40.9219360351562],[120.446784973145,40.196102142334],[119.526443481445,39.8724212646484],[118.971519470215,39.1569328308105],[118.327278137207,39.040828704834],[117.888999938965,39.1984634399414],[117.536376953125,38.6755523681641],[117.672210693359,38.3866577148438],[118.028053283691,38.1672134399414],[118.837760925293,38.152904510498],[119.035537719727,37.8783226013184],[118.956649780273,37.3005447387695],[119.232757568359,37.1436080932617],[119.767211914062,37.1513824462891],[119.852905273438,37.3522834777832],[120.73706817627,37.8349914550781],[121.579986572266,37.4245758056641],[122.128173828125,37.552562713623],[122.181373596191,37.418327331543],[122.558578491211,37.3962440490723],[122.597213745117,37.2099914550781],[122.400543212891,37.0258255004883],[122.539154052734,37.0197830200195],[122.504707336426,36.8936080932617],[122.192337036133,36.8429756164551],[121.956649780273,37.0002746582031],[121.594436645508,36.7588882446289],[120.776382446289,36.6166572570801],[120.959991455078,36.5263824462891],[120.875259399414,36.3758239746094],[120.706237792969,36.4227714538574],[120.695625305176,36.1407470703125],[120.343589782715,36.0419006347656],[120.307807922363,36.2634468078613],[120.088851928711,36.1999816894531],[120.237762451172,35.9594345092773],[119.647453308105,35.5789260864258],[119.176086425781,34.8849945068359],[120.248733520508,34.311450958252],[120.885818481445,32.9749908447266],[120.83748626709,32.6388854980469],[121.334846496582,32.4295768737793],[121.441230773926,32.1133270263672],[121.706649780273,32.0216598510742],[121.827476501465,31.6783294677734],[120.944427490234,31.8663864135742],[120.601928710938,32.0936050415039],[120.099006652832,31.9455509185791],[119.82666015625,32.3063812255859],[119.631652832031,32.2627716064453],[120.136375427246,31.9038848876953],[120.702621459961,31.9883270263672],[120.719635009766,31.8194408416748],[121.66805267334,31.3088874816895],[121.882766723633,30.9798564910889],[121.84693145752,30.8530521392822],[120.991508483887,30.5688858032227],[120.814422607422,30.3355522155762],[120.458587646484,30.3929805755615],[120.14998626709,30.1969394683838],[120.508186340332,30.3102741241455],[120.791580200195,30.0646495819092],[121.280807495117,30.3045806884766],[121.677757263184,29.9630508422852],[122.119560241699,29.8821125030518],[121.448318481445,29.5116653442383],[121.97435760498,29.5891628265381],[121.93359375,29.1952743530273],[121.811920166016,29.1838836669922],[121.796920776367,29.3723564147949],[121.744354248047,29.197286605835],[121.561096191406,29.2911071777344],[121.413520812988,29.1633968353271],[121.691360473633,29.0219421386719],[121.490814208984,28.9358978271484],[121.611297607422,28.7279796600342],[121.146377563477,28.8421497344971],[121.484428405762,28.6699256896973],[121.641662597656,28.3472175598145],[121.341926574707,28.1388854980469],[121.16512298584,28.3827743530273],[120.935256958008,27.9822177886963],[120.5908203125,28.0794410705566],[120.839988708496,27.8722877502441],[120.581161499023,27.5931911468506],[120.665542602539,27.4508285522461],[120.50749206543,27.2077713012695],[120.189559936523,27.2827758789062],[120.421096801758,27.1476364135742],[120.033180236816,26.8980522155762],[120.127960205078,26.6446475982666],[119.860260009766,26.5177764892578],[120.073310852051,26.7882251739502],[119.86678314209,26.6488838195801],[119.787902832031,26.7961082458496],[119.550262451172,26.7562484741211],[119.820404052734,26.4422168731689],[119.577476501465,26.4738845825195],[119.658042907715,26.3386077880859],[119.948867797852,26.3677749633789],[119.425262451172,25.996940612793],[119.09748840332,26.1404132843018],[119.354011535645,25.9378757476807],[119.705825805664,25.9906902313232],[119.580741882324,25.6799602508545],[119.452209472656,25.6822185516357],[119.645401000977,25.3533306121826],[119.314949035645,25.6064891815186],[119.105262756348,25.4209671020508],[119.352554321289,25.2531890869141],[119.27262878418,25.1720790863037],[118.874870300293,25.2425994873047],[118.98664855957,24.9719390869141],[118.572906494141,24.8829135894775],[118.763114929199,24.7567329406738],[118.595260620117,24.5286102294922],[118.239700317383,24.5363845825195],[118.168800354004,24.6819381713867],[118.019882202148,24.4402370452881],[117.794731140137,24.4601860046387],[118.123725891113,24.2587471008301],[117.195678710938,23.6243705749512],[116.917938232422,23.6591873168945],[116.760330200195,23.3549957275391],[116.532203674316,23.420238494873],[116.787071228027,23.2366600036621],[116.513893127441,23.2108268737793],[116.481719970703,22.939022064209],[115.797760009766,22.7391624450684],[115.640266418457,22.884162902832],[115.536651611328,22.6588859558105],[115.161376953125,22.8083305358887],[114.888893127441,22.7027740478516],[114.872207641602,22.5330543518066],[114.718048095703,22.6402740478516],[114.778182983398,22.8140239715576],[114.52082824707,22.6997184753418],[114.613594055176,22.5042324066162],[114.222267150879,22.5500411987305],[114.388526916504,22.4299259185791],[114.296104431152,22.2605609893799],[113.905609130859,22.3673553466797],[114.03369140625,22.5087394714355],[113.860809326172,22.474437713623],[113.60595703125,22.8345794677734],[113.525268554688,23.0502738952637],[113.821899414062,23.1172409057617],[113.479278564453,23.0508308410645],[113.362899780273,22.8798580169678],[113.56477355957,22.5494422912598],[113.552680969238,22.1870098114014],[113.168731689453,22.567008972168],[113.386787414551,22.1796474456787],[113.222618103027,22.0406913757324],[113.084846496582,22.20485496521],[112.940048217773,21.8693008422852],[112.824020385742,21.9647178649902],[112.281936645508,21.7013854980469],[111.892135620117,21.9161052703857],[111.966926574707,21.7513885498047],[111.676231384277,21.7781925201416],[111.783172607422,21.6126365661621],[111.643951416016,21.5268039703369],[111.028457641602,21.525276184082],[110.532760620117,21.2113838195801],[110.394355773926,21.3732204437256],[110.159355163574,20.8438148498535],[110.375534057617,20.8408298492432],[110.323883056641,20.6399955749512],[110.527351379395,20.4861755371094],[110.278869628906,20.2461051940918],[109.924423217773,20.2336044311523],[110.006866455078,20.4318008422852],[109.662902832031,20.9241619110107],[109.941093444824,21.4469413757324],[109.660469055176,21.5056896209717],[109.573318481445,21.7233276367188],[109.53443145752,21.4949932098389],[109.142761230469,21.3966636657715],[109.137496948242,21.5830535888672],[108.910957336426,21.6161060333252],[108.870246887207,21.798885345459],[108.740257263184,21.5988845825195],[108.469215393066,21.9356212615967],[108.512496948242,21.5901355743408],[108.333602905273,21.6899948120117],[108.244705200195,21.5144424438477],[107.990020751953,21.5424118041992],[107.783050537109,21.6669387817383],[107.362731933594,21.6052627563477],[106.693313598633,22.0308303833008],[106.551712036133,22.4568214416504],[106.787490844727,22.7638854980469],[106.702896118164,22.8669414520264],[105.877067565918,22.9125289916992],[105.358726501465,23.3241634368896],[104.907493591309,23.1802749633789],[104.731925964355,22.8180522918701],[104.374702453613,22.6874961853027],[104.111297607422,22.7981224060059],[103.96866607666,22.5038719177246],[103.65380859375,22.7828693389893],[103.522422790527,22.5843620300293],[103.333671569824,22.7945117950439],[103.030403137207,22.4365215301514],[102.474433898926,22.7718715667725],[102.140747070312,22.3962860107422],[101.741508483887,22.4977722167969],[101.574432373047,22.2091598510742],[101.765266418457,21.8344421386719],[101.785957336426,21.1445083618164],[101.291931152344,21.1768703460693],[101.148239135742,21.5726356506348],[101.099006652832,21.7690258026123],[100.639709472656,21.4769401550293],[100.205680847168,21.4354610443115],[99.9776306152344,21.725549697876],[99.957405090332,22.050178527832],[99.1678466796875,22.1559162139893],[99.5648422241211,22.9365921020508],[99.5112991333008,23.0820426940918],[98.9274749755859,23.1891632080078],[98.6799087524414,23.9707584381104],[98.8907318115234,24.1600685119629],[97.5476226806641,23.9299945831299],[97.7593002319336,24.2605514526367],[97.5430450439453,24.4766616821289],[97.5525512695312,24.7399234771729],[98.1910858154297,25.6152725219727],[98.3613739013672,25.5694427490234],[98.7103958129883,25.8559684753418],[98.5694427490234,26.1252727508545],[98.7310943603516,26.1847190856934],[98.7777709960938,26.7916641235352],[98.6969909667969,27.5297183990479],[98.4588775634766,27.6724967956543],[98.3199157714844,27.5401363372803],[98.1449890136719,28.1488857269287],[97.5588684082031,28.5465240478516],[97.348876953125,28.222770690918],[96.6538696289062,28.4674949645996],[96.4019317626953,28.3511085510254],[96.3402709960938,28.5249977111816],[96.6137313842773,28.7956924438477],[96.4708251953125,29.0566635131836],[96.1753234863281,28.9013843536377],[96.1488800048828,29.0597190856934],[96.3917236328125,29.2575664520264],[96.0831451416016,29.4644393920898],[95.3877716064453,29.0352745056152],[94.6475067138672,29.333459854126],[94.2345581054688,29.0734806060791],[93.9617233276367,28.6692008972168],[93.351936340332,28.6187591552734],[93.222053527832,28.319299697876],[92.7104415893555,28.1418991088867],[92.5449829101562,27.8619403839111],[91.6577606201172,27.764720916748],[91.6627655029297,27.944995880127],[91.3013763427734,28.0811080932617],[91.0869293212891,27.9699935913086],[90.3765029907227,28.0795803070068],[90.3889770507812,28.2425651550293],[89.9981918334961,28.3236923217773],[89.4874877929688,28.0577735900879],[88.9169311523438,27.3208312988281],[88.7646408081055,27.5424270629883],[88.8357543945312,28.0080528259277],[88.6243515014648,28.1168022155762],[88.1427917480469,27.8660545349121],[87.1927490234375,27.8230514526367],[86.6952667236328,28.1116619110107],[86.4513702392578,27.9088840484619],[86.1976928710938,28.1580505371094],[86.0054016113281,27.8862457275391],[85.7213745117188,28.2791633605957],[85.110954284668,28.3066635131836],[85.195182800293,28.5910377502441],[84.8466491699219,28.5444412231445],[84.4862289428711,28.7340221405029],[84.1165084838867,29.2609710693359],[83.5479049682617,29.1890239715576],[83.1910858154297,29.6316623687744],[82.1752548217773,30.0692329406738],[82.1112289428711,30.3344421386719],[81.4262313842773,30.3849964141846],[81.2322082519531,30.0119438171387],[81.0253601074219,30.2043533325195],[80.2070007324219,30.5755157470703],[80.2542266845703,30.7337436676025],[79.863037109375,30.9658298492432],[79.5542907714844,30.9570789337158],[79.0808181762695,31.4372863769531],[78.7682495117188,31.3089542388916],[78.770751953125,31.9684715270996],[78.4759368896484,32.2430419921875],[78.4059524536133,32.5561027526855],[78.7462310791016,32.6390190124512],[78.9710998535156,32.350830078125],[79.5287399291992,32.756664276123],[79.375114440918,33.099437713623],[78.8138656616211,33.5204124450684],[78.7358093261719,34.0683288574219],[78.9853515625,34.3500137329102],[78.3370742797852,34.6117973327637],[78.0230484008789,35.280689239502],[78.0718002319336,35.4990234375],[77.8239288330078,35.5013275146484],[76.895263671875,35.6124954223633],[76.5530395507812,35.9066543579102],[76.1806106567383,35.8145751953125],[75.9288711547852,36.0708198547363],[76.0416564941406,36.2375106811523],[75.8598403930664,36.6634254455566],[75.451789855957,36.731689453125],[75.3990173339844,36.9115562438965],[75.1478652954102,36.9971923828125],[74.5654296875,37.0278167724609],[74.3908920288086,37.1700019836426],[74.9157409667969,37.2373275756836],[75.1874847412109,37.4065856933594],[74.9036026000977,37.6524314880371],[74.8544235229492,38.4725646972656],[74.3547058105469,38.6743774414062],[73.8140106201172,38.6127090454102],[73.7081832885742,38.8865280151367],[73.8523483276367,38.9725646972656],[73.6200485229492,39.2356910705566],[73.6556854248047,39.4548263549805],[73.9547119140625,39.5996513366699],[73.842903137207,39.7689590454102],[73.9909591674805,40.0420150756836],[74.8808898925781,40.3279190063477],[74.8587951660156,40.5172309875488],[75.2339401245117,40.4504241943359],[75.5828399658203,40.6445236206055],[75.7037353515625,40.2980003356934],[76.3343963623047,40.3532371520996],[76.8706741333008,41.012580871582],[78.0808258056641,41.0407867431641],[78.3955383300781,41.3928642272949],[80.2451324462891,42.0395393371582],[80.2340240478516,42.1962203979492],[80.1580352783203,42.632453918457],[80.2579574584961,42.8156547546387],[80.5722579956055,42.8854522705078],[80.3840484619141,43.0290565490723],[80.8152618408203,43.1682968139648],[80.3688735961914,44.1137847900391],[80.3849945068359,44.6358032226562],[80.5158920288086,44.7340774536133],[79.8710556030273,44.9028205871582],[81.6792831420898,45.3497009277344],[81.9480285644531,45.1574783325195],[82.5663757324219,45.1330299377441],[82.646240234375,45.4358100891113],[82.3217926025391,45.5830993652344],[83.0344314575195,47.2006149291992],[83.9302597045898,46.9733200073242],[84.6780395507812,46.9936065673828],[84.8031768798828,46.8277015686035],[85.5225677490234,47.0591049194336],[85.7013854980469,47.2622146606445],[85.5370712280273,47.9372138977051],[85.7659606933594,48.3933258056641],[86.5979080200195,48.5427742004395],[86.8760223388672,49.1102027893066],[87.3482055664062,49.0926208496094]],"China"], ["Country","KT0",[[105.714889526367,-10.3844890594482],[105.752517700195,-10.4835453033447],[105.702026367188,-10.5108823776245],[105.628700256348,-10.4372339248657],[105.714889526367,-10.3844890594482]],"Christmas I."], ["Country","CK0",[[96.8234939575195,-12.1308135986328],[96.8525390625,-12.199746131897],[96.8192977905273,-12.1782264709473],[96.8234939575195,-12.1308135986328]],"Cocos Is."], ["Country","CO0",[[-75.2858428955078,-0.119722232222557],[-76.2430572509766,0.39555549621582],[-76.5451507568359,0.219166651368141],[-77.3794555664062,0.384722173213959],[-77.6783447265625,0.837222218513489],[-78.1000061035156,0.915972173213959],[-78.8097229003906,1.43777775764465],[-79.0502853393555,1.63180541992188],[-78.8449401855469,1.83652770519257],[-78.5875015258789,1.7671525478363],[-78.6868743896484,2.19347190856934],[-78.5652923583984,2.42916631698608],[-77.7454223632812,2.61041641235352],[-77.7811126708984,2.75638866424561],[-77.03271484375,3.91840243339539],[-77.2654190063477,3.84013867378235],[-77.1872253417969,4.06027698516846],[-77.3662567138672,3.92597198486328],[-77.4344482421875,4.03138828277588],[-77.242301940918,4.26090240478516],[-77.382438659668,4.34215211868286],[-77.3477783203125,5.24055480957031],[-77.5322265625,5.51888847351074],[-77.2408447265625,5.75819396972656],[-77.4888916015625,6.18534660339355],[-77.3404235839844,6.56736087799072],[-77.8897247314453,7.22888851165771],[-77.7440338134766,7.71999931335449],[-77.5774383544922,7.52618026733398],[-77.2155609130859,7.93722152709961],[-77.4685821533203,8.47169971466064],[-77.3666687011719,8.67499923706055],[-76.8341064453125,8.12909603118896],[-76.9238891601562,7.9360408782959],[-76.7579193115234,7.91916608810425],[-76.7738265991211,8.4112491607666],[-76.9283447265625,8.56833267211914],[-76.317512512207,8.9386100769043],[-76.0897369384766,9.3358325958252],[-75.6343154907227,9.44819355010986],[-75.504035949707,10.5501384735107],[-74.8608093261719,11.1254863739014],[-74.2922286987305,10.9990262985229],[-74.5917434692383,10.8776378631592],[-74.3950042724609,10.7421522140503],[-74.1550140380859,11.3313884735107],[-73.2844543457031,11.2955551147461],[-72.2586212158203,11.8891658782959],[-72.1579208374023,12.2411088943481],[-71.9377899169922,12.1627769470215],[-71.6908416748047,12.4593048095703],[-71.2208404541016,12.3020820617676],[-71.1141815185547,12.0488872528076],[-71.3247222900391,11.8530540466309],[-71.9684829711914,11.6662492752075],[-72.2093505859375,11.25],[-72.4912567138672,11.1227769851685],[-73.3780670166016,9.17138862609863],[-73.0100021362305,9.30201244354248],[-72.7797241210938,9.08027648925781],[-72.336669921875,8.15194320678711],[-72.4724426269531,7.49798536300659],[-72.1547241210938,7.32527732849121],[-71.9923629760742,7.01624965667725],[-71.1812591552734,6.96347188949585],[-70.7197265625,7.09805488586426],[-70.1191711425781,6.97583293914795],[-69.4294586181641,6.11861038208008],[-69.2417449951172,6.08409643173218],[-69.056396484375,6.21611022949219],[-68.6384048461914,6.13548517227173],[-67.831184387207,6.30756902694702],[-67.4544525146484,6.19305515289307],[-67.4139785766602,5.99553775787354],[-67.8486328125,5.3065185546875],[-67.858757019043,4.56124973297119],[-67.6351470947266,3.79763865470886],[-67.292854309082,3.39604139328003],[-67.8330688476562,2.87666654586792],[-67.1925048828125,2.39249992370605],[-66.8704528808594,1.22093200683594],[-67.0752868652344,1.17249989509583],[-67.0711822509766,1.62040734291077],[-67.4225769042969,2.14284706115723],[-67.9147338867188,1.74527764320374],[-68.1963958740234,1.97749996185303],[-68.1530609130859,1.72416663169861],[-69.8460998535156,1.71045517921448],[-69.8422241210938,1.07222199440002],[-69.2648696899414,1.03388869762421],[-69.127815246582,0.644027709960938],[-69.4592819213867,0.736597180366516],[-70.0447311401367,0.584999978542328],[-70.0580596923828,-0.157500028610229],[-69.6065368652344,-0.519861161708832],[-69.378547668457,-1.33791673183441],[-69.9569244384766,-4.23687362670898],[-70.3230590820312,-3.79916667938232],[-70.7241668701172,-3.77972269058228],[-70.0675048828125,-2.75555562973022],[-70.2953872680664,-2.50128102302551],[-70.564453125,-2.49333333969116],[-70.8589630126953,-2.22534728050232],[-71.3616790771484,-2.34694480895996],[-71.6931991577148,-2.14791679382324],[-72.2275085449219,-2.49888896942139],[-72.8819580078125,-2.50638914108276],[-73.1152877807617,-2.3287501335144],[-73.1327819824219,-1.84916687011719],[-73.5075073242188,-1.74833345413208],[-73.5557022094727,-1.37527787685394],[-74.2406997680664,-1.01291680335999],[-74.3761138916016,-0.568055629730225],[-74.7723693847656,-0.207916676998138],[-75.2858428955078,-0.119722232222557]],"Colombia"], ["Country","CN0",[[43.4536056518555,-11.9361114501953],[43.2201347351074,-11.7634735107422],[43.2869415283203,-11.3783340454102],[43.4536056518555,-11.9361114501953]],"Comoros"], ["Country","CN1",[[44.5136108398438,-12.3802795410156],[44.2122192382812,-12.1635427474976],[44.467357635498,-12.0701398849487],[44.5136108398438,-12.3802795410156]],"Comoros"], ["Country","CF0",[[18.6249580383301,3.47944402694702],[18.6158313751221,3.13805532455444],[18.0918731689453,2.22243022918701],[17.873607635498,0.992361068725586],[17.961109161377,0.399722218513489],[17.7122192382812,-0.544722259044647],[17.3230533599854,-1.00416684150696],[16.8619422912598,-1.25444459915161],[16.1940250396729,-2.18097257614136],[16.2269439697266,-3.32833337783813],[15.8905048370361,-3.94300937652588],[15.5352764129639,-4.05819511413574],[14.6693048477173,-4.90722274780273],[14.418888092041,-4.88722229003906],[14.4058322906494,-4.28277826309204],[13.7302761077881,-4.44833374023438],[13.6995820999146,-4.72583341598511],[13.4120817184448,-4.88277816772461],[13.0913887023926,-4.63305568695068],[12.7652769088745,-4.39388942718506],[12.0261306762695,-5.0149974822998],[11.7527770996094,-4.51611137390137],[11.140661239624,-3.92527723312378],[11.4920825958252,-3.50902795791626],[11.7399997711182,-3.68666696548462],[11.9218740463257,-3.62750029563904],[11.962290763855,-3.29743075370789],[11.7063875198364,-3.17777800559998],[11.8048601150513,-3.01541686058044],[11.5427761077881,-2.83166694641113],[11.5734710693359,-2.33638906478882],[12.4780540466309,-2.32722234725952],[12.4369430541992,-1.90111112594604],[12.6524991989136,-1.82347238063812],[13.0015068054199,-2.36767196655273],[13.4846515655518,-2.43465280532837],[13.7644424438477,-2.09076404571533],[13.8705539703369,-2.47090291976929],[14.1108322143555,-2.49305582046509],[14.2588882446289,-1.97368061542511],[14.4280548095703,-1.88458347320557],[14.5195817947388,-0.613333404064178],[13.8490266799927,-0.202638909220695],[13.9604158401489,0.348611086606979],[14.4856929779053,0.917222142219543],[14.1915273666382,1.3905553817749],[13.804443359375,1.43562483787537],[13.1867847442627,1.2224760055542],[13.293888092041,2.16361093521118],[14.5626373291016,2.1684718132019],[15.6874990463257,1.93354153633118],[16.0722198486328,1.65416646003723],[16.0834693908691,2.15249991416931],[16.2070045471191,2.22125959396362],[16.6644439697266,3.53541660308838],[17.4636077880859,3.71111106872559],[18.1936092376709,3.48249959945679],[18.4797210693359,3.64083313941956],[18.6249580383301,3.47944402694702]],"Congo"], ["Country","CG0",[[18.6249580383301,3.47944402694702],[18.5444431304932,4.33999967575073],[18.7516651153564,4.39055490493774],[19.0854148864746,4.91472196578979],[19.415901184082,5.13104104995728],[19.8413867950439,5.08451318740845],[20.3393039703369,4.7674994468689],[20.5719413757324,4.41749954223633],[22.3466644287109,4.1274995803833],[22.89333152771,4.82013845443726],[23.4245128631592,4.59374904632568],[24.3872890472412,5.11215209960938],[24.7344436645508,4.91083240509033],[25.2899971008301,5.02499961853027],[25.3619422912598,5.31472206115723],[25.5401382446289,5.3806939125061],[26.4947204589844,5.04555511474609],[26.869441986084,5.03097152709961],[27.090274810791,5.20347166061401],[27.4552764892578,5.01638793945312],[27.7688865661621,4.78777694702148],[27.7894420623779,4.60013818740845],[28.3630523681641,4.28999996185303],[28.7824974060059,4.55736064910889],[29.2436103820801,4.34611034393311],[29.4677753448486,4.6638879776001],[29.6433296203613,4.64361095428467],[30.2077751159668,3.96166634559631],[30.5510387420654,3.86381912231445],[30.56201171875,3.61326360702515],[30.7863883972168,3.65999984741211],[30.8588180541992,3.49339437484741],[30.7297210693359,2.44805526733398],[31.3027763366699,2.12138843536377],[29.9574966430664,0.818333268165588],[29.9598598480225,0.483749985694885],[29.7186088562012,0.0770833268761635],[29.5969429016113,-1.3858335018158],[29.2708320617676,-1.62638902664185],[29.1183319091797,-2.24111151695251],[28.8674278259277,-2.39868068695068],[29.0244407653809,-2.74472236633301],[29.2372207641602,-3.06027817726135],[29.2324981689453,-3.88500022888184],[29.4233322143555,-4.44750022888184],[29.3479137420654,-4.93041753768921],[29.631664276123,-5.72194480895996],[29.5502777099609,-6.29527854919434],[30.3149967193604,-7.14375019073486],[30.771240234375,-8.19224739074707],[28.9016647338867,-8.47861289978027],[28.8683319091797,-8.82694625854492],[28.3771495819092,-9.25041675567627],[28.6955547332764,-9.79576396942139],[28.5949974060059,-10.2461128234863],[28.6987457275391,-10.6518754959106],[28.3654136657715,-11.5555562973022],[29.0270805358887,-12.3769454956055],[29.4816646575928,-12.4594459533691],[29.473539352417,-12.2490978240967],[29.8050498962402,-12.1552467346191],[29.801664352417,-13.4497232437134],[29.6340255737305,-13.4155559539795],[29.5947208404541,-13.2234725952148],[29.0187473297119,-13.398473739624],[28.4462490081787,-12.5258350372314],[27.6554145812988,-12.2902784347534],[27.2089767456055,-11.5764904022217],[27.0331230163574,-11.59694480896],[26.8739566802979,-11.971736907959],[26.0047187805176,-11.9025001525879],[25.3636093139648,-11.6429862976074],[25.3444423675537,-11.2052783966064],[24.4491634368896,-11.4626398086548],[24.398609161377,-11.1118068695068],[23.9862060546875,-10.8704614639282],[23.8586101531982,-11.027153968811],[22.5674991607666,-11.0336112976074],[22.2538871765137,-11.2097234725952],[22.1664562225342,-10.8599309921265],[22.3151359558105,-10.7275009155273],[22.3138179779053,-10.375],[21.7915267944336,-9.41138935089111],[21.939998626709,-8.49611282348633],[21.7550678253174,-8.00375080108643],[21.7778587341309,-7.28125095367432],[20.5487155914307,-7.283616065979],[20.6297454833984,-6.9138822555542],[19.538948059082,-6.99661350250244],[19.3727760314941,-7.99333381652832],[18.5269432067871,-7.93708372116089],[17.6311092376709,-8.09805679321289],[16.9431228637695,-7.19902801513672],[16.579719543457,-5.90083408355713],[13.1788806915283,-5.85632991790771],[12.8979158401489,-5.81194496154785],[12.4358329772949,-6.01666736602783],[12.2145519256592,-5.76855564117432],[12.5266666412354,-5.72416687011719],[12.5722208023071,-5.02180576324463],[13.0913887023926,-4.63305568695068],[13.4120817184448,-4.88277816772461],[13.6995820999146,-4.72583341598511],[13.7302761077881,-4.44833374023438],[14.4058322906494,-4.28277826309204],[14.418888092041,-4.88722229003906],[14.6693048477173,-4.90722274780273],[15.5352764129639,-4.05819511413574],[15.8905048370361,-3.94300937652588],[16.2269439697266,-3.32833337783813],[16.1940250396729,-2.18097257614136],[16.8619422912598,-1.25444459915161],[17.3230533599854,-1.00416684150696],[17.7122192382812,-0.544722259044647],[17.961109161377,0.399722218513489],[17.873607635498,0.992361068725586],[18.0918731689453,2.22243022918701],[18.6158313751221,3.13805532455444],[18.6249580383301,3.47944402694702]],"Congo, DRC"], ["Country","CW0",[[-159.756454467773,-21.1924495697021],[-159.747146606445,-21.2563781738281],[-159.832504272461,-21.2487373352051],[-159.82746887207,-21.1896533966064],[-159.756454467773,-21.1924495697021]],"Cook Is."], ["Country","CS0",[[-83.6457977294922,10.9248466491699],[-83.3397369384766,10.2997207641602],[-82.5635681152344,9.56287574768066],[-82.8377151489258,9.60972118377686],[-82.9347229003906,9.47166633605957],[-82.9304656982422,9.06312370300293],[-82.7118835449219,8.92506885528564],[-82.9144592285156,8.76277732849121],[-82.8299255371094,8.47465515136719],[-83.0302886962891,8.31055450439453],[-82.8988494873047,8.02566909790039],[-83.3440322875977,8.72805500030518],[-83.4804229736328,8.70454692840576],[-83.2911224365234,8.37027740478516],[-83.7334747314453,8.58736038208008],[-83.62646484375,9.03645706176758],[-84.6186141967773,9.57944393157959],[-84.7475738525391,9.9671516418457],[-85.2362518310547,10.2073602676392],[-84.8972320556641,9.80749893188477],[-85.1422271728516,9.58944320678711],[-85.3450012207031,9.83277702331543],[-85.6566772460938,9.90499877929688],[-85.8575134277344,10.3694429397583],[-85.6325073242188,10.6216659545898],[-85.9113922119141,10.8911094665527],[-85.7050018310547,10.9330539703369],[-85.6923828125,11.0760612487793],[-85.5641784667969,11.2097206115723],[-84.9027862548828,10.9408321380615],[-84.6744537353516,11.0780544281006],[-83.9206314086914,10.7096872329712],[-83.6457977294922,10.9248466491699]],"Costa Rica"], ["Country","IV0",[[-2.68556070327759,9.4818172454834],[-2.76750040054321,9.0636100769043],[-2.4877781867981,8.19777679443359],[-2.77513909339905,7.94291591644287],[-3.24888920783997,6.61374950408936],[-3.01361131668091,5.70749950408936],[-2.76444482803345,5.57916641235352],[-2.7344446182251,5.11277770996094],[-2.92812824249268,5.10022163391113],[-2.86305570602417,5.182776927948],[-3.19791674613953,5.20736074447632],[-3.14020848274231,5.36430501937866],[-3.29798626899719,5.11916637420654],[-3.97833347320557,5.23833274841309],[-3.73472237586975,5.25916576385498],[-3.77138900756836,5.37055492401123],[-4.89388942718506,5.12861061096191],[-5.32291698455811,5.22895765304565],[-5.36048650741577,5.11847162246704],[-5.01420497894287,5.12522554397583],[-5.89750051498413,5.02013874053955],[-7.5254020690918,4.35280609130859],[-7.42569494247437,5.84555530548096],[-7.75763893127441,5.94666576385498],[-7.89777851104736,6.26194381713867],[-8.60638427734375,6.50781536102295],[-8.3088903427124,6.85805511474609],[-8.46974945068359,7.56132507324219],[-8.1864595413208,7.57305479049683],[-8.05339050292969,8.0328197479248],[-7.94683837890625,8.01850509643555],[-8.22888946533203,8.24027633666992],[-8.24101829528809,8.44654846191406],[-7.65337038040161,8.38383865356445],[-7.67347240447998,8.61527633666992],[-7.95625019073486,8.804443359375],[-7.73611164093018,9.09166526794434],[-8.14361190795898,9.53388786315918],[-8.14764022827148,9.98388767242432],[-7.97398376464844,10.1656112670898],[-7.6379861831665,10.446665763855],[-6.98805618286133,10.1474990844727],[-6.940833568573,10.3537483215332],[-6.65083360671997,10.3609714508057],[-6.64560031890869,10.6639928817749],[-6.42190980911255,10.5516653060913],[-6.2434024810791,10.7352561950684],[-6.11138916015625,10.1977767944336],[-5.51984977722168,10.4362716674805],[-5.1281943321228,10.3030548095703],[-4.70444488525391,9.69805526733398],[-4.31245613098145,9.59997177124023],[-4.12416696548462,9.82930469512939],[-3.63708353042603,9.95444297790527],[-3.20861148834229,9.90138816833496],[-2.77972269058228,9.40361022949219],[-2.68556070327759,9.4818172454834]],"Cote d'Ivory"], ["Country","IV1",[[-3.10304117202759,5.08502197265625],[-3.16870713233948,5.11430740356445],[-3.10227203369141,5.10954475402832],[-3.10304117202759,5.08502197265625]],"Cote d'Ivory"], ["Country","HR0",[[19.0397186279297,44.8613815307617],[18.634162902832,45.0833282470703],[17.8603458404541,45.0493698120117],[16.9139251708984,45.2659454345703],[16.5310935974121,45.225528717041],[16.2917594909668,44.9991149902344],[16.0224266052246,45.2143707275391],[15.7857627868652,45.1689529418945],[15.7405891418457,44.8122482299805],[16.1298599243164,44.4923553466797],[16.1454830169678,44.1986770629883],[17.2547206878662,43.4640235900879],[17.6544418334961,43.0472183227539],[17.5785255432129,42.9438247680664],[16.881664276123,43.4036064147949],[15.9883327484131,43.5044403076172],[15.9408321380615,43.6836090087891],[15.1516666412354,44.1963882446289],[15.5222902297974,44.263256072998],[14.9905548095703,44.5794372558594],[14.8315267562866,45.1154136657715],[14.4827766418457,45.3111038208008],[14.3230543136597,45.3509674072266],[13.9044437408447,44.7725639343262],[13.6030540466309,45.1577758789062],[13.591739654541,45.4816970825195],[14.3924989700317,45.4861068725586],[14.6097898483276,45.6684341430664],[14.8260936737061,45.465446472168],[15.1744575500488,45.4258193969727],[15.3158321380615,45.7566604614258],[15.6961097717285,45.8430519104004],[15.6591663360596,46.2208976745605],[16.2925071716309,46.5308151245117],[16.6078720092773,46.4762344360352],[17.6609687805176,45.8387451171875],[18.4074974060059,45.7483291625977],[18.8170204162598,45.9129638671875],[18.9566631317139,45.7824974060059],[18.9022369384766,45.5731391906738],[19.0979309082031,45.5188598632812],[18.9812602996826,45.3822212219238],[19.4249973297119,45.2179145812988],[19.1673583984375,45.2143020629883],[19.0397186279297,44.8613815307617]],"Croatia"], ["Country","HR1",[[14.7336101531982,44.9399948120117],[14.4363880157471,45.069995880127],[14.5391645431519,45.2394409179688],[14.7336101531982,44.9399948120117]],"Croatia"], ["Country","HR2",[[16.6872215270996,43.2616653442383],[16.405553817749,43.3260383605957],[16.7761077880859,43.3594436645508],[16.8872184753418,43.2977752685547],[16.6872215270996,43.2616653442383]],"Croatia"], ["Country","HR3",[[18.5031967163086,42.4494400024414],[17.0123596191406,43.0062446594238],[17.6498413085938,42.8890762329102],[18.4555549621582,42.5658264160156],[18.5031967163086,42.4494400024414]],"Croatia"], ["Country","HR4",[[16.8661079406738,42.8977737426758],[16.686107635498,42.9908294677734],[17.1836090087891,42.9186096191406],[16.8661079406738,42.8977737426758]],"Croatia"], ["Country","CU0",[[-82.8972320556641,21.4327774047852],[-83.1913986206055,21.6233997344971],[-82.9350738525391,21.5865955352783],[-83.0894470214844,21.7855529785156],[-82.9744567871094,21.9427757263184],[-82.7158355712891,21.8902740478516],[-82.5430603027344,21.5897216796875],[-82.8972320556641,21.4327774047852]],"Cuba"], ["Country","CU1",[[-78.42529296875,22.4124984741211],[-78.6934814453125,22.5331916809082],[-78.3497314453125,22.5397186279297],[-78.277717590332,22.4427757263184],[-78.42529296875,22.4124984741211]],"Cuba"], ["Country","CU2",[[-77.70556640625,21.9086074829102],[-77.9472351074219,22.098331451416],[-77.6525726318359,22.0686092376709],[-77.70556640625,21.9086074829102]],"Cuba"], ["Country","CU3",[[-78.0840148925781,22.0830993652344],[-77.4050140380859,21.6480522155762],[-77.5291748046875,21.9102745056152],[-77.1400146484375,21.652774810791],[-77.3643112182617,21.6140956878662],[-77.2658386230469,21.4808311462402],[-77.0619506835938,21.5849990844727],[-76.8986129760742,21.30930519104],[-75.616813659668,21.0704135894775],[-75.7366790771484,20.6969413757324],[-74.9850006103516,20.6933326721191],[-74.2273635864258,20.3149261474609],[-74.1325073242188,20.1936073303223],[-74.2666778564453,20.0636100769043],[-75.0852813720703,19.8930397033691],[-75.0871887207031,19.9651222229004],[-75.1397399902344,19.9628715515137],[-75.0944213867188,20.0528221130371],[-75.1676559448242,20.0121364593506],[-75.1591796875,19.960693359375],[-75.1929702758789,19.9606018066406],[-75.2264175415039,19.9244365692139],[-75.2237243652344,19.901554107666],[-76.2489013671875,19.9908332824707],[-77.7258377075195,19.8363857269287],[-77.1145935058594,20.367359161377],[-77.2363891601562,20.6630554199219],[-78.0722351074219,20.7138862609863],[-78.4951477050781,21.0318031311035],[-78.7402801513672,21.6347198486328],[-79.2319488525391,21.5411109924316],[-79.98779296875,21.7236099243164],[-80.4919586181641,22.1772193908691],[-80.89111328125,22.0397186279297],[-81.8230590820312,22.1836090087891],[-82.1626510620117,22.3952751159668],[-81.6488952636719,22.4913864135742],[-81.885009765625,22.6808319091797],[-82.7605667114258,22.7008323669434],[-83.3680648803711,22.2016639709473],[-83.9290390014648,22.1624984741211],[-84.0287628173828,21.914026260376],[-84.5011138916016,21.765552520752],[-84.4984817504883,21.934720993042],[-84.9452819824219,21.8469429016113],[-84.3380584716797,22.0122184753418],[-84.4005584716797,22.3327751159668],[-84.069938659668,22.6615257263184],[-82.2205657958984,23.1874961853027],[-80.0376434326172,22.9512481689453],[-79.259033203125,22.3726387023926],[-78.7905578613281,22.3949966430664],[-78.0840148925781,22.0830993652344]],"Cuba"], ["Country","CY0",[[32.9320983886719,35.2636260986328],[34.5860366821289,35.688606262207],[33.92138671875,35.2727737426758],[34.0852737426758,34.9616622924805],[33.6813850402832,34.9668006896973],[33.3690223693848,34.7265243530273],[32.7138824462891,34.6402740478516],[32.4058265686035,34.7498588562012],[32.2786102294922,35.0954132080078],[32.9320983886719,35.2636260986328]],"Cyprus"], ["Country","EZ0",[[18.851245880127,49.5173568725586],[18.5659008026123,49.4936752319336],[17.7122192382812,48.8561096191406],[17.1879081726074,48.8694458007812],[16.9461822509766,48.6190643310547],[16.5405540466309,48.8123588562012],[16.1033325195312,48.75],[15.0286102294922,49.0187454223633],[14.7002801895142,48.5813789367676],[13.833610534668,48.7736053466797],[12.6744441986084,49.4249954223633],[12.4555549621582,49.6955490112305],[12.5459718704224,49.9095802307129],[12.0937042236328,50.3225326538086],[12.323055267334,50.2066650390625],[12.5154151916504,50.3924942016602],[12.9855575561523,50.418327331543],[14.3113880157471,50.8822174072266],[14.306248664856,51.0524940490723],[14.828332901001,50.8658294677734],[15.1769428253174,51.0147171020508],[15.3797197341919,50.7794418334961],[16.3320121765137,50.6640243530273],[16.447359085083,50.5788154602051],[16.2190265655518,50.4102745056152],[16.6399974822998,50.10888671875],[17.0022201538086,50.2169418334961],[16.8909683227539,50.4386749267578],[17.7244415283203,50.3190231323242],[17.6577758789062,50.1080551147461],[18.5787467956543,49.9122200012207],[18.851245880127,49.5173568725586]],"Czech Republic"], ["Country","DA0",[[10.006664276123,57.0914764404297],[9.11554908752441,57.0527725219727],[8.67659568786621,56.9481201171875],[8.41579723358154,56.6781272888184],[8.57906150817871,56.687671661377],[8.54590129852295,56.5851707458496],[8.24416542053223,56.7043037414551],[8.2601375579834,56.8277740478516],[8.61847114562988,57.121524810791],[9.01722145080566,57.1536102294922],[9.46624851226807,57.1788864135742],[9.95770645141602,57.5862464904785],[10.6459531784058,57.7362670898438],[10.4318046569824,57.5856895446777],[10.5302762985229,57.2225646972656],[10.336615562439,56.9916648864746],[10.006664276123,57.0914764404297]],"Denmark"], ["Country","DA1",[[8.6645450592041,54.9130935668945],[8.67610931396484,55.1141662597656],[8.45763778686523,55.1272201538086],[8.68902683258057,55.140064239502],[8.61819362640381,55.4311065673828],[8.09291553497314,55.5562057495117],[8.12770748138428,55.983814239502],[8.19138717651367,55.8106918334961],[8.39569282531738,55.894718170166],[8.26291561126709,56.0788841247559],[8.10833168029785,56.0177764892578],[8.16069412231445,56.6455497741699],[8.74020671844482,56.4901313781738],[8.68083190917969,56.6178436279297],[9.07278347015381,56.8076133728027],[9.06291580200195,56.5657577514648],[9.31826210021973,56.5254096984863],[9.17819976806641,56.9160308837891],[9.72213268280029,57.0224151611328],[9.97427368164062,57.0717315673828],[10.2586393356323,56.9955673217773],[10.3118906021118,56.9813041687012],[10.3052768707275,56.7480545043945],[9.86638832092285,56.650276184082],[10.3430547714233,56.6926345825195],[10.1877765655518,56.4686050415039],[10.308666229248,56.5781593322754],[10.9619436264038,56.4422187805176],[10.7449989318848,56.1638870239258],[10.519721031189,56.0997200012207],[10.3556928634644,56.1974945068359],[10.4486103057861,56.2919387817383],[10.2393665313721,56.172607421875],[10.1845817565918,55.8281898498535],[9.8695821762085,55.8437461853027],[10.0444431304932,55.8156890869141],[9.99277687072754,55.7049942016602],[9.55458164215088,55.7029800415039],[9.81916618347168,55.6047210693359],[9.67369651794434,55.5009727478027],[9.5897216796875,55.4181900024414],[9.67715167999268,55.1911735534668],[9.46152591705322,55.1221466064453],[9.76611042022705,54.8963851928711],[9.44535827636719,54.8254013061523],[8.6645450592041,54.9130935668945]],"Denmark"], ["Country","DA2",[[8.65527725219727,56.6741638183594],[8.54611015319824,56.793327331543],[8.91083145141602,56.9483261108398],[8.65527725219727,56.6741638183594]],"Denmark"], ["Country","DA3",[[12.5588750839233,55.8672370910645],[12.5979843139648,55.702564239502],[12.1923599243164,55.4824256896973],[12.4622211456299,55.2895774841309],[12.0255546569824,55.1694412231445],[12.1787490844727,55.1184692382812],[12.0719432830811,54.9686050415039],[11.7305545806885,55.0605545043945],[11.7308330535889,55.2036056518555],[11.245415687561,55.202075958252],[11.0863885879517,55.6663856506348],[10.8797206878662,55.7342987060547],[11.3433322906494,55.7474975585938],[11.5161104202271,55.895133972168],[11.2733325958252,55.9916610717773],[11.7683324813843,55.9634704589844],[11.6705551147461,55.8141632080078],[11.7944402694702,55.6616592407227],[11.9141645431519,55.9297180175781],[12.0529050827026,55.7511100769043],[12.0409708023071,55.9216651916504],[11.8470821380615,55.9555549621582],[12.2905540466309,56.1288833618164],[12.6172904968262,56.0401344299316],[12.5588750839233,55.8672370910645]],"Denmark"], ["Country","DA4",[[9.68819522857666,55.4982452392578],[10.0003042221069,55.5412635803223],[10.318470954895,55.6144409179688],[10.4737491607666,55.4376335144043],[10.6602764129639,55.5876350402832],[10.7833318710327,55.1240921020508],[10.1527767181396,55.0844421386719],[9.68311595916748,55.4941177368164],[9.67972087860107,55.4970779418945],[9.68819522857666,55.4982452392578]],"Denmark"], ["Country","DA5",[[15.0424995422363,54.9947204589844],[14.6787490844727,55.100830078125],[14.7452754974365,55.2940254211426],[15.1376371383667,55.1413879394531],[15.0424995422363,54.9947204589844]],"Denmark"], ["Country","DA6",[[10.7147216796875,54.7249984741211],[10.6819438934326,54.9086074829102],[10.9520826339722,55.1593017578125],[10.7147216796875,54.7249984741211]],"Denmark"], ["Country","DA7",[[10,54.9837188720703],[10.0693044662476,54.8738784790039],[9.93166542053223,54.861385345459],[9.63145732879639,55.0490226745605],[10,54.9837188720703]],"Denmark"], ["Country","DA8",[[12.1836109161377,54.8802719116211],[12.3119430541992,55.035270690918],[12.5564575195312,54.9637451171875],[12.1836109161377,54.8802719116211]],"Denmark"], ["Country","DA9",[[10.9898910522461,54.7908477783203],[11.2397212982178,54.9572219848633],[11.6569442749023,54.9038848876953],[11.8572206497192,54.6863822937012],[11.4549293518066,54.6198577880859],[10.9898910522461,54.7908477783203]],"Denmark"], ["Country","DA10",[[11.8505868911743,54.9547843933105],[12.1681928634644,54.837703704834],[11.9668045043945,54.561939239502],[11.7109718322754,54.9391632080078],[11.8505868911743,54.9547843933105]],"Denmark"], ["Country","DJ0",[[42.3997192382812,12.4697208404541],[42.6986083984375,12.3638877868652],[43.1213836669922,12.7083320617676],[43.4044418334961,12.0388870239258],[42.5086059570312,11.5672206878662],[43.2492218017578,11.4695339202881],[42.944091796875,11.0024375915527],[41.7897186279297,11.0080547332764],[41.8290214538574,11.7409715652466],[42.3997192382812,12.4697208404541]],"Djibouti"], ["Country","DO0",[[-61.3636169433594,15.198055267334],[-61.4522247314453,15.6319427490234],[-61.2533340454102,15.4613876342773],[-61.3636169433594,15.198055267334]],"Dominica"], ["Country","DR0",[[-71.7541809082031,19.7058296203613],[-71.6658401489258,19.8937473297119],[-70.9944534301758,19.9306926727295],[-70.2908477783203,19.6491641998291],[-69.9493179321289,19.6768035888672],[-69.7559814453125,19.2908325195312],[-69.1579284667969,19.2949981689453],[-69.2300109863281,19.1802749633789],[-69.6157684326172,19.2243728637695],[-69.6201477050781,19.0884704589844],[-68.9238967895508,19.0298595428467],[-68.3229293823242,18.599027633667],[-68.6460494995117,18.205623626709],[-68.8952789306641,18.3963851928711],[-69.8847274780273,18.4690265655518],[-70.1541748046875,18.2330551147461],[-70.5075073242188,18.1947212219238],[-70.6919479370117,18.4323596954346],[-71.0812530517578,18.299165725708],[-71.4238891601562,17.6041660308838],[-71.7678680419922,18.038501739502],[-71.6947326660156,18.3222198486328],[-72.0030670166016,18.600830078125],[-71.7158355712891,18.7497215270996],[-71.6291809082031,19.2197208404541],[-71.7541809082031,19.7058296203613]],"Dominican Republic"], ["Country","TM0",[[124.95189666748,-8.95012664794922],[125.229431152344,-8.60972213745117],[127.004989624023,-8.32444381713867],[127.30835723877,-8.40964412689209],[126.474563598633,-8.95111083984375],[125.129417419434,-9.43528652191162],[124.966300964355,-9.22131061553955],[125.159698486328,-9.06810283660889],[124.95189666748,-8.95012664794922]],"East Timor"], ["Country","TM1",[[124.046096801758,-9.34000015258789],[124.46280670166,-9.18440914154053],[124.340400695801,-9.46166038513184],[124.046096801758,-9.34000015258789]],"East Timor"], ["Country","EC0",[[-78.8097229003906,1.43777775764465],[-78.1000061035156,0.915972173213959],[-77.6783447265625,0.837222218513489],[-77.3794555664062,0.384722173213959],[-76.5451507568359,0.219166651368141],[-76.2430572509766,0.39555549621582],[-75.2858428955078,-0.119722232222557],[-75.6158142089844,-0.10652032494545],[-75.244384765625,-0.560972213745117],[-75.2168426513672,-0.969366431236267],[-75.4022369384766,-0.922777891159058],[-75.5639495849609,-1.53995656967163],[-76.6606292724609,-2.57213497161865],[-77.8595886230469,-2.98583364486694],[-78.181396484375,-3.47222232818604],[-78.3294525146484,-3.41722249984741],[-78.6668090820312,-4.55486154556274],[-79.0366668701172,-4.99555587768555],[-79.2857055664062,-4.96458387374878],[-79.6432037353516,-4.43541717529297],[-80.1345977783203,-4.28449058532715],[-80.4637603759766,-4.44180631637573],[-80.3402786254883,-4.19951438903809],[-80.5016784667969,-4.05027866363525],[-80.1533355712891,-3.88422775268555],[-80.3404235839844,-3.38051700592041],[-79.8922271728516,-3.05888891220093],[-79.7268142700195,-2.59694457054138],[-79.8441009521484,-2.37819457054138],[-79.7629241943359,-2.0140278339386],[-79.9058380126953,-2.5593056678772],[-80.0647277832031,-2.5733335018158],[-80.0254898071289,-2.3421528339386],[-80.2522277832031,-2.73319458961487],[-80.8900146484375,-2.32055568695068],[-80.9766693115234,-2.1850004196167],[-80.7309799194336,-1.93791675567627],[-80.9127883911133,-1.03652787208557],[-80.5760498046875,-0.897708415985107],[-80.4332656860352,-0.569513976573944],[-80.2697219848633,-0.625381946563721],[-80.5011825561523,-0.372569471597672],[-80.069450378418,0.0604166612029076],[-80.0491027832031,0.831249952316284],[-78.9994506835938,1.17222213745117],[-78.8097229003906,1.43777775764465]],"Ecuador"], ["Country","EC1",[[-91.2553558349609,-4.33680868994202e-19],[-90.8108367919922,-0.732500076293945],[-90.9265975952148,-0.967500030994415],[-91.1650085449219,-1.03263902664185],[-91.4929275512695,-0.918750047683716],[-91.0836791992188,-0.589757025241852],[-91.4360427856445,-0.0179166700690985],[-91.604866027832,-0.0102777788415551],[-91.3918151855469,0.124722205102444],[-91.2553558349609,-4.33680868994202e-19]],"Ecuador"], ["Country","EC2",[[-90.6058349609375,-0.375555574893951],[-90.826530456543,-0.337916702032089],[-90.8347320556641,-0.176944464445114],[-90.5988922119141,-0.231666684150696],[-90.6058349609375,-0.375555574893951]],"Ecuador"], ["Country","EC3",[[-91.4989013671875,-0.496111154556274],[-91.6638946533203,-0.316111147403717],[-91.4690322875977,-0.249444484710693],[-91.4989013671875,-0.496111154556274]],"Ecuador"], ["Country","EC4",[[-90.338623046875,-0.781388998031616],[-90.5395889282227,-0.691944479942322],[-90.4880676269531,-0.528333425521851],[-90.1870956420898,-0.546250104904175],[-90.338623046875,-0.781388998031616]],"Ecuador"], ["Country","EC5",[[-89.5333404541016,-0.958611130714417],[-89.6175079345703,-0.897916674613953],[-89.2572326660156,-0.689444482326508],[-89.5333404541016,-0.958611130714417]],"Ecuador"], ["Country","EC6",[[-80.2113952636719,-3.03666687011719],[-80.2080688476562,-2.72611141204834],[-79.9027862548828,-2.722083568573],[-80.2113952636719,-3.03666687011719]],"Ecuador"], ["Country","EG0",[[34.2166595458984,31.3233299255371],[34.267578125,31.2165412902832],[34.9038009643555,29.4867057800293],[34.2544403076172,27.7286109924316],[33.2427749633789,28.554443359375],[33.1725616455078,28.9950675964355],[32.7413864135742,29.454719543457],[32.5756187438965,30.00270652771],[32.3408279418945,29.5948600769043],[32.5963821411133,29.3405532836914],[32.688606262207,28.8677749633789],[33.5588836669922,27.8830528259277],[33.4947204589844,27.6438865661621],[33.8373565673828,27.2366638183594],[33.9383277893066,26.6552753448486],[35.1386108398438,24.5174980163574],[35.8111763000488,23.9070110321045],[35.4858322143555,23.9429149627686],[35.668888092041,22.9706935882568],[36.8884658813477,22.0001106262207],[31.4602756500244,21.9981937408447],[31.4483318328857,22.2322196960449],[31.2743034362793,21.9987487792969],[25.0014228820801,21.9996948242188],[24.9977760314941,29.2488861083984],[24.7068042755127,30.1591644287109],[25.0174961090088,30.789234161377],[24.8681221008301,31.3708305358887],[25.1516647338867,31.6469421386719],[25.3144416809082,31.5014553070068],[25.9472198486328,31.6177749633789],[27.3231925964355,31.3761081695557],[27.4388885498047,31.2227745056152],[27.8441638946533,31.2437496185303],[27.92138671875,31.0980529785156],[28.4297218322754,31.0788879394531],[29.0694427490234,30.821662902832],[30.0644416809082,31.3202743530273],[30.2897186279297,31.2373580932617],[30.3554496765137,31.5028438568115],[30.9561100006104,31.5756931304932],[30.5441665649414,31.3931922912598],[30.9024963378906,31.4202766418457],[31.1264553070068,31.4966640472412],[31.0122203826904,31.5970115661621],[31.556941986084,31.4422187805176],[31.8940162658691,31.5391445159912],[31.9210433959961,31.5316028594971],[32.0498962402344,31.3788623809814],[32.2024917602539,31.2909336090088],[32.0630989074707,31.3581199645996],[31.9920711517334,31.4014911651611],[31.9096527099609,31.527515411377],[31.8607025146484,31.5152606964111],[31.7774620056152,31.2773933410645],[32.14306640625,31.0741653442383],[32.2797889709473,31.124303817749],[32.2147521972656,31.2824268341064],[32.711799621582,31.0335388183594],[34.2166595458984,31.3233299255371]],"Egypt"], ["Country","ES0",[[-87.8155822753906,13.4053859710693],[-87.9377899169922,13.1563873291016],[-88.5350646972656,13.1991100311279],[-89.8185424804688,13.5357971191406],[-90.0963897705078,13.7458324432373],[-89.5181655883789,14.2338523864746],[-89.5709762573242,14.4147214889526],[-89.3483123779297,14.4319820404053],[-88.4679260253906,13.8547210693359],[-88.1219482421875,13.9905548095703],[-87.7502899169922,13.8641662597656],[-87.8155822753906,13.4053859710693]],"El Salvador"], ["Country","EK0",[[8.86610794067383,3.51721906661987],[8.69527626037598,3.19944429397583],[8.44610977172852,3.27444410324097],[8.68610954284668,3.74166631698608],[8.93555450439453,3.73666620254517],[8.86610794067383,3.51721906661987]],"Equatorial Guinea"], ["Country","EK1",[[9.81176376342773,2.34369802474976],[10.0209712982178,2.16819429397583],[11.3397636413574,2.1686110496521],[11.3538875579834,1.00194430351257],[9.80397605895996,1.00260829925537],[9.360276222229,1.17472207546234],[9.813401222229,1.92979156970978],[9.81176376342773,2.34369802474976]],"Equatorial Guinea"], ["Country","ER0",[[40,15.8857774734497],[40.4170761108398,15.5748605728149],[39.9808311462402,15.602915763855],[40,15.8857774734497]],"Eritrea"], ["Country","ER1",[[43.1213836669922,12.7083320617676],[42.6986083984375,12.3638877868652],[42.3997192382812,12.4697208404541],[40.8027038574219,14.1530542373657],[40.2280578613281,14.4435062408447],[39.5313873291016,14.5655536651611],[39.263053894043,14.4736099243164],[39.0240211486816,14.655161857605],[38.4489555358887,14.4187488555908],[37.9113845825195,14.8836097717285],[37.5722122192383,14.1022529602051],[37.287841796875,14.4518737792969],[36.9997863769531,14.2615261077881],[36.5428161621094,14.2620525360107],[36.4432830810547,15.1499519348145],[36.966869354248,16.2599277496338],[36.9938125610352,17.0648937225342],[37.4232864379883,17.0342140197754],[37.5120697021484,17.3211803436279],[38.257495880127,17.5327739715576],[38.6006927490234,17.9948806762695],[39.7180519104004,15.0880546569824],[39.8813858032227,15.4894428253174],[40.1754112243652,14.9711103439331],[40.4548568725586,15.007776260376],[40.8072204589844,14.7055549621582],[41.1722183227539,14.6306934356689],[41.6772193908691,13.9363880157471],[42.2845802307129,13.5734710693359],[42.3738136291504,13.2179155349731],[43.1213836669922,12.7083320617676]],"Eritrea"], ["Country","EN0",[[22.5652732849121,58.686653137207],[22.044303894043,58.942626953125],[22.5758285522461,59.068603515625],[22.9297180175781,58.9824905395508],[23.0452766418457,58.8363800048828],[22.5652732849121,58.686653137207]],"Estonia"], ["Country","EN1",[[23.2474594116211,58.6710510253906],[23.376106262207,58.5330505371094],[23.059024810791,58.6045799255371],[23.2474594116211,58.6710510253906]],"Estonia"], ["Country","EN2",[[22.0377769470215,57.9083251953125],[22.194091796875,58.1452369689941],[21.8445091247559,58.2891616821289],[22.0069427490234,58.3566589355469],[21.8373565673828,58.506664276123],[22.9112453460693,58.6167984008789],[23.3281898498535,58.4469375610352],[22.3729133605957,58.221378326416],[22.0377769470215,57.9083251953125]],"Estonia"], ["Country","EN3",[[28.0158309936523,59.4785995483398],[28.1642951965332,59.3037147521973],[27.9164905548096,59.2736625671387],[27.4283275604248,58.8158950805664],[27.475757598877,58.2131156921387],[27.8202037811279,57.8674240112305],[27.5486087799072,57.8186073303223],[27.3720588684082,57.5356369018555],[26.9022178649902,57.6334648132324],[26.5113868713379,57.5261001586914],[25.2978439331055,58.0832557678223],[24.3149795532227,57.871826171875],[24.5545101165771,58.3247146606445],[24.3308296203613,58.386661529541],[24.1036071777344,58.2355422973633],[23.7286071777344,58.3708267211914],[23.495548248291,58.6941528320312],[23.8642330169678,58.7730484008789],[23.4830513000488,58.8099899291992],[23.4383277893066,58.9399871826172],[23.6366634368896,58.974292755127],[23.4104137420654,59.0156860351562],[23.5052738189697,59.2267951965332],[24.7959690093994,59.5649948120117],[25.3992099761963,59.4882316589355],[25.477424621582,59.6580467224121],[26.9727725982666,59.4444351196289],[28.0158309936523,59.4785995483398]],"Estonia"], ["Country","ET0",[[41.9051666259766,3.98032188415527],[41.1605529785156,3.94583320617676],[40.7837677001953,4.2879753112793],[39.8666610717773,3.86944437026978],[39.5190238952637,3.40930533409119],[38.1211090087891,3.61166620254517],[37.0397186279297,4.37555503845215],[36.045295715332,4.4470796585083],[35.9405517578125,4.62249946594238],[35.7744369506836,4.79861068725586],[35.821662902832,5.32861042022705],[35.303050994873,5.37736082077026],[34.704719543457,6.67777729034424],[33.7124938964844,7.65847158432007],[33.0522193908691,7.79069375991821],[32.9917984008789,7.92604112625122],[33.2635383605957,8.46152687072754],[33.7713241577148,8.36774826049805],[34.1216621398926,8.57958221435547],[34.0858306884766,9.55305480957031],[34.3483276367188,10.238471031189],[34.2861099243164,10.5541648864746],[34.5944442749023,10.8877773284912],[34.8005523681641,10.723331451416],[34.9752731323242,10.8644428253174],[35.0836067199707,11.8055543899536],[35.7010803222656,12.6661148071289],[36.1425437927246,12.7148542404175],[36.5428161621094,14.2620525360107],[36.9997863769531,14.2615261077881],[37.287841796875,14.4518737792969],[37.5722122192383,14.1022529602051],[37.9113845825195,14.8836097717285],[38.4489555358887,14.4187488555908],[39.0240211486816,14.655161857605],[39.263053894043,14.4736099243164],[39.5313873291016,14.5655536651611],[40.2280578613281,14.4435062408447],[40.8027038574219,14.1530542373657],[42.3997192382812,12.4697208404541],[41.8290214538574,11.7409715652466],[41.7897186279297,11.0080547332764],[42.944091796875,11.0024375915527],[42.6647872924805,10.6329145431519],[42.8506927490234,10.219443321228],[43.4416618347168,9.41763782501221],[44.0105514526367,9.00722122192383],[47.0119400024414,8.0011100769043],[47.9882431030273,8.00410652160645],[44.9508285522461,4.90249919891357],[43.6863861083984,4.89194393157959],[43.1581916809082,4.66638851165771],[42.8556900024414,4.30472183227539],[42.1177749633789,4.19388866424561],[41.9051666259766,3.98032188415527]],"Ethiopia"], ["Country","FK0",[[-58.9947280883789,-51.8066711425781],[-59.1682662963867,-51.5852813720703],[-58.8486175537109,-51.291389465332],[-58.4125061035156,-51.3234062194824],[-58.3245887756348,-51.4160804748535],[-58.5502853393555,-51.4336166381836],[-58.2413940429688,-51.6501426696777],[-58.2747955322266,-51.4137535095215],[-57.9154205322266,-51.3752822875977],[-57.7729225158691,-51.5437545776367],[-58.1389617919922,-51.549861907959],[-57.7331962585449,-51.6944465637207],[-58.4200019836426,-51.9006996154785],[-58.9355583190918,-51.8012542724609],[-58.6469497680664,-52.0672225952148],[-59.2516708374023,-51.9911117553711],[-59.0506973266602,-52.2175025939941],[-59.4497947692871,-52.1467399597168],[-59.3480606079102,-52.3430557250977],[-59.716121673584,-52.117374420166],[-59.2212524414062,-51.7170867919922],[-58.9947280883789,-51.8066711425781]],"Falkland Is."], ["Country","FK1",[[-60.3452835083008,-51.86083984375],[-60.1784782409668,-51.7122268676758],[-60.6384086608887,-51.6797256469727],[-60.1636123657227,-51.6711158752441],[-60.6436157226562,-51.3580589294434],[-60.1272239685059,-51.4947280883789],[-60.0231971740723,-51.3812561035156],[-59.211669921875,-51.4081993103027],[-60.3680572509766,-52.1591720581055],[-60.624584197998,-52.2431983947754],[-60.9808349609375,-52.0619506835938],[-60.4397239685059,-51.962085723877],[-60.4403495788574,-51.7828483581543],[-60.3452835083008,-51.86083984375]],"Falkland Is."], ["Country","FK2",[[-60.9930572509766,-51.9658355712891],[-61.1391677856445,-51.8352813720703],[-60.8908386230469,-51.8258361816406],[-60.9930572509766,-51.9658355712891]],"Falkland Is."], ["Country","FO0",[[-6.65750026702881,62.0558319091797],[-7.06027793884277,62.313606262207],[-6.59944486618042,62.1955490112305],[-6.65750026702881,62.0558319091797]],"Faroe Is."], ["Country","FO1",[[-7.0339560508728,62.112735748291],[-7.23423671722412,62.177074432373],[-7.21083354949951,62.2847213745117],[-6.84112215042114,62.1240043640137],[-6.71777820587158,61.9333267211914],[-7.0339560508728,62.112735748291]],"Faroe Is."], ["Country","FO2",[[-7.20166683197021,62.0186080932617],[-7.43034791946411,62.1433296203613],[-7.07200956344604,62.1005096435547],[-7.05611133575439,62.0986099243164],[-7.06159639358521,62.0955963134766],[-7.20166683197021,62.0186080932617]],"Faroe Is."], ["Country","FO3",[[-6.6602783203125,61.3883285522461],[-6.96138906478882,61.6209678649902],[-6.7266674041748,61.574577331543],[-6.6602783203125,61.3883285522461]],"Faroe Is."], ["Country","FJ0",[[179.99,-16.1727409362793],[179.481491088867,-16.6969432830811],[179.93864440918,-16.4679489135742],[179.900115966797,-16.7701416015625],[179.331909179688,-16.8022232055664],[179.270462036133,-16.6913185119629],[178.747192382812,-17.0119476318359],[178.492172241211,-16.8044452667236],[178.981903076172,-16.4697189331055],[179.99,-16.1727409362793]],"Fiji"], ["Country","FJ1",[[177.473022460938,-18.1627769470215],[177.258041381836,-17.8720836639404],[177.624664306641,-17.4447212219238],[178.190795898438,-17.3025016784668],[178.594680786133,-17.6394443511963],[178.694839477539,-18.0520839691162],[178.588287353516,-18.1352767944336],[178.019134521484,-18.2677803039551],[177.473022460938,-18.1627769470215]],"Fiji"], ["Country","FJ2",[[178.094116210938,-19.1627769470215],[177.952178955078,-19.1295833587646],[178.179275512695,-18.9849281311035],[178.494323730469,-18.9747886657715],[178.094116210938,-19.1627769470215]],"Fiji"], ["Country","FI0",[[19.9438858032227,60.0427703857422],[19.6484699249268,60.259578704834],[19.812915802002,60.1866645812988],[19.9373588562012,60.2918014526367],[19.8249969482422,60.392219543457],[20.2774963378906,60.2741622924805],[20.1669425964355,60.1630516052246],[20.025276184082,60.3105545043945],[19.9438858032227,60.0427703857422]],"Finland"], ["Country","FI1",[[24.1670074462891,65.8140258789062],[23.6624965667725,66.3122100830078],[24.0007610321045,66.8022842407227],[23.5733299255371,67.1570053100586],[23.76513671875,67.4168701171875],[23.4308300018311,67.4797821044922],[23.4888153076172,67.870964050293],[23.6597900390625,67.9458923339844],[22.8266639709473,68.3859634399414],[22.0486087799072,68.4815216064453],[20.5809288024902,69.060302734375],[21.0634708404541,69.0367965698242],[21.0302753448486,69.2105484008789],[21.3208312988281,69.3261108398438],[21.681941986084,69.2847137451172],[22.3983306884766,68.7111053466797],[23.1963882446289,68.6298522949219],[23.9763870239258,68.8324890136719],[24.9349174499512,68.580810546875],[25.7611083984375,68.9891662597656],[25.7133331298828,69.2552642822266],[25.9833316802979,69.7042999267578],[26.4768047332764,69.9363784790039],[27.9106922149658,70.0886077880859],[28.3797187805176,69.8274993896484],[29.127498626709,69.6858215332031],[29.298469543457,69.4853363037109],[28.8254146575928,69.2361679077148],[28.9573402404785,69.0516204833984],[28.4355525970459,68.9026336669922],[28.8173580169678,68.8470001220703],[28.4598579406738,68.5348510742188],[28.6949977874756,68.1954116821289],[29.3569412231445,68.0824890136719],[30.0286102294922,67.6947174072266],[29.0751361846924,66.9036026000977],[29.9037475585938,66.1338806152344],[30.1349277496338,65.7088775634766],[29.8188858032227,65.6533203125],[29.6020469665527,65.2444381713867],[29.869441986084,65.119987487793],[29.6211776733398,65.0523529052734],[29.6408309936523,64.9209671020508],[30.1427764892578,64.7720718383789],[30.2068729400635,64.6633224487305],[29.9764556884766,64.5789489746094],[30.0615234375,64.4053421020508],[30.5773582458496,64.2237396240234],[30.5952758789062,64.0469360351562],[29.9989547729492,63.7353401184082],[31.2197189331055,63.2230529785156],[31.5819625854492,62.9078979492188],[31.2581920623779,62.5082588195801],[27.8078308105469,60.5464019775391],[26.5636100769043,60.4280548095703],[26.5690097808838,60.5563583374023],[26.4165267944336,60.3916625976562],[26.0550670623779,60.4227714538574],[26.0787487030029,60.2940254211426],[25.8381938934326,60.3984680175781],[25.9216632843018,60.2437438964844],[25.6574974060059,60.3612480163574],[24.4724979400635,59.9904136657715],[23.4315948486328,59.9538154602051],[23.5374965667725,60.0675621032715],[23.249303817749,59.8379135131836],[22.900276184082,59.8068008422852],[23.335693359375,60.0239524841309],[23.1092319488525,59.925651550293],[23.2548599243164,60.0370788574219],[22.8744430541992,60.1455535888672],[23.0846500396729,60.3452033996582],[22.5984668731689,60.2204055786133],[22.5654735565186,60.2119369506836],[22.5398693084717,60.2186393737793],[22.4493026733398,60.2423553466797],[22.626594543457,60.380443572998],[21.3586082458496,60.6536102294922],[21.554443359375,61.309440612793],[21.4688873291016,61.5565223693848],[21.6638870239258,61.5402755737305],[21.2845821380615,61.9463844299316],[21.3716659545898,62.2599945068359],[21.0659694671631,62.5979804992676],[21.4355525970459,63.0347175598145],[21.6765956878662,63.020133972168],[21.4968719482422,63.2035369873047],[22.3399982452393,63.2765235900879],[22.1878452301025,63.4451332092285],[22.2881927490234,63.525691986084],[23.3188858032227,63.8966598510742],[24.3393039703369,64.5216598510742],[24.5395812988281,64.7991561889648],[25.3194427490234,64.8177642822266],[25.1893043518066,64.9640197753906],[25.4442329406738,64.9533920288086],[25.2674980163574,65.1699981689453],[25.3037490844727,65.51513671875],[24.6691665649414,65.6547088623047],[24.553539276123,65.7620010375977],[24.6891632080078,65.8961029052734],[24.1670074462891,65.8140258789062]],"Finland"], ["Country","FI2",[[22.6011085510254,59.9833297729492],[22.446662902832,60.2158317565918],[22.5828075408936,60.2015190124512],[22.8244438171387,60.2272186279297],[22.6011085510254,59.9833297729492]],"Finland"], ["Country","FR0",[[8.65944290161133,42.0083312988281],[8.6652774810791,42.5111083984375],[9.2888879776001,42.6749954223633],[9.34680366516113,43.0004119873047],[9.45958232879639,42.9880485534668],[9.55256843566895,42.1183319091797],[9.21965217590332,41.3672866821289],[8.79041481018066,41.5578422546387],[8.91711711883545,41.6856880187988],[8.72583198547363,41.7294387817383],[8.80236053466797,41.9004135131836],[8.62722206115723,41.9066619873047],[8.65944290161133,42.0083312988281]],"France"], ["Country","FR1",[[-2.14007258415222,47.2536697387695],[-2.53965282440186,47.2980537414551],[-2.36708354949951,47.5015258789062],[-2.83187532424927,47.4972839355469],[-2.70027804374695,47.637077331543],[-3.1250696182251,47.5954093933105],[-3.13263916969299,47.4766616821289],[-3.21694469451904,47.6505508422852],[-3.98222255706787,47.8897171020508],[-4.36736154556274,47.8087425231934],[-4.72223806381226,48.039176940918],[-4.28291702270508,48.1165237426758],[-4.54659748077393,48.1744384765625],[-4.56535005569458,48.3227577209473],[-4.76062536239624,48.3349952697754],[-4.77666711807251,48.5111045837402],[-4.35416698455811,48.6741638183594],[-3.58243060112,48.6777725219727],[-3.53666687011719,48.8258285522461],[-3.22611141204834,48.8695793151855],[-2.68527793884277,48.5016632080078],[-2.30722236633301,48.6761093139648],[-1.97611117362976,48.5130500793457],[-1.98805570602417,48.6869430541992],[-1.36888909339905,48.6436080932617],[-1.56256949901581,48.7489547729492],[-1.60972237586975,49.2149963378906],[-1.94208347797394,49.7215919494629],[-1.26416683197021,49.6841659545898],[-1.10958349704742,49.3694381713867],[-0.228333353996277,49.2836074829102],[0.424722194671631,49.45166015625],[0.0758333206176758,49.5225677490234],[0.185972198843956,49.7040252685547],[1.46111106872559,50.1241607666016],[1.62499976158142,50.8777770996094],[2.54166650772095,51.0911102294922],[2.65055513381958,50.8161087036133],[3.15857601165771,50.784366607666],[3.29708290100098,50.524299621582],[4.16499996185303,50.2830505371094],[4.14923763275146,49.9783706665039],[4.51055526733398,49.9474945068359],[4.82472372055054,50.1675682067871],[4.8684720993042,49.8022193908691],[5.47277736663818,49.5088844299316],[5.80788040161133,49.5450439453125],[6.36217021942139,49.4593887329102],[6.72923564910889,49.1676330566406],[7.42555522918701,49.1764526367188],[8.22607803344727,48.9644165039062],[7.80222129821777,48.5758285522461],[7.57837867736816,48.1171989440918],[7.5882682800293,47.5844802856445],[7.38541650772095,47.4333305358887],[6.99055480957031,47.4972152709961],[6.97166633605957,47.2919387817383],[6.12867975234985,46.5880508422852],[6.11555528640747,46.2615242004395],[5.96701335906982,46.2072868347168],[6.1332631111145,46.1497840881348],[6.29555511474609,46.3941650390625],[6.73777770996094,46.4474945068359],[6.78347206115723,46.1547164916992],[7.03805446624756,45.9319381713867],[6.79934597015381,45.7886657714844],[7.14694404602051,45.430549621582],[7.12777709960938,45.2593002319336],[6.62396717071533,45.11572265625],[7.03166580200195,44.8313827514648],[6.8527774810791,44.5408325195312],[6.9763879776001,44.2841644287109],[7.66222190856934,44.1708297729492],[7.53193473815918,43.7820434570312],[7.43929290771484,43.7575225830078],[7.40279817581177,43.7588195800781],[7.39160919189453,43.7275466918945],[6.63638877868652,43.3111038208008],[6.64166641235352,43.1849975585938],[6.1652774810791,43.0505523681641],[5.0395827293396,43.3479118347168],[5.23152732849121,43.4658317565918],[5.02416610717773,43.5526351928711],[4.81505537033081,43.3992156982422],[4.70749950408936,43.572078704834],[4.65277767181396,43.3597183227539],[3.96472215652466,43.5408325195312],[3.08138847351074,43.0694427490234],[2.96131896972656,42.8422164916992],[3.17765474319458,42.4368057250977],[2.02055525779724,42.3526344299316],[1.72361087799072,42.5094375610352],[1.7386109828949,42.6163864135742],[1.44583320617676,42.6019439697266],[0.716111063957214,42.8588829040527],[0.675506472587585,42.6884841918945],[-0.555833399295807,42.7799987792969],[-0.754097282886505,42.9643707275391],[-1.43951404094696,43.049373626709],[-1.38513898849487,43.2525634765625],[-1.78087663650513,43.3599243164062],[-1.44388890266418,43.6405487060547],[-1.20861124992371,44.6258316040039],[-1.04062509536743,44.6749267578125],[-1.24583339691162,44.6753425598145],[-1.08944451808929,45.5586051940918],[-0.539930582046509,44.895622253418],[-0.781527876853943,45.4665222167969],[-1.23885822296143,45.7062149047852],[-1.07097232341766,45.9039497375488],[-1.11463451385498,46.3165817260742],[-1.78638911247253,46.4883270263672],[-2.12541699409485,46.8309707641602],[-1.9858717918396,47.0369300842285],[-2.17083358764648,47.1266632080078],[-2.14007258415222,47.2536697387695]],"France"], ["Country","FG0",[[-51.6840667724609,4.03416347503662],[-52.3449401855469,3.15740346908569],[-52.5944519042969,2.47388887405396],[-52.8964614868164,2.20680522918701],[-53.7461128234863,2.37097191810608],[-54.1096572875977,2.11347198486328],[-54.6037826538086,2.32919454574585],[-54.20458984375,2.77499961853027],[-54.2061157226562,3.14527750015259],[-54.0011138916016,3.44833326339722],[-54.360767364502,4.04242992401123],[-54.4777793884277,4.75416612625122],[-54.1666793823242,5.34740257263184],[-53.8586120605469,5.75541639328003],[-52.9377822875977,5.45833301544189],[-52.0234756469727,4.68569374084473],[-52.0406951904297,4.33458280563354],[-51.9155578613281,4.64652729034424],[-51.7944488525391,4.60555553436279],[-51.6840667724609,4.03416347503662]],"French Guiana"], ["Country","FP0",[[-149.17919921875,-17.8708343505859],[-149.590576171875,-17.7113914489746],[-149.632507324219,-17.5499992370605],[-149.359161376953,-17.5344505310059],[-149.17919921875,-17.8708343505859]],"French Polynesia"], ["Country","FS0",[[69.2172088623047,-49.1255569458008],[69.5823516845703,-48.9504203796387],[69.6410293579102,-49.1225700378418],[69.2864074707031,-49.1921539306641],[69.582763671875,-49.3044509887695],[70.3291625976562,-49.0508346557617],[70.5674896240234,-49.2211875915527],[70.3090209960938,-49.3812522888184],[70.4591522216797,-49.4441680908203],[69.7747192382812,-49.394172668457],[69.8408203125,-49.5519485473633],[70.3226318359375,-49.5413932800293],[70.2562408447266,-49.6893081665039],[69.2547149658203,-49.5127792358398],[68.7920761108398,-49.7187538146973],[68.8808288574219,-49.4036178588867],[68.7402725219727,-49.0688934326172],[68.956657409668,-48.6666717529297],[69.0788879394531,-48.6950073242188],[68.9511108398438,-48.8472290039062],[69.1869354248047,-48.7727813720703],[69.0013046264648,-49.0885467529297],[69.1176300048828,-48.9947280883789],[69.2172088623047,-49.1255569458008]],"French Southern & Antarctic Lands"], ["Country","GB0",[[9.02506160736084,-1.294313788414],[8.70999908447266,-0.641111135482788],[9.00777626037598,-0.813888967037201],[9.29833221435547,-0.371666669845581],[9.35083293914795,0.362013846635818],[9.46694374084473,0.167222201824188],[9.92111015319824,0.185277760028839],[9.49770736694336,0.293680518865585],[9.30860996246338,0.526388883590698],[9.54222106933594,0.67249995470047],[9.59999847412109,0.481111109256744],[9.57201290130615,0.996597111225128],[9.80397605895996,1.00260829925537],[11.3538875579834,1.00194430351257],[11.3397636413574,2.1686110496521],[11.3673467636108,2.29887175559998],[12.335657119751,2.31789827346802],[13.293888092041,2.16361093521118],[13.1867847442627,1.2224760055542],[13.804443359375,1.43562483787537],[14.1915273666382,1.3905553817749],[14.4856929779053,0.917222142219543],[13.9604158401489,0.348611086606979],[13.8490266799927,-0.202638909220695],[14.5195817947388,-0.613333404064178],[14.4280548095703,-1.88458347320557],[14.2588882446289,-1.97368061542511],[14.1108322143555,-2.49305582046509],[13.8705539703369,-2.47090291976929],[13.7644424438477,-2.09076404571533],[13.4846515655518,-2.43465280532837],[13.0015068054199,-2.36767196655273],[12.6524991989136,-1.82347238063812],[12.4369430541992,-1.90111112594604],[12.4780540466309,-2.32722234725952],[11.5734710693359,-2.33638906478882],[11.5427761077881,-2.83166694641113],[11.8048601150513,-3.01541686058044],[11.7063875198364,-3.17777800559998],[11.962290763855,-3.29743075370789],[11.9218740463257,-3.62750029563904],[11.7399997711182,-3.68666696548462],[11.4920825958252,-3.50902795791626],[11.140661239624,-3.92527723312378],[9.70249843597412,-2.44791674613953],[10.0161094665527,-2.63972234725952],[10.1334714889526,-2.5238893032074],[9.61097145080566,-2.37069463729858],[9.3224983215332,-1.90750002861023],[9.53687381744385,-2.06840300559998],[9.5180549621582,-1.92694449424744],[9.26277637481689,-1.84944450855255],[8.9854850769043,-1.2430557012558],[9.01923561096191,-1.30548322200775],[9.29111099243164,-1.63888907432556],[9.51388740539551,-1.59666681289673],[9.28833198547363,-1.57041680812836],[9.33343601226807,-1.28559029102325],[9.22472095489502,-1.41125011444092],[9.02839469909668,-1.29863095283508],[9.02666568756104,-1.29763901233673],[9.02506160736084,-1.294313788414]],"Gabon"], ["Country","GZ0",[[34.4905471801758,31.5960960388184],[34.267578125,31.2165412902832],[34.2166595458984,31.3233299255371],[34.4905471801758,31.5960960388184]],"Gaza Strip"], ["Country","GG0",[[45.0229415893555,41.2970504760742],[43.4607696533203,41.1129608154297],[42.8310203552246,41.5824165344238],[42.4722137451172,41.4333267211914],[41.5315589904785,41.5238761901855],[41.7747268676758,41.885627746582],[41.4561004638672,42.7142944335938],[40.0029678344727,43.379264831543],[40.2533874511719,43.58251953125],[41.597484588623,43.221508026123],[42.8551979064941,43.1777610778809],[43.8291549682617,42.7493667602539],[43.7396621704102,42.6495704650879],[43.9119338989258,42.5833206176758],[44.931095123291,42.7611045837402],[45.7276268005371,42.5048522949219],[45.6551246643066,42.1999893188477],[46.4517517089844,41.8970565795898],[46.1944274902344,41.6980438232422],[46.6896362304688,41.3173484802246],[46.5147132873535,41.0480422973633],[45.3415870666504,41.4609642028809],[45.0229415893555,41.2970504760742]],"Georgia"], ["Country","GM0",[[14.2255554199219,53.9286041259766],[14.2188873291016,53.8690185546875],[13.8291893005371,53.859504699707],[14.0560026168823,53.98486328125],[13.7580537796021,54.1473579406738],[14.2255554199219,53.9286041259766]],"Germany"], ["Country","GM1",[[13.2680549621582,54.254997253418],[13.1188182830811,54.3367309570312],[13.2638883590698,54.379997253418],[13.1469621658325,54.5456047058105],[13.5166072845459,54.513370513916],[13.2447204589844,54.6566619873047],[13.6745128631592,54.566593170166],[13.5772838592529,54.4569358825684],[13.7291660308838,54.2751350402832],[13.2680549621582,54.254997253418]],"Germany"], ["Country","GM2",[[8.6645450592041,54.9130935668945],[9.44535827636719,54.8254013061523],[9.97201251983643,54.7607574462891],[10.0324993133545,54.5552749633789],[9.86604022979736,54.4572868347168],[10.9794425964355,54.3805541992188],[11.0939569473267,54.2054824829102],[10.7622213363647,54.0565223693848],[10.8185348510742,53.8900527954102],[11.0947208404541,54.0136108398438],[11.4127769470215,53.9197158813477],[12.5269432067871,54.4741592407227],[12.9215269088745,54.4274597167969],[12.463888168335,54.395133972168],[12.3743734359741,54.2624282836914],[13.0238876342773,54.3997192382812],[13.4545822143555,54.0970802307129],[13.7108316421509,54.170825958252],[13.8085403442383,53.8547859191895],[14.2756271362305,53.6990661621094],[14.3916893005371,53.1441650390625],[14.1491661071777,52.8627777099609],[14.6395816802979,52.5729789733887],[14.5344429016113,52.3962478637695],[14.7607650756836,52.0698623657227],[14.6009712219238,51.8200645446777],[15.0338182449341,51.2866592407227],[14.828332901001,50.8658294677734],[14.306248664856,51.0524940490723],[14.3113880157471,50.8822174072266],[12.9855575561523,50.418327331543],[12.5154151916504,50.3924942016602],[12.323055267334,50.2066650390625],[12.0937042236328,50.3225326538086],[12.5459718704224,49.9095802307129],[12.4555549621582,49.6955490112305],[12.6744441986084,49.4249954223633],[13.833610534668,48.7736053466797],[13.7259960174561,48.5155868530273],[13.4432277679443,48.5602378845215],[13.394998550415,48.3661041259766],[12.7597208023071,48.1217308044434],[13.0088882446289,47.8541641235352],[12.9139566421509,47.7249984741211],[13.1001377105713,47.6429138183594],[13.0124988555908,47.4697875976562],[12.7369422912598,47.6827049255371],[11.1040267944336,47.3965263366699],[10.481803894043,47.5865211486816],[10.1733322143555,47.2747192382812],[10.2317352294922,47.3737449645996],[9.95499992370605,47.5397186279297],[9.56672382354736,47.5404510498047],[8.56291580200195,47.8066635131836],[8.40694332122803,47.7018013000488],[8.57641983032227,47.5913696289062],[7.5882682800293,47.5844802856445],[7.57837867736816,48.1171989440918],[7.80222129821777,48.5758285522461],[8.22607803344727,48.9644165039062],[7.42555522918701,49.1764526367188],[6.72923564910889,49.1676330566406],[6.36217021942139,49.4593887329102],[6.5240273475647,49.8077011108398],[6.23416614532471,49.8974990844727],[6.13441371917725,50.1278457641602],[6.39820384979248,50.3231735229492],[6.27041625976562,50.6198539733887],[6.01179790496826,50.7572708129883],[6.08083295822144,50.9147186279297],[5.86499929428101,51.0453414916992],[6.09749984741211,51.131103515625],[6.22208261489868,51.467357635498],[5.96361064910889,51.8066635131836],[6.82895755767822,51.975757598877],[6.73638820648193,52.07666015625],[7.05309391021729,52.2377624511719],[7.06298542022705,52.3909645080566],[6.68958282470703,52.5505523681641],[7.05347156524658,52.6495780944824],[7.20836448669434,53.242805480957],[7.337082862854,53.3230514526367],[7.0149998664856,53.4098587036133],[7.29583263397217,53.6852722167969],[8.01430511474609,53.7083320617676],[8.09777641296387,53.4444427490234],[8.28604030609131,53.4208946228027],[8.33222198486328,53.6152763366699],[8.4920654296875,53.5558776855469],[8.48409652709961,53.6863174438477],[8.65902614593506,53.892635345459],[9.09604454040527,53.8666763305664],[9.28340148925781,53.8555488586426],[9.82906055450439,53.5416984558105],[9.27600574493408,53.8818893432617],[8.88305473327637,53.9611053466797],[9.01722145080566,54.0849990844727],[8.82736015319824,54.1516609191895],[8.88360977172852,54.2941665649414],[8.60048484802246,54.3263816833496],[9.01124858856201,54.5034675598145],[8.54561042785645,54.87060546875],[8.28055381774902,54.7749938964844],[8.40805435180664,55.056526184082],[8.4204216003418,54.9196434020996],[8.6645450592041,54.9130935668945]],"Germany"], ["Country","GM3",[[8.70547008514404,47.7114410400391],[8.69233989715576,47.694091796875],[8.67311382293701,47.7030029296875],[8.70547008514404,47.7114410400391]],"Germany"], ["Country","GH0",[[0.626751005649567,5.85665416717529],[0.663749933242798,5.75993013381958],[0.255833327770233,5.75777721405029],[-2.05888891220093,4.73083305358887],[-3.10304117202759,5.08502197265625],[-3.10227203369141,5.10954475402832],[-2.92812824249268,5.10022163391113],[-2.7344446182251,5.11277770996094],[-2.76444482803345,5.57916641235352],[-3.01361131668091,5.70749950408936],[-3.24888920783997,6.61374950408936],[-2.77513909339905,7.94291591644287],[-2.4877781867981,8.19777679443359],[-2.76750040054321,9.0636100769043],[-2.68556070327759,9.4818172454834],[-2.92752504348755,10.7081470489502],[-2.8340482711792,11.0020065307617],[-0.618472218513489,10.9138870239258],[-0.149762004613876,11.1385402679443],[0.0313194431364536,11.0771512985229],[-0.0787500068545341,10.6508321762085],[0.366527736186981,10.2541656494141],[0.217222198843956,9.46027755737305],[0.550624907016754,9.40888786315918],[0.51277768611908,8.84444427490234],[0.382735073566437,8.76075553894043],[0.726249933242798,8.32374954223633],[0.524999976158142,6.94777774810791],[0.758888840675354,6.44777774810791],[1.19889092445374,6.10054588317871],[0.944999933242798,5.78083324432373],[0.687986016273499,5.7538537979126],[0.626751005649567,5.85665416717529]],"Ghana"], ["Country","GI0",[[-5.35579872131348,36.1633071899414],[-5.33450841903687,36.1625595092773],[-5.34278392791748,36.111572265625],[-5.35579872131348,36.1633071899414]],"Gibraltar"], ["Country","GO0",[[47.2970733642578,-11.5541744232178],[47.3030166625977,-11.5750608444214],[47.2821311950684,-11.5746402740479],[47.2790679931641,-11.5575952529907],[47.2970733642578,-11.5541744232178]],"Glorioso Is."], ["Country","GR0",[[28.2072219848633,36.4424896240234],[28.063606262207,36.111930847168],[27.7312488555908,35.9130516052246],[27.804443359375,36.2694396972656],[28.2072219848633,36.4424896240234]],"Greece"], ["Country","GR1",[[27.142219543457,35.3997192382812],[27.0669422149658,35.6066627502441],[27.2297210693359,35.8254127502441],[27.142219543457,35.3997192382812]],"Greece"], ["Country","GR2",[[21.8335933685303,38.3225173950195],[21.853609085083,38.3395805358887],[21.8932991027832,38.3238487243652],[22.8627758026123,37.9395790100098],[23.2246494293213,38.1533966064453],[22.4086093902588,38.4460372924805],[22.374303817749,38.3345756530762],[21.9470729827881,38.4085006713867],[21.5399990081787,38.3159675598145],[21.3580551147461,38.4329147338867],[21.1641654968262,38.3000640869141],[20.9879131317139,38.6711082458496],[20.7327747344971,38.8044395446777],[20.7811088562012,38.9316635131836],[21.0851364135742,38.8640251159668],[21.0830497741699,39.0566635131836],[20.8208312988281,39.1136054992676],[20.7333316802979,38.9533958435059],[20.0100288391113,39.6912002563477],[20.2199974060059,39.6473579406738],[20.4133319854736,39.8201332092285],[20.3154144287109,39.9918022155762],[20.6670799255371,40.0962448120117],[20.7919235229492,40.4315414428711],[21.0420799255371,40.5640258789062],[20.9834899902344,40.8558883666992],[21.5999984741211,40.8727722167969],[21.9770812988281,41.1318016052246],[22.7377414703369,41.1561088562012],[22.935604095459,41.3421249389648],[24.2581920623779,41.569580078125],[25.2823581695557,41.243049621582],[26.1399955749512,41.3547134399414],[26.07763671875,41.714298248291],[26.3610954284668,41.711051940918],[26.5702705383301,41.6113815307617],[26.6357593536377,41.3647155761719],[26.3249969482422,41.2347106933594],[26.3604125976562,40.9538803100586],[26.0447196960449,40.7358245849609],[25.1418037414551,41.0103378295898],[23.7220115661621,40.7446479797363],[23.8829822540283,40.4002723693848],[24.3940944671631,40.1480178833008],[23.7297210693359,40.3512496948242],[23.9909706115723,40.1124954223633],[23.9322204589844,39.9430541992188],[23.4010391235352,40.279857635498],[23.3680534362793,40.1438827514648],[23.7184715270996,39.9138870239258],[23.3794441223145,39.9927749633789],[23.2945823669434,40.2358322143555],[22.8994407653809,40.3966598510742],[22.9449272155762,40.626522064209],[22.5852069854736,40.4649963378906],[22.5949974060059,40.0122146606445],[23.343677520752,39.1818008422852],[23.054859161377,39.0979118347168],[23.2215251922607,39.1822891235352],[22.9408302307129,39.3593673706055],[22.8236083984375,39.2122192382812],[23.0727767944336,39.0369415283203],[22.5238513946533,38.8660697937012],[23.317497253418,38.6440238952637],[23.6488094329834,38.3556861877441],[24.0740261077881,38.194995880127],[24.03395652771,37.6528434753418],[23.5116634368896,38.0393028259277],[22.9918041229248,37.8823585510254],[23.5170822143555,37.4327049255371],[23.1797199249268,37.290412902832],[23.1288871765137,37.4480514526367],[22.7255516052246,37.5634002685547],[23.2014541625977,36.4402008056641],[22.6324977874756,36.8036079406738],[22.4888877868652,36.3861083984375],[22.1208305358887,37.0266647338867],[21.9297199249268,36.9740219116211],[21.8751354217529,36.7235374450684],[21.7036075592041,36.8166656494141],[21.5653438568115,37.1550636291504],[21.6497192382812,37.4419403076172],[21.1109714508057,37.8856887817383],[21.3844413757324,38.2113876342773],[21.6416664123535,38.1588821411133],[21.8335933685303,38.3225173950195]],"Greece"], ["Country","GR3",[[24.6436080932617,40.5708312988281],[24.5094413757324,40.6580505371094],[24.6431922912598,40.7972183227539],[24.7733306884766,40.6316604614258],[24.6436080932617,40.5708312988281]],"Greece"], ["Country","GR4",[[25.4416656494141,40.0047149658203],[25.355827331543,39.7863845825195],[25.2630519866943,39.9123497009277],[25.0544395446777,39.8605499267578],[25.0476360321045,39.9866561889648],[25.4416656494141,40.0047149658203]],"Greece"], ["Country","GR5",[[19.9250183105469,39.4966735839844],[19.67458152771,39.675968170166],[19.8549995422363,39.8183288574219],[19.9250183105469,39.4966735839844]],"Greece"], ["Country","GR6",[[26.419994354248,39.3258285522461],[26.6186103820801,39.0240211486816],[26.521800994873,38.9733200073242],[26.0884685516357,39.0743713378906],[26.257080078125,39.2034606933594],[26.0654125213623,39.0845756530762],[25.8348560333252,39.1800651550293],[26.1783294677734,39.3749847412109],[26.419994354248,39.3258285522461]],"Greece"], ["Country","GR7",[[24.0499992370605,38.3658294677734],[23.7121429443359,38.4097862243652],[23.642219543457,38.4188842773438],[23.545804977417,38.5085144042969],[23.1980533599854,38.8317985534668],[22.8328437805176,38.8291244506836],[23.304443359375,39.0372848510742],[23.5919418334961,38.7647171020508],[24.1538887023926,38.6466598510742],[24.2582607269287,38.21728515625],[24.5612468719482,38.1443023681641],[24.5758323669434,38.0041656494141],[24.3872184753418,37.9936065673828],[24.0499992370605,38.3658294677734]],"Greece"], ["Country","GR8",[[20.7013854980469,38.834716796875],[20.7220802307129,38.6271476745605],[20.54319190979,38.566104888916],[20.7013854980469,38.834716796875]],"Greece"], ["Country","GR9",[[26.014720916748,38.1494369506836],[25.8633289337158,38.2398490905762],[25.9916648864746,38.343879699707],[25.8658313751221,38.5849990844727],[26.1595802307129,38.5420722961426],[26.014720916748,38.1494369506836]],"Greece"], ["Country","GR10",[[20.5711097717285,38.4680480957031],[20.7934703826904,38.0632591247559],[20.3425674438477,38.1779098510742],[20.5711097717285,38.4680480957031]],"Greece"], ["Country","GR11",[[24.960277557373,37.6855545043945],[24.694580078125,37.9626350402832],[24.962776184082,37.8724975585938],[24.960277557373,37.6855545043945]],"Greece"], ["Country","GR12",[[20.836109161377,37.6463851928711],[20.6433296203613,37.8983306884766],[20.9924964904785,37.7252731323242],[20.836109161377,37.6463851928711]],"Greece"], ["Country","GR13",[[26.8180503845215,37.6366577148438],[26.5811080932617,37.6872100830078],[26.6676349639893,37.7912406921387],[27.0669403076172,37.7272186279297],[26.8180503845215,37.6366577148438]],"Greece"], ["Country","GR14",[[25.4527702331543,36.9183197021484],[25.3419399261475,37.0734672546387],[25.5418720245361,37.1976318359375],[25.4527702331543,36.9183197021484]],"Greece"], ["Country","GR15",[[22.9569435119629,36.3774948120117],[23.0440940856934,36.1362457275391],[22.9116649627686,36.2011070251465],[22.9569435119629,36.3774948120117]],"Greece"], ["Country","GR16",[[23.681941986084,35.2244415283203],[23.5205535888672,35.2949981689453],[23.7418727874756,35.6863174438477],[23.848539352417,35.5229835510254],[24.1763877868652,35.5888862609863],[24.1070652008057,35.4922142028809],[24.3270816802979,35.3513832092285],[25.7657260894775,35.3299598693848],[25.7840270996094,35.1138877868652],[26.3011093139648,35.2830505371094],[26.1358318328857,34.9972877502441],[25.0169410705566,34.9308319091797],[24.3924980163574,35.1888847351074],[23.681941986084,35.2244415283203]],"Greece"], ["Arctic","GL0",[[-48.295280456543,82.4116516113281],[-48.8636131286621,82.5412368774414],[-48.1180572509766,82.5005493164062],[-48.295280456543,82.4116516113281]],"Greenland"], ["Arctic","GL1",[[-19.0855560302734,80.1508178710938],[-20.013334274292,80.0947036743164],[-19.7241668701172,80.2447052001953],[-19.0855560302734,80.1508178710938]],"Greenland"], ["Arctic","GL2",[[-17.7213859558105,79.2194366455078],[-17.6072235107422,79.0877685546875],[-18.1199989318848,78.9977569580078],[-17.7213859558105,79.2194366455078]],"Greenland"], ["Arctic","GL3",[[-17.6749992370605,77.8997192382812],[-17.5848617553711,77.8351287841797],[-17.7327766418457,77.7086029052734],[-18.2400684356689,77.6813659667969],[-17.6749992370605,77.8997192382812]],"Greenland"], ["Arctic","GL4",[[-37.7430572509766,65.568603515625],[-37.9881935119629,65.7019348144531],[-37.8283386230469,65.8663787841797],[-37.2700004577637,65.758186340332],[-37.4981269836426,65.8020706176758],[-37.3144454956055,65.6713714599609],[-37.7430572509766,65.568603515625]],"Greenland"], ["Arctic","GL5",[[-38.9483337402344,83.1136016845703],[-40.6733322143555,83.2802734375],[-40.2975006103516,83.3494262695312],[-38.9483337402344,83.1136016845703]],"Greenland"], ["Arctic","GL6",[[-39.6138916015625,82.9944305419922],[-40.5434036254883,83.1494293212891],[-39.3047180175781,83.0913696289062],[-39.6138916015625,82.9944305419922]],"Greenland"], ["Arctic","GL7",[[-48.3030548095703,82.7861022949219],[-48.4130554199219,82.8610992431641],[-48.258056640625,82.8922119140625],[-47.4463882446289,82.8017883300781],[-48.3030548095703,82.7861022949219]],"Greenland"], ["Arctic","GL8",[[-45.0400009155273,82.0535888671875],[-47.7461128234863,82.6280364990234],[-46.1575012207031,82.6597137451172],[-44.4388885498047,82.3969421386719],[-45.0502777099609,82.2244262695312],[-44.7374992370605,82.0933227539062],[-45.0400009155273,82.0535888671875]],"Greenland"], ["Arctic","GL9",[[-51.2413635253906,81.9825134277344],[-53.3562545776367,82.2215194702148],[-52.8183364868164,82.3166656494141],[-51.2413635253906,81.9825134277344]],"Greenland"], ["Arctic","GL10",[[-20.2144432067871,81.8927612304688],[-20.7819442749023,82.1338806152344],[-19.8858337402344,81.9747009277344],[-19.7445812225342,81.8752517700195],[-20.2144432067871,81.8927612304688]],"Greenland"], ["Arctic","GL11",[[-18.5855560302734,81.6466522216797],[-19.2437477111816,81.7806854248047],[-18.7550010681152,81.8019256591797],[-18.3075714111328,81.6618576049805],[-18.5855560302734,81.6466522216797]],"Greenland"], ["Arctic","GL12",[[-20.9305534362793,81.6063690185547],[-20.7677803039551,81.6783142089844],[-20.9036102294922,81.7302703857422],[-20.164722442627,81.6792907714844],[-20.9305534362793,81.6063690185547]],"Greenland"], ["Arctic","GL13",[[-19.4161109924316,78.7244262695312],[-19.7558345794678,78.7929000854492],[-19.2088890075684,78.9541625976562],[-19.3477783203125,78.8137283325195],[-19.1822204589844,78.8038635253906],[-19.4187488555908,78.7862396240234],[-19.1613883972168,78.7688827514648],[-19.4161109924316,78.7244262695312]],"Greenland"], ["Arctic","GL14",[[-72.2355499267578,77.4541625976562],[-71.3488922119141,77.3627624511719],[-72.0975036621094,77.3124847412109],[-72.573616027832,77.411376953125],[-72.2355499267578,77.4541625976562]],"Greenland"], ["Arctic","GL15",[[-18.648609161377,76.1636047363281],[-18.6455535888672,75.8913726806641],[-19.1288871765137,76.4955291748047],[-18.7630577087402,76.5877685546875],[-19.0694465637207,76.7413635253906],[-18.6594429016113,76.6308135986328],[-18.648609161377,76.1636047363281]],"Greenland"], ["Arctic","GL16",[[-21.1741676330566,76.5555419921875],[-21.5473613739014,76.6120681762695],[-21.0538902282715,76.6438751220703],[-21.1741676330566,76.5555419921875]],"Greenland"], ["Arctic","GL17",[[-20.7227745056152,76.51416015625],[-20.7452774047852,76.3949890136719],[-21.1377773284912,76.4445648193359],[-20.7227745056152,76.51416015625]],"Greenland"], ["Arctic","GL18",[[-17.9702758789062,75.4002685546875],[-17.8058338165283,75.3083114624023],[-18.2147197723389,75.2272033691406],[-17.7611122131348,75.0813751220703],[-17.3269462585449,75.1422119140625],[-17.5391693115234,74.9488677978516],[-18.9238891601562,75.0419311523438],[-18.839168548584,75.3283233642578],[-17.9702758789062,75.4002685546875]],"Greenland"], ["Arctic","GL19",[[-20.2308311462402,75.0416564941406],[-19.9622211456299,74.9951171875],[-20.1836090087891,74.9030456542969],[-19.7312469482422,74.85595703125],[-20.0844459533691,74.7027740478516],[-20.6852073669434,74.8103256225586],[-20.5761108398438,75.0024871826172],[-20.2308311462402,75.0416564941406]],"Greenland"], ["Arctic","GL20",[[-20.9582862854004,74.4428405761719],[-20.5345859527588,74.4020767211914],[-20.1774978637695,74.1630401611328],[-21.2099990844727,74.0861053466797],[-21.9897212982178,74.2244262695312],[-20.9582862854004,74.4428405761719]],"Greenland"], ["Arctic","GL21",[[-56.3233337402344,73.7833251953125],[-56.7755546569824,73.8728942871094],[-55.9922256469727,73.8522033691406],[-56.3233337402344,73.7833251953125]],"Greenland"], ["Arctic","GL22",[[-55.9430541992188,73.5702667236328],[-55.4733276367188,73.4288711547852],[-55.7436141967773,73.3880462646484],[-55.6863861083984,73.4758148193359],[-56.115837097168,73.556640625],[-55.9430541992188,73.5702667236328]],"Greenland"], ["Arctic","GL23",[[-24.3974990844727,73.4147033691406],[-23.2308311462402,73.2199859619141],[-24.9855537414551,73.3017883300781],[-22.9386100769043,73.1347198486328],[-24.3869438171387,73.0236053466797],[-25.4930534362793,73.1269226074219],[-25.7111530303955,73.1953277587891],[-25.2566680908203,73.4027709960938],[-24.3974990844727,73.4147033691406]],"Greenland"], ["Arctic","GL24",[[-21.9158325195312,72.6758117675781],[-23.1173343658447,72.8726196289062],[-24.5880565643311,72.9542922973633],[-23.2796764373779,73.0581512451172],[-22.4683303833008,73.0016632080078],[-21.9041652679443,72.9179000854492],[-22.1897220611572,72.8088684082031],[-21.9158325195312,72.6758117675781]],"Greenland"], ["Arctic","GL25",[[-55.1974716186523,72.8453216552734],[-54.9647903442383,72.80810546875],[-55.5199966430664,72.5547027587891],[-55.8484687805176,72.6141510009766],[-55.1974716186523,72.8453216552734]],"Greenland"], ["Arctic","GL26",[[-22.9798240661621,72.7866973876953],[-21.9469432830811,72.4810943603516],[-22.7609748840332,72.437614440918],[-22.1341667175293,72.2716522216797],[-22.3113899230957,72.1127624511719],[-24.3474998474121,72.5836029052734],[-24.476526260376,72.8335952758789],[-23.453577041626,72.836067199707],[-23.1491680145264,72.836799621582],[-22.9798240661621,72.7866973876953]],"Greenland"], ["Arctic","GL27",[[-55.0152816772461,72.377197265625],[-55.3447189331055,72.1669311523438],[-55.6887474060059,72.1958160400391],[-55.0152816772461,72.377197265625]],"Greenland"], ["Arctic","GL28",[[-53.2180557250977,71.5263824462891],[-53.4717330932617,71.6570663452148],[-52.7575035095215,71.6576232910156],[-53.2180557250977,71.5263824462891]],"Greenland"], ["Arctic","GL29",[[-52.3774032592773,71.2783279418945],[-52.9358291625977,71.147216796875],[-53.1547164916992,71.3427581787109],[-52.3587455749512,71.2917938232422],[-52.3283386230469,71.2898483276367],[-52.3774032592773,71.2783279418945]],"Greenland"], ["Arctic","GL30",[[-53.5841674804688,71.3008117675781],[-53.3819427490234,71.1352691650391],[-53.4527816772461,71.0494232177734],[-53.9906959533691,71.1278915405273],[-53.5841674804688,71.3008117675781]],"Greenland"], ["Arctic","GL31",[[-28.008602142334,70.4586410522461],[-28.1318740844727,70.4497680664062],[-28.1121845245361,70.4582824707031],[-27.1495895385742,70.8743896484375],[-25.6844444274902,71.0633087158203],[-25.3976383209229,70.9144287109375],[-25.3147239685059,70.6524810791016],[-28.008602142334,70.4586410522461]],"Greenland"], ["Arctic","GL32",[[-51.9749984741211,70.973876953125],[-51.5584716796875,70.8733062744141],[-52.1199951171875,70.8655395507812],[-51.9749984741211,70.973876953125]],"Greenland"], ["Arctic","GL33",[[-27.2744445800781,70.8746948242188],[-27.7511100769043,70.7492904663086],[-27.7369422912598,70.8822021484375],[-27.2744445800781,70.8746948242188]],"Greenland"], ["Arctic","GL34",[[-54.2694473266602,69.3961029052734],[-53.399169921875,69.4374847412109],[-53.5652770996094,69.4969329833984],[-53.3581581115723,69.5762405395508],[-53.7840270996094,69.4513778686523],[-53.9930572509766,69.5013732910156],[-53.945972442627,69.603874206543],[-54.9879150390625,69.6902542114258],[-54.4027061462402,69.6805648803711],[-54.9331817626953,69.8441543579102],[-54.7612495422363,69.9636001586914],[-54.2408332824707,69.9142532348633],[-54.8218765258789,70.0662307739258],[-54.7947235107422,70.2205352783203],[-54.4291687011719,70.3097076416016],[-53.2663955688477,70.1949768066406],[-51.8365249633789,69.6344223022461],[-53.5784721374512,69.2297058105469],[-54.2694473266602,69.3961029052734]],"Greenland"], ["Arctic","GL35",[[-51.0019454956055,69.9185943603516],[-50.6576347351074,69.8334655761719],[-50.9652786254883,69.7244262695312],[-50.9583358764648,69.550537109375],[-51.2452774047852,69.531379699707],[-51.3866653442383,69.7020645141602],[-51.0116004943848,69.8781051635742],[-51.3627777099609,69.8519287109375],[-51.0019454956055,69.9185943603516]],"Greenland"], ["Arctic","GL36",[[-52.887638092041,68.4457397460938],[-52.8529205322266,68.4298477172852],[-52.9563903808594,68.3641510009766],[-53.1234283447266,68.3908081054688],[-53.2105560302734,68.4047088623047],[-52.987419128418,68.4914245605469],[-52.887638092041,68.4457397460938]],"Greenland"], ["Arctic","GL37",[[-40.5726852416992,64.6855087280273],[-40.8613891601562,64.9109573364258],[-40.5427780151367,64.8441467285156],[-40.1911087036133,64.4305419921875],[-40.4868049621582,64.4888687133789],[-40.5726852416992,64.6855087280273]],"Greenland"], ["Arctic","GL38",[[-50.807502746582,64.5224914550781],[-51.3391647338867,64.241096496582],[-51.0250015258789,64.5494232177734],[-50.807502746582,64.5224914550781]],"Greenland"], ["Arctic","GL39",[[-47.7583389282227,60.8002700805664],[-47.657772064209,60.7552719116211],[-47.8984718322754,60.6770782470703],[-48.2388916015625,60.7955474853516],[-47.7583389282227,60.8002700805664]],"Greenland"], ["Arctic","GL40",[[-45.1522216796875,60.3763809204102],[-45.1915855407715,60.258731842041],[-45.4090270996094,60.1832542419434],[-45.3498611450195,60.3848533630371],[-45.1522216796875,60.3763809204102]],"Greenland"], ["Arctic","GL41",[[-43.5727767944336,59.9147109985352],[-44.1318016052246,60.1434669494629],[-43.1337471008301,60.0587387084961],[-43.5743103027344,60.0756874084473],[-43.5727767944336,59.9147109985352]],"Greenland"], ["Arctic","GL42",[[-44.2647247314453,60.1144409179688],[-44.307502746582,59.9777679443359],[-44.4974975585938,60.0111083984375],[-44.4214210510254,60.1414489746094],[-44.2647247314453,60.1144409179688]],"Greenland"], ["Arctic","GL43",[[-44.1455459594727,59.8995132446289],[-44.3802795410156,59.9094314575195],[-44.0127792358398,60.0149955749512],[-44.1455459594727,59.8995132446289]],"Greenland"], ["Arctic","GL44",[[-43.9022216796875,59.7902755737305],[-44.1155548095703,59.8291625976562],[-43.962776184082,59.9792938232422],[-43.6370849609375,59.8656883239746],[-43.9022216796875,59.7902755737305]],"Greenland"], ["Arctic","GL45",[[-51.1048736572266,63.6223793029785],[-50.507640838623,63.6691589355469],[-51.0819435119629,63.6654090881348],[-51.184268951416,63.6226844787598],[-51.1686096191406,63.5027770996094],[-51.5581932067871,63.7072143554688],[-50.9243087768555,63.930965423584],[-51.4433288574219,63.8049926757812],[-51.3622207641602,63.9669342041016],[-51.6019439697266,64.0347137451172],[-50.057502746582,64.2066497802734],[-50.5520820617676,64.1795654296875],[-50.4755554199219,64.2910919189453],[-51.4458312988281,64.0780487060547],[-51.7484741210938,64.2020721435547],[-50.9508361816406,64.2180480957031],[-51.037223815918,64.2711029052734],[-50.8563919067383,64.4155426025391],[-50.1761817932129,64.4467926025391],[-50.8922271728516,64.5852661132812],[-50.5148124694824,64.6467056274414],[-49.5840225219727,64.3397827148438],[-50.0636787414551,64.52783203125],[-49.991527557373,64.6994323730469],[-50.2097244262695,64.7416534423828],[-49.9988212585449,64.8647003173828],[-50.5640296936035,64.7704086303711],[-50.9819412231445,65.216796875],[-50.6340980529785,64.7583236694336],[-51.1433334350586,64.6136016845703],[-51.0238876342773,64.7547149658203],[-51.2241668701172,64.76220703125],[-51.6650009155273,64.3060913085938],[-52.0047264099121,64.2017974853516],[-52.1162490844727,64.7227630615234],[-51.2498626708984,65.0154724121094],[-52.2113876342773,64.806640625],[-52.0113906860352,64.9791564941406],[-52.2802810668945,65.0760955810547],[-52.099723815918,65.2391510009766],[-52.3102073669434,65.2018585205078],[-52.222770690918,65.3277740478516],[-52.5191650390625,65.1852569580078],[-52.5621528625488,65.3200531005859],[-51.8986434936523,65.6095123291016],[-51.6944427490234,65.6985931396484],[-51.6576995849609,65.6988830566406],[-50.546947479248,65.7076950073242],[-51.4847259521484,65.7630462646484],[-51.9518280029297,65.6679458618164],[-52.4959030151367,65.3879699707031],[-52.6120834350586,65.4806747436523],[-52.4691619873047,65.6408233642578],[-52.7201385498047,65.4987411499023],[-52.8016662597656,65.5947113037109],[-52.6072235107422,65.6585998535156],[-52.7594451904297,65.6333312988281],[-52.6881217956543,65.8045654296875],[-52.8105545043945,65.6716461181641],[-53.233325958252,65.6828308105469],[-52.8592376708984,65.7969970703125],[-53.2213859558105,65.7284545898438],[-53.0577735900879,65.8455429077148],[-52.3199996948242,65.8688659667969],[-51.8319473266602,66.0558166503906],[-53.1516647338867,65.8558197021484],[-53.2333297729492,65.9230346679688],[-52.8905563354492,66.0283203125],[-53.353889465332,65.9299774169922],[-53.1291427612305,66.0170669555664],[-53.4372177124023,66.0483245849609],[-51.2713851928711,66.8438720703125],[-50.3313903808594,66.833122253418],[-50.9563903808594,66.9347076416016],[-50.0011100769043,66.9764404296875],[-50.9486083984375,66.9785919189453],[-53.4766616821289,66.098876953125],[-53.5795860290527,66.2105484008789],[-53.1224975585938,66.2847061157227],[-53.6158332824707,66.2417907714844],[-53.6290245056152,66.5062408447266],[-52.4173622131348,66.5442886352539],[-53.4781913757324,66.6034545898438],[-52.5866661071777,66.7030410766602],[-53.0558319091797,66.8049774169922],[-52.2325630187988,66.8374862670898],[-53.6750030517578,66.9136047363281],[-53.8024978637695,66.9944305419922],[-53.2220802307129,66.9908142089844],[-53.961109161377,67.0742950439453],[-53.5390510559082,67.2261352539062],[-53.5144500732422,67.2349853515625],[-52.1513900756836,67.3699798583984],[-51.9657402038574,67.356071472168],[-51.5247192382812,67.3230438232422],[-51.1894378662109,67.1235961914062],[-50.3643074035645,67.1741485595703],[-51.1733322143555,67.1394348144531],[-51.5239601135254,67.349494934082],[-51.1516647338867,67.4233093261719],[-52.228214263916,67.3906173706055],[-53.2543296813965,67.3183212280273],[-53.8086090087891,67.2038726806641],[-53.8036117553711,67.4144287109375],[-52.4961090087891,67.7697143554688],[-50.1958312988281,67.4673461914062],[-50.8499984741211,67.6035919189453],[-50.0636138916016,67.7274780273438],[-51.230827331543,67.6972045898438],[-50.4286117553711,67.8172149658203],[-50.7794418334961,67.9066467285156],[-50.7144470214844,67.818603515625],[-51.1997222900391,67.7633209228516],[-51.3311157226562,67.8688659667969],[-50.9883346557617,67.8774719238281],[-51.0599975585938,67.9741516113281],[-51.5643081665039,67.9335861206055],[-51.3204193115234,67.8137359619141],[-51.7130584716797,67.6949768066406],[-52.3070640563965,67.8154983520508],[-53.6830596923828,67.5008239746094],[-53.7511825561523,67.6046295166016],[-53.5394439697266,67.7108154296875],[-53.6277770996094,67.814697265625],[-52.9591407775879,67.9778137207031],[-53.1913833618164,68.0416488647461],[-52.828987121582,68.0207443237305],[-53.3211135864258,68.1844177246094],[-50.1573600769043,67.9312362670898],[-51.4347190856934,68.2001266479492],[-50.9713821411133,68.177619934082],[-51.220832824707,68.2736053466797],[-51.1827774047852,68.3944320678711],[-50.8199996948242,68.5036010742188],[-51.6361083984375,68.4133224487305],[-51.240837097168,68.2899780273438],[-52.4463882446289,68.1788635253906],[-53.3886108398438,68.3290252685547],[-53.0689430236816,68.3228607177734],[-52.6030464172363,68.4550704956055],[-52.461669921875,68.5449829101562],[-50.865837097168,68.6147003173828],[-50.9872207641602,68.7324829101562],[-50.6675033569336,68.8297119140625],[-51.2888221740723,68.7470016479492],[-50.9661102294922,68.932487487793],[-51.1144485473633,68.9269256591797],[-51.0743064880371,69.1301193237305],[-50.3613891601562,68.9002685546875],[-50.4927787780762,69.0104064941406],[-50.2174987792969,68.9566497802734],[-50.2147216796875,69.0613708496094],[-50.6870803833008,69.1208114624023],[-50.1294403076172,69.2041625976562],[-50.4676361083984,69.1981735229492],[-50.3974990844727,69.3408203125],[-51.1202735900879,69.2004013061523],[-50.8558349609375,69.4611053466797],[-50.204719543457,69.5219268798828],[-50.8827781677246,69.4955368041992],[-50.8005523681641,69.6422119140625],[-50.4072189331055,69.5959548950195],[-50.8154182434082,69.7076263427734],[-50.1916656494141,69.7574920654297],[-50.5893020629883,69.9237289428711],[-50.230827331543,70.0319366455078],[-52.1730575561523,70.0338745117188],[-54.6272201538086,70.6530456542969],[-54.1286087036133,70.8291625976562],[-52.970832824707,70.7644348144531],[-50.5588912963867,70.3330535888672],[-50.6780548095703,70.3952713012695],[-50.5097274780273,70.5260925292969],[-50.9477767944336,70.4202575683594],[-51.3452758789062,70.5641555786133],[-50.8888931274414,70.5055541992188],[-50.7411079406738,70.5452575683594],[-50.9790267944336,70.6263656616211],[-50.6408386230469,70.6413726806641],[-51.4409675598145,70.7257537841797],[-50.6527786254883,70.7102661132812],[-50.8444442749023,70.8706741333008],[-51.9524993896484,71.0211029052734],[-50.9180603027344,71.020263671875],[-52.2459030151367,71.1219177246094],[-51.5366706848145,71.2648468017578],[-51.6455535888672,71.3613739013672],[-52.5454216003418,71.1570739746094],[-52.2486610412598,71.2814331054688],[-52.2688903808594,71.3566436767578],[-51.3459701538086,71.4841537475586],[-52.5875015258789,71.3738708496094],[-52.942497253418,71.441650390625],[-51.6434059143066,71.7089538574219],[-53.2505569458008,71.7027740478516],[-52.6871490478516,71.9999847412109],[-53.3219451904297,71.8222198486328],[-53.4061050415039,72.0447082519531],[-53.8565330505371,72.3188705444336],[-53.5575675964355,72.352897644043],[-53.9538917541504,72.3248519897461],[-53.3973617553711,71.8481826782227],[-53.916389465332,71.7383193969727],[-53.7750015258789,71.6333312988281],[-54.1002807617188,71.7074890136719],[-53.8551406860352,71.5556793212891],[-53.9155502319336,71.4419250488281],[-54.8255615234375,71.3527679443359],[-55.2583389282227,71.4905395507812],[-55.1175651550293,71.3884582519531],[-55.323616027832,71.3869323730469],[-55.5747222900391,71.6406860351562],[-55.9052734375,71.6799774169922],[-54.826530456543,71.9170684814453],[-54.3893051147461,72.2229690551758],[-54.8388900756836,71.9502716064453],[-55.2188873291016,71.9222106933594],[-55.5619430541992,72.0244293212891],[-54.6869430541992,72.3672103881836],[-55.6263885498047,72.4574890136719],[-54.2993087768555,72.4812316894531],[-55.0173645019531,72.5234603881836],[-54.6302757263184,72.61962890625],[-54.8705520629883,72.6424865722656],[-54.6549987792969,72.7649993896484],[-54.9243087768555,72.7755432128906],[-54.6054153442383,72.8263778686523],[-54.8505554199219,73.0144348144531],[-55.6951370239258,73.0641555786133],[-55.1429214477539,73.1842880249023],[-55.4566688537598,73.2548522949219],[-55.0896224975586,73.3542785644531],[-56.0718078613281,73.6459655761719],[-55.6112518310547,73.7237319946289],[-55.9449272155762,73.8541488647461],[-55.6412506103516,73.8691482543945],[-56.1016693115234,73.9642944335938],[-55.973331451416,74.0315170288086],[-56.4098587036133,74.0691528320312],[-56.1291656494141,74.2783203125],[-57.3233375549316,74.1047058105469],[-56.3091659545898,74.2872009277344],[-56.7120819091797,74.3428268432617],[-56.1619415283203,74.4047088623047],[-56.7944488525391,74.4458770751953],[-56.4679527282715,74.5025329589844],[-56.1929130554199,74.5502624511719],[-57.015007019043,74.6713714599609],[-57.1872215270996,74.772216796875],[-56.8611145019531,74.8069305419922],[-57.0263900756836,74.9138793945312],[-58.1395835876465,75.0469284057617],[-57.9588928222656,75.1855316162109],[-58.3347244262695,75.2652740478516],[-58.3001976013184,75.3873748779297],[-58.6969413757324,75.3501205444336],[-58.1595802307129,75.5085983276367],[-58.5984687805176,75.6717147827148],[-58.4236145019531,75.7197113037109],[-59.0616683959961,75.7041625976562],[-59.2161102294922,75.8722076416016],[-59.7847290039062,75.7963714599609],[-59.5926399230957,75.9079055786133],[-59.6919403076172,75.9574890136719],[-62.2397232055664,76.2866516113281],[-62.7786102294922,76.1935882568359],[-63.4799270629883,76.3699645996094],[-64.0122222900391,76.1347198486328],[-64.3438873291016,76.3547058105469],[-64.685546875,76.2551345825195],[-64.5999984741211,76.1294250488281],[-65.3283386230469,76.1746978759766],[-65.4797210693359,76.0186004638672],[-65.8868026733398,76.1006164550781],[-65.6616668701172,76.2619323730469],[-66.1941528320312,76.2802734375],[-66.4613952636719,76.0816650390625],[-67.0319519042969,76.2627716064453],[-67.3052749633789,76.1651229858398],[-66.48388671875,75.9085998535156],[-68.7469482421875,76.1824798583984],[-69.6175003051758,76.4190139770508],[-67.9822235107422,76.6794281005859],[-70.008056640625,76.7636108398438],[-69.6725006103516,77.0124969482422],[-70.6977691650391,76.8055419921875],[-70.9829177856445,76.897346496582],[-70.6831893920898,76.9326171875],[-71.366943359375,77.0619201660156],[-70.149169921875,77.2405395507812],[-66.4486083984375,77.1338806152344],[-69.1016693115234,77.2719268798828],[-67.6199951171875,77.3863830566406],[-66.2202758789062,77.2502746582031],[-66.6570129394531,77.412483215332],[-66.1019439697266,77.4383087158203],[-66.1630554199219,77.5680541992188],[-67.0397186279297,77.6758117675781],[-68.3705444335938,77.4994201660156],[-68.7377777099609,77.6630401611328],[-68.6056900024414,77.5192947387695],[-69.2066650390625,77.4494171142578],[-70.2888870239258,77.5667953491211],[-69.4813919067383,77.7526321411133],[-70.602783203125,77.6780395507812],[-70.0041809082031,77.8427581787109],[-71.5988922119141,77.8527679443359],[-73.0536041259766,78.1572113037109],[-72.4566650390625,78.286376953125],[-72.8494415283203,78.3141479492188],[-72.5761108398438,78.5166625976562],[-68.8074951171875,78.8283233642578],[-69.1336212158203,78.9505462646484],[-68.3405609130859,79.0630340576172],[-65.9933319091797,79.0977630615234],[-64.8663940429688,79.4983215332031],[-65.0513916015625,80.0169372558594],[-63.7848739624023,80.1448516845703],[-64.2050018310547,80.2505493164062],[-64.9024963378906,80.0633087158203],[-67.0669555664062,80.0599822998047],[-67.4982604980469,80.1999664306641],[-67.4819488525391,80.3241577148438],[-66.1488952636719,80.6063690185547],[-63.6452789306641,81.1461029052734],[-62.7813873291016,80.7510986328125],[-63.331672668457,81.0658111572266],[-63.0369491577148,81.2191467285156],[-61.0750045776367,81.1155395507812],[-60.8919448852539,81.1655426025391],[-61.3111801147461,81.3532485961914],[-60.7690277099609,81.4967956542969],[-61.4522247314453,81.7530517578125],[-60.0919418334961,81.9435882568359],[-58.8509216308594,81.8568572998047],[-58.8399963378906,81.8560943603516],[-58.8376121520996,81.8539123535156],[-58.6425018310547,81.675537109375],[-56.4783325195312,81.3324890136719],[-58.4903030395508,81.8763275146484],[-59.4658317565918,81.9927597045898],[-57.8680572509766,82.1535949707031],[-55.9024963378906,82.2680511474609],[-55.1133346557617,82.1566467285156],[-55.5780563354492,82.2852630615234],[-54.1199951171875,82.3224945068359],[-53.5530548095703,82.1083221435547],[-53.5008392333984,81.9060974121094],[-53.8080520629883,81.5665130615234],[-53.4730529785156,81.5016632080078],[-53.5405578613281,81.6760864257812],[-52.9647216796875,81.8410949707031],[-53.0280532836914,82.0119323730469],[-52.899169921875,82.0341491699219],[-49.6197891235352,81.6401977539062],[-51.0463943481445,81.9205322265625],[-49.4351348876953,81.9290084838867],[-50.6949996948242,82.1824798583984],[-51.1088943481445,82.5012435913086],[-49.1916656494141,82.4699859619141],[-44.6399993896484,81.7541656494141],[-44.1833267211914,81.8341522216797],[-44.9218063354492,81.9878997802734],[-44.5025024414062,82.0897064208984],[-44.7934761047363,82.1885223388672],[-44.6180572509766,82.2766571044922],[-42.3008346557617,82.2149887084961],[-43.8302841186523,82.3358154296875],[-45.7483367919922,82.772216796875],[-42.0895309448242,82.7578582763672],[-41.6827774047852,82.4780426025391],[-41.6088943481445,82.6416625976562],[-41.8991661071777,82.7302627563477],[-41.5502777099609,82.7366485595703],[-40.2033309936523,82.5602569580078],[-39.8525009155273,82.3616485595703],[-39.7533378601074,82.4015197753906],[-40.0119476318359,82.5599822998047],[-39.934440612793,82.6824798583984],[-41.1205520629883,82.7797088623047],[-46.0161247253418,82.8419418334961],[-46.8890266418457,82.9627685546875],[-46.0091705322266,82.9136047363281],[-46.2270164489746,82.9417572021484],[-46.7012519836426,83.0030517578125],[-46.0330581665039,83.0885925292969],[-43.3866653442383,82.9144287109375],[-45.4997253417969,83.1374969482422],[-42.8727722167969,83.0927581787109],[-43.9830932617188,83.2010498046875],[-42.7480545043945,83.2749938964844],[-38.6555557250977,82.7777709960938],[-39.0986099243164,82.9974822998047],[-37.2702789306641,83.0052642822266],[-38.79736328125,83.0560913085938],[-36.8779144287109,83.1486053466797],[-38.6780548095703,83.2052612304688],[-38.8552780151367,83.2494277954102],[-38.8438873291016,83.4333190917969],[-37.7961120605469,83.3591461181641],[-38.0586090087891,83.4313659667969],[-37.6258316040039,83.5041656494141],[-36.4380493164062,83.3610992431641],[-36.9008331298828,83.4924774169922],[-36.5311126708984,83.5438690185547],[-34.3641662597656,83.5969390869141],[-33.8827743530273,83.4524841308594],[-34.0815315246582,83.5640106201172],[-33.688606262207,83.6041564941406],[-30.3883323669434,83.6022033691406],[-26.1997222900391,83.379150390625],[-25.6534023284912,83.2904739379883],[-26.038890838623,83.2066497802734],[-29.6061305999756,83.1769104003906],[-31.9291648864746,83.0516510009766],[-33.3877792358398,83.1505432128906],[-32.4947204589844,83.0361022949219],[-35.6086120605469,82.9066467285156],[-35.2963943481445,82.8863830566406],[-35.4349975585938,82.7413635253906],[-34.8869476318359,82.9063720703125],[-33.924446105957,82.9033203125],[-33.8819427490234,82.7888793945312],[-33.5369491577148,82.9452514648438],[-31.643611907959,82.9291534423828],[-30.3122024536133,83.0942001342773],[-30.0594444274902,83.1255340576172],[-28.7956161499023,83.1341094970703],[-25.0641670227051,83.159423828125],[-24.7675018310547,82.9888763427734],[-25.8780555725098,82.772216796875],[-23.9927749633789,82.9116516113281],[-23.8422222137451,82.8951263427734],[-24.0222244262695,82.7572174072266],[-23.3788871765137,82.848876953125],[-21.3163890838623,82.610954284668],[-22.4816665649414,82.3308258056641],[-25.0688896179199,82.1524810791016],[-31.5913887023926,82.2083282470703],[-29.9183311462402,82.0888824462891],[-32.9027786254883,81.8433227539062],[-33.0983352661133,81.7738800048828],[-33.0461120605469,81.6663818359375],[-28.9972190856934,81.9944305419922],[-25.2388877868652,81.9963684082031],[-25.2437477111816,81.8236083984375],[-25.4283332824707,81.7480316162109],[-27.5969467163086,81.5047149658203],[-27.2349967956543,81.4510955810547],[-27.570972442627,81.3897094726562],[-27.32861328125,81.3808135986328],[-24.2105560302734,81.7083282470703],[-24.0022239685059,82.0097198486328],[-22.3013916015625,82.0844268798828],[-21.9597206115723,81.7680511474609],[-22.1988868713379,81.4838714599609],[-22.968053817749,81.290397644043],[-22.7652797698975,81.2637405395508],[-23.8794441223145,80.88916015625],[-23.8075008392334,80.8041458129883],[-23.975830078125,80.7288665771484],[-24.4194450378418,80.6844177246094],[-24.0649318695068,80.6878280639648],[-24.5116691589355,80.5408172607422],[-23.9258308410645,80.6477661132812],[-23.5594444274902,80.8894348144531],[-20.7330551147461,81.5866546630859],[-19.9408340454102,81.6830444335938],[-20.231388092041,81.6013793945312],[-20.2522239685059,81.4235992431641],[-19.2288856506348,81.5549774169922],[-18.2494430541992,81.4385833740234],[-17.6088886260986,81.6054000854492],[-17.859582901001,81.7315139770508],[-17.353889465332,81.7019348144531],[-17.5394458770752,81.7477645874023],[-17.5025024414062,81.8624877929688],[-14.7680568695068,81.9183197021484],[-12.157639503479,81.6006774902344],[-14.0272235870361,81.1419372558594],[-15.1389589309692,81.0846405029297],[-14.6780567169189,80.9199829101562],[-16.029167175293,80.7266540527344],[-17.9591636657715,80.8052520751953],[-18.5777778625488,80.6252593994141],[-21.2488861083984,80.5715866088867],[-16.2247200012207,80.5405426025391],[-16.7616691589355,80.4027709960938],[-16.6177787780762,80.3263854980469],[-17.4286117553711,80.2263793945312],[-19.7008323669434,80.2858123779297],[-20.5548610687256,80.1031799316406],[-20.3661117553711,80.0859603881836],[-20.7523612976074,79.8623504638672],[-20.3269462585449,79.7605438232422],[-19.8776397705078,79.8442916870117],[-20.2108325958252,79.8194351196289],[-20.0533332824707,79.9797058105469],[-19.2894439697266,80.1033172607422],[-17.4507617950439,80.0565795898438],[-18.2224998474121,79.7549896240234],[-19.4455528259277,79.7388763427734],[-19.7999992370605,79.4579696655273],[-19.6563873291016,79.3502655029297],[-19.8738899230957,79.1666564941406],[-19.5736122131348,79.3311004638672],[-19.091667175293,79.2999877929688],[-19.2052154541016,79.2188873291016],[-19.3783340454102,79.2749938964844],[-20.0911102294922,79.0635986328125],[-19.914722442627,78.9641571044922],[-20.0180587768555,78.877197265625],[-21.1836090087891,78.8072738647461],[-20.9283332824707,78.6916427612305],[-21.424373626709,78.6492233276367],[-20.9098606109619,78.6212310791016],[-21.3730545043945,78.3055419921875],[-21.2880554199219,78.2122039794922],[-21.7579193115234,78.1324844360352],[-21.4093036651611,78.1074829101562],[-22.0369453430176,77.685676574707],[-21.4308319091797,77.6524810791016],[-20.8663902282715,78.0152740478516],[-19.2399978637695,77.7630462646484],[-18.9587478637695,77.6299057006836],[-19.3033332824707,77.5802764892578],[-20.2569465637207,77.7291564941406],[-20.9138870239258,77.6660919189453],[-20.3455543518066,77.5991516113281],[-20.6515254974365,77.5481796264648],[-20.4038887023926,77.5072174072266],[-21.0495834350586,77.5448455810547],[-20.0405578613281,77.4580383300781],[-20.7720851898193,77.4134521484375],[-19.7066650390625,77.3869323730469],[-19.4208335876465,77.2399749755859],[-18.3958320617676,77.3427581787109],[-18.1222229003906,76.9458160400391],[-18.4534721374512,76.7423400878906],[-20.9777755737305,76.98193359375],[-20.5869445800781,76.9302673339844],[-20.7788887023926,76.8699798583984],[-21.7279148101807,76.8816528320312],[-20.9394416809082,76.8424835205078],[-21.6230545043945,76.6427612304688],[-22.2875022888184,76.8572082519531],[-22.7356929779053,76.6859588623047],[-22.3337497711182,76.5122146606445],[-21.8494453430176,76.6022033691406],[-21.6791648864746,76.5219345092773],[-22.0341682434082,76.4676895141602],[-21.6753463745117,76.4847106933594],[-21.8563842773438,76.4417495727539],[-21.9199981689453,76.4266510009766],[-22.5040302276611,76.4466400146484],[-22.1878814697266,76.4114074707031],[-21.7665920257568,76.4235305786133],[-21.5849990844727,76.439697265625],[-21.7043037414551,76.2506866455078],[-21.5361137390137,76.2185974121094],[-20.4222221374512,76.1362457275391],[-20.9905548095703,76.3110961914062],[-19.6672229766846,76.1296997070312],[-20.360279083252,75.9810943603516],[-21.9815254211426,75.9905395507812],[-19.7572250366211,75.8894348144531],[-19.3368053436279,75.4020690917969],[-19.6100006103516,75.1330413818359],[-22.0894432067871,75.6549835205078],[-21.4068050384521,75.4542999267578],[-22.5025005340576,75.5511322021484],[-20.5619468688965,75.191650390625],[-21.7404136657715,74.9765090942383],[-22.4347896575928,75.1662979125977],[-21.7424964904785,74.9535980224609],[-20.6388893127441,75.0619201660156],[-20.7619457244873,74.849853515625],[-20.6155548095703,74.7308197021484],[-21.1174983978271,74.6740798950195],[-20.8477783203125,74.6355438232422],[-19.3527793884277,74.6791534423828],[-19.2826404571533,74.5245666503906],[-18.9781932830811,74.4834594726562],[-19.3777770996094,74.2608184814453],[-22.0827789306641,74.5983276367188],[-21.7641696929932,74.4224853515625],[-22.4791641235352,74.309700012207],[-22.0380554199219,74.256103515625],[-22.4915256500244,74.0763778686523],[-21.9862480163574,74.0003280639648],[-21.8216667175293,73.6510925292969],[-21.7062473297119,73.6951217651367],[-21.9144439697266,74.0105438232422],[-21.748607635498,74.0583190917969],[-20.2961120605469,73.8833312988281],[-20.5330581665039,73.7208251953125],[-20.4527778625488,73.4633178710938],[-21.5608329772949,73.4780426025391],[-22.3791656494141,73.2505493164062],[-23.5063896179199,73.4447021484375],[-24.0322227478027,73.7024841308594],[-22.6944427490234,73.54443359375],[-22.1855545043945,73.6233139038086],[-22.7472190856934,73.5630340576172],[-24.0441665649414,73.814697265625],[-24.45263671875,73.6984558105469],[-24.4630546569824,73.5358123779297],[-25.6887493133545,73.9523468017578],[-24.6754169464111,73.5183868408203],[-26.1349983215332,73.2416534423828],[-27.4533309936523,73.4552612304688],[-26.389720916748,73.248664855957],[-27.7158317565918,73.1405487060547],[-27.4063873291016,73.1099853515625],[-27.4974975585938,72.9244232177734],[-27.2650032043457,73.1197052001953],[-26.4274978637695,73.1944274902344],[-24.9858322143555,73.0167922973633],[-26.0272254943848,72.7872009277344],[-27.3819427490234,72.8272094726562],[-26.4286117553711,72.7780456542969],[-26.7781963348389,72.7119293212891],[-26.3155555725098,72.7349853515625],[-26.462776184082,72.5722198486328],[-25.5666656494141,72.8330535888672],[-24.8272247314453,72.7152709960938],[-24.6030540466309,72.5491485595703],[-24.6974983215332,72.4977569580078],[-25.9074993133545,72.4154052734375],[-25.2883358001709,72.3830413818359],[-25.5275020599365,72.1228942871094],[-25.1936111450195,72.3577575683594],[-24.5205574035645,72.4119262695312],[-22.5036125183105,71.9002685546875],[-23.1319427490234,71.6535949707031],[-22.4297218322754,71.7949829101562],[-22.6594429016113,71.6572113037109],[-22.5977783203125,71.5713806152344],[-21.8980541229248,71.7383117675781],[-22.5402793884277,71.4839401245117],[-22.4499969482422,71.2483215332031],[-22.093334197998,71.4933166503906],[-21.8055572509766,71.5094299316406],[-21.6723613739014,71.4027633666992],[-21.814582824707,71.313591003418],[-21.6077766418457,71.3244323730469],[-21.9616661071777,71.2638854980469],[-21.7247200012207,71.2472076416016],[-21.7894439697266,71.1019287109375],[-22.3281936645508,71.0538024902344],[-21.5930557250977,70.9627685546875],[-21.9266662597656,70.806022644043],[-21.639720916748,70.7954025268555],[-21.549654006958,70.7059555053711],[-21.7772254943848,70.5823516845703],[-21.4758319854736,70.5416488647461],[-21.9583320617676,70.3897094726562],[-22.4005546569824,70.4591522216797],[-22.4650001525879,70.8502655029297],[-22.6448612213135,70.7183151245117],[-22.6775665283203,70.431022644043],[-23.8283348083496,70.5669403076172],[-24.1711101531982,70.7808227539062],[-24.279167175293,71.0910949707031],[-25.2816696166992,71.3916625976562],[-25.6238899230957,71.5372009277344],[-26.9502754211426,71.5785980224609],[-27.6938896179199,71.9302673339844],[-28.7029857635498,72.0883941650391],[-27.3268070220947,71.7126312255859],[-28.4669418334961,71.5524749755859],[-27.3849983215332,71.6024780273438],[-25.4123611450195,71.350959777832],[-25.5170841217041,71.2123489379883],[-25.7710781097412,71.251823425293],[-25.5977783203125,71.1691436767578],[-26.7694473266602,70.9316558837891],[-27.5008335113525,70.9374771118164],[-27.9206924438477,71.1299819946289],[-27.6173610687256,70.9510955810547],[-28.4054145812988,70.9770660400391],[-27.9156932830811,70.8695602416992],[-28.3054161071777,70.5598373413086],[-29.2298583984375,70.4544372558594],[-28.2103328704834,70.366340637207],[-26.4822196960449,70.4638824462891],[-26.3269462585449,70.3787994384766],[-26.5988883972168,70.3024749755859],[-28.5894451141357,70.0894317626953],[-27.4347229003906,69.9541625976562],[-26.8988876342773,70.2485961914062],[-26.307502746582,70.19775390625],[-25.2291641235352,70.4144287109375],[-25.3294448852539,70.2738800048828],[-25.0311126708984,70.363037109375],[-23.5605583190918,70.1060943603516],[-22.1177787780762,70.1516571044922],[-22.2650032043457,70.0144348144531],[-23.0686111450195,69.9387893676758],[-23.2740306854248,69.8598480224609],[-23.000415802002,69.7566604614258],[-23.3650016784668,69.8555450439453],[-23.2619476318359,69.7472076416016],[-23.9293041229248,69.7522048950195],[-23.6886100769043,69.7099914550781],[-23.6605567932129,69.5535888671875],[-24.3472213745117,69.6019973754883],[-24.0865287780762,69.5147171020508],[-24.1683311462402,69.4227600097656],[-24.6522216796875,69.3944396972656],[-24.6641654968262,69.2469329833984],[-25.2097206115723,69.2744293212891],[-25.0402793884277,69.1183166503906],[-25.6094436645508,69.1035919189453],[-25.4434719085693,68.964714050293],[-26.3633346557617,68.66748046875],[-27.6199989318848,68.4760894775391],[-28.01611328125,68.5627593994141],[-28.0088920593262,68.451789855957],[-28.8477783203125,68.318603515625],[-29.1872215270996,68.3905487060547],[-29.1187496185303,68.2822113037109],[-29.3769454956055,68.1994171142578],[-29.8661098480225,68.4131851196289],[-30.1969451904297,68.2424774169922],[-30.0258350372314,68.113037109375],[-30.7536125183105,68.2586059570312],[-30.4229164123535,68.0652542114258],[-31.0219459533691,68.0394287109375],[-31.7005558013916,68.0966567993164],[-31.7458305358887,68.2073440551758],[-31.5303478240967,68.2342910766602],[-32.0072250366211,68.2619323730469],[-32.489444732666,68.6184539794922],[-32.5272216796875,68.4504013061523],[-32.1375045776367,68.2449798583984],[-32.400276184082,68.1994171142578],[-31.9991645812988,68.0952606201172],[-32.1319427490234,67.848876953125],[-33.1986083984375,67.6880340576172],[-33.0579147338867,67.6350555419922],[-33.273193359375,67.4037399291992],[-33.5959701538086,67.3712921142578],[-33.3662528991699,67.2474822998047],[-33.9730529785156,66.9905395507812],[-34.2705535888672,66.5745697021484],[-34.4266700744629,66.7423400878906],[-34.4093704223633,66.5390090942383],[-34.6399993896484,66.3722076416016],[-34.9841690063477,66.2841491699219],[-35.1249961853027,66.4167861938477],[-35.2325668334961,66.3117828369141],[-35.0420875549316,66.2506790161133],[-35.2038879394531,66.2377624511719],[-35.8558349609375,66.4324798583984],[-35.5513916015625,66.2431716918945],[-35.5875015258789,66.1102600097656],[-36.3319473266602,65.9072113037109],[-36.3470840454102,66.082763671875],[-36.5691680908203,66.0748519897461],[-36.5144462585449,65.9897003173828],[-36.9851379394531,65.8377685546875],[-37.0804138183594,66.0613632202148],[-37.1930541992188,65.7691497802734],[-37.8107643127441,66.0292892456055],[-37.1838912963867,66.3405456542969],[-38.1061096191406,66.3869323730469],[-37.6943702697754,66.2642974853516],[-37.9927101135254,66.2415084838867],[-37.8553504943848,66.1982421875],[-38.0519409179688,65.9124908447266],[-38.4806938171387,66.0133285522461],[-38.1029853820801,65.8022766113281],[-38.2305526733398,65.6352691650391],[-38.7519454956055,65.6909484863281],[-38.6122207641602,65.5663757324219],[-39.057502746582,65.5594177246094],[-39.3244476318359,65.7155456542969],[-39.2187461853027,65.5752716064453],[-39.6787528991699,65.6781768798828],[-39.8294448852539,65.4958190917969],[-40.2172164916992,65.5033264160156],[-39.7934036254883,65.4151916503906],[-39.9416656494141,65.364990234375],[-39.7555618286133,65.2427520751953],[-40.1919403076172,65.0402679443359],[-40.5961074829102,65.1349945068359],[-41.1554145812988,64.9623489379883],[-40.7036819458008,64.7332458496094],[-40.6008377075195,64.6810913085938],[-40.6097984313965,64.6274566650391],[-40.6368064880371,64.4658203125],[-40.3705558776855,64.3437347412109],[-41.5636138916016,64.2758178710938],[-40.5677795410156,64.1091461181641],[-40.8376350402832,63.9441528320312],[-40.6197204589844,63.9227676391602],[-40.5159759521484,63.6995735168457],[-41.6177749633789,63.7922210693359],[-40.8922271728516,63.656379699707],[-40.758056640625,63.501106262207],[-41.1738357543945,63.512020111084],[-41.0013885498047,63.4058265686035],[-41.1181945800781,63.3852691650391],[-41.3941650390625,63.5522155761719],[-41.239860534668,63.4061698913574],[-41.5819473266602,63.4883270263672],[-41.1133346557617,63.3072128295898],[-41.8963928222656,63.4705429077148],[-41.432430267334,63.120964050293],[-42.0230560302734,63.246940612793],[-41.5433349609375,63.0436096191406],[-41.7241020202637,63.0301742553711],[-41.6179161071777,62.9892997741699],[-41.7516708374023,62.8406829833984],[-42.3238906860352,62.8091583251953],[-42.3036117553711,62.9416580200195],[-42.5277786254883,62.7230453491211],[-43.1444435119629,62.7586059570312],[-42.1653442382812,62.3826293945312],[-42.9804153442383,62.5109672546387],[-42.2619476318359,62.2423515319824],[-42.5436172485352,61.9458236694336],[-42.1366653442383,62.0188827514648],[-42.4162483215332,61.9151992797852],[-42.2219390869141,61.8272171020508],[-42.8643074035645,61.779296875],[-42.3974990844727,61.656379699707],[-43.0791702270508,61.5936050415039],[-42.528263092041,61.5270767211914],[-42.4272232055664,61.4036026000977],[-42.6324996948242,61.2911071777344],[-43.2444458007812,61.3373527526855],[-42.6643028259277,61.2565269470215],[-43.0897216796875,61.1974868774414],[-42.6340293884277,61.1011734008789],[-43.612361907959,61.1263809204102],[-42.7077751159668,61.0591583251953],[-43.0086135864258,60.8838806152344],[-43.4836082458496,60.9356842041016],[-42.7908401489258,60.8011016845703],[-43.5246505737305,60.8369369506836],[-42.787223815918,60.7449951171875],[-43.108455657959,60.6667671203613],[-42.7518768310547,60.6842269897461],[-42.8346519470215,60.571102142334],[-43.3148612976074,60.550895690918],[-43.208610534668,60.4644393920898],[-43.6977767944336,60.7156867980957],[-43.629997253418,60.5486068725586],[-44.1938858032227,60.6340217590332],[-43.3266677856445,60.4511032104492],[-43.5876388549805,60.3052673339844],[-43.1662483215332,60.3962440490723],[-43.0927734375,60.2572174072266],[-43.3220138549805,60.2136726379395],[-43.0944442749023,60.0927658081055],[-44.1138916015625,60.1836013793945],[-43.9938888549805,60.3074951171875],[-44.1027793884277,60.3838844299316],[-44.4634819030762,60.1433181762695],[-44.6041717529297,59.9824905395508],[-45.1527786254883,60.0741653442383],[-44.5020866394043,60.4754066467285],[-45.203125,60.1351318359375],[-44.6293716430664,60.7340888977051],[-45.2177734375,60.4341583251953],[-45.0991668701172,60.6458282470703],[-45.4873580932617,60.4918670654297],[-45.3133316040039,60.6999969482422],[-45.5747222900391,60.4691543579102],[-45.6813812255859,60.6370315551758],[-45.9779815673828,60.5779113769531],[-45.2527809143066,60.9058227539062],[-45.3841705322266,61.0072174072266],[-45.7105560302734,60.7677688598633],[-46.2218017578125,60.7680511474609],[-45.478385925293,60.9945030212402],[-45.2551651000977,61.100959777832],[-45.2159004211426,61.2038078308105],[-45.3708305358887,61.0901298522949],[-45.401123046875,61.1235694885254],[-45.5005569458008,61.2333297729492],[-45.5946655273438,61.0397262573242],[-45.6025009155273,61.0236053466797],[-45.6796913146973,61.0028915405273],[-46.0269470214844,60.9097137451172],[-45.6536102294922,61.142219543457],[-45.8666687011719,61.2151336669922],[-45.8080558776855,61.332633972168],[-46.0097274780273,61.2230453491211],[-45.8395805358887,61.162769317627],[-45.9150009155273,61.0902709960938],[-46.2294387817383,60.9747085571289],[-46.4057960510254,61.0823860168457],[-46.8622207641602,60.7973556518555],[-47.0230560302734,60.9760971069336],[-48.192497253418,60.8108215332031],[-47.6898574829102,61.0068016052246],[-48.398193359375,60.9827690124512],[-47.833194732666,61.0495758056641],[-48.2082748413086,61.1775054931641],[-48.3011093139648,61.1255493164062],[-48.6391677856445,61.2104072570801],[-48.4316711425781,61.2944412231445],[-49.0652770996094,61.3994369506836],[-48.2447204589844,61.5291595458984],[-48.3441619873047,61.6049957275391],[-48.9488830566406,61.4655456542969],[-49.2975006103516,61.5574951171875],[-48.5992126464844,61.6363372802734],[-49.1490287780762,61.7198486328125],[-48.775276184082,61.9872131347656],[-49.2380523681641,61.7116622924805],[-49.3541717529297,61.7655487060547],[-49.2147216796875,61.8836059570312],[-49.438606262207,61.84130859375],[-48.8425674438477,62.0761070251465],[-49.0918045043945,62.0767974853516],[-49.0079193115234,62.2059669494629],[-49.1722259521484,62.0161056518555],[-49.6694488525391,61.9955444335938],[-49.688606262207,62.1169395446777],[-49.2938919067383,62.1722183227539],[-49.6383361816406,62.1508255004883],[-49.4022216796875,62.2558288574219],[-49.8372192382812,62.2374954223633],[-50.3156242370605,62.4943008422852],[-49.9474945068359,62.8272171020508],[-50.2777786254883,62.7033233642578],[-50.1940307617188,62.8534088134766],[-50.1508331298828,62.9308242797852],[-49.6997184753418,63.0552673339844],[-50.1868476867676,62.9354209899902],[-50.3697204589844,62.7816619873047],[-50.1499938964844,63.0152740478516],[-50.5938873291016,62.9699859619141],[-50.6063919067383,63.0944366455078],[-50.0598449707031,63.2287521362305],[-50.9025840759277,63.1386489868164],[-50.7799987792969,63.2502746582031],[-51.0083389282227,63.1605453491211],[-51.107364654541,63.340404510498],[-50.2796516418457,63.4006156921387],[-51.2199935913086,63.4413757324219],[-50.7484741210938,63.5383262634277],[-51.1086387634277,63.6153182983398],[-51.1318054199219,63.6202697753906],[-51.1048736572266,63.6223793029785]],"Greenland"], ["Country","GJ0",[[-61.6548652648926,12.2363767623901],[-61.6414680480957,12.0330295562744],[-61.7851524353027,12.0038061141968],[-61.6548652648926,12.2363767623901]],"Grenada"], ["Country","GP0",[[-61.5418701171875,16.2902488708496],[-61.4633369445801,16.5129146575928],[-61.2055587768555,16.267219543457],[-61.5659332275391,16.2268600463867],[-61.688892364502,15.9477767944336],[-61.7836151123047,16.3330535888672],[-61.5418701171875,16.2902488708496]],"Guadeloupe"], ["Country","GQ0",[[144.709411621094,13.2349967956543],[144.655242919922,13.4277763366699],[144.876052856445,13.6522903442383],[144.709411621094,13.2349967956543]],"Guam"], ["Country","GT0",[[-92.2467803955078,14.5505466461182],[-92.070686340332,15.0772905349731],[-92.2113952636719,15.2622203826904],[-91.7291717529297,16.0749969482422],[-90.4419555664062,16.0883331298828],[-90.4064025878906,16.4163856506348],[-91.4339981079102,17.2372188568115],[-90.9839019775391,17.2561073303223],[-90.982421875,17.8206520080566],[-89.1419525146484,17.8188858032227],[-89.2161712646484,15.8898506164551],[-88.9105682373047,15.8936100006104],[-88.6180648803711,15.6985397338867],[-88.5513916015625,15.9408321380615],[-88.2147369384766,15.7244434356689],[-89.1503753662109,15.0734806060791],[-89.1377868652344,14.684720993042],[-89.3483123779297,14.4319820404053],[-89.5709762573242,14.4147214889526],[-89.5181655883789,14.2338523864746],[-90.0963897705078,13.7458324432373],[-91.3847351074219,13.9788875579834],[-92.2467803955078,14.5505466461182]],"Guatemala"], ["Country","GK0",[[-2.53664875030518,49.507942199707],[-2.52847909927368,49.4265365600586],[-2.66853165626526,49.4326629638672],[-2.53664875030518,49.507942199707]],"Guernsey"], ["Country","PU0",[[-16.7177696228027,12.3224258422852],[-15.6852779388428,12.4299983978271],[-15.2180557250977,12.684720993042],[-13.7131385803223,12.6772212982178],[-13.6693058013916,12.3186101913452],[-13.9639806747437,12.1534900665283],[-13.7140712738037,12.0161781311035],[-13.708194732666,11.7176380157471],[-14.6781253814697,11.512638092041],[-15.0168476104736,10.9564514160156],[-15.0227794647217,11.195276260376],[-15.2329177856445,10.9959011077881],[-15.2088203430176,11.2297554016113],[-15.4077787399292,11.1898593902588],[-15.2652797698975,11.4259128570557],[-15.5011463165283,11.3328113555908],[-15.2820844650269,11.6193046569824],[-15.0272235870361,11.594165802002],[-15.3390350341797,11.6814632415771],[-15.4443407058716,11.5531244277954],[-15.5561122894287,11.7254152297974],[-15.3870553970337,11.880316734314],[-15.9594449996948,11.735276222229],[-15.705810546875,12.0099048614502],[-16.2491683959961,11.9281930923462],[-16.349723815918,12.1058330535889],[-16.1152801513672,12.3333320617676],[-16.4552803039551,12.1718044281006],[-16.7177696228027,12.3224258422852]],"Guinea-Bissau"], ["Country","GV0",[[-7.97398376464844,10.1656112670898],[-8.14764022827148,9.98388767242432],[-8.14361190795898,9.53388786315918],[-7.73611164093018,9.09166526794434],[-7.95625019073486,8.804443359375],[-7.67347240447998,8.61527633666992],[-7.65337038040161,8.38383865356445],[-8.24101829528809,8.44654846191406],[-8.22888946533203,8.24027633666992],[-7.94683837890625,8.01850509643555],[-8.05339050292969,8.0328197479248],[-8.1864595413208,7.57305479049683],[-8.46974945068359,7.56132507324219],[-8.66055679321289,7.69499969482422],[-8.84444522857666,7.27173566818237],[-9.1099681854248,7.19392681121826],[-9.3244457244873,7.42680501937866],[-9.48516082763672,7.36198902130127],[-9.35385894775391,7.74236679077148],[-9.48365020751953,8.34693145751953],[-9.66986179351807,8.49069404602051],[-10.2666511535645,8.48837661743164],[-10.6958351135254,8.29861068725586],[-10.508056640625,8.71791553497314],[-10.5715255737305,9.05953216552734],[-10.7396535873413,9.09138774871826],[-10.6572923660278,9.30263710021973],[-11.2144451141357,9.99749946594238],[-12.456111907959,9.88833236694336],[-12.797779083252,9.29805374145508],[-13.2956104278564,9.03214263916016],[-13.4931335449219,9.5600757598877],[-13.6722240447998,9.56333160400391],[-13.6886386871338,9.95219039916992],[-13.822361946106,9.84944343566895],[-14.4575004577637,10.2936096191406],[-14.5358276367188,10.5066738128662],[-14.6606960296631,10.473331451416],[-14.5165281295776,10.8427772521973],[-14.6986112594604,10.6404838562012],[-14.8182134628296,10.9159421920776],[-14.9844455718994,10.7690267562866],[-15.0168476104736,10.9564514160156],[-14.6781253814697,11.512638092041],[-13.708194732666,11.7176380157471],[-13.7140712738037,12.0161781311035],[-13.9639806747437,12.1534900665283],[-13.6693058013916,12.3186101913452],[-13.7131385803223,12.6772212982178],[-13.0563201904297,12.6340961456299],[-13.0456953048706,12.4790267944336],[-12.8962507247925,12.5449991226196],[-12.3454036712646,12.3017482757568],[-11.3730583190918,12.4077739715576],[-11.4941673278809,12.1763858795166],[-11.3195838928223,12.0256900787354],[-10.9288902282715,12.2244415283203],[-10.6527481079102,11.8926086425781],[-10.3270864486694,12.2235383987427],[-9.70194625854492,12.0291633605957],[-9.31847286224365,12.2680530548096],[-9.35986137390137,12.488471031189],[-8.98000335693359,12.3927764892578],[-8.77972412109375,11.9258327484131],[-8.83166694641113,11.6616649627686],[-8.3628454208374,11.3751220703125],[-8.67152786254883,10.9589223861694],[-8.28972244262695,11.007776260376],[-8.27000141143799,10.5024995803833],[-7.97645854949951,10.328818321228],[-7.97398376464844,10.1656112670898]],"Guinea"], ["Country","GY0",[[-60.7303695678711,5.20479869842529],[-61.3897247314453,5.9399995803833],[-61.1601448059082,6.18249940872192],[-61.1251068115234,6.7147741317749],[-60.6977844238281,6.76666641235352],[-60.2912521362305,7.05659675598145],[-60.6175003051758,7.19444370269775],[-60.716667175293,7.53999948501587],[-59.8328514099121,8.23152637481689],[-59.9902801513672,8.53527641296387],[-59.1293067932129,8.03999900817871],[-58.485279083252,7.36861085891724],[-58.6370887756348,6.42194366455078],[-58.3166007995605,6.89423561096191],[-57.2202835083008,6.16916656494141],[-57.2485046386719,5.48611068725586],[-57.3244476318359,5.30361080169678],[-57.1910438537598,5.17201328277588],[-57.3272247314453,5.02611064910889],[-57.92333984375,4.82194423675537],[-57.8403511047363,4.66902732849121],[-58.0437545776367,4.00152730941772],[-57.6422271728516,3.35638856887817],[-57.3041687011719,3.38041639328003],[-57.2008361816406,2.82284688949585],[-56.6820907592773,2.02676796913147],[-56.4706344604492,1.94449901580811],[-57.3319473266602,1.97222208976746],[-57.5280609130859,1.71583318710327],[-58.0071563720703,1.51569426059723],[-58.2972259521484,1.58277773857117],[-58.5196228027344,1.26961779594421],[-58.8106956481934,1.1868748664856],[-59.2439613342285,1.38652765750885],[-59.7490310668945,1.86138880252838],[-59.7354888916016,2.28472185134888],[-59.9884757995605,2.68819403648376],[-59.8319473266602,3.52416658401489],[-59.5686111450195,3.89944410324097],[-59.674446105957,4.38513851165771],[-60.1484756469727,4.51999950408936],[-59.9830627441406,5.02249908447266],[-60.1145858764648,5.24569416046143],[-60.7303695678711,5.20479869842529]],"Guyana"], ["Country","HA0",[[-71.7678680419922,18.038501739502],[-72.0723648071289,18.2399978637695],[-72.8158340454102,18.1384716033936],[-73.3863983154297,18.2619438171387],[-73.8816680908203,18.022777557373],[-74.4677886962891,18.4508323669434],[-74.2366790771484,18.6672210693359],[-72.7366714477539,18.42458152771],[-72.3687591552734,18.5256938934326],[-72.3297271728516,18.6834697723389],[-72.80029296875,19.0330543518066],[-72.7233428955078,19.4549980163574],[-73.4076461791992,19.6343040466309],[-73.4180603027344,19.8197212219238],[-72.7844543457031,19.9422187805176],[-71.7541809082031,19.7058296203613],[-71.6291809082031,19.2197208404541],[-71.7158355712891,18.7497215270996],[-72.0030670166016,18.600830078125],[-71.6947326660156,18.3222198486328],[-71.7678680419922,18.038501739502]],"Haiti"], ["Country","HA1",[[-72.8258361816406,18.6955528259277],[-73.3000030517578,18.9272193908691],[-72.8572235107422,18.8349990844727],[-72.8258361816406,18.6955528259277]],"Haiti"], ["Country","HM0",[[73.7738800048828,-53.1250305175781],[73.4744415283203,-53.1941680908203],[73.2347106933594,-52.992504119873],[73.7738800048828,-53.1250305175781]],"Heard I. & McDonald Is."], ["Country","HO0",[[-83.8310470581055,15.2712841033936],[-83.7583465576172,15.1966648101807],[-83.5927429199219,15.2493677139282],[-83.6166839599609,15.3472452163696],[-83.1318511962891,14.9929790496826],[-83.48583984375,15.0061092376709],[-84.4804916381836,14.6188182830811],[-84.9100112915039,14.8066663742065],[-85.1591262817383,14.3356561660767],[-85.7363891601562,13.8286094665527],[-86.0701446533203,14.0559711456299],[-86.325569152832,13.7634706497192],[-86.7585983276367,13.7540044784546],[-86.6960525512695,13.2988185882568],[-86.9025802612305,13.2486095428467],[-87.0227813720703,12.9881935119629],[-87.3013916015625,12.9865989685059],[-87.5118103027344,13.2772903442383],[-87.3983383178711,13.4123592376709],[-87.8155822753906,13.4053859710693],[-87.7502899169922,13.8641662597656],[-88.1219482421875,13.9905548095703],[-88.4679260253906,13.8547210693359],[-89.3483123779297,14.4319820404053],[-89.1377868652344,14.684720993042],[-89.1503753662109,15.0734806060791],[-88.2147369384766,15.7244434356689],[-87.7077789306641,15.9212827682495],[-87.4744491577148,15.7844429016113],[-86.4034729003906,15.7675685882568],[-85.9519577026367,15.9170827865601],[-86.011604309082,16.0216293334961],[-85.4961166381836,15.8890266418457],[-84.9969635009766,15.9912776947021],[-84.5991744995117,15.7755537033081],[-84.2601470947266,15.8259706497192],[-83.8555603027344,15.4599990844727],[-84.2095184326172,15.5456581115723],[-84.0744552612305,15.3491649627686],[-83.8310470581055,15.2712841033936]],"Honduras"], ["Country","HQ0",[[-176.632766723633,0.808644831180573],[-176.631088256836,0.795401751995087],[-176.643127441406,0.793682456016541],[-176.642852783203,0.808366000652313],[-176.632766723633,0.808644831180573]],"Howland I."], ["Country","HU0",[[22.8948040008545,47.9545402526855],[22.0138854980469,47.5106201171875],[21.177360534668,46.2973594665527],[20.2610244750977,46.1148529052734],[19.5652751922607,46.1727752685547],[18.8170204162598,45.9129638671875],[18.4074974060059,45.7483291625977],[17.6609687805176,45.8387451171875],[16.6078720092773,46.4762344360352],[16.3490257263184,46.842357635498],[16.1118049621582,46.8697204589844],[16.5048599243164,47.006763458252],[16.4520111083984,47.412841796875],[16.7138862609863,47.5438842773438],[16.450553894043,47.6980514526367],[17.0538864135742,47.7094421386719],[17.1663856506348,48.0124969482422],[17.7872848510742,47.7464294433594],[18.6630535125732,47.7597160339355],[18.8497200012207,47.8177719116211],[18.8453369140625,48.049129486084],[19.4724254608154,48.0894393920898],[19.6305541992188,48.23388671875],[19.9398593902588,48.1362457275391],[20.6529140472412,48.5616645812988],[21.4381923675537,48.5753440856934],[21.780969619751,48.340690612793],[22.1514415740967,48.4119186401367],[22.8948040008545,47.9545402526855]],"Hungary"], ["Country","IC0",[[-15.0708351135254,66.1436004638672],[-14.6188907623291,65.9944305419922],[-14.8483333587646,65.7313842773438],[-14.3384733200073,65.7845764160156],[-14.5583343505859,65.4992294311523],[-14.2880563735962,65.6562423706055],[-13.6095838546753,65.506103515625],[-13.7356948852539,65.3173522949219],[-13.5701389312744,65.2613067626953],[-14.0302791595459,65.1934661865234],[-13.4994449615479,65.0691528320312],[-13.9880561828613,65.0638885498047],[-13.7004175186157,64.9204025268555],[-14.051251411438,64.9322128295898],[-13.7697229385376,64.8663024902344],[-14.0180568695068,64.7236022949219],[-14.5122232437134,64.796516418457],[-14.3659448623657,64.6741027832031],[-14.5847225189209,64.5849914550781],[-14.4624862670898,64.5423583984375],[-14.5412511825562,64.4047088623047],[-14.9250011444092,64.26416015625],[-15.3868064880371,64.3701324462891],[-16.4886131286621,63.8958282470703],[-17.8720855712891,63.7306900024414],[-17.930835723877,63.5295791625977],[-18.7750015258789,63.3913879394531],[-20.1969451904297,63.5424957275391],[-20.5411682128906,63.7071075439453],[-20.361946105957,63.7616653442383],[-21.1697235107422,63.9541625976562],[-22.6862506866455,63.8045768737793],[-22.70041847229,64.0819396972656],[-22.0455589294434,64.0466613769531],[-21.7020854949951,64.1827697753906],[-21.8759746551514,64.2329025268555],[-21.7591667175293,64.3402709960938],[-21.3627796173096,64.3849868774414],[-22.0992374420166,64.3123474121094],[-21.978889465332,64.5008239746094],[-21.5130577087402,64.6440887451172],[-22.1665287017822,64.453742980957],[-22.4072227478027,64.8124847412109],[-23.835973739624,64.7259674072266],[-24.0595321655273,64.8908843994141],[-21.8358345031738,65.0302734375],[-21.7591667175293,65.2035980224609],[-22.5601406097412,65.1683883666992],[-21.6986122131348,65.4491577148438],[-22.2877807617188,65.4413757324219],[-22.1223640441895,65.593879699707],[-23.8794479370117,65.4024963378906],[-24.5384044647217,65.5002746582031],[-24.3219470977783,65.6368026733398],[-23.8074321746826,65.5309600830078],[-24.0695858001709,65.6306838989258],[-23.8059043884277,65.6090240478516],[-24.1052112579346,65.8056869506836],[-23.5272254943848,65.6277770996094],[-23.1922225952148,65.7758331298828],[-23.5316696166992,65.7508239746094],[-23.8733348846436,65.8687362670898],[-23.2161827087402,65.8401336669922],[-23.8183345794678,66.0144271850586],[-23.3744468688965,65.9865188598633],[-23.6661128997803,66.112907409668],[-23.4687519073486,66.1997146606445],[-22.6777801513672,66.0449981689453],[-22.6495838165283,65.8265228271484],[-22.4997253417969,65.9661102294922],[-22.4355583190918,65.8388824462891],[-22.5,66.0769653320312],[-22.972225189209,66.2213745117188],[-22.4341697692871,66.2677764892578],[-23.1901741027832,66.3559036254883],[-22.4216690063477,66.4333190917969],[-21.6513900756836,66.0188751220703],[-21.3994445800781,66.0272216796875],[-21.5897254943848,65.9422149658203],[-21.2851409912109,65.9206161499023],[-21.4377784729004,65.6880493164062],[-21.7750015258789,65.7647094726562],[-21.3088912963867,65.5969390869141],[-21.0844459533691,65.1591644287109],[-21.0922241210938,65.453742980957],[-20.9272232055664,65.5888824462891],[-20.6641693115234,65.6908264160156],[-20.4502086639404,65.493049621582],[-20.2630577087402,65.7236022949219],[-20.4226398468018,66.0844421386719],[-20.1741695404053,66.1294403076172],[-19.456111907959,65.7256927490234],[-19.4544448852539,66.0547180175781],[-18.7877788543701,66.1919326782227],[-18.0694465637207,65.6433258056641],[-18.2951412200928,66.1752700805664],[-17.6091690063477,65.9874877929688],[-17.1311111450195,66.2105407714844],[-16.5947227478027,66.0911102294922],[-16.6870861053467,66.1609649658203],[-16.4173622131348,66.2760314941406],[-16.5277786254883,66.5080413818359],[-16.0254192352295,66.5361022949219],[-15.3743057250977,66.1452713012695],[-14.7108354568481,66.3672180175781],[-15.0708351135254,66.1436004638672]],"Iceland"], ["Country","IN0",[[92.8857345581055,12.8984508514404],[92.8406829833984,13.3274974822998],[93.0449829101562,13.5701370239258],[93.0452575683594,13.0655536651611],[92.8857345581055,12.8984508514404]],"India"], ["Country","IN1",[[92.8744201660156,12.3066654205322],[92.7180480957031,12.3411083221436],[92.7363739013672,12.809720993042],[92.9182586669922,12.9132652282715],[92.9916534423828,12.5249996185303],[92.8744201660156,12.3066654205322]],"India"], ["Country","IN2",[[92.7540588378906,12.0678806304932],[92.7165145874023,11.4918012619019],[92.5253295898438,11.855414390564],[92.6740798950195,12.2128448486328],[92.7540588378906,12.0678806304932]],"India"], ["Country","IN3",[[92.5604705810547,10.776969909668],[92.5074920654297,10.5313873291016],[92.3592910766602,10.5426378250122],[92.35693359375,10.7898597717285],[92.4980392456055,10.9008321762085],[92.5604705810547,10.776969909668]],"India"], ["Country","IN4",[[93.8680419921875,7.18230247497559],[93.8270645141602,6.74583196640015],[93.6436004638672,7.11860942840576],[93.8680419921875,7.18230247497559]],"India"], ["Country","IN5",[[68.1977996826172,23.7666854858398],[68.2847061157227,23.9393005371094],[68.7472076416016,23.9699935913086],[68.7887420654297,24.3336086273193],[70,24.1697158813477],[70.5599822998047,24.435827255249],[70.7619323730469,24.2358283996582],[71.10498046875,24.4193000793457],[70.6756744384766,25.6801338195801],[70.2848434448242,25.7055511474609],[70.0885238647461,25.9831886291504],[70.16796875,26.5562477111816],[69.5113067626953,26.7487468719482],[69.5835342407227,27.1779804229736],[70.3665084838867,28.0187473297119],[70.5873565673828,28.0031909942627],[70.8294372558594,27.7063827514648],[71.8969421386719,27.9619407653809],[72.3897094726562,28.7849960327148],[72.9502639770508,29.0399971008301],[73.3974914550781,29.9427719116211],[73.9334030151367,30.1360015869141],[73.8704071044922,30.3874092102051],[74.6975936889648,31.0590896606445],[74.5226669311523,31.1750793457031],[74.5992813110352,31.8694248199463],[75.3812866210938,32.214241027832],[75.0576248168945,32.4751281738281],[74.7106781005859,32.4806861877441],[74.6419296264648,32.7770729064941],[74.3633804321289,32.7750587463379],[74.3317947387695,33.0023574829102],[74.0197143554688,33.1841583251953],[74.1823425292969,33.507495880127],[73.9912185668945,33.7454109191895],[74.294563293457,33.9736022949219],[73.9162292480469,34.0638809204102],[74.0215835571289,34.2019348144531],[73.7999114990234,34.3975639343262],[73.9365768432617,34.6329765319824],[74.3808212280273,34.7826347351074],[75.661376953125,34.5008316040039],[76.4499969482422,34.7672119140625],[76.8699798583984,34.6588821411133],[77.04248046875,35.0991592407227],[77.8239288330078,35.5013275146484],[78.0718002319336,35.4990234375],[78.0230484008789,35.280689239502],[78.3370742797852,34.6117973327637],[78.9853515625,34.3500137329102],[78.7358093261719,34.0683288574219],[78.8138656616211,33.5204124450684],[79.375114440918,33.099437713623],[79.5287399291992,32.756664276123],[78.9710998535156,32.350830078125],[78.7462310791016,32.6390190124512],[78.4059524536133,32.5561027526855],[78.4759368896484,32.2430419921875],[78.770751953125,31.9684715270996],[78.7682495117188,31.3089542388916],[79.0808181762695,31.4372863769531],[79.5542907714844,30.9570789337158],[79.863037109375,30.9658298492432],[80.2542266845703,30.7337436676025],[80.2070007324219,30.5755157470703],[81.0253601074219,30.2043533325195],[80.3750076293945,29.7402038574219],[80.0613708496094,28.829927444458],[81.1888732910156,28.3691635131836],[81.2980346679688,28.1638832092285],[81.9010543823242,27.8549270629883],[82.7010955810547,27.7111053466797],[82.7665176391602,27.5034694671631],[83.3099746704102,27.3362464904785],[83.4183197021484,27.472770690918],[83.8583068847656,27.3522243499756],[84.147216796875,27.5113868713379],[84.6380462646484,27.3111095428467],[84.6552658081055,27.0403442382812],[85.3280487060547,26.7361068725586],[85.6307525634766,26.8659687042236],[85.8604736328125,26.5728435516357],[86.0329055786133,26.6631908416748],[86.7333831787109,26.420202255249],[87.0044403076172,26.5344429016113],[87.2697143554688,26.3752746582031],[88.0201950073242,26.3683643341064],[88.191780090332,26.7259674072266],[87.9949798583984,27.1122875213623],[88.1427917480469,27.8660545349121],[88.6243515014648,28.1168022155762],[88.8357543945312,28.0080528259277],[88.7646408081055,27.5424270629883],[88.9169311523438,27.3208312988281],[88.7519378662109,27.1486053466797],[88.8938751220703,26.9755516052246],[89.6430511474609,26.7152709960938],[90.3887405395508,26.9034671783447],[90.7086029052734,26.7724990844727],[92.0312347412109,26.8519401550293],[92.1142196655273,27.2930526733398],[91.9936599731445,27.4755840301514],[91.6758193969727,27.4870777130127],[91.6577606201172,27.764720916748],[92.5449829101562,27.8619403839111],[92.7104415893555,28.1418991088867],[93.222053527832,28.319299697876],[93.351936340332,28.6187591552734],[93.9617233276367,28.6692008972168],[94.2345581054688,29.0734806060791],[94.6475067138672,29.333459854126],[95.3877716064453,29.0352745056152],[96.0831451416016,29.4644393920898],[96.3917236328125,29.2575664520264],[96.1488800048828,29.0597190856934],[96.1753234863281,28.9013843536377],[96.4708251953125,29.0566635131836],[96.6137313842773,28.7956924438477],[96.3402709960938,28.5249977111816],[96.4019317626953,28.3511085510254],[96.6538696289062,28.4674949645996],[97.348876953125,28.222770690918],[97.3610992431641,27.9408302307129],[96.8863830566406,27.5998573303223],[97.1354064941406,27.0872173309326],[96.7258911132812,27.3656902313232],[96.1912231445312,27.2698593139648],[95.1449813842773,26.6161766052246],[95.1649856567383,26.0368041992188],[94.6285934448242,25.4018707275391],[94.5784683227539,25.2091617584229],[94.7351837158203,25.0320110321045],[94.1477661132812,23.8515243530273],[93.337516784668,24.0718364715576],[93.3878326416016,23.2314529418945],[93.3054656982422,23.0176372528076],[93.1395721435547,23.0470809936523],[93.0927581787109,22.7144393920898],[93.1978912353516,22.2647190093994],[92.9244232177734,22.004997253418],[92.7063293457031,22.1545085906982],[92.6008148193359,21.9822158813477],[92.2780456542969,23.7108287811279],[91.9585952758789,23.7277717590332],[91.8181762695312,23.090274810791],[91.6115112304688,22.9445781707764],[91.4260864257812,23.2619438171387],[91.3442916870117,23.0981903076172],[91.1619262695312,23.6315250396729],[91.3819808959961,24.1051349639893],[91.8825759887695,24.1515560150146],[92.1172027587891,24.3899955749512],[92.2483825683594,24.8945789337158],[92.4916305541992,24.8775100708008],[92.4088745117188,25.0255527496338],[92.0388793945312,25.1874942779541],[90.4124908447266,25.1488838195801],[89.8505401611328,25.2889556884766],[89.7339401245117,26.1563148498535],[89.6017227172852,26.2274703979492],[89.5482177734375,26.0156307220459],[89.3199081420898,26.024829864502],[89.0707321166992,26.3853282928467],[88.9466934204102,26.442684173584],[89.0440063476562,26.2746047973633],[88.8571472167969,26.240140914917],[88.4130706787109,26.6261405944824],[88.3355865478516,26.4829978942871],[88.523063659668,26.3673152923584],[88.1828918457031,26.1505508422852],[88.1105346679688,25.8355522155762],[89.0086669921875,25.2902755737305],[88.9330444335938,25.1644401550293],[88.4542236328125,25.1883983612061],[88.397216796875,24.93971824646],[88.1410980224609,24.9164180755615],[88.0438690185547,24.6852035522461],[88.1304016113281,24.5065269470215],[88.7420806884766,24.2416687011719],[88.5659637451172,23.6466617584229],[88.7863388061523,23.4928417205811],[88.7271347045898,23.2470779418945],[88.982795715332,23.2061405181885],[88.8631057739258,22.9682579040527],[89.0630035400391,22.1154747009277],[89.0843658447266,21.6252040863037],[88.7120056152344,21.5622882843018],[88.6767807006836,22.1971473693848],[88.5722198486328,21.5599975585938],[88.5002670288086,21.9480495452881],[88.4504013061523,21.611385345459],[88.3063354492188,21.6105861663818],[88.2612075805664,21.7969150543213],[88.2574920654297,21.5487461090088],[88.1992568969727,22.1519050598145],[87.9060974121094,22.4204120635986],[88.1665191650391,22.0897197723389],[87.7963714599609,21.6988830566406],[86.9633178710938,21.3819389343262],[86.8280487060547,21.1524963378906],[87.0255584716797,20.6748275756836],[86.4212265014648,19.9849262237549],[86.1963653564453,20.0749969482422],[86.2720794677734,19.9106903076172],[85.4513854980469,19.6602745056152],[85.5750045776367,19.8354816436768],[85.4348831176758,19.8870086669922],[85.1284866333008,19.5486907958984],[85.3824920654297,19.6124954223633],[84.7265853881836,19.1240005493164],[84.1158828735352,18.3020801544189],[82.3620681762695,17.0983295440674],[82.3016967773438,16.5830535888672],[81.7272644042969,16.3108291625977],[81.3210144042969,16.3670806884766],[81.0133361816406,15.7834358215332],[80.8826217651367,16.01194190979],[80.8252716064453,15.7519435882568],[80.6847076416016,15.8999996185303],[80.2794342041016,15.6991653442383],[80.0490798950195,15.0555534362793],[80.3137969970703,13.4571151733398],[80.1524810791016,13.718053817749],[80.0494232177734,13.6205530166626],[80.3487396240234,13.3426361083984],[80.1602630615234,12.4730529785156],[79.7642974853516,11.6562490463257],[79.8581085205078,10.285831451416],[79.3243560791016,10.2799291610718],[78.9433135986328,9.59833145141602],[79.0091552734375,9.3316650390625],[79.4462280273438,9.15992832183838],[78.967903137207,9.27333164215088],[78.4099884033203,9.09694290161133],[77.9969329833984,8.33833122253418],[77.5361022949219,8.07194328308105],[77.2991485595703,8.13305282592773],[76.5758209228516,8.8769416809082],[76.6637344360352,9.00381755828857],[76.5341491699219,8.96499824523926],[76.4424743652344,9.14333152770996],[76.2455291748047,9.9022216796875],[76.352897644043,9.52638721466064],[76.4988708496094,9.53041553497314],[75.7177581787109,11.3652744293213],[75.1938705444336,12.0101375579834],[74.8552551269531,12.754997253418],[74.4119262695312,14.4833316802979],[74.0979690551758,14.7874631881714],[73.7885971069336,15.3989906311035],[73.9495010375977,15.3985414505005],[73.4474792480469,16.0586090087891],[72.8538665771484,18.6605529785156],[73.0541839599609,19.0047168731689],[72.7732162475586,18.9459323883057],[72.7790145874023,19.3105525970459],[73.0426254272461,19.2110462188721],[72.7537460327148,19.3727722167969],[72.6641540527344,19.8708305358887],[72.9344177246094,20.7747192382812],[72.5648498535156,21.3750648498535],[73.1271286010742,21.7578449249268],[72.546028137207,21.6638832092285],[72.7226257324219,21.9901313781738],[72.5016555786133,21.9749240875244],[72.580680847168,22.1983299255371],[72.9147720336914,22.2711086273193],[72.1551895141602,22.2812461853027],[72.3254089355469,22.1515235900879],[72.0389022827148,21.939022064209],[72.1631774902344,21.8373565673828],[71.9983139038086,21.8538856506348],[72.2891540527344,21.6108283996582],[72.1081008911133,21.2040920257568],[70.8251266479492,20.6959667205811],[70.0608062744141,21.1444396972656],[68.9459533691406,22.2893028259277],[69.0713806152344,22.4807567596436],[69.2203903198242,22.2739562988281],[70.1699829101562,22.5508308410645],[70.5097198486328,23.0981903076172],[69.7102661132812,22.7427711486816],[69.2158203125,22.840274810791],[68.4330444335938,23.4299964904785],[68.4085235595703,23.6081199645996],[68.7413635253906,23.8441619873047],[68.3295745849609,23.5849266052246],[68.1442260742188,23.6090927124023],[68.1977996826172,23.7666854858398]],"India"], ["Country","ID0",[[126.749710083008,3.98388862609863],[126.741859436035,4.53979063034058],[126.915817260742,4.27583265304565],[126.749710083008,3.98388862609863]],"Indonesia"], ["Country","ID1",[[108.061576843262,3.85186767578125],[107.991653442383,4.02416610717773],[108.251388549805,4.17999935150146],[108.397491455078,3.97694396972656],[108.321098327637,3.68263816833496],[108.117202758789,3.67611074447632],[108.201393127441,3.79638862609863],[108.061576843262,3.85186767578125]],"Indonesia"], ["Country","ID2",[[96.484130859375,2.37111043930054],[95.6969146728516,2.81888866424561],[95.8833160400391,2.91888856887817],[96.484130859375,2.37111043930054]],"Indonesia"], ["Country","ID3",[[128.276641845703,2.01729536056519],[128.232177734375,2.30611038208008],[128.576416015625,2.62909650802612],[128.619964599609,2.21527719497681],[128.276641845703,2.01729536056519]],"Indonesia"], ["Country","ID4",[[127.901382446289,-0.456944465637207],[127.663940429688,-0.215138882398605],[127.52262878418,0.601527631282806],[127.614356994629,0.852777600288391],[127.398880004883,1.18694424629211],[127.653182983398,1.87069416046143],[128.054061889648,2.19243001937866],[127.855674743652,1.91624963283539],[128.012619018555,1.71472191810608],[127.989700317383,1.34666657447815],[127.632629394531,0.922638773918152],[127.869705200195,0.817083179950714],[128.189697265625,1.17055535316467],[128.188293457031,1.37805533409119],[128.709548950195,1.57097208499908],[128.697479248047,1.10194420814514],[128.212036132812,0.779652655124664],[128.674301147461,0.552812337875366],[128.683029174805,0.357291579246521],[128.904907226562,0.203263863921165],[127.921226501465,0.454444408416748],[127.893051147461,-0.0319444462656975],[128.401794433594,-0.888194441795349],[128.021087646484,-0.693194448947906],[127.901382446289,-0.456944465637207]],"Indonesia"], ["Country","ID5",[[101.774291992188,1.93950057029724],[101.601638793945,1.70916604995728],[101.393714904785,1.91555523872375],[101.642051696777,2.11999940872192],[101.774291992188,1.93950057029724]],"Indonesia"], ["Country","ID6",[[102.495246887207,1.43633556365967],[102.480796813965,1.2622218132019],[101.994071960449,1.60694396495819],[102.495246887207,1.43633556365967]],"Indonesia"], ["Country","ID7",[[97.810791015625,0.549722075462341],[97.1146850585938,1.39333319664001],[97.4824676513672,1.46999979019165],[97.9093475341797,1.0392359495163],[97.810791015625,0.549722075462341]],"Indonesia"], ["Country","ID8",[[102.477432250977,1.20605134963989],[102.373291015625,0.925277590751648],[102.210945129395,1.40361058712006],[102.477432250977,1.20605134963989]],"Indonesia"], ["Country","ID9",[[98.5022125244141,-0.466386318206787],[98.3260955810547,-0.539722204208374],[98.4231796264648,-0.249583348631859],[98.5022125244141,-0.466386318206787]],"Indonesia"], ["Country","ID10",[[127.243270874023,-0.267774045467377],[127.254020690918,-0.497638881206512],[127.116371154785,-0.525000095367432],[127.105674743652,-0.294444441795349],[127.243270874023,-0.267774045467377]],"Indonesia"], ["Country","ID11",[[127.531303405762,-0.31034904718399],[127.684143066406,-0.467777788639069],[127.649154663086,-0.704305589199066],[127.895751953125,-0.777916729450226],[127.815254211426,-0.871805489063263],[127.457206726074,-0.813194394111633],[127.302619934082,-0.516805589199066],[127.320129394531,-0.343055576086044],[127.531303405762,-0.31034904718399]],"Indonesia"], ["Country","ID12",[[135.460845947266,-0.662425756454468],[135.851638793945,-0.703472197055817],[136.386367797852,-1.11520826816559],[135.88427734375,-1.18555545806885],[135.757202148438,-0.825555562973022],[135.462036132812,-0.797902047634125],[135.460845947266,-0.662425756454468]],"Indonesia"], ["Country","ID13",[[99.2822113037109,-1.73944425582886],[99.2256774902344,-1.62215280532837],[99.1122055053711,-1.80527782440186],[98.8762283325195,-1.67694437503815],[98.6030426025391,-1.22305536270142],[98.6574859619141,-0.971111118793488],[98.9291534423828,-0.950277805328369],[99.2822113037109,-1.73944425582886]],"Indonesia"], ["Country","ID14",[[109.756378173828,-1.03251600265503],[109.775817871094,-1.14236104488373],[109.418586730957,-1.26333355903625],[109.492477416992,-0.979722142219543],[109.756378173828,-1.03251600265503]],"Indonesia"], ["Country","ID15",[[123.553863525391,-1.3050000667572],[123.181510925293,-1.62402772903442],[123.129150390625,-1.33111119270325],[122.906784057617,-1.59180557727814],[122.805671691895,-1.45444440841675],[122.922210693359,-1.17694449424744],[123.194839477539,-1.15305542945862],[123.23055267334,-1.39888882637024],[123.371231079102,-1.22548592090607],[123.553863525391,-1.3050000667572]],"Indonesia"], ["Country","ID16",[[127.46053314209,-1.43535757064819],[127.721374511719,-1.3486111164093],[128.154144287109,-1.66194438934326],[127.533332824707,-1.73944425582886],[127.378311157227,-1.63388895988464],[127.46053314209,-1.43535757064819]],"Indonesia"], ["Country","ID17",[[106.14574432373,-2.86847352981567],[105.929153442383,-2.74861097335815],[105.792488098145,-2.16444444656372],[105.137557983398,-2.07583355903625],[105.455268859863,-1.56708335876465],[105.60498046875,-1.53597223758698],[105.781097412109,-1.79500007629395],[105.70915222168,-1.5475001335144],[106.026794433594,-1.57472229003906],[106.270408630371,-2.37430548667908],[106.781661987305,-2.59194421768188],[106.601364135742,-2.92263889312744],[106.717758178711,-3.09833335876465],[106.14574432373,-2.86847352981567]],"Indonesia"], ["Country","ID18",[[135.505035400391,-1.60039639472961],[136.900665283203,-1.79618060588837],[136.218841552734,-1.87444448471069],[135.505035400391,-1.60039639472961]],"Indonesia"], ["Country","ID19",[[124.424926757812,-1.65711832046509],[125.290740966797,-1.7332638502121],[125.319984436035,-1.88743054866791],[124.405326843262,-2.01611113548279],[124.424926757812,-1.65711832046509]],"Indonesia"], ["Country","ID20",[[130.350555419922,-1.68020486831665],[130.381500244141,-2.01097249984741],[130.120788574219,-2.06611108779907],[129.71794128418,-1.88819444179535],[130.350555419922,-1.68020486831665]],"Indonesia"], ["Country","ID21",[[125.41584777832,-1.78388333320618],[126.348876953125,-1.81986105442047],[125.466659545898,-1.94000005722046],[125.41584777832,-1.78388333320618]],"Indonesia"], ["Country","ID22",[[125.95915222168,-1.9785463809967],[126.053451538086,-2.48277735710144],[125.861923217773,-2.08666658401489],[125.95915222168,-1.9785463809967]],"Indonesia"], ["Country","ID23",[[99.8591461181641,-2.37648773193359],[99.568603515625,-2.22013854980469],[99.5726318359375,-2.0263888835907],[99.8591461181641,-2.37648773193359]],"Indonesia"], ["Country","ID24",[[100.203018188477,-2.75892782211304],[100.015968322754,-2.83902764320374],[99.973876953125,-2.49652791023254],[100.203018188477,-2.75892782211304]],"Indonesia"], ["Country","ID25",[[107.614799499512,-2.77874851226807],[107.666091918945,-2.56437492370605],[107.832763671875,-2.53500032424927],[108.293319702148,-2.85378694534302],[108.07738494873,-3.22736072540283],[107.869705200195,-3.05180549621582],[107.644493103027,-3.22624969482422],[107.614799499512,-2.77874851226807]],"Indonesia"], ["Country","ID26",[[127.918319702148,-3.55944442749023],[127.856086730957,-3.18666648864746],[128.171920776367,-2.85694456100464],[129.133026123047,-2.96326375007629],[129.526641845703,-2.78361129760742],[130.376068115234,-2.98861122131348],[130.873977661133,-3.59298586845398],[130.829956054688,-3.87277746200562],[129.888580322266,-3.33444428443909],[129.516098022461,-3.2975001335144],[129.517822265625,-3.46993017196655],[128.968292236328,-3.3536114692688],[128.882675170898,-3.20937490463257],[128.47038269043,-3.4606945514679],[128.181869506836,-3.07409739494324],[127.918319702148,-3.55944442749023]],"Indonesia"], ["Country","ID27",[[100.459426879883,-3.33388900756836],[100.197479248047,-2.78694486618042],[100.469711303711,-3.02388906478882],[100.459426879883,-3.33388900756836]],"Indonesia"], ["Country","ID28",[[126.127899169922,-3.1196813583374],[126.993873596191,-3.14499998092651],[127.096229553223,-3.37020826339722],[127.260543823242,-3.37749981880188],[127.23664855957,-3.61749982833862],[126.69303894043,-3.83493041992188],[126.508041381836,-3.7688889503479],[126.044143676758,-3.42680549621582],[126.127899169922,-3.1196813583374]],"Indonesia"], ["Country","ID29",[[116.271057128906,-3.28525304794312],[116.305320739746,-3.907222032547],[116.05525970459,-4.04236125946045],[116.012771606445,-3.63277769088745],[116.271057128906,-3.28525304794312]],"Indonesia"], ["Country","ID30",[[128.036376953125,-3.5930552482605],[128.346771240234,-3.53277802467346],[128.117736816406,-3.77694463729858],[128.197052001953,-3.64215278625488],[127.918319702148,-3.7408332824707],[128.036376953125,-3.5930552482605]],"Indonesia"], ["Country","ID31",[[102.378051757812,-5.4871997833252],[102.09984588623,-5.33513927459717],[102.380813598633,-5.37249946594238],[102.378051757812,-5.4871997833252]],"Indonesia"], ["Country","ID32",[[108.786102294922,-6.81833362579346],[110.393600463867,-6.97902774810791],[110.729843139648,-6.45916652679443],[110.927345275879,-6.41118049621582],[111.148735046387,-6.69729137420654],[111.491218566895,-6.63006925582886],[112.094436645508,-6.91166687011719],[112.560256958008,-6.91222190856934],[112.604774475098,-7.20020818710327],[112.81330871582,-7.25166702270508],[112.84790802002,-7.60069417953491],[113.29914855957,-7.79215240478516],[114.038040161133,-7.6119441986084],[114.448318481445,-7.80055522918701],[114.356788635254,-8.43555450439453],[114.590507507324,-8.77785778045654],[113.232757568359,-8.28111267089844],[112.64665222168,-8.43416595458984],[111.787002563477,-8.2606954574585],[111.651092529297,-8.36249923706055],[109.289703369141,-7.69944381713867],[108.186920166016,-7.7863883972168],[107.468864440918,-7.50458383560181],[106.423309326172,-7.37138843536377],[106.506797790527,-6.97833347320557],[105.215957641602,-6.77521562576294],[105.491363525391,-6.80888843536377],[106.033866882324,-5.88888931274414],[106.927406311035,-6.08829975128174],[107.038589477539,-5.91611099243164],[107.331939697266,-5.96166706085205],[107.650543212891,-6.25],[108.313179016113,-6.26166725158691],[108.786102294922,-6.81833362579346]],"Indonesia"], ["Country","ID33",[[115.293327331543,-6.83879280090332],[115.57048034668,-6.9211106300354],[115.295532226562,-7.00826454162598],[115.293327331543,-6.83879280090332]],"Indonesia"], ["Country","ID34",[[112.939422607422,-6.89333343505859],[114.127960205078,-6.97326374053955],[113.17359161377,-7.22156238555908],[112.716934204102,-7.14875030517578],[112.939422607422,-6.89333343505859]],"Indonesia"], ["Country","ID35",[[131.645721435547,-7.11665534973145],[131.630096435547,-7.62916612625122],[131.32926940918,-8.01430606842041],[131.10856628418,-7.99847221374512],[131.237045288086,-7.49097204208374],[131.645721435547,-7.11665534973145]],"Indonesia"], ["Country","ID36",[[138.559753417969,-7.37908458709717],[138.806915283203,-7.38319444656372],[139.036651611328,-7.61388874053955],[138.848846435547,-8.07833290100098],[138.379547119141,-8.41055583953857],[137.644912719727,-8.43513870239258],[138.018249511719,-7.62520790100098],[138.559753417969,-7.37908458709717]],"Indonesia"], ["Country","ID37",[[125.972213745117,-7.65861129760742],[126.618453979492,-7.5649995803833],[126.790542602539,-7.74972152709961],[125.782760620117,-8.02041721343994],[125.972213745117,-7.65861129760742]],"Indonesia"], ["Country","ID38",[[129.632171630859,-7.7985725402832],[129.842529296875,-7.84124994277954],[129.767211914062,-8.06041717529297],[129.632171630859,-7.7985725402832]],"Indonesia"], ["Country","ID39",[[114.478591918945,-8.09003639221191],[114.994018554688,-8.18638896942139],[115.195678710938,-8.05805587768555],[115.709846496582,-8.40444469451904],[115.10262298584,-8.84680461883545],[115.16194152832,-8.67823600769043],[114.609283447266,-8.39569473266602],[114.478591918945,-8.09003639221191]],"Indonesia"], ["Country","ID40",[[122.837776184082,-8.59818172454834],[121.016387939453,-8.94972229003906],[120.538040161133,-8.79333305358887],[119.893882751465,-8.85027694702148],[119.796234130859,-8.7203426361084],[119.909713745117,-8.46416664123535],[120.522491455078,-8.25722312927246],[121.513603210449,-8.60666561126709],[122.039428710938,-8.44361114501953],[122.288307189941,-8.64444541931152],[122.890953063965,-8.28479099273682],[122.741813659668,-8.22583293914795],[122.868034362793,-8.07201385498047],[123.030403137207,-8.29722213745117],[122.800048828125,-8.43944454193115],[122.837776184082,-8.59818172454834]],"Indonesia"], ["Country","ID41",[[117.966377258301,-8.74860954284668],[118.288108825684,-8.61958312988281],[117.705749511719,-8.23722171783447],[117.921920776367,-8.08555603027344],[118.316299438477,-8.37465190887451],[118.651725769043,-8.29791641235352],[118.664741516113,-8.54527759552002],[118.773323059082,-8.31319427490234],[118.99991607666,-8.31576347351074],[119.150543212891,-8.75055599212646],[118.750877380371,-8.71520805358887],[118.943176269531,-8.84104061126709],[118.457206726074,-8.87194442749023],[118.405120849609,-8.58958339691162],[118.168594360352,-8.86513805389404],[117.438873291016,-9.04166793823242],[117.047760009766,-9.11076259613037],[116.743591308594,-8.98180484771729],[116.80330657959,-8.59131813049316],[117.150268554688,-8.36847114562988],[117.563522338867,-8.41222286224365],[117.966377258301,-8.74860954284668]],"Indonesia"], ["Country","ID42",[[130.765533447266,-8.35499954223633],[131.013519287109,-8.09027767181396],[131.178314208984,-8.13124942779541],[130.765533447266,-8.35499954223633]],"Indonesia"], ["Country","ID43",[[127.797790527344,-8.10385513305664],[128.127731323242,-8.16861152648926],[128.025268554688,-8.26749992370605],[127.797790527344,-8.10385513305664]],"Indonesia"], ["Country","ID44",[[124.474990844727,-8.1358699798584],[125.087493896484,-8.15541648864746],[125.139709472656,-8.32569408416748],[124.359153747559,-8.45999908447266],[124.474990844727,-8.1358699798584]],"Indonesia"], ["Country","ID45",[[117.536102294922,-8.39083480834961],[117.481369018555,-8.1913890838623],[117.679565429688,-8.15916633605957],[117.536102294922,-8.39083480834961]],"Indonesia"], ["Country","ID46",[[138.823028564453,-8.17305564880371],[138.898590087891,-8.40534782409668],[138.557052612305,-8.36583232879639],[138.823028564453,-8.17305564880371]],"Indonesia"], ["Country","ID47",[[123.406097412109,-8.59694480895996],[123.219009399414,-8.53201389312744],[123.46989440918,-8.35511016845703],[123.402481079102,-8.27500152587891],[123.582206726074,-8.37805557250977],[123.787620544434,-8.18472194671631],[123.932472229004,-8.2354850769043],[123.406097412109,-8.59694480895996]],"Indonesia"], ["Country","ID48",[[123.980796813965,-8.34277725219727],[124.299835205078,-8.20819473266602],[124.125526428223,-8.55222320556641],[123.911102294922,-8.45861148834229],[123.980796813965,-8.34277725219727]],"Indonesia"], ["Country","ID49",[[116.339813232422,-8.21854972839355],[116.734909057617,-8.3654842376709],[116.582832336426,-8.89618015289307],[115.857757568359,-8.82256889343262],[116.073036193848,-8.73111152648926],[116.102478027344,-8.4063892364502],[116.339813232422,-8.21854972839355]],"Indonesia"], ["Country","ID50",[[123.090812683105,-8.28573608398438],[123.346649169922,-8.28347301483154],[123.088043212891,-8.4152774810791],[123.090812683105,-8.28573608398438]],"Indonesia"], ["Country","ID51",[[124.46280670166,-9.18440914154053],[124.95189666748,-8.95012664794922],[125.159698486328,-9.06810283660889],[124.966300964355,-9.22131061553955],[125.129417419434,-9.43528652191162],[124.435256958008,-10.1627788543701],[123.612480163574,-10.3713884353638],[123.490745544434,-10.2390270233154],[123.76220703125,-10.0788879394531],[123.575271606445,-10.0283336639404],[123.663597106934,-9.64555549621582],[124.046096801758,-9.34000015258789],[124.340400695801,-9.46166038513184],[124.46280670166,-9.18440914154053]],"Indonesia"], ["Country","ID52",[[119.200546264648,-9.74749946594238],[118.933242797852,-9.55944442749023],[119.033531188965,-9.43124961853027],[119.939834594727,-9.28965282440186],[120.833183288574,-10.0773611068726],[120.627197265625,-10.2388877868652],[120.220260620117,-10.2483329772949],[119.629837036133,-9.77222347259521],[119.200546264648,-9.74749946594238]],"Indonesia"], ["Country","ID53",[[122.856307983398,-10.7597427368164],[123.390960693359,-10.4380550384521],[123.394439697266,-10.6841659545898],[123.198318481445,-10.823055267334],[122.848861694336,-10.9296531677246],[122.856307983398,-10.7597427368164]],"Indonesia"], ["Country","ID54",[[121.726356506348,-10.5446834564209],[122.003326416016,-10.4552783966064],[121.87109375,-10.6075000762939],[121.726356506348,-10.5446834564209]],"Indonesia"], ["Country","ID55",[[121.977767944336,-4.85722255706787],[121.479972839355,-4.66027784347534],[121.614700317383,-4.06472206115723],[120.88109588623,-3.53562521934509],[121.06957244873,-3.20513892173767],[121.076103210449,-2.75888919830322],[120.771926879883,-2.61250019073486],[120.201934814453,-2.96333336830139],[120.408599853516,-3.25861120223999],[120.422210693359,-4.6783332824707],[120.266098022461,-5.15277767181396],[120.46346282959,-5.61979150772095],[120.328880310059,-5.51208400726318],[119.663734436035,-5.69666624069214],[119.354911804199,-5.40006971359253],[119.623306274414,-4.32805633544922],[119.506103515625,-3.52722215652466],[119.293045043945,-3.42763900756836],[118.925682067871,-3.57319450378418],[118.888603210449,-2.89319467544556],[118.759162902832,-2.77416658401489],[119.143531799316,-2.45312476158142],[119.211380004883,-2.01194477081299],[119.354011535645,-1.93611097335815],[119.308868408203,-1.26527786254883],[119.517211914062,-0.876388788223267],[119.736366271973,-0.652222275733948],[119.859153747559,-0.85361111164093],[119.795883178711,-0.115833334624767],[119.625648498535,0.000208333134651184],[119.829986572266,-0.0934722274541855],[119.778053283691,0.229722172021866],[120.257217407227,0.971944332122803],[120.574844360352,0.776944398880005],[120.820411682129,1.31305539608002],[120.964431762695,1.34249973297119],[121.572769165039,1.05833315849304],[122.464431762695,0.999166488647461],[122.846313476562,0.814672827720642],[123.203048706055,0.956666588783264],[123.913040161133,0.83472204208374],[124.589706420898,1.19138848781586],[124.555816650391,1.36999988555908],[125.032760620117,1.69999980926514],[125.240539550781,1.47333312034607],[124.320404052734,0.393194407224655],[123.64582824707,0.281111061573029],[123.262771606445,0.31333327293396],[123.06803894043,0.509583234786987],[121.79248046875,0.422638803720474],[121.537338256836,0.538055419921875],[121.104850769043,0.407222151756287],[120.54914855957,0.536110997200012],[120.242202758789,0.344999969005585],[119.998870849609,-0.199166655540466],[120.096939086914,-0.685000061988831],[120.496650695801,-0.97944438457489],[120.678596496582,-1.39763879776001],[121.080551147461,-1.4245833158493],[121.622207641602,-0.805000066757202],[121.927757263184,-0.963333368301392],[122.226928710938,-0.760833382606506],[122.917625427246,-0.764861166477203],[122.730331420898,-0.654166698455811],[123.057746887207,-0.560277819633484],[123.411376953125,-0.653611183166504],[123.33374786377,-1.0561112165451],[123.153053283691,-0.896666765213013],[122.829711914062,-0.909166693687439],[122.377059936523,-1.4897221326828],[121.836647033691,-1.69138884544373],[121.693382263184,-1.90986108779907],[121.303588867188,-1.78805565834045],[121.344367980957,-1.99277770519257],[121.716087341309,-2.18333292007446],[122.307479858398,-2.90263891220093],[122.265815734863,-3.02791666984558],[122.476226806641,-3.16090273857117],[122.356101989746,-3.22027516365051],[122.198593139648,-3.5813889503479],[122.599426269531,-3.88361120223999],[122.68399810791,-4.13902807235718],[122.857757568359,-4.07638931274414],[122.899299621582,-4.38972234725952],[122.104713439941,-4.5261116027832],[122.110260009766,-4.81416606903076],[121.977767944336,-4.85722255706787]],"Indonesia"], ["Country","ID56",[[123.046096801758,-3.97862005233765],[123.253883361816,-4.06277751922607],[123.14623260498,-4.24270820617676],[122.957763671875,-4.1002779006958],[123.046096801758,-3.97862005233765]],"Indonesia"], ["Country","ID57",[[123.075546264648,-4.40351009368896],[123.215393066406,-4.82180595397949],[123.045532226562,-4.75750064849854],[122.979713439941,-5.10722255706787],[123.214637756348,-5.29368019104004],[122.65544128418,-5.68503379821777],[122.568603515625,-5.50694465637207],[122.741180419922,-5.2446026802063],[122.854431152344,-4.60055541992188],[123.075546264648,-4.40351009368896]],"Indonesia"], ["Country","ID58",[[122.70915222168,-4.618332862854],[122.653961181641,-5.2362642288208],[122.643592834473,-5.35236072540283],[122.616653442383,-5.35456562042236],[122.284706115723,-5.38173580169678],[122.374214172363,-4.7559027671814],[122.70915222168,-4.618332862854]],"Indonesia"], ["Country","ID59",[[121.981353759766,-5.0811071395874],[121.961799621582,-5.47666692733765],[121.808311462402,-5.26916694641113],[121.981353759766,-5.0811071395874]],"Indonesia"], ["Country","ID60",[[134.504318237305,-5.96407461166382],[134.302337646484,-6.02277755737305],[134.380966186523,-5.80673599243164],[134.209106445312,-5.70402765274048],[134.359924316406,-5.70611095428467],[134.516174316406,-5.43643283843994],[134.692749023438,-5.53027820587158],[134.730239868164,-5.97708320617676],[134.504318237305,-5.96407461166382]],"Indonesia"], ["Country","ID61",[[134.511535644531,-6.00043821334839],[134.766937255859,-6.09000015258789],[134.605514526367,-6.36958265304565],[134.268524169922,-6.11493062973022],[134.447509765625,-6.00727510452271],[134.478271484375,-5.98877477645874],[134.511535644531,-6.00043821334839]],"Indonesia"], ["Country","ID62",[[134.214508056641,-6.02635765075684],[134.333038330078,-6.32638931274414],[134.119964599609,-6.1341667175293],[134.214508056641,-6.02635765075684]],"Indonesia"], ["Country","ID63",[[134.120941162109,-6.1703519821167],[134.515731811523,-6.59250020980835],[134.200531005859,-6.92083311080933],[134.051498413086,-6.77763938903809],[134.120941162109,-6.1703519821167]],"Indonesia"], ["Country","ID64",[[134.452789306641,-6.2880334854126],[134.585006713867,-6.40083599090576],[134.543869018555,-6.53361129760742],[134.345520019531,-6.35972213745117],[134.452789306641,-6.2880334854126]],"Indonesia"], ["Country","ID65",[[109.648567199707,2.07340860366821],[109.547340393066,1.90694415569305],[109.668731689453,1.61701357364655],[110.555252075195,0.853888750076294],[111.211929321289,1.06972193717957],[111.827209472656,0.998610973358154],[112.472763061523,1.56805539131165],[112.999710083008,1.57277750968933],[113.659080505371,1.22583305835724],[113.930816650391,1.44527745246887],[114.559982299805,1.43291640281677],[114.861923217773,1.9152774810791],[114.804702758789,2.24888849258423],[115.230819702148,2.50805521011353],[115.082359313965,2.61361074447632],[115.139709472656,2.90611028671265],[115.495529174805,3.03999996185303],[115.659713745117,4.10859632492065],[115.872482299805,4.36110973358154],[117.239433288574,4.35833263397217],[117.592056274414,4.16981792449951],[117.392761230469,4.10749912261963],[117.829437255859,3.70430517196655],[117.031379699707,3.60069394111633],[117.442474365234,3.43236064910889],[117.275398254395,3.21999907493591],[117.618316650391,3.08895778656006],[117.671653747559,2.80111074447632],[118.091926574707,2.31444406509399],[117.829292297363,2.10416626930237],[117.871917724609,1.87666654586792],[119.009017944336,0.983888745307922],[118.794563293457,0.800277709960938],[118.343872070312,0.843055367469788],[117.893051147461,1.11777746677399],[118.03498840332,0.810277700424194],[117.742202758789,0.739722013473511],[117.467483520508,0.103611096739769],[117.444786071777,-0.523969113826752],[117.631355285645,-0.424027770757675],[117.62345123291,-0.777222216129303],[117.265853881836,-0.82164740562439],[116.923599243164,-1.25444459915161],[116.740257263184,-1.02791678905487],[116.755546569824,-1.3675000667572],[116.223937988281,-1.77902781963348],[116.445457458496,-1.78319442272186],[116.327209472656,-2.14750003814697],[116.604156494141,-2.22972202301025],[116.514717102051,-2.55527782440186],[116.306579589844,-2.51798605918884],[116.291366577148,-2.98236107826233],[116.131927490234,-2.82333374023438],[116.216377258301,-3.14277791976929],[115.975807189941,-3.60111141204834],[114.637069702148,-4.18506860733032],[114.601928710938,-3.65583324432373],[114.374992370605,-3.46112108230591],[114.102203369141,-3.35638904571533],[113.671096801758,-3.47611093521118],[113.605819702148,-3.17263889312744],[113.365814208984,-3.2608335018158],[113.034713745117,-2.98972225189209],[112.651657104492,-3.4152774810791],[112.245819091797,-3.31388902664185],[111.867477416992,-3.56833362579346],[111.751686096191,-2.74982643127441],[111.547203063965,-3.02416682243347],[111.335823059082,-2.92111110687256],[110.906936645508,-3.09444427490234],[110.751937866211,-3.02513885498047],[110.93359375,-2.88694477081299],[110.666091918945,-3.08166670799255],[110.551086425781,-2.86916637420654],[110.240814208984,-2.98277759552002],[110.12580871582,-2.0469446182251],[109.903587341309,-1.82833361625671],[110.057746887207,-1.33388900756836],[109.729713439941,-0.953611135482788],[109.279983520508,-0.868055462837219],[109.258186340332,-0.669305562973022],[109.514427185059,-0.726944446563721],[109.120246887207,-0.502222299575806],[109.165542602539,0.106388881802559],[108.918594360352,0.315138846635818],[108.845489501953,0.810562133789062],[108.958602905273,1.1766664981842],[109.263603210449,1.39458310604095],[108.981239318848,1.21444416046143],[109.066940307617,1.532222032547],[109.648567199707,2.07340860366821]],"Indonesia"], ["Country","ID66",[[117.90355682373,4.17404270172119],[117.886932373047,4.02694416046143],[117.686920166016,4.16833591461182],[117.90355682373,4.17404270172119]],"Indonesia"], ["Country","ID67",[[104.929428100586,-0.334166705608368],[104.442893981934,-0.22249998152256],[104.524978637695,0.010416666045785],[104.929428100586,-0.334166705608368]],"Indonesia"], ["Country","ID68",[[130.698883056641,-0.036623302847147],[131.139709472656,-0.075833335518837],[131.311096191406,-0.301944434642792],[130.977874755859,-0.36388885974884],[130.68864440918,-0.0804861187934875],[130.930816650391,-0.391111135482788],[130.542770385742,-0.366040170192719],[130.219329833984,-0.211249992251396],[130.698883056641,-0.036623302847147]],"Indonesia"], ["Country","ID69",[[141.007019042969,-9.12846755981445],[139.985229492188,-8.19361114501953],[140.147903442383,-7.88583374023438],[139.915802001953,-8.11472129821777],[139.366363525391,-8.20638847351074],[139.218292236328,-8.08916664123535],[138.910263061523,-8.29833316802979],[138.836639404297,-8.13000011444092],[139.094543457031,-7.5618052482605],[138.662200927734,-7.20097208023071],[139.222473144531,-7.16250038146973],[138.847473144531,-7.15388870239258],[138.562896728516,-6.90652799606323],[139.186645507812,-6.96756935119629],[138.690658569336,-6.7286114692688],[138.437744140625,-6.36305522918701],[138.167724609375,-5.79333305358887],[138.351623535156,-5.6802773475647],[138.071243286133,-5.73131942749023],[138.065246582031,-5.40895843505859],[137.593566894531,-5.15555572509766],[135.928314208984,-4.498610496521],[135.176635742188,-4.44694423675537],[134.646224975586,-4.12555503845215],[134.692810058594,-3.9479808807373],[134.212051391602,-3.96000003814697],[134.163864135742,-3.77694439888],[133.636795043945,-3.48902773857117],[133.828857421875,-2.96166658401489],[133.399139404297,-3.73249959945679],[133.451080322266,-3.86930561065674],[133.237457275391,-4.07638931274414],[132.900253295898,-4.08944463729858],[132.750823974609,-3.71833324432373],[132.927062988281,-3.55472207069397],[132.819000244141,-3.30541658401489],[131.956909179688,-2.78701400756836],[132.317749023438,-2.68222236633301],[132.722747802734,-2.81722259521484],[133.245803833008,-2.41749978065491],[133.648590087891,-2.54388904571533],[133.678588867188,-2.7180552482605],[133.955535888672,-2.32916688919067],[133.946975708008,-2.21055579185486],[133.788452148438,-2.25673627853394],[133.934280395508,-2.10409712791443],[133.645812988281,-2.23722219467163],[132.29899597168,-2.26847219467163],[132.041229248047,-2.0856945514679],[131.882446289062,-1.6422221660614],[130.963592529297,-1.40305542945862],[131.248840332031,-1.09694457054138],[131.255554199219,-0.82277774810791],[131.86328125,-0.698055505752563],[132.434143066406,-0.344444453716278],[133.429962158203,-0.736388802528381],[133.993835449219,-0.734444379806519],[134.279296875,-1.34930562973022],[134.088287353516,-1.67791652679443],[134.145263671875,-1.93388891220093],[134.159698486328,-2.31944465637207],[134.462890625,-2.86130380630493],[134.476898193359,-2.54388904571533],[134.624969482422,-2.50444459915161],[134.876617431641,-3.24888896942139],[135.333312988281,-3.39361119270325],[135.907196044922,-2.99041676521301],[136.356628417969,-2.2538890838623],[137.18815612793,-2.10416674613953],[137.131072998047,-1.79277777671814],[137.860107421875,-1.47166657447815],[139.780822753906,-2.36138916015625],[140.162338256836,-2.32666683197021],[140.721893310547,-2.49000024795532],[140.727172851562,-2.63708329200745],[141.002471923828,-2.60708522796631],[141.006134033203,-6.33292484283447],[140.858856201172,-6.6783332824707],[141.006134033203,-6.89328384399414],[141.007019042969,-9.12846755981445]],"Indonesia"], ["Country","ID70",[[104.485206604004,-0.348013758659363],[104.596366882324,-0.46986111998558],[104.493446350098,-0.626944422721863],[104.250114440918,-0.474722236394882],[104.485206604004,-0.348013758659363]],"Indonesia"], ["Country","ID71",[[131.015472412109,-0.918270885944366],[131.038299560547,-1.23944425582886],[130.874664306641,-1.34083342552185],[130.643249511719,-0.972638845443726],[131.015472412109,-0.918270885944366]],"Indonesia"], ["Country","ID72",[[132.738555908203,-5.67884349822998],[132.739456176758,-5.95020818710327],[132.628845214844,-5.63444519042969],[132.738555908203,-5.67884349822998]],"Indonesia"], ["Country","ID73",[[104.488586425781,-1.63944709300995],[104.489433288574,-1.92499995231628],[104.879432678223,-2.14694452285767],[104.531791687012,-2.77138876914978],[104.864974975586,-2.28875017166138],[105.606369018555,-2.39333343505859],[105.80859375,-2.89666700363159],[106.034156799316,-2.9952826499939],[106.077079772949,-3.24138903617859],[105.814147949219,-3.69361114501953],[105.956649780273,-3.83861112594604],[105.809982299805,-4.24249935150146],[105.904426574707,-4.54861068725586],[105.779159545898,-5.83500003814697],[105.271934509277,-5.44416618347168],[105.141586303711,-5.79534673690796],[104.609992980957,-5.493332862854],[104.714302062988,-5.91805553436279],[104.560775756836,-5.92974758148193],[103.891098022461,-5.11138916015625],[102.326103210449,-4.00611114501953],[102.221229553223,-3.64902758598328],[101.626922607422,-3.2461109161377],[100.905548095703,-2.31944465637207],[100.86637878418,-1.92638874053955],[100.293586730957,-0.806388854980469],[99.6358184814453,0.076944425702095],[99.1395950317383,0.257916629314423],[98.7038345336914,1.55979144573212],[98.7707138061523,1.74861073493958],[97.7502517700195,2.27083277702332],[97.596923828125,2.86694383621216],[96.869270324707,3.68722128868103],[96.4888610839844,3.76361036300659],[96.0660705566406,4.19777679443359],[95.4227447509766,4.84666633605957],[95.2335815429688,5.57013845443726],[95.609130859375,5.62666511535645],[96.3477478027344,5.22277641296387],[97.5148315429688,5.24944400787354],[97.9130249023438,4.88638782501221],[98.0171966552734,4.55111026763916],[98.2767791748047,4.4268045425415],[98.2705230712891,4.14249897003174],[99.9808044433594,2.94374942779541],[100.005187988281,2.6011106967926],[100.049751281738,2.73013830184937],[100.132949829102,2.52687454223633],[100.205108642578,2.70597171783447],[100.41219329834,2.29305505752563],[100.942459106445,1.8205554485321],[100.79997253418,2.22555494308472],[101.057952880859,2.28361058235168],[101.410522460938,1.71722197532654],[102.135528564453,1.37333297729492],[102.425659179688,0.797499775886536],[102.932456970215,0.694999814033508],[103.081916809082,0.44555538892746],[102.571014404297,0.17624993622303],[102.430313110352,0.2445138245821],[102.587188720703,0.152499943971634],[103.351089477539,0.536110877990723],[103.729423522949,0.291388809680939],[103.811180114746,-0.00350043666549027],[103.272346496582,-0.259583353996277],[103.492889404297,-0.218333318829536],[103.342361450195,-0.364096313714981],[103.597564697266,-0.434999972581863],[103.360809326172,-0.702222228050232],[103.741088867188,-0.995555520057678],[104.369430541992,-1.030277967453],[104.488586425781,-1.63944709300995]],"Indonesia"], ["Country","ID74",[[104.666893005371,1.02382659912109],[104.583312988281,0.819166541099548],[104.23136138916,1.08499979972839],[104.408714294434,1.19680535793304],[104.666893005371,1.02382659912109]],"Indonesia"], ["Country","ID75",[[103.165603637695,0.853845357894897],[102.657752990723,1.05416631698608],[102.867462158203,1.13638830184937],[103.165603637695,0.853845357894897]],"Indonesia"], ["Country","ID76",[[104.153053283691,1.13536071777344],[104.078323364258,0.985555410385132],[103.90087890625,1.08958315849304],[104.153053283691,1.13536071777344]],"Indonesia"], ["Country","ID77",[[103.051567077637,0.78606379032135],[102.50080871582,0.793055295944214],[102.473297119141,1.1177773475647],[103.051567077637,0.78606379032135]],"Indonesia"], ["Country","IR0",[[56.288330078125,26.9499702453613],[55.9126358032227,26.71018409729],[55.2836074829102,26.5586090087891],[55.7699890136719,26.7927742004395],[55.754581451416,26.9520778656006],[56.288330078125,26.9499702453613]],"Iran"], ["Country","IR1",[[60.8663024902344,29.863655090332],[61.9055480957031,28.5549964904785],[62.7822151184082,28.2637481689453],[62.7802696228027,27.2668037414551],[63.3302726745605,27.1488838195801],[63.1851272583008,26.6391620635986],[62.4379081726074,26.5665245056152],[62.2748908996582,26.3565998077393],[61.8548545837402,26.2305507659912],[61.6110305786133,25.1976470947266],[61.396240234375,25.0808296203613],[60.622631072998,25.2698574066162],[60.5509643554688,25.4411067962646],[60.410270690918,25.3977737426758],[60.466796875,25.2659702301025],[59.4505462646484,25.4777717590332],[59.0519332885742,25.3936080932617],[58.8183288574219,25.5599975585938],[58.1281852722168,25.5429134368896],[57.9512405395508,25.6999931335449],[57.319091796875,25.7714557647705],[57.0234642028809,26.8474960327148],[56.690544128418,27.1483306884766],[56.1327667236328,27.1602745056152],[54.7884635925293,26.4904117584229],[54.2969398498535,26.7161045074463],[53.7477722167969,26.7091598510742],[52.6083297729492,27.3481903076172],[52.4997177124023,27.6086082458496],[51.4302749633789,27.9377746582031],[51.0547180175781,28.738748550415],[50.8010368347168,28.9297885894775],[50.9237480163574,29.0645809173584],[50.6388816833496,29.1427745819092],[50.6391639709473,29.4704151153564],[50.055549621582,30.2027759552002],[49.5550575256348,30.0072193145752],[49.004711151123,30.2973575592041],[48.9580993652344,30.3524837493896],[48.9173545837402,30.0406894683838],[48.5455551147461,29.9630298614502],[48.0324935913086,30.491382598877],[48.0366630554199,30.9961051940918],[47.6938781738281,31.0011100769043],[47.8644409179688,31.7986068725586],[47.4379043579102,32.3855514526367],[46.1064147949219,32.9710655212402],[46.1771469116211,33.2647857666016],[45.4036064147949,33.9752006530762],[45.5841674804688,34.30126953125],[45.4386329650879,34.457836151123],[45.7146682739258,34.5576057434082],[45.6516571044922,34.7351989746094],[45.8777694702148,35.0324935913086],[46.1660079956055,35.1085166931152],[45.9799880981445,35.584716796875],[46.3451995849609,35.8141937255859],[45.7571258544922,35.8173484802246],[45.4138832092285,35.995418548584],[45.2791595458984,36.381103515625],[44.8530426025391,36.7945785522461],[44.7873382568359,37.1497116088867],[44.8181800842285,37.2974166870117],[44.5888519287109,37.4430923461914],[44.6177673339844,37.7179756164551],[44.2239685058594,37.8991508483887],[44.4825172424316,38.3413009643555],[44.3052597045898,38.4005355834961],[44.3002662658691,38.8426284790039],[44.0349540710449,39.3774452209473],[44.4011001586914,39.4165153503418],[44.6084632873535,39.7791557312012],[44.8130416870117,39.6308135986328],[45.4334754943848,39.0031852722168],[46.1782455444336,38.8411483764648],[46.5403747558594,38.8755874633789],[47.9847106933594,39.7155838012695],[48.3578834533691,39.3899078369141],[48.1238746643066,39.2781829833984],[48.3087387084961,39.0037422180176],[48.0246391296387,38.8333892822266],[48.6235084533691,38.3965034484863],[49.714527130127,38.262809753418],[51.2927131652832,38.7148513793945],[51.9715957641602,37.9278259277344],[52.6550102233887,37.7776336669922],[53.527099609375,37.3234405517578],[54.6687431335449,37.440128326416],[54.8330535888672,37.7463836669922],[55.437629699707,38.0833282470703],[57.2415199279785,38.2723541259766],[57.4540214538574,37.9384613037109],[59.3430480957031,37.5355491638184],[59.4799880981445,37.2327651977539],[60.0634651184082,37.011661529541],[60.3312454223633,36.6580429077148],[61.1537399291992,36.6504096984863],[61.2765579223633,35.6072463989258],[61.0511016845703,34.789436340332],[60.723876953125,34.5279121398926],[60.8788757324219,34.3197174072266],[60.5044403076172,34.1222152709961],[60.5308265686035,33.6399917602539],[60.9388771057129,33.5170402526855],[60.5824966430664,33.0661010742188],[60.8583297729492,32.2259635925293],[60.8488121032715,31.4961051940918],[61.7136077880859,31.3833312988281],[61.8501319885254,31.0238857269287],[60.8663024902344,29.863655090332]],"Iran"], ["Country","IZ0",[[47.943473815918,30.0175552368164],[47.1699905395508,30.0152702331543],[46.5469436645508,29.1041984558105],[44.7216606140137,29.1983299255371],[42.0849990844727,31.1116600036621],[40.413330078125,31.9483299255371],[39.1967430114746,32.1549415588379],[39.3011093139648,32.2363815307617],[39.2599983215332,32.355541229248],[39.0436515808105,32.3040504455566],[38.7947006225586,33.3775939941406],[41.0038757324219,34.41943359375],[41.2248497009277,34.7829055786133],[41.3840217590332,35.6309661865234],[41.2902755737305,36.3555526733398],[41.4030456542969,36.5255508422852],[41.8352737426758,36.5988845825195],[42.3556137084961,37.1069259643555],[42.7868003845215,37.383674621582],[43.623046875,37.2299957275391],[44.1188812255859,37.3156852722168],[44.3191604614258,36.9712371826172],[44.7873382568359,37.1497116088867],[44.8530426025391,36.7945785522461],[45.2791595458984,36.381103515625],[45.4138832092285,35.995418548584],[45.7571258544922,35.8173484802246],[46.3451995849609,35.8141937255859],[45.9799880981445,35.584716796875],[46.1660079956055,35.1085166931152],[45.8777694702148,35.0324935913086],[45.6516571044922,34.7351989746094],[45.7146682739258,34.5576057434082],[45.4386329650879,34.457836151123],[45.5841674804688,34.30126953125],[45.4036064147949,33.9752006530762],[46.1771469116211,33.2647857666016],[46.1064147949219,32.9710655212402],[47.4379043579102,32.3855514526367],[47.8644409179688,31.7986068725586],[47.6938781738281,31.0011100769043],[48.0366630554199,30.9961051940918],[48.0324935913086,30.491382598877],[48.5455551147461,29.9630298614502],[47.943473815918,30.0175552368164]],"Iraq"], ["Country","EI0",[[-6.26697540283203,54.0998306274414],[-6.10625028610229,53.9933662414551],[-6.38013935089111,53.913330078125],[-6.08111190795898,53.563606262207],[-6.22458410263062,53.3527717590332],[-6.0130558013916,52.9449996948242],[-6.14777851104736,52.7383270263672],[-6.49819469451904,52.3540267944336],[-6.35944509506226,52.1790237426758],[-6.99729537963867,52.2782707214355],[-7.00180625915527,52.1384696960449],[-7.57888889312744,52.1002731323242],[-8.08666801452637,51.8108291625977],[-8.4219388961792,51.8815460205078],[-8.31069564819336,51.7418022155762],[-8.69666767120361,51.5730514526367],[-9.81750106811523,51.4455490112305],[-9.45166778564453,51.7247161865234],[-10.1300010681152,51.6122207641602],[-9.58097362518311,51.8723526000977],[-10.3385925292969,51.7829208374023],[-10.2636127471924,51.9880523681641],[-9.76041698455811,52.1495780944824],[-10.4633350372314,52.1802062988281],[-9.74486255645752,52.2472190856934],[-9.83972358703613,52.3797149658203],[-9.65361213684082,52.5608291625977],[-8.81833457946777,52.6655502319336],[-9.9323616027832,52.5552024841309],[-9.4858341217041,52.8005523681641],[-9.28083419799805,53.1397171020508],[-8.93791770935059,53.1417274475098],[-8.94111251831055,53.26416015625],[-9.60805702209473,53.2322158813477],[-9.55916690826416,53.3812484741211],[-10.1765289306641,53.4097175598145],[-10.1861114501953,53.5502777099609],[-9.69895839691162,53.5979118347168],[-9.9063892364502,53.7586059570312],[-9.5613899230957,53.8597183227539],[-9.94069576263428,53.8679122924805],[-9.78958415985107,53.9454116821289],[-10.0134029388428,54.218189239502],[-10.1240282058716,54.0965881347656],[-10.1122226715088,54.2299957275391],[-8.47486209869385,54.2734680175781],[-8.66166687011719,54.3552703857422],[-8.18833351135254,54.6336059570312],[-8.7983341217041,54.6957588195801],[-8.35388946533203,54.8394393920898],[-8.4572229385376,54.9967994689941],[-7.98145294189453,55.2164573669434],[-7.69972229003906,55.0951347351074],[-7.79172945022583,55.2120170593262],[-7.63250064849854,55.265552520752],[-7.61666679382324,55.0538864135742],[-7.68229198455811,54.9508972167969],[-7.44652843475342,55.0556907653809],[-7.54750061035156,55.2169418334961],[-7.37666702270508,55.3799934387207],[-6.93513965606689,55.238468170166],[-7.25250720977783,55.0705947875977],[-7.55333423614502,54.7627716064453],[-7.92638969421387,54.7005500793457],[-7.75222301483154,54.5944442749023],[-8.15805625915527,54.4402732849121],[-7.55944538116455,54.1269378662109],[-7.28388977050781,54.1234664916992],[-7.02944469451904,54.4172172546387],[-6.6200008392334,54.0372161865234],[-6.26697540283203,54.0998306274414]],"Ireland"], ["Country","IM0",[[-4.77777862548828,54.055549621582],[-4.35347270965576,54.4099960327148],[-4.39444446563721,54.1863861083984],[-4.77777862548828,54.055549621582]],"Isle of Man"], ["Country","IS0",[[35.4781951904297,31.4973220825195],[34.97998046875,29.5457534790039],[34.9038009643555,29.4867057800293],[34.267578125,31.2165412902832],[34.4905471801758,31.5960960388184],[35.100830078125,33.0936050415039],[35.4255523681641,33.0683288574219],[35.6236343383789,33.2457275390625],[35.6488876342773,32.6852722167969],[35.5525665283203,32.3941955566406],[35.0817985534668,32.4714508056641],[34.9655570983887,31.8305511474609],[35.209716796875,31.75],[34.8881874084473,31.4124984741211],[35.4781951904297,31.4973220825195]],"Israel"], ["Country","IS1",[[35.2479209899902,31.8084392547607],[35.2631225585938,31.7964973449707],[35.2528076171875,31.7872676849365],[35.2479209899902,31.8084392547607]],"Israel"], ["Country","IT0",[[8.1783332824707,40.6363830566406],[8.22805404663086,40.9383964538574],[8.57972145080566,40.8399963378906],[9.23305511474609,41.2547149658203],[9.56249809265137,41.1177749633789],[9.63388824462891,40.9891662597656],[9.51045036315918,40.9203758239746],[9.82416534423828,40.5272178649902],[9.62333202362061,40.2518730163574],[9.71360969543457,40.0405502319336],[9.56506824493408,39.1456184387207],[9.01354026794434,39.2631912231445],[8.9020824432373,38.9026336669922],[8.64638710021973,38.8902740478516],[8.50538063049316,39.0610275268555],[8.40833187103271,38.9585380554199],[8.37152767181396,39.3729133605957],[8.55722045898438,39.8449935913086],[8.39597129821777,39.9013137817383],[8.45722198486328,40.3213882446289],[8.1783332824707,40.6363830566406]],"Italy"], ["Country","IT1",[[7.53193473815918,43.7820434570312],[7.66222190856934,44.1708297729492],[6.9763879776001,44.2841644287109],[6.8527774810791,44.5408325195312],[7.03166580200195,44.8313827514648],[6.62396717071533,45.11572265625],[7.12777709960938,45.2593002319336],[7.14694404602051,45.430549621582],[6.79934597015381,45.7886657714844],[7.03805446624756,45.9319381713867],[7.85574245452881,45.9190521240234],[8.44145679473877,46.4620780944824],[8.4449987411499,46.2472152709961],[9.03666496276855,45.837776184082],[9.29378318786621,46.5008277893066],[9.54486083984375,46.3062438964844],[9.94694328308105,46.379581451416],[10.1363878250122,46.2306900024414],[10.0513887405396,46.5415229797363],[10.4575309753418,46.5425033569336],[10.4712352752686,46.8713531494141],[11.0168046951294,46.7733306884766],[11.1771516799927,46.967357635498],[12.1861095428467,47.0945816040039],[12.1602764129639,46.9280548095703],[12.4405536651611,46.6908264160156],[13.7186546325684,46.526611328125],[13.3834714889526,46.2951354980469],[13.6660404205322,46.1753082275391],[13.4797210693359,46.0122184753418],[13.9183320999146,45.6363868713379],[13.7169437408447,45.5961074829102],[13.6299991607666,45.7699966430664],[13.1933326721191,45.7780532836914],[13.0877771377563,45.6365242004395],[12.2870817184448,45.4733276367188],[12.1611099243164,45.2638854980469],[12.5380535125732,44.9606170654297],[12.2476377487183,44.7238845825195],[12.3683319091797,44.2466659545898],[13.5994434356689,43.5699996948242],[14.0166664123535,42.6699981689453],[14.7365264892578,42.0879096984863],[15.1623601913452,41.9244422912598],[16.1455535888672,41.9111747741699],[16.1927757263184,41.7899932861328],[15.8976383209229,41.6133308410645],[15.9849996566772,41.4397163391113],[18.012638092041,40.6430511474609],[18.5124969482422,40.1347198486328],[18.3494415283203,39.7919387817383],[18.0407619476318,39.9377059936523],[17.8572196960449,40.2844390869141],[17.3927764892578,40.3305511474609],[17.2038173675537,40.4124946594238],[17.3170108795166,40.4882926940918],[16.919303894043,40.4505500793457],[16.4905548095703,39.7491607666016],[17.1455535888672,39.3963851928711],[17.1691665649414,38.9633331298828],[16.5949974060059,38.8008270263672],[16.5691661834717,38.4283332824707],[16.0572872161865,37.9242324829102],[15.6351375579834,38.004581451416],[15.629581451416,38.2292976379395],[15.9061107635498,38.472770690918],[15.829026222229,38.6279792785645],[16.2211074829102,38.8686065673828],[15.6637487411499,40.0330505371094],[15.3548603057861,40.0008964538574],[14.9419441223145,40.2341613769531],[14.8307628631592,40.631519317627],[14.4019432067871,40.5999984741211],[14.4527759552002,40.7479133605957],[14.0738887786865,40.8219375610352],[13.7122211456299,41.2511100769043],[13.0295829772949,41.2601356506348],[11.6277074813843,42.2982597351074],[11.0974292755127,42.3965225219727],[11.1580543518066,42.5549926757812],[10.588888168335,42.9574966430664],[10.1118040084839,44.0037498474121],[8.74722099304199,44.428050994873],[7.77277755737305,43.8152770996094],[7.53193473815918,43.7820434570312]],"Italy"], ["Country","IT2",[[12.4516725540161,41.9079742431641],[12.4448280334473,41.9030342102051],[12.456615447998,41.9015121459961],[12.4516725540161,41.9079742431641]],"Italy"], ["Country","IT3",[[12.503303527832,43.9853172302246],[12.4070024490356,43.9547462463379],[12.4696750640869,43.8981895446777],[12.503303527832,43.9853172302246]],"Italy"], ["Country","IT4",[[15.2197208404541,37.7644424438477],[15.0927066802979,37.3483238220215],[15.3166656494141,37.0088882446289],[15.0813884735107,36.6491622924805],[13.1559715270996,37.4912452697754],[12.6561098098755,37.5597839355469],[12.4307975769043,37.8032569885254],[12.7336101531982,38.1397171020508],[12.9236106872559,38.0248603820801],[13.3186101913452,38.2174949645996],[13.7911109924316,37.9722213745117],[15.5458316802979,38.2969398498535],[15.6479368209839,38.264575958252],[15.2197208404541,37.7644424438477]],"Italy"], ["Country","JM0",[[-77.73583984375,18.5050163269043],[-76.9452819824219,18.3944435119629],[-76.3416748046875,18.1497192382812],[-76.2211151123047,17.9041633605957],[-76.8329238891602,17.98708152771],[-76.951530456543,17.8293037414551],[-77.1319580078125,17.8788871765137],[-77.1657028198242,17.6972198486328],[-77.7355651855469,17.8499984741211],[-78.0572357177734,18.1963882446289],[-78.3739013671875,18.254581451416],[-78.2109832763672,18.4513874053955],[-77.73583984375,18.5050163269043]],"Jamaica"], ["Country","JN0",[[-9.0430908203125,70.8038635253906],[-8.344482421875,71.1366577148438],[-7.92851305007935,71.1496963500977],[-7.98596000671387,71.0381393432617],[-9.0430908203125,70.8038635253906]],"Jan Mayen"], ["Country","JA0",[[144.367736816406,43.9538803100586],[144.791641235352,43.9176979064941],[145.338851928711,44.3441543579102],[145.071502685547,43.7540245056152],[145.356842041016,43.5531883239746],[145.208129882812,43.6009063720703],[145.311492919922,43.2751312255859],[145.812408447266,43.365478515625],[145.520812988281,43.1702728271484],[143.989685058594,42.9066543579102],[143.386108398438,42.3783264160156],[143.243148803711,41.9247169494629],[141.79052734375,42.6063842773438],[140.990249633789,42.2970085144043],[140.752258300781,42.5509643554688],[140.470657348633,42.5708274841309],[140.298721313477,42.2412414550781],[141.194412231445,41.7949562072754],[140.98078918457,41.7051315307617],[140.666366577148,41.824161529541],[140.414566040039,41.5143013000488],[140.032196044922,41.4491577148438],[140.137634277344,41.9836006164551],[139.786087036133,42.2431526184082],[139.836212158203,42.6139488220215],[140.529632568359,43.0074920654297],[140.356216430664,43.316520690918],[141.15852355957,43.1385345458984],[141.411087036133,43.2969360351562],[141.338226318359,43.7115859985352],[141.645812988281,43.9422149658203],[141.795669555664,44.6166610717773],[141.574829101562,45.1891555786133],[141.693862915039,45.3999938964844],[141.971069335938,45.4863815307617],[143.121887207031,44.4902725219727],[143.776229858398,44.0940856933594],[144.171356201172,44.1085357666016],[144.367736816406,43.9538803100586]],"Japan"], ["Country","JA1",[[134.299377441406,34.7041206359863],[133.932464599609,34.583324432373],[134.042068481445,34.584716796875],[133.93684387207,34.4508209228516],[133.251922607422,34.4231910705566],[133.071151733398,34.2497825622559],[132.55046081543,34.1919326782227],[132.353988647461,34.3534660339355],[132.050537109375,33.7724914550781],[131.745788574219,34.0536041259766],[131.258316040039,33.9184684753418],[131.030395507812,34.0395812988281],[130.905120849609,33.9137382507324],[130.879669189453,34.2930526733398],[130.976623535156,34.4286041259766],[131.406097412109,34.4220771789551],[132.681091308594,35.440544128418],[133.091064453125,35.5824966430664],[133.381072998047,35.4449920654297],[134.36865234375,35.597541809082],[135.222198486328,35.7622146606445],[135.193435668945,35.5254058837891],[135.822204589844,35.5216598510742],[136.014709472656,35.740966796875],[136.081359863281,35.6605491638184],[135.961074829102,35.9760971069336],[136.712463378906,36.7513885498047],[136.752471923828,37.339714050293],[137.356353759766,37.5047149658203],[136.86328125,37.0877685546875],[137.04443359375,37.0566558837891],[137.005554199219,36.8291625976562],[137.314971923828,36.7483291625977],[137.4619140625,36.9347152709961],[138.300811767578,37.2033233642578],[138.856628417969,37.8224945068359],[139.365783691406,38.0883255004883],[140.052185058594,39.4649963378906],[140.024688720703,39.8252716064453],[139.703155517578,39.9294395446777],[140.020538330078,40.2308197021484],[139.852325439453,40.5981864929199],[140.268859863281,40.8066558837891],[140.345520019531,41.2470741271973],[140.639282226562,41.1813812255859],[140.721908569336,40.8308296203613],[140.882736206055,40.9915199279785],[141.134826660156,40.8569412231445],[141.261383056641,41.1927642822266],[140.791656494141,41.1233215332031],[140.838577270508,41.4005470275879],[140.92301940918,41.5295753479004],[141.417755126953,41.3738784790039],[141.421081542969,40.7149963378906],[141.647216796875,40.4655456542969],[142.054702758789,39.4658241271973],[141.848159790039,39.0198554992676],[141.636108398438,38.9948539733887],[141.533050537109,38.7805480957031],[141.519424438477,38.2634658813477],[141.095794677734,38.3644409179688],[140.953582763672,38.1480484008789],[140.974548339844,36.9847145080566],[140.746063232422,36.7791595458984],[140.565521240234,36.2474899291992],[140.837188720703,35.7433242797852],[140.450805664062,35.5038833618164],[140.390808105469,35.1733245849609],[139.838165283203,34.8949966430664],[139.848846435547,35.2788772583008],[140.113143920898,35.5523567199707],[139.777191162109,35.6333312988281],[139.678726196289,35.1372146606445],[139.557891845703,35.2855529785156],[139.173309326172,35.2380485534668],[139.138580322266,34.8747100830078],[138.850387573242,34.5931854248047],[138.76789855957,34.9546432495117],[138.905944824219,35.034782409668],[138.7412109375,35.123462677002],[138.332458496094,34.8580474853516],[138.214141845703,34.5991592407227],[137.028793334961,34.5678405761719],[137.348297119141,34.7187423706055],[137.026779174805,34.7593002319336],[136.977890014648,34.9190216064453],[136.973846435547,34.6854095458984],[136.877746582031,34.7202682495117],[136.849838256836,35.0790252685547],[136.521087646484,34.6766586303711],[136.915679931641,34.4336051940918],[136.897689819336,34.2665214538574],[136.343841552734,34.1897125244141],[135.772216796875,33.4549942016602],[135.064682006836,33.875545501709],[135.195953369141,34.1404113769531],[135.098022460938,34.2494354248047],[135.436370849609,34.5258255004883],[135.419235229492,34.6913681030273],[134.299377441406,34.7041206359863]],"Japan"], ["Country","JA2",[[138.511108398438,38.2811050415039],[138.510543823242,37.9152717590332],[138.218292236328,37.8008270263672],[138.337188720703,37.9666595458984],[138.242462158203,38.0749969482422],[138.511108398438,38.2811050415039]],"Japan"], ["Country","JA3",[[129.473052978516,34.6856155395508],[129.336502075195,34.2947158813477],[129.300262451172,34.5569381713867],[129.473052978516,34.6856155395508]],"Japan"], ["Country","JA4",[[134.76220703125,34.1844329833984],[134.666931152344,34.2969436645508],[135.019973754883,34.5908241271973],[134.946502685547,34.2613830566406],[134.76220703125,34.1844329833984]],"Japan"], ["Country","JA5",[[134.305145263672,33.5275726318359],[134.186553955078,33.2420043945312],[133.747604370117,33.5163841247559],[133.281509399414,33.362907409668],[132.964416503906,32.743049621582],[132.483016967773,32.8955497741699],[132.534698486328,33.2447128295898],[132.366714477539,33.4677314758301],[132.01872253418,33.3404769897461],[132.639831542969,33.6737403869629],[132.896926879883,34.1061058044434],[133.145950317383,33.9123497009277],[133.523101806641,33.9627685546875],[133.6796875,34.2206840515137],[134.131500244141,34.3863830566406],[134.579132080078,34.2241592407227],[134.744689941406,33.8173561096191],[134.305145263672,33.5275726318359]],"Japan"], ["Country","JA6",[[128.652404785156,32.6966400146484],[128.813293457031,32.7924957275391],[128.901016235352,32.6468696594238],[128.652404785156,32.6966400146484]],"Japan"], ["Country","JA7",[[130,32.1883163452148],[130.153869628906,32.5436096191406],[130.207611083984,32.3334617614746],[130,32.1883163452148]],"Japan"], ["Country","JA8",[[129.690460205078,28.4977188110352],[129.373291015625,28.1163158416748],[129.143310546875,28.2524967193604],[129.690460205078,28.4977188110352]],"Japan"], ["Country","JA9",[[128.287200927734,26.8549957275391],[128.271362304688,26.6583290100098],[127.849716186523,26.4363822937012],[127.813026428223,26.1555519104004],[127.652214050293,26.0856914520264],[127.717544555664,26.4320793151855],[127.959991455078,26.5473575592041],[127.883880615234,26.6674957275391],[128.067474365234,26.6424942016602],[128.287200927734,26.8549957275391]],"Japan"], ["Country","JA10",[[131.194915771484,33.6071090698242],[131.669708251953,33.6474914550781],[131.729553222656,33.466381072998],[131.517379760742,33.2646598815918],[131.896682739258,33.2471809387207],[131.816558837891,33.1196441650391],[131.989410400391,32.8305511474609],[131.685180664062,32.5349235534668],[131.334548950195,31.3692321777344],[131.071624755859,31.4487457275391],[131.129119873047,31.2673587799072],[130.668243408203,30.9995803833008],[130.798721313477,31.314302444458],[130.602111816406,31.5858993530273],[130.807952880859,31.6824951171875],[130.644989013672,31.7141609191895],[130.534423828125,31.5288848876953],[130.638305664062,31.1822853088379],[130.231079101562,31.2474937438965],[130.336212158203,31.6259689331055],[130.162475585938,32.0069427490234],[130.564559936523,32.4352684020996],[130.587463378906,32.6319351196289],[130.450241088867,32.6194343566895],[130.606918334961,32.7834663391113],[130.211090087891,33.1708297729492],[130.096206665039,32.8540191650391],[130.31413269043,32.8619346618652],[130.339401245117,32.6592979431152],[130.176910400391,32.5872802734375],[130.088150024414,32.7844390869141],[129.746063232422,32.5611038208008],[129.857604980469,32.7187423706055],[129.685516357422,32.8380432128906],[129.687530517578,33.0785713195801],[129.804000854492,32.8584632873535],[129.969970703125,32.8630523681641],[129.57014465332,33.2095069885254],[129.588577270508,33.3640213012695],[129.834335327148,33.2922248840332],[129.869262695312,33.527214050293],[130.003326416016,33.4394302368164],[130.207458496094,33.6508255004883],[130.365371704102,33.5840187072754],[130.702743530273,33.9358901977539],[130.982177734375,33.881103515625],[131.194915771484,33.6071090698242]],"Japan"], ["Country","JA11",[[130.523529052734,30.4430961608887],[130.668182373047,30.3801345825195],[130.598297119141,30.2436065673828],[130.388458251953,30.3495788574219],[130.523529052734,30.4430961608887]],"Japan"], ["Country","DQ0",[[-160.017807006836,-0.374745726585388],[-160.028182983398,-0.398174673318863],[-160.045150756836,-0.380090236663818],[-160.017807006836,-0.374745726585388]],"Jarvis I."], ["Country","JE0",[[-2.23430943489075,49.2589263916016],[-2.03735399246216,49.2439613342285],[-2.02158141136169,49.1772308349609],[-2.20640420913696,49.1812782287598],[-2.23430943489075,49.2589263916016]],"Jersey"], ["Country","JQ0",[[-169.52392578125,16.7302474975586],[-169.538879394531,16.7241840362549],[-169.538909912109,16.7297515869141],[-169.52392578125,16.7302474975586]],"Johnston Atoll"], ["Country","JO0",[[35.4781951904297,31.4973220825195],[35.5525665283203,32.3941955566406],[35.6488876342773,32.6852722167969],[35.9312477111816,32.7202758789062],[36.400276184082,32.3819427490234],[36.837776184082,32.313606262207],[38.7947006225586,33.3775939941406],[39.0436515808105,32.3040504455566],[39.2599983215332,32.355541229248],[39.3011093139648,32.2363815307617],[39.1967430114746,32.1549415588379],[37.0052719116211,31.5055541992188],[38.0013885498047,30.5041656494141],[37.6674957275391,30.3363876342773],[37.5027770996094,30.0022201538086],[36.7436065673828,29.8647193908691],[36.0699996948242,29.1888885498047],[34.9613876342773,29.3608322143555],[34.97998046875,29.5457534790039],[35.4781951904297,31.4973220825195]],"Jordan"], ["Country","JU0",[[42.7377738952637,-17.0521240234375],[42.7607536315918,-17.0653553009033],[42.7519111633301,-17.0760707855225],[42.7237701416016,-17.057933807373],[42.7377738952637,-17.0521240234375]],"Juan De Nova I."], ["Country","KZ0",[[56.0009613037109,41.3284530639648],[55.4547843933105,41.2886734008789],[54.7611083984375,42.0588836669922],[54.0233268737793,42.3504104614258],[53.0062446594238,42.1356887817383],[51.2501792907715,41.2312088012695],[49.7606239318848,42.7107582092285],[49.2109375,43.4716682434082],[48.6861572265625,44.7543449401855],[49.448314666748,45.5303840637207],[50.038501739502,45.8584785461426],[49.3251457214355,46.0869445800781],[49.222526550293,46.346305847168],[48.576171875,46.5610313415527],[48.5445747375488,46.7541542053223],[49.0272064208984,46.7760925292969],[48.1430397033691,47.7497138977051],[47.2558288574219,47.7508316040039],[47.1212387084961,48.2720756530762],[46.4991607666016,48.4174957275391],[47.0595741271973,49.133602142334],[46.8040199279785,49.3384628295898],[46.9313812255859,49.8658294677734],[47.302490234375,50.0319366455078],[47.3196487426758,50.2961044311523],[47.5997161865234,50.460823059082],[48.2487449645996,49.8713798522949],[48.8338813781738,49.9591598510742],[48.6974868774414,50.5919342041016],[49.4258270263672,50.8513870239258],[49.4747123718262,51.1240196228027],[50.3685989379883,51.3274230957031],[50.6004104614258,51.6377716064453],[50.8123512268066,51.5942993164062],[50.7733001708984,51.7691802978516],[51.3847122192383,51.6405487060547],[51.2994384765625,51.4812393188477],[51.7119369506836,51.4619369506836],[51.8713798522949,51.6717987060547],[52.3418006896973,51.7807540893555],[52.6076316833496,51.4563827514648],[53.4237442016602,51.4926338195801],[54.5016593933105,50.8592300415039],[54.4188842773438,50.5880432128906],[54.7017974853516,50.6096458435059],[54.5486068725586,50.9222183227539],[54.647216796875,51.0369415283203],[55.6924896240234,50.5324935913086],[56.5018653869629,51.0808296203613],[57.1273536682129,51.0847129821777],[57.4635353088379,50.8652725219727],[57.7361030578613,50.9104080200195],[57.7926826477051,51.1163177490234],[58.3377685546875,51.1560974121094],[58.6013870239258,51.0466613769531],[58.6655426025391,50.8049926757812],[59.4887428283691,50.6304054260254],[59.5424957275391,50.4783248901367],[59.8144035339355,50.5462760925293],[60.0529098510742,50.8641624450684],[60.6980438232422,50.6616592407227],[61.4036026000977,50.7899932861328],[61.6858215332031,51.2658309936523],[60.9423027038574,51.6166648864746],[60.3770713806152,51.6904411315918],[60.4858245849609,51.8091583251953],[60.0031929016113,51.9555511474609],[61.060131072998,52.3408241271973],[60.6970710754395,52.707633972168],[61.0991592407227,52.9816589355469],[62.1140213012695,52.9959678649902],[62.1081848144531,53.1219329833984],[61.1847152709961,53.3066558837891],[61.2459678649902,53.5079154968262],[61.574577331543,53.5202713012695],[60.905891418457,53.6220741271973],[61.2230453491211,53.8070755004883],[61.009162902832,53.9434585571289],[61.4202728271484,54.0666656494141],[62.3580474853516,54.0227661132812],[62.5330467224121,53.8816566467285],[62.6411056518555,54.0751342773438],[63.1637420654297,54.1847152709961],[64.9158172607422,54.4080467224121],[65.224983215332,54.3242301940918],[65.220817565918,54.5301322937012],[65.5019378662109,54.6405487060547],[68.2059555053711,54.9676971435547],[68.3281860351562,55.0667304992676],[68.19970703125,55.1783294677734],[68.6219253540039,55.2009658813477],[68.7233123779297,55.3683242797852],[69.0034637451172,55.2909698486328],[68.9476165771484,55.442626953125],[70.2388763427734,55.1388854980469],[70.4699859619141,55.2966613769531],[70.8401260375977,55.3037414550781],[71.0130462646484,54.797492980957],[71.2788696289062,54.6902694702148],[71.2136077880859,54.3258285522461],[70.9965133666992,54.3322143554688],[71.1855316162109,54.1033248901367],[71.3363800048828,54.2149963378906],[71.6535949707031,54.109992980957],[71.7677612304688,54.2552719116211],[72.1938705444336,54.138256072998],[72.0492172241211,54.3800621032715],[72.5088806152344,54.1427688598633],[72.4485931396484,53.9127655029297],[72.7276916503906,53.9645080566406],[72.532470703125,54.0594215393066],[72.6078948974609,54.1434669494629],[73.2908172607422,53.9538803100586],[73.7638854980469,54.065544128418],[73.7116546630859,53.8749923706055],[73.4430389404297,53.8758239746094],[73.2385864257812,53.6444396972656],[73.4371948242188,53.4361038208008],[73.91748046875,53.6541595458984],[74.4291534423828,53.4785995483398],[74.4663848876953,53.6933212280273],[74.7894287109375,53.8363800048828],[76.8116455078125,54.4477691650391],[76.7241516113281,54.1552658081055],[76.4022064208984,54.156551361084],[76.5224151611328,53.995548248291],[77.9147033691406,53.2649955749512],[80.0590515136719,50.7683639526367],[80.4647827148438,50.9665718078613],[80.4439315795898,51.1991500854492],[80.68505859375,51.3126411437988],[81.1794281005859,51.193115234375],[81.0748519897461,50.9514198303223],[81.4201202392578,50.9666595458984],[81.4638824462891,50.7431869506836],[82.4988708496094,50.7210998535156],[82.7611083984375,50.9108200073242],[83.4683151245117,50.9892959594727],[83.9778289794922,50.7950630187988],[84.2654113769531,50.2727699279785],[85.0115203857422,50.0776329040527],[84.9742889404297,49.9277725219727],[85.2592315673828,49.5929069519043],[86.1840744018555,49.4766540527344],[86.7819366455078,49.7840881347656],[86.6208190917969,49.5830459594727],[87.3482055664062,49.0926208496094],[86.8760223388672,49.1102027893066],[86.5979080200195,48.5427742004395],[85.7659606933594,48.3933258056641],[85.5370712280273,47.9372138977051],[85.7013854980469,47.2622146606445],[85.5225677490234,47.0591049194336],[84.8031768798828,46.8277015686035],[84.6780395507812,46.9936065673828],[83.9302597045898,46.9733200073242],[83.0344314575195,47.2006149291992],[82.3217926025391,45.5830993652344],[82.646240234375,45.4358100891113],[82.5663757324219,45.1330299377441],[81.9480285644531,45.1574783325195],[81.6792831420898,45.3497009277344],[79.8710556030273,44.9028205871582],[80.5158920288086,44.7340774536133],[80.3849945068359,44.6358032226562],[80.3688735961914,44.1137847900391],[80.8152618408203,43.1682968139648],[80.3840484619141,43.0290565490723],[80.5722579956055,42.8854522705078],[80.2579574584961,42.8156547546387],[80.1580352783203,42.632453918457],[80.2340240478516,42.1962203979492],[79.9565200805664,42.432731628418],[79.4438629150391,42.4721755981445],[79.1753921508789,42.7975959777832],[76.98095703125,42.9957885742188],[75.7963714599609,42.9385604858398],[75.6713562011719,42.8072204589844],[74.2935943603516,43.2169036865234],[73.5863800048828,43.0402412414551],[73.4341430664062,42.6274528503418],[73.5205459594727,42.4092559814453],[72.2969360351562,42.7735748291016],[71.4246978759766,42.8041381835938],[71.0355377197266,42.5774726867676],[70.8731689453125,42.3091354370117],[70.9708099365234,42.2546691894531],[69.0596313476562,41.3767929077148],[69.0645599365234,41.2222137451172],[68.5935974121094,40.9199905395508],[68.6407470703125,40.6142311096191],[68.4552612304688,40.597770690918],[68.0480346679688,40.8102722167969],[68.1541595458984,41.0361099243164],[67.9355316162109,41.1833267211914],[66.7199859619141,41.1749954223633],[66.5263824462891,42.0030517578125],[66.0291595458984,42.0030517578125],[66.1238708496094,42.996940612793],[65.8219299316406,42.8772125244141],[65.5190200805664,43.3211059570312],[64.9313659667969,43.7377700805664],[64.4580383300781,43.5480499267578],[63.2113800048828,43.6363830566406],[62.0251083374023,43.4847869873047],[61.1491622924805,44.2110977172852],[58.5708236694336,45.5705947875977],[55.9987525939941,45.0020523071289],[56.0009613037109,41.3284530639648]],"Kazakhstan"], ["Country","KE0",[[41.9051666259766,3.98032188415527],[40.9913520812988,2.83553314208984],[40.9983291625977,-0.866111159324646],[41.5581588745117,-1.67486810684204],[41.3152770996094,-1.9580557346344],[40.8916625976562,-2.01916694641113],[40.9820823669434,-2.25722241401672],[40.6304817199707,-2.55284738540649],[40.2311096191406,-2.67111134529114],[40.1254806518555,-3.2656946182251],[39.4024963378906,-4.63388919830322],[39.2030258178711,-4.66961765289307],[37.6263847351074,-3.50951409339905],[37.7199935913086,-3.31194448471069],[37.6027755737305,-2.99583339691162],[33.9211044311523,-1.00194454193115],[33.9072189331055,0.10305555164814],[34.5199966430664,1.1058361530304],[34.8203430175781,1.23597204685211],[35.0097198486328,1.89527773857117],[34.9094390869141,2.52111101150513],[34.4037437438965,3.38527774810791],[34.4636077880859,3.66465258598328],[34.2222213745117,3.77916622161865],[33.9966659545898,4.22277736663818],[34.3881912231445,4.60968208312988],[35.9405517578125,4.62249946594238],[36.045295715332,4.4470796585083],[37.0397186279297,4.37555503845215],[38.1211090087891,3.61166620254517],[39.5190238952637,3.40930533409119],[39.8666610717773,3.86944437026978],[40.7837677001953,4.2879753112793],[41.1605529785156,3.94583320617676],[41.9051666259766,3.98032188415527]],"Kenya"], ["Country","KR0",[[-157.235015869141,1.70499968528748],[-157.567642211914,1.85583293437958],[-157.409561157227,1.91384315490723],[-157.235015869141,1.70499968528748]],"Kiribati"], ["Country","KU0",[[48.4165878295898,28.5452766418457],[47.6888809204102,28.5388832092285],[47.4599914550781,28.999439239502],[46.5469436645508,29.1041984558105],[47.1699905395508,30.0152702331543],[47.943473815918,30.0175552368164],[48.1668663024902,29.5651359558105],[47.9559631347656,29.6237449645996],[47.7072219848633,29.3758316040039],[48.0286026000977,29.3449935913086],[48.4165878295898,28.5452766418457]],"Kuwait"], ["Country","KU1",[[48.1885375976562,29.9819297790527],[48.3594436645508,29.7449989318848],[48.2283210754395,29.5952758789062],[48.0799865722656,29.7733306884766],[48.1885375976562,29.9819297790527]],"Kuwait"], ["Country","KG0",[[73.6556854248047,39.4548263549805],[72.4244918823242,39.3587493896484],[72.2588806152344,39.1954689025879],[72.0776214599609,39.3714485168457],[71.7785186767578,39.2776336669922],[71.7577667236328,39.4558486938477],[71.5378952026367,39.464412689209],[71.4845581054688,39.6179695129395],[70.9941482543945,39.4009399414062],[70.5074920654297,39.6070556640625],[69.333251953125,39.5188102722168],[69.2677612304688,39.8383255004883],[69.3348159790039,39.9925956726074],[69.5240478515625,39.9345054626465],[69.5407485961914,40.1288795471191],[70.0119323730469,40.2179908752441],[70.5422058105469,40.0460205078125],[70.4942855834961,39.908145904541],[70.9820404052734,40.2448425292969],[71.3899841308594,40.3018798828125],[71.714225769043,40.1479187011719],[72.1795654296875,40.4620246887207],[72.420539855957,40.3878517150879],[72.3736419677734,40.602783203125],[72.6538772583008,40.5193748474121],[73.1675491333008,40.8291053771973],[72.1954803466797,41.006591796875],[72.1810913085938,41.1927146911621],[71.8883285522461,41.2006378173828],[71.6883087158203,41.5562629699707],[71.5984573364258,41.3157806396484],[71.4344177246094,41.3325881958008],[71.4235916137695,41.1208457946777],[70.8133087158203,41.2505035400391],[70.7110214233398,41.4702644348145],[70.2063064575195,41.5191230773926],[71.2637405395508,42.1745452880859],[70.9708099365234,42.2546691894531],[70.8731689453125,42.3091354370117],[71.0355377197266,42.5774726867676],[71.4246978759766,42.8041381835938],[72.2969360351562,42.7735748291016],[73.5205459594727,42.4092559814453],[73.4341430664062,42.6274528503418],[73.5863800048828,43.0402412414551],[74.2935943603516,43.2169036865234],[75.6713562011719,42.8072204589844],[75.7963714599609,42.9385604858398],[76.98095703125,42.9957885742188],[79.1753921508789,42.7975959777832],[79.4438629150391,42.4721755981445],[79.9565200805664,42.432731628418],[80.2340240478516,42.1962203979492],[80.2451324462891,42.0395393371582],[78.3955383300781,41.3928642272949],[78.0808258056641,41.0407867431641],[76.8706741333008,41.012580871582],[76.3343963623047,40.3532371520996],[75.7037353515625,40.2980003356934],[75.5828399658203,40.6445236206055],[75.2339401245117,40.4504241943359],[74.8587951660156,40.5172309875488],[74.8808898925781,40.3279190063477],[73.9909591674805,40.0420150756836],[73.842903137207,39.7689590454102],[73.9547119140625,39.5996513366699],[73.6556854248047,39.4548263549805]],"Kyrgyzstan"], ["Country","LA0",[[100.091369628906,20.3486061096191],[100.258743286133,20.7490234375],[100.640548706055,20.8617324829102],[100.520683288574,20.951940536499],[100.727210998535,21.3078136444092],[101.148239135742,21.5726356506348],[101.291931152344,21.1768703460693],[101.785957336426,21.1445083618164],[101.765266418457,21.8344421386719],[101.574432373047,22.2091598510742],[101.741508483887,22.4977722167969],[102.140747070312,22.3962860107422],[102.604423522949,21.9284687042236],[102.675193786621,21.6585369110107],[102.970542907715,21.7451324462891],[102.888595581055,21.25221824646],[103.177131652832,20.8438854217529],[103.687057495117,20.6595783233643],[104.103942871094,20.9758987426758],[104.641891479492,20.6523571014404],[104.381507873535,20.4545783996582],[104.93928527832,20.1834678649902],[104.977828979492,20.0039558410645],[104.644226074219,19.616662979126],[104.03882598877,19.693733215332],[104.103866577148,19.4786071777344],[103.877685546875,19.3095111846924],[105.193168640137,18.6367321014404],[105.183319091797,18.3344421386719],[105.504440307617,18.168327331543],[105.754295349121,17.67041015625],[106.561096191406,16.996940612793],[106.684700012207,16.459300994873],[106.875114440918,16.5368728637695],[106.987197875977,16.2997207641602],[107.460815429688,16.0804824829102],[107.176300048828,15.7903451919556],[107.695251464844,15.2708320617676],[107.468040466309,15.023193359375],[107.546600341797,14.7086181640625],[106.85026550293,14.3038864135742],[106.534492492676,14.5973920822144],[106.000816345215,14.3672189712524],[106.174217224121,14.0586090087891],[106.056640625,13.9299983978271],[105.559127807617,14.1683254241943],[105.374771118164,14.1065254211426],[105.210601806641,14.349648475647],[105.535400390625,14.5638866424561],[105.474700927734,15.1747207641602],[105.635124206543,15.6691656112671],[104.749572753906,16.5244426727295],[104.718322753906,17.5033302307129],[103.97615814209,18.3268718719482],[103.397216796875,18.4349937438965],[103.04712677002,17.9970092773438],[102.68359375,17.819995880127],[102.089393615723,18.2149829864502],[101.159706115723,17.4607582092285],[100.922164916992,17.5689544677734],[101.170822143555,18.0872192382812],[101.057823181152,18.4415912628174],[101.353462219238,19.0443725585938],[101.202476501465,19.3538856506348],[101.279083251953,19.5662460327148],[100.516387939453,19.5188865661621],[100.404991149902,19.7490253448486],[100.580459594727,20.1577682495117],[100.321098327637,20.3915233612061],[100.091369628906,20.3486061096191]],"Laos"], ["Country","LG0",[[28.1680107116699,56.1501541137695],[27.6002426147461,55.7925224304199],[26.9858283996582,55.8323554992676],[26.613208770752,55.6748352050781],[25.5827751159668,56.1513824462891],[25.1015243530273,56.1991577148438],[24.8941612243652,56.4498519897461],[24.1693019866943,56.2622184753418],[22.0672187805176,56.4194412231445],[21.051685333252,56.0773086547852],[21.0622882843018,56.8419342041016],[21.3956909179688,57.0266571044922],[21.4172859191895,57.2819328308105],[21.7290229797363,57.5747184753418],[22.6069049835205,57.7490577697754],[22.6433296203613,57.5852737426758],[23.1356906890869,57.3644409179688],[23.2561073303223,57.1009635925293],[23.785831451416,56.9702682495117],[24.4041633605957,57.2512435913086],[24.3149795532227,57.871826171875],[25.2978439331055,58.0832557678223],[26.5113868713379,57.5261001586914],[26.9022178649902,57.6334648132324],[27.3720588684082,57.5356369018555],[27.8553428649902,57.305965423584],[27.70166015625,56.9147109985352],[27.938814163208,56.8224258422852],[28.2359676361084,56.2763786315918],[28.1680107116699,56.1501541137695]],"Latvia"], ["Country","LE0",[[35.972770690918,34.6474990844727],[36.4593048095703,34.6304130554199],[36.3512268066406,34.5007476806641],[36.6237411499023,34.2049942016602],[36.2834663391113,33.9108963012695],[36.3739547729492,33.8311080932617],[36.0710372924805,33.8275260925293],[35.9402046203613,33.6441612243652],[36.0344390869141,33.5533294677734],[35.6236343383789,33.2457275390625],[35.4255523681641,33.0683288574219],[35.100830078125,33.0936050415039],[35.6488838195801,34.2811050415039],[35.972770690918,34.6474990844727]],"Lebanon"], ["Country","LT0",[[28.8069400787354,-28.7575016021729],[29.3269424438477,-29.0875015258789],[29.4555530548096,-29.349100112915],[29.1455535888672,-29.716947555542],[29.1665267944336,-29.9154186248779],[28.3777770996094,-30.1602802276611],[28.0799369812012,-30.6505279541016],[27.7373580932617,-30.5965995788574],[27.3789215087891,-30.3173294067383],[27.0139713287354,-29.6271381378174],[28.1828441619873,-28.6982650756836],[28.6477756500244,-28.5706958770752],[28.8069400787354,-28.7575016021729]],"Lesotho"], ["Country","LI0",[[-8.46974945068359,7.56132507324219],[-8.3088903427124,6.85805511474609],[-8.60638427734375,6.50781536102295],[-7.89777851104736,6.26194381713867],[-7.75763893127441,5.94666576385498],[-7.42569494247437,5.84555530548096],[-7.5254020690918,4.35280609130859],[-9.14277839660645,5.05555534362793],[-11.4923305511475,6.92709064483643],[-10.6077785491943,7.77249908447266],[-10.6026391983032,8.03291511535645],[-10.2975702285767,8.19902610778809],[-10.2666511535645,8.48837661743164],[-9.66986179351807,8.49069404602051],[-9.48365020751953,8.34693145751953],[-9.35385894775391,7.74236679077148],[-9.48516082763672,7.36198902130127],[-9.3244457244873,7.42680501937866],[-9.1099681854248,7.19392681121826],[-8.84444522857666,7.27173566818237],[-8.66055679321289,7.69499969482422],[-8.46974945068359,7.56132507324219]],"Liberia"], ["Country","LY0",[[24.0027465820312,19.4990653991699],[16.0008316040039,23.450553894043],[14.9978885650635,23.0005912780762],[14.2349987030029,22.6141662597656],[13.543888092041,23.1686096191406],[11.9864749908447,23.5223045349121],[11.5588865280151,24.3024978637695],[10.2522220611572,24.6058311462402],[10.054443359375,24.8380546569824],[10.0320825576782,25.3294429779053],[9.3983325958252,26.1533317565918],[9.49944305419922,26.3574981689453],[9.87166595458984,26.5141639709473],[9.93055534362793,26.8597221374512],[9.73444366455078,27.3160400390625],[9.95583248138428,27.846248626709],[9.7902774810791,28.2705535888672],[9.8397216796875,29.1599998474121],[9.31138801574707,30.1272201538086],[9.53711318969727,30.2343902587891],[9.89229011535645,30.356315612793],[10.2119436264038,30.7284698486328],[10.2906932830811,30.9104156494141],[10.1233329772949,31.4224967956543],[10.2872219085693,31.694164276123],[11.5674991607666,32.4422149658203],[11.5260810852051,33.1711349487305],[12.3439426422119,32.8283996582031],[13.2511100769043,32.918888092041],[15.1658334732056,32.3986053466797],[15.7543048858643,31.389720916748],[17.3672199249268,31.0822200775146],[19.0013885498047,30.2669410705566],[19.6177749633789,30.4172210693359],[20.057638168335,30.850830078125],[20.1555519104004,31.1499977111816],[19.9195804595947,31.7481899261475],[20.0844421386719,32.1847152709961],[20.567626953125,32.5609130859375],[21.6277751922607,32.9347190856934],[23.1191635131836,32.6197509765625],[23.0851001739502,32.3321113586426],[23.2471961975098,32.2162246704102],[24.9826374053955,31.9665260314941],[25.1516647338867,31.6469421386719],[24.8681221008301,31.3708305358887],[25.0174961090088,30.789234161377],[24.7068042755127,30.1591644287109],[24.9977760314941,29.2488861083984],[25.0014228820801,21.9996948242188],[25.0008316040039,19.9991188049316],[24.0058307647705,19.9988174438477],[24.0027465820312,19.4990653991699]],"Libya"], ["Country","LS0",[[9.59863471984863,47.063835144043],[9.47463703155518,47.0574569702148],[9.5335693359375,47.274543762207],[9.59863471984863,47.063835144043]],"Liechtenstein"], ["Country","LH0",[[23.5040397644043,53.9470443725586],[23.356107711792,54.235408782959],[22.7858848571777,54.3638381958008],[22.7201347351074,54.6931838989258],[22.8649978637695,54.8386001586914],[22.602912902832,55.0448570251465],[21.2639350891113,55.2489852905273],[21.051685333252,56.0773086547852],[22.0672187805176,56.4194412231445],[24.1693019866943,56.2622184753418],[24.8941612243652,56.4498519897461],[25.1015243530273,56.1991577148438],[25.5827751159668,56.1513824462891],[26.613208770752,55.6748352050781],[26.4648551940918,55.3387413024902],[26.8068027496338,55.269718170166],[25.7920818328857,54.873046875],[25.5516624450684,54.326904296875],[25.712703704834,54.3315200805664],[25.7661094665527,54.1538772583008],[25.5399284362793,54.1454811096191],[25.4669380187988,54.3043670654297],[24.3916606903076,53.8903388977051],[23.5040397644043,53.9470443725586]],"Lithuania"], ["Country","LH1",[[20.9848136901855,55.2765502929688],[20.9428329467773,55.2872009277344],[21.0665378570557,55.4990844726562],[21.0920085906982,55.7140159606934],[21.1261138916016,55.4916381835938],[20.9848136901855,55.2765502929688]],"Lithuania"], ["Country","LU0",[[6.36217021942139,49.4593887329102],[5.80788040161133,49.5450439453125],[5.89916610717773,49.6627731323242],[5.74777698516846,49.9074935913086],[5.97305488586426,50.1699981689453],[6.13441371917725,50.1278457641602],[6.23416614532471,49.8974990844727],[6.5240273475647,49.8077011108398],[6.36217021942139,49.4593887329102]],"Luxembourg"], ["Country","MK0",[[20.9834899902344,40.8558883666992],[20.7408103942871,40.909538269043],[20.5191650390625,41.2463836669922],[20.5896415710449,41.8821868896484],[21.1108322143555,42.2006912231445],[22.3652763366699,42.3238830566406],[23.0092334747314,41.7663116455078],[22.935604095459,41.3421249389648],[22.7377414703369,41.1561088562012],[21.9770812988281,41.1318016052246],[21.5999984741211,40.8727722167969],[20.9834899902344,40.8558883666992]],"Macedonia"], ["Country","MA0",[[44.587776184082,-25.2938919067383],[44.0322189331055,-25.0044479370117],[43.6916656494141,-24.3844451904297],[43.6249923706055,-23.7616691589355],[43.7599945068359,-23.4680576324463],[43.3619384765625,-22.8527793884277],[43.238883972168,-22.2825012207031],[43.5005493164062,-21.3338890075684],[43.8086090087891,-21.2252807617188],[44.4797210693359,-19.9805564880371],[44.3708305358887,-19.7770862579346],[44.4691619873047,-19.4383354187012],[44.2656707763672,-19.1449356079102],[43.9216613769531,-17.5805587768555],[44.4377746582031,-16.6922225952148],[44.4427719116211,-16.2038917541504],[44.8736038208008,-16.2102813720703],[45.2649993896484,-15.9275016784668],[45.3026351928711,-16.1177787780762],[45.3905487060547,-15.9733333587646],[45.6177749633789,-16.057502746582],[45.7166595458984,-15.7916679382324],[46.063606262207,-15.8719463348389],[46.1513824462891,-15.7036113739014],[46.3022155761719,-15.9611129760742],[46.4777755737305,-15.961389541626],[46.3383331298828,-15.6247234344482],[46.9472198486328,-15.1988906860352],[47.0763854980469,-15.3344459533691],[46.9594421386719,-15.5580558776855],[47.2236175537109,-15.44846534729],[47.0583267211914,-15.185001373291],[47.4549942016602,-14.6652793884277],[47.4272155761719,-15.1105556488037],[47.8112754821777,-14.6038904190063],[48.0133285522461,-14.7494449615479],[47.6997146606445,-14.4083347320557],[47.9277725219727,-14.2538890838623],[47.9141616821289,-14.0888900756836],[48.0030517578125,-14.3227787017822],[48.0314025878906,-14.0634117126465],[47.9052734375,-13.5963897705078],[48.0633316040039,-13.5180568695068],[48.2872161865234,-13.8080558776855],[48.3376350402832,-13.5508337020874],[48.7927703857422,-13.3677787780762],[48.9594421386719,-12.8222236633301],[48.7336044311523,-12.4376401901245],[48.944164276123,-12.4858341217041],[49.2838821411133,-11.9541683197021],[49.367359161377,-12.2058343887329],[49.2324981689453,-12.2250003814697],[49.5183258056641,-12.3458347320557],[49.5706214904785,-12.6487712860107],[49.9433288574219,-13.0394458770752],[50.1999969482422,-14.5702781677246],[50.4967803955078,-15.2494525909424],[50.4336090087891,-15.5800018310547],[50.1727752685547,-15.9797229766846],[49.8661041259766,-15.4325008392334],[49.6336059570312,-15.5575008392334],[49.6813850402832,-16.0550022125244],[49.8540229797363,-16.2313919067383],[49.7886047363281,-16.8302803039551],[49.5969390869141,-16.9086112976074],[49.4227752685547,-17.3158340454102],[49.5102767944336,-17.7113914489746],[49.3683319091797,-18.351390838623],[47.1330490112305,-24.9280586242676],[45.4877777099609,-25.5755577087402],[44.587776184082,-25.2938919067383]],"Madagascar"], ["Country","MI0",[[33.2222290039062,-14.012565612793],[32.6818695068359,-13.6128482818604],[32.9774932861328,-13.2291679382324],[33.04638671875,-12.603889465332],[33.5418014526367,-12.3641681671143],[33.2713851928711,-12.1299314498901],[33.2495079040527,-11.4110422134399],[33.4104118347168,-11.1631946563721],[33.2504119873047,-10.8920841217041],[33.702278137207,-10.5618572235107],[33.3259696960449,-10.0640287399292],[33.2291641235352,-9.6341667175293],[33.000129699707,-9.62184810638428],[32.9403991699219,-9.40507698059082],[33.9188194274902,-9.70673561096191],[34.0415267944336,-9.48375129699707],[34.329647064209,-9.74020862579346],[34.5348587036133,-10.0459728240967],[34.616039276123,-11.110764503479],[34.9667282104492,-11.5721111297607],[34.6248550415039,-11.5793762207031],[34.3752746582031,-12.155834197998],[34.5656890869141,-13.3395843505859],[35.0952758789062,-13.6861114501953],[35.9209671020508,-14.8938903808594],[35.8159675598145,-16.0136127471924],[35.4116592407227,-16.1262531280518],[35.1386184692383,-16.5497436523438],[35.2900543212891,-17.1342658996582],[35.0877723693848,-17.1270847320557],[35.145133972168,-16.8361129760742],[34.4506912231445,-16.2806968688965],[34.2544403076172,-15.8888893127441],[34.5897216796875,-15.2827777862549],[34.522216796875,-14.5716667175293],[34.3637466430664,-14.3859739303589],[33.6333312988281,-14.539722442627],[33.2222290039062,-14.012565612793]],"Malawi"], ["Country","MI1",[[34.6179733276367,-12.0387277603149],[34.6174392700195,-12.0088558197021],[34.6281089782715,-12.0307264328003],[34.6179733276367,-12.0387277603149]],"Malawi"], ["Country","MI2",[[34.7203903198242,-12.0392608642578],[34.7518615722656,-12.0392608642578],[34.716121673584,-12.0920686721802],[34.7203903198242,-12.0392608642578]],"Malawi"], ["Country","MY0",[[117.09326171875,7.29345417022705],[117.268180847168,7.34388780593872],[117.250534057617,7.17916536331177],[117.066444396973,7.10506820678711],[117.09326171875,7.29345417022705]],"Malaysia"], ["Country","MY1",[[99.8529510498047,6.46415328979492],[99.9230194091797,6.33361005783081],[99.7395629882812,6.24888753890991],[99.6422119140625,6.42208194732666],[99.8529510498047,6.46415328979492]],"Malaysia"], ["Country","MY2",[[111.409965515137,2.37826919555664],[111.311836242676,2.49721670150757],[111.328948974609,2.78034687042236],[111.411186218262,2.37797594070435],[111.411514282227,2.37638831138611],[111.409965515137,2.37826919555664]],"Malaysia"], ["Country","MY3",[[117.592056274414,4.16981792449951],[117.239433288574,4.35833263397217],[115.872482299805,4.36110973358154],[115.659713745117,4.10859632492065],[115.495529174805,3.03999996185303],[115.139709472656,2.90611028671265],[115.082359313965,2.61361074447632],[115.230819702148,2.50805521011353],[114.804702758789,2.24888849258423],[114.861923217773,1.9152774810791],[114.559982299805,1.43291640281677],[113.930816650391,1.44527745246887],[113.659080505371,1.22583305835724],[112.999710083008,1.57277750968933],[112.472763061523,1.56805539131165],[111.827209472656,0.998610973358154],[111.211929321289,1.06972193717957],[110.555252075195,0.853888750076294],[109.668731689453,1.61701357364655],[109.547340393066,1.90694415569305],[109.648567199707,2.07340860366821],[109.928031921387,1.69048571586609],[110.330543518066,1.80152761936188],[110.733680725098,1.5401337146759],[110.687477111816,1.44472193717957],[110.821929931641,1.56805539131165],[111.378311157227,1.34597206115723],[111,1.5720831155777],[111.369979858398,2.14666652679443],[111.172752380371,2.14597177505493],[111.183036804199,2.2622218132019],[111.225395202637,2.42249965667725],[111.378692626953,2.34618234634399],[111.450271606445,2.36861038208008],[111.448455810547,2.69472169876099],[113.010536193848,3.16055488586426],[114.095077514648,4.59053802490234],[114.638038635254,4.01819372177124],[114.866928100586,4.3552770614624],[114.779853820801,4.73583221435547],[115.018432617188,4.89579486846924],[115.02912902832,4.82021045684814],[115.102348327637,4.38055419921875],[115.352073669434,4.3174991607666],[115.145782470703,4.90324020385742],[115.546096801758,5.053053855896],[115.380256652832,5.40097141265869],[115.848876953125,5.56388759613037],[116.754173278809,7.0180549621582],[116.799987792969,6.5766658782959],[117.168869018555,6.9944429397583],[117.288040161133,6.6398606300354],[117.739288330078,6.38694381713867],[117.600402832031,6.19249868392944],[117.674835205078,5.98236036300659],[117.503051757812,5.89611053466797],[118.006866455078,6.06124830245972],[118.124687194824,5.86402702331543],[117.908172607422,5.79756832122803],[117.955474853516,5.68506813049316],[118.373596191406,5.80749893188477],[119.275817871094,5.34499931335449],[119.069717407227,5.06999969482422],[118.70166015625,4.94305419921875],[118.354278564453,5.03583240509033],[118.140548706055,4.88833236694336],[118.594848632812,4.52124929428101],[118.54956817627,4.35097122192383],[117.995887756348,4.22416591644287],[117.69303894043,4.37472057342529],[117.592056274414,4.16981792449951]],"Malaysia"], ["Country","MY4",[[117.686920166016,4.16833591461182],[117.688377380371,4.26196718215942],[117.90355682373,4.17404270172119],[117.686920166016,4.16833591461182]],"Malaysia"], ["Country","MY5",[[100.127113342285,6.42494678497314],[100.264137268066,6.70666599273682],[100.387481689453,6.53610992431641],[100.751365661621,6.50277709960938],[100.853233337402,6.24388790130615],[101.112045288086,6.25069379806519],[100.991149902344,5.79430437088013],[101.14232635498,5.63347101211548],[101.571014404297,5.91520738601685],[101.82608795166,5.74097061157227],[102.095230102539,6.23613834381104],[102.333877563477,6.1755542755127],[103.064414978027,5.44805479049683],[103.441070556641,4.76527690887451],[103.336364746094,3.74409675598145],[103.476425170898,3.49868011474609],[103.438018798828,2.92583298683167],[103.820243835449,2.57590246200562],[104.293296813965,1.43777751922607],[104.104904174805,1.36916637420654],[103.958511352539,1.64430522918701],[103.998512268066,1.4356940984726],[103.683494567871,1.44555497169495],[103.512138366699,1.26952815055847],[103.374549865723,1.53347194194794],[101.285736083984,2.84354114532471],[101.290107727051,3.27486062049866],[100.697044372559,3.91041612625122],[100.868507385254,4.02236032485962],[100.601913452148,4.22166538238525],[100.605529785156,4.79833221435547],[100.362319946289,5.08437395095825],[100.355529785156,5.96388816833496],[100.127113342285,6.42494678497314]],"Malaysia"], ["Country","MV0",[[73.5854263305664,2.965651512146],[73.5861282348633,2.96165013313293],[73.5777893066406,2.95138692855835],[73.5854263305664,2.965651512146]],"Maldives"], ["Country","ML0",[[-11.3730583190918,12.4077739715576],[-11.3761110305786,12.9829149246216],[-11.6345844268799,13.3915252685547],[-11.8095140457153,13.309268951416],[-12.057222366333,13.6647205352783],[-11.9822244644165,14.1727771759033],[-12.2063999176025,14.3952884674072],[-12.2448329925537,14.7643852233887],[-11.8413906097412,14.8630542755127],[-11.7116680145264,15.5449981689453],[-11.4986114501953,15.6418037414551],[-10.8965606689453,15.1103649139404],[-10.7163867950439,15.4389019012451],[-9.40972328186035,15.4443044662476],[-9.33805656433105,15.7047214508057],[-9.3336124420166,15.4997215270996],[-5.49505043029785,15.4983711242676],[-5.33500003814697,16.328052520752],[-5.60138893127441,16.5077743530273],[-6.57722282409668,24.9991645812988],[-4.80611133575439,25.0002746582031],[1.17080330848694,21.1008529663086],[1.17638874053955,20.7337493896484],[1.62749981880188,20.5711097717285],[1.78972208499908,20.3129138946533],[2.20361089706421,20.2830543518066],[2.42166662216187,20.0530548095703],[3.23305511474609,19.8171501159668],[3.27805542945862,19.4058303833008],[3.11701345443726,19.1455516815186],[3.33194398880005,18.9763870239258],[4.24527740478516,19.1466636657715],[4.20083332061768,16.3938865661621],[3.88499975204468,15.7091655731201],[3.51810121536255,15.3599090576172],[1.31249976158142,15.2866649627686],[0.974722146987915,14.9786109924316],[0.235048443078995,14.9150676727295],[-0.725277781486511,15.0827770233154],[-1.07416677474976,14.7769432067871],[-1.98083353042603,14.4747219085693],[-2.00694465637207,14.1877765655518],[-2.46513915061951,14.2861099243164],[-2.81555557250977,14.0502777099609],[-2.8822226524353,13.6643037796021],[-3.25750017166138,13.6966648101807],[-3.23222255706787,13.2880554199219],[-3.43767547607422,13.1664981842041],[-3.96425294876099,13.5038299560547],[-4.33555603027344,13.1195125579834],[-4.19444465637207,12.8286094665527],[-4.4688892364502,12.7238883972168],[-4.41750049591064,12.3008308410645],[-4.63342666625977,12.0672225952148],[-5.27305603027344,11.8438873291016],[-5.20861148834229,11.4616661071777],[-5.29944515228271,11.1394443511963],[-5.48562526702881,11.0772905349731],[-5.51984977722168,10.4362716674805],[-6.11138916015625,10.1977767944336],[-6.2434024810791,10.7352561950684],[-6.42190980911255,10.5516653060913],[-6.64560031890869,10.6639928817749],[-6.65083360671997,10.3609714508057],[-6.940833568573,10.3537483215332],[-6.98805618286133,10.1474990844727],[-7.6379861831665,10.446665763855],[-7.97398376464844,10.1656112670898],[-7.97645854949951,10.328818321228],[-8.27000141143799,10.5024995803833],[-8.28972244262695,11.007776260376],[-8.67152786254883,10.9589223861694],[-8.3628454208374,11.3751220703125],[-8.83166694641113,11.6616649627686],[-8.77972412109375,11.9258327484131],[-8.98000335693359,12.3927764892578],[-9.35986137390137,12.488471031189],[-9.31847286224365,12.2680530548096],[-9.70194625854492,12.0291633605957],[-10.3270864486694,12.2235383987427],[-10.6527481079102,11.8926086425781],[-10.9288902282715,12.2244415283203],[-11.3195838928223,12.0256900787354],[-11.4941673278809,12.1763858795166],[-11.3730583190918,12.4077739715576]],"Mali"], ["Country","MT0",[[14.3648977279663,35.9918060302734],[14.5697116851807,35.8692092895508],[14.5200891494751,35.8011016845703],[14.3371677398682,35.8828315734863],[14.3648977279663,35.9918060302734]],"Malta"], ["Country","RM0",[[168.672286987305,7.33015489578247],[168.767684936523,7.29889154434204],[168.786529541016,7.28947257995605],[168.767486572266,7.2896728515625],[168.671493530273,7.32073593139648],[168.672286987305,7.33015489578247]],"Marshall Is."], ["Country","MB0",[[-60.86083984375,14.4027767181396],[-61.0338897705078,14.4658317565918],[-61.1747283935547,14.8769435882568],[-60.9408340454102,14.7408332824707],[-60.86083984375,14.4027767181396]],"Martinique"], ["Country","MR0",[[-8.66679000854492,27.2904586791992],[-4.80611133575439,25.0002746582031],[-6.57722282409668,24.9991645812988],[-5.60138893127441,16.5077743530273],[-5.33500003814697,16.328052520752],[-5.49505043029785,15.4983711242676],[-9.3336124420166,15.4997215270996],[-9.33805656433105,15.7047214508057],[-9.40972328186035,15.4443044662476],[-10.7163867950439,15.4389019012451],[-10.8965606689453,15.1103649139404],[-11.4986114501953,15.6418037414551],[-11.7116680145264,15.5449981689453],[-11.8413906097412,14.8630542755127],[-12.2448329925537,14.7643852233887],[-12.849723815918,15.2080545425415],[-13.3954172134399,16.0554161071777],[-13.8161125183105,16.135274887085],[-14.3436107635498,16.6361103057861],[-16.2852783203125,16.5170822143555],[-16.5276794433594,16.0602493286133],[-16.0394477844238,17.7345809936523],[-16.1791687011719,18.9130554199219],[-16.5116691589355,19.3522186279297],[-16.3094482421875,19.4674987792969],[-16.4688911437988,19.4486083984375],[-16.2330570220947,19.793888092041],[-16.1968078613281,20.2261085510254],[-16.9236812591553,21.1584701538086],[-17.0523300170898,20.7640953063965],[-16.9537506103516,21.3366661071777],[-12.9997234344482,21.3380546569824],[-13.1052780151367,22.8930549621582],[-12.5713901519775,23.2913856506348],[-12.0002784729004,23.4544410705566],[-12.0005569458008,26],[-8.66694450378418,26.0002746582031],[-8.66679000854492,27.2904586791992]],"Mauritania"], ["Country","MP0",[[57.5294418334961,-20.5205574035645],[57.3070831298828,-20.4340305328369],[57.6244430541992,-19.9863891601562],[57.7895812988281,-20.2859745025635],[57.5294418334961,-20.5205574035645]],"Mauritius"], ["Country","MF0",[[45.1363830566406,-12.9925003051758],[45.0788879394531,-12.6625003814697],[45.2297172546387,-12.7548627853394],[45.1363830566406,-12.9925003051758]],"Mayotte"], ["Country","MX0",[[-113.139717102051,29.0177764892578],[-113.592216491699,29.4258308410645],[-113.58243560791,29.5859699249268],[-113.139717102051,29.0177764892578]],"Mexico"], ["Country","MX1",[[-112.296401977539,28.7563858032227],[-112.563621520996,28.8811092376709],[-112.45694732666,29.186107635498],[-112.290008544922,29.2374992370605],[-112.296401977539,28.7563858032227]],"Mexico"], ["Country","MX2",[[-115.179458618164,28.0247192382812],[-115.324317932129,28.139720916748],[-115.240837097168,28.3705520629883],[-115.179458618164,28.0247192382812]],"Mexico"], ["Country","MX3",[[-86.9933471679688,20.2555541992188],[-86.9355697631836,20.5430545806885],[-86.7386169433594,20.5889549255371],[-86.9933471679688,20.2555541992188]],"Mexico"], ["Country","MX4",[[-97.140739440918,25.9664287567139],[-97.6516723632812,24.5202751159668],[-97.7413940429688,22.9058303833008],[-97.8882675170898,22.5988178253174],[-97.6979217529297,21.9747219085693],[-97.3150100708008,21.5565242767334],[-97.4134750366211,21.2717342376709],[-97.372917175293,21.5435390472412],[-97.7422332763672,22.0124969482422],[-97.1753540039062,20.6839561462402],[-96.444450378418,19.8549976348877],[-96.2952880859375,19.3411083221436],[-95.9113922119141,18.8252754211426],[-95.1822280883789,18.7018032073975],[-94.4691772460938,18.1462478637695],[-93.5870895385742,18.42138671875],[-93.1298675537109,18.3395805358887],[-92.0041732788086,18.7262477874756],[-91.8586196899414,18.6156940460205],[-92.0419540405273,18.5599975585938],[-91.8131256103516,18.3826370239258],[-91.4957046508789,18.4355545043945],[-91.1861877441406,18.6500682830811],[-91.4286117553711,18.8517742156982],[-90.7538909912109,19.3202743530273],[-90.6766738891602,19.7683296203613],[-90.4552764892578,19.9759712219238],[-90.332649230957,21.0274982452393],[-88.4514007568359,21.5688858032227],[-87.2491760253906,21.4413871765137],[-87.1338272094727,21.5572204589844],[-87.410774230957,21.5286102294922],[-87.07861328125,21.6061096191406],[-86.8155670166016,21.4086074829102],[-86.7752838134766,21.1526374816895],[-87.4255599975586,20.2227764129639],[-87.4690551757812,19.8490238189697],[-87.7366027832031,19.6775684356689],[-87.65771484375,19.5055522918701],[-87.412223815918,19.5816650390625],[-87.6769485473633,19.314998626709],[-87.4886169433594,19.2913856506348],[-87.7623672485352,18.4086093902588],[-87.8475036621094,18.1908302307129],[-88.0733337402344,18.4936103820801],[-88.0397262573242,18.8681926727295],[-88.2994995117188,18.4829292297363],[-88.4737930297852,18.4837131500244],[-88.8414001464844,17.9038887023926],[-89.0720520019531,17.9949760437012],[-89.1419525146484,17.8188858032227],[-90.982421875,17.8206520080566],[-90.9839019775391,17.2561073303223],[-91.4339981079102,17.2372188568115],[-90.4064025878906,16.4163856506348],[-90.4419555664062,16.0883331298828],[-91.7291717529297,16.0749969482422],[-92.2113952636719,15.2622203826904],[-92.070686340332,15.0772905349731],[-92.2467803955078,14.5505466461182],[-92.7704925537109,15.1715965270996],[-93.9386138916016,16.0938873291016],[-94.4002914428711,16.2955532073975],[-94.0650482177734,16.0414962768555],[-94.6912536621094,16.1906909942627],[-94.5788269042969,16.31520652771],[-94.7915344238281,16.260066986084],[-94.8591766357422,16.4270820617676],[-95.0626754760742,16.2721157073975],[-94.8577880859375,16.2158317565918],[-96.4761199951172,15.6436100006104],[-97.7927856445312,15.9720830917358],[-98.7822265625,16.5530548095703],[-99.6859817504883,16.7069435119629],[-100.910003662109,17.2174987792969],[-101.952789306641,17.9784698486328],[-102.170288085938,17.9183311462402],[-103.357513427734,18.272777557373],[-103.971946716309,18.8772201538086],[-105.022506713867,19.3719444274902],[-105.678337097168,20.3830547332764],[-105.244728088379,20.574649810791],[-105.321807861328,20.7654838562012],[-105.536186218262,20.7925682067871],[-105.241386413574,21.0647201538086],[-105.189453125,21.4374961853027],[-105.650276184082,21.9812488555908],[-105.820426940918,22.6640243530273],[-106.91569519043,23.8651371002197],[-107.727729797363,24.4711265563965],[-107.618034362793,24.517204284668],[-107.995491027832,24.6490955352783],[-107.990005493164,24.9595108032227],[-108.10417175293,24.8219413757324],[-108.221260070801,25.0294418334961],[-108.042510986328,25.0736083984375],[-108.394180297852,25.1411094665527],[-108.765289306641,25.5393028259277],[-109.108901977539,25.5261077880859],[-108.834930419922,25.793607711792],[-109.141044616699,25.5830535888672],[-109.4375,25.8202743530273],[-109.231666564941,26.3194427490234],[-109.103897094727,26.2836074829102],[-109.444313049316,26.7155532836914],[-109.753890991211,26.6961097717285],[-109.949043273926,27.093469619751],[-110.529716491699,27.3711090087891],[-110.634590148926,27.6623592376709],[-110.511360168457,27.8549976348877],[-111.103340148926,27.9369430541992],[-112.161949157715,28.9713878631592],[-112.213478088379,29.3061084747314],[-113.081390380859,30.6988868713379],[-113.091674804688,31.2297191619873],[-113.589736938477,31.3316650390625],[-113.97469329834,31.6556930541992],[-114.020843505859,31.4976367950439],[-114.217506408691,31.5222206115723],[-115.017242431641,31.9544296264648],[-114.786666870117,31.6641654968262],[-114.880699157715,31.1516647338867],[-114.706390380859,30.9274978637695],[-114.545288085938,30.0011100769043],[-113.667922973633,29.2841644287109],[-113.508750915527,28.8962478637695],[-113.194931030273,28.8138160705566],[-113.115905761719,28.4864559173584],[-112.86319732666,28.4185047149658],[-112.753059387207,27.8374977111816],[-112.346672058105,27.5413856506348],[-111.858612060547,26.6619415283203],[-111.687507629395,26.6005878448486],[-111.844993591309,26.9020805358887],[-111.561882019043,26.7196502685547],[-111.299728393555,25.7802772521973],[-110.686256408691,24.8963871002197],[-110.657508850098,24.3338871002197],[-110.35417175293,24.1158332824707],[-110.210006713867,24.3481941223145],[-109.407501220703,23.4612483978271],[-109.485145568848,23.1594409942627],[-109.955284118652,22.8644428253174],[-110.311187744141,23.5606918334961],[-112.087509155273,24.7561073303223],[-112.100143432617,25.7280540466309],[-112.378341674805,26.254997253418],[-113.21501159668,26.703332901001],[-113.130981445312,26.959997177124],[-113.275253295898,26.7813587188721],[-113.598823547363,26.7395820617676],[-114.988891601562,27.7211074829102],[-115.020568847656,27.8466644287109],[-113.985008239746,27.7008323669434],[-114.307640075684,27.8659248352051],[-114.128555297852,28.0236587524414],[-114.061317443848,28.5175685882568],[-114.945983886719,29.3738880157471],[-115.696670532227,29.7742328643799],[-116.055488586426,30.7965240478516],[-116.675628662109,31.5607604980469],[-116.608131408691,31.8445110321045],[-116.843200683594,31.9908313751221],[-117.122375488281,32.5353317260742],[-114.719093322754,32.7184562683105],[-114.795227050781,32.5004959106445],[-111.045837402344,31.3330535888672],[-108.208343505859,31.3330535888672],[-108.208618164062,31.783332824707],[-106.395843505859,31.7474975585938],[-106.209869384766,31.4722213745117],[-104.896530151367,30.5662479400635],[-104.541816711426,29.6729145050049],[-103.375,29.023609161377],[-103.163688659668,28.9840259552002],[-102.670288085938,29.7427749633789],[-102.301811218262,29.8879833221436],[-101.405014038086,29.772777557373],[-100.665840148926,29.1090259552002],[-100.281463623047,28.2805519104004],[-99.5038986206055,27.5680522918701],[-99.4586181640625,27.0469436645508],[-99.104736328125,26.4349975585938],[-97.4172286987305,25.8433303833008],[-97.140739440918,25.9664287567139]],"Mexico"], ["Country","FM0",[[158.227752685547,6.78055477142334],[158.182327270508,6.97763776779175],[158.335098266602,6.87472057342529],[158.227752685547,6.78055477142334]],"Micronesia"], ["Country","MQ0",[[-177.373748779297,28.2215881347656],[-177.364562988281,28.2040691375732],[-177.395812988281,28.1874980926514],[-177.373748779297,28.2215881347656]],"Midway Is."], ["Country","MD0",[[28.2148399353027,45.4486465454102],[28.0691604614258,45.5833206176758],[28.2468013763428,46.6078033447266],[28.0793724060059,46.9822769165039],[27.2994384765625,47.6585998535156],[27.0005531311035,48.1555480957031],[26.6349945068359,48.2571640014648],[27.7631931304932,48.449577331543],[29.1448554992676,47.9835205078125],[29.1900978088379,47.4395332336426],[29.567008972168,47.3376998901367],[29.5742321014404,46.9474182128906],[29.944299697876,46.8182563781738],[29.8994369506836,46.5351982116699],[30.1287117004395,46.4050903320312],[28.9944343566895,46.4783248901367],[28.9682559967041,46.006103515625],[28.5244407653809,45.7110977172852],[28.5158290863037,45.5149192810059],[28.2148399353027,45.4486465454102]],"Moldova"], ["Country","MN0",[[7.43929290771484,43.7575225830078],[7.39160919189453,43.7275466918945],[7.40279817581177,43.7588195800781],[7.43929290771484,43.7575225830078]],"Monaco"], ["Country","MG0",[[87.8406982421875,49.1729507446289],[88.1566467285156,49.2688827514648],[88.2208251953125,49.4616622924805],[89.188591003418,49.509578704834],[89.2233200073242,49.6369400024414],[89.7220001220703,49.7224197387695],[89.6730346679688,49.9247131347656],[92.3227691650391,50.8149948120117],[92.6699829101562,50.6813850402832],[92.9677658081055,50.7930526733398],[93.1127624511719,50.5960998535156],[94.2837371826172,50.5648574829102],[94.6290130615234,50.027214050293],[95.5241546630859,49.8953399658203],[96.1066436767578,50.0019378662109],[97.3484573364258,49.7365188598633],[98.1017913818359,50.0456886291504],[98.2932434082031,50.3028373718262],[98.3183212280273,50.5270767211914],[98.0655364990234,50.6286010742188],[97.8305511474609,50.9992980957031],[98.0580825805664,51.4627494812012],[98.7080383300781,51.8280487060547],[98.9259567260742,52.1427726745605],[99.9469299316406,51.7513885498047],[102.223587036133,51.3265914916992],[102.332206726074,50.5658264160156],[103.316650390625,50.1994361877441],[104.093040466309,50.1486663818359],[105.335540771484,50.4836044311523],[106.663040161133,50.3386001586914],[107.176094055176,50.0269393920898],[107.984428405762,49.9289398193359],[107.948585510254,49.6822128295898],[108.65104675293,49.3317337036133],[110.788589477539,49.1494369506836],[112.831382751465,49.5183258056641],[114.322479248047,50.2843017578125],[114.854156494141,50.2283248901367],[115.414703369141,49.8983306884766],[116.24609375,50.0274887084961],[116.711380004883,49.8304672241211],[115.811096191406,48.5205459594727],[115.835823059082,48.2524948120117],[115.549072265625,48.1435317993164],[115.59440612793,47.9174919128418],[115.923118591309,47.6918640136719],[116.262359619141,47.8781852722168],[116.874687194824,47.8880462646484],[117.382675170898,47.657413482666],[117.804557800293,48.0112457275391],[118.539337158203,47.9947509765625],[119.124969482422,47.6649856567383],[119.922492980957,46.902214050293],[119.931510925293,46.7151298522949],[119.706787109375,46.598949432373],[118.31470489502,46.7363815307617],[117.845542907715,46.5364532470703],[117.424980163574,46.5706901550293],[117.375526428223,46.4188842773438],[116.585540771484,46.2958297729492],[116.210403442383,45.7219314575195],[115.701927185059,45.4586029052734],[114.545257568359,45.3894348144531],[113.638046264648,44.7452697753906],[112.853042602539,44.8460998535156],[112.427200317383,45.0805511474609],[111.873031616211,45.0494384765625],[111.421371459961,44.3752708435059],[111.95832824707,43.6922149658203],[110.989700317383,43.3169403076172],[110.106369018555,42.6457595825195],[109.310668945312,42.4299926757812],[107.475814819336,42.4662437438965],[105.006507873535,41.5866584777832],[104.523735046387,41.6706848144531],[104.526657104492,41.8772125244141],[103.416381835938,41.8872146606445],[102.077209472656,42.2333297729492],[101.814697265625,42.5097198486328],[100.842483520508,42.677074432373],[99.510124206543,42.5719413757324],[97.165397644043,42.795825958252],[96.3820648193359,42.734992980957],[95.8790054321289,43.2838821411133],[95.5333862304688,43.9931144714355],[95.3410949707031,44.0193672180176],[95.4106063842773,44.2941627502441],[94.7173461914062,44.3549919128418],[93.5547027587891,44.9572143554688],[91.5608825683594,45.0772857666016],[90.8969421386719,45.2530517578125],[90.6819305419922,45.579719543457],[91.0265121459961,46.0173530578613],[90.9215087890625,46.2969398498535],[91.0702667236328,46.5773544311523],[90.9135971069336,46.9522132873535],[90.0709609985352,47.8879089355469],[89.0851364135742,47.9937400817871],[88.6117858886719,48.2119331359863],[88.5167922973633,48.4058227539062],[87.9919357299805,48.5654106140137],[88.0594177246094,48.734992980957],[87.761100769043,48.8810348510742],[87.8929061889648,48.9830436706543],[87.8406982421875,49.1729507446289]],"Mongolia"], ["Country","MW0",[[20.0714225769043,42.5609130859375],[19.8224983215332,42.4719390869141],[19.6515254974365,42.6231880187988],[19.2885398864746,42.1829109191895],[19.3677711486816,41.8489990234375],[18.577220916748,42.3872146606445],[18.6786098480225,42.4605522155762],[18.5031967163086,42.4494400024414],[18.4555549621582,42.5658264160156],[18.5763854980469,42.6630554199219],[18.4817333221436,42.9661750793457],[18.7027759552002,43.2571487426758],[18.9155712127686,43.3577690124512],[19.0595741271973,43.2359466552734],[18.949857711792,43.5060348510742],[19.2288093566895,43.5132141113281],[20.3461093902588,42.888744354248],[19.9855537414551,42.7276344299316],[20.0714225769043,42.5609130859375]],"Montenegro"], ["Country","MH0",[[-62.2043571472168,16.8115463256836],[-62.138614654541,16.6904220581055],[-62.1714859008789,16.6711273193359],[-62.236873626709,16.7147178649902],[-62.2043571472168,16.8115463256836]],"Montserrat"], ["Country","MO0",[[-2.94694471359253,35.3291625976562],[-2.9629909992218,35.2811698913574],[-2.91472244262695,35.2736053466797],[-2.83486127853394,35.1251335144043],[-2.88368082046509,35.2345771789551],[-2.20944452285767,35.0858306884766],[-1.75760424137115,34.7546463012695],[-1.85496532917023,34.6143684387207],[-1.69258046150208,34.4890823364258],[-1.79333353042603,34.3783264160156],[-1.65444445610046,34.083610534668],[-1.66666686534882,33.2588844299316],[-1.38277792930603,32.7244415283203],[-1.01180565357208,32.5055503845215],[-1.25041675567627,32.3234710693359],[-1.18055558204651,32.1122169494629],[-2.8594446182251,32.0865249633789],[-2.99944448471069,31.8333320617676],[-3.81347250938416,31.6980533599854],[-3.8238890171051,31.1615943908691],[-3.60013914108276,31.0908317565918],[-3.62222242355347,30.9736099243164],[-4.91513919830322,30.509859085083],[-5.53069496154785,29.905969619751],[-6.40027809143066,29.804443359375],[-6.58340311050415,29.5683307647705],[-7.12625026702881,29.6358318328857],[-8.66722297668457,28.7094421386719],[-8.66666793823242,27.6666641235352],[-13.1749610900879,27.6669578552246],[-12.9025001525879,27.9541664123535],[-11.5119457244873,28.303747177124],[-10.228196144104,29.3179149627686],[-9.64097309112549,30.1649971008301],[-9.60840320587158,30.4024982452393],[-9.85388946533203,30.7269439697266],[-9.80916786193848,31.446662902832],[-9.27777862548828,32.1836090087891],[-9.27934074401855,32.5439529418945],[-8.53833389282227,33.2505493164062],[-6.84305572509766,34.0186080932617],[-5.91874408721924,35.7906494140625],[-5.39555740356445,35.9163360595703],[-5.34583377838135,35.8416595458984],[-5.24895858764648,35.5743713378906],[-4.69583415985107,35.2088851928711],[-3.33625030517578,35.1913833618164],[-2.94694471359253,35.3291625976562]],"Morocco"], ["Country","MZ0",[[32.1333999633789,-26.8396263122559],[31.9685096740723,-25.9578399658203],[32.0161056518555,-24.4594459533691],[31.5508308410645,-23.4766693115234],[31.2975044250488,-22.4147644042969],[32.4888763427734,-21.3444480895996],[32.3605537414551,-21.1355571746826],[32.5022201538086,-20.5986137390137],[32.6658325195312,-20.5572242736816],[33.0188827514648,-19.9433364868164],[33.059440612793,-19.7802810668945],[32.7854118347168,-19.4670848846436],[32.8848571777344,-19.1052799224854],[32.6994400024414,-18.9479179382324],[33.0715942382812,-18.349723815918],[32.9461059570312,-17.9750022888184],[33.0420303344727,-17.3564834594727],[32.8649978637695,-16.9186134338379],[32.9811401367188,-16.7090530395508],[31.9111785888672,-16.4127101898193],[31.2766647338867,-16.018611907959],[30.4223594665527,-16.0055561065674],[30.4157562255859,-15.631872177124],[30.2130165100098,-14.9817161560059],[33.2222290039062,-14.012565612793],[33.6333312988281,-14.539722442627],[34.3637466430664,-14.3859739303589],[34.522216796875,-14.5716667175293],[34.5897216796875,-15.2827777862549],[34.2544403076172,-15.8888893127441],[34.4506912231445,-16.2806968688965],[35.145133972168,-16.8361129760742],[35.0877723693848,-17.1270847320557],[35.2900543212891,-17.1342658996582],[35.1386184692383,-16.5497436523438],[35.4116592407227,-16.1262531280518],[35.8159675598145,-16.0136127471924],[35.9209671020508,-14.8938903808594],[35.0952758789062,-13.6861114501953],[34.5656890869141,-13.3395843505859],[34.3752746582031,-12.155834197998],[34.6248550415039,-11.5793762207031],[34.9667282104492,-11.5721111297607],[35.5733299255371,-11.607084274292],[35.8284683227539,-11.4168758392334],[36.1876373291016,-11.7054176330566],[36.5574264526367,-11.7404174804688],[36.8269424438477,-11.5721883773804],[37.4732131958008,-11.7187080383301],[37.7919387817383,-11.5611114501953],[37.934440612793,-11.2880573272705],[38.4917068481445,-11.4153118133545],[38.905689239502,-11.1701393127441],[39.2624969482422,-11.1694440841675],[40.4368133544922,-10.4781742095947],[40.6172180175781,-10.8416681289673],[40.3877716064453,-11.3177795410156],[40.4741592407227,-12.5049314498901],[40.6459693908691,-12.7554168701172],[40.4127731323242,-12.9692363739014],[40.5929107666016,-12.9706945419312],[40.649715423584,-14.0216674804688],[40.532772064209,-14.1675004959106],[40.7227745056152,-14.2020845413208],[40.6361083984375,-14.4847240447998],[40.8063850402832,-14.4059724807739],[40.8461074829102,-14.6977787017822],[40.5144424438477,-15.1838903427124],[40.6842994689941,-15.254861831665],[40.587776184082,-15.4797229766846],[39.6986083984375,-16.5369453430176],[39.0961799621582,-16.9843769073486],[37.8722152709961,-17.376392364502],[36.98388671875,-18.001392364502],[36.8463859558105,-17.8755569458008],[36.9438858032227,-18.1086120605469],[36.2527770996094,-18.8913917541504],[36.1001358032227,-18.8130569458008],[34.8906898498535,-19.8604183197021],[34.6268005371094,-19.6186122894287],[34.7761039733887,-19.8259048461914],[34.6669387817383,-20.3911819458008],[35.1118011474609,-20.9333000183105],[35.3067321777344,-22.4075012207031],[35.397216796875,-22.4600028991699],[35.4458274841309,-22.1202793121338],[35.5452728271484,-22.2325019836426],[35.5972671508789,-22.9196720123291],[35.3383331298828,-23.905834197998],[35.5229110717773,-23.7954883575439],[35.4955520629883,-24.102222442627],[35.0122146606445,-24.654167175293],[32.811107635498,-25.6120853424072],[32.5871505737305,-25.97243309021],[32.843189239502,-26.2911128997803],[32.9456214904785,-26.0877094268799],[32.8904266357422,-26.8471450805664],[32.1333999633789,-26.8396263122559]],"Mozambique"], ["Country","MZ1",[[34.7203903198242,-12.0392608642578],[34.716121673584,-12.0920686721802],[34.7518615722656,-12.0392608642578],[34.7203903198242,-12.0392608642578]],"Mozambique"], ["Country","MZ2",[[34.6179733276367,-12.0387277603149],[34.6281089782715,-12.0307264328003],[34.6174392700195,-12.0088558197021],[34.6179733276367,-12.0387277603149]],"Mozambique"], ["Country","BM0",[[98.3123168945312,12.3684825897217],[98.3219299316406,12.6711101531982],[98.4677581787109,12.5],[98.3123168945312,12.3684825897217]],"Myanmar"], ["Country","BM1",[[98.4133148193359,11.6108722686768],[98.3702545166016,11.783748626709],[98.5416488647461,11.7984704971313],[98.546028137207,11.6097888946533],[98.4133148193359,11.6108722686768]],"Myanmar"], ["Country","BM2",[[93.9431915283203,19.3803653717041],[93.96728515625,19.3693542480469],[93.9225006103516,19.3430080413818],[93.8082656860352,19.2758007049561],[93.7973403930664,19.2693710327148],[93.7897491455078,19.2821025848389],[93.6516494750977,19.5136089324951],[93.9431915283203,19.3803653717041]],"Myanmar"], ["Country","BM3",[[93.7841644287109,19.2315330505371],[93.8912048339844,19.2135906219482],[93.9191436767578,18.8644409179688],[93.4833221435547,19.3863830566406],[93.7841644287109,19.2315330505371]],"Myanmar"], ["Country","BM4",[[93.6380767822266,18.8871803283691],[93.7058258056641,18.6690235137939],[93.4894256591797,18.8524971008301],[93.6380767822266,18.8871803283691]],"Myanmar"], ["Country","BM5",[[92.6008148193359,21.9822158813477],[92.7063293457031,22.1545085906982],[92.9244232177734,22.004997253418],[93.1978912353516,22.2647190093994],[93.0927581787109,22.7144393920898],[93.1395721435547,23.0470809936523],[93.3054656982422,23.0176372528076],[93.3878326416016,23.2314529418945],[93.337516784668,24.0718364715576],[94.1477661132812,23.8515243530273],[94.7351837158203,25.0320110321045],[94.5784683227539,25.2091617584229],[94.6285934448242,25.4018707275391],[95.1649856567383,26.0368041992188],[95.1449813842773,26.6161766052246],[96.1912231445312,27.2698593139648],[96.7258911132812,27.3656902313232],[97.1354064941406,27.0872173309326],[96.8863830566406,27.5998573303223],[97.3610992431641,27.9408302307129],[97.348876953125,28.222770690918],[97.5588684082031,28.5465240478516],[98.1449890136719,28.1488857269287],[98.3199157714844,27.5401363372803],[98.4588775634766,27.6724967956543],[98.6969909667969,27.5297183990479],[98.7777709960938,26.7916641235352],[98.7310943603516,26.1847190856934],[98.5694427490234,26.1252727508545],[98.7103958129883,25.8559684753418],[98.3613739013672,25.5694427490234],[98.1910858154297,25.6152725219727],[97.5525512695312,24.7399234771729],[97.5430450439453,24.4766616821289],[97.7593002319336,24.2605514526367],[97.5476226806641,23.9299945831299],[98.8907318115234,24.1600685119629],[98.6799087524414,23.9707584381104],[98.9274749755859,23.1891632080078],[99.5112991333008,23.0820426940918],[99.5648422241211,22.9365921020508],[99.1678466796875,22.1559162139893],[99.957405090332,22.050178527832],[99.9776306152344,21.725549697876],[100.205680847168,21.4354610443115],[100.639709472656,21.4769401550293],[101.099006652832,21.7690258026123],[101.148239135742,21.5726356506348],[100.727210998535,21.3078136444092],[100.520683288574,20.951940536499],[100.640548706055,20.8617324829102],[100.258743286133,20.7490234375],[100.091369628906,20.3486061096191],[99.9626235961914,20.4545783996582],[99.5284576416016,20.3501358032227],[99.4520721435547,20.0969409942627],[99.0790863037109,20.0984687805176],[99.0004730224609,19.7844409942627],[98.2422027587891,19.6899948120117],[98.0493545532227,19.8047885894775],[97.6798324584961,18.9321479797363],[97.7756805419922,18.5723571777344],[97.3472747802734,18.5422191619873],[97.6433563232422,18.2804832458496],[97.7783203125,17.7033271789551],[98.5111083984375,16.941104888916],[98.6912231445312,16.283052444458],[98.9211959838867,16.3953418731689],[98.8577651977539,16.1410369873047],[98.6316528320312,16.0461082458496],[98.5817947387695,15.3579139709473],[98.2054748535156,15.2267780303955],[98.2010955810547,15.0749988555908],[98.3254089355469,14.7149972915649],[99.1739654541016,13.7277812957764],[99.1124114990234,13.0611095428467],[99.6573486328125,11.8264560699463],[98.7849807739258,10.6774978637695],[98.7427520751953,10.3486080169678],[98.5261001586914,10.013053894043],[98.4607467651367,10.7287473678589],[98.7094268798828,10.9162473678589],[98.747200012207,11.674859046936],[98.8837280273438,11.6972198486328],[98.5984573364258,11.749303817749],[98.7208251953125,12.0138874053955],[98.7058715820312,12.2244653701782],[98.5337295532227,12.2546405792236],[98.7035903930664,12.3400459289551],[98.5803375244141,13.1783313751221],[98.1862335205078,14.0549974441528],[98.1406860351562,13.5381927490234],[98.0872116088867,14.1798601150513],[97.7972564697266,14.8819618225098],[97.7245712280273,15.8466644287109],[97.569709777832,16.0652046203613],[97.7372894287109,16.5607643127441],[97.3780364990234,16.4949951171875],[96.8780364990234,17.4499969482422],[96.7777709960938,16.7038841247559],[96.3774795532227,16.502498626709],[96.2419281005859,16.8037338256836],[96.2683258056641,16.3897171020508],[96.0068054199219,16.3830680847168],[95.4285888671875,15.7297191619873],[95.2780456542969,15.7899980545044],[95.3606033325195,16.1414527893066],[95.2175598144531,15.7863168716431],[95.13720703125,16.1372184753418],[95.0406112670898,15.808331489563],[94.8481826782227,15.782151222229],[94.9885177612305,16.2361755371094],[94.6570739746094,15.8508310317993],[94.7916564941406,16.1486625671387],[94.5637359619141,15.93860912323],[94.6131896972656,16.1884784698486],[94.6427688598633,16.3379135131836],[94.2509613037109,15.9588861465454],[94.2327651977539,16.350830078125],[94.6123428344727,17.5474262237549],[94.2385864257812,18.7377738952637],[94.0383911132812,18.8470783233643],[94.0512924194336,19.221565246582],[93.8743057250977,19.255973815918],[93.9784469604492,19.3614673614502],[93.985710144043,19.457145690918],[93.6004028320312,19.717493057251],[93.7243576049805,19.9324264526367],[93.1378707885742,20.0657253265381],[93.2429656982422,19.8318023681641],[93.13818359375,19.9763565063477],[93.1266403198242,19.8393020629883],[92.9819259643555,20.07444190979],[93.1091537475586,20.1712455749512],[92.9894256591797,20.2061042785645],[93.0820770263672,20.5391979217529],[92.8676834106445,20.1195106506348],[92.7960968017578,20.4899940490723],[92.6443252563477,20.6858291625977],[92.7117919921875,20.2759685516357],[92.2619323730469,21.0543098449707],[92.2608184814453,21.4144401550293],[92.6693420410156,21.2969818115234],[92.6008148193359,21.9822158813477]],"Myanmar"], ["Country","WA0",[[23.4761085510254,-17.6258354187012],[24.6638870239258,-17.4936141967773],[25.2644309997559,-17.8022499084473],[24.8327751159668,-17.8377094268799],[24.5663166046143,-18.0542373657227],[24.3630542755127,-17.9491672515869],[23.6132564544678,-18.4851608276367],[23.2971076965332,-17.9959487915039],[20.9932861328125,-18.318416595459],[20.991943359375,-21.9969482421875],[19.9966659545898,-22.0050010681152],[20.0009422302246,-24.7654075622559],[19.9969482421875,-28.4155864715576],[19.5674571990967,-28.5283317565918],[19.1458301544189,-28.9550018310547],[18.1813163757324,-28.9084720611572],[17.400899887085,-28.7084045410156],[17.3980522155762,-28.3422241210938],[17.0757617950439,-28.0303497314453],[16.4895896911621,-28.5781784057617],[15.7563877105713,-28.0341682434082],[15.2941665649414,-27.3225021362305],[14.837776184082,-25.7619476318359],[14.8566656112671,-25.0588893890381],[14.4626379013062,-24.1033363342285],[14.5113887786865,-22.5527801513672],[13.4038877487183,-20.8623638153076],[12.4608325958252,-18.9280586242676],[11.8072214126587,-18.0862522125244],[11.7527828216553,-17.2548332214355],[12.087776184082,-17.1365299224854],[12.5572204589844,-17.243335723877],[13.1491661071777,-16.9541702270508],[13.4720821380615,-17.010835647583],[13.9932193756104,-17.4239463806152],[18.4515380859375,-17.389835357666],[18.9194431304932,-17.8163890838623],[20.3213176727295,-17.8572235107422],[20.8541641235352,-18.0163917541504],[23.4761085510254,-17.6258354187012]],"Namibia"], ["Country","NR0",[[166.930587768555,-0.493374049663544],[166.957153320312,-0.514120876789093],[166.929244995117,-0.552181541919708],[166.90446472168,-0.532628774642944],[166.930587768555,-0.493374049663544]],"Nauru"], ["Country","NP0",[[81.0253601074219,30.2043533325195],[81.2322082519531,30.0119438171387],[81.4262313842773,30.3849964141846],[82.1112289428711,30.3344421386719],[82.1752548217773,30.0692329406738],[83.1910858154297,29.6316623687744],[83.5479049682617,29.1890239715576],[84.1165084838867,29.2609710693359],[84.4862289428711,28.7340221405029],[84.8466491699219,28.5444412231445],[85.195182800293,28.5910377502441],[85.110954284668,28.3066635131836],[85.7213745117188,28.2791633605957],[86.0054016113281,27.8862457275391],[86.1976928710938,28.1580505371094],[86.4513702392578,27.9088840484619],[86.6952667236328,28.1116619110107],[87.1927490234375,27.8230514526367],[88.1427917480469,27.8660545349121],[87.9949798583984,27.1122875213623],[88.191780090332,26.7259674072266],[88.0201950073242,26.3683643341064],[87.2697143554688,26.3752746582031],[87.0044403076172,26.5344429016113],[86.7333831787109,26.420202255249],[86.0329055786133,26.6631908416748],[85.8604736328125,26.5728435516357],[85.6307525634766,26.8659687042236],[85.3280487060547,26.7361068725586],[84.6552658081055,27.0403442382812],[84.6380462646484,27.3111095428467],[84.147216796875,27.5113868713379],[83.8583068847656,27.3522243499756],[83.4183197021484,27.472770690918],[83.3099746704102,27.3362464904785],[82.7665176391602,27.5034694671631],[82.7010955810547,27.7111053466797],[81.9010543823242,27.8549270629883],[81.2980346679688,28.1638832092285],[81.1888732910156,28.3691635131836],[80.0613708496094,28.829927444458],[80.3750076293945,29.7402038574219],[81.0253601074219,30.2043533325195]],"Nepal"], ["Country","NT0",[[-69.1468811035156,12.3827800750732],[-68.8803863525391,12.1833429336548],[-68.7462692260742,12.0396432876587],[-68.9700927734375,12.1171541213989],[-69.158203125,12.3122367858887],[-69.1468811035156,12.3827800750732]],"Netherlands Antilles"], ["Country","NL0",[[5.04958868026733,52.6415748596191],[5.02972173690796,52.6240921020508],[5.0780553817749,52.4161071777344],[4.58201360702515,52.4770812988281],[4.73881864547729,52.9566612243652],[5.09444379806519,52.9591636657715],[5.98166656494141,53.3988876342773],[6.74194431304932,53.4658279418945],[7.20836448669434,53.242805480957],[7.05347156524658,52.6495780944824],[6.68958282470703,52.5505523681641],[7.06298542022705,52.3909645080566],[7.05309391021729,52.2377624511719],[6.73638820648193,52.07666015625],[6.82895755767822,51.975757598877],[5.96361064910889,51.8066635131836],[6.22208261489868,51.467357635498],[6.09749984741211,51.131103515625],[5.86499929428101,51.0453414916992],[6.08083295822144,50.9147186279297],[6.01179790496826,50.7572708129883],[5.63881874084473,50.8488845825195],[5.84713220596313,51.153190612793],[5.23897361755371,51.2622833251953],[5.03847169876099,51.4869422912598],[4.25236797332764,51.3751449584961],[3.44423580169678,51.529369354248],[3.83499979972839,51.6066665649414],[4.28361082077026,51.4480514526367],[3.99784660339355,51.5901336669922],[4.2094349861145,51.6740913391113],[3.86798572540283,51.8121490478516],[4.57437133789062,52.4544715881348],[5.42249965667725,52.2490196228027],[5.87805461883545,52.5094375610352],[5.8535737991333,52.6059494018555],[5.60055494308472,52.6581916809082],[5.71835231781006,52.838020324707],[5.37079811096191,52.880199432373],[5.36986064910889,53.0704116821289],[5.10027694702148,52.9480514526367],[5.30319356918335,52.7048568725586],[5.04958868026733,52.6415748596191]],"Netherlands"], ["Country","NL1",[[5.05048942565918,52.6302261352539],[5.04903936386108,52.6367950439453],[5.06484746932983,52.634464263916],[5.4835410118103,52.5727729797363],[5.09333324432373,52.4361038208008],[5.05048942565918,52.6302261352539]],"Netherlands"], ["Country","NL2",[[5.6119441986084,52.3697204589844],[5.42222166061401,52.26416015625],[5.1366662979126,52.3815231323242],[5.64361095428467,52.6011047363281],[5.8034987449646,52.5494041442871],[5.86070013046265,52.5309066772461],[5.85042524337769,52.5242500305176],[5.6119441986084,52.3697204589844]],"Netherlands"], ["Country","NL3",[[3.37086582183838,51.3738555908203],[4.23889827728271,51.3504257202148],[3.89541625976562,51.2056884765625],[3.43986082077026,51.2447853088379],[3.37086582183838,51.3738555908203]],"Netherlands"], ["Country","NC0",[[165.443023681641,-21.0991668701172],[166.950942993164,-22.0936107635498],[166.998565673828,-22.3411102294922],[166.451904296875,-22.3166656494141],[166.116363525391,-21.9463882446289],[165.259979248047,-21.5580558776855],[164.385101318359,-20.7718086242676],[163.98274230957,-20.1105575561523],[165.223297119141,-20.7652778625488],[165.443023681641,-21.0991668701172]],"New Caledonia"], ["Country","NC1",[[167.362731933594,-21.1833305358887],[167.064971923828,-20.9972190856934],[167.189971923828,-20.810417175293],[167.051361083984,-20.7201366424561],[167.306213378906,-20.7222213745117],[167.277542114258,-20.8995838165283],[167.463577270508,-21.0573616027832],[167.362731933594,-21.1833305358887]],"New Caledonia"], ["Country","NC2",[[167.994689941406,-21.660831451416],[167.809692382812,-21.3838882446289],[168.095245361328,-21.4555549621582],[168.130508422852,-21.6161117553711],[167.994689941406,-21.660831451416]],"New Caledonia"], ["Country","NZ0",[[166.291931152344,-50.5683364868164],[166.141357421875,-50.6980514526367],[166.237869262695,-50.851806640625],[165.893035888672,-50.8476371765137],[166.108306884766,-50.5366668701172],[166.291931152344,-50.5683364868164]],"New Zealand"], ["Country","NZ1",[[174.781097412109,-39.8530578613281],[173.96662902832,-39.5434761047363],[173.751647949219,-39.2699966430664],[174.587738037109,-38.8288879394531],[174.724395751953,-38.1858291625977],[174.940246582031,-38.1011123657227],[174.793304443359,-37.8498649597168],[174.974975585938,-37.75],[174.848297119141,-37.7697219848633],[174.717468261719,-37.4250030517578],[174.84065246582,-37.2941703796387],[174.714279174805,-37.3629188537598],[174.550811767578,-37.0772247314453],[174.703857421875,-37.1977767944336],[174.887481689453,-37.0591659545898],[174.770263671875,-36.9366607666016],[174.500244140625,-37.034725189209],[174.187744140625,-36.4969482421875],[174.454696655273,-36.6479148864746],[174.420532226562,-36.3684730529785],[174.268585205078,-36.345832824707],[174.505249023438,-36.2313842773438],[174.109405517578,-36.1745910644531],[174.178314208984,-36.2797241210938],[174.080810546875,-36.4094390869141],[173.397201538086,-35.5706977844238],[173.655548095703,-35.3179168701172],[173.381774902344,-35.5247192382812],[173.103302001953,-35.2261047363281],[173.189422607422,-35.0127792358398],[172.722473144531,-34.4952774047852],[172.911926269531,-34.4147186279297],[173.26692199707,-35.0170860290527],[173.450805664062,-34.8077774047852],[173.471496582031,-34.9902801513672],[174.10107421875,-35.1211090087891],[174.009704589844,-35.2181930541992],[174.143585205078,-35.32861328125],[174.319976806641,-35.2327728271484],[174.602447509766,-35.8444442749023],[174.359680175781,-35.7234687805176],[174.348724365234,-35.8362503051758],[174.52262878418,-35.8469429016113],[174.781097412109,-36.2669448852539],[174.808319091797,-36.8052749633789],[175.579132080078,-37.2444458007812],[175.353851318359,-36.5250015258789],[175.540390014648,-36.5173606872559],[175.840789794922,-36.7541732788086],[175.708709716797,-36.8726348876953],[175.847320556641,-36.8429145812988],[175.889709472656,-37.2469444274902],[176.165603637695,-37.6210403442383],[175.955535888672,-37.521110534668],[175.994415283203,-37.6388931274414],[177.159423828125,-38.0133361816406],[177.473571777344,-37.9625015258789],[178.018005371094,-37.5508308410645],[178.5576171875,-37.6956901550293],[178.350524902344,-38.0047225952148],[178.298446655273,-38.5391693115234],[177.928863525391,-38.7222213745117],[177.909973144531,-39.256950378418],[177.628845214844,-39.0711135864258],[177.054962158203,-39.2044448852539],[176.898590087891,-39.4422187805176],[176.946624755859,-39.6644439697266],[177.117446899414,-39.6793060302734],[176.874114990234,-40.1213836669922],[175.739959716797,-41.3941688537598],[175.230804443359,-41.6208343505859],[175.188583374023,-41.4277801513672],[174.863571166992,-41.42236328125],[174.891235351562,-41.226245880127],[174.591918945312,-41.2786102294922],[175.112731933594,-40.7388916015625],[175.238006591797,-40.3297271728516],[175.071624755859,-40.003059387207],[174.781097412109,-39.8530578613281]],"New Zealand"], ["Country","NZ2",[[173.788024902344,-41.2905578613281],[174.07438659668,-41.1979484558105],[173.893585205078,-41.1927719116211],[174.032745361328,-40.9997253417969],[174.319549560547,-41.0019454956055],[174.258071899414,-41.12255859375],[174.026641845703,-41.2361145019531],[174.323852539062,-41.2215232849121],[174.045120239258,-41.4466667175293],[174.289154052734,-41.7483367919922],[173.285522460938,-42.9580535888672],[172.772216796875,-43.2197189331055],[172.775817871094,-43.6122207641602],[173.059692382812,-43.6530532836914],[173.111480712891,-43.8291664123535],[172.939971923828,-43.7561111450195],[172.8662109375,-43.9029159545898],[172.424987792969,-43.7336120605469],[171.538482666016,-44.1787757873535],[171.278594970703,-44.3699951171875],[171.185241699219,-44.9383316040039],[170.556640625,-45.8848609924316],[170.779708862305,-45.8805541992188],[170.342468261719,-45.9736099243164],[169.701904296875,-46.5580520629883],[169.133026123047,-46.6708374023438],[168.351409912109,-46.6031646728516],[168.371337890625,-46.4190254211426],[167.82829284668,-46.3965301513672],[167.546356201172,-46.154167175293],[166.721908569336,-46.2124977111816],[166.944625854492,-45.9492340087891],[166.614685058594,-46.0886116027832],[166.464691162109,-45.8394393920898],[166.97412109375,-45.7350006103516],[166.775817871094,-45.6627731323242],[167.041351318359,-45.5013961791992],[166.707458496094,-45.5769462585449],[166.821624755859,-45.320556640625],[167.205230712891,-45.4777755737305],[167.051086425781,-45.3333282470703],[167.304000854492,-45.3165283203125],[166.996917724609,-45.1458358764648],[167.316772460938,-44.8731918334961],[167.506195068359,-45.0001411437988],[167.450805664062,-44.7920875549316],[168.372329711914,-44.0405578613281],[169.660522460938,-43.6019439697266],[170.794128417969,-42.9013900756836],[171.151657104492,-42.560417175293],[171.510803222656,-41.7644500732422],[172.064971923828,-41.4036102294922],[172.113861083984,-40.879997253418],[172.630249023438,-40.5105590820312],[172.988220214844,-40.5310401916504],[172.656921386719,-40.6533279418945],[172.860656738281,-40.8530578613281],[173.013305664062,-40.7966690063477],[173.105529785156,-41.3133316040039],[173.79362487793,-41.015941619873],[173.949829101562,-41.0581932067871],[173.788024902344,-41.2905578613281]],"New Zealand"], ["Country","NZ3",[[-176.655059814453,-44.0119781494141],[-176.553649902344,-43.8458404541016],[-176.842514038086,-43.8030548095703],[-176.529968261719,-43.7817039489746],[-176.377227783203,-44.0561141967773],[-176.534149169922,-44.1260948181152],[-176.655059814453,-44.0119781494141]],"New Zealand"], ["Country","NZ4",[[168.011657714844,-46.7306060791016],[168.217742919922,-47.0725021362305],[167.522338867188,-47.2765274047852],[167.809127807617,-46.9200019836426],[167.772903442383,-46.7029190063477],[168.011657714844,-46.7306060791016]],"New Zealand"], ["Country","NU0",[[-85.6923828125,11.0760612487793],[-87.689826965332,12.9177074432373],[-87.5858383178711,13.050555229187],[-87.3013916015625,12.9865989685059],[-87.0227813720703,12.9881935119629],[-86.9025802612305,13.2486095428467],[-86.6960525512695,13.2988185882568],[-86.7585983276367,13.7540044784546],[-86.325569152832,13.7634706497192],[-86.0701446533203,14.0559711456299],[-85.7363891601562,13.8286094665527],[-85.1591262817383,14.3356561660767],[-84.9100112915039,14.8066663742065],[-84.4804916381836,14.6188182830811],[-83.48583984375,15.0061092376709],[-83.1318511962891,14.9929790496826],[-83.4191055297852,14.8094434738159],[-83.1869506835938,14.3238887786865],[-83.5511169433594,13.450553894043],[-83.4784851074219,12.4238882064819],[-83.6327133178711,12.4795818328857],[-83.5370941162109,12.7706937789917],[-83.6440353393555,12.7970123291016],[-83.6769561767578,12.0505542755127],[-83.8280944824219,11.8758316040039],[-83.6534423828125,11.6028108596802],[-83.8558349609375,11.2161102294922],[-83.6457977294922,10.9248466491699],[-83.9206314086914,10.7096872329712],[-84.6744537353516,11.0780544281006],[-84.9027862548828,10.9408321380615],[-85.5641784667969,11.2097206115723],[-85.6923828125,11.0760612487793]],"Nicaragua"], ["Country","NI0",[[2.71960592269897,6.36550521850586],[2.79208302497864,9.05041599273682],[3.09499979019165,9.09055519104004],[3.17138862609863,9.49638748168945],[3.61201357841492,9.9540958404541],[3.58194398880005,10.275276184082],[3.85499954223633,10.5849990844727],[3.73577356338501,11.1206340789795],[3.47499990463257,11.4297218322754],[3.60445880889893,11.6932735443115],[3.65777730941772,12.5288887023926],[4.10499954223633,12.9963865280151],[4.14277744293213,13.4734716415405],[4.88555526733398,13.7813873291016],[5.54836654663086,13.8914985656738],[6.28499984741211,13.6838865280151],[6.94222164154053,12.9968032836914],[7.8149995803833,13.3527765274048],[8.8186092376709,12.8966655731201],[9.63493156433105,12.8024349212646],[10.1415271759033,13.2561101913452],[10.7145824432373,13.3854160308838],[11.4633331298828,13.3733329772949],[12.4591655731201,13.0661106109619],[12.8761100769043,13.473331451416],[13.6251201629639,13.7183380126953],[14.0747203826904,13.0816650390625],[14.1744441986084,12.3966655731201],[14.6452770233154,12.1883316040039],[14.644513130188,11.572359085083],[13.8072204589844,11.0558319091797],[13.4543046951294,10.1587495803833],[13.2530546188354,10.0718050003052],[13.2418050765991,9.58499908447266],[12.897777557373,9.34805488586426],[12.7972211837769,8.77138805389404],[12.2505540847778,8.40097141265869],[12.042290687561,7.57736015319824],[11.7549638748169,7.26829814910889],[11.8641662597656,7.08472156524658],[11.3402767181396,6.44083309173584],[11.1278457641602,6.43791627883911],[11.0436096191406,6.75333309173584],[10.6203460693359,7.05708265304565],[10.5133323669434,6.87805461883545],[10.2306938171387,6.88124942779541],[10.1661100387573,7.02013826370239],[9.79555511474609,6.80166625976562],[9.7088451385498,6.52125072479248],[8.8644437789917,5.83756875991821],[8.82472038269043,5.18861103057861],[8.59173774719238,4.81093215942383],[8.47861099243164,4.70388793945312],[8.27472114562988,4.85666656494141],[8.29367923736572,4.54749965667725],[7.69527721405029,4.49749946594238],[7.53722143173218,4.53999948501587],[7.55040454864502,4.70655536651611],[7.27249908447266,4.55777740478516],[7.07430505752563,4.75305509567261],[7.17944383621216,4.50694370269775],[7.07305526733398,4.43472194671631],[6.96388864517212,4.72486066818237],[7.00867986679077,4.37131881713867],[6.87166595458984,4.39263868331909],[6.76284646987915,4.76347208023071],[6.84861087799072,4.34833240509033],[6.7204852104187,4.34819412231445],[6.73242998123169,4.60354089736938],[6.69236040115356,4.33180522918701],[6.25117969512939,4.30156183242798],[6.25277757644653,4.44999933242798],[6.11173582077026,4.27284669876099],[5.7369441986084,4.4894437789917],[5.45194435119629,4.92305469512939],[5.34527683258057,5.32999992370605],[5.63604116439819,5.53673553466797],[5.26194429397583,5.43319416046143],[5.2147912979126,5.57763814926147],[5.5024995803833,5.61694383621216],[5.18208265304565,5.57486057281494],[4.5337495803833,6.29916620254517],[3.4130551815033,6.40972185134888],[3.80722188949585,6.61277770996094],[3.44305515289307,6.57833290100098],[3.31916666030884,6.38555526733398],[2.71960592269897,6.36550521850586]],"Nigeria"], ["Country","NG0",[[2.39792537689209,11.8961515426636],[2.0583324432373,12.3572196960449],[2.25611066818237,12.4811096191406],[2.14229154586792,12.6940956115723],[1.57833313941956,12.6299991607666],[0.989166617393494,13.0472221374512],[0.991666555404663,13.3716659545898],[1.27651929855347,13.3480539321899],[0.607569396495819,13.6988182067871],[0.166666656732559,14.5230541229248],[0.235048443078995,14.9150676727295],[0.974722146987915,14.9786109924316],[1.31249976158142,15.2866649627686],[3.51810121536255,15.3599090576172],[3.88499975204468,15.7091655731201],[4.20083332061768,16.3938865661621],[4.24527740478516,19.1466636657715],[5.81249904632568,19.4461097717285],[7.46377468109131,20.8566722869873],[11.9864749908447,23.5223045349121],[13.543888092041,23.1686096191406],[14.2349987030029,22.6141662597656],[14.9978885650635,23.0005912780762],[15.2095823287964,21.4918041229248],[15.5830545425415,21.0186080932617],[15.5774984359741,20.7659702301025],[15.9966659545898,20.3530540466309],[15.7538871765137,19.9324989318848],[15.4897212982178,16.920970916748],[14.3688888549805,15.7338886260986],[13.674373626709,14.5522899627686],[13.4649991989136,14.4508323669434],[13.6251201629639,13.7183380126953],[12.8761100769043,13.473331451416],[12.4591655731201,13.0661106109619],[11.4633331298828,13.3733329772949],[10.7145824432373,13.3854160308838],[10.1415271759033,13.2561101913452],[9.63493156433105,12.8024349212646],[8.8186092376709,12.8966655731201],[7.8149995803833,13.3527765274048],[6.94222164154053,12.9968032836914],[6.28499984741211,13.6838865280151],[5.54836654663086,13.8914985656738],[4.88555526733398,13.7813873291016],[4.14277744293213,13.4734716415405],[4.10499954223633,12.9963865280151],[3.65777730941772,12.5288887023926],[3.60445880889893,11.6932735443115],[2.83861970901489,12.3966579437256],[2.38836646080017,12.2473230361938],[2.39792537689209,11.8961515426636]],"Niger"], ["Country","NE0",[[-169.885375976562,-18.9634590148926],[-169.782379150391,-19.0650672912598],[-169.894607543945,-19.1454315185547],[-169.951873779297,-19.0729198455811],[-169.885375976562,-18.9634590148926]],"Niue"], ["Country","NF0",[[167.930404663086,-29.0006122589111],[167.999008178711,-29.0273590087891],[167.965118408203,-29.0810565948486],[167.915908813477,-29.0424671173096],[167.930404663086,-29.0006122589111]],"Norfolk I."], ["Country","CQ0",[[145.792449951172,15.2680683135986],[145.733734130859,15.0868854522705],[145.695663452148,15.1790819168091],[145.792449951172,15.2680683135986]],"Northern Mariana Is."], ["Country","KN0",[[128.363555908203,38.625244140625],[128.079956054688,38.3119354248047],[127.100959777832,38.2841606140137],[126.688491821289,37.8339080810547],[126.422073364258,37.8559989929199],[126.104835510254,37.7412414550781],[125.605262756348,38.0261001586914],[125.724426269531,37.9108200073242],[125.342758178711,37.6713790893555],[125.509712219238,37.8855476379395],[124.982902526855,37.933292388916],[125.256858825684,38.0772857666016],[124.670051574707,38.1195068359375],[124.993309020996,38.5863761901855],[125.652069091797,38.6294364929199],[125.14054107666,38.7981185913086],[125.450439453125,39.5723571777344],[125.120254516602,39.5587425231934],[124.745292663574,39.7732200622559],[124.635879516602,39.5980110168457],[124.323951721191,39.9158935546875],[124.373596191406,40.093620300293],[124.885124206543,40.4703712463379],[126.011795043945,40.8969383239746],[126.566078186035,41.611759185791],[126.904708862305,41.7922172546387],[127.27082824707,41.4724884033203],[128.152908325195,41.3812408447266],[128.300247192383,41.5828399658203],[128.056640625,42.0012435913086],[128.92692565918,42.0273551940918],[129.349273681641,42.4462394714355],[129.695526123047,42.4358215332031],[129.904586791992,43.0045700073242],[130.251419067383,42.8879432678223],[130.246780395508,42.7141571044922],[130.604370117188,42.4218597412109],[130.697418212891,42.2922058105469],[130.420806884766,42.3119354248047],[129.697875976562,41.6456871032715],[129.803588867188,41.3774223327637],[129.702041625977,40.8306884765625],[127.517631530762,39.739574432373],[127.560188293457,39.3111381530762],[127.374687194824,39.3722152709961],[127.399711608887,39.1952705383301],[127.782760620117,39.0883255004883],[128.363555908203,38.625244140625]],"North Korea"], ["Country","NO0",[[22.9761085510254,70.2458190917969],[22.3705539703369,70.3320770263672],[22.6844425201416,70.3887405395508],[22.9761085510254,70.2458190917969]],"Norway"], ["Country","NO1",[[25.6285610198975,70.9300842285156],[25.585277557373,70.9222106933594],[25.5304050445557,70.9448547363281],[25.2944412231445,71.0422210693359],[25.6736106872559,71.1383209228516],[26.2170810699463,71.0371398925781],[25.6285610198975,70.9300842285156]],"Norway"], ["Country","NO2",[[7.01777744293213,62.0849990844727],[7.02777719497681,62.2665252685547],[7.36249923706055,62.2761077880859],[6.78652715682983,62.4772186279297],[6.38388824462891,62.4194412231445],[6.64683246612549,62.4957580566406],[6.25298547744751,62.5777702331543],[7.08999919891357,62.6477737426758],[7.53916645050049,62.4991607666016],[7.77263879776001,62.5748558044434],[7.47444438934326,62.5661087036133],[7.52277755737305,62.6666641235352],[8.13798427581787,62.6936416625977],[6.95458269119263,62.7240257263184],[7.0363883972168,62.9674987792969],[7.45884656906128,62.9089241027832],[7.93866968154907,62.9723854064941],[7.88090229034424,63.0025634765625],[8.09805488586426,63.1037483215332],[8.53176975250244,62.8472175598145],[8.41756820678711,62.9513130187988],[8.65683937072754,62.9716949462891],[8.16097068786621,63.118049621582],[8.94013786315918,63.2079124450684],[8.47972202301025,63.2918014526367],[8.75854015350342,63.3429145812988],[8.67222213745117,63.4138870239258],[9.41805458068848,63.3747177124023],[9.15281105041504,63.4857597351074],[9.71749877929688,63.6302719116211],[10.2631931304932,63.264820098877],[10.0873603820801,63.4302711486816],[10.9118041992188,63.4580497741699],[10.7616653442383,63.5057601928711],[10.9131240844727,63.599925994873],[10.7205543518066,63.6049957275391],[11.4599294662476,63.7982597351074],[11.104513168335,63.8493003845215],[11.4879159927368,64.0055465698242],[11.3576374053955,64.1084671020508],[10.5799293518066,63.8047866821289],[11.0222215652466,63.8757591247559],[10.9419441223145,63.7380523681641],[10.0927772521973,63.5022201538086],[9.78916549682617,63.6624984741211],[10.0945816040039,63.7596473693848],[9.57027626037598,63.6613845825195],[9.5452766418457,63.7661094665527],[10.192777633667,63.9329109191895],[10.0202770233154,64.0663757324219],[10.6520824432373,64.3555450439453],[10.4952907562256,64.4238128662109],[10.8494434356689,64.3705520629883],[10.6626377105713,64.443115234375],[10.9656934738159,64.6009674072266],[11.2733325958252,64.45166015625],[11.2216663360596,64.3161010742188],[11.7280540466309,64.5797119140625],[11.4177761077881,64.6977691650391],[12.2170820236206,64.9406814575195],[11.3016653060913,64.7351303100586],[11.272777557373,64.8405456542969],[11.6959705352783,64.8988800048828],[11.253191947937,64.8555450439453],[11.9671421051025,65.064208984375],[12.1494359970093,65.03955078125],[12.6247215270996,65.1336059570312],[12.9392347335815,65.3208847045898],[12.4797897338867,65.1343002319336],[12.4222221374512,65.2305450439453],[12.6486110687256,65.2644348144531],[12.2490262985229,65.2317962646484],[12.6345119476318,65.4160308837891],[12.3549289703369,65.640754699707],[12.7838182449341,65.6347122192383],[12.5534009933472,65.7479095458984],[12.6708326339722,65.9191589355469],[13.1694431304932,65.8498458862305],[12.9538087844849,66.0400238037109],[12.6737489700317,66.0644378662109],[13.5596523284912,66.234016418457],[13.5497207641602,66.1005554199219],[14.1382627487183,66.3202362060547],[13.0284013748169,66.1889495849609],[13.5274295806885,66.3051300048828],[13.0208320617676,66.3244400024414],[13.1551380157471,66.4333267211914],[12.9756927490234,66.5172805786133],[13.2337255477905,66.5467376708984],[13.1915273666382,66.6611099243164],[13.535831451416,66.6347198486328],[13.2290267944336,66.7102737426758],[13.9908332824707,66.785270690918],[13.5513877868652,66.928466796875],[14.5551023483276,67.0224533081055],[14.2688875198364,67.0766525268555],[14.7426376342773,67.1178359985352],[14.5808324813843,67.1952743530273],[15.4955539703369,67.0652770996094],[15.3849296569824,67.194091796875],[15.7355546951294,67.1757507324219],[15.1538877487183,67.305549621582],[14.3620824813843,67.2405471801758],[15.035831451416,67.5705413818359],[14.9342775344849,67.4731063842773],[15.4352769851685,67.4737396240234],[15.6444435119629,67.2680511474609],[15.5313873291016,67.4649963378906],[15.8874635696411,67.5564498901367],[15.2788887023926,67.5183258056641],[15.1824293136597,67.6195755004883],[15.3068742752075,67.7167282104492],[15.7811107635498,67.7277679443359],[15.3720817565918,67.7924194335938],[14.8127765655518,67.6388854980469],[15.0336093902588,67.7761077880859],[14.7568044662476,67.8026275634766],[15.8711109161377,67.9233245849609],[15.9611110687256,68.0130462646484],[15.8477764129639,68.0386047363281],[15.2883319854736,68.0305480957031],[16.0137481689453,68.2434616088867],[16.2120113372803,67.9006881713867],[16.4958305358887,67.7941589355469],[16.2074966430664,67.9999923706055],[16.715274810791,68.0666656494141],[16.3424987792969,68.0716552734375],[16.48388671875,68.1812438964844],[16.137638092041,68.3060989379883],[16.8000659942627,68.1303329467773],[16.2227764129639,68.3474884033203],[17.1326370239258,68.3674926757812],[17.3580532073975,68.1763763427734],[17.2024993896484,68.3695755004883],[17.5715236663818,68.3599166870117],[17.3737468719482,68.4090118408203],[17.5481929779053,68.5256881713867],[16.4670104980469,68.5117263793945],[16.9729137420654,68.7015228271484],[17.669059753418,68.6575622558594],[17.2390956878662,68.7534637451172],[17.7924995422363,68.7569427490234],[17.4713859558105,68.8277740478516],[17.8443737030029,68.8724975585938],[17.4318733215332,68.8983917236328],[17.4877777099609,68.989990234375],[18.1479148864746,69.1501312255859],[17.9963874816895,69.2802734375],[18.1316738128662,69.3392639160156],[18.2569427490234,69.4863739013672],[18.5394439697266,69.2991638183594],[19.0069427490234,69.2870788574219],[18.4572887420654,69.4495697021484],[18.8502063751221,69.5503387451172],[19.0078678131104,69.4636764526367],[19.2266654968262,69.5644378662109],[18.9449272155762,69.6125640869141],[19.7727069854736,69.8048477172852],[19.5335388183594,69.3966522216797],[19.6830539703369,69.4319381713867],[19.828052520752,69.7144317626953],[20.2884712219238,69.9729080200195],[20.4206237792969,69.8755416870117],[20.2819423675537,69.4788818359375],[19.9469413757324,69.256103515625],[20.4663867950439,69.5731887817383],[20.8490257263184,69.4922866821289],[20.4849281311035,69.6313095092773],[20.5658302307129,69.7613830566406],[21.0594444274902,69.9461059570312],[20.8945808410645,69.8517990112305],[21.0483322143555,69.7890167236328],[21.3133316040039,70.0209655761719],[22.0995807647705,69.7437438964844],[21.8084011077881,70.0402679443359],[22.0933303833008,70.1082534790039],[21.725414276123,70.0565185546875],[21.2999992370605,70.2469329833984],[22.957498550415,70.2041625976562],[22.2966651916504,70.0412368774414],[22.8730545043945,70.1024932861328],[23.3176364898682,69.9423522949219],[23.5347194671631,70.0192947387695],[23.178747177124,70.0911026000977],[23.6458320617676,70.4077758789062],[24.3533992767334,70.4578399658203],[24.1552772521973,70.5680541992188],[24.3630523681641,70.6885986328125],[24.7137470245361,70.6156921386719],[24.2563858032227,70.7708969116211],[24.6262474060059,70.7761077880859],[24.5884704589844,70.9609603881836],[25.2652740478516,70.812629699707],[25.3661098480225,70.9695739746094],[25.6352062225342,70.8924942016602],[25.9033317565918,70.8887405395508],[25.0898590087891,70.5065536499023],[25.267635345459,70.3959579467773],[24.9430522918701,70.091796875],[25.150691986084,70.0769424438477],[26.5233306884766,70.9258270263672],[26.7344436645508,70.8961029052734],[26.6680526733398,70.7188873291016],[26.3531932830811,70.6396408081055],[26.6506233215332,70.6365814208984],[26.5665245056152,70.350959777832],[27.2660388946533,70.5817947387695],[27.0906925201416,70.7058181762695],[27.3091640472412,70.8180465698242],[27.5655517578125,70.8047180175781],[27.1287479400635,70.9165878295898],[27.2283306121826,71.021240234375],[28.2077751159668,71.0799865722656],[28.5205535888672,70.9235992431641],[27.7713165283203,70.7858963012695],[28.1194076538086,70.7328033447266],[27.6571502685547,70.6063842773438],[28.287914276123,70.7134628295898],[27.8543033599854,70.48193359375],[28.3302745819092,70.5021438598633],[28.0388870239258,70.0619354248047],[28.5436096191406,70.7391662597656],[29.0361099243164,70.8741607666016],[29.3469429016113,70.6641540527344],[30.1086101531982,70.7073516845703],[30.3417339324951,70.5997085571289],[30.0080528259277,70.5364456176758],[30.5977764129639,70.5351943969727],[31.0735378265381,70.2855453491211],[30.0944442749023,70.068603515625],[28.6164703369141,70.1101608276367],[29.6662483215332,69.9641647338867],[29.3715953826904,69.8571472167969],[29.7348594665527,69.9074935913086],[29.4919414520264,69.6602020263672],[30.1840267181396,69.6907501220703],[30.1724987030029,69.8754043579102],[30.4016647338867,69.8249969482422],[30.3506908416748,69.6674880981445],[30.4533309936523,69.8097152709961],[30.8548393249512,69.7923126220703],[30.9123592376709,69.5502014160156],[30.109582901001,69.6638488769531],[30.0977745056152,69.5033264160156],[29.3138847351074,69.3161773681641],[29.2348594665527,69.1047210693359],[28.9573402404785,69.0516204833984],[28.8254146575928,69.2361679077148],[29.298469543457,69.4853363037109],[29.127498626709,69.6858215332031],[28.3797187805176,69.8274993896484],[27.9106922149658,70.0886077880859],[26.4768047332764,69.9363784790039],[25.9833316802979,69.7042999267578],[25.7133331298828,69.2552642822266],[25.7611083984375,68.9891662597656],[24.9349174499512,68.580810546875],[23.9763870239258,68.8324890136719],[23.1963882446289,68.6298522949219],[22.3983306884766,68.7111053466797],[21.681941986084,69.2847137451172],[21.3208312988281,69.3261108398438],[21.0302753448486,69.2105484008789],[21.0634708404541,69.0367965698242],[20.5809288024902,69.060302734375],[20.0969429016113,69.0422210693359],[20.3502769470215,68.7866516113281],[19.9563865661621,68.5438842773438],[20.2042331695557,68.4708938598633],[19.9523601531982,68.3427658081055],[18.0995407104492,68.5089263916016],[18.1552772521973,68.1661071777344],[17.884162902832,67.9455413818359],[17.273609161377,68.0905456542969],[16.7269439697266,67.8991546630859],[16.0880527496338,67.405403137207],[16.361385345459,67.2377777099609],[16.3538856506348,67.0177764892578],[15.3627777099609,66.4799957275391],[15.468053817749,66.2838745117188],[14.5070819854736,66.1236038208008],[14.6331939697266,65.8218002319336],[14.4930553436279,65.3135986328125],[13.6682624816895,64.5802001953125],[14.1163883209229,64.4705505371094],[14.1506938934326,64.1798477172852],[13.9849996566772,64.0155487060547],[12.9380550384521,64.0533294677734],[12.1466665267944,63.5895767211914],[11.9363880157471,63.272216796875],[12.1686096191406,63.0158309936523],[12.0288887023926,62.8924942016602],[12.0474987030029,62.5899963378906],[12.2937488555908,62.2670822143555],[12.1244430541992,61.7286071777344],[12.8561096191406,61.3624954223633],[12.637825012207,61.0575408935547],[12.2162141799927,60.9987449645996],[12.5909719467163,60.521800994873],[12.4945125579834,60.1130485534668],[11.8159599304199,59.8460998535156],[11.8990955352783,59.6997184753418],[11.6670122146606,59.5935707092285],[11.7518043518066,59.0951347351074],[11.6240253448486,58.9069404602051],[11.4291915893555,58.9876403808594],[11.3574466705322,59.1076545715332],[10.7974987030029,59.1863861083984],[10.5595827102661,59.7247886657715],[10.7411794662476,59.8903427124023],[10.5324983596802,59.8759689331055],[10.5580539703369,59.5430526733398],[10.2309017181396,59.7290916442871],[10.5156936645508,59.3062438964844],[10.2311096191406,59.0386047363281],[9.87749862670898,58.9549942016602],[9.55159568786621,59.1140213012695],[9.69305419921875,58.9830551147461],[8.21357536315918,58.1203422546387],[7.00791645050049,57.9879150390625],[6.55888843536377,58.0974960327148],[6.75999927520752,58.2440223693848],[6.01194381713867,58.3797149658203],[5.46038961410522,58.750057220459],[5.55861043930054,59.0302734375],[6.16861057281494,58.8322219848633],[6.13041210174561,58.9286270141602],[6.0363883972168,58.9045066833496],[5.86986064910889,59.0655517578125],[6.45979118347168,59.3204803466797],[5.99652719497681,59.3329124450684],[6.46888828277588,59.5552749633789],[5.94017314910889,59.3532257080078],[5.88347148895264,59.4363861083984],[6.14555501937866,59.4793014526367],[5.80777740478516,59.4691619873047],[5.66765880584717,59.409065246582],[5.85249948501587,59.3441619873047],[5.51652717590332,59.2755508422852],[5.17888832092285,59.5068016052246],[5.48117971420288,59.727912902832],[5.45973491668701,59.5192184448242],[5.56847143173218,59.6756210327148],[6.30364513397217,59.8444747924805],[5.69833278656006,59.8327713012695],[6.20472145080566,60.2955551147461],[6.63493013381958,60.4061050415039],[6.52194356918335,60.0834655761719],[6.74166584014893,60.4369430541992],[7.1020131111145,60.4961051940918],[6.22131872177124,60.407356262207],[5.74722194671631,59.9866638183594],[5.64168262481689,60.1453552246094],[5.5487494468689,60.1490898132324],[5.72808933258057,60.3837432861328],[5.41111087799072,60.1297149658203],[5.14492988586426,60.3610382080078],[5.28555488586426,60.5216598510742],[5.51285314559937,60.4161987304688],[5.6372218132019,60.4169425964355],[5.70597267150879,60.4577293395996],[5.71999931335449,60.6744384765625],[5.66028833389282,60.711067199707],[5.45678663253784,60.6051635742188],[5.26782035827637,60.5470199584961],[4.93111038208008,60.8005485534668],[5.42805528640747,60.6272201538086],[5.23749923706055,60.770622253418],[5.53208255767822,60.8711090087891],[5.07013845443726,60.829719543457],[5.01229095458984,61.0402717590332],[6.37930297851562,61.060920715332],[6.8181939125061,61.1416625976562],[7.11388874053955,60.8602752685547],[6.99805498123169,61.0878410339355],[7.42861080169678,61.1813888549805],[7.30416631698608,61.2912483215332],[7.56246471405029,61.4703407287598],[7.27944374084473,61.325553894043],[7.35388851165771,61.1899948120117],[6.96124935150146,61.1098556518555],[6.57902765274048,61.2116661071777],[6.71263790130615,61.3947868347168],[6.43552017211914,61.1201782226562],[6.42847204208374,61.1131935119629],[6.34381628036499,61.1150283813477],[5.1158332824707,61.1416625976562],[5.24305486679077,61.1823577880859],[4.95249938964844,61.2561073303223],[5.62708282470703,61.3613128662109],[4.9680552482605,61.4208297729492],[5.79624938964844,61.4479827880859],[5.18833255767822,61.4988861083984],[5.33867454528809,61.5924797058105],[4.9719443321228,61.6321487426758],[4.9829158782959,61.7399940490723],[5.36169242858887,61.8893508911133],[5.15458297729492,61.8924980163574],[5.39909648895264,62.0188140869141],[5.08013820648193,62.1766624450684],[5.46888828277588,62.0068016052246],[5.4555549621582,62.1841659545898],[6.36041641235352,62.0608978271484],[5.94916582107544,62.2540245056152],[6.32041645050049,62.3676338195801],[6.53326320648193,62.1104125976562],[6.39513826370239,62.3772201538086],[6.70333242416382,62.4448585510254],[6.87798547744751,62.4125633239746],[7.01777744293213,62.0849990844727]],"Norway"], ["Country","NO3",[[24.0461082458496,70.9083251953125],[23.9341659545898,71.0194396972656],[24.2438888549805,70.9519348144531],[24.0461082458496,70.9083251953125]],"Norway"], ["Country","NO4",[[22.1638870239258,70.4636077880859],[22.2634010314941,70.5931701660156],[21.9568023681641,70.6549987792969],[23.4516639709473,70.7835998535156],[23.0888862609863,70.5811004638672],[22.1638870239258,70.4636077880859]],"Norway"], ["Country","NO5",[[23.8399963378906,70.5113830566406],[23.7026386260986,70.745964050293],[24.1238880157471,70.6176300048828],[23.8399963378906,70.5113830566406]],"Norway"], ["Country","NO6",[[23.1563873291016,70.2744293212891],[22.896110534668,70.4483184814453],[23.4033317565918,70.6216583251953],[23.6530532836914,70.5013885498047],[23.1563873291016,70.2744293212891]],"Norway"], ["Country","NO7",[[19.9322204589844,70.052490234375],[19.5359706878662,70.2455444335938],[20.1197204589844,70.1180419921875],[19.9322204589844,70.052490234375]],"Norway"], ["Country","NO8",[[20.6094436645508,70.0422210693359],[20.426664352417,70.1812438964844],[20.8322200775146,70.1966552734375],[20.6094436645508,70.0422210693359]],"Norway"], ["Country","NO9",[[19.1349983215332,69.7894439697266],[18.7344417572021,69.9229049682617],[18.8555526733398,70.0136108398438],[19.6908321380615,69.9972152709961],[19.1349983215332,69.7894439697266]],"Norway"], ["Country","NO10",[[18.3144950866699,69.7033843994141],[18.7558326721191,69.6848526000977],[18.6930541992188,69.8844299316406],[19.0647201538086,69.7688751220703],[18.7383308410645,69.5577697753906],[18.0452766418457,69.5647125244141],[18.3144950866699,69.7033843994141]],"Norway"], ["Country","NO11",[[18.0983810424805,69.360954284668],[18.0999279022217,69.359504699707],[18.0953178405762,69.358528137207],[17.9068031311035,69.3187408447266],[17.9991645812988,69.1881866455078],[17.0927772521973,69.0036010742188],[16.7674980163574,69.0902709960938],[17.1694412231445,69.1965255737305],[16.8758316040039,69.2213745117188],[17.1427764892578,69.2494354248047],[16.9351367950439,69.3945693969727],[17.4908313751221,69.4243011474609],[17.196662902832,69.5],[17.5899963378906,69.4552764892578],[17.469165802002,69.5977630615234],[17.8597202301025,69.5840225219727],[18.0983810424805,69.360954284668]],"Norway"], ["Country","NO12",[[15.468053817749,68.8741607666016],[15.5644426345825,69.096794128418],[16.1480522155762,69.286376953125],[15.468053817749,68.8741607666016]],"Norway"], ["Country","NO13",[[14.5011100769043,68.6019439697266],[14.373610496521,68.6866607666016],[14.5294437408447,68.8049926757812],[15.1518049240112,68.8147125244141],[15.0447216033936,68.9963836669922],[15.3790264129639,68.8473587036133],[15.3976373672485,68.6801376342773],[15.070276260376,68.5752716064453],[14.8040266036987,68.6152648925781],[15.1611099243164,68.6974945068359],[15.0091648101807,68.7638854980469],[14.5011100769043,68.6019439697266]],"Norway"], ["Country","NO14",[[15.9087562561035,68.9566955566406],[15.9877767562866,68.7547149658203],[15.7424993515015,68.5291595458984],[16.2041664123535,68.8552703857422],[16.5444412231445,68.76416015625],[16.5011444091797,68.5524597167969],[16.220531463623,68.5500640869141],[15.588888168335,68.3049926757812],[15.3215265274048,68.3431854248047],[15.5414562225342,68.5036010742188],[14.986665725708,68.2474975585938],[15.4490270614624,68.7270736694336],[15.7136096954346,68.6986083984375],[15.4531936645508,68.7595748901367],[15.6327772140503,68.9441604614258],[15.9087562561035,68.9566955566406]],"Norway"], ["Country","NO15",[[17.2416648864746,68.7886047363281],[17.1005554199219,68.9188842773438],[17.3243522644043,68.9168930053711],[17.4361095428467,68.8626251220703],[17.2416648864746,68.7886047363281]],"Norway"], ["Country","NO16",[[16.3169021606445,68.5024795532227],[16.4645805358887,68.4654083251953],[16.1211090087891,68.3763885498047],[16.1929092407227,68.4688415527344],[16.2349967956543,68.5230407714844],[16.3169021606445,68.5024795532227]],"Norway"], ["Country","NO17",[[14.20583152771,68.1491546630859],[14.5422210693359,68.4008331298828],[15.168888092041,68.4505462646484],[14.20583152771,68.1491546630859]],"Norway"], ["Country","NO18",[[13.521110534668,68.0394439697266],[13.5681934356689,68.2626266479492],[14.1354150772095,68.2362442016602],[13.521110534668,68.0394439697266]],"Norway"], ["Country","NO19",[[12.3002777099609,66.0102691650391],[12.5633316040039,66.2177734375],[12.6558322906494,66.1013870239258],[12.3002777099609,66.0102691650391]],"Norway"], ["Country","NO20",[[12.8037910461426,66.0081405639648],[12.8986797332764,66.0111083984375],[12.8401317596436,65.9924087524414],[12.4386100769043,65.8641662597656],[12.5341663360596,65.9997100830078],[12.8037910461426,66.0081405639648]],"Norway"], ["Country","NO21",[[12.0630550384521,65.2099914550781],[12.2580547332764,65.5761108398438],[12.5027770996094,65.3919372558594],[12.0630550384521,65.2099914550781]],"Norway"], ["Country","NO22",[[12.1297206878662,65.0502777099609],[12.0165414810181,65.0694198608398],[11.9844436645508,65.0748519897461],[12.1716651916504,65.2069396972656],[12.3136796951294,65.1029739379883],[12.3015556335449,65.0995025634766],[12.1297206878662,65.0502777099609]],"Norway"], ["Country","NO23",[[8.45527648925781,63.426383972168],[8.29444408416748,63.4970817565918],[8.61472129821777,63.6091613769531],[9.17486000061035,63.5616645812988],[8.45527648925781,63.426383972168]],"Norway"], ["Country","NO24",[[7.98527717590332,63.3088836669922],[7.77944374084473,63.4081916809082],[8.09513759613037,63.4648551940918],[8.1836109161377,63.3861083984375],[7.98527717590332,63.3088836669922]],"Norway"], ["Country","NO25",[[7.48102426528931,62.9699058532715],[7.39916610717773,63.0574951171875],[7.71013832092285,63.0004119873047],[7.61382007598877,62.9706268310547],[7.51027774810791,62.938606262207],[7.48102426528931,62.9699058532715]],"Norway"], ["Country","NO26",[[4.92249965667725,61.7730484008789],[4.88333320617676,61.8919372558594],[5.22111034393311,61.8391609191895],[4.92249965667725,61.7730484008789]],"Norway"], ["Country","NO27",[[5.52749919891357,60.4291610717773],[5.45110940933228,60.4723625183105],[5.35999965667725,60.5238876342773],[5.63227415084839,60.6581268310547],[5.67916631698608,60.6812477111816],[5.67918539047241,60.6668510437012],[5.6793417930603,60.547966003418],[5.67944383621216,60.4704093933105],[5.65201616287231,60.462963104248],[5.56343173980713,60.4389152526855],[5.52749919891357,60.4291610717773]],"Norway"], ["Country","NO28",[[5.65051174163818,60.0658111572266],[5.51277732849121,59.8930511474609],[5.36020803451538,59.9883270263672],[5.64397430419922,60.071159362793],[5.65805530548096,60.0752716064453],[5.65051174163818,60.0658111572266]],"Norway"], ["Country","NO29",[[5.40055465698242,59.7513885498047],[5.28777694702148,59.9715232849121],[5.48416614532471,59.8605499267578],[5.40055465698242,59.7513885498047]],"Norway"], ["Country","NO30",[[5.14888858795166,59.5811080932617],[5.11888885498047,59.8724975585938],[5.34305477142334,59.7018013000488],[5.18708276748657,59.7352066040039],[5.14888858795166,59.5811080932617]],"Norway"], ["Country","NO31",[[5.16055488586426,59.1427764892578],[5.19444370269775,59.4130554199219],[5.29333305358887,59.2406921386719],[5.16055488586426,59.1427764892578]],"Norway"], ["Country","MU0",[[51.9992904663086,18.9993438720703],[55,20],[55.6661071777344,21.9997215270996],[55.1991653442383,22.6997184753418],[55.5102767944336,23.9727745056152],[56.0236740112305,24.0831928253174],[55.7789535522461,24.2436428070068],[55.8140258789062,24.8858299255371],[56.0001335144043,24.9770812988281],[56.1437454223633,24.7411098480225],[56.3735275268555,24.9793815612793],[56.6197853088379,24.4775676727295],[57.171314239502,23.934440612793],[58.6092987060547,23.6327743530273],[59.3977737426758,22.6805534362793],[59.8017311096191,22.5368728637695],[59.8091621398926,22.223331451416],[59.3442993164062,21.4420127868652],[58.8372192382812,21.0394439697266],[58.5206871032715,20.4195098876953],[58.2115211486816,20.3972206115723],[58.2137451171875,20.6127758026123],[57.8281898498535,20.2162475585938],[57.6876335144043,19.7083320617676],[57.8056907653809,18.9709720611572],[56.8104362487793,18.7443962097168],[56.3523216247559,17.9411773681641],[55.43603515625,17.8261089324951],[55.0319404602051,17.0147190093994],[54.0926361083984,17.0143051147461],[53.1144409179688,16.6427783966064],[51.9992904663086,18.9993438720703]],"Oman"], ["Country","MU1",[[58.6549987792969,20.1683311462402],[58.919506072998,20.6822891235352],[58.9511070251465,20.5111083984375],[58.6549987792969,20.1683311462402]],"Oman"], ["Country","MU2",[[56.2697219848633,25.6360149383545],[56.0799407958984,26.065559387207],[56.2019004821777,26.2608604431152],[56.4015235900879,26.2197895050049],[56.4042129516602,26.3687133789062],[56.4813117980957,26.2400684356689],[56.3206901550293,26.1669425964355],[56.4238815307617,25.9502754211426],[56.2697219848633,25.6360149383545]],"Oman"], ["Country","PK0",[[60.8663024902344,29.863655090332],[62.4844360351562,29.4061050415039],[64.0591430664062,29.4144401550293],[66.2566528320312,29.8519401550293],[66.400260925293,30.9434680938721],[66.7215805053711,31.2073554992676],[67.7905502319336,31.3434047698975],[67.5813751220703,31.5292682647705],[68.1636276245117,31.8293361663818],[68.5761032104492,31.8234691619873],[68.827766418457,31.6058292388916],[69.3282470703125,31.9403648376465],[69.2478942871094,32.4411010742188],[69.5070724487305,33.0361061096191],[70.3247756958008,33.3327026367188],[69.9009552001953,34.0291595458984],[71.081169128418,34.0561714172363],[71.154914855957,34.3556175231934],[70.9822769165039,34.5379066467285],[71.4937973022461,34.9576988220215],[71.648323059082,35.4281845092773],[71.2460861206055,36.1313781738281],[71.6441802978516,36.4659690856934],[72.5785980224609,36.8254318237305],[74.0352630615234,36.8153762817383],[74.5654296875,37.0278167724609],[75.1478652954102,36.9971923828125],[75.3990173339844,36.9115562438965],[75.451789855957,36.731689453125],[75.8598403930664,36.6634254455566],[76.0416564941406,36.2375106811523],[75.9288711547852,36.0708198547363],[76.1806106567383,35.8145751953125],[76.5530395507812,35.9066543579102],[76.895263671875,35.6124954223633],[77.8239288330078,35.5013275146484],[77.04248046875,35.0991592407227],[76.8699798583984,34.6588821411133],[76.4499969482422,34.7672119140625],[75.661376953125,34.5008316040039],[74.3808212280273,34.7826347351074],[73.9365768432617,34.6329765319824],[73.7999114990234,34.3975639343262],[74.0215835571289,34.2019348144531],[73.9162292480469,34.0638809204102],[74.294563293457,33.9736022949219],[73.9912185668945,33.7454109191895],[74.1823425292969,33.507495880127],[74.0197143554688,33.1841583251953],[74.3317947387695,33.0023574829102],[74.3633804321289,32.7750587463379],[74.6419296264648,32.7770729064941],[74.7106781005859,32.4806861877441],[75.0576248168945,32.4751281738281],[75.3812866210938,32.214241027832],[74.5992813110352,31.8694248199463],[74.5226669311523,31.1750793457031],[74.6975936889648,31.0590896606445],[73.8704071044922,30.3874092102051],[73.9334030151367,30.1360015869141],[73.3974914550781,29.9427719116211],[72.9502639770508,29.0399971008301],[72.3897094726562,28.7849960327148],[71.8969421386719,27.9619407653809],[70.8294372558594,27.7063827514648],[70.5873565673828,28.0031909942627],[70.3665084838867,28.0187473297119],[69.5835342407227,27.1779804229736],[69.5113067626953,26.7487468719482],[70.16796875,26.5562477111816],[70.0885238647461,25.9831886291504],[70.2848434448242,25.7055511474609],[70.6756744384766,25.6801338195801],[71.10498046875,24.4193000793457],[70.7619323730469,24.2358283996582],[70.5599822998047,24.435827255249],[70,24.1697158813477],[68.7887420654297,24.3336086273193],[68.7472076416016,23.9699935913086],[68.2847061157227,23.9393005371094],[68.1977996826172,23.7666854858398],[68.1573791503906,23.8918685913086],[68.1508178710938,23.6880493164062],[68.0524139404297,23.7229785919189],[68.015625,23.9352054595947],[68.0194396972656,23.7664566040039],[67.5022811889648,23.8919105529785],[67.1511001586914,24.6130523681641],[67.2353973388672,24.7729148864746],[66.6513748168945,24.8285388946533],[66.7327575683594,25.1974945068359],[66.3594207763672,25.6136093139648],[66.1441421508789,25.5072727203369],[66.5000534057617,25.4038143157959],[64.7629089355469,25.3205509185791],[64.6487350463867,25.1624946594238],[64.0936660766602,25.3284683227539],[64.1173477172852,25.4531879425049],[63.4291610717773,25.2149963378906],[62.1338806152344,25.2108268737793],[61.8448524475098,25.0373592376709],[61.6110305786133,25.1976470947266],[61.8548545837402,26.2305507659912],[62.2748908996582,26.3565998077393],[62.4379081726074,26.5665245056152],[63.1851272583008,26.6391620635986],[63.3302726745605,27.1488838195801],[62.7802696228027,27.2668037414551],[62.7822151184082,28.2637481689453],[61.9055480957031,28.5549964904785],[60.8663024902344,29.863655090332]],"Pakistan"], ["Country","PS0",[[134.649993896484,7.64364290237427],[134.531188964844,7.35280179977417],[134.485565185547,7.4373927116394],[134.552093505859,7.60847568511963],[134.649993896484,7.64364290237427]],"Palau"], ["Country","PM0",[[-82.5635681152344,9.56287574768066],[-82.2427825927734,9.00235939025879],[-81.8163909912109,8.94527626037598],[-81.8863296508789,9.17360973358154],[-81.5072937011719,8.79312324523926],[-81.2040328979492,8.7811107635498],[-80.1175079345703,9.20694351196289],[-79.6258392333984,9.59416580200195],[-78.9950103759766,9.54777717590332],[-79.0545196533203,9.42902660369873],[-78.0343856811523,9.2288179397583],[-77.3666687011719,8.67499923706055],[-77.4685821533203,8.47169971466064],[-77.2155609130859,7.93722152709961],[-77.5774383544922,7.52618026733398],[-77.7440338134766,7.71999931335449],[-77.8897247314453,7.22888851165771],[-78.4327850341797,8.04888725280762],[-78.1350021362305,8.39927005767822],[-77.7791748046875,8.15499877929688],[-78.1075134277344,8.45583152770996],[-78.4130630493164,8.34360980987549],[-78.5072326660156,8.616943359375],[-79.0530700683594,8.96666526794434],[-78.9791030883789,9.13854026794434],[-79.6977844238281,8.86666488647461],[-79.9527893066406,8.45083236694336],[-80.4712600708008,8.21555423736572],[-79.9904251098633,7.51888847351074],[-80.4368743896484,7.24458265304565],[-80.8825073242188,7.22027683258057],[-81.0580596923828,7.87333297729492],[-81.2179260253906,7.60826349258423],[-81.4969482421875,7.69861030578613],[-81.7386169433594,8.16249847412109],[-82.7216796875,8.31722068786621],[-82.8988494873047,8.02566909790039],[-83.0302886962891,8.31055450439453],[-82.8299255371094,8.47465515136719],[-82.9144592285156,8.76277732849121],[-82.7118835449219,8.92506885528564],[-82.9304656982422,9.06312370300293],[-82.9347229003906,9.47166633605957],[-82.8377151489258,9.60972118377686],[-82.5635681152344,9.56287574768066]],"Panama"], ["Country","PM1",[[-81.7389068603516,7.63916301727295],[-81.5901412963867,7.3298602104187],[-81.8533477783203,7.44666576385498],[-81.7389068603516,7.63916301727295]],"Panama"], ["Country","PP0",[[147.391937255859,-1.96083331108093],[147.438720703125,-2.06319451332092],[147.208435058594,-2.18951368331909],[146.524993896484,-2.19083309173584],[146.638580322266,-1.97861099243164],[147.391937255859,-1.96083331108093]],"Papua New Guinea"], ["Country","PP1",[[150.367736816406,-2.68666648864746],[149.950103759766,-2.47076344490051],[150.417205810547,-2.46055555343628],[150.367736816406,-2.68666648864746]],"Papua New Guinea"], ["Country","PP2",[[152.491577148438,-3.85225462913513],[152.186492919922,-3.50625038146973],[150.752349853516,-2.76944446563721],[150.8837890625,-2.7093403339386],[150.810592651367,-2.56229162216187],[152.055114746094,-3.2538890838623],[153.006927490234,-4.09361171722412],[153.128082275391,-4.39159727096558],[152.900955200195,-4.82291698455811],[152.491577148438,-3.85225462913513]],"Papua New Guinea"], ["Country","PP3",[[151.684417724609,-4.88890266418457],[151.536926269531,-4.18194389343262],[151.970809936523,-4.33659744262695],[152.181503295898,-4.14694499969482],[152.183166503906,-4.30819416046143],[152.355804443359,-4.34305572509766],[152.386108398438,-4.79333305358887],[152.237319946289,-4.98722219467163],[151.968017578125,-5.0041675567627],[152.096069335938,-5.4572229385376],[151.822052001953,-5.60111141204834],[151.470520019531,-5.53097248077393],[151.384704589844,-5.80720043182373],[150.4033203125,-6.29333353042603],[149.634704589844,-6.30805492401123],[149.311920166016,-6.05722236633301],[149.066223144531,-6.16458320617676],[148.322372436523,-5.6725926399231],[148.428588867188,-5.45111179351807],[149.220764160156,-5.60611152648926],[149.878021240234,-5.53569412231445],[150.092330932617,-5.00777816772461],[150.203918457031,-5.07180547714233],[150.04248046875,-5.3086109161377],[150.143859863281,-5.5377779006958],[150.677917480469,-5.55129909515381],[150.979125976562,-5.44499969482422],[151.264297485352,-4.98513841629028],[151.684417724609,-4.88890266418457]],"Papua New Guinea"], ["Country","PP4",[[147.135528564453,-5.45111179351807],[147.002471923828,-5.30388832092285],[147.124816894531,-5.19152736663818],[147.135528564453,-5.45111179351807]],"Papua New Guinea"], ["Country","PP5",[[147.990478515625,-5.85603713989258],[147.782073974609,-5.49249982833862],[148.065307617188,-5.62758445739746],[147.990478515625,-5.85603713989258]],"Papua New Guinea"], ["Country","PP6",[[152.835510253906,-9.23555564880371],[152.498718261719,-9.02333450317383],[152.935668945312,-9.04527854919434],[152.999984741211,-9.16902828216553],[152.835510253906,-9.23555564880371]],"Papua New Guinea"], ["Country","PP7",[[150.334411621094,-9.52666664123535],[150.10954284668,-9.37069320678711],[150.193588256836,-9.20944404602051],[150.334411621094,-9.52666664123535]],"Papua New Guinea"], ["Country","PP8",[[150.846923828125,-9.71805572509766],[150.514434814453,-9.62333297729492],[150.43913269043,-9.35708236694336],[150.804412841797,-9.43277740478516],[150.846923828125,-9.71805572509766]],"Papua New Guinea"], ["Country","PP9",[[151.229125976562,-10.2011108398438],[150.94970703125,-10.1055545806885],[150.762619018555,-9.70784664154053],[151.118087768555,-10.0465974807739],[151.282760620117,-9.92527866363525],[151.229125976562,-10.2011108398438]],"Papua New Guinea"], ["Country","PP10",[[153.566070556641,-11.6424999237061],[153.199417114258,-11.3220834732056],[153.75276184082,-11.5662498474121],[153.566070556641,-11.6424999237061]],"Papua New Guinea"], ["Country","PP11",[[154.63720703125,-5.45861148834229],[154.5302734375,-5.13388919830322],[154.642623901367,-5.01638889312744],[154.729125976562,-5.21598482131958],[154.63720703125,-5.45861148834229]],"Papua New Guinea"], ["Country","PP12",[[155.404083251953,-6],[155.914764404297,-6.52076387405396],[155.912536621094,-6.80548572540283],[155.339889526367,-6.74145841598511],[155.216491699219,-6.32472276687622],[154.750579833984,-5.94915771484375],[154.792327880859,-5.48083353042603],[155.073577880859,-5.56166648864746],[155.404083251953,-6]],"Papua New Guinea"], ["Country","PP13",[[141.002471923828,-2.60708522796631],[143.518447875977,-3.43555545806885],[144.016937255859,-3.81055545806885],[144.513732910156,-3.82222247123718],[145.735504150391,-4.80277729034424],[145.766387939453,-5.48527717590332],[147.590515136719,-6.07222270965576],[147.826354980469,-6.3372220993042],[147.866058349609,-6.67083358764648],[146.961364746094,-6.74722194671631],[147.178588867188,-7.46388912200928],[147.731628417969,-7.9399995803833],[148.13525390625,-8.06611061096191],[148.230529785156,-8.55972290039062],[148.444412231445,-8.67694473266602],[148.604125976562,-9.08250045776367],[149.314483642578,-9.0197925567627],[149.219970703125,-9.47472190856934],[150.008880615234,-9.63138771057129],[150.053726196289,-9.72236061096191],[149.717193603516,-9.83347129821777],[149.914154052734,-10.0488891601562],[150.878021240234,-10.2299995422363],[150.369110107422,-10.3219451904297],[150.689956665039,-10.5631942749023],[150.209686279297,-10.7005558013916],[149.851638793945,-10.5486116409302],[150.078857421875,-10.4627780914307],[149.747741699219,-10.3427772521973],[147.952453613281,-10.1458339691162],[147.058715820312,-9.46999931335449],[146.895812988281,-9.27847290039062],[146.971267700195,-9.02993106842041],[146.621612548828,-9.02555656433105],[146.379104614258,-8.58470821380615],[146.089691162109,-8.09111022949219],[144.879669189453,-7.78250026702881],[144.862457275391,-7.61055564880371],[144.599395751953,-7.6602783203125],[144.522903442383,-7.50291681289673],[144.508331298828,-7.61805534362793],[144.408584594727,-7.51986122131348],[144.467742919922,-7.74305534362793],[144.314117431641,-7.61791610717773],[144.147216796875,-7.77888870239258],[143.664825439453,-7.46764850616455],[143.9580078125,-7.97862243652344],[143.360382080078,-7.90111112594604],[143.62385559082,-8.23874950408936],[142.976623535156,-8.34416580200195],[142.135528564453,-8.23333263397217],[143.110229492188,-8.47027778625488],[143.392761230469,-8.77027893066406],[143.365097045898,-9.01222324371338],[142.638885498047,-9.3347225189209],[142.206497192383,-9.16500091552734],[141.160797119141,-9.23749923706055],[141.007019042969,-9.12846755981445],[141.006134033203,-6.89328384399414],[140.858856201172,-6.6783332824707],[141.006134033203,-6.33292484283447],[141.002471923828,-2.60708522796631]],"Papua New Guinea"], ["Country","PF0",[[112.735420227051,16.6667938232422],[112.747184753418,16.6605415344238],[112.747184753418,16.6536483764648],[112.742004394531,16.6552295684814],[112.735420227051,16.6667938232422]],"Paracel Is."], ["Country","PA0",[[-62.6437683105469,-22.2389030456543],[-62.2588958740234,-21.0569458007812],[-62.2694473266602,-20.5622253417969],[-61.7425003051758,-19.6450004577637],[-59.9818077087402,-19.2968082427979],[-59.0958404541016,-19.3488922119141],[-58.1509742736816,-19.831111907959],[-58.1588897705078,-20.1680564880371],[-57.8145866394043,-20.9787521362305],[-57.985107421875,-22.0918273925781],[-56.8775024414062,-22.274169921875],[-56.3965301513672,-22.0686817169189],[-56.2029190063477,-22.2747249603271],[-55.849723815918,-22.288890838623],[-55.6091690063477,-22.6384735107422],[-55.4120864868164,-23.9543075561523],[-55.0313949584961,-23.9944458007812],[-54.6256980895996,-23.804931640625],[-54.243896484375,-24.0536079406738],[-54.5989151000977,-25.5732231140137],[-54.6931953430176,-26.4280567169189],[-54.9633407592773,-26.7831974029541],[-55.5475006103516,-27.1122245788574],[-55.7316703796387,-27.4366683959961],[-56.1440315246582,-27.3114604949951],[-56.3980560302734,-27.5844459533691],[-57.791389465332,-27.2922248840332],[-58.604621887207,-27.3169212341309],[-58.6520881652832,-27.1588897705078],[-58.1816711425781,-26.6561126708984],[-58.1447296142578,-26.2069473266602],[-57.5766677856445,-25.549446105957],[-57.7611122131348,-25.1715297698975],[-58.807918548584,-24.781530380249],[-60.0380630493164,-24.0097236633301],[-61.0106964111328,-23.8108348846436],[-62.6437683105469,-22.2389030456543]],"Paraguay"], ["Country","PE0",[[-69.4997253417969,-17.5052795410156],[-69.8348693847656,-17.6813907623291],[-69.7744445800781,-17.985279083252],[-69.9584808349609,-18.2494449615479],[-70.4054870605469,-18.3485450744629],[-71.3016815185547,-17.711669921875],[-71.4942398071289,-17.302225112915],[-75.0513916015625,-15.4659729003906],[-75.9338912963867,-14.6518754959106],[-76.3947982788086,-13.8841676712036],[-76.1969451904297,-13.4183349609375],[-77.1230545043945,-12.077507019043],[-77.3047332763672,-11.5109729766846],[-77.6477127075195,-11.2978477478027],[-77.6794586181641,-10.9341678619385],[-78.9945907592773,-8.21965408325195],[-79.3725128173828,-7.85277843475342],[-79.9800109863281,-6.76861190795898],[-81.1747283935547,-6.08666706085205],[-81.1515350341797,-5.85569477081299],[-80.9390335083008,-5.8601393699646],[-80.8728561401367,-5.6445837020874],[-81.2038269042969,-5.20444488525391],[-81.0850067138672,-5.01777839660645],[-81.3551483154297,-4.68750047683716],[-81.2888259887695,-4.31368064880371],[-80.3404235839844,-3.38051700592041],[-80.1533355712891,-3.88422775268555],[-80.5016784667969,-4.05027866363525],[-80.3402786254883,-4.19951438903809],[-80.4637603759766,-4.44180631637573],[-80.1345977783203,-4.28449058532715],[-79.6432037353516,-4.43541717529297],[-79.2857055664062,-4.96458387374878],[-79.0366668701172,-4.99555587768555],[-78.6668090820312,-4.55486154556274],[-78.3294525146484,-3.41722249984741],[-78.181396484375,-3.47222232818604],[-77.8595886230469,-2.98583364486694],[-76.6606292724609,-2.57213497161865],[-75.5639495849609,-1.53995656967163],[-75.4022369384766,-0.922777891159058],[-75.2168426513672,-0.969366431236267],[-75.244384765625,-0.560972213745117],[-75.6158142089844,-0.10652032494545],[-75.2858428955078,-0.119722232222557],[-74.7723693847656,-0.207916676998138],[-74.3761138916016,-0.568055629730225],[-74.2406997680664,-1.01291680335999],[-73.5557022094727,-1.37527787685394],[-73.5075073242188,-1.74833345413208],[-73.1327819824219,-1.84916687011719],[-73.1152877807617,-2.3287501335144],[-72.8819580078125,-2.50638914108276],[-72.2275085449219,-2.49888896942139],[-71.6931991577148,-2.14791679382324],[-71.3616790771484,-2.34694480895996],[-70.8589630126953,-2.22534728050232],[-70.564453125,-2.49333333969116],[-70.2953872680664,-2.50128102302551],[-70.0675048828125,-2.75555562973022],[-70.7241668701172,-3.77972269058228],[-70.3230590820312,-3.79916667938232],[-69.9569244384766,-4.23687362670898],[-70.1978302001953,-4.33265018463135],[-70.3201446533203,-4.13972282409668],[-70.7624359130859,-4.14770841598511],[-70.9562606811523,-4.3822226524353],[-71.9024810791016,-4.5181884765625],[-72.8519592285156,-5.12472248077393],[-73.229736328125,-6.09361171722412],[-73.1239013671875,-6.44722270965576],[-73.7441711425781,-6.87694454193115],[-73.7058410644531,-7.30923652648926],[-73.9311218261719,-7.35916709899902],[-74.0045928955078,-7.55437564849854],[-73.7066650390625,-7.77638912200928],[-73.7719573974609,-7.9480562210083],[-73.533203125,-8.35236167907715],[-72.9623641967773,-8.9884729385376],[-73.2006988525391,-9.40076446533203],[-72.3716735839844,-9.49264049530029],[-72.1438903808594,-10.0047225952148],[-71.2963943481445,-9.99541759490967],[-70.5146636962891,-9.42800140380859],[-70.6313934326172,-11.0091667175293],[-69.5675048828125,-10.9505558013916],[-68.6739044189453,-12.5011501312256],[-68.9733428955078,-12.8654861450195],[-69.0627899169922,-13.7077789306641],[-68.8578872680664,-14.2001390457153],[-69.3647994995117,-14.8006258010864],[-69.137092590332,-15.2276401519775],[-69.4209823608398,-15.6215286254883],[-69.2138214111328,-16.1572227478027],[-68.8242416381836,-16.3263206481934],[-69.618896484375,-17.2147254943848],[-69.4997253417969,-17.5052795410156]],"Peru"], ["Country","RP0",[[121.939697265625,14.6269416809082],[121.807685852051,14.9234704971313],[121.935806274414,15.056941986084],[122.058319091797,14.9622192382812],[121.939697265625,14.6269416809082]],"Philippines"], ["Country","RP1",[[122.030899047852,13.2008209228516],[121.837196350098,13.3347206115723],[121.874420166016,13.5413875579834],[122.126640319824,13.4563865661621],[122.030899047852,13.2008209228516]],"Philippines"], ["Country","RP2",[[121.439697265625,12.3516635894775],[121.123176574707,12.2449970245361],[120.688026428223,13.1358318328857],[120.321090698242,13.4758310317993],[120.990325927734,13.5184020996094],[121.502212524414,13.1488876342773],[121.439697265625,12.3516635894775]],"Philippines"], ["Country","RP3",[[122.018051147461,12.0941638946533],[121.917762756348,12.3029146194458],[122.122756958008,12.6769428253174],[122.018051147461,12.0941638946533]],"Philippines"], ["Country","RP4",[[120.200607299805,12],[119.973022460938,12.0241641998291],[119.888046264648,12.3336086273193],[120.24471282959,12.1797199249268],[120.339981079102,11.9927749633789],[120.200607299805,12]],"Philippines"], ["Country","RP5",[[119.952766418457,11.656665802002],[119.883728027344,11.975136756897],[120.070541381836,11.8649978637695],[119.952766418457,11.656665802002]],"Philippines"], ["Country","RP6",[[119.431091308594,10.7208309173584],[119.302749633789,11.0061101913452],[119.47193145752,11.4242343902588],[119.484016418457,10.8793029785156],[119.715850830078,10.5109357833862],[119.328598022461,10.3094434738159],[119.201934814453,10.0484704971313],[118.753326416016,9.92499828338623],[118.753364562988,9.65450763702393],[118.348594665527,9.18860912322998],[117.178588867188,8.33298397064209],[117.662200927734,9.07694244384766],[118.027206420898,9.25916481018066],[118.801086425781,10.0347213745117],[119.00651550293,10.4393033981323],[119.13158416748,10.3836784362793],[119.313446044922,10.5841646194458],[119.216644287109,10.9554834365845],[119.431091308594,10.7208309173584]],"Philippines"], ["Country","RP7",[[119.816940307617,10.4391651153564],[119.76082611084,10.5587482452393],[119.997062683105,10.595344543457],[119.816940307617,10.4391651153564]],"Philippines"], ["Country","RP8",[[123.586380004883,9.08888626098633],[123.457206726074,9.19055366516113],[123.62858581543,9.29680442810059],[123.707633972168,9.13805484771729],[123.586380004883,9.08888626098633]],"Philippines"], ["Country","RP9",[[121.990539550781,6.40833282470703],[121.792762756348,6.63055419921875],[122.07568359375,6.7524995803833],[122.238311767578,6.5922212600708],[121.990539550781,6.40833282470703]],"Philippines"], ["Country","RP10",[[121.288040161133,5.85416603088379],[120.869430541992,5.95388793945312],[121.128311157227,6.08666610717773],[121.427124023438,5.97763776779175],[121.288040161133,5.85416603088379]],"Philippines"], ["Country","RP11",[[119.858322143555,5.04916572570801],[120.211448669434,5.34659624099731],[120.225601196289,5.12673473358154],[119.858322143555,5.04916572570801]],"Philippines"], ["Country","RP12",[[120.983489990234,18.5899467468262],[121.936653137207,18.2694435119629],[122.225540161133,18.5205535888672],[122.342483520508,18.3105525970459],[122.14582824707,17.7830543518066],[122.257209777832,17.363468170166],[122.533042907715,17.1013851165771],[122.468322753906,16.8805503845215],[122.051933288574,16.0627746582031],[122.09928894043,16.260066986084],[121.56330871582,15.9030532836914],[121.643051147461,15.7130527496338],[121.378860473633,15.3322200775146],[121.695266723633,14.6966648101807],[121.735534667969,14.1684703826904],[122.233322143555,13.8972206115723],[122.256790161133,14.2399978637695],[122.303588867188,14.1011085510254],[122.47331237793,14.3405532836914],[122.773597717285,14.3187475204468],[123.094985961914,13.9688863754272],[123.099990844727,13.6674976348877],[123.318458557129,13.7893037796021],[123.229713439941,14.0022220611572],[123.361099243164,14.0811100006104],[123.970123291016,13.7518043518066],[123.535125732422,13.6241636276245],[123.869735717773,13.2321157455444],[123.761795043945,13.0634698867798],[124.19637298584,13.0533304214478],[124.037773132324,12.531665802002],[123.840675354004,12.8280534744263],[124.0263671875,12.9637479782104],[123.729156494141,12.853609085083],[123.323883056641,13.0086097717285],[123.201507568359,13.4179849624634],[122.560997009277,13.9365673065186],[122.607482910156,13.1638870239258],[122.403587341309,13.5191650390625],[121.74991607666,13.964789390564],[121.279426574707,13.5938873291016],[120.879432678223,13.9024982452393],[120.716659545898,13.9252758026123],[120.662414550781,13.7688875198364],[120.592208862305,14.2311096191406],[120.985542297363,14.4905529022217],[120.924102783203,14.6814270019531],[120.548667907715,14.8232612609863],[120.542068481445,14.4219436645508],[120.393600463867,14.4586086273193],[120.245246887207,14.8477764129639],[120.087348937988,14.7834711074829],[119.909149169922,15.856107711792],[119.752769470215,15.9604148864746],[119.886108398438,16.3966636657715],[120.156646728516,16.0361099243164],[120.421920776367,16.1558303833008],[120.317207336426,16.6311073303223],[120.459991455078,17.4116630554199],[120.338592529297,17.571662902832],[120.571655273438,18.4931888580322],[120.983489990234,18.5899467468262]],"Philippines"], ["Country","RP13",[[124.208038330078,13.5152759552002],[124.030548095703,13.6638870239258],[124.208320617676,14.0987462997437],[124.41805267334,13.7931938171387],[124.208038330078,13.5152759552002]],"Philippines"], ["Country","RP14",[[123.164703369141,11.9041652679443],[123.245742797852,12.6057615280151],[123.91081237793,12.1891651153564],[124.079093933105,11.7279138565063],[123.536926269531,12.2054147720337],[123.164703369141,11.9041652679443]],"Philippines"], ["Country","RP15",[[124.971618652344,11.4463396072388],[124.82901763916,11.4965944290161],[125.037071228027,11.7529144287109],[124.469993591309,12.1041641235352],[124.257766723633,12.5511093139648],[125.148315429688,12.5765256881714],[125.504707336426,12.2049980163574],[125.449127197266,12.1022205352783],[125.450271606445,11.590274810791],[125.640609741211,11.3514547348022],[125.542068481445,11.1895122528076],[125.761169433594,11.0210399627686],[125.269439697266,11.1280536651611],[124.971618652344,11.4463396072388]],"Philippines"], ["Country","RP16",[[122.640266418457,12.2644443511963],[122.459022521973,12.4847888946533],[122.66943359375,12.4836082458496],[122.640266418457,12.2644443511963]],"Philippines"], ["Country","RP17",[[122.049423217773,11.2336082458496],[122.096794128418,11.7049980163574],[121.849418640137,11.7584705352783],[121.954437255859,11.9274978637695],[122.586647033691,11.521110534668],[122.830833435059,11.6086082458496],[122.880256652832,11.4302759170532],[123.166656494141,11.5644435882568],[123.123588562012,11.1656923294067],[121.96997833252,10.4131927490234],[122.049423217773,11.2336082458496]],"Philippines"], ["Country","RP18",[[124.488037109375,11.4616641998291],[124.337760925293,11.6775674819946],[124.531372070312,11.6797199249268],[124.619140625,11.5220823287964],[124.488037109375,11.4616641998291]],"Philippines"], ["Country","RP19",[[124.963027954102,11.3844556808472],[124.972763061523,11.3872203826904],[124.973518371582,11.375675201416],[125.015060424805,10.7434005737305],[125.27165222168,10.2974987030029],[125.120529174805,10.1769428253174],[124.978317260742,10.3745803833008],[124.977760314941,10.0402765274048],[124.764709472656,10.1963863372803],[124.766662597656,10.5747203826904],[124.67456817627,10.9481925964355],[124.421371459961,10.9133319854736],[124.316383361816,11.5669422149658],[124.64111328125,11.2930536270142],[124.963027954102,11.3844556808472]],"Philippines"], ["Country","RP20",[[123.410263061523,10.0499992370605],[124.050262451172,11.2774982452393],[124.019989013672,10.3870124816895],[123.636512756348,10.0698595046997],[123.352066040039,9.41673469543457],[123.410263061523,10.0499992370605]],"Philippines"], ["Country","RP21",[[123.34684753418,10.3943996429443],[123.107063293457,9.62763595581055],[123.312759399414,9.29638671875],[123.014709472656,9.03388786315918],[122.406646728516,9.79860877990723],[122.453872680664,9.9748592376709],[122.85693359375,10.0951366424561],[122.952476501465,10.8944444656372],[123.50471496582,10.9373598098755],[123.34684753418,10.3943996429443]],"Philippines"], ["Country","RP22",[[125.64665222168,9.82166481018066],[125.475273132324,10.1311092376709],[125.636657714844,10.4666652679443],[125.64665222168,9.82166481018066]],"Philippines"], ["Country","RP23",[[124.528587341309,10.0555534362793],[124.599220275879,9.76173400878906],[124.357208251953,9.62360858917236],[123.956939697266,9.59860801696777],[123.791793823242,9.73333072662354],[124.152488708496,10.1480550765991],[124.528587341309,10.0555534362793]],"Philippines"], ["Country","RP24",[[126.031936645508,9.74249649047852],[125.975944519043,9.91299533843994],[126.073043823242,10.0520124435425],[126.174705505371,9.80513668060303],[126.031936645508,9.74249649047852]],"Philippines"], ["Country","RP25",[[125.922157287598,9.48726081848145],[126.324851989746,8.91860961914062],[126.084434509277,8.60972023010254],[126.392211914062,8.50749969482422],[126.439697265625,8.1099967956543],[126.36580657959,7.8824987411499],[126.551933288574,7.69222068786621],[126.58186340332,7.28430461883545],[126.280685424805,6.92124891281128],[126.34831237793,6.8004846572876],[126.165267944336,6.88166522979736],[126.191650390625,6.27222156524658],[125.856094360352,7.34527683258057],[125.689697265625,7.27638816833496],[125.377616882324,6.72360992431641],[125.702766418457,6.02499914169312],[125.376373291016,5.55430459976196],[125.191650390625,5.76722145080566],[125.259429931641,6.09333276748657],[124.956939697266,5.8513879776001],[124.183448791504,6.21388816833496],[123.948593139648,6.82333278656006],[124.268600463867,7.37444305419922],[123.676651000977,7.81249904632568],[123.458877563477,7.81055450439453],[123.413040161133,7.35610961914062],[123.111099243164,7.51999950408936],[123.117210388184,7.72888803482056],[122.99275970459,7.45548534393311],[122.812759399414,7.43694305419922],[122.809982299805,7.74652671813965],[122.623870849609,7.77305507659912],[122.14998626709,6.90527725219727],[121.921096801758,6.99416542053223],[122.225395202637,7.96416568756104],[122.923027038574,8.15083122253418],[123.025688171387,8.48874759674072],[123.304702758789,8.5230541229248],[123.378593444824,8.72527599334717],[123.818046569824,8.47694206237793],[123.866371154785,8.16041564941406],[123.680541992188,7.95833253860474],[124.224006652832,8.21249771118164],[124.43221282959,8.61527442932129],[124.727478027344,8.48638534545898],[124.800811767578,8.9995813369751],[125.090553283691,8.82527542114258],[125.514709472656,9.00666618347168],[125.44026184082,9.80916404724121],[125.922157287598,9.48726081848145]],"Philippines"], ["Country","PC0",[[-128.31022644043,-24.3258972167969],[-128.285858154297,-24.4016036987305],[-128.312408447266,-24.4055194854736],[-128.345901489258,-24.3385143280029],[-128.31022644043,-24.3258972167969]],"Pitcairn Is."], ["Country","PL0",[[22.5580520629883,49.0794372558594],[21.6126384735107,49.4365234375],[20.9136085510254,49.2961044311523],[20.3605537414551,49.3930511474609],[20.0733642578125,49.1778755187988],[19.7834701538086,49.2002029418945],[19.7780170440674,49.4074935913086],[19.4755554199219,49.5999984741211],[19.1595802307129,49.4002723693848],[18.851245880127,49.5173568725586],[18.5787467956543,49.9122200012207],[17.6577758789062,50.1080551147461],[17.7244415283203,50.3190231323242],[16.8909683227539,50.4386749267578],[17.0022201538086,50.2169418334961],[16.6399974822998,50.10888671875],[16.2190265655518,50.4102745056152],[16.447359085083,50.5788154602051],[16.3320121765137,50.6640243530273],[15.3797197341919,50.7794418334961],[15.1769428253174,51.0147171020508],[14.828332901001,50.8658294677734],[15.0338182449341,51.2866592407227],[14.6009712219238,51.8200645446777],[14.7607650756836,52.0698623657227],[14.5344429016113,52.3962478637695],[14.6395816802979,52.5729789733887],[14.1491661071777,52.8627777099609],[14.3916893005371,53.1441650390625],[14.2756271362305,53.6990661621094],[14.5249996185303,53.6605529785156],[14.6141662597656,53.8163833618164],[14.2188873291016,53.8690185546875],[14.2255554199219,53.9286041259766],[16.1747207641602,54.259162902832],[16.5436096191406,54.5447158813477],[17.918888092041,54.82666015625],[18.7399978637695,54.6852722167969],[18.4061088562012,54.7381896972656],[18.5952053070068,54.4277725219727],[18.8437480926514,54.3518028259277],[19.6272583007812,54.4632720947266],[19.6511077880859,54.4558258056641],[19.2533302307129,54.2781867980957],[19.7970066070557,54.4375495910645],[22.7858848571777,54.3638381958008],[23.356107711792,54.235408782959],[23.5040397644043,53.9470443725586],[23.9352741241455,52.7174873352051],[23.1653995513916,52.2822761535645],[23.6386070251465,52.0794372558594],[23.6046333312988,51.5276947021484],[24.1434688568115,50.8595771789551],[23.9543857574463,50.7917022705078],[24.111385345459,50.5669403076172],[22.678466796875,49.5694389343262],[22.7038135528564,49.1698875427246],[22.8860740661621,49.0029144287109],[22.5580520629883,49.0794372558594]],"Poland"], ["Country","PO0",[[-7.43185424804688,37.2531890869141],[-7.89777851104736,37.0088882446289],[-8.98923683166504,37.0263137817383],[-8.79586219787598,37.442512512207],[-8.8025016784668,38.3744430541992],[-8.6733341217041,38.4138870239258],[-8.76889038085938,38.517219543457],[-9.18388938903809,38.4197158813477],[-9.27423667907715,38.6687431335449],[-8.91974639892578,38.7658920288086],[-8.99430656433105,38.9406204223633],[-9.11847305297852,38.7172203063965],[-9.47604274749756,38.7052726745605],[-9.35958385467529,39.3566627502441],[-9.08555603027344,39.6149978637695],[-8.6601390838623,40.6911087036133],[-8.88083457946777,41.7516632080078],[-8.74500846862793,41.9524993896484],[-8.19783401489258,42.1506729125977],[-8.13611221313477,41.8091659545898],[-6.60229206085205,41.949161529541],[-6.54562520980835,41.68701171875],[-6.19045066833496,41.5796356201172],[-6.92440700531006,41.0309600830078],[-6.79611206054688,40.5244369506836],[-7.02722263336182,40.1877746582031],[-6.87069463729858,40.0159683227539],[-7.01722240447998,39.6749954223633],[-7.53250503540039,39.6694183349609],[-6.9558687210083,39.0231895446777],[-7.31708383560181,38.4447174072266],[-6.9415283203125,38.1704139709473],[-7.44694519042969,37.6994400024414],[-7.43185424804688,37.2531890869141]],"Portugal"], ["Country","PO1",[[-27.138614654541,38.6294403076172],[-27.3850021362305,38.7633285522461],[-27.0658340454102,38.76416015625],[-27.138614654541,38.6294403076172]],"Portugal"], ["Country","PO2",[[-28.2466697692871,38.371940612793],[-28.549446105957,38.5272216796875],[-28.070140838623,38.4441604614258],[-28.2466697692871,38.371940612793]],"Portugal"], ["Country","PO3",[[-25.456111907959,37.7055511474609],[-25.8541679382324,37.8838882446289],[-25.1652793884277,37.85888671875],[-25.1552810668945,37.7488861083984],[-25.456111907959,37.7055511474609]],"Portugal"], ["Country","PO4",[[-16.9436111450195,32.6374969482422],[-17.2545166015625,32.8128433227539],[-16.7155570983887,32.7588882446289],[-16.9436111450195,32.6374969482422]],"Portugal"], ["Country","RQ0",[[-67.1399765014648,18.5116291046143],[-65.8905639648438,18.452220916748],[-65.602783203125,18.2345809936523],[-65.9372253417969,17.9666633605957],[-67.1847305297852,17.9324989318848],[-67.2663955688477,18.3654155731201],[-67.1399765014648,18.5116291046143]],"Puerto Rico"], ["Country","QA0",[[51.2151641845703,24.6208877563477],[50.9730529785156,24.5769424438477],[50.8309555053711,24.7499656677246],[50.7563819885254,25.4995803833008],[50.9518013000488,25.5991649627686],[51.0369415283203,26.0424270629883],[51.2448577880859,26.1524982452393],[51.5672149658203,25.9077053070068],[51.4753799438477,25.5217685699463],[51.6158294677734,25.1786079406738],[51.4355506896973,24.6611099243164],[51.2151641845703,24.6208877563477]],"Qatar"], ["Country","RE0",[[55.7099990844727,-20.9980583190918],[55.8530502319336,-21.1686134338379],[55.6741638183594,-21.3738899230957],[55.3433303833008,-21.268611907959],[55.2205505371094,-21.0250015258789],[55.4524955749512,-20.8565311431885],[55.7099990844727,-20.9980583190918]],"Reunion"], ["Country","RO0",[[28.2148399353027,45.4486465454102],[28.7008056640625,45.2200889587402],[29.4113845825195,45.4358215332031],[29.6643314361572,45.2118034362793],[29.5494384765625,44.8202667236328],[28.8691940307617,44.9405097961426],[28.9473552703857,44.8266563415527],[28.7808284759521,44.660961151123],[28.9908618927002,44.6856460571289],[28.7630500793457,44.6255836486816],[28.7574996948242,44.5197219848633],[28.9277725219727,44.6174926757812],[28.6295795440674,44.2965202331543],[28.5832443237305,43.7477645874023],[27.0364265441895,44.1473388671875],[26.1363849639893,43.9827690124512],[25.5319404602051,43.6436004638672],[24.1892337799072,43.6849250793457],[22.8944435119629,43.8361053466797],[23.0429840087891,44.072566986084],[22.6814346313477,44.2247009277344],[22.4615268707275,44.4833297729492],[22.7625102996826,44.5526008605957],[22.4661083221436,44.7137451171875],[22.1374969482422,44.4802742004395],[21.3986644744873,44.7831039428711],[21.5539569854736,44.8924255371094],[21.3734359741211,45.0136070251465],[21.4827766418457,45.1836090087891],[20.8083305358887,45.4788818359375],[20.8015956878662,45.758674621582],[20.2610244750977,46.1148529052734],[21.177360534668,46.2973594665527],[22.0138854980469,47.5106201171875],[22.8948040008545,47.9545402526855],[23.1741638183594,48.108325958252],[24.5563888549805,47.9530487060547],[24.9289169311523,47.7131423950195],[25.3338813781738,47.9166603088379],[26.1586055755615,47.9852561950684],[26.6349945068359,48.2571640014648],[27.0005531311035,48.1555480957031],[27.2994384765625,47.6585998535156],[28.0793724060059,46.9822769165039],[28.2468013763428,46.6078033447266],[28.0691604614258,45.5833206176758],[28.2148399353027,45.4486465454102]],"Romania"], ["Country","RS0",[[50.4152450561523,81.0394592285156],[50.5163879394531,81.1619262695312],[50.9823532104492,81.1034545898438],[50.4152450561523,81.0394592285156]],"Russia"], ["Country","RS1",[[79.2177734375,80.9546813964844],[80.4359512329102,80.9303970336914],[79.1730346679688,80.806640625],[78.9741516113281,80.8516540527344],[79.2177734375,80.9546813964844]],"Russia"], ["Country","RS2",[[46.6988754272461,80.2660980224609],[48.1854057312012,80.3333206176758],[47.623462677002,80.3988037109375],[48.1298561096191,80.4649887084961],[47.3915901184082,80.4500503540039],[47.8355484008789,80.5233154296875],[49.1922149658203,80.5213775634766],[49.6813812255859,80.7174835205078],[48.9617309570312,80.7302551269531],[49.8141555786133,80.8910980224609],[50.8808250427246,80.910400390625],[51.0188827514648,80.8333282470703],[50.3433227539062,80.7111053466797],[51.7462425231934,80.7151260375977],[49.7224884033203,80.4852600097656],[49.8298568725586,80.405403137207],[49.6033248901367,80.3641510009766],[48.8366546630859,80.3799743652344],[48.6419372558594,80.286376953125],[49.1072845458984,80.1854629516602],[48.3741607666016,80.0872039794922],[47.6161041259766,80.0705413818359],[48.0824966430664,80.1972045898438],[47.9241638183594,80.2424774169922],[46.6988754272461,80.2660980224609]],"Russia"], ["Country","RS3",[[46.0841598510742,80.4369201660156],[46.0363845825195,80.5722198486328],[44.8805465698242,80.62109375],[47.198600769043,80.8402709960938],[48.2847213745117,80.8258209228516],[48.7648582458496,80.6494293212891],[47.7516632080078,80.7663879394531],[47.3324966430664,80.6724853515625],[47.4236068725586,80.5888824462891],[46.0841598510742,80.4369201660156]],"Russia"], ["Country","RS4",[[49.8743591308594,80.0636596679688],[49.601936340332,80.1766510009766],[50.3316612243652,80.174430847168],[49.8743591308594,80.0636596679688]],"Russia"], ["Country","RS5",[[50.0663681030273,79.9792022705078],[51.0080490112305,80.098876953125],[51.5019378662109,79.9316558837891],[50.0663681030273,79.9792022705078]],"Russia"], ["Country","RS6",[[105.252777099609,78.47998046875],[102.718048095703,78.1599884033203],[99.3413696289062,78.0199890136719],[99.9944305419922,78.3352661132812],[100.372344970703,78.7417831420898],[101.164428710938,78.7552719116211],[100.780960083008,78.8638687133789],[100.887763977051,78.9731826782227],[101.619979858398,78.9802627563477],[100.991165161133,79.0631103515625],[101.197196960449,79.2058258056641],[101.776382446289,79.3674774169922],[102.243316650391,79.2391510009766],[102.140266418457,79.3599853515625],[102.305541992188,79.425537109375],[103.154632568359,79.3113021850586],[102.825546264648,79.2230377197266],[102.399436950684,78.8266525268555],[102.914703369141,79.0524749755859],[103.946929931641,79.1333312988281],[104.605819702148,78.7758255004883],[105.158332824707,78.8113708496094],[105.413177490234,78.5710906982422],[105.252777099609,78.47998046875]],"Russia"], ["Country","RS7",[[106.190811157227,78.1899719238281],[106.045257568359,78.2638854980469],[106.759857177734,78.3067855834961],[106.190811157227,78.1899719238281]],"Russia"], ["Country","RS8",[[107.438873291016,78.0494232177734],[106.494979858398,78.1588745117188],[107.538879394531,78.1819305419922],[107.69970703125,78.1222076416016],[107.438873291016,78.0494232177734]],"Russia"], ["Country","RS9",[[107.354431152344,77.2288665771484],[107.203109741211,77.2344284057617],[107.414993286133,77.3566436767578],[107.689697265625,77.26416015625],[107.354431152344,77.2288665771484]],"Russia"], ["Country","RS10",[[89.1678314208984,77.1644287109375],[89.2630462646484,77.2963714599609],[89.6845703125,77.2810974121094],[89.1678314208984,77.1644287109375]],"Russia"], ["Country","RS11",[[144.925811767578,75.4580383300781],[144.673446655273,75.3281860351562],[144.936370849609,75.266242980957],[144.348297119141,75.04443359375],[143.365509033203,75.0672149658203],[142.497055053711,75.3624114990234],[143.023162841797,75.6845703125],[142.447479248047,75.7111053466797],[142.140258789062,75.5908203125],[142.213012695312,75.3333282470703],[142.634979248047,75.0935974121094],[143.698516845703,74.9371948242188],[142.441650390625,74.8133087158203],[141.973358154297,74.9386596679688],[142.327178955078,74.91748046875],[142.170532226562,75.0041656494141],[140.058486938477,74.8313064575195],[139.646942138672,74.9791564941406],[139.462600708008,74.928596496582],[139.498580932617,74.7616577148438],[139.096069335938,74.647216796875],[138.025268554688,74.8044281005859],[136.860656738281,75.3520660400391],[137.404968261719,75.3522033691406],[137.131774902344,75.4173431396484],[137.287475585938,75.5918579101562],[136.968444824219,75.6061325073242],[137.205230712891,75.7841491699219],[137.740234375,75.7458190917969],[137.449981689453,75.9547119140625],[138.832183837891,76.2202606201172],[140.496917724609,75.7933197021484],[140.479125976562,75.6361083984375],[141.055938720703,75.6423492431641],[140.869613647461,75.7388000488281],[140.949691772461,76.027214050293],[141.612548828125,76.0170364379883],[141.356628417969,76.1805419921875],[142.560241699219,75.8577575683594],[143.657196044922,75.864990234375],[145.200256347656,75.5972137451172],[145.382110595703,75.5154724121094],[144.925811767578,75.4580383300781]],"Russia"], ["Country","RS12",[[135.447509765625,75.3743743896484],[135.7080078125,75.8499908447266],[136.178451538086,75.6160888671875],[135.930267333984,75.3961029052734],[135.447509765625,75.3743743896484]],"Russia"], ["Country","RS13",[[146.507263183594,75.5871887207031],[146.972198486328,75.3383178710938],[148.387756347656,75.4160919189453],[148.570739746094,75.3742141723633],[148.446411132812,75.2817230224609],[148.578033447266,75.2133178710938],[150.953033447266,75.1394348144531],[150.633575439453,74.8926239013672],[149.69580078125,74.7608184814453],[148.256103515625,74.7891540527344],[146.074142456055,75.2237319946289],[146.507263183594,75.5871887207031]],"Russia"], ["Country","RS14",[[140.448608398438,73.901611328125],[140.109954833984,74.0313720703125],[140.114135742188,74.2008209228516],[140.740783691406,74.2808227539062],[141.117050170898,74.1649856567383],[141.020538330078,73.9927520751953],[140.448608398438,73.901611328125]],"Russia"], ["Country","RS15",[[135.417602539062,74.2477416992188],[136.270965576172,73.9327545166016],[136.07080078125,73.8969421386719],[135.417602539062,74.2477416992188]],"Russia"], ["Country","RS16",[[69.8735046386719,73.0505523681641],[70.0630340576172,73.2324829101562],[69.9611053466797,73.4005432128906],[70.4855346679688,73.4930419921875],[71.2474822998047,73.4541625976562],[70.9991455078125,73.2888793945312],[71.4549865722656,73.3466491699219],[71.6777648925781,73.210823059082],[69.8735046386719,73.0505523681641]],"Russia"], ["Country","RS17",[[120,73.0381927490234],[119.632614135742,73.118034362793],[120.135536193848,73.1438751220703],[120.213882446289,73.04248046875],[120,73.0381927490234]],"Russia"], ["Country","RS18",[[78.6757202148438,72.9016723632812],[79.2160949707031,73.0924835205078],[79.5811004638672,72.7473373413086],[78.8460998535156,72.7538757324219],[78.6047058105469,72.8030395507812],[78.6757202148438,72.9016723632812]],"Russia"], ["Country","RS19",[[-179.99,71.5358428955078],[-178.568603515625,71.5641479492188],[-177.441543579102,71.2293472290039],[-177.930435180664,71.0394287109375],[-179.495147705078,70.9135894775391],[-179.99,70.9972076416016],[-179.99,71.5358428955078]],"Russia"], ["Country","RS20",[[179.99,70.9972076416016],[178.791015625,70.7964019775391],[178.619400024414,71.0531768798828],[179.99,71.5358581542969],[179.99,70.9972076416016]],"Russia"], ["Country","RS21",[[59.9119338989258,69.6663818359375],[59.4311027526855,69.8834533691406],[59.0177688598633,69.8538665771484],[58.4091567993164,70.2536087036133],[58.8230476379395,70.2158279418945],[58.6316604614258,70.3258209228516],[59.0347862243652,70.4742126464844],[60.4188804626465,69.9523468017578],[60.5469398498535,69.8024826049805],[59.9119338989258,69.6663818359375]],"Russia"], ["Country","RS22",[[48.2321014404297,69.0840911865234],[48.4138793945312,69.3477630615234],[49.0090179443359,69.5097122192383],[50.3294372558594,69.1244888305664],[48.7854080200195,68.7230377197266],[48.218879699707,68.8902587890625],[48.2321014404297,69.0840911865234]],"Russia"], ["Country","RS23",[[69.8231353759766,66.488525390625],[69.1269226074219,66.7919235229492],[70.0705413818359,66.69775390625],[70.1024856567383,66.5277633666992],[69.8231353759766,66.488525390625]],"Russia"], ["Country","RS24",[[-172.675994873047,64.7312469482422],[-172.439758300781,64.8613739013672],[-172.167266845703,64.7724761962891],[-172.675994873047,64.7312469482422]],"Russia"], ["Country","RS25",[[163.385528564453,58.5594024658203],[163.691925048828,58.7449951171875],[163.841842651367,58.9949951171875],[163.699401855469,59.0144424438477],[164.553039550781,59.2372131347656],[164.704132080078,59.0247116088867],[164.6513671875,58.8827667236328],[163.457183837891,58.4652709960938],[163.385528564453,58.5594024658203]],"Russia"], ["Country","RS26",[[166.246246337891,55.3296279907227],[166.664001464844,54.6774940490723],[165.838012695312,55.2644424438477],[166.246246337891,55.3296279907227]],"Russia"], ["Country","RS27",[[137.221313476562,54.7737197875977],[137.566925048828,55.1888809204102],[138.205383300781,55.0406913757324],[137.707183837891,54.6183242797852],[137.486633300781,54.8724899291992],[137.221313476562,54.7737197875977]],"Russia"], ["Country","RS28",[[136.667266845703,54.9050598144531],[137.187881469727,55.105411529541],[137.046081542969,54.9174957275391],[136.667266845703,54.9050598144531]],"Russia"], ["Country","RS29",[[141.842468261719,53.1452713012695],[141.770126342773,53.3677711486816],[142.220245361328,53.5184631347656],[142.274688720703,53.3697128295898],[142.472473144531,53.3862419128418],[142.681091308594,53.5167999267578],[142.501770019531,53.6634635925293],[142.799209594727,53.7039451599121],[142.769836425781,53.8383941650391],[142.610458374023,53.6925582885742],[142.720657348633,53.9276313781738],[142.401916503906,54.2661056518555],[142.574264526367,54.2313766479492],[142.735656738281,54.4202728271484],[143.009078979492,54.1308250427246],[142.88134765625,53.8080444335938],[143.226348876953,53.3208312988281],[143.337463378906,52.8291625976562],[143.30615234375,52.4782562255859],[143.199554443359,52.3455467224121],[143.255950927734,52.5930442810059],[143.152770996094,52.3816604614258],[143.124969482422,51.9605484008789],[143.314971923828,51.7294311523438],[143.219421386719,51.5258255004883],[143.367172241211,51.6388816833496],[143.449981689453,51.4986038208008],[143.381195068359,51.3456153869629],[143.523025512695,51.2677726745605],[143.794845581055,50.2937431335449],[144.740692138672,48.6453018188477],[143.981903076172,49.2688827514648],[143.289703369141,49.397632598877],[143.660110473633,49.3076286315918],[142.986633300781,49.0955505371094],[142.535675048828,47.7966613769531],[143.017547607422,47.24853515625],[143.174072265625,46.7063140869141],[143.491638183594,46.8086013793945],[143.601898193359,46.3836059570312],[143.431365966797,46.0194396972656],[143.384902954102,46.5331878662109],[142.780334472656,46.5982551574707],[142.719543457031,46.7420043945312],[142.421356201172,46.5824966430664],[142.087585449219,45.891658782959],[141.831283569336,46.4222831726074],[142.057067871094,47.0788803100586],[141.963027954102,47.5999908447266],[142.187683105469,47.9539527893066],[141.853698730469,48.7571449279785],[142.140533447266,49.552490234375],[142.043167114258,50.5420799255371],[142.267761230469,51.1044387817383],[141.648040771484,51.8866577148438],[141.639007568359,52.3134651184082],[141.923431396484,53.0131874084473],[141.842468261719,53.1452713012695]],"Russia"], ["Country","RS30",[[156.400848388672,50.6256408691406],[156.175262451172,50.7536087036133],[156.468444824219,50.8674926757812],[156.400848388672,50.6256408691406]],"Russia"], ["Country","RS31",[[94.9268493652344,80.1394805908203],[93.6783142089844,79.994140625],[92.076301574707,80.1694946289062],[92.8810272216797,80.1706771850586],[92.1361083984375,80.2874908447266],[93.2724914550781,80.3019256591797],[91.4249114990234,80.3101196289062],[92.6040496826172,80.3904418945312],[91.9030456542969,80.4585952758789],[92.7744369506836,80.5159606933594],[93.3255462646484,80.8058166503906],[92.4936599731445,80.7675552368164],[93.0592956542969,80.9917907714844],[95.6994171142578,81.2902679443359],[97.9658279418945,80.7100601196289],[97.129150390625,80.6627655029297],[97.0169372558594,80.5296325683594],[97.4209594726562,80.313591003418],[96.7747039794922,80.2224884033203],[94.9268493652344,80.1394805908203]],"Russia"], ["Country","RS32",[[91.0297088623047,81.0555419921875],[89.8936004638672,81.1685943603516],[91.3433227539062,81.207763671875],[91.5765151977539,81.1330413818359],[91.0297088623047,81.0555419921875]],"Russia"], ["Country","RS33",[[53.2144470214844,80.5157470703125],[53.3013801574707,80.5954055786133],[53.1874923706055,80.6569366455078],[53.5439529418945,80.5266571044922],[53.2144470214844,80.5157470703125]],"Russia"], ["Country","RS34",[[53.831413269043,80.4999694824219],[54.0074996948242,80.6074829101562],[54.4619407653809,80.4712371826172],[53.831413269043,80.4999694824219]],"Russia"], ["Country","RS35",[[52.3189163208008,80.218505859375],[52.9316635131836,80.4088745117188],[53.8699226379395,80.261100769043],[52.3189163208008,80.218505859375]],"Russia"], ["Country","RS36",[[55.802848815918,80.1271362304688],[56.0443000793457,80.1941452026367],[56.0072174072266,80.3358154296875],[57.1301307678223,80.3124847412109],[57.0244369506836,80.0711059570312],[55.802848815918,80.1271362304688]],"Russia"], ["Country","RS37",[[99.6013793945312,79.2913665771484],[99.0447006225586,79.2877578735352],[99.8534545898438,79.0854034423828],[99.9226303100586,78.9424743652344],[98.3424835205078,78.7791595458984],[95.5330505371094,79.1052551269531],[95.0077667236328,79.0402679443359],[94.3246383666992,79.2506103515625],[94.3324890136719,79.4655456542969],[93.7137298583984,79.4568634033203],[93.9855422973633,79.4923400878906],[93.6880340576172,79.5390090942383],[93.8790054321289,79.5994338989258],[93.2244262695312,79.4377593994141],[92.8551177978516,79.5574798583984],[94.6160888671875,79.8119201660156],[94.223876953125,79.9001235961914],[94.8759994506836,80.0824661254883],[94.9366455078125,80.0994262695312],[95.2041244506836,80.1066665649414],[97.5341491699219,80.1697082519531],[98.034423828125,80.0674896240234],[97.2394256591797,79.6983184814453],[98.3927688598633,79.8694305419922],[98.5285949707031,80.0524749755859],[100.015266418457,79.8241577148438],[99.6013793945312,79.2913665771484]],"Russia"], ["Country","RS38",[[58.7996826171875,80.0066986083984],[59.4508285522461,80.114990234375],[59.8605499267578,79.9877624511719],[58.7996826171875,80.0066986083984]],"Russia"], ["Country","RS39",[[91.0866546630859,80.0485992431641],[93.8087310791016,79.8917922973633],[91.9216461181641,79.6733093261719],[92.3391571044922,79.7408142089844],[91.0730438232422,79.8486022949219],[91.2399749755859,79.9341430664062],[91.0866546630859,80.0485992431641]],"Russia"], ["Country","RS40",[[96.5208587646484,77.2015838623047],[96.1660919189453,76.9891510009766],[95.2312393188477,76.9966583251953],[96.5208587646484,77.2015838623047]],"Russia"], ["Country","RS41",[[56.5744400024414,74.7230377197266],[55.817699432373,74.8044967651367],[56.6759643554688,74.9488067626953],[55.8616638183594,74.9955368041992],[55.9173545837402,75.0817947387695],[55.7288780212402,75.0762405395508],[55.9256858825684,75.1938629150391],[56.4805450439453,75.0613708496094],[56.9082527160645,75.2368621826172],[56.732349395752,75.2982482910156],[56.8694381713867,75.3597106933594],[57.7372131347656,75.3230438232422],[57.5122146606445,75.4941482543945],[58.1813812255859,75.5779113769531],[57.9922180175781,75.6715087890625],[60.3276329040527,75.9931793212891],[60.0444412231445,76.0441513061523],[60.2961044311523,76.1094207763672],[60.8088836669922,76.1205291748047],[60.4684638977051,76.0138778686523],[60.7291564941406,76.0022125244141],[61.1561012268066,76.1315841674805],[60.9049224853516,76.1481094360352],[61.0663833618164,76.2738800048828],[62.5024948120117,76.1766510009766],[64.1097106933594,76.3113708496094],[65.5485992431641,76.5822143554688],[65.9744262695312,76.5280456542969],[65.7576217651367,76.6818542480469],[65.9260864257812,76.744140625],[67.9160919189453,77.0066528320312],[68.9313659667969,76.7827606201172],[68.8610992431641,76.5419311523438],[68.2908172607422,76.2799835205078],[66.8486022949219,76.0663757324219],[63.5819396972656,75.7108154296875],[61.4822082519531,75.2194366455078],[61.2832565307617,75.3183135986328],[60.7366561889648,75.0249938964844],[59.9301986694336,74.9972686767578],[60.6824951171875,74.9272079467773],[60.2037391662598,74.8464431762695],[60.3674926757812,74.786376953125],[60.243049621582,74.7430419921875],[59.5099945068359,74.7949829101562],[59.869571685791,74.6808166503906],[59.763744354248,74.5890121459961],[59.1694412231445,74.7197113037109],[59.2876358032227,74.6413803100586],[59.147216796875,74.4385833740234],[58.1919479370117,74.5752334594727],[58.613883972168,74.4277648925781],[58.7241592407227,74.2358093261719],[58.2798538208008,74.217903137207],[58.3847198486328,74.1310882568359],[58.1367988586426,74.137077331543],[58.1149978637695,73.9833221435547],[57.4147109985352,74.1795654296875],[57.5181884765625,74.0824890136719],[57.2574996948242,74.0760955810547],[57.9116592407227,73.9155426025391],[57.7241592407227,73.7152633666992],[57.410961151123,73.8640289306641],[56.5678405761719,73.8801193237305],[57.3305511474609,73.8241577148438],[57.4534034729004,73.7538681030273],[57.6136093139648,73.6622009277344],[57.3511047363281,73.5497131347656],[56.7270050048828,73.6715087890625],[57.2524948120117,73.4912338256836],[56.7495803833008,73.2452621459961],[55.9077682495117,73.4402618408203],[55.9266586303711,73.3041534423828],[54.9716567993164,73.4421997070312],[54.6484260559082,73.3918228149414],[54.2142944335938,73.3241577148438],[54.1630020141602,73.3412246704102],[54.0369415283203,73.3831787109375],[54.2930526733398,73.4638824462891],[55.1738815307617,73.7110977172852],[54.0608215332031,73.6058197021484],[53.6501312255859,73.803108215332],[54.8002700805664,73.9772720336914],[54.5906143188477,74.0080413818359],[55.0212440490723,74.1724853515625],[55.862003326416,74.1081771850586],[55.0752716064453,74.2613830566406],[55.7034645080566,74.2679138183594],[55.2342987060547,74.3660888671875],[55.3644371032715,74.434700012207],[56.2813835144043,74.487548828125],[55.528190612793,74.6474838256836],[56.5744400024414,74.7230377197266]],"Russia"], ["Country","RS42",[[112.574996948242,76.4419250488281],[111.956649780273,76.5986022949219],[112.507217407227,76.6274719238281],[112.713600158691,76.5137405395508],[112.574996948242,76.4419250488281]],"Russia"], ["Country","RS43",[[96.7588806152344,76.1735992431641],[96.8344268798828,76.3469390869141],[97.0730438232422,76.3030395507812],[96.7588806152344,76.1735992431641]],"Russia"], ["Country","RS44",[[96.3505401611328,76.0974884033203],[95.2636108398438,76.2130432128906],[96.3663787841797,76.3010864257812],[96.6494293212891,76.2488708496094],[96.5691528320312,76.1502685546875],[96.3621978759766,76.26220703125],[96.3505401611328,76.0974884033203]],"Russia"], ["Country","RS45",[[82.1504669189453,75.4975891113281],[82.0097198486328,75.4388732910156],[82.2895660400391,75.3344345092773],[82.0391540527344,75.3402709960938],[82.0119323730469,75.1722106933594],[81.4955368041992,75.3545684814453],[82.1504669189453,75.4975891113281]],"Russia"], ["Country","RS46",[[87.0148315429688,74.9881439208984],[87.0549774169922,74.88916015625],[86.6905364990234,74.9010925292969],[86.8352661132812,74.8263854980469],[86.2111053466797,74.8986053466797],[87.0148315429688,74.9881439208984]],"Russia"], ["Country","RS47",[[85.8563690185547,74.439697265625],[85.6609573364258,74.4735946655273],[85.8044281005859,74.5669403076172],[86.2126312255859,74.5226287841797],[85.8563690185547,74.439697265625]],"Russia"], ["Country","RS48",[[112.787773132324,74.0919342041016],[111.455963134766,74.3215866088867],[111.87776184082,74.3452606201172],[112.078872680664,74.5485992431641],[113.288879394531,74.4758148193359],[113.425262451172,74.3863830566406],[112.787773132324,74.0919342041016]],"Russia"], ["Country","RS49",[[82.564697265625,74.1593170166016],[82.7338714599609,74.0954055786133],[82.6097106933594,74.0485992431641],[82.3198471069336,74.0935974121094],[82.564697265625,74.1593170166016]],"Russia"], ["Country","RS50",[[141.160797119141,73.8773345947266],[142.513031005859,73.8388824462891],[143.431915283203,73.5224914550781],[143.505828857422,73.2302703857422],[140.745513916016,73.4513854980469],[139.711364746094,73.3547058105469],[140.604125976562,73.5499877929688],[141.160797119141,73.8773345947266]],"Russia"], ["Country","RS51",[[126.246566772461,72.52392578125],[126.348327636719,72.3799743652344],[126.165817260742,72.3019256591797],[124.718322753906,72.6763763427734],[122.432350158691,72.977180480957],[123.217483520508,72.9251251220703],[123.376922607422,73.1629028320312],[123.658866882324,73.1680450439453],[123.221786499023,73.4017944335938],[123.373313903809,73.6591567993164],[123.965545654297,73.6199798583984],[123.884696960449,73.7660980224609],[124.358596801758,73.8035888671875],[125.583877563477,73.5408172607422],[125.56623840332,73.4024887084961],[126.317344665527,73.5431823730469],[126.157066345215,73.3770599365234],[126.423461914062,73.4059600830078],[126.619430541992,73.2033233642578],[126.710891723633,73.0810317993164],[126.278182983398,72.8737258911133],[126.246566772461,72.52392578125]],"Russia"], ["Country","RS52",[[126.332786560059,72.489372253418],[126.303375244141,72.5028305053711],[126.324752807617,72.5459060668945],[126.445816040039,72.7898406982422],[126.332000732422,72.8908233642578],[126.771926879883,73.0763854980469],[126.626083374023,73.3777618408203],[127.041656494141,73.5377655029297],[127.97664642334,73.4702606201172],[128.352737426758,73.3530349731445],[128.257629394531,73.2680511474609],[128.892761230469,73.2111053466797],[128.780883789062,73.072624206543],[129.118560791016,73.0977630615234],[126.589431762695,72.5358123779297],[126.526931762695,72.4005432128906],[126.332786560059,72.489372253418]],"Russia"], ["Country","RS53",[[52.8736038208008,72.51416015625],[53.084156036377,72.5939407348633],[52.7551307678223,72.6365127563477],[53.2144355773926,72.649299621582],[52.3862419128418,72.7426223754883],[53.3740196228027,72.8787307739258],[53.1445732116699,72.957275390625],[53.3816604614258,73.0083312988281],[53.1533241271973,73.1535339355469],[53.7593002319336,73.2991485595703],[54.2180099487305,73.2719039916992],[54.9372100830078,73.4219207763672],[56.5860328674316,73.1323471069336],[55.6215209960938,72.9634628295898],[56.2405471801758,72.8933258056641],[55.4369354248047,72.7816543579102],[55.9437370300293,72.6645736694336],[55.1329765319824,72.4506759643555],[55.4636039733887,72.4283142089844],[55.5755500793457,72.1892852783203],[55.2210159301758,71.9256134033203],[55.5053901672363,71.8917999267578],[56.2280426025391,71.1941375732422],[57.6331176757812,70.7281112670898],[57.45166015625,70.60498046875],[56.5147171020508,70.7497100830078],[56.2195739746094,70.6601257324219],[56.5409660339355,70.5409545898438],[55.875129699707,70.5802688598633],[55.4070281982422,70.7481002807617],[55.164924621582,70.5531768798828],[54.5734405517578,70.7814788818359],[54.4791564941406,70.7338714599609],[54.6723518371582,70.6488800048828],[53.4636077880859,70.8138732910156],[53.739574432373,70.9492950439453],[53.5083312988281,71.0861053466797],[54.2360305786133,71.1247787475586],[53.5149993896484,71.2747039794922],[53.9074935913086,71.4708251953125],[53.4805450439453,71.2916564941406],[53.2558288574219,71.4460906982422],[53.3649940490723,71.5651245117188],[52.9194412231445,71.4055480957031],[52.552490234375,71.5944366455078],[51.7972183227539,71.4749908447266],[51.4187393188477,71.7313766479492],[51.5744400024414,72.0708312988281],[52.351936340332,72.0619201660156],[52.8736038208008,72.51416015625]],"Russia"], ["Country","RS54",[[74.6965103149414,73.0450286865234],[74.6544342041016,72.8558197021484],[74.0958251953125,73.0269317626953],[74.6965103149414,73.0450286865234]],"Russia"], ["Country","RS55",[[127.318176269531,72.6507110595703],[128.279144287109,72.7872009277344],[129.343505859375,72.7040100097656],[127.318176269531,72.6507110595703]],"Russia"], ["Country","RS56",[[126.675666809082,72.4289398193359],[127.800537109375,72.6413726806641],[129.261932373047,72.4633178710938],[129.499282836914,72.3274917602539],[129.355377197266,72.2549896240234],[129.558731079102,72.2220687866211],[128.763610839844,72.0741577148438],[127.549713134766,72.4333190917969],[126.675666809082,72.4289398193359]],"Russia"], ["Country","RS57",[[76.8682708740234,72.3438415527344],[77.6202545166016,72.6305389404297],[78.3913803100586,72.485954284668],[77.7824859619141,72.2966461181641],[76.8682708740234,72.3438415527344]],"Russia"], ["Country","RS58",[[53.0010299682617,70.9771728515625],[52.2111053466797,71.3194427490234],[52.7102737426758,71.4010925292969],[53.2037467956543,71.2538757324219],[53.0483322143555,71.0666656494141],[53.1419372558594,70.9783172607422],[53.0010299682617,70.9771728515625]],"Russia"], ["Country","RS59",[[83.0676116943359,70.416259765625],[83.2141571044922,70.8072052001953],[83.4572143554688,70.7449798583984],[83.2883148193359,70.6733093261719],[83.3016510009766,70.4563751220703],[83.0676116943359,70.416259765625]],"Russia"], ["Country","RS60",[[169.412719726562,69.7637786865234],[169.205535888672,69.5738830566406],[168.868286132812,69.5677642822266],[167.751922607422,69.8274841308594],[168.270263671875,70.0205383300781],[169.407196044922,69.8708190917969],[169.412719726562,69.7637786865234]],"Russia"], ["Country","RS61",[[161.372467041016,69.4058532714844],[161.395812988281,69.5874862670898],[161.622192382812,69.5885925292969],[161.619262695312,69.4492874145508],[161.372467041016,69.4058532714844]],"Russia"], ["Country","RS62",[[161.422729492188,68.8867797851562],[161.469696044922,68.9877624511719],[161.134429931641,69.0897064208984],[161.096343994141,69.4705352783203],[161.375244140625,69.5358200073242],[161.320663452148,69.2377548217773],[161.519989013672,68.9669342041016],[161.422729492188,68.8867797851562]],"Russia"], ["Country","RS63",[[-173.19140625,64.2544250488281],[-173.434188842773,64.3274154663086],[-173.284317016602,64.5205383300781],[-173.415573120117,64.6166458129883],[-173.363052368164,64.4649887084961],[-173.673080444336,64.346794128418],[-174.846374511719,64.7777709960938],[-175.448883056641,64.784423828125],[-175.913360595703,65.0163650512695],[-175.780609130859,65.1607971191406],[-176.078063964844,65.4702606201172],[-177.068054199219,65.6097106933594],[-178.557388305664,65.5141525268555],[-178.456100463867,65.7274780273438],[-178.909454345703,65.9938659667969],[-178.542510986328,66.1633148193359],[-178.526153564453,66.4029083251953],[-178.961120605469,66.1666412353516],[-179.170989990234,66.4148483276367],[-179.175140380859,66.2910537719727],[-179.423919677734,66.3406753540039],[-179.283782958984,66.1667861938477],[-179.761962890625,66.1169128417969],[-179.740539550781,65.7922058105469],[-179.32666015625,65.6258087158203],[-179.682800292969,65.1782989501953],[-179.99,65.0689086914062],[-179.99,68.9801025390625],[-179.507247924805,68.9558029174805],[-177.950561523438,68.2899627685547],[-177.727798461914,68.3523483276367],[-178.376678466797,68.5505218505859],[-177.632202148438,68.3246917724609],[-177.680328369141,68.223876953125],[-175.463623046875,67.7074737548828],[-175.191101074219,67.5108032226562],[-175.3759765625,67.3430404663086],[-174.833892822266,67.3860855102539],[-174.95475769043,67.1040115356445],[-174.744598388672,66.7656784057617],[-174.994873046875,66.671989440918],[-174.506439208984,66.5521850585938],[-174.467376708984,66.3034439086914],[-174.024353027344,66.4798278808594],[-174.036819458008,66.2135162353516],[-173.761962890625,66.4494934082031],[-174.302383422852,66.5819244384766],[-173.995849609375,66.6913452148438],[-174.125274658203,66.9891357421875],[-174.651153564453,67.0601196289062],[-173.676391601562,67.1320648193359],[-173.172943115234,67.0590057373047],[-173.357238769531,66.8395690917969],[-173.155090332031,66.8603820800781],[-173.136413574219,66.9966278076172],[-172.43620300293,66.9376754760742],[-173.011962890625,67.0560760498047],[-171.726104736328,66.9552459716797],[-171.343322753906,66.6508178710938],[-170.508911132812,66.3444366455078],[-170.637481689453,66.2391052246094],[-169.707168579102,66.1266479492188],[-169.784729003906,65.9916381835938],[-170.57829284668,65.8527603149414],[-170.635589599609,65.6105346679688],[-171.542388916016,65.8355484008789],[-171.023498535156,65.5791473388672],[-171.074462890625,65.4830322265625],[-172.08251953125,65.4844207763672],[-171.835845947266,65.5292892456055],[-172.802642822266,65.6746978759766],[-172.190551757812,65.4466247558594],[-172.244720458984,65.2455139160156],[-172.683074951172,65.2277679443359],[-172.128982543945,65.0831756591797],[-173.195220947266,64.7781677246094],[-172.898529052734,64.8303756713867],[-172.793060302734,64.7613677978516],[-173.084945678711,64.6626129150391],[-172.355834960938,64.4583129882812],[-173.025726318359,64.4967803955078],[-172.898086547852,64.3371963500977],[-173.19140625,64.2544250488281]],"Russia"], ["Country","RS64",[[35.8121871948242,65.1805572509766],[35.7491607666016,64.9649963378906],[35.521369934082,65.1458282470703],[35.8121871948242,65.1805572509766]],"Russia"], ["Country","RS65",[[40.3485488891602,64.7583160400391],[40.4713745117188,64.5660858154297],[40.2340087890625,64.5910491943359],[39.9762382507324,64.6794204711914],[40.3485488891602,64.7583160400391]],"Russia"], ["Country","RS66",[[22.7858848571777,54.3638381958008],[19.7970066070557,54.4375495910645],[20.397289276123,54.6750640869141],[19.8727111816406,54.6405487060547],[19.9411754608154,54.9277687072754],[20.4226341247559,54.9476280212402],[20.9428329467773,55.2872009277344],[20.9848136901855,55.2765502929688],[20.5316982269287,54.9643630981445],[20.8651351928711,54.9024925231934],[21.2224960327148,54.9319381713867],[21.2639350891113,55.2489852905273],[22.602912902832,55.0448570251465],[22.8649978637695,54.8386001586914],[22.7201347351074,54.6931838989258],[22.7858848571777,54.3638381958008]],"Russia"], ["Country","RS67",[[19.6511077880859,54.4558258056641],[19.6272583007812,54.4632720947266],[19.8363838195801,54.5999984741211],[19.8112049102783,54.5543937683105],[19.6511077880859,54.4558258056641]],"Russia"], ["Country","RS68",[[155.226165771484,50.0525970458984],[155.247741699219,50.301383972168],[155.665405273438,50.3880500793457],[156.114410400391,50.7511024475098],[156.150955200195,50.5219383239746],[155.892761230469,50.2636108398438],[155.226165771484,50.0525970458984]],"Russia"], ["Country","RS69",[[154.593902587891,49.2910308837891],[154.709533691406,49.491771697998],[154.904418945312,49.6208267211914],[154.807205200195,49.2999954223633],[154.593902587891,49.2910308837891]],"Russia"], ["Country","RS70",[[149.473541259766,45.6033172607422],[149.929138183594,46.0074996948242],[150.498565673828,46.1924896240234],[150.024017333984,45.8265380859375],[149.473541259766,45.6033172607422]],"Russia"], ["Country","RS71",[[146.883026123047,44.3969421386719],[147.111907958984,44.7938842773438],[147.892272949219,45.2270011901855],[147.904144287109,45.4041595458984],[148.074417114258,45.2483253479004],[148.851913452148,45.4777679443359],[148.775329589844,45.3139495849609],[147.762756347656,44.9406051635742],[147.612457275391,44.9608268737793],[146.883026123047,44.3969421386719]],"Russia"], ["Country","RS72",[[146.160766601562,44.5066223144531],[146.537475585938,44.3783226013184],[145.940246582031,44.128044128418],[145.559478759766,43.6572799682617],[145.437469482422,43.7169342041016],[146.160766601562,44.5066223144531]],"Russia"], ["Country","RS73",[[58.0613784790039,81.6877593994141],[57.8898582458496,81.7098541259766],[57.9763793945312,81.8077545166016],[59.435546875,81.8192977905273],[58.0613784790039,81.6877593994141]],"Russia"], ["Country","RS74",[[58.0805511474609,81.3663787841797],[56.7413787841797,81.4485931396484],[57.7544403076172,81.5613708496094],[58.5494384765625,81.4222106933594],[58.0805511474609,81.3663787841797]],"Russia"], ["Country","RS75",[[55.5563354492188,81.2191619873047],[55.4905471801758,81.3222198486328],[56.6026306152344,81.2602691650391],[56.3658294677734,81.3849945068359],[57.9027709960938,81.2902679443359],[56.5542373657227,81.1653442382812],[55.5563354492188,81.2191619873047]],"Russia"], ["Country","RS76",[[62.5574645996094,80.8441162109375],[64.0947113037109,80.9897003173828],[64.5502624511719,81.1958160400391],[65.2385864257812,81.1330413818359],[65.4673461914062,80.9251251220703],[63.2124938964844,80.6816558837891],[62.5574645996094,80.8441162109375]],"Russia"], ["Country","RS77",[[56.1045074462891,81.1030731201172],[58.2786026000977,80.9197082519531],[57.6102752685547,80.8566436767578],[56.1045074462891,81.1030731201172]],"Russia"], ["Country","RS78",[[60.1010894775391,81.0074768066406],[61.6560974121094,81.0938720703125],[61.052490234375,80.91943359375],[60.1010894775391,81.0074768066406]],"Russia"], ["Country","RS79",[[54.4294586181641,81.0241546630859],[56.089714050293,81.0383148193359],[57.718807220459,80.7908172607422],[57.0177688598633,80.6944274902344],[54.4294586181641,81.0241546630859]],"Russia"], ["Country","RS80",[[59.313346862793,80.5414276123047],[59.2802734375,80.6960906982422],[59.7247085571289,80.8338775634766],[61.851936340332,80.8861083984375],[62.2840194702148,80.7708282470703],[61.0661010742188,80.4035949707031],[59.313346862793,80.5414276123047]],"Russia"], ["Country","RS81",[[57.635009765625,80.1105194091797],[57.2719345092773,80.1660919189453],[57.2709617614746,80.3895721435547],[56.9649963378906,80.4791564941406],[58.1948852539062,80.4824447631836],[59.2751312255859,80.3312377929688],[58.3716583251953,80.3138732910156],[58.0768013000488,80.2513809204102],[58.4358215332031,80.1685943603516],[57.635009765625,80.1105194091797]],"Russia"], ["Country","RS82",[[175.681716918945,64.7335052490234],[176.064971923828,64.9013824462891],[176.42268371582,64.7040786743164],[176.109893798828,64.5442199707031],[177.487609863281,64.7587432861328],[177.36100769043,64.5444946289062],[177.631896972656,64.3188781738281],[178.140808105469,64.2008209228516],[178.303039550781,64.3397064208984],[178.477752685547,64.1238708496094],[178.376892089844,63.9722137451172],[178.663864135742,63.9437408447266],[178.757476806641,63.6399917602539],[178.261093139648,63.5745086669922],[178.704147338867,63.5733299255371],[178.680389404297,63.3836059570312],[178.778656005859,63.5853385925293],[178.929138183594,63.293327331543],[179.411651611328,63.1388816833496],[179.235656738281,63.005687713623],[179.604400634766,62.700267791748],[179.129272460938,62.4788818359375],[179.101348876953,62.2893028259277],[177.338287353516,62.5761032104492],[177.452606201172,62.8099212646484],[177.191772460938,62.7034645080566],[176.974411010742,62.8640213012695],[176.929702758789,62.6645736694336],[177.242752075195,62.5694427490234],[174.604400634766,61.9785308837891],[174.7236328125,61.8854103088379],[174.593566894531,61.8299942016602],[173.541778564453,61.7443008422852],[173.494400024414,61.5639495849609],[173.136657714844,61.3952713012695],[172.713851928711,61.4272155761719],[172.956085205078,61.3027725219727],[172.34294128418,61.2190170288086],[172.453033447266,61.0411071777344],[172.018249511719,61.0922813415527],[172.201217651367,60.9629096984863],[172.020462036133,60.8467254638672],[171.951370239258,60.9465179443359],[170.641937255859,60.4174957275391],[170.242462158203,59.9101257324219],[169.70329284668,60.4072113037109],[169.206497192383,60.619987487793],[168.188873291016,60.5816650390625],[167.050262451172,60.3238830566406],[166.137756347656,59.8152694702148],[166.381072998047,60.4705429077148],[166.223022460938,60.4808197021484],[164.996627807617,60.1266555786133],[165.182464599609,59.9811019897461],[164.823577880859,59.7816581726074],[164.468566894531,60.1113815307617],[164.146301269531,59.8672142028809],[164.044006347656,60.0302696228027],[163.63996887207,60.0458946228027],[163.699203491211,59.8972816467285],[163.360229492188,59.8238830566406],[163.389556884766,59.6291580200195],[163.179275512695,59.566520690918],[163.311645507812,59.3088836669922],[163.061096191406,59.2405471801758],[163.165954589844,59.0337448120117],[162.882049560547,59.1274909973145],[163.032897949219,58.9962463378906],[162.405944824219,58.679573059082],[161.938583374023,58.0676307678223],[162.339263916016,57.6913795471191],[162.563720703125,57.9497146606445],[163.209411621094,57.8395767211914],[163.282348632812,57.7399940490723],[163.07275390625,57.5016632080078],[162.742385864258,57.3594398498535],[162.781646728516,56.8544387817383],[162.902481079102,56.707218170166],[163.210800170898,56.7417984008789],[163.349960327148,56.1959609985352],[163.033721923828,56.0179100036621],[162.645263671875,56.1919326782227],[163.073852539062,56.4774894714355],[162.985229492188,56.547492980957],[162.393859863281,56.3896446228027],[162.567123413086,56.273323059082],[162.086074829102,56.1009635925293],[161.711349487305,55.4902725219727],[162.113006591797,54.7635345458984],[161.738418579102,54.507495880127],[161.35302734375,54.4911041259766],[160.728286743164,54.529296875],[159.98828125,54.1216583251953],[159.817474365234,53.6585998535156],[159.962188720703,53.5163841247559],[159.798248291016,53.521240234375],[160.050384521484,53.0951309204102],[159.614685058594,53.2594375610352],[158.724960327148,52.8906860351562],[158.439422607422,53.027214050293],[158.446075439453,52.9024887084961],[158.642211914062,52.901798248291],[158.547210693359,52.6227684020996],[158.419128417969,52.652214050293],[158.555114746094,52.3111038208008],[158.277679443359,51.9413070678711],[156.656921386719,50.8794326782227],[156.745239257812,51.0779113769531],[156.520812988281,51.3156852722168],[156.281356811523,52.5210342407227],[156.440658569336,52.5154800415039],[156.102325439453,52.8526306152344],[155.598846435547,54.9299926757812],[155.646087646484,55.9119338989258],[156.000549316406,56.7277679443359],[156.980529785156,57.420825958252],[156.786926269531,57.7636108398438],[158.233306884766,58.0194396972656],[159.702178955078,58.8513870239258],[159.789978027344,59.0838775634766],[160.483779907227,59.5428428649902],[161.837463378906,60.1874923706055],[161.912475585938,60.4197158813477],[163.729125976562,60.936653137207],[163.509979248047,61.0469436645508],[164.014984130859,61.3302726745605],[163.748565673828,61.4508247375488],[164.071502685547,61.7836074829102],[164.120513916016,62.2770729064941],[164.613845825195,62.4742965698242],[165.284561157227,62.3166580200195],[165.121765136719,62.471378326416],[165.629989624023,62.4427642822266],[164.366485595703,62.7117958068848],[163.257354736328,62.5426368713379],[163.164428710938,62.444709777832],[163.350997924805,62.3619384765625],[163.12565612793,62.2840194702148],[162.952392578125,61.8012428283691],[163.305587768555,61.6822814941406],[163.005554199219,61.5183258056641],[162.838165283203,61.7195701599121],[162.653732299805,61.693042755127],[162.743865966797,61.5988807678223],[162.409698486328,61.6734657287598],[160.796020507812,60.7381134033203],[160.138931274414,60.589225769043],[160.391357421875,61.0258255004883],[159.780685424805,60.9434623718262],[159.946624755859,61.1361083984375],[159.854400634766,61.3127670288086],[160.366363525391,61.7658309936523],[160.354949951172,61.9474868774414],[159.525268554688,61.664852142334],[159.247467041016,61.9222183227539],[158.021377563477,61.7301292419434],[157.486633300781,61.8033218383789],[156.695526123047,61.5337448120117],[156.656234741211,61.209716796875],[156.0849609375,61.0124969482422],[155.896789550781,60.7622146606445],[154.231491088867,59.8787422180176],[154.297485351562,59.6374969482422],[154.10871887207,59.4629096984863],[154.501434326172,59.433048248291],[154.437881469727,59.548469543457],[155.186279296875,59.3616218566895],[155.140258789062,59.2041091918945],[154.741638183594,59.1269378662109],[154.451080322266,59.2199859619141],[154.022064208984,59.0461044311523],[153.361618041992,59.2416610717773],[152.877166748047,58.9174957275391],[152.357177734375,59.023323059082],[151.308715820312,58.8390197753906],[151.076766967773,59.1060333251953],[152.284271240234,59.2200622558594],[151.748565673828,59.2961044311523],[151.386108398438,59.5711059570312],[150.713165283203,59.443042755127],[150.442749023438,59.482494354248],[150.706909179688,59.5754127502441],[149.592041015625,59.771240234375],[149.033493041992,59.6315536499023],[149.209060668945,59.4689483642578],[148.743011474609,59.4916610717773],[148.721771240234,59.3699913024902],[148.962188720703,59.3801307678223],[148.898040771484,59.2391586303711],[148.411026000977,59.2624244689941],[148.250823974609,59.4169387817383],[147.489135742188,59.2397155761719],[146.888305664062,59.3641586303711],[146.485778808594,59.4594345092773],[146.325241088867,59.3906211853027],[146.314544677734,59.1824913024902],[145.990509033203,59.1488800048828],[145.797470092773,59.2651329040527],[145.908447265625,59.4133224487305],[143.900817871094,59.4124908447266],[142.303314208984,59.1377716064453],[141.616058349609,58.6461029052734],[140.790252685547,58.308464050293],[140.501220703125,57.8265228271484],[138.652770996094,56.9855499267578],[137.725799560547,56.1749954223633],[135.171081542969,54.8863830566406],[135.261383056641,54.7205429077148],[135.730941772461,54.5716590881348],[136.81217956543,54.6501998901367],[136.805526733398,54.1316604614258],[136.654006958008,53.9195747375488],[136.760803222656,53.7686004638672],[137.175537109375,53.8380470275879],[137.282653808594,54.0377044677734],[137.063278198242,54.1374969482422],[137.192443847656,54.2174911499023],[137.741134643555,54.3074226379395],[137.293273925781,54.0749969482422],[137.85578918457,53.9619369506836],[137.229125976562,53.6034660339355],[137.345245361328,53.5252685546875],[137.89892578125,53.5732574462891],[138.553863525391,53.9894332885742],[138.571350097656,53.8149948120117],[138.239547729492,53.5592956542969],[138.465240478516,53.5211029052734],[138.770263671875,54.0047149658203],[138.703582763672,54.3133239746094],[139.3369140625,54.1833267211914],[139.801849365234,54.2923545837402],[140.240203857422,54.049991607666],[140.255874633789,53.8626327514648],[140.555236816406,53.6477737426758],[141.414825439453,53.2936096191406],[141.435806274414,53.1537399291992],[141.178314208984,52.9813766479492],[140.713333129883,53.1157569885254],[141.200805664062,52.8430480957031],[141.312744140625,52.6580429077148],[141.130645751953,52.409294128418],[141.506927490234,52.211799621582],[141.309692382812,52.0330505371094],[141.42268371582,51.9230461120605],[140.689971923828,51.317008972168],[140.677215576172,50.9466247558594],[140.461624145508,50.7017974853516],[140.516220092773,50.1714477539062],[140.689727783203,50.0900955200195],[140.410675048828,49.8655471801758],[140.553894042969,49.5567970275879],[140.339965820312,49.2719345092773],[140.388732910156,48.9658241271973],[140.176086425781,48.4501266479492],[139.28401184082,47.8143005371094],[138.555236816406,47.0188827514648],[138.062469482422,46.1811027526855],[135.89192199707,44.4017295837402],[135.131103515625,43.5034294128418],[133.905426025391,42.8753356933594],[133.154846191406,42.6826324462891],[132.461898803711,42.9336013793945],[132.311218261719,42.846378326416],[132.351348876953,43.2922859191895],[131.948852539062,43.0637435913086],[131.844696044922,43.0832557678223],[132.050796508789,43.313045501709],[131.810516357422,43.325553894043],[131.223159790039,42.5583229064941],[130.676605224609,42.6520042419434],[130.869049072266,42.5238075256348],[130.697418212891,42.2922058105469],[130.604370117188,42.4218597412109],[130.432739257812,42.7448539733887],[131.128494262695,42.916446685791],[131.310394287109,43.3895797729492],[131.191223144531,43.5362434387207],[131.298034667969,44.0519332885742],[130.952987670898,44.8364868164062],[131.469116210938,44.973876953125],[131.868438720703,45.3458213806152],[133.025268554688,45.0569381713867],[133.149139404297,45.4508285522461],[133.470245361328,45.6245765686035],[133.476058959961,45.8234672546387],[133.901611328125,46.2536277770996],[133.847183227539,46.4788780212402],[133.997741699219,46.6401672363281],[134.182464599609,47.3233261108398],[134.760818481445,47.7002716064453],[134.557601928711,47.992073059082],[134.740753173828,48.2671279907227],[134.415344238281,48.3911209106445],[133.484268188477,48.0688819885254],[133.082733154297,48.0988807678223],[132.521087646484,47.7102737426758],[130.992172241211,47.6872100830078],[130.65983581543,48.1083946228027],[130.823989868164,48.3268013000488],[130.523590087891,48.6057586669922],[130.67399597168,48.8604125976562],[130.224609375,48.8646430969238],[129.490203857422,49.4157981872559],[129.111785888672,49.3467559814453],[128.7119140625,49.5844345092773],[127.838043212891,49.5866546630859],[127.515007019043,49.8058776855469],[127.586067199707,50.2085647583008],[127.334014892578,50.3147163391113],[127.291931152344,50.7413787841797],[126.933097839355,51.0582542419434],[126.968872070312,51.3192291259766],[126.81761932373,51.265552520752],[126.913879394531,51.3813819885254],[126.441223144531,51.9943656921387],[126.554977416992,52.1269378662109],[125.994285583496,52.5761032104492],[126.096794128418,52.7572174072266],[125.657348632812,52.8751983642578],[125.620048522949,53.0502700805664],[124.493309020996,53.1883239746094],[123.614707946777,53.5436058044434],[120.830688476562,53.263744354248],[120.031440734863,52.7681884765625],[120.081924438477,52.5880470275879],[120.712173461914,52.542667388916],[120.625907897949,52.3442306518555],[120.776657104492,52.1149978637695],[120.064147949219,51.6208267211914],[119.138595581055,50.3902702331543],[119.359992980957,50.3302764892578],[119.321029663086,50.0963096618652],[118.574569702148,49.9226341247559],[117.874710083008,49.5205764770508],[116.711380004883,49.8304672241211],[116.24609375,50.0274887084961],[115.414703369141,49.8983306884766],[114.854156494141,50.2283248901367],[114.322479248047,50.2843017578125],[112.831382751465,49.5183258056641],[110.788589477539,49.1494369506836],[108.65104675293,49.3317337036133],[107.948585510254,49.6822128295898],[107.984428405762,49.9289398193359],[107.176094055176,50.0269393920898],[106.663040161133,50.3386001586914],[105.335540771484,50.4836044311523],[104.093040466309,50.1486663818359],[103.316650390625,50.1994361877441],[102.332206726074,50.5658264160156],[102.223587036133,51.3265914916992],[99.9469299316406,51.7513885498047],[98.9259567260742,52.1427726745605],[98.7080383300781,51.8280487060547],[98.0580825805664,51.4627494812012],[97.8305511474609,50.9992980957031],[98.0655364990234,50.6286010742188],[98.3183212280273,50.5270767211914],[98.2932434082031,50.3028373718262],[98.1017913818359,50.0456886291504],[97.3484573364258,49.7365188598633],[96.1066436767578,50.0019378662109],[95.5241546630859,49.8953399658203],[94.6290130615234,50.027214050293],[94.2837371826172,50.5648574829102],[93.1127624511719,50.5960998535156],[92.9677658081055,50.7930526733398],[92.6699829101562,50.6813850402832],[92.3227691650391,50.8149948120117],[89.6730346679688,49.9247131347656],[89.7220001220703,49.7224197387695],[89.2233200073242,49.6369400024414],[89.188591003418,49.509578704834],[88.2208251953125,49.4616622924805],[88.1566467285156,49.2688827514648],[87.8406982421875,49.1729507446289],[87.3482055664062,49.0926208496094],[86.6208190917969,49.5830459594727],[86.7819366455078,49.7840881347656],[86.1840744018555,49.4766540527344],[85.2592315673828,49.5929069519043],[84.9742889404297,49.9277725219727],[85.0115203857422,50.0776329040527],[84.2654113769531,50.2727699279785],[83.9778289794922,50.7950630187988],[83.4683151245117,50.9892959594727],[82.7611083984375,50.9108200073242],[82.4988708496094,50.7210998535156],[81.4638824462891,50.7431869506836],[81.4201202392578,50.9666595458984],[81.0748519897461,50.9514198303223],[81.1794281005859,51.193115234375],[80.68505859375,51.3126411437988],[80.4439315795898,51.1991500854492],[80.4647827148438,50.9665718078613],[80.0590515136719,50.7683639526367],[77.9147033691406,53.2649955749512],[76.5224151611328,53.995548248291],[76.4022064208984,54.156551361084],[76.7241516113281,54.1552658081055],[76.8116455078125,54.4477691650391],[74.7894287109375,53.8363800048828],[74.4663848876953,53.6933212280273],[74.4291534423828,53.4785995483398],[73.91748046875,53.6541595458984],[73.4371948242188,53.4361038208008],[73.2385864257812,53.6444396972656],[73.4430389404297,53.8758239746094],[73.7116546630859,53.8749923706055],[73.7638854980469,54.065544128418],[73.2908172607422,53.9538803100586],[72.6078948974609,54.1434669494629],[72.532470703125,54.0594215393066],[72.7276916503906,53.9645080566406],[72.4485931396484,53.9127655029297],[72.5088806152344,54.1427688598633],[72.0492172241211,54.3800621032715],[72.1938705444336,54.138256072998],[71.7677612304688,54.2552719116211],[71.6535949707031,54.109992980957],[71.3363800048828,54.2149963378906],[71.1855316162109,54.1033248901367],[70.9965133666992,54.3322143554688],[71.2136077880859,54.3258285522461],[71.2788696289062,54.6902694702148],[71.0130462646484,54.797492980957],[70.8401260375977,55.3037414550781],[70.4699859619141,55.2966613769531],[70.2388763427734,55.1388854980469],[68.9476165771484,55.442626953125],[69.0034637451172,55.2909698486328],[68.7233123779297,55.3683242797852],[68.6219253540039,55.2009658813477],[68.19970703125,55.1783294677734],[68.3281860351562,55.0667304992676],[68.2059555053711,54.9676971435547],[65.5019378662109,54.6405487060547],[65.220817565918,54.5301322937012],[65.224983215332,54.3242301940918],[64.9158172607422,54.4080467224121],[63.1637420654297,54.1847152709961],[62.6411056518555,54.0751342773438],[62.5330467224121,53.8816566467285],[62.3580474853516,54.0227661132812],[61.4202728271484,54.0666656494141],[61.009162902832,53.9434585571289],[61.2230453491211,53.8070755004883],[60.905891418457,53.6220741271973],[61.574577331543,53.5202713012695],[61.2459678649902,53.5079154968262],[61.1847152709961,53.3066558837891],[62.1081848144531,53.1219329833984],[62.1140213012695,52.9959678649902],[61.0991592407227,52.9816589355469],[60.6970710754395,52.707633972168],[61.060131072998,52.3408241271973],[60.0031929016113,51.9555511474609],[60.4858245849609,51.8091583251953],[60.3770713806152,51.6904411315918],[60.9423027038574,51.6166648864746],[61.6858215332031,51.2658309936523],[61.4036026000977,50.7899932861328],[60.6980438232422,50.6616592407227],[60.0529098510742,50.8641624450684],[59.8144035339355,50.5462760925293],[59.5424957275391,50.4783248901367],[59.4887428283691,50.6304054260254],[58.6655426025391,50.8049926757812],[58.6013870239258,51.0466613769531],[58.3377685546875,51.1560974121094],[57.7926826477051,51.1163177490234],[57.7361030578613,50.9104080200195],[57.4635353088379,50.8652725219727],[57.1273536682129,51.0847129821777],[56.5018653869629,51.0808296203613],[55.6924896240234,50.5324935913086],[54.647216796875,51.0369415283203],[54.5486068725586,50.9222183227539],[54.7017974853516,50.6096458435059],[54.4188842773438,50.5880432128906],[54.5016593933105,50.8592300415039],[53.4237442016602,51.4926338195801],[52.6076316833496,51.4563827514648],[52.3418006896973,51.7807540893555],[51.8713798522949,51.6717987060547],[51.7119369506836,51.4619369506836],[51.2994384765625,51.4812393188477],[51.3847122192383,51.6405487060547],[50.7733001708984,51.7691802978516],[50.8123512268066,51.5942993164062],[50.6004104614258,51.6377716064453],[50.3685989379883,51.3274230957031],[49.4747123718262,51.1240196228027],[49.4258270263672,50.8513870239258],[48.6974868774414,50.5919342041016],[48.8338813781738,49.9591598510742],[48.2487449645996,49.8713798522949],[47.5997161865234,50.460823059082],[47.3196487426758,50.2961044311523],[47.302490234375,50.0319366455078],[46.9313812255859,49.8658294677734],[46.8040199279785,49.3384628295898],[47.0595741271973,49.133602142334],[46.4991607666016,48.4174957275391],[47.1212387084961,48.2720756530762],[47.2558288574219,47.7508316040039],[48.1430397033691,47.7497138977051],[49.0272064208984,46.7760925292969],[48.5445747375488,46.7541542053223],[48.576171875,46.5610313415527],[49.222526550293,46.346305847168],[49.3251457214355,46.0869445800781],[50.038501739502,45.8584785461426],[49.448314666748,45.5303840637207],[48.6861572265625,44.7543449401855],[49.2109375,43.4716682434082],[49.7606239318848,42.7107582092285],[47.8591537475586,41.207763671875],[47.37109375,41.2719345092773],[46.7617263793945,41.8604736328125],[46.4517517089844,41.8970565795898],[45.6551246643066,42.1999893188477],[45.7276268005371,42.5048522949219],[44.931095123291,42.7611045837402],[43.9119338989258,42.5833206176758],[43.7396621704102,42.6495704650879],[43.8291549682617,42.7493667602539],[42.8551979064941,43.1777610778809],[41.597484588623,43.221508026123],[40.2533874511719,43.58251953125],[40.0029678344727,43.379264831543],[38.7537422180176,44.2733192443848],[38.1974868774414,44.3894348144531],[37.7830810546875,44.7233543395996],[37.4840812683105,44.671443939209],[37.2029113769531,44.9797782897949],[36.5804405212402,45.1926956176758],[36.962345123291,45.2790222167969],[36.6698112487793,45.3325576782227],[36.8277015686035,45.4356803894043],[37.110408782959,45.2344284057617],[37.7346343994141,45.2988128662109],[37.5913696289062,45.6274795532227],[37.927490234375,46.0116577148438],[38.0955429077148,45.9449844360352],[38.2206878662109,46.1356811523438],[38.5661659240723,46.0433883666992],[37.8977661132812,46.4072074890137],[37.7374839782715,46.667106628418],[38.5849494934082,46.6572113037109],[38.3839111328125,46.7112007141113],[38.4103317260742,46.8269348144531],[39.2795715332031,47.0172119140625],[39.2776260375977,47.2312355041504],[38.2358245849609,47.1094284057617],[38.3008232116699,47.5551261901855],[38.758186340332,47.689567565918],[38.8459625244141,47.8568000793457],[39.8032531738281,47.8686027526855],[39.9988784790039,48.2972183227539],[39.6601867675781,48.6039199829102],[40.0748558044434,48.8762397766113],[39.6979064941406,49.0167961120605],[40.1676330566406,49.2516593933105],[40.139762878418,49.6010513305664],[39.8124237060547,49.5505485534668],[39.1837387084961,49.8804092407227],[38.9418640136719,49.8110313415527],[38.3048515319824,50.0738830566406],[38.0242233276367,49.9030838012695],[37.4619369506836,50.4361686706543],[36.6084632873535,50.2130470275879],[36.1484603881836,50.4222831726074],[35.597900390625,50.3736038208008],[35.4410552978516,50.5119705200195],[35.3688316345215,51.0421295166016],[35.0764465332031,51.2206497192383],[34.382209777832,51.2636108398438],[34.1018676757812,51.6476974487305],[34.4222145080566,51.8041610717773],[33.8316612243652,52.3631858825684],[32.38916015625,52.3340187072754],[32.2249908447266,52.0794372558594],[31.7838859558105,52.1080474853516],[31.5938167572021,52.313117980957],[31.579719543457,52.804573059082],[31.2666645050049,53.023323059082],[31.4257583618164,53.208812713623],[32.2233200073242,53.1055526733398],[32.7400588989258,53.458812713623],[32.443531036377,53.5728416442871],[32.4566612243652,53.7245712280273],[31.7642250061035,53.8043479919434],[31.845552444458,54.0609664916992],[31.3286075592041,54.2432556152344],[31.1030502319336,54.6455459594727],[30.7827053070068,54.7990913391113],[31.0275325775146,55.0485000610352],[30.8159694671631,55.3017272949219],[30.9262466430664,55.6025695800781],[30.2458267211914,55.8544387817383],[29.4849948883057,55.692211151123],[29.4100646972656,55.9579086303711],[28.7461071014404,55.9561042785645],[28.1680107116699,56.1501541137695],[28.2359676361084,56.2763786315918],[27.938814163208,56.8224258422852],[27.70166015625,56.9147109985352],[27.8553428649902,57.305965423584],[27.3720588684082,57.5356369018555],[27.5486087799072,57.8186073303223],[27.8202037811279,57.8674240112305],[27.475757598877,58.2131156921387],[27.4283275604248,58.8158950805664],[27.9164905548096,59.2736625671387],[28.1642951965332,59.3037147521973],[28.0158309936523,59.4785995483398],[28.0745811462402,59.7945785522461],[28.3668022155762,59.6612396240234],[28.49582862854,59.8552742004395],[28.832218170166,59.7834663391113],[29.1945781707764,60.0068016052246],[30.1555519104004,59.863883972168],[30.2466621398926,59.9669342041016],[28.5983295440674,60.3872146606445],[28.4467353820801,60.5489540100098],[28.7057361602783,60.4608726501465],[28.5543022155762,60.6084671020508],[28.6767311096191,60.7358245849609],[27.8078308105469,60.5464019775391],[31.2581920623779,62.5082588195801],[31.5819625854492,62.9078979492188],[31.2197189331055,63.2230529785156],[29.9989547729492,63.7353401184082],[30.5952758789062,64.0469360351562],[30.5773582458496,64.2237396240234],[30.0615234375,64.4053421020508],[29.9764556884766,64.5789489746094],[30.2068729400635,64.6633224487305],[30.1427764892578,64.7720718383789],[29.6408309936523,64.9209671020508],[29.6211776733398,65.0523529052734],[29.869441986084,65.119987487793],[29.6020469665527,65.2444381713867],[29.8188858032227,65.6533203125],[30.1349277496338,65.7088775634766],[29.9037475585938,66.1338806152344],[29.0751361846924,66.9036026000977],[30.0286102294922,67.6947174072266],[29.3569412231445,68.0824890136719],[28.6949977874756,68.1954116821289],[28.4598579406738,68.5348510742188],[28.8173580169678,68.8470001220703],[28.4355525970459,68.9026336669922],[28.9573402404785,69.0516204833984],[29.2348594665527,69.1047210693359],[29.3138847351074,69.3161773681641],[30.0977745056152,69.5033264160156],[30.109582901001,69.6638488769531],[30.9123592376709,69.5502014160156],[30.8548393249512,69.7923126220703],[31.7738876342773,69.6810913085938],[31.7569427490234,69.8466491699219],[32.0967864990234,69.792854309082],[31.9152355194092,69.9230804443359],[32.0127716064453,69.9636077880859],[33.0936050415039,69.7474822998047],[32.8949966430664,69.582763671875],[32.0263938903809,69.6365356445312],[32.494556427002,69.5054092407227],[32.2224884033203,69.4241485595703],[33.0294151306152,69.4718627929688],[32.8060493469238,69.3027725219727],[33.5161743164062,69.422477722168],[33.2415199279785,69.2690887451172],[33.4684257507324,69.1967468261719],[33.516658782959,69.1813659667969],[33.032283782959,68.9625549316406],[33.426586151123,69.0931091308594],[33.7191543579102,69.3313751220703],[35.9749908447266,69.1730346679688],[37.773323059082,68.6760864257812],[38.4327697753906,68.3391571044922],[39.5711059570312,68.0610961914062],[39.8526306152344,68.044075012207],[39.7780494689941,68.1635971069336],[40.4636077880859,67.7549896240234],[41.0497169494629,67.6585922241211],[41.1106872558594,67.2509536743164],[41.3908271789551,67.1191482543945],[41.1558227539062,66.79443359375],[40.0666580200195,66.2761001586914],[38.6077728271484,66.0522003173828],[35.5091323852539,66.3877410888672],[34.8458251953125,66.60498046875],[34.4790191650391,66.5323486328125],[33.598876953125,66.8230438232422],[33.2513885498047,66.79443359375],[32.6677703857422,67.1194305419922],[31.8588066101074,67.15283203125],[32.2594413757324,67.1227569580078],[32.9127731323242,66.7690124511719],[32.800895690918,66.7265777587891],[33.3218727111816,66.6408843994141],[32.8710327148438,66.580680847168],[33.4276275634766,66.5890121459961],[32.9584274291992,66.5303649902344],[33.633602142334,66.4810943603516],[33.3215179443359,66.3197021484375],[34.1097183227539,66.2490158081055],[34.8501319885254,65.8987350463867],[34.9647178649902,65.7212295532227],[34.6891593933105,65.801643371582],[34.6730499267578,65.4478988647461],[34.3812446594238,65.3826217651367],[34.9361038208008,64.8383178710938],[34.9572143554688,64.6527709960938],[34.7877731323242,64.5477600097656],[34.9477691650391,64.5144348144531],[36.1097183227539,64.2313690185547],[36.2824935913086,64.0097122192383],[37.5047149658203,63.8147125244141],[38.0801315307617,64.0211029052734],[37.978874206543,64.3166656494141],[37.1916580200195,64.3919372558594],[36.5619354248047,64.7438735961914],[36.4395751953125,64.9378967285156],[36.8330497741699,64.9919281005859],[36.8568649291992,65.1783142089844],[38.4043655395508,64.8540802001953],[38.0392303466797,64.7599182128906],[38.0413856506348,64.6433181762695],[38.5366592407227,64.7983245849609],[40.4972152709961,64.5351257324219],[40.3759613037109,64.923454284668],[39.7180480957031,65.3783111572266],[39.8122100830078,65.5935974121094],[41.4249954223633,66.0897064208984],[42.2056846618652,66.5290145874023],[43.2929153442383,66.4242935180664],[43.6938781738281,66.2319259643555],[43.295783996582,66.0931167602539],[43.3547134399414,66.0385894775391],[43.5162467956543,65.9756774902344],[43.4608383178711,66.0990829467773],[43.4533233642578,66.1158142089844],[43.5034713745117,66.1233825683594],[43.8580474853516,66.1769256591797],[44.1744384765625,65.8746948242188],[44.0763854980469,66.2005462646484],[44.218376159668,66.4071350097656],[44.4830474853516,66.6741485595703],[44.3614501953125,66.7836608886719],[44.4799880981445,66.9491424560547],[43.7505493164062,67.2522125244141],[44.113883972168,67.7066497802734],[44.0865173339844,67.8769912719727],[44.2581901550293,67.9281005859375],[44.1315879821777,67.9282455444336],[44.2449226379395,68.2645721435547],[43.3116607666016,68.6849822998047],[45.9033203125,68.4822082519531],[46.5273551940918,68.1381759643555],[46.7111053466797,67.8167877197266],[45.3824920654297,67.7355346679688],[44.9129066467285,67.3656768798828],[45.5786056518555,67.1822052001953],[46.0336303710938,66.8248977661133],[46.5879096984863,66.8613739013672],[46.3819389343262,66.7410888671875],[47.6997146606445,66.9863739013672],[47.6822128295898,67.1863708496094],[47.9511032104492,67.4519271850586],[47.8143653869629,67.5742950439453],[48.001522064209,67.6523513793945],[49.0972137451172,67.6326217651367],[48.5952682495117,67.9304656982422],[49.2260971069336,67.8738708496094],[50.7687454223633,68.3705368041992],[52.0747146606445,68.54443359375],[52.3555526733398,68.4773483276367],[52.141242980957,68.3820648193359],[52.2587394714355,68.3063735961914],[52.7304077148438,68.4590225219727],[52.4880447387695,68.5855407714844],[52.6379776000977,68.6420974731445],[52.2948570251465,68.6166458129883],[53.4702682495117,68.91943359375],[54.5591583251953,68.9956741333008],[53.6043663024902,68.9081802368164],[54.0126304626465,68.8577575683594],[53.723461151123,68.6320648193359],[53.9442939758301,68.4013748168945],[53.2127723693848,68.2852630615234],[54.1997146606445,68.2072143554688],[54.5065231323242,68.3051223754883],[54.8233261108398,68.1677551269531],[54.9944381713867,68.4349822998047],[55.9767990112305,68.659423828125],[57.2761001586914,68.5558166503906],[58.1842956542969,68.8849945068359],[58.4216613769531,68.7366485595703],[58.2763137817383,68.8918609619141],[58.8983306884766,68.9997100830078],[59.2216949462891,68.9906387329102],[58.9015159606934,68.9335250854492],[59.4272155761719,68.7452545166016],[59.0617980957031,68.6198425292969],[59.0723533630371,68.4245681762695],[59.8426322937012,68.3694305419922],[59.9684600830078,68.4642868041992],[59.8116607666016,68.6819305419922],[60.914436340332,68.9047088623047],[60.8947143554688,69.1233139038086],[60.6022186279297,69.1258087158203],[60.1452713012695,69.573112487793],[60.9316635131836,69.863037109375],[64.2769317626953,69.51416015625],[64.9985275268555,69.2963714599609],[64.7967910766602,69.1429061889648],[65.0761032104492,69.2698516845703],[67.0549774169922,68.8563690185547],[68.159423828125,68.411376953125],[68.2910995483398,68.1867828369141],[68.901237487793,68.610954284668],[69.1098480224609,68.8694305419922],[68.9627685546875,68.9060974121094],[69.2174835205078,68.9558258056641],[68.4547119140625,68.9808197021484],[68.0524826049805,69.2754058837891],[68.0991516113281,69.544563293457],[67.0101318359375,69.6991500854492],[66.9476928710938,69.5318603515625],[66.7937316894531,69.5802688598633],[66.8994293212891,70.0258178710938],[67.3277740478516,70.0974884033203],[67.0898513793945,70.2141571044922],[67.3140106201172,70.7866516113281],[66.6108169555664,70.8681716918945],[66.8879089355469,71.0802688598633],[66.6183166503906,71.0227661132812],[66.8366546630859,71.209716796875],[68.4655456542969,71.8188934326172],[68.9764404296875,72.6942825317383],[69.3792953491211,72.9616546630859],[71.5385894775391,72.911376953125],[72.8238754272461,72.7113800048828],[72.7252655029297,72.60595703125],[72.8627624511719,72.2683258056641],[72.3183441162109,71.8336486816406],[72.3641510009766,71.7197418212891],[71.8062286376953,71.4633255004883],[72.5910949707031,71.1552581787109],[72.8394317626953,70.8683166503906],[72.6818542480469,70.6147689819336],[72.7744293212891,70.4199829101562],[72.4324798583984,70.2894287109375],[72.6085968017578,70.1838684082031],[72.4905319213867,70.0492858886719],[72.6867828369141,69.8434600830078],[72.534294128418,69.6253967285156],[72.5538635253906,68.9766540527344],[73.6388778686523,68.4415054321289],[73.1026916503906,68.2188034057617],[73.2043609619141,67.8545608520508],[73.0327606201172,67.7231826782227],[72.5560913085938,67.6016540527344],[72.3767929077148,67.316650390625],[72.0477600097656,67.2976913452148],[72.212760925293,67.1513748168945],[71.7744293212891,66.9455261230469],[71.4102630615234,66.9669342041016],[71.5509567260742,66.6442947387695],[70.6866455078125,66.5088806152344],[70.2926864624023,66.6208190917969],[70.7054061889648,66.7601318359375],[68.9716491699219,66.8063735961914],[69.3769302368164,66.5101318359375],[72,66.2194366455078],[72.3433227539062,66.2981796264648],[72.4741516113281,66.6041564941406],[73.8527679443359,66.9845657348633],[73.9034576416016,67.2898406982422],[74.2713851928711,67.5],[74.8030395507812,67.8208312988281],[74.7258911132812,68.1492919921875],[74.3385925292969,68.3708801269531],[74.4897079467773,68.7191543579102],[76.3252716064453,68.9858093261719],[77.3208236694336,68.5183868408203],[77.1648406982422,68.2917861938477],[77.3598480224609,68.2284622192383],[77.1962280273438,67.9736633300781],[77.3001174926758,67.9090805053711],[77.1226196289062,67.7634658813477],[77.7855377197266,67.5619201660156],[79.0411682128906,67.5734329223633],[77.4663772583008,67.7591552734375],[77.55859375,68.1438751220703],[78.1710205078125,68.2680435180664],[77.7791595458984,68.5163803100586],[77.644157409668,68.9047088623047],[76.0013885498047,69.2388763427734],[74.7494201660156,69.0788726806641],[73.7484512329102,69.1712341308594],[73.8958892822266,69.4147796630859],[73.515754699707,69.7429046630859],[73.6879577636719,70.1345672607422],[74.2933197021484,70.4972076416016],[74.3205413818359,70.6552581787109],[73.5266571044922,71.2630462646484],[73.0163803100586,71.4185256958008],[73.5033111572266,71.6627655029297],[73.5255279541016,71.8158187866211],[74.9744262695312,72.1222076416016],[75.1094284057617,72.3913803100586],[74.8299865722656,72.8341522216797],[75.3602600097656,72.8052520751953],[75.7124176025391,72.5581741333008],[75.552619934082,72.4833145141602],[75.7463684082031,72.2686004638672],[75.2223510742188,71.8412551879883],[75.495475769043,71.6594314575195],[75.2673492431641,71.3612365722656],[76.8435974121094,71.1885833740234],[76.9158172607422,71.0697174072266],[77.0045700073242,71.182487487793],[77.6798400878906,71.1569290161133],[78.4360961914062,70.8858184814453],[79.1085205078125,71.0070724487305],[78.5497131347656,70.9555511474609],[78.5197143554688,71.1016540527344],[78.2483215332031,71.0974884033203],[78.2963714599609,71.250129699707],[77.9391479492188,71.2533264160156],[77.9823455810547,71.3728942871094],[77.5172119140625,71.2988739013672],[76.2640151977539,71.5747146606445],[76.0974884033203,71.9285888671875],[76.8977661132812,72.0510864257812],[77.7591552734375,71.8255462646484],[78.2150268554688,71.9853210449219],[77.3976287841797,72.0776290893555],[77.4491424560547,72.2102661132812],[78.5177612304688,72.4033203125],[79.4797058105469,72.3677520751953],[80.8260955810547,72.0869293212891],[80.6510925292969,72.0310974121094],[81.6530456542969,71.7080383300781],[83.2616424560547,71.7210845947266],[82.8577270507812,71.3930816650391],[82.2572174072266,71.2566604614258],[82.3558120727539,71.088737487793],[82.2019348144531,70.9885864257812],[82.4085922241211,70.769645690918],[82.0809631347656,70.564567565918],[82.3460998535156,70.1985931396484],[82.1581115722656,70.5727615356445],[82.4333114624023,70.6088714599609],[82.6638793945312,70.9472045898438],[83.1097030639648,70.8906860351562],[83.018180847168,70.4262313842773],[82.6445770263672,70.1712341308594],[83.1572113037109,70.0774841308594],[83.1026000976562,70.1420593261719],[82.95166015625,70.3205413818359],[83.7455291748047,70.4599914550781],[83.1501998901367,71.238037109375],[83.6263656616211,71.6253967285156],[83.3716430664062,71.8297119140625],[82.193244934082,72.0941543579102],[82.3092880249023,72.1915054321289],[82.1318206787109,72.2698669433594],[80.7263717651367,72.5230407714844],[80.8236694335938,72.6192169189453],[80.6270599365234,72.7073516845703],[80.8110961914062,72.9733200073242],[80.2388687133789,73.1753997802734],[80.5699157714844,73.2224807739258],[80.253044128418,73.3230438232422],[80.6747055053711,73.5019302368164],[80.5186004638672,73.5734634399414],[85.2244262695312,73.6972045898438],[86.7869262695312,73.9008178710938],[87.0213088989258,73.7817230224609],[85.7859573364258,73.4705429077148],[85.8395690917969,73.3237457275391],[86.7835998535156,72.9940795898438],[85.8744201660156,73.3447113037109],[85.8610229492188,73.4823455810547],[87.1244201660156,73.6060943603516],[87.6660995483398,73.8908233642578],[87.3217926025391,73.8305435180664],[86.9804382324219,74.0286102294922],[87.3667831420898,74.0426177978516],[85.9496383666992,74.2826232910156],[86.4552612304688,74.4535980224609],[86.8774719238281,74.3910980224609],[86.738037109375,74.2972106933594],[87.1327514648438,74.369140625],[85.8370742797852,74.6973495483398],[86.2074890136719,74.8102569580078],[86.9130401611328,74.6124877929688],[86.7619323730469,74.7027740478516],[87.3796310424805,74.9461669921875],[87.1817169189453,74.9813690185547],[87.7753982543945,75.0246429443359],[86.9474792480469,75.1380462646484],[87.9871978759766,75.0999908447266],[89.2262344360352,75.4970703125],[89.9152679443359,75.5569305419922],[94.0770721435547,75.9159545898438],[92.9062347412109,75.8984603881836],[92.9253997802734,76.0540084838867],[93.1810913085938,76.0997161865234],[95.7180480957031,76.1433258056641],[96.1971969604492,76.0815200805664],[95.5748519897461,75.88818359375],[96.5119323730469,76.0099945068359],[96.6299743652344,75.9544372558594],[96.4429016113281,75.8684539794922],[97.2894287109375,76.0394287109375],[97.18359375,75.9280395507812],[97.8213806152344,75.9797058105469],[97.5841522216797,76.0613708496094],[98.7952575683594,76.2655487060547],[99.7656173706055,76.034294128418],[99.2234573364258,75.7658004760742],[99.0930480957031,75.5619277954102],[100.186256408691,75.1685333251953],[99.8023376464844,75.4762344360352],[99.1742095947266,75.5686645507812],[99.2364730834961,75.6626586914062],[99.3060913085938,75.7677612304688],[99.4320602416992,75.8000259399414],[99.8949890136719,75.9185943603516],[99.877197265625,76.0916595458984],[98.8142852783203,76.482063293457],[100.864151000977,76.5324859619141],[102.240814208984,76.3790054321289],[100.878311157227,76.5513763427734],[101.231163024902,76.751579284668],[100.870529174805,76.8306884765625],[100.929977416992,76.9485931396484],[103.10555267334,77.6319274902344],[104.275268554688,77.7316589355469],[105.871917724609,77.5635986328125],[106.28247833252,77.3660888671875],[104.123313903809,77.0895690917969],[105.90998840332,77.1413726806641],[105.448455810547,76.9760971069336],[106.813873291016,77.0499877929688],[107.498176574707,76.9183883666992],[106.400115966797,76.5958251953125],[106.447196960449,76.5022125244141],[107.87580871582,76.5352630615234],[107.944137573242,76.7316589355469],[111.544136047363,76.6784515380859],[112.190040588379,76.4702606201172],[111.906372070312,76.3644256591797],[112.265823364258,76.4522094726562],[112.744285583496,76.3259658813477],[112.512489318848,76.2385177612305],[112.852767944336,76.1448516845703],[112.575057983398,76.0456771850586],[113.255821228027,76.1433181762695],[112.933448791504,76.2554092407227],[113.242752075195,76.26220703125],[113.46630859375,76.1382446289062],[113.547492980957,75.8666534423828],[113.891372680664,75.8450546264648],[113.534980773926,75.5533905029297],[113.509429931641,75.5324859619141],[113.525825500488,75.5564727783203],[113.594985961914,75.6576232910156],[112.349700927734,75.8471374511719],[112.869140625,75.7055511474609],[112.828048706055,75.5474853515625],[113.250267028809,75.6491546630859],[113.505561828613,75.5061416625977],[113.650405883789,75.5145721435547],[113.610389709473,75.287483215332],[111.786651611328,74.6640167236328],[111.209426879883,74.627197265625],[109.577476501465,74.3072052001953],[109.969848632812,74.2972030639648],[109.894844055176,74.1965179443359],[108.189697265625,73.6702575683594],[107.138877868652,73.6115112304688],[106.804557800293,73.3419342041016],[106.067626953125,73.2741546630859],[105.8388671875,73.0049209594727],[105.175537109375,72.7869262695312],[106.283309936523,72.9616546630859],[106.171928405762,73.0951309204102],[106.343322753906,73.1887283325195],[108.353042602539,73.2197113037109],[109.42456817627,73.4148406982422],[109.177825927734,73.5396347045898],[109.813873291016,73.4591522216797],[110.914321899414,73.6966857910156],[109.678039550781,73.6749877929688],[109.529846191406,73.8192977905273],[110.031097412109,74.0097198486328],[111.001388549805,73.9044342041016],[111.236877441406,73.9701080322266],[111.318328857422,73.8441467285156],[112.248321533203,73.7069396972656],[112.874687194824,73.7597198486328],[112.887771606445,73.9649963378906],[113.424423217773,73.6408233642578],[113.135261535645,73.4481735229492],[113.495391845703,73.3369293212891],[113.519706726074,73.1127624511719],[113.475120544434,72.9615859985352],[113.089569091797,72.8351287841797],[113.185394287109,72.7194290161133],[114.091926574707,72.5949859619141],[113.155685424805,72.8199844360352],[113.534561157227,72.9673461914062],[113.543045043945,73.2384567260742],[114.027893066406,73.3444366455078],[113.511932373047,73.5111083984375],[115.456939697266,73.7030487060547],[118.832206726074,73.5447082519531],[118.95484161377,73.4659576416016],[118.366928100586,73.4277648925781],[118.388870239258,73.2387313842773],[119.817756652832,72.9358062744141],[121.86580657959,72.9680480957031],[124.738037109375,72.6237335205078],[126.094711303711,72.2705383300781],[126.36498260498,72.3522033691406],[127.131217956543,71.8480377197266],[127.276092529297,71.3888854980469],[127.188018798828,71.7472076416016],[127.326080322266,71.8949890136719],[126.97435760498,72.0542907714844],[126.720115661621,72.3874816894531],[126.905548095703,72.4013824462891],[127.697761535645,72.3341522216797],[128.711639404297,71.7705383300781],[129.18229675293,71.8034515380859],[129.072479248047,72.0019378662109],[129.52717590332,71.7199172973633],[128.843826293945,71.6042938232422],[129.184356689453,71.5908203125],[129.743835449219,71.12109375],[130.577178955078,70.8694305419922],[130.783584594727,70.971794128418],[130.897613525391,70.754997253418],[131.130249023438,70.7310943603516],[131.535797119141,70.8777618408203],[131.843017578125,71.2013702392578],[132.175735473633,71.2181777954102],[131.940673828125,71.2545776367188],[132.086364746094,71.4883117675781],[132.718444824219,71.9410934448242],[132.715515136719,71.7684631347656],[133.679138183594,71.4333190917969],[134.452453613281,71.3674774169922],[135.964965820312,71.6319274902344],[137.984954833984,71.10693359375],[137.747039794922,71.2214431762695],[138.215789794922,71.2590179443359],[137.825653076172,71.3869323730469],[138.066070556641,71.5736083984375],[138.732879638672,71.6424865722656],[139.202880859375,71.412353515625],[139.932464599609,71.4849853515625],[139.64436340332,71.9116516113281],[139.336639404297,71.9455261230469],[140.194274902344,72.2063751220703],[139.325531005859,72.1277618408203],[139.087463378906,72.2302627563477],[139.493026733398,72.4819259643555],[140.999114990234,72.5699920654297],[140.643035888672,72.8936004638672],[146.838714599609,72.3438034057617],[144.968292236328,72.4349822998047],[144.535522460938,72.2310943603516],[144.143447875977,72.2634658813477],[144.531921386719,72.1672058105469],[145.609024047852,72.2777252197266],[146.917327880859,72.2998428344727],[145.964660644531,71.8469390869141],[145.996627807617,72.0300598144531],[146.341079711914,72.1249771118164],[145.985443115234,72.0655364990234],[145.649597167969,72.2293472290039],[145.62190246582,72.2428588867188],[145.630218505859,72.228271484375],[145.801849365234,71.9271392822266],[144.967391967773,71.9658203125],[145.21403503418,71.8395690917969],[144.920669555664,71.6933135986328],[145.31884765625,71.6580352783203],[146.079681396484,71.7909545898438],[147.130661010742,72.3144302368164],[148.503601074219,72.2991485595703],[149.720245361328,72.1160888671875],[150.045257568359,71.9349822998047],[149.698852539062,71.7633209228516],[149.36979675293,71.9045715332031],[148.840744018555,71.8033447265625],[149.037475585938,71.7588806152344],[148.829406738281,71.6721267700195],[149.9619140625,71.6572113037109],[150.098022460938,71.5870666503906],[149.865646362305,71.4631881713867],[150.635665893555,71.5051345825195],[150.023590087891,71.2074890136719],[150.675262451172,71.3883209228516],[150.606338500977,71.2783203125],[151.4619140625,71.3411026000977],[152.13134765625,71.0169372558594],[151.659576416016,70.9841537475586],[152.22412109375,70.8766479492188],[155.937194824219,71.0944366455078],[159.044692993164,70.8698348999023],[160.035247802734,70.4090194702148],[160.094696044922,70.2445678710938],[159.794982910156,70.13720703125],[159.878845214844,70.0772094726562],[159.706634521484,69.9224853515625],[160.999206542969,69.5797805786133],[160.968444824219,69.1144943237305],[161.41081237793,68.9765090942383],[161.141372680664,68.653564453125],[161.066070556641,68.5633087158203],[160.988189697266,68.5627059936523],[160.762069702148,68.5609512329102],[160.915252685547,68.5194396972656],[161.081848144531,68.5406723022461],[161.577178955078,68.9120712280273],[161.434967041016,69.3767852783203],[162.515533447266,69.6774749755859],[164.014434814453,69.7674865722656],[164.532470703125,69.5994262695312],[166.860504150391,69.4905395507812],[167.777206420898,69.7760925292969],[168.239822387695,69.5513687133789],[168.283325195312,69.2416534423828],[169.365524291992,69.0804061889648],[169.589279174805,68.7770767211914],[170.611938476562,68.7563323974609],[170.458023071289,68.8637313842773],[170.704956054688,68.8044281005859],[171.022491455078,69.0230407714844],[170.907470703125,69.3060913085938],[170.58024597168,69.5959625244141],[170.122451782227,69.6135940551758],[170.567199707031,69.7780456542969],[170.557876586914,70.0791549682617],[170.404281616211,70.1149826049805],[170.520538330078,70.1326293945312],[172.638580322266,69.9656829833984],[173.201644897461,69.7794342041016],[173.475723266602,69.8333206176758],[173.205108642578,69.924430847168],[173.458587646484,69.9524841308594],[176.084396362305,69.8929061889648],[176.741058349609,69.6669311523438],[178.770538330078,69.4074859619141],[179.065521240234,69.3237380981445],[178.693572998047,69.2847137451172],[179.296920776367,69.2622833251953],[179.99,68.9801025390625],[179.99,65.0689086914062],[178.522216796875,64.5880432128906],[178.749282836914,64.6833801269531],[177.60578918457,64.7204055786133],[176.916076660156,65.0824890136719],[176.307205200195,65.0466537475586],[176.95719909668,65.0380401611328],[177.29866027832,64.8306884765625],[177.153045654297,64.7833251953125],[176.059967041016,64.9480285644531],[175.91618347168,64.8815689086914],[175.692199707031,64.7780456542969],[174.450180053711,64.6863632202148],[175.681716918945,64.7335052490234]],"Russia"], ["Country","RW0",[[29.0244407653809,-2.74472236633301],[28.8674278259277,-2.39868068695068],[29.1183319091797,-2.24111151695251],[29.2708320617676,-1.62638902664185],[29.5969429016113,-1.3858335018158],[29.835277557373,-1.31972241401672],[29.9797210693359,-1.46222233772278],[30.4822196960449,-1.06333351135254],[30.8309364318848,-1.65489971637726],[30.8932609558105,-2.07548642158508],[30.8307609558105,-2.35430574417114],[30.5733299255371,-2.39916706085205],[29.952220916748,-2.30944490432739],[29.8219413757324,-2.77277803421021],[29.3804836273193,-2.8254861831665],[29.140552520752,-2.58916711807251],[29.0244407653809,-2.74472236633301]],"Rwanda"], ["Country","WS0",[[-172.596496582031,-13.5091133117676],[-172.287796020508,-13.4841651916504],[-172.212356567383,-13.806529045105],[-172.527923583984,-13.8027095794678],[-172.780029296875,-13.5325708389282],[-172.596496582031,-13.5091133117676]],"Samoa"], ["Country","WS1",[[-171.441986083984,-14.057502746582],[-172.064758300781,-13.8781938552856],[-171.822265625,-13.807502746582],[-171.441986083984,-14.057502746582]],"Samoa"], ["Country","SM0",[[12.503303527832,43.9853172302246],[12.4696750640869,43.8981895446777],[12.4070024490356,43.9547462463379],[12.503303527832,43.9853172302246]],"San Marino"], ["Country","TP0",[[6.52388858795166,0.0183333307504654],[6.46722221374512,0.259722173213959],[6.68777751922607,0.402222216129303],[6.75152730941772,0.226805537939072],[6.52388858795166,0.0183333307504654]],"Sao Tome & Principe"], ["Country","SA0",[[41.7910690307617,16.8117733001709],[42.0756912231445,16.8102760314941],[42.1705551147461,16.5627746582031],[41.9682884216309,16.6464672088623],[41.7910690307617,16.8117733001709]],"Saudi Arabia"], ["Country","SA1",[[50.8309555053711,24.7499656677246],[50.9730529785156,24.5769424438477],[51.2151641845703,24.6208877563477],[51.4872169494629,24.5833301544189],[51.282356262207,24.2999992370605],[51.584228515625,24.2604656219482],[52.5833282470703,22.9388904571533],[55.1991653442383,22.6997184753418],[55.6661071777344,21.9997215270996],[55,20],[51.9992904663086,18.9993438720703],[48.7663879394531,18.2663879394531],[46.3330535888672,15.616943359375],[46.3333282470703,16.6666641235352],[44.4609680175781,17.4130535125732],[43.9391632080078,17.3064556121826],[43.5136070251465,17.5219440460205],[43.3138847351074,17.4597206115723],[43.12353515625,16.9251365661621],[43.2061080932617,16.6722221374512],[42.789680480957,16.3775024414062],[42.547908782959,16.9982604980469],[42.3705520629883,17.0399971008301],[42.3070793151855,17.4476356506348],[41.6788864135742,17.9494438171387],[41.2058296203613,18.7002754211426],[41.1753425598145,19.0649967193604],[40.7569389343262,19.7641658782959],[39.6606903076172,20.4379138946533],[39.1748580932617,21.104024887085],[38.993049621582,21.8369407653809],[39.0627746582031,22.5833320617676],[38.4468688964844,23.7890949249268],[37.4423599243164,24.3751373291016],[37.1545104980469,24.8401374816895],[37.2355499267578,25.1824989318848],[35.1605529785156,28.0566635131836],[34.5721473693848,28.0958995819092],[34.9613876342773,29.3608322143555],[36.0699996948242,29.1888885498047],[36.7436065673828,29.8647193908691],[37.5027770996094,30.0022201538086],[37.6674957275391,30.3363876342773],[38.0013885498047,30.5041656494141],[37.0052719116211,31.5055541992188],[39.1967430114746,32.1549415588379],[40.413330078125,31.9483299255371],[42.0849990844727,31.1116600036621],[44.7216606140137,29.1983299255371],[46.5469436645508,29.1041984558105],[47.4599914550781,28.999439239502],[47.6888809204102,28.5388832092285],[48.4165878295898,28.5452766418457],[48.877498626709,27.8336067199707],[48.8388748168945,27.6197166442871],[49.236515045166,27.5443000793457],[49.3087387084961,27.4448566436768],[49.1279754638672,27.4422874450684],[49.4088745117188,27.1272163391113],[49.5422134399414,27.1711044311523],[50.1549987792969,26.6630535125732],[49.9830474853516,26.6994438171387],[50.2194442749023,26.3002777099609],[49.9938888549805,26.0199966430664],[50.8309555053711,24.7499656677246]],"Saudi Arabia"], ["Country","SG0",[[-16.4569225311279,12.6190643310547],[-16.5939598083496,12.783332824707],[-16.7529182434082,12.5647211074829],[-16.7508735656738,13.0599765777588],[-15.8097229003906,13.1597213745117],[-15.806529045105,13.3394432067871],[-15.2904176712036,13.3727769851685],[-15.1116676330566,13.595832824707],[-14.3511123657227,13.2377777099609],[-13.8034734725952,13.3844432830811],[-13.9191675186157,13.5681934356689],[-14.3348617553711,13.4540271759033],[-15.0702781677246,13.8263874053955],[-15.364444732666,13.7813873291016],[-15.4881954193115,13.5908327102661],[-16.5656700134277,13.5899982452393],[-16.638614654541,13.7527770996094],[-16.490837097168,13.9580545425415],[-16.6984386444092,13.7704496383667],[-16.7453479766846,13.9534711837769],[-16.367431640625,14.1663885116577],[-16.7758369445801,14.0124988555908],[-17.1755561828613,14.6544437408447],[-17.5327796936035,14.7501373291016],[-16.8793754577637,15.2243051528931],[-16.5463905334473,15.7566661834717],[-16.5276794433594,16.0602493286133],[-16.2852783203125,16.5170822143555],[-14.3436107635498,16.6361103057861],[-13.8161125183105,16.135274887085],[-13.3954172134399,16.0554161071777],[-12.849723815918,15.2080545425415],[-12.2448329925537,14.7643852233887],[-12.2063999176025,14.3952884674072],[-11.9822244644165,14.1727771759033],[-12.057222366333,13.6647205352783],[-11.8095140457153,13.309268951416],[-11.6345844268799,13.3915252685547],[-11.3761110305786,12.9829149246216],[-11.3730583190918,12.4077739715576],[-12.3454036712646,12.3017482757568],[-12.8962507247925,12.5449991226196],[-13.0456953048706,12.4790267944336],[-13.0563201904297,12.6340961456299],[-13.7131385803223,12.6772212982178],[-15.2180557250977,12.684720993042],[-15.6852779388428,12.4299983978271],[-16.7177696228027,12.3224258422852],[-16.8001403808594,12.4863882064819],[-16.5837516784668,12.6326379776001],[-16.3746242523193,12.5452308654785],[-15.6344442367554,12.5310401916504],[-15.391806602478,12.8329153060913],[-15.6456251144409,12.5570821762085],[-16.0213775634766,12.7249393463135],[-16.3409976959229,12.6066579818726],[-16.421667098999,12.5768041610718],[-16.4569225311279,12.6190643310547]],"Senegal"], ["Country","SR0",[[22.3652763366699,42.3238830566406],[21.1108322143555,42.2006912231445],[20.5896415710449,41.8821868896484],[20.5251369476318,42.2130508422852],[20.0714225769043,42.5609130859375],[19.9855537414551,42.7276344299316],[20.3461093902588,42.888744354248],[19.2288093566895,43.5132141113281],[19.5105533599854,43.6858291625977],[19.2394523620605,44.010612487793],[19.6185646057129,44.052619934082],[19.1044425964355,44.355827331543],[19.3713874816895,44.88916015625],[19.0397186279297,44.8613815307617],[19.1673583984375,45.2143020629883],[19.4249973297119,45.2179145812988],[18.9812602996826,45.3822212219238],[19.0979309082031,45.5188598632812],[18.9022369384766,45.5731391906738],[18.9566631317139,45.7824974060059],[18.8170204162598,45.9129638671875],[19.5652751922607,46.1727752685547],[20.2610244750977,46.1148529052734],[20.8015956878662,45.758674621582],[20.8083305358887,45.4788818359375],[21.4827766418457,45.1836090087891],[21.3734359741211,45.0136070251465],[21.5539569854736,44.8924255371094],[21.3986644744873,44.7831039428711],[22.1374969482422,44.4802742004395],[22.4661083221436,44.7137451171875],[22.7625102996826,44.5526008605957],[22.4615268707275,44.4833297729492],[22.6814346313477,44.2247009277344],[22.3672218322754,43.8269424438477],[22.5416641235352,43.4756202697754],[23.004997253418,43.1927719116211],[22.7415943145752,42.892147064209],[22.4429130554199,42.8204116821289],[22.5584697723389,42.4833297729492],[22.3652763366699,42.3238830566406]],"Serbia"], ["Country","SE0",[[55.5324935913086,-4.7891674041748],[55.3754119873047,-4.62513971328735],[55.4638824462891,-4.55166721343994],[55.5377426147461,-4.66147041320801],[55.5324935913086,-4.7891674041748]],"Seychelles"], ["Country","SL0",[[-13.2956104278564,9.03214263916016],[-12.797779083252,9.29805374145508],[-12.456111907959,9.88833236694336],[-11.2144451141357,9.99749946594238],[-10.6572923660278,9.30263710021973],[-10.7396535873413,9.09138774871826],[-10.5715255737305,9.05953216552734],[-10.508056640625,8.71791553497314],[-10.6958351135254,8.29861068725586],[-10.2666511535645,8.48837661743164],[-10.2975702285767,8.19902610778809],[-10.6026391983032,8.03291511535645],[-10.6077785491943,7.77249908447266],[-11.4923305511475,6.92709064483643],[-12.5041675567627,7.38861036300659],[-12.1843061447144,7.59104108810425],[-12.4605569839478,7.55541610717773],[-12.9589595794678,7.90326356887817],[-12.9743347167969,8.24776840209961],[-13.1327781677246,8.19499969482422],[-13.2850008010864,8.49756908416748],[-13.0559034347534,8.3695821762085],[-13.0955562591553,8.48527717590332],[-12.8975009918213,8.56777763366699],[-13.1791667938232,8.53944396972656],[-13.1322231292725,8.8619441986084],[-13.2956104278564,9.03214263916016]],"Sierra Leone"], ["Country","SL1",[[-12.8850002288818,7.61416625976562],[-12.5911121368408,7.63444423675537],[-12.4962511062622,7.50083303451538],[-12.8850002288818,7.61416625976562]],"Sierra Leone"], ["Country","SN0",[[103.805000305176,1.43601143360138],[103.990943908691,1.38259935379028],[103.842437744141,1.25956916809082],[103.639869689941,1.31859886646271],[103.805000305176,1.43601143360138]],"Singapore"], ["Country","LO0",[[22.5580520629883,49.0794372558594],[22.1514415740967,48.4119186401367],[21.780969619751,48.340690612793],[21.4381923675537,48.5753440856934],[20.6529140472412,48.5616645812988],[19.9398593902588,48.1362457275391],[19.6305541992188,48.23388671875],[19.4724254608154,48.0894393920898],[18.8453369140625,48.049129486084],[18.8497200012207,47.8177719116211],[18.6630535125732,47.7597160339355],[17.7872848510742,47.7464294433594],[17.1663856506348,48.0124969482422],[16.8447208404541,48.3619728088379],[16.9461822509766,48.6190643310547],[17.1879081726074,48.8694458007812],[17.7122192382812,48.8561096191406],[18.5659008026123,49.4936752319336],[18.851245880127,49.5173568725586],[19.1595802307129,49.4002723693848],[19.4755554199219,49.5999984741211],[19.7780170440674,49.4074935913086],[19.7834701538086,49.2002029418945],[20.0733642578125,49.1778755187988],[20.3605537414551,49.3930511474609],[20.9136085510254,49.2961044311523],[21.6126384735107,49.4365234375],[22.5580520629883,49.0794372558594]],"Slovakia"], ["Country","SI0",[[13.591739654541,45.4816970825195],[13.7169437408447,45.5961074829102],[13.9183320999146,45.6363868713379],[13.4797210693359,46.0122184753418],[13.6660404205322,46.1753082275391],[13.3834714889526,46.2951354980469],[13.7186546325684,46.526611328125],[14.5449981689453,46.4074935913086],[14.8674983978271,46.6133308410645],[16.1118049621582,46.8697204589844],[16.3490257263184,46.842357635498],[16.6078720092773,46.4762344360352],[16.2925071716309,46.5308151245117],[15.6591663360596,46.2208976745605],[15.6961097717285,45.8430519104004],[15.3158321380615,45.7566604614258],[15.1744575500488,45.4258193969727],[14.8260936737061,45.465446472168],[14.6097898483276,45.6684341430664],[14.3924989700317,45.4861068725586],[13.591739654541,45.4816970825195]],"Slovenia"], ["Country","BP0",[[157.44384765625,-7.43388843536377],[156.932067871094,-7.21638917922974],[156.441635131836,-6.63986158370972],[157.04248046875,-6.90166664123535],[157.188293457031,-7.1783332824707],[157.532272338867,-7.31666660308838],[157.44384765625,-7.43388843536377]],"Solomon Is."], ["Country","BP1",[[159.802459716797,-8.52166748046875],[158.842178344727,-7.97145843505859],[158.487457275391,-7.55416679382324],[159.851211547852,-8.33194446563721],[159.802459716797,-8.52166748046875]],"Solomon Is."], ["Country","BP2",[[156.703033447266,-7.95083332061768],[156.554412841797,-7.57861137390137],[156.808303833008,-7.72874975204468],[156.703033447266,-7.95083332061768]],"Solomon Is."], ["Country","BP3",[[157.150543212891,-8.15166664123535],[156.967742919922,-8.04638862609863],[157.027679443359,-7.86534690856934],[157.18359375,-7.93166637420654],[157.150543212891,-8.15166664123535]],"Solomon Is."], ["Country","BP4",[[157.811920166016,-8.6208324432373],[157.532333374023,-8.25527954101562],[157.236358642578,-8.31222152709961],[157.424835205078,-7.99208307266235],[157.777694702148,-8.24826335906982],[157.906158447266,-8.48312377929688],[157.811920166016,-8.6208324432373]],"Solomon Is."], ["Country","BP5",[[157.384429931641,-8.73444366455078],[157.198852539062,-8.56888961791992],[157.359893798828,-8.41083431243896],[157.384429931641,-8.73444366455078]],"Solomon Is."], ["Country","BP6",[[157.991333007812,-8.77305603027344],[157.875518798828,-8.60999870300293],[158.094970703125,-8.52458381652832],[157.991333007812,-8.77305603027344]],"Solomon Is."], ["Country","BP7",[[165.883026123047,-10.8736095428467],[165.808868408203,-10.7349987030029],[166.157348632812,-10.6780567169189],[165.883026123047,-10.8736095428467]],"Solomon Is."], ["Country","BP8",[[160.497467041016,-11.845832824707],[159.967330932617,-11.5044450759888],[160.437057495117,-11.6800003051758],[160.497467041016,-11.845832824707]],"Solomon Is."], ["Country","BP9",[[161.226623535156,-9.11777687072754],[161.378997802734,-9.63187408447266],[160.885528564453,-9.18430519104004],[160.58024597168,-8.33499908447266],[160.812896728516,-8.37013816833496],[161.009979248047,-8.63555717468262],[160.944290161133,-8.81652736663818],[161.226623535156,-9.11777687072754]],"Solomon Is."], ["Country","BP10",[[160.820251464844,-9.82944488525391],[160.650268554688,-9.93000030517578],[159.834335327148,-9.79916667938232],[159.601837158203,-9.32055568695068],[160.386383056641,-9.42666625976562],[160.820251464844,-9.82944488525391]],"Solomon Is."], ["Country","BP11",[[162.292755126953,-10.7294454574585],[162.305816650391,-10.8419437408447],[161.7783203125,-10.720832824707],[161.296981811523,-10.2118740081787],[162.106491088867,-10.4493045806885],[162.292755126953,-10.7294454574585]],"Solomon Is."], ["Country","SO0",[[41.9051666259766,3.98032188415527],[42.1177749633789,4.19388866424561],[42.8556900024414,4.30472183227539],[43.1581916809082,4.66638851165771],[43.6863861083984,4.89194393157959],[44.9508285522461,4.90249919891357],[47.9882431030273,8.00410652160645],[47.0119400024414,8.0011100769043],[44.0105514526367,9.00722122192383],[43.4416618347168,9.41763782501221],[42.8506927490234,10.219443321228],[42.6647872924805,10.6329145431519],[42.944091796875,11.0024375915527],[43.2492218017578,11.4695339202881],[44.2783279418945,10.4477767944336],[44.9355545043945,10.4236106872559],[45.7588844299316,10.8729848861694],[46.4533309936523,10.6899995803833],[47.3966636657715,11.1789569854736],[48.1256904602051,11.1351375579834],[48.5213851928711,11.3155536651611],[48.9872207641602,11.2458324432373],[50.093189239502,11.5145826339722],[50.7694396972656,11.9791660308838],[51.2727737426758,11.8394441604614],[51.0763854980469,11.3280544281006],[51.1455535888672,10.6336097717285],[51.0172157287598,10.446665763855],[51.4113159179688,10.45325756073],[50.8958282470703,10.3122215270996],[50.8385391235352,9.43787097930908],[49.8292999267578,7.94611072540283],[49.0408325195312,6.1497220993042],[47.9511070251465,4.46027708053589],[46.0255508422852,2.43722200393677],[44.544994354248,1.55194425582886],[43.4886093139648,0.649998784065247],[42.0666656494141,-0.896111130714417],[41.5581588745117,-1.67486810684204],[40.9983291625977,-0.866111159324646],[40.9913520812988,2.83553314208984],[41.9051666259766,3.98032188415527]],"Somalia"], ["Country","SF0",[[31.9685096740723,-25.9578399658203],[31.3256912231445,-25.7533359527588],[30.8294410705566,-26.3908348083496],[30.8207607269287,-26.810209274292],[31.1616630554199,-27.2030563354492],[31.5174980163574,-27.3130569458008],[31.9855537414551,-27.3163909912109],[32.0155868530273,-26.8070793151855],[32.1333999633789,-26.8396263122559],[32.8904266357422,-26.8471450805664],[32.3944396972656,-28.5313911437988],[31.3258323669434,-29.3908348083496],[30.0238876342773,-31.2811126708984],[27.8999977111816,-33.0405578613281],[26.5305519104004,-33.7533340454102],[25.7249984741211,-33.7672271728516],[25.7019424438477,-34.0319519042969],[25.0226364135742,-33.9680557250977],[24.8247184753418,-34.2016677856445],[23.6493034362793,-33.9838943481445],[23.3661785125732,-34.0909042358398],[22.5391635894775,-34.0111846923828],[21.8024978637695,-34.383056640625],[20.5044441223145,-34.464729309082],[20,-34.8220024108887],[19.3204135894775,-34.5952835083008],[19.2781925201416,-34.4091720581055],[18.8197193145752,-34.3788948059082],[18.7990264892578,-34.0888938903809],[18.485969543457,-34.0994453430176],[18.4047203063965,-34.3027801513672],[18.3105545043945,-34.0355567932129],[18.4390258789062,-33.7019500732422],[17.8474998474121,-32.8308334350586],[18.2897205352783,-32.6293106079102],[18.2790946960449,-31.9029865264893],[17.2779140472412,-30.3422927856445],[16.4895896911621,-28.5781784057617],[17.0757617950439,-28.0303497314453],[17.3980522155762,-28.3422241210938],[17.400899887085,-28.7084045410156],[18.1813163757324,-28.9084720611572],[19.1458301544189,-28.9550018310547],[19.5674571990967,-28.5283317565918],[19.9969482421875,-28.4155864715576],[20.0009422302246,-24.7654075622559],[20.3899993896484,-25.0369453430176],[20.8102760314941,-25.8808345794678],[20.6411094665527,-26.8259735107422],[21.6683311462402,-26.8636817932129],[22.6248092651367,-26.1115646362305],[23.0148315429688,-25.2997245788574],[23.4543724060059,-25.2770156860352],[23.9019432067871,-25.6248626708984],[24.6845722198486,-25.828218460083],[25.5097198486328,-25.6777801513672],[25.8713874816895,-24.7444458007812],[26.4110412597656,-24.6282730102539],[26.8304138183594,-24.2751407623291],[27.0052051544189,-23.6437511444092],[27.5290946960449,-23.3793773651123],[28.2983322143555,-22.609447479248],[29.3736228942871,-22.1924095153809],[31.2975044250488,-22.4147644042969],[31.5508308410645,-23.4766693115234],[32.0161056518555,-24.4594459533691],[31.9685096740723,-25.9578399658203]],"South Africa"], ["Country","SF1",[[28.8069400787354,-28.7575016021729],[28.6477756500244,-28.5706958770752],[28.1828441619873,-28.6982650756836],[27.0139713287354,-29.6271381378174],[27.3789215087891,-30.3173294067383],[27.7373580932617,-30.5965995788574],[28.0799369812012,-30.6505279541016],[28.3777770996094,-30.1602802276611],[29.1665267944336,-29.9154186248779],[29.1455535888672,-29.716947555542],[29.4555530548096,-29.349100112915],[29.3269424438477,-29.0875015258789],[28.8069400787354,-28.7575016021729]],"South Africa"], ["Country","SF2",[[37.8199996948242,-46.9697265625],[37.5759696960449,-46.9129180908203],[37.7774963378906,-46.8315315246582],[37.8199996948242,-46.9697265625]],"South Africa"], ["Country","SX0",[[-36.9913940429688,-54.3505630493164],[-37.408332824707,-54.2649345397949],[-37.252082824707,-54.1522941589355],[-37.6852798461914,-54.1752815246582],[-37.6197929382324,-54.0461158752441],[-38.023754119873,-54.0074348449707],[-36.6563949584961,-54.107780456543],[-36.6626434326172,-54.2751426696777],[-36.290210723877,-54.2658386230469],[-35.7939605712891,-54.7602119445801],[-36.0953140258789,-54.7699356079102],[-35.9236145019531,-54.8504219055176],[-36.1047248840332,-54.8892364501953],[-36.4686126708984,-54.5288925170898],[-36.9913940429688,-54.3505630493164]],"South Georgia & the South Sandwich Is."], ["Country","KS0",[[126.381118774414,34.4916534423828],[126.10164642334,34.3966598510742],[126.241096496582,34.5716590881348],[126.381118774414,34.4916534423828]],"South Korea"], ["Country","KS1",[[126.839660644531,33.5363693237305],[126.845268249512,33.3099937438965],[126.157760620117,33.2788772583008],[126.314979553223,33.4515228271484],[126.839660644531,33.5363693237305]],"South Korea"], ["Country","KS2",[[126.688491821289,37.8339080810547],[127.100959777832,38.2841606140137],[128.079956054688,38.3119354248047],[128.363555908203,38.625244140625],[129.429443359375,37.0598564147949],[129.392028808594,36.0228233337402],[129.586868286133,36.0038566589355],[129.439422607422,35.4758224487305],[129.136932373047,35.1122131347656],[128.57275390625,35.1699905395508],[128.382064819336,35.0391654968262],[128.501373291016,35.0083312988281],[128.405960083008,34.8327713012695],[128.3349609375,34.9465179443359],[127.597068786621,34.940128326416],[127.745811462402,34.7254028320312],[127.637901306152,34.615966796875],[127.418319702148,34.818603515625],[127.512763977051,34.5908241271973],[127.389427185059,34.4710998535156],[127.126220703125,34.5513801574707],[127.335121154785,34.7401313781738],[126.889427185059,34.4124908447266],[126.780746459961,34.5854072570801],[126.597206115723,34.2998542785645],[126.478317260742,34.3452682495117],[126.292137145996,34.7457580566406],[126.45166015625,34.5780487060547],[126.660263061523,34.810131072998],[126.375564575195,34.7913818359375],[126.43359375,34.9636077880859],[126.248733520508,35.113468170166],[126.457206726074,35.0688858032227],[126.387496948242,35.3369369506836],[126.684417724609,35.5333938598633],[126.477066040039,35.6379089355469],[126.801086425781,35.8616638183594],[126.632690429688,35.9656829833984],[126.872016906738,36.0562477111816],[126.544418334961,36.1364059448242],[126.497207641602,36.723876953125],[126.29305267334,36.5819396972656],[126.125816345215,36.7072143554688],[126.294845581055,36.9620742797852],[126.286994934082,36.7930488586426],[126.401092529297,36.851936340332],[126.345123291016,36.991382598877],[126.474807739258,36.8431854248047],[126.500816345215,37.0512466430664],[126.772071838379,36.9674873352051],[126.833038330078,36.7608985900879],[126.992202758789,36.9108200073242],[126.754783630371,37.0479125976562],[126.869422912598,37.1743011474609],[126.660957336426,37.1590156555176],[126.861846923828,37.2655487060547],[126.549285888672,37.6450614929199],[126.688491821289,37.8339080810547]],"South Korea"], ["Country","KS3",[[126.443603515625,37.8063430786133],[126.447212219238,37.7956008911133],[126.513893127441,37.5972137451172],[126.373031616211,37.6231842041016],[126.438957214355,37.7942924499512],[126.443603515625,37.8063430786133]],"South Korea"], ["Country","KS4",[[128.728210449219,34.9430465698242],[128.58821105957,34.7012405395508],[128.494415283203,34.8802719116211],[128.728210449219,34.9430465698242]],"South Korea"], ["Country","KS5",[[127.937713623047,34.9019241333008],[128.059127807617,34.7006149291992],[127.858863830566,34.721794128418],[127.824150085449,34.8586845397949],[127.937713623047,34.9019241333008]],"South Korea"], ["Country","SP0",[[4.27638816833496,39.8063888549805],[3.79694414138794,40.017219543457],[4.1744441986084,40.0502777099609],[4.27638816833496,39.8063888549805]],"Spain"], ["Country","SP1",[[2.38916635513306,39.5249938964844],[2.98777770996094,39.9111099243164],[3.47999978065491,39.7163848876953],[3.06027770042419,39.2633323669434],[2.69444417953491,39.5519409179688],[2.38916635513306,39.5249938964844]],"Spain"], ["Country","SP2",[[1.37194442749023,38.8308258056641],[1.21194434165955,38.8983306884766],[1.29416656494141,39.0313873291016],[1.60291659832001,39.0938835144043],[1.37194442749023,38.8308258056641]],"Spain"], ["Country","SP3",[[-13.7730560302734,28.837776184082],[-13.7916669845581,29.0524978637695],[-13.4425010681152,29.2316665649414],[-13.4834728240967,28.9952774047852],[-13.7730560302734,28.837776184082]],"Spain"], ["Country","SP4",[[-17.7833366394043,28.5291633605957],[-18.0029182434082,28.7497215270996],[-17.9068069458008,28.8481922149658],[-17.7165298461914,28.7433319091797],[-17.7833366394043,28.5291633605957]],"Spain"], ["Country","SP5",[[-14.3327789306641,28.0444412231445],[-14.4441680908203,28.069164276123],[-13.8677787780762,28.7495822906494],[-13.9230556488037,28.2491645812988],[-14.3327789306641,28.0444412231445]],"Spain"], ["Country","SP6",[[-16.6713905334473,27.9841651916504],[-16.9093761444092,28.3460388183594],[-16.1569480895996,28.5722198486328],[-16.6713905334473,27.9841651916504]],"Spain"], ["Country","SP7",[[-17.2308349609375,28.0099983215332],[-17.2550029754639,28.2061080932617],[-17.089168548584,28.1119422912598],[-17.2308349609375,28.0099983215332]],"Spain"], ["Country","SP8",[[-15.5791683197021,27.7311096191406],[-15.8226404190063,27.9156913757324],[-15.7025012969971,28.1561088562012],[-15.3652791976929,28.0072212219238],[-15.5791683197021,27.7311096191406]],"Spain"], ["Country","SP9",[[3.17765474319458,42.4368057250977],[3.31798601150513,42.3204803466797],[3.11805534362793,42.2251319885254],[3.17527770996094,41.8674926757812],[2.11736083030701,41.2892990112305],[0.964444398880005,41.0327758789062],[0.703611016273499,40.7968711853027],[0.88527774810791,40.7027740478516],[0.589166641235352,40.6127777099609],[0.0474999956786633,40.0337409973145],[-0.337638944387436,39.4380531311035],[-0.143333345651627,38.9783325195312],[0.207222193479538,38.7322082519531],[-0.511666774749756,38.3249969482422],[-0.858333349227905,37.7155494689941],[-0.72347229719162,37.6022186279297],[-1.32750010490417,37.5580520629883],[-1.64361119270325,37.3727722167969],[-2.12291693687439,36.7334671020508],[-2.347083568573,36.8405494689941],[-2.7688889503479,36.6783294677734],[-4.39986181259155,36.7214546203613],[-4.63972234725952,36.5083274841309],[-5.1726393699646,36.4118728637695],[-5.33450841903687,36.1625595092773],[-5.35579872131348,36.1633071899414],[-5.61361122131348,36.006103515625],[-6.04416704177856,36.186107635498],[-6.43250036239624,36.6923561096191],[-6.35555648803711,36.8608322143555],[-6.9599232673645,37.2218360900879],[-7.43185424804688,37.2531890869141],[-7.44694519042969,37.6994400024414],[-6.9415283203125,38.1704139709473],[-7.31708383560181,38.4447174072266],[-6.9558687210083,39.0231895446777],[-7.53250503540039,39.6694183349609],[-7.01722240447998,39.6749954223633],[-6.87069463729858,40.0159683227539],[-7.02722263336182,40.1877746582031],[-6.79611206054688,40.5244369506836],[-6.92440700531006,41.0309600830078],[-6.19045066833496,41.5796356201172],[-6.54562520980835,41.68701171875],[-6.60229206085205,41.949161529541],[-8.13611221313477,41.8091659545898],[-8.19783401489258,42.1506729125977],[-8.74500846862793,41.9524993896484],[-8.87514019012451,41.879508972168],[-8.89750099182129,42.1105537414551],[-8.57986259460449,42.3490219116211],[-8.86486148834229,42.2496490478516],[-8.65611267089844,42.4277725219727],[-8.90611267089844,42.4751358032227],[-8.72049713134766,42.6984901428223],[-9.02937507629395,42.5241622924805],[-8.91583347320557,42.7890243530273],[-9.1058349609375,42.7524948120117],[-9.2591667175293,43.0472183227539],[-8.95027923583984,43.2936096191406],[-8.3297233581543,43.4038848876953],[-7.89805603027344,43.76416015625],[-7.04481887817383,43.4904022216797],[-5.85416698455811,43.6480484008789],[-4.51455211639404,43.3963470458984],[-3.58555603027344,43.5102767944336],[-3.15059280395508,43.3535614013672],[-1.78087663650513,43.3599243164062],[-1.38513898849487,43.2525634765625],[-1.43951404094696,43.049373626709],[-0.754097282886505,42.9643707275391],[-0.555833399295807,42.7799987792969],[0.675506472587585,42.6884841918945],[0.716111063957214,42.8588829040527],[1.44583320617676,42.6019439697266],[1.45152771472931,42.4462471008301],[1.72361087799072,42.5094375610352],[2.02055525779724,42.3526344299316],[3.17765474319458,42.4368057250977]],"Spain"], ["Country","SP10",[[-5.34583377838135,35.8416595458984],[-5.39555740356445,35.9163360595703],[-5.31992149353027,35.8898658752441],[-5.34583377838135,35.8416595458984]],"Spain"], ["Country","SP11",[[-2.94694471359253,35.3291625976562],[-2.91472244262695,35.2736053466797],[-2.9629909992218,35.2811698913574],[-2.94694471359253,35.3291625976562]],"Spain"], ["Country","PG0",[[115.82275390625,10.7315120697021],[115.840766906738,10.7211380004883],[115.822006225586,10.7119064331055],[115.814514160156,10.7244634628296],[115.82275390625,10.7315120697021]],"Spratly Is."], ["Country","CE0",[[80.6619644165039,9.43602085113525],[80.9302673339844,8.97944259643555],[81.2320709228516,8.64861011505127],[81.139289855957,8.49152565002441],[81.3633117675781,8.48221969604492],[81.3919372558594,8.14944267272949],[81.8558197021484,7.40527725219727],[81.8905487060547,7.00055503845215],[81.6611022949219,6.43999862670898],[80.5895690917969,5.91805458068848],[80.1844177246094,6.03472137451172],[80.0460968017578,6.23972129821777],[79.6978988647461,8.19444274902344],[79.8299865722656,8.00027656555176],[79.9190826416016,8.93763732910156],[80.1949768066406,9.47027587890625],[80.0510940551758,9.59249782562256],[80.5428695678711,9.46254730224609],[80.6103286743164,9.44472026824951],[80.537109375,9.46972751617432],[80.0247039794922,9.64472198486328],[79.9699859619141,9.80999755859375],[80.4419174194336,9.57701206207275],[80.1405487060547,9.79222106933594],[80.2522125244141,9.8249979019165],[80.6619644165039,9.43602085113525]],"Sri Lanka"], ["Country","SH0",[[-5.71693134307861,-15.905330657959],[-5.64563322067261,-15.9574565887451],[-5.70045471191406,-16.003589630127],[-5.79242324829102,-15.9913082122803],[-5.71693134307861,-15.905330657959]],"St. Helena"], ["Country","SC0",[[-62.8166046142578,17.4094886779785],[-62.6222648620605,17.2421798706055],[-62.6549072265625,17.2085151672363],[-62.862003326416,17.3676605224609],[-62.8166046142578,17.4094886779785]],"St. Kitts & Nevis"], ["Country","ST0",[[-60.9547271728516,13.7094440460205],[-61.0795860290527,13.8766660690308],[-60.9333381652832,14.1093044281006],[-60.9547271728516,13.7094440460205]],"St. Lucia"], ["Country","SB0",[[-56.2894439697266,47.0708312988281],[-56.2326354980469,46.8530502319336],[-56.3713874816895,46.7868041992188],[-56.3977813720703,47.1066589355469],[-56.2894439697266,47.0708312988281]],"St. Pierre & Miquelon"], ["Country","VC0",[[-61.1803436279297,13.3823776245117],[-61.1226501464844,13.243914604187],[-61.1841888427734,13.1291704177856],[-61.2777786254883,13.2503252029419],[-61.1803436279297,13.3823776245117]],"St. Vincent & the Grenadines"], ["Country","SU0",[[36.5428161621094,14.2620525360107],[36.1425437927246,12.7148542404175],[35.7010803222656,12.6661148071289],[35.0836067199707,11.8055543899536],[34.9752731323242,10.8644428253174],[34.8005523681641,10.723331451416],[34.5944442749023,10.8877773284912],[34.2861099243164,10.5541648864746],[34.3483276367188,10.238471031189],[34.0858306884766,9.55305480957031],[34.1216621398926,8.57958221435547],[33.7713241577148,8.36774826049805],[33.2635383605957,8.46152687072754],[32.9917984008789,7.92604112625122],[33.0522193908691,7.79069375991821],[33.7124938964844,7.65847158432007],[34.704719543457,6.67777729034424],[35.303050994873,5.37736082077026],[35.821662902832,5.32861042022705],[35.7744369506836,4.79861068725586],[35.9405517578125,4.62249946594238],[34.3881912231445,4.60968208312988],[33.9966659545898,4.22277736663818],[33.5112380981445,3.75269651412964],[33.0166625976562,3.88861083984375],[32.4044418334961,3.74361085891724],[32.1945304870605,3.51275038719177],[31.821662902832,3.80694437026978],[31.5408325195312,3.65361070632935],[31.1766662597656,3.79527759552002],[30.8588180541992,3.49339437484741],[30.7863883972168,3.65999984741211],[30.56201171875,3.61326360702515],[30.5510387420654,3.86381912231445],[30.2077751159668,3.96166634559631],[29.6433296203613,4.64361095428467],[29.4677753448486,4.6638879776001],[29.2436103820801,4.34611034393311],[28.7824974060059,4.55736064910889],[28.3630523681641,4.28999996185303],[27.7894420623779,4.60013818740845],[27.7688865661621,4.78777694702148],[27.4552764892578,5.01638793945312],[27.1427764892578,5.77194404602051],[26.442289352417,6.07742977142334],[26.5254154205322,6.21624946594238],[26.2980537414551,6.46555519104004],[26.4040241241455,6.64402675628662],[25.2002754211426,7.51638793945312],[25.2558307647705,7.84569406509399],[24.804443359375,8.19277763366699],[24.1848583221436,8.30986022949219],[24.2011108398438,8.68694305419922],[23.5296516418457,8.70833301544189],[23.5816650390625,8.99374866485596],[23.4483318328857,9.01958274841309],[23.6493034362793,9.27597141265869],[23.6691665649414,9.866943359375],[22.8665046691895,10.9224472045898],[22.9713878631592,11.2802762985229],[22.5590267181396,11.6290273666382],[22.4643039703369,12.614860534668],[22.223331451416,12.747220993042],[21.9527740478516,12.6438884735107],[21.8291015625,12.7972030639648],[22.2849998474121,13.34055519104],[22.0844421386719,13.7791652679443],[22.5561771392822,14.1297912597656],[22.3865242004395,14.5626373291016],[22.6999282836914,14.7040958404541],[22.9293727874756,15.1140260696411],[22.9372215270996,15.5619430541992],[23.1181564331055,15.7102928161621],[23.9975643157959,15.7028484344482],[24.0027465820312,19.4990653991699],[24.0058307647705,19.9988174438477],[25.0008316040039,19.9991188049316],[25.0014228820801,21.9996948242188],[31.2743034362793,21.9987487792969],[31.4483318328857,22.2322196960449],[31.4602756500244,21.9981937408447],[36.8884658813477,22.0001106262207],[36.9113845825195,21.6086082458496],[37.3065910339355,21.0632610321045],[37.0938148498535,21.1690940856934],[37.4356880187988,18.8538875579834],[38.6006927490234,17.9948806762695],[38.257495880127,17.5327739715576],[37.5120697021484,17.3211803436279],[37.4232864379883,17.0342140197754],[36.9938125610352,17.0648937225342],[36.966869354248,16.2599277496338],[36.4432830810547,15.1499519348145],[36.5428161621094,14.2620525360107]],"Sudan"], ["Country","NS0",[[-56.4706344604492,1.94449901580811],[-56.6820907592773,2.02676796913147],[-57.2008361816406,2.82284688949585],[-57.3041687011719,3.38041639328003],[-57.6422271728516,3.35638856887817],[-58.0437545776367,4.00152730941772],[-57.8403511047363,4.66902732849121],[-57.92333984375,4.82194423675537],[-57.3272247314453,5.02611064910889],[-57.1910438537598,5.17201328277588],[-57.3244476318359,5.30361080169678],[-57.2485046386719,5.48611068725586],[-56.9644470214844,5.99708318710327],[-56.0177841186523,5.81833267211914],[-55.8995590209961,5.67190837860107],[-55.8558387756348,5.94888877868652],[-55.1279678344727,5.82217311859131],[-54.8644485473633,5.85513830184937],[-55.1447257995605,5.93416595458984],[-55.0473670959473,6.0018048286438],[-54.025562286377,5.81861066818237],[-54.1666793823242,5.34740257263184],[-54.4777793884277,4.75416612625122],[-54.360767364502,4.04242992401123],[-54.0011138916016,3.44833326339722],[-54.2061157226562,3.14527750015259],[-54.20458984375,2.77499961853027],[-54.6037826538086,2.32919454574585],[-54.9694480895996,2.55055522918701],[-55.7136840820312,2.40013861656189],[-55.9627799987793,2.53305530548096],[-56.115837097168,2.24916648864746],[-55.9017372131348,1.90104150772095],[-56.4706344604492,1.94449901580811]],"Suriname"], ["Country","SV0",[[18.8058319091797,79.9699859619141],[17.7908306121826,80.127067565918],[19.3405532836914,80.0863800048828],[19.5798587799072,80.1492919921875],[18.9799957275391,80.3366546630859],[19.8086090087891,80.2124938964844],[19.913745880127,80.3766479492188],[19.4587440490723,80.4206771850586],[19.6688842773438,80.5016632080078],[20.853328704834,80.2111053466797],[21.8383293151855,80.2711029052734],[21.607982635498,80.1212997436523],[22.363883972168,80.0013885498047],[22.5685386657715,80.2963714599609],[22.3611068725586,80.4102630615234],[22.7491607666016,80.3241577148438],[22.8869400024414,80.4902648925781],[23.3558292388916,80.426513671875],[23.1270790100098,80.3827667236328],[23.3397178649902,80.3424224853516],[23.0474967956543,80.2449798583984],[23.152774810791,80.1152648925781],[24.3074989318848,80.3688659667969],[27.2292995452881,80.0965194702148],[27.1813850402832,79.8652572631836],[25.811107635498,79.6138687133789],[25.9752731323242,79.5077667236328],[25.7227725982666,79.4079055786133],[23.759162902832,79.1741485595703],[22.7794418334961,79.2530517578125],[22.6558303833008,79.3599853515625],[22.8374977111816,79.4074859619141],[20.936107635498,79.3660888671875],[19.6797180175781,79.5508193969727],[21.1230506896973,79.5594177246094],[20.480619430542,79.6787261962891],[22.3206901550293,79.7949905395508],[18.7713851928711,79.7174835205078],[18.1541633605957,79.9099884033203],[18.8058319091797,79.9699859619141]],"Svalbard"], ["Country","SV1",[[18.4566612243652,80.238037109375],[18.119441986084,80.2847137451172],[18.5880508422852,80.3385925292969],[18.7586097717285,80.3019256591797],[18.4566612243652,80.238037109375]],"Svalbard"], ["Country","SV2",[[14.0588865280151,79.2602691650391],[14.1538877487183,79.3352661132812],[13.8849983215332,79.5383148193359],[14.7691650390625,79.7819366455078],[15.2912492752075,79.5970687866211],[15.7726373672485,79.2377624511719],[15.7144432067871,79.1108093261719],[16.4499969482422,78.9038696289062],[15.6474990844727,79.7649993896484],[16.1108283996582,79.8602600097656],[15.9755544662476,79.9680480957031],[16.3077735900879,80.0627593994141],[18.0870113372803,79.7281723022461],[17.6377029418945,79.376091003418],[18.3569412231445,79.6283111572266],[18.8597183227539,79.4505462646484],[18.9372177124023,79.1602630615234],[21.5404148101807,78.8405380249023],[21.3902721405029,78.6579666137695],[18.9699249267578,78.4519958496094],[19.0853443145752,78.0934524536133],[18.4108276367188,78.0216522216797],[18.2965240478516,77.5129089355469],[17.7788848876953,77.4905395507812],[17.3258285522461,77.0438690185547],[17.1011772155762,77.0473403930664],[17.3155517578125,76.9688034057617],[16.938606262207,76.8128967285156],[17.2009677886963,76.6994247436523],[16.9972152709961,76.5952606201172],[15.5021514892578,76.8813705444336],[16.4986038208008,77.0008239746094],[14.4949970245361,77.1708221435547],[13.9141645431519,77.5249938964844],[16.2230491638184,77.4349822998047],[14.745623588562,77.659294128418],[17.0061073303223,77.9313659667969],[13.9516649246216,77.7180480957031],[13.7562494277954,77.7298431396484],[13.5922193527222,78.0522003173828],[14.3558311462402,77.9627685546875],[14.2413864135742,78.0952682495117],[14.989164352417,78.1027679443359],[15.765832901001,78.3352661132812],[17.2952041625977,78.4217910766602],[16.3302745819092,78.4509582519531],[16.8108291625977,78.6749877929688],[15.4727754592896,78.4512405395508],[15.1988868713379,78.5905456542969],[15.4488868713379,78.6330413818359],[15.3708305358887,78.8430404663086],[15.0279150009155,78.5990142822266],[14.531665802002,78.6827545166016],[14.3888883590698,78.4915084838867],[14.7281923294067,78.3862380981445],[13.0066661834717,78.1974792480469],[12.3715944290161,78.4808883666992],[13.1873598098755,78.5415725708008],[11.9181928634644,78.629280090332],[11.6447906494141,78.735954284668],[11.9243040084839,78.8259201049805],[11.3370122909546,78.9605407714844],[12.5006923675537,78.911994934082],[11.755277633667,79.0758209228516],[12.115273475647,79.2933197021484],[11.6386108398438,79.3194427490234],[11.7099981307983,79.1637344360352],[11.236385345459,79.0930480957031],[10.6823587417603,79.5460891723633],[11.1802768707275,79.5594177246094],[10.8593721389771,79.5974197387695],[11.3661079406738,79.6349945068359],[11.1956920623779,79.7749938964844],[11.6963863372803,79.8349914550781],[12.3113880157471,79.6619262695312],[12.2019424438477,79.8333282470703],[13.8247203826904,79.8752593994141],[13.957498550415,79.8283233642578],[13.8847217559814,79.7263793945312],[12.4493036270142,79.5688781738281],[13.4748582839966,79.5824890136719],[13.264720916748,79.4709548950195],[14.0588865280151,79.2602691650391]],"Svalbard"], ["Country","SV3",[[20.3424949645996,78.9908142089844],[20.0583305358887,79.0330505371094],[20.1172180175781,79.1208190917969],[20.8311080932617,79.0569305419922],[20.3424949645996,78.9908142089844]],"Svalbard"], ["Country","SV4",[[28.0955505371094,78.8116455078125],[28.428882598877,78.9519348144531],[29.7080497741699,78.8963775634766],[28.0955505371094,78.8116455078125]],"Svalbard"], ["Country","SV5",[[12.1205520629883,78.1958160400391],[11.0733318328857,78.4558258056641],[10.4879140853882,78.8933258056641],[11.0061092376709,78.8291625976562],[11.2672214508057,78.5380401611328],[11.8211097717285,78.4410858154297],[12.1205520629883,78.1958160400391]],"Svalbard"], ["Country","SV6",[[26.7358283996582,78.6238708496094],[26.3980522155762,78.7740173339844],[27.01513671875,78.6956787109375],[26.7358283996582,78.6238708496094]],"Svalbard"], ["Country","SV7",[[20.1426658630371,78.4696044921875],[22.0288848876953,78.5808258056641],[22.241382598877,78.4805450439453],[22.2680530548096,78.2654113769531],[20.6711082458496,78.1874847412109],[20.7799987792969,78.284423828125],[20.4705505371094,78.3163757324219],[20.6638832092285,78.38720703125],[20.1426658630371,78.4696044921875]],"Svalbard"], ["Country","SV8",[[22.6411056518555,77.2530517578125],[22.4236068725586,77.2572174072266],[22.415620803833,77.4116516113281],[22.7731914520264,77.5461578369141],[20.8672180175781,77.4545745849609],[21.6449966430664,77.9124908447266],[20.9341621398926,78.1224822998047],[22.9827728271484,78.2469329833984],[23.459716796875,78.1558227539062],[23.1127738952637,77.9885864257812],[24.9022178649902,77.7470626831055],[22.6411056518555,77.2530517578125]],"Svalbard"], ["Country","SV9",[[19.069164276123,74.3430480957031],[18.791109085083,74.478874206543],[19.2819404602051,74.4835968017578],[19.069164276123,74.3430480957031]],"Svalbard"], ["Country","WZ0",[[32.1333999633789,-26.8396263122559],[32.0155868530273,-26.8070793151855],[31.9855537414551,-27.3163909912109],[31.5174980163574,-27.3130569458008],[31.1616630554199,-27.2030563354492],[30.8207607269287,-26.810209274292],[30.8294410705566,-26.3908348083496],[31.3256912231445,-25.7533359527588],[31.9685096740723,-25.9578399658203],[32.1333999633789,-26.8396263122559]],"Swaziland"], ["Country","SW0",[[11.4291915893555,58.9876403808594],[11.6240253448486,58.9069404602051],[11.7518043518066,59.0951347351074],[11.6670122146606,59.5935707092285],[11.8990955352783,59.6997184753418],[11.8159599304199,59.8460998535156],[12.4945125579834,60.1130485534668],[12.5909719467163,60.521800994873],[12.2162141799927,60.9987449645996],[12.637825012207,61.0575408935547],[12.8561096191406,61.3624954223633],[12.1244430541992,61.7286071777344],[12.2937488555908,62.2670822143555],[12.0474987030029,62.5899963378906],[12.0288887023926,62.8924942016602],[12.1686096191406,63.0158309936523],[11.9363880157471,63.272216796875],[12.1466665267944,63.5895767211914],[12.9380550384521,64.0533294677734],[13.9849996566772,64.0155487060547],[14.1506938934326,64.1798477172852],[14.1163883209229,64.4705505371094],[13.6682624816895,64.5802001953125],[14.4930553436279,65.3135986328125],[14.6331939697266,65.8218002319336],[14.5070819854736,66.1236038208008],[15.468053817749,66.2838745117188],[15.3627777099609,66.4799957275391],[16.3538856506348,67.0177764892578],[16.361385345459,67.2377777099609],[16.0880527496338,67.405403137207],[16.7269439697266,67.8991546630859],[17.273609161377,68.0905456542969],[17.884162902832,67.9455413818359],[18.1552772521973,68.1661071777344],[18.0995407104492,68.5089263916016],[19.9523601531982,68.3427658081055],[20.2042331695557,68.4708938598633],[19.9563865661621,68.5438842773438],[20.3502769470215,68.7866516113281],[20.0969429016113,69.0422210693359],[20.5809288024902,69.060302734375],[22.0486087799072,68.4815216064453],[22.8266639709473,68.3859634399414],[23.6597900390625,67.9458923339844],[23.4888153076172,67.870964050293],[23.4308300018311,67.4797821044922],[23.76513671875,67.4168701171875],[23.5733299255371,67.1570053100586],[24.0007610321045,66.8022842407227],[23.6624965667725,66.3122100830078],[24.1670074462891,65.8140258789062],[23.0773582458496,65.7008285522461],[22.6758308410645,65.9022216796875],[22.6793022155762,65.7604751586914],[22.3681926727295,65.8591537475586],[22.2490539550781,65.6324920654297],[22.3999977111816,65.5367965698242],[21.7658290863037,65.7121429443359],[22.194372177124,65.5422821044922],[21.4712467193604,65.3837432861328],[21.6593036651611,65.2458267211914],[21.2648601531982,65.3382568359375],[21.6193733215332,65.1513748168945],[21.0393733978271,64.8238143920898],[21.3034000396729,64.7616577148438],[21.1191654205322,64.6843643188477],[21.5849990844727,64.4397125244141],[20.9637470245361,64.1427001953125],[20.7740249633789,63.8670806884766],[19.7049980163574,63.4319381713867],[19.4258308410645,63.546314239502],[19.0624980926514,63.1769409179688],[18.8966655731201,63.2731895446777],[18.2891654968262,62.9972152709961],[18.5752048492432,62.961799621582],[18.2040271759033,62.7773590087891],[17.7005519866943,62.9927062988281],[18.04638671875,62.5952758789062],[17.33083152771,62.4877738952637],[17.6488857269287,62.2317314147949],[17.350830078125,61.9434700012207],[17.4951705932617,61.634578704834],[17.1487808227539,61.71728515625],[17.2645454406738,61.685375213623],[17.0986099243164,61.6027755737305],[17.2196502685547,61.4346504211426],[17.1052761077881,61.3999252319336],[17.1524982452393,60.9427757263184],[17.275276184082,60.6761093139648],[17.687915802002,60.4973564147949],[17.9609699249268,60.5920791625977],[18.5996150970459,60.2356185913086],[18.317081451416,60.3081893920898],[18.4216651916504,60.1872177124023],[18.8163871765137,60.0963821411133],[19.0705528259277,59.8897171020508],[18.8647193908691,59.7980499267578],[19.0796508789062,59.7674255371094],[18.2420635223389,59.4004554748535],[18.0913887023926,59.3344421386719],[17.9570560455322,59.3582611083984],[17.7827758789062,59.38916015625],[17.8177070617676,59.5864524841309],[17.6523704528809,59.6360931396484],[17.7313861846924,59.4448547363281],[17.3828449249268,59.6523590087891],[17.4044437408447,59.4691619873047],[16.5586090087891,59.6098556518555],[16.0324630737305,59.4901657104492],[16.8777751922607,59.3819389343262],[16.6954154968262,59.4704780578613],[16.8367347717285,59.4896469116211],[17.2869415283203,59.2590484619141],[18.0937118530273,59.315616607666],[18.4772186279297,59.4352722167969],[18.6431560516357,59.3218688964844],[18.2772216796875,59.3108291625977],[18.3113861083984,59.1324996948242],[17.8947219848633,58.85888671875],[17.6662483215332,59.1673545837402],[17.6290950775146,58.9102020263672],[17.3499984741211,58.7522201538086],[16.1936073303223,58.6274948120117],[16.9336090087891,58.4883270263672],[16.4228439331055,58.4777717590332],[16.7699966430664,58.3672180175781],[16.8258323669434,58.1766662597656],[16.6202068328857,57.9870109558105],[16.7636089324951,57.8812408447266],[16.5062122344971,57.9919738769531],[16.6951751708984,57.74169921875],[16.4192333221436,57.8890914916992],[16.7113876342773,57.70263671875],[16.6658306121826,57.4085350036621],[16.465970993042,57.2705535888672],[16.5844421386719,57.0466613769531],[16.0034694671631,56.2130508422852],[15.8655548095703,56.0922164916992],[14.6926364898682,56.1581916809082],[14.7383327484131,56.0108261108398],[14.555136680603,56.0562477111816],[14.2172222137451,55.8302764892578],[14.3659362792969,55.5428428649902],[14.193546295166,55.3861465454102],[13.3755550384521,55.3399963378906],[12.9822216033936,55.4005508422852],[12.921178817749,55.5724258422852],[13.0611085891724,55.6807594299316],[12.4600687026978,56.2966613769531],[12.7992343902588,56.2258987426758],[12.6243047714233,56.4183311462402],[12.9011096954346,56.4572219848633],[12.8802070617676,56.6429824829102],[12.3488883972168,56.916805267334],[12.0949993133545,57.4269409179688],[11.9027767181396,57.4243049621582],[11.8877773284912,57.6938858032227],[11.7018737792969,57.6999244689941],[11.8786973953247,58.2021675109863],[11.7980537414551,58.3183288574219],[11.7277364730835,58.3283996582031],[11.5286102294922,58.2307586669922],[11.2013874053955,58.3994369506836],[11.1133327484131,59.0036087036133],[11.2199449539185,59.0534744262695],[11.3199987411499,59.1002731323242],[11.4291915893555,58.9876403808594]],"Sweden"], ["Country","SW1",[[11.7802181243896,58.2036514282227],[11.4649982452393,58.0661087036133],[11.6624937057495,58.2742729187012],[11.6731939315796,58.2855491638184],[11.6827955245972,58.2808723449707],[11.7845191955566,58.2313041687012],[11.8124294281006,58.2177047729492],[11.7802181243896,58.2036514282227]],"Sweden"], ["Country","SW2",[[19.0038871765137,57.8988876342773],[18.713191986084,57.2443008422852],[18.1445808410645,56.9147872924805],[18.2544441223145,57.0791625976562],[18.1152744293213,57.5252723693848],[18.6859703063965,57.9148559570312],[19.0038871765137,57.8988876342773]],"Sweden"], ["Country","SW3",[[16.4297218322754,56.2088851928711],[16.4202766418457,56.5863876342773],[17.1020812988281,57.3494415283203],[16.4297218322754,56.2088851928711]],"Sweden"], ["Country","SZ0",[[10.4712352752686,46.8713531494141],[10.4575309753418,46.5425033569336],[10.0513887405396,46.5415229797363],[10.1363878250122,46.2306900024414],[9.94694328308105,46.379581451416],[9.54486083984375,46.3062438964844],[9.29378318786621,46.5008277893066],[9.03666496276855,45.837776184082],[8.4449987411499,46.2472152709961],[8.44145679473877,46.4620780944824],[7.85574245452881,45.9190521240234],[7.03805446624756,45.9319381713867],[6.78347206115723,46.1547164916992],[6.73777770996094,46.4474945068359],[6.29555511474609,46.3941650390625],[6.1332631111145,46.1497840881348],[5.96701335906982,46.2072868347168],[6.11555528640747,46.2615242004395],[6.12867975234985,46.5880508422852],[6.97166633605957,47.2919387817383],[6.99055480957031,47.4972152709961],[7.38541650772095,47.4333305358887],[7.5882682800293,47.5844802856445],[8.57641983032227,47.5913696289062],[8.40694332122803,47.7018013000488],[8.56291580200195,47.8066635131836],[9.56672382354736,47.5404510498047],[9.67034530639648,47.3906898498535],[9.5335693359375,47.274543762207],[9.47463703155518,47.0574569702148],[9.59863471984863,47.063835144043],[10.1094436645508,46.8502731323242],[10.3907632827759,47.0025672912598],[10.4712352752686,46.8713531494141]],"Switzerland"], ["Country","SZ1",[[8.70547008514404,47.7114410400391],[8.67311382293701,47.7030029296875],[8.69233989715576,47.694091796875],[8.70547008514404,47.7114410400391]],"Switzerland"], ["Country","SY0",[[35.6236343383789,33.2457275390625],[36.0344390869141,33.5533294677734],[35.9402046203613,33.6441612243652],[36.0710372924805,33.8275260925293],[36.3739547729492,33.8311080932617],[36.2834663391113,33.9108963012695],[36.6237411499023,34.2049942016602],[36.3512268066406,34.5007476806641],[36.4593048095703,34.6304130554199],[35.972770690918,34.6474990844727],[35.9190254211426,35.4226341247559],[35.73388671875,35.5816650390625],[35.9224395751953,35.9269943237305],[36.1684684753418,35.8197174072266],[36.392219543457,36.2133255004883],[36.6831169128418,36.2327346801758],[36.5495758056641,36.4877700805664],[36.6599426269531,36.8337097167969],[37.3738136291504,36.6553382873535],[38.2433967590332,36.9138793945312],[39.2215232849121,36.665340423584],[40.7708206176758,37.118049621582],[41.5481872558594,37.0852737426758],[42.1808319091797,37.2905426025391],[42.3556137084961,37.1069259643555],[41.8352737426758,36.5988845825195],[41.4030456542969,36.5255508422852],[41.2902755737305,36.3555526733398],[41.3840217590332,35.6309661865234],[41.2248497009277,34.7829055786133],[41.0038757324219,34.41943359375],[38.7947006225586,33.3775939941406],[36.837776184082,32.313606262207],[36.400276184082,32.3819427490234],[35.9312477111816,32.7202758789062],[35.6488876342773,32.6852722167969],[35.6236343383789,33.2457275390625]],"Syria"], ["Country","TW0",[[121.444122314453,25.1347427368164],[121.563179016113,25.2836093902588],[122.00040435791,25.0072193145752],[121.81819152832,24.8502750396729],[121.839706420898,24.4763832092285],[121.35555267334,23.0874977111816],[120.719566345215,21.9279117584229],[120.610260009766,22.3127746582031],[120.307083129883,22.5404357910156],[120.053939819336,23.0443706512451],[120.111228942871,23.6170787811279],[121.001663208008,25.0016632080078],[121.444122314453,25.1347427368164]],"Taiwan"], ["Country","TI0",[[74.9157409667969,37.2373275756836],[74.2541580200195,37.4094047546387],[73.7385864257812,37.2216491699219],[73.6205978393555,37.2635231018066],[73.7763214111328,37.432861328125],[73.2992858886719,37.460391998291],[72.6624603271484,37.0253486633301],[71.6772003173828,36.6760101318359],[71.4308166503906,37.0669364929199],[71.5848541259766,37.9117393493652],[71.2521438598633,37.9279365539551],[71.3619232177734,38.2479438781738],[70.9601287841797,38.4719772338867],[70.1625366210938,37.928955078125],[70.2860946655273,37.6996994018555],[70.1558227539062,37.5362319946289],[69.5222091674805,37.5823516845703],[69.2866516113281,37.1041641235352],[68.8911056518555,37.3384628295898],[68.0580139160156,36.9325256347656],[67.7798767089844,37.1858215332031],[67.8383178710938,37.5058288574219],[68.3829727172852,38.1948509216309],[68.0712356567383,38.5438842773438],[68.1263656616211,38.9809646606445],[67.7173461914062,38.9951324462891],[67.6968612670898,39.1284637451172],[67.3758850097656,39.2166938781738],[67.4419555664062,39.4835815429688],[67.7297058105469,39.6291580200195],[68.5402679443359,39.5547103881836],[68.6426696777344,39.8582382202148],[68.904670715332,39.8922843933105],[68.7845687866211,40.0679092407227],[69.0087356567383,40.1036720275879],[68.6056747436523,40.1657524108887],[69.3194351196289,40.209716796875],[69.3652648925781,40.7794342041016],[69.7267837524414,40.6388130187988],[70.4176254272461,41.0477294921875],[70.7967987060547,40.7255935668945],[70.3755340576172,40.3764038085938],[70.6449890136719,40.2059059143066],[70.9820404052734,40.2448425292969],[70.4942855834961,39.908145904541],[70.5422058105469,40.0460205078125],[70.0119323730469,40.2179908752441],[69.5407485961914,40.1288795471191],[69.5240478515625,39.9345054626465],[69.3348159790039,39.9925956726074],[69.2677612304688,39.8383255004883],[69.333251953125,39.5188102722168],[70.5074920654297,39.6070556640625],[70.9941482543945,39.4009399414062],[71.4845581054688,39.6179695129395],[71.5378952026367,39.464412689209],[71.7577667236328,39.4558486938477],[71.7785186767578,39.2776336669922],[72.0776214599609,39.3714485168457],[72.2588806152344,39.1954689025879],[72.4244918823242,39.3587493896484],[73.6556854248047,39.4548263549805],[73.6200485229492,39.2356910705566],[73.8523483276367,38.9725646972656],[73.7081832885742,38.8865280151367],[73.8140106201172,38.6127090454102],[74.3547058105469,38.6743774414062],[74.8544235229492,38.4725646972656],[74.9036026000977,37.6524314880371],[75.1874847412109,37.4065856933594],[74.9157409667969,37.2373275756836]],"Tajikistan"], ["Country","TZ0",[[39.7427749633789,-5.15916681289673],[39.6894378662109,-4.9011116027832],[39.8730545043945,-4.9883337020874],[39.7333297729492,-5.46347284317017],[39.7427749633789,-5.15916681289673]],"Tanzania"], ["Country","TZ1",[[39.1933288574219,-6.02388954162598],[39.311107635498,-5.72416687011719],[39.5591659545898,-6.444167137146],[39.2580528259277,-6.30861139297485],[39.1933288574219,-6.02388954162598]],"Tanzania"], ["Country","TZ2",[[34.9667282104492,-11.5721111297607],[34.616039276123,-11.110764503479],[34.5348587036133,-10.0459728240967],[34.329647064209,-9.74020862579346],[34.0415267944336,-9.48375129699707],[33.9188194274902,-9.70673561096191],[32.9403991699219,-9.40507698059082],[31.9816646575928,-9.0706262588501],[31.4147186279297,-8.63361167907715],[31.0326385498047,-8.58500099182129],[30.771240234375,-8.19224739074707],[30.3149967193604,-7.14375019073486],[29.5502777099609,-6.29527854919434],[29.631664276123,-5.72194480895996],[29.3479137420654,-4.93041753768921],[29.4233322143555,-4.44750022888184],[30.0261077880859,-4.26944446563721],[30.4484710693359,-3.55104184150696],[30.833610534668,-3.25902795791626],[30.8436622619629,-2.97879362106323],[30.4169425964355,-2.85604166984558],[30.5733299255371,-2.39916706085205],[30.8307609558105,-2.35430574417114],[30.8932609558105,-2.07548642158508],[30.8309364318848,-1.65489971637726],[30.4822196960449,-1.06333351135254],[33.9211044311523,-1.00194454193115],[37.6027755737305,-2.99583339691162],[37.7199935913086,-3.31194448471069],[37.6263847351074,-3.50951409339905],[39.2030258178711,-4.66961765289307],[38.7761077880859,-6.03972291946411],[38.8708305358887,-6.38527822494507],[39.5478820800781,-6.99431324005127],[39.2744369506836,-7.57916736602783],[39.446662902832,-7.81416702270508],[39.2952880859375,-8.26786231994629],[39.5338821411133,-8.91111183166504],[39.3927001953125,-8.90666675567627],[39.644718170166,-9.19361209869385],[39.8263854980469,-9.99305725097656],[40.4368133544922,-10.4781742095947],[39.2624969482422,-11.1694440841675],[38.905689239502,-11.1701393127441],[38.4917068481445,-11.4153118133545],[37.934440612793,-11.2880573272705],[37.7919387817383,-11.5611114501953],[37.4732131958008,-11.7187080383301],[36.8269424438477,-11.5721883773804],[36.5574264526367,-11.7404174804688],[36.1876373291016,-11.7054176330566],[35.8284683227539,-11.4168758392334],[35.5733299255371,-11.607084274292],[34.9667282104492,-11.5721111297607]],"Tanzania"], ["Country","TH0",[[98.332763671875,8.16219329833984],[98.4410858154297,7.90610980987549],[98.3090744018555,7.75722169876099],[98.332763671875,8.16219329833984]],"Thailand"], ["Country","TH1",[[98.7427520751953,10.3486080169678],[98.7849807739258,10.6774978637695],[99.6573486328125,11.8264560699463],[99.1124114990234,13.0611095428467],[99.1739654541016,13.7277812957764],[98.3254089355469,14.7149972915649],[98.2010955810547,15.0749988555908],[98.2054748535156,15.2267780303955],[98.5817947387695,15.3579139709473],[98.6316528320312,16.0461082458496],[98.8577651977539,16.1410369873047],[98.9211959838867,16.3953418731689],[98.6912231445312,16.283052444458],[98.5111083984375,16.941104888916],[97.7783203125,17.7033271789551],[97.6433563232422,18.2804832458496],[97.3472747802734,18.5422191619873],[97.7756805419922,18.5723571777344],[97.6798324584961,18.9321479797363],[98.0493545532227,19.8047885894775],[98.2422027587891,19.6899948120117],[99.0004730224609,19.7844409942627],[99.0790863037109,20.0984687805176],[99.4520721435547,20.0969409942627],[99.5284576416016,20.3501358032227],[99.9626235961914,20.4545783996582],[100.091369628906,20.3486061096191],[100.321098327637,20.3915233612061],[100.580459594727,20.1577682495117],[100.404991149902,19.7490253448486],[100.516387939453,19.5188865661621],[101.279083251953,19.5662460327148],[101.202476501465,19.3538856506348],[101.353462219238,19.0443725585938],[101.057823181152,18.4415912628174],[101.170822143555,18.0872192382812],[100.922164916992,17.5689544677734],[101.159706115723,17.4607582092285],[102.089393615723,18.2149829864502],[102.68359375,17.819995880127],[103.04712677002,17.9970092773438],[103.397216796875,18.4349937438965],[103.97615814209,18.3268718719482],[104.718322753906,17.5033302307129],[104.749572753906,16.5244426727295],[105.635124206543,15.6691656112671],[105.474700927734,15.1747207641602],[105.535400390625,14.5638866424561],[105.210601806641,14.349648475647],[105.082138061523,14.218955039978],[104.809005737305,14.4476375579834],[103.183860778809,14.3305530548096],[102.563873291016,13.5805530548096],[102.377197265625,13.5738868713379],[102.503601074219,12.6854839324951],[102.779426574707,12.4519424438477],[102.717269897461,12.1663179397583],[102.916091918945,11.6358509063721],[102.64151763916,12.1749982833862],[102.337768554688,12.195276260376],[102.355743408203,12.3586769104004],[102.243461608887,12.3065252304077],[102.060676574707,12.5662479400635],[101.75658416748,12.7049970626831],[100.853866577148,12.6827745437622],[100.976348876953,13.4628086090088],[100.059364318848,13.4159698486328],[100.020820617676,12.1946496963501],[99.1508178710938,10.3647184371948],[99.2372055053711,9.25728988647461],[99.8453979492188,9.30041408538818],[99.9658203125,8.60527610778809],[100.238021850586,8.40666580200195],[100.578094482422,7.22013807296753],[100.267616271973,7.79305458068848],[100.146362304688,7.70388793945312],[100.266082763672,7.37833213806152],[101.025527954102,6.84722137451172],[101.545539855957,6.84847116470337],[102.095230102539,6.23613834381104],[101.82608795166,5.74097061157227],[101.571014404297,5.91520738601685],[101.14232635498,5.63347101211548],[100.991149902344,5.79430437088013],[101.112045288086,6.25069379806519],[100.853233337402,6.24388790130615],[100.751365661621,6.50277709960938],[100.387481689453,6.53610992431641],[100.264137268066,6.70666599273682],[100.127113342285,6.42494678497314],[99.6838684082031,6.88277721405029],[99.7456817626953,7.11791563034058],[99.3908233642578,7.30166578292847],[99.2598114013672,7.65580177307129],[98.7719345092773,8.01847171783447],[98.6558837890625,8.37992858886719],[98.4362945556641,8.14798450469971],[98.2741546630859,8.27444267272949],[98.3280487060547,9.20749855041504],[98.7427520751953,10.3486080169678]],"Thailand"], ["Country","BF0",[[-77.9502868652344,26.897777557373],[-77.5466766357422,26.8966636657715],[-77.0495910644531,26.5190258026123],[-77.2026443481445,25.8824977874756],[-77.3980560302734,26.0263862609863],[-77.2208404541016,26.1452751159668],[-77.1541748046875,26.5545825958252],[-77.5427856445312,26.8655529022217],[-77.9502868652344,26.897777557373]],"The Bahamas"], ["Country","BF1",[[-78.7086181640625,26.4897193908691],[-78.9788970947266,26.6952743530273],[-78.7011184692383,26.5844421386719],[-78.5188903808594,26.7341651916504],[-77.917236328125,26.7452774047852],[-78.7086181640625,26.4897193908691]],"The Bahamas"], ["Country","BF2",[[-76.7352905273438,25.5591659545898],[-76.1202850341797,25.1331920623779],[-76.1683349609375,24.689998626709],[-76.3368835449219,24.8177051544189],[-76.1633453369141,25.1277770996094],[-76.7352905273438,25.5591659545898]],"The Bahamas"], ["Country","BF3",[[-75.4625091552734,24.1224975585938],[-75.7355651855469,24.6965255737305],[-75.3147277832031,24.2138862609863],[-75.4625091552734,24.1224975585938]],"The Bahamas"], ["Country","BF4",[[-73.6627807617188,20.9152755737305],[-73.530632019043,21.1857624053955],[-73.2584838867188,21.1349964141846],[-73.0075073242188,21.3237476348877],[-73.1497268676758,20.9738883972168],[-73.6627807617188,20.9152755737305]],"The Bahamas"], ["Country","BF5",[[-78.2050018310547,25.2019424438477],[-77.9877166748047,25.1502056121826],[-77.7216796875,24.5288887023926],[-78.019660949707,24.2746505737305],[-78.4401473999023,24.6166648864746],[-78.1932678222656,24.6054153442383],[-78.3058471679688,24.7211074829102],[-78.2050018310547,25.2019424438477]],"The Bahamas"], ["Country","BF6",[[-77.7011260986328,24.2847213745117],[-77.7416687011719,24.0302772521973],[-77.6320877075195,24.211109161377],[-77.5468063354492,24.1166648864746],[-77.5913162231445,23.8382034301758],[-77.7302856445312,23.7869415283203],[-77.8766784667969,24.073055267334],[-77.7011260986328,24.2847213745117]],"The Bahamas"], ["Country","BF7",[[-75.3075103759766,23.6677742004395],[-74.8379211425781,22.8574981689453],[-75.1686172485352,23.1428318023682],[-75.3075103759766,23.6677742004395]],"The Bahamas"], ["Country","BF8",[[-74.2763977050781,22.1705551147461],[-73.9565887451172,22.4625663757324],[-73.8677825927734,22.5122184753418],[-74.0365295410156,22.6202754974365],[-73.8515319824219,22.7283325195312],[-73.8675079345703,22.4694442749023],[-74.2763977050781,22.1705551147461]],"The Bahamas"], ["Country","GA0",[[-16.5656700134277,13.5899982452393],[-15.4881954193115,13.5908327102661],[-15.364444732666,13.7813873291016],[-15.0702781677246,13.8263874053955],[-14.3348617553711,13.4540271759033],[-13.9191675186157,13.5681934356689],[-13.8034734725952,13.3844432830811],[-14.3511123657227,13.2377777099609],[-15.1116676330566,13.595832824707],[-15.2904176712036,13.3727769851685],[-15.806529045105,13.3394432067871],[-15.8097229003906,13.1597213745117],[-16.7508735656738,13.0599765777588],[-16.8171157836914,13.3706483840942],[-16.6843070983887,13.4894437789917],[-16.4216690063477,13.2569427490234],[-16.1713905334473,13.2616662979126],[-16.1593894958496,13.3881368637085],[-16.1559047698975,13.4248600006104],[-15.9746713638306,13.4305448532104],[-15.3057641983032,13.4515266418457],[-15.5472230911255,13.5286798477173],[-16.1428871154785,13.4549522399902],[-16.40354347229,13.3320827484131],[-16.5656700134277,13.5899982452393]],"The Gambia"], ["Country","TO0",[[1.19889092445374,6.10054588317871],[0.758888840675354,6.44777774810791],[0.524999976158142,6.94777774810791],[0.726249933242798,8.32374954223633],[0.382735073566437,8.76075553894043],[0.51277768611908,8.84444427490234],[0.550624907016754,9.40888786315918],[0.217222198843956,9.46027755737305],[0.366527736186981,10.2541656494141],[-0.0787500068545341,10.6508321762085],[0.0313194431364536,11.0771512985229],[-0.149762004613876,11.1385402679443],[0.504166603088379,10.9369430541992],[0.917969942092896,10.9963989257812],[0.776666641235352,10.3766651153564],[1.35499978065491,9.99527740478516],[1.33749985694885,9.54249954223633],[1.61972200870514,9.03423500061035],[1.55388236045837,6.99656248092651],[1.79779934883118,6.28025436401367],[1.63540387153625,6.21872138977051],[1.19889092445374,6.10054588317871]],"Togo"], ["Country","TL0",[[-171.852630615234,-9.1709041595459],[-171.843704223633,-9.21065998077393],[-171.84846496582,-9.21885585784912],[-171.862655639648,-9.18117904663086],[-171.852630615234,-9.1709041595459]],"Tokelau"], ["Country","TN0",[[-175.145294189453,-21.2680625915527],[-175.341125488281,-21.0748634338379],[-175.048767089844,-21.1369438171387],[-175.145294189453,-21.2680625915527]],"Tonga"], ["Country","TD0",[[-61.0794448852539,10.8241653442383],[-60.909236907959,10.8270130157471],[-61.0341682434082,10.6781940460205],[-61.0044479370117,10.1495819091797],[-61.9095153808594,10.0403461456299],[-61.4537544250488,10.2941646575928],[-61.4736175537109,10.5977764129639],[-61.6620178222656,10.7084016799927],[-61.0794448852539,10.8241653442383]],"Trinidad & Tobago"], ["Country","TS0",[[11.5260810852051,33.1711349487305],[11.5674991607666,32.4422149658203],[10.2872219085693,31.694164276123],[10.1233329772949,31.4224967956543],[10.2906932830811,30.9104156494141],[10.2119436264038,30.7284698486328],[9.89229011535645,30.356315612793],[9.53711318969727,30.2343902587891],[9.05722141265869,32.0955543518066],[8.34860992431641,32.533332824707],[8.15777587890625,33.0280532836914],[7.74305534362793,33.2291641235352],[7.49249935150146,33.8874969482422],[7.52888822555542,34.104305267334],[8.25270748138428,34.6552047729492],[8.40110969543457,35.1922149658203],[8.26055526733398,35.8563842773438],[8.37638759613037,36.4201354980469],[8.18166542053223,36.5052719116211],[8.62203025817871,36.9413681030273],[9.73874855041504,37.3404121398926],[9.85868072509766,37.3283348083496],[9.83844375610352,37.1407432556152],[10.0483322143555,37.2615242004395],[10.2548599243164,37.1795806884766],[10.1320123672485,37.1455154418945],[10.3442354202271,36.8771476745605],[10.1967353820801,36.7901344299316],[10.3748598098755,36.7245788574219],[11.067777633667,37.051383972168],[11.1022205352783,36.9044418334961],[10.7963876724243,36.4653434753418],[10.5127773284912,36.3511047363281],[10.4561786651611,36.1173553466797],[10.6858329772949,35.7886047363281],[11.0270824432373,35.6373558044434],[11.1266651153564,35.241943359375],[10.731388092041,34.6702766418457],[10.0070829391479,34.1686058044434],[10.3319444656372,33.7002716064453],[10.715970993042,33.7041625976562],[10.7516660690308,33.4737434387207],[11.055832862854,33.6126365661621],[11.1743040084839,33.2100639343262],[11.5260810852051,33.1711349487305]],"Tunisia"], ["Country","TS1",[[10.8649997711182,33.6386108398438],[10.7351379394531,33.8904151916504],[11.0526371002197,33.8076324462891],[10.8649997711182,33.6386108398438]],"Tunisia"], ["Country","TU0",[[35.9224395751953,35.9269943237305],[35.7855453491211,36.3148460388184],[36.2172813415527,36.6547813415527],[36.0112037658691,36.9231910705566],[35.5585327148438,36.5797882080078],[34.6594314575195,36.8052749633789],[33.7052688598633,36.1794357299805],[32.5666275024414,36.0927124023438],[32.0647125244141,36.5163879394531],[31.0466613769531,36.8491516113281],[30.6165256500244,36.8436050415039],[30.404857635498,36.2049217224121],[30.2086086273193,36.3038749694824],[29.6772155761719,36.1183319091797],[29.1480503082275,36.3483276367188],[29.0524978637695,36.6811065673828],[28.4563865661621,36.8808288574219],[27.98388671875,36.5527725219727],[28.1201362609863,36.7970771789551],[27.374719619751,36.684024810791],[28.3247871398926,37.0381851196289],[27.2549991607666,36.9649963378906],[27.3243026733398,37.1530456542969],[27.5952758789062,37.2324905395508],[27.4210815429688,37.4079055786133],[27.1949253082275,37.3523483276367],[27.2683296203613,37.9535980224609],[26.2758293151855,38.2644348144531],[26.5098571777344,38.425479888916],[26.3881206512451,38.4470062255859],[26.3983306884766,38.6669387817383],[26.691801071167,38.3108558654785],[27.1564521789551,38.4528045654297],[26.7337455749512,38.6419372558594],[27.0629806518555,38.8731842041016],[26.8016605377197,38.9558258056641],[26.8697204589844,39.0979080200195],[26.6447219848633,39.263053894043],[26.9518013000488,39.5508270263672],[26.1099948883057,39.4576301574707],[26.1747207641602,39.9794387817383],[26.7043018341064,40.3788795471191],[27.1186065673828,40.452766418457],[27.511661529541,40.3055534362793],[27.8778419494629,40.3758583068848],[27.7548580169678,40.5297203063965],[28.020133972168,40.4877052307129],[27.9531936645508,40.35693359375],[29.0557613372803,40.3667984008789],[29.0799961090088,40.4776306152344],[28.7767295837402,40.5270767211914],[28.980411529541,40.6395721435547],[29.9339542388916,40.7222099304199],[29.1294403076172,40.9144439697266],[29.0255546569824,41.0344314575195],[29.1599998474121,41.2245750427246],[31.2334690093994,41.089298248291],[32.2774963378906,41.7194366455078],[33.3386001586914,42.0198516845703],[34.7155456542969,41.9424896240234],[34.9788818359375,42.0919418334961],[35.4931716918945,41.6438674926758],[35.9730529785156,41.7322158813477],[36.4315185546875,41.2420768737793],[36.8099975585938,41.3555526733398],[37.1292991638184,41.1467971801758],[38.3558235168457,40.910270690918],[39.4142265319824,41.1067314147949],[40.1499938964844,40.9202728271484],[41.5315589904785,41.5238761901855],[42.4722137451172,41.4333267211914],[42.8310203552246,41.5824165344238],[43.4607696533203,41.1129608154297],[43.7504081726074,40.7449989318848],[43.5830535888672,40.4511108398438],[43.6683959960938,40.1031799316406],[44.3516616821289,40.0222206115723],[44.7788619995117,39.7063827514648],[44.8130416870117,39.6308135986328],[44.6084632873535,39.7791557312012],[44.4011001586914,39.4165153503418],[44.0349540710449,39.3774452209473],[44.3002662658691,38.8426284790039],[44.3052597045898,38.4005355834961],[44.4825172424316,38.3413009643555],[44.2239685058594,37.8991508483887],[44.6177673339844,37.7179756164551],[44.5888519287109,37.4430923461914],[44.8181800842285,37.2974166870117],[44.7873382568359,37.1497116088867],[44.3191604614258,36.9712371826172],[44.1188812255859,37.3156852722168],[43.623046875,37.2299957275391],[42.7868003845215,37.383674621582],[42.3556137084961,37.1069259643555],[42.1808319091797,37.2905426025391],[41.5481872558594,37.0852737426758],[40.7708206176758,37.118049621582],[39.2215232849121,36.665340423584],[38.2433967590332,36.9138793945312],[37.3738136291504,36.6553382873535],[36.6599426269531,36.8337097167969],[36.5495758056641,36.4877700805664],[36.6831169128418,36.2327346801758],[36.392219543457,36.2133255004883],[36.1684684753418,35.8197174072266],[35.9224395751953,35.9269943237305]],"Turkey"], ["Country","TU1",[[28.013053894043,41.9822158813477],[28.0905494689941,41.6313858032227],[29.0888824462891,41.2462425231934],[29.036247253418,41.0545768737793],[27.5053424835205,40.9813079833984],[27.2915267944336,40.700267791748],[26.7254104614258,40.4780502319336],[26.2179126739502,40.052906036377],[26.2115936279297,40.3221473693848],[26.8258285522461,40.5915870666504],[26.1186084747314,40.5951271057129],[26.0447196960449,40.7358245849609],[26.3604125976562,40.9538803100586],[26.3249969482422,41.2347106933594],[26.6357593536377,41.3647155761719],[26.5702705383301,41.6113815307617],[26.3610954284668,41.711051940918],[26.6213836669922,41.9730529785156],[27.0702705383301,42.0899887084961],[27.569580078125,41.9092636108398],[28.013053894043,41.9822158813477]],"Turkey"], ["Country","TU2",[[25.7316665649414,40.0930404663086],[25.7766647338867,40.2122116088867],[26.0124282836914,40.1540222167969],[25.7316665649414,40.0930404663086]],"Turkey"], ["Country","TX0",[[51.2927131652832,38.7148513793945],[51.2945556640625,38.9537086486816],[51.6533088684082,39.4081726074219],[51.6770095825195,40.2960090637207],[51.5336151123047,40.9251861572266],[51.2501792907715,41.2312088012695],[53.0062446594238,42.1356887817383],[54.0233268737793,42.3504104614258],[54.7611083984375,42.0588836669922],[55.4547843933105,41.2886734008789],[56.0009613037109,41.3284530639648],[57.0570755004883,41.2679100036621],[56.9826316833496,41.8890228271484],[57.3781890869141,42.159294128418],[57.8386001586914,42.1877670288086],[58.0214958190918,42.5013427734375],[58.506763458252,42.3025245666504],[58.1529769897461,42.6424179077148],[58.5565185546875,42.660961151123],[58.6135330200195,42.7961730957031],[59.2793006896973,42.3511047363281],[60.0144424438477,42.2174911499023],[60.2741584777832,41.7910346984863],[60.0713157653809,41.759162902832],[60.1402740478516,41.381103515625],[61.2899932861328,41.1629028320312],[61.4463806152344,41.3023529052734],[61.8741607666016,41.1255493164062],[62.3526344299316,40.4245758056641],[62.4412078857422,40.0323333740234],[63.7104072570801,39.2077674865723],[65.5972137451172,38.2538833618164],[66.6513748168945,37.9965209960938],[66.5377349853516,37.3663787841797],[65.6975479125977,37.5325622558594],[65.5630416870117,37.2613143920898],[64.8230438232422,37.1386032104492],[64.5036010742188,36.2805480957031],[63.1231079101562,35.86279296875],[63.1073532104492,35.4569396972656],[62.7270736694336,35.2576332092285],[62.3121185302734,35.1459884643555],[62.0427017211914,35.4412384033203],[61.2765579223633,35.6072463989258],[61.1537399291992,36.6504096984863],[60.3312454223633,36.6580429077148],[60.0634651184082,37.011661529541],[59.4799880981445,37.2327651977539],[59.3430480957031,37.5355491638184],[57.4540214538574,37.9384613037109],[57.2415199279785,38.2723541259766],[55.437629699707,38.0833282470703],[54.8330535888672,37.7463836669922],[54.6687431335449,37.440128326416],[53.527099609375,37.3234405517578],[52.6550102233887,37.7776336669922],[51.9715957641602,37.9278259277344],[51.2927131652832,38.7148513793945]],"Turkmenistan"], ["Country","TK0",[[-71.8474502563477,21.8546161651611],[-71.6594009399414,21.8255405426025],[-71.6582717895508,21.7402019500732],[-71.8251647949219,21.7753200531006],[-71.8474502563477,21.8546161651611]],"Turks & Caicos Is."], ["Country","TV0",[[179.202529907227,-8.46572875976562],[179.23095703125,-8.50509357452393],[179.231918334961,-8.53400993347168],[179.21321105957,-8.56122589111328],[179.202529907227,-8.46572875976562]],"Tuvalu"], ["Country","UG0",[[29.5969429016113,-1.3858335018158],[29.7186088562012,0.0770833268761635],[29.9598598480225,0.483749985694885],[29.9574966430664,0.818333268165588],[31.3027763366699,2.12138843536377],[30.7297210693359,2.44805526733398],[30.8588180541992,3.49339437484741],[31.1766662597656,3.79527759552002],[31.5408325195312,3.65361070632935],[31.821662902832,3.80694437026978],[32.1945304870605,3.51275038719177],[32.4044418334961,3.74361085891724],[33.0166625976562,3.88861083984375],[33.5112380981445,3.75269651412964],[33.9966659545898,4.22277736663818],[34.2222213745117,3.77916622161865],[34.4636077880859,3.66465258598328],[34.4037437438965,3.38527774810791],[34.9094390869141,2.52111101150513],[35.0097198486328,1.89527773857117],[34.8203430175781,1.23597204685211],[34.5199966430664,1.1058361530304],[33.9072189331055,0.10305555164814],[33.9211044311523,-1.00194454193115],[30.4822196960449,-1.06333351135254],[29.9797210693359,-1.46222233772278],[29.835277557373,-1.31972241401672],[29.5969429016113,-1.3858335018158]],"Uganda"], ["Country","UP0",[[38.2358245849609,47.1094284057617],[37.5595703125,47.0864448547363],[36.7638778686523,46.7510986328125],[35.9072036743164,46.6510925292969],[34.9967231750488,46.0742263793945],[35.3342971801758,46.3216590881348],[35.1980438232422,46.4433135986328],[34.7005462646484,46.1761283874512],[34.5663833618164,45.9859619140625],[34.4051933288574,46.0127334594727],[34.5368957519531,46.1844635009766],[33.6710319519043,46.2154731750488],[34.1394348144531,45.9401245117188],[34.6365165710449,45.9374160766602],[34.4633941650391,45.7692947387695],[34.9866485595703,45.6319274902344],[35.1330413818359,45.3249969482422],[35.3430404663086,45.3324966430664],[34.7340927124023,46.1073837280273],[35.4579048156738,45.2984657287598],[36.1362380981445,45.4583206176758],[36.6367950439453,45.3779067993164],[36.4311027526855,45.2710990905762],[36.4534606933594,45.077278137207],[35.85693359375,44.9863815307617],[35.5265846252441,45.1184577941895],[35.0829772949219,44.7912406921387],[34.5185928344727,44.7444305419922],[33.9302749633789,44.379150390625],[33.3690528869629,44.5843620300293],[33.5544357299805,44.6236038208008],[33.5462417602539,45.1084632873535],[32.4810981750488,45.3940200805664],[33.7693977355957,45.9253005981445],[33.6140174865723,46.1426277160645],[32.5004081726074,46.076244354248],[31.7901344299316,46.2841606140137],[32.0070037841797,46.4480400085449],[31.5145092010498,46.5790939331055],[32.3480453491211,46.459156036377],[32.6416206359863,46.6422805786133],[32.0136032104492,46.6342926025391],[31.9808235168457,47.0074996948242],[31.751522064209,47.2523536682129],[31.9650268554688,46.9253730773926],[31.9081878662109,46.6535911560059],[31.4777355194092,46.631965637207],[31.5956897735596,46.7970771789551],[31.1890563964844,46.6245498657227],[30.8327713012695,46.5483245849609],[30.509162902832,46.0963745117188],[29.8227729797363,45.6483306884766],[29.6361045837402,45.8206825256348],[29.5930480957031,45.557071685791],[29.7604122161865,45.322208404541],[29.6643314361572,45.2118034362793],[29.4113845825195,45.4358215332031],[28.7008056640625,45.2200889587402],[28.2148399353027,45.4486465454102],[28.5158290863037,45.5149192810059],[28.5244407653809,45.7110977172852],[28.9682559967041,46.006103515625],[28.9944343566895,46.4783248901367],[30.1287117004395,46.4050903320312],[29.8994369506836,46.5351982116699],[29.944299697876,46.8182563781738],[29.5742321014404,46.9474182128906],[29.567008972168,47.3376998901367],[29.1900978088379,47.4395332336426],[29.1448554992676,47.9835205078125],[27.7631931304932,48.449577331543],[26.6349945068359,48.2571640014648],[26.1586055755615,47.9852561950684],[25.3338813781738,47.9166603088379],[24.9289169311523,47.7131423950195],[24.5563888549805,47.9530487060547],[23.1741638183594,48.108325958252],[22.8948040008545,47.9545402526855],[22.1514415740967,48.4119186401367],[22.5580520629883,49.0794372558594],[22.8860740661621,49.0029144287109],[22.7038135528564,49.1698875427246],[22.678466796875,49.5694389343262],[24.111385345459,50.5669403076172],[23.9543857574463,50.7917022705078],[24.1434688568115,50.8595771789551],[23.6046333312988,51.5276947021484],[24.0430526733398,51.6102752685547],[24.3942317962646,51.8847160339355],[25.240966796875,51.9598541259766],[27.1699962615967,51.76416015625],[27.7479114532471,51.4665184020996],[27.8320808410645,51.6091613769531],[28.2567329406738,51.659294128418],[28.7571506500244,51.4156494140625],[29.1180534362793,51.6369400024414],[29.3422203063965,51.3731842041016],[30.1799945831299,51.4915199279785],[30.5514144897461,51.2518463134766],[30.564998626709,51.6433258056641],[30.959659576416,52.079345703125],[31.7838859558105,52.1080474853516],[32.2249908447266,52.0794372558594],[32.38916015625,52.3340187072754],[33.8316612243652,52.3631858825684],[34.4222145080566,51.8041610717773],[34.1018676757812,51.6476974487305],[34.382209777832,51.2636108398438],[35.0764465332031,51.2206497192383],[35.3688316345215,51.0421295166016],[35.4410552978516,50.5119705200195],[35.597900390625,50.3736038208008],[36.1484603881836,50.4222831726074],[36.6084632873535,50.2130470275879],[37.4619369506836,50.4361686706543],[38.0242233276367,49.9030838012695],[38.3048515319824,50.0738830566406],[38.9418640136719,49.8110313415527],[39.1837387084961,49.8804092407227],[39.8124237060547,49.5505485534668],[40.139762878418,49.6010513305664],[40.1676330566406,49.2516593933105],[39.6979064941406,49.0167961120605],[40.0748558044434,48.8762397766113],[39.6601867675781,48.6039199829102],[39.9988784790039,48.2972183227539],[39.8032531738281,47.8686027526855],[38.8459625244141,47.8568000793457],[38.758186340332,47.689567565918],[38.3008232116699,47.5551261901855],[38.2358245849609,47.1094284057617]],"Ukraine"], ["Country","AE0",[[56.3735275268555,24.9793815612793],[56.1437454223633,24.7411098480225],[56.0001335144043,24.9770812988281],[55.8140258789062,24.8858299255371],[55.7789535522461,24.2436428070068],[56.0236740112305,24.0831928253174],[55.5102767944336,23.9727745056152],[55.1991653442383,22.6997184753418],[52.5833282470703,22.9388904571533],[51.584228515625,24.2604656219482],[51.725830078125,24.2611083984375],[51.815975189209,23.9979839324951],[52.0859680175781,23.9559707641602],[52.6262474060059,24.1968040466309],[53.5877723693848,24.0441665649414],[54.1237449645996,24.1416645050049],[54.4274978637695,24.2856922149658],[54.650276184082,24.7469444274902],[55.8594398498535,25.7204151153564],[56.0799407958984,26.065559387207],[56.2697219848633,25.6360149383545],[56.3735275268555,24.9793815612793]],"United Arab Emirates"], ["Country","UK0",[[-1.10472226142883,60.4855499267578],[-1.17833340167999,60.6345825195312],[-0.993888914585114,60.722354888916],[-1.10472226142883,60.4855499267578]],"United Kingdom"], ["Country","UK1",[[-1.18055558204651,60.2249984741211],[-1.26861119270325,59.8511047363281],[-1.37791669368744,59.9043045043945],[-1.29138898849487,60.2413864135742],[-1.45111119747162,60.1518020629883],[-1.69215285778046,60.2850646972656],[-1.32027792930603,60.3563842773438],[-1.61034727096558,60.4783973693848],[-1.29652786254883,60.6333961486816],[-1.28666687011719,60.4711074829102],[-1.03854179382324,60.4427719116211],[-1.18055558204651,60.2249984741211]],"United Kingdom"], ["Country","UK2",[[-2.82444477081299,58.8788833618164],[-3.31333351135254,58.9499969482422],[-3.35083341598511,59.1081886291504],[-3.07500028610229,59.1204147338867],[-2.82444477081299,58.8788833618164]],"United Kingdom"], ["Country","UK3",[[-7.02194499969482,57.9519424438477],[-7.03625059127808,58.2356910705566],[-6.86097288131714,58.1059684753418],[-6.79777812957764,58.3022155761719],[-6.26333379745483,58.5126342773438],[-6.16597270965576,58.4229164123535],[-6.32702779769897,58.2353973388672],[-6.16833400726318,58.2095794677734],[-6.61972284317017,58.080135345459],[-6.39333391189575,58.1016654968262],[-6.47333383560181,57.9422187805176],[-6.66430616378784,57.9255523681641],[-6.68680620193481,58.0562438964844],[-6.66138935089111,57.8826370239258],[-6.96493101119995,57.7263145446777],[-7.12423658370972,57.835620880127],[-6.8322229385376,57.9022216796875],[-7.02194499969482,57.9519424438477]],"United Kingdom"], ["Country","UK4",[[-7.23361206054688,57.5036087036133],[-7.54083395004272,57.5901336669922],[-7.19291734695435,57.6870803833008],[-7.06861162185669,57.6365928649902],[-7.23361206054688,57.5036087036133]],"United Kingdom"], ["Country","UK5",[[-6.72444534301758,57.4036102294922],[-6.63750076293945,57.6055526733398],[-6.43000030517578,57.504997253418],[-6.30416679382324,57.6861038208008],[-6.12722301483154,57.3061065673828],[-5.64763927459717,57.2583274841309],[-6.01430606842041,57.0234680175781],[-6.03055572509766,57.1774978637695],[-6.3163890838623,57.1584663391113],[-6.48013925552368,57.3024978637695],[-6.31208372116089,57.2997856140137],[-6.72444534301758,57.4036102294922]],"United Kingdom"], ["Country","UK6",[[-7.23027801513672,57.0947189331055],[-7.38402843475342,57.1116600036621],[-7.42361164093018,57.3837471008301],[-7.22375059127808,57.3395767211914],[-7.23027801513672,57.0947189331055]],"United Kingdom"], ["Country","UK7",[[-6.11666679382324,56.650276184082],[-5.66083383560181,56.3993034362793],[-6.3230562210083,56.2654113769531],[-6.01937532424927,56.3759651184082],[-6.20166730880737,56.3823585510254],[-6.0034031867981,56.4925651550293],[-6.33777809143066,56.5466613769531],[-6.11666679382324,56.650276184082]],"United Kingdom"], ["Country","UK8",[[-5.97194480895996,55.788330078125],[-6.07888889312744,55.9055480957031],[-5.69444465637207,56.147216796875],[-5.97194480895996,55.788330078125]],"United Kingdom"], ["Country","UK9",[[-6.27444458007812,55.5727767944336],[-6.26222229003906,55.7772178649902],[-6.49527835845947,55.7336044311523],[-6.12569522857666,55.9312477111816],[-6.0261116027832,55.6793022155762],[-6.27444458007812,55.5727767944336]],"United Kingdom"], ["Country","UK10",[[-5.1719446182251,55.429443359375],[-5.37958335876465,55.6701354980469],[-5.15472316741943,55.6733322143555],[-5.1719446182251,55.429443359375]],"United Kingdom"], ["Country","UK11",[[-7.25250720977783,55.0705947875977],[-6.06375074386597,55.1915245056152],[-5.69041728973389,54.8091621398926],[-5.90243101119995,54.6022872924805],[-5.57430601119995,54.6772193908691],[-5.43583345413208,54.4584655761719],[-5.51772260665894,54.3691062927246],[-5.69812536239624,54.5726318359375],[-5.56222248077393,54.2830505371094],[-6.04388904571533,54.0313873291016],[-6.26697540283203,54.0998306274414],[-6.6200008392334,54.0372161865234],[-7.02944469451904,54.4172172546387],[-7.28388977050781,54.1234664916992],[-7.55944538116455,54.1269378662109],[-8.15805625915527,54.4402732849121],[-7.75222301483154,54.5944442749023],[-7.92638969421387,54.7005500793457],[-7.55333423614502,54.7627716064453],[-7.25250720977783,55.0705947875977]],"United Kingdom"], ["Country","UK12",[[-4.35138893127441,53.1244430541992],[-4.5600004196167,53.3966598510742],[-4.04652833938599,53.3015251159668],[-4.35138893127441,53.1244430541992]],"United Kingdom"], ["Country","UK13",[[-1.28250002861023,50.5788879394531],[-1.5695835351944,50.6590232849121],[-1.11597228050232,50.736385345459],[-1.28250002861023,50.5788879394531]],"United Kingdom"], ["Country","UK14",[[1.26249980926514,51.1016616821289],[0.253888845443726,50.7386093139648],[-1.09444451332092,50.845832824707],[-2.42472267150879,50.5599975585938],[-2.92750024795532,50.7312469482422],[-3.43722248077393,50.6049957275391],[-3.71666669845581,50.2066650390625],[-4.38000011444092,50.363883972168],[-5.04805564880371,50.1711044311523],[-5.19305610656738,49.9552764892578],[-5.47055625915527,50.1249923706055],[-5.71680593490601,50.0608253479004],[-4.77166748046875,50.6019439697266],[-4.22805595397949,51.1877746582031],[-3.02833366394043,51.2061080932617],[-2.38000011444092,51.7617340087891],[-3.34611129760742,51.3786087036133],[-3.83791708946228,51.6199951171875],[-4.24277782440186,51.5408325195312],[-4.07472229003906,51.6772155761719],[-4.57444477081299,51.7341613769531],[-4.9413890838623,51.5941619873047],[-5.05138969421387,51.6202774047852],[-4.88444519042969,51.7466659545898],[-5.24694538116455,51.7302703857422],[-5.10256958007812,51.7789535522461],[-5.23916721343994,51.9163818359375],[-4.13083362579346,52.334716796875],[-4.13361167907715,52.9144439697266],[-4.75848722457886,52.7872619628906],[-4.19638919830322,53.2061080932617],[-2.70493078231812,53.3506202697754],[-2.95388889312744,53.3602752685547],[-3.10562515258789,53.559928894043],[-2.8997917175293,53.7249946594238],[-3.05263900756836,53.9076347351074],[-2.81361150741577,54.222770690918],[-3.21472263336182,54.0955505371094],[-3.63263916969299,54.5122146606445],[-3.38111114501953,54.8844375610352],[-3.0270836353302,54.9729118347168],[-3.57111120223999,54.9908294677734],[-3.96500015258789,54.7652740478516],[-4.39805603027344,54.9063873291016],[-4.38722229003906,54.6755523681641],[-4.85222244262695,54.8686065673828],[-4.96076440811157,54.7968711853027],[-4.86416721343994,54.6272201538086],[-5.17833423614502,54.988883972168],[-4.61361169815063,55.4906883239746],[-4.91638898849487,55.7008285522461],[-4.87826442718506,55.9365234375],[-4.48541736602783,55.9236068725586],[-4.85461235046387,55.9864845275879],[-4.82860565185547,56.1131629943848],[-4.98666715621948,55.8649253845215],[-5.30527830123901,55.8522186279297],[-5.03222274780273,56.2324981689453],[-5.4291672706604,56.0069389343262],[-5.52305603027344,55.3522186279297],[-5.78888940811157,55.3087425231934],[-5.57138919830322,56.3283271789551],[-5.07013893127441,56.5606918334961],[-5.39866733551025,56.4786643981934],[-5.12083387374878,56.8147201538086],[-5.67694473266602,56.4938888549805],[-6.00972270965576,56.6334686279297],[-5.55239582061768,56.688850402832],[-6.22777843475342,56.6972198486328],[-5.662917137146,56.8692321777344],[-5.91958379745483,56.8870811462402],[-5.52402830123901,56.9973564147949],[-5.72472286224365,57.1130523681641],[-5.40305614471436,57.1106185913086],[-5.64750719070435,57.1616058349609],[-5.40513944625854,57.2309684753418],[-5.59884452819824,57.3304862976074],[-5.45125007629395,57.4180488586426],[-5.81805610656738,57.3624954223633],[-5.83972263336182,57.5727767944336],[-5.51013946533203,57.5331916809082],[-5.81083345413208,57.6395797729492],[-5.81708383560181,57.8194389343262],[-5.10277843475342,57.850830078125],[-5.45284748077393,58.074161529541],[-5.28145885467529,58.0772171020508],[-5.38944482803345,58.2602729797363],[-5.0716667175293,58.2647171020508],[-5.17472267150879,58.3499984741211],[-5.00152826309204,58.6241607666016],[-4.70166683197021,58.5586090087891],[-4.76145887374878,58.4460372924805],[-4.57833385467529,58.5744400024414],[-3.02263903617859,58.6465263366699],[-3.10972261428833,58.3816604614258],[-3.33750009536743,58.2769393920898],[-4.00729513168335,57.872428894043],[-3.77402806282043,57.8548545837402],[-4.43152809143066,57.5727729797363],[-2.0755558013916,57.6994400024414],[-1.77333354949951,57.4580535888672],[-2.53125023841858,56.5761070251465],[-3.2780556678772,56.3574981689453],[-2.88444471359253,56.4513854980469],[-2.58347249031067,56.2685356140137],[-3.72375011444092,56.0273551940918],[-3.05305576324463,55.943603515625],[-2.63111114501953,56.0547180175781],[-1.63597226142883,55.5819396972656],[-1.2975001335144,54.7636108398438],[-0.0793055593967438,54.1133995056152],[-0.212222248315811,54.0083312988281],[0.142083317041397,53.5805511474609],[-0.139628008008003,53.6185569763184],[0.235555529594421,53.3994369506836],[0.339166641235352,53.092357635498],[0.00210979650728405,52.8798561096191],[0.378888845443726,52.7813873291016],[0.547777652740479,52.966178894043],[0.884722113609314,52.966381072998],[1.67527770996094,52.7480545043945],[1.74944424629211,52.4558258056641],[1.58736097812653,52.0838851928711],[1.33124983310699,51.9287452697754],[1.16347205638885,52.023609161377],[1.26611089706421,51.8391647338867],[0.701111018657684,51.7184715270996],[0.935694396495819,51.7365264892578],[0.952499866485596,51.6092300415039],[0.388935327529907,51.4482192993164],[1.38555550575256,51.3877716064453],[1.40763878822327,51.1838874816895],[1.26249980926514,51.1016616821289]],"United Kingdom"], ["Country","US0",[[-161.113098144531,58.6552734375],[-160.689788818359,58.8147163391113],[-160.925567626953,58.5630493164062],[-161.113098144531,58.6552734375]],"United States"], ["Country","US1",[[-160.695556640625,55.3999938964844],[-160.464294433594,55.1867942810059],[-160.813903808594,55.1179084777832],[-160.846527099609,55.3324966430664],[-160.695556640625,55.3999938964844]],"United States"], ["Country","US2",[[-159.871643066406,55.2780456542969],[-159.8408203125,55.1359634399414],[-160.225555419922,54.8752670288086],[-160.193405151367,55.1132545471191],[-159.871643066406,55.2780456542969]],"United States"], ["Country","US3",[[-164.176116943359,54.6041641235352],[-164.663909912109,54.3919372558594],[-164.952346801758,54.5802001953125],[-164.491088867188,54.9145736694336],[-163.77751159668,55.0554046630859],[-163.536392211914,55.0472869873047],[-163.374984741211,54.7917976379395],[-163.054885864258,54.6681175231934],[-164.176116943359,54.6041641235352]],"United States"], ["Country","US4",[[-165.897521972656,54.0288696289062],[-166.121688842773,54.1144332885742],[-165.977920532227,54.215404510498],[-165.658981323242,54.1223449707031],[-165.897521972656,54.0288696289062]],"United States"], ["Country","US5",[[-167.046417236328,53.593879699707],[-166.766448974609,53.6858215332031],[-167.152374267578,53.8238792419434],[-167.020431518555,53.9566535949707],[-166.631546020508,53.9997100830078],[-166.603607177734,53.8290252685547],[-166.375152587891,54.0010299682617],[-166.215148925781,53.9209594726562],[-166.570831298828,53.7102737426758],[-166.275421142578,53.6812324523926],[-166.756561279297,53.4452667236328],[-167.842559814453,53.3063735961914],[-167.046417236328,53.593879699707]],"United States"], ["Country","US6",[[-167.795318603516,53.4955368041992],[-169.086700439453,52.8280487060547],[-168.621398925781,53.272216796875],[-168.357238769531,53.2623558044434],[-168.354049682617,53.4733238220215],[-167.795318603516,53.4955368041992]],"United States"], ["Country","US7",[[177.318572998047,51.8211059570312],[177.248016357422,51.902214050293],[177.677474975586,52.105827331543],[177.318572998047,51.8211059570312]],"United States"], ["Country","US8",[[-176.938629150391,51.5844345092773],[-176.758361816406,51.9508285522461],[-176.559768676758,51.9847106933594],[-176.642242431641,51.8572158813477],[-176.423629760742,51.8277702331543],[-176.938629150391,51.5844345092773]],"United States"], ["Country","US9",[[179.649719238281,51.8672103881836],[179.486907958984,51.9742965698242],[179.768997192383,51.9661026000977],[179.649719238281,51.8672103881836]],"United States"], ["Country","US10",[[179.252197265625,51.3474884033203],[178.638320922852,51.6354103088379],[179.457885742188,51.3806838989258],[179.252197265625,51.3474884033203]],"United States"], ["Country","US11",[[-159.451416015625,21.8699913024902],[-159.754196166992,21.9791603088379],[-159.714614868164,22.1541633605957],[-159.327484130859,22.2016563415527],[-159.451416015625,21.8699913024902]],"United States"], ["Country","US12",[[-157.813079833984,21.2588844299316],[-158.100570678711,21.2944431304932],[-158.273498535156,21.5777721405029],[-157.943908691406,21.684440612793],[-157.665588378906,21.324161529541],[-157.813079833984,21.2588844299316]],"United States"], ["Country","US13",[[-156.867492675781,21.0458297729492],[-157.304046630859,21.0977725982666],[-156.750457763672,21.1727733612061],[-156.867492675781,21.0458297729492]],"United States"], ["Country","US14",[[-156.374176025391,20.5808296203613],[-156.688629150391,20.8861045837402],[-156.597091674805,21.0513820648193],[-155.993347167969,20.7824935913086],[-156.374176025391,20.5808296203613]],"United States"], ["Country","US15",[[-156.907257080078,20.7377738952637],[-157.046417236328,20.9190216064453],[-156.812255859375,20.8436088562012],[-156.907257080078,20.7377738952637]],"United States"], ["Country","US16",[[-155.823333740234,20.2724952697754],[-155.183349609375,19.9851322174072],[-154.797821044922,19.5380859375],[-155.663146972656,18.9254779815674],[-155.900299072266,19.0903396606445],[-156.048980712891,19.7350597381592],[-155.813262939453,20.0040245056152],[-155.823333740234,20.2724952697754]],"United States"], ["Country","US17",[[-68.2413787841797,44.4388809204102],[-68.2220840454102,44.404109954834],[-68.1824951171875,44.3327713012695],[-68.4062576293945,44.2713813781738],[-68.2929153442383,44.3865280151367],[-68.2413787841797,44.4388809204102]],"United States"], ["Country","US18",[[-74.0050048828125,40.6799926757812],[-73.5894470214844,40.9205474853516],[-72.6376419067383,40.9816589355469],[-72.2852783203125,41.1619338989258],[-72.5847320556641,40.9060974121094],[-71.8667984008789,41.0747833251953],[-73.6180572509766,40.5944366455078],[-74.0050048828125,40.6799926757812]],"United States"], ["Country","US19",[[-75.1397399902344,19.9628715515137],[-75.0871887207031,19.9651222229004],[-75.0852813720703,19.8930397033691],[-75.1586151123047,19.8900814056396],[-75.1397399902344,19.9628715515137]],"United States"], ["Country","US20",[[-75.1591796875,19.960693359375],[-75.1685562133789,19.9307670593262],[-75.2237243652344,19.901554107666],[-75.2264175415039,19.9244365692139],[-75.1929702758789,19.9606018066406],[-75.1591796875,19.960693359375]],"United States"], ["Country","US21",[[-146.096954345703,60.3927688598633],[-146.597351074219,60.2388801574707],[-146.485549926758,60.3656883239746],[-146.72282409668,60.3762359619141],[-146.580841064453,60.4824905395508],[-146.096954345703,60.3927688598633]],"United States"], ["Country","US22",[[-147.633636474609,60.422492980957],[-147.757507324219,60.1679077148438],[-147.909729003906,60.2347183227539],[-147.779861450195,60.4787368774414],[-147.633636474609,60.422492980957]],"United States"], ["Country","US23",[[-146.937774658203,60.2863845825195],[-147.531127929688,59.851936340332],[-147.910278320312,59.7925643920898],[-147.193603515625,60.3533248901367],[-146.937774658203,60.2863845825195]],"United States"], ["Country","US24",[[-153.038055419922,58.0536041259766],[-153.221252441406,58.1935997009277],[-152.902236938477,58.1674919128418],[-153.104309082031,58.2616653442383],[-152.797775268555,58.282772064209],[-152.654174804688,58.4780426025391],[-151.965682983398,58.3233261108398],[-152.099990844727,58.1495742797852],[-152.274185180664,58.2622184753418],[-152.277221679688,58.1294364929199],[-153.038055419922,58.0536041259766]],"United States"], ["Country","US25",[[-153.258056640625,58.1363830566406],[-152.891525268555,57.9906196594238],[-153.369705200195,58.040412902832],[-153.258056640625,58.1363830566406]],"United States"], ["Country","US26",[[-136.454437255859,58.0886001586914],[-136.330429077148,58.007495880127],[-136.441940307617,57.8458251953125],[-136.555557250977,58.0170783996582],[-136.454437255859,58.0886001586914]],"United States"], ["Country","US27",[[-154.109664916992,57.1105079650879],[-154.297790527344,56.848876953125],[-154.609573364258,57.2609672546387],[-154.799453735352,57.2833290100098],[-154.207214355469,57.6666641235352],[-153.635009765625,57.2759666442871],[-153.869522094727,57.6433258056641],[-153.597778320312,57.598876953125],[-153.929321289062,57.8083267211914],[-153.64306640625,57.8661041259766],[-153.506195068359,57.6284637451172],[-153.320510864258,57.7272491455078],[-153.470672607422,57.840892791748],[-153.051177978516,57.8302688598633],[-153.25862121582,58.0023574829102],[-152.8134765625,57.9095726013184],[-152.877487182617,57.728874206543],[-152.47721862793,57.9031829833984],[-152.329925537109,57.8189163208008],[-152.551605224609,57.7042274475098],[-152.152297973633,57.6081886291504],[-152.361801147461,57.4230499267578],[-153.024459838867,57.4712409973145],[-152.633911132812,57.3177719116211],[-153.166885375977,57.3460311889648],[-152.956527709961,57.2557563781738],[-153.257080078125,57.2281761169434],[-153.727355957031,57.060962677002],[-153.554168701172,56.9802665710449],[-153.985961914062,56.7384643554688],[-154.120544433594,56.7899932861328],[-153.738739013672,57.1287384033203],[-154.099716186523,56.9648551940918],[-154.020553588867,57.107666015625],[-154.109664916992,57.1105079650879]],"United States"], ["Country","US28",[[-135.700286865234,57.3169403076172],[-135.546249389648,57.1322135925293],[-135.826934814453,56.9858245849609],[-135.712768554688,57.1629066467285],[-135.845840454102,57.3193016052246],[-135.700286865234,57.3169403076172]],"United States"], ["Country","US29",[[-152.894744873047,57.1358261108398],[-153.406677246094,57.0697174072266],[-153.271881103516,57.1760635375977],[-153.234161376953,57.2058258056641],[-153.190078735352,57.1967353820801],[-152.894744873047,57.1358261108398]],"United States"], ["Country","US30",[[-131.819458007812,55.4127655029297],[-131.621917724609,55.2927703857422],[-131.722229003906,55.136661529541],[-131.819458007812,55.4127655029297]],"United States"], ["Country","US31",[[-131.467224121094,55.2358245849609],[-131.35498046875,55.0355529785156],[-131.593887329102,54.9938812255859],[-131.581665039062,55.2547187805176],[-131.467224121094,55.2358245849609]],"United States"], ["Country","US32",[[-133.102203369141,55.2455444335938],[-132.679992675781,54.6660995483398],[-133.122497558594,54.9394302368164],[-133.213623046875,55.092212677002],[-133.102203369141,55.2455444335938]],"United States"], ["Country","US33",[[-174.979187011719,52.0547027587891],[-174.279174804688,52.2099838256836],[-174.446212768555,52.3067283630371],[-174.180038452148,52.4176292419434],[-173.990753173828,52.3221397399902],[-174.209442138672,52.098876953125],[-174.979187011719,52.0547027587891]],"United States"], ["Country","US34",[[-173.495025634766,52.0149917602539],[-174.056823730469,52.123046875],[-172.959045410156,52.0838775634766],[-173.495025634766,52.0149917602539]],"United States"], ["Country","US35",[[-177.907806396484,51.591926574707],[-178.216552734375,51.8742942810059],[-177.930725097656,51.9164657592773],[-177.825317382812,51.8311004638672],[-177.907806396484,51.591926574707]],"United States"], ["Country","US36",[[-177.642242431641,51.6494369506836],[-177.047790527344,51.9031829833984],[-177.153900146484,51.6994247436523],[-177.642242431641,51.6494369506836]],"United States"], ["Country","US37",[[-122.74730682373,47.763542175293],[-122.849296569824,47.8313789367676],[-123.147926330566,47.371654510498],[-122.840629577637,47.4473152160645],[-123.084167480469,47.4430465698242],[-122.728782653809,47.7475509643555],[-122.565551757812,47.9380416870117],[-122.460037231445,47.7637405395508],[-122.68083190918,47.6392288208008],[-122.536521911621,47.5931816101074],[-122.54776763916,47.2880477905273],[-122.619163513184,47.4205474853516],[-122.748962402344,47.1892967224121],[-122.797500610352,47.3952713012695],[-123.062568664551,47.1559600830078],[-122.878601074219,47.0641555786133],[-122.309577941895,47.4045715332031],[-122.418327331543,47.6722183227539],[-122.320556640625,48.0741653442383],[-122.531112670898,48.2051315307617],[-122.378189086914,48.2847175598145],[-122.698738098145,48.4947853088379],[-122.48624420166,48.4527015686035],[-122.436660766602,48.5904083251953],[-122.760299682617,48.9994354248047],[-114.059860229492,49.000602722168],[-95.1541748046875,48.9994354248047],[-95.1527862548828,49.3766555786133],[-94.8177795410156,49.3055458068848],[-94.6058349609375,48.7244338989258],[-93.7858352661133,48.5170783996582],[-92.9513168334961,48.6226272583008],[-92.3598556518555,48.2317276000977],[-92.0393753051758,48.3453407287598],[-91.4183349609375,48.0411071777344],[-90.8686065673828,48.2374954223633],[-90.7498626708984,48.0927696228027],[-89.3566589355469,47.9797134399414],[-88.3680572509766,48.3122100830078],[-84.8645858764648,46.9058227539062],[-84.5650024414062,46.4663848876953],[-84.1253433227539,46.5294380187988],[-83.9543228149414,46.0704803466797],[-83.5961151123047,46.1141586303711],[-83.4477691650391,46.0119400024414],[-83.5977783203125,45.8272171020508],[-82.5430603027344,45.355827331543],[-82.1302795410156,43.5852661132812],[-82.5358276367188,42.5994338989258],[-83.0869598388672,42.3005447387695],[-83.1686096191406,42.0461044311523],[-82.6966552734375,41.6838760375977],[-78.9869384765625,42.8199920654297],[-79.1847229003906,43.4655456542969],[-78.7247161865234,43.6294326782227],[-76.8094482421875,43.6333274841309],[-76.4373550415039,44.1020736694336],[-74.9961166381836,44.9836006164551],[-71.4941558837891,45.0205459594727],[-71.3211059570312,45.2969398498535],[-70.876594543457,45.2410316467285],[-70.258056640625,45.9090881347656],[-70.2877807617188,46.2030487060547],[-70.0091705322266,46.6980438232422],[-69.2360610961914,47.4678916931152],[-68.8915328979492,47.1890144348145],[-68.3148574829102,47.3651351928711],[-67.7949981689453,47.0699920654297],[-67.7945098876953,45.6958236694336],[-67.4131240844727,45.5854759216309],[-67.4552764892578,45.263053894043],[-67.20654296875,45.1830368041992],[-67.0344390869141,44.984992980957],[-67.1786117553711,44.8991584777832],[-66.970832824707,44.8279113769531],[-67.1899948120117,44.6602668762207],[-68.262565612793,44.4657897949219],[-68.6158294677734,44.3063812255859],[-68.8131942749023,44.3302726745605],[-68.7968673706055,44.5746116638184],[-68.9808349609375,44.441722869873],[-69.065559387207,44.066104888916],[-69.2483367919922,43.9380416870117],[-69.3699951171875,44.0469436645508],[-69.5004196166992,43.8504066467285],[-69.6430587768555,44.028881072998],[-69.7192993164062,43.7920799255371],[-69.771598815918,44.0742988586426],[-69.8313903808594,43.7161712646484],[-69.9222259521484,43.8647155761719],[-70.1725006103516,43.7805480957031],[-70.1918716430664,43.5755462646484],[-70.7234039306641,43.1199188232422],[-70.8059692382812,42.7158966064453],[-70.5818099975586,42.6528358459473],[-71.0395126342773,42.3048515319824],[-70.717643737793,42.2138786315918],[-70.6822204589844,41.9972152709961],[-70.3329162597656,41.7138824462891],[-70.0193099975586,41.7925643920898],[-70.2440185546875,42.0739479064941],[-70.0741729736328,42.0588798522949],[-69.9354095458984,41.6724967956543],[-70.6486129760742,41.5394401550293],[-70.7261047363281,41.7277679443359],[-71.1883239746094,41.4683227539062],[-71.1148529052734,41.7895088195801],[-71.2713928222656,41.6530456542969],[-71.3894424438477,41.8066940307617],[-71.5116729736328,41.3699913024902],[-72.9063873291016,41.2861099243164],[-73.9341583251953,40.7980499267578],[-73.9380416870117,40.912899017334],[-74.2629852294922,40.4663772583008],[-73.9956588745117,40.4588470458984],[-73.9522247314453,40.2999954223633],[-74.088264465332,39.7748527526855],[-74.0716018676758,40.0478439331055],[-74.42041015625,39.3539886474609],[-74.9452743530273,38.922981262207],[-74.8949356079102,39.1690216064453],[-75.4156951904297,39.378044128418],[-75.5572204589844,39.6204071044922],[-75.0285186767578,40.0123062133789],[-75.5886077880859,39.6488800048828],[-75.0397186279297,38.4574966430664],[-75.8680572509766,37.2169342041016],[-76.0027923583984,37.223876953125],[-75.9563903808594,37.4977722167969],[-75.64404296875,37.9611740112305],[-75.878532409668,37.9475593566895],[-75.8463516235352,38.3987770080566],[-76.0375061035156,38.2266540527344],[-76.2469482421875,38.5102767944336],[-76.2652893066406,38.6197128295898],[-75.9627838134766,38.6133270263672],[-76.342155456543,38.6882553100586],[-76.2551727294922,38.8410339355469],[-76.1044387817383,38.7990913391113],[-76.2246551513672,38.9640884399414],[-76.35986328125,38.855411529541],[-76.0724639892578,39.141658782959],[-76.2208404541016,39.0608215332031],[-76.1683349609375,39.316520690918],[-75.8513870239258,39.5358276367188],[-75.9408264160156,39.6041603088379],[-76.4800033569336,39.302074432373],[-76.4163970947266,39.209716796875],[-76.6105194091797,39.250373840332],[-76.3938903808594,39.0110359191895],[-76.5375061035156,38.7316589355469],[-76.3785705566406,38.3652038574219],[-76.6791610717773,38.662525177002],[-76.6634674072266,38.4747123718262],[-76.3711090087891,38.288330078125],[-76.3123474121094,38.0473022460938],[-77.0444488525391,38.4383201599121],[-77.2437438964844,38.3982582092285],[-77.0061187744141,38.754997253418],[-77.0616912841797,38.9045715332031],[-77.0422210693359,38.726619720459],[-77.3264007568359,38.4024887084961],[-76.2436141967773,37.9061012268066],[-76.3536071777344,37.6185989379883],[-77.1298904418945,38.1691207885742],[-76.2906951904297,37.5686073303223],[-76.2394409179688,37.373462677002],[-76.3764877319336,37.2805137634277],[-76.6827697753906,37.4297180175781],[-76.2914581298828,37.0053443908691],[-76.6538848876953,37.226936340332],[-77.2322235107422,37.29638671875],[-76.2936096191406,36.8433227539062],[-76.2551422119141,36.9579124450684],[-75.9872894287109,36.9092292785645],[-75.5326461791992,35.8015213012695],[-75.9453048706055,36.7124214172363],[-75.8995819091797,36.4927711486816],[-76.0347290039062,36.4966583251953],[-75.7931518554688,36.0738487243652],[-75.9760360717773,36.3113784790039],[-75.9265365600586,36.1708908081055],[-76.1996536254883,36.3173904418945],[-76.0709686279297,36.1492958068848],[-76.5186157226562,36.0069389343262],[-76.7461013793945,36.2281837463379],[-76.7295150756836,35.9398498535156],[-76.077507019043,35.9931869506836],[-76.135627746582,35.6923866271973],[-76.0287475585938,35.6540908813477],[-75.850830078125,35.975269317627],[-75.720832824707,35.6926307678223],[-76.149169921875,35.3369369506836],[-76.4961090087891,35.3847198486328],[-76.5881958007812,35.5510330200195],[-76.6524963378906,35.4149932861328],[-77.0495834350586,35.5269393920898],[-76.4688873291016,35.2716598510742],[-76.7613983154297,34.9877700805664],[-77.0681610107422,35.1497802734375],[-76.7530670166016,34.9052658081055],[-76.3126373291016,35.0126342773438],[-76.5006256103516,34.7361717224121],[-77.3095779418945,34.5597152709961],[-77.4288787841797,34.7419357299805],[-77.3817291259766,34.5164527893066],[-77.7052764892578,34.3419342041016],[-77.9344329833984,33.9269409179688],[-77.9556274414062,34.1490173339844],[-78.0259704589844,33.8893661499023],[-78.6005554199219,33.8708267211914],[-79.1964416503906,33.278938293457],[-79.2713928222656,33.3733215332031],[-79.2058410644531,33.1655426025391],[-79.3883361816406,33.0081901550293],[-79.8158264160156,32.7672119140625],[-79.9426345825195,32.8534660339355],[-79.9172210693359,32.6624908447266],[-80.3277206420898,32.4804077148438],[-80.669303894043,32.5229110717773],[-80.4650039672852,32.3174934387207],[-80.6313781738281,32.2563858032227],[-80.8323669433594,32.5199928283691],[-80.6722869873047,32.2170753479004],[-81.165901184082,31.5648574829102],[-81.3290252685547,31.5547885894775],[-81.2047271728516,31.4747161865234],[-81.5337524414062,30.8494415283203],[-81.3861236572266,30.2611083984375],[-81.0139007568359,29.243049621582],[-80.6087951660156,28.6126251220703],[-80.8436126708984,28.780969619751],[-80.7572326660156,28.420690536499],[-80.0353393554688,26.795690536499],[-80.3975067138672,25.1866550445557],[-81.1466751098633,25.1604118347168],[-81.135612487793,25.3205375671387],[-80.9178466796875,25.2468719482422],[-81.3409042358398,25.8097190856934],[-81.7365875244141,25.9594421386719],[-81.9693069458008,26.4818286895752],[-81.7859344482422,26.7069034576416],[-82.0233764648438,26.5292186737061],[-82.0172271728516,26.9647178649902],[-82.1919403076172,26.9380493164062],[-82.1588897705078,26.7828788757324],[-82.3963928222656,26.9623565673828],[-82.6552734375,27.4616622924805],[-82.4241638183594,27.9194393157959],[-82.6912460327148,28.029857635498],[-82.5950698852539,27.8218727111816],[-82.724723815918,27.6580505371094],[-82.8541641235352,27.8586082458496],[-82.6286010742188,28.6963844299316],[-82.8027801513672,29.1549949645996],[-83.0716705322266,29.224437713623],[-84.0109786987305,30.0976371765137],[-85.3416748046875,29.676383972168],[-85.3072128295898,29.8159694671631],[-85.62939453125,30.1046276092529],[-85.3938903808594,30.041524887085],[-85.7469482421875,30.2972183227539],[-85.8455505371094,30.2470798492432],[-85.7255554199219,30.1258277893066],[-86.3373641967773,30.3844394683838],[-86.1042327880859,30.379093170166],[-86.2600021362305,30.49582862854],[-87.1260986328125,30.363883972168],[-86.9363861083984,30.4499969482422],[-87.1608352661133,30.5177745819092],[-87.5225601196289,30.2792930603027],[-87.4203948974609,30.4809455871582],[-87.5686187744141,30.2794418334961],[-88.021354675293,30.2254791259766],[-87.7577133178711,30.2824287414551],[-88.0202789306641,30.7011070251465],[-88.1314544677734,30.3189544677734],[-88.9808349609375,30.418327331543],[-89.5931243896484,30.1532592773438],[-90.213752746582,30.38694190979],[-90.4150009155273,30.2034683227539],[-90.1701354980469,30.0234699249268],[-89.6735382080078,30.1671485900879],[-89.84375,30.0070819854736],[-89.6580505371094,29.8738861083984],[-89.3994445800781,30.0508308410645],[-89.4041748046875,29.7624969482422],[-89.7527160644531,29.6329803466797],[-89.0087585449219,29.1741619110107],[-89.4049987792969,28.9266624450684],[-89.2720184326172,29.1496486663818],[-89.3895797729492,29.0920810699463],[-90.1824951171875,29.5698585510254],[-90.0265274047852,29.4251346588135],[-90.115966796875,29.1390247344971],[-90.2477722167969,29.0824966430664],[-90.4444427490234,29.3261070251465],[-90.7650146484375,29.1094398498535],[-91.2779159545898,29.2558326721191],[-91.1265258789062,29.3473587036133],[-91.8388214111328,29.8282604217529],[-92.1486206054688,29.7688865661621],[-92.0997314453125,29.615550994873],[-92.3083343505859,29.5397186279297],[-93.2408294677734,29.7849960327148],[-93.8504867553711,29.7088146209717],[-93.7966613769531,29.9941596984863],[-93.9584732055664,29.8166618347168],[-93.8584365844727,29.6816253662109],[-94.7541732788086,29.3679122924805],[-94.4765930175781,29.5588855743408],[-94.7658386230469,29.5680541992188],[-94.7570190429688,29.7849979400635],[-95.0600662231445,29.7150630950928],[-94.8875045776367,29.385274887085],[-95.1486129760742,29.051248550415],[-96.2120132446289,28.4881191253662],[-95.9906845092773,28.6510372161865],[-96.6447296142578,28.7119388580322],[-96.3999710083008,28.4417304992676],[-96.659309387207,28.31520652771],[-96.8003387451172,28.4715213775635],[-96.7808380126953,28.241382598877],[-97.1693725585938,28.1618003845215],[-97.1441650390625,28.0280532836914],[-97.0224990844727,28.031665802002],[-97.1945114135742,27.8218021392822],[-97.51708984375,27.8638153076172],[-97.2797241210938,27.6561050415039],[-97.4129867553711,27.3272876739502],[-97.7693405151367,27.4497165679932],[-97.6338882446289,27.2524967193604],[-97.4293670654297,27.2622890472412],[-97.5604095458984,26.8420810699463],[-97.140739440918,25.9664287567139],[-97.4172286987305,25.8433303833008],[-99.104736328125,26.4349975585938],[-99.4586181640625,27.0469436645508],[-99.5038986206055,27.5680522918701],[-100.281463623047,28.2805519104004],[-100.665840148926,29.1090259552002],[-101.405014038086,29.772777557373],[-102.301811218262,29.8879833221436],[-102.670288085938,29.7427749633789],[-103.163688659668,28.9840259552002],[-103.375,29.023609161377],[-104.541816711426,29.6729145050049],[-104.896530151367,30.5662479400635],[-106.209869384766,31.4722213745117],[-106.395843505859,31.7474975585938],[-108.208618164062,31.783332824707],[-108.208343505859,31.3330535888672],[-111.045837402344,31.3330535888672],[-114.795227050781,32.5004959106445],[-114.719093322754,32.7184562683105],[-117.122375488281,32.5353317260742],[-117.480827331543,33.3274917602539],[-118.108184814453,33.7569389343262],[-118.400016784668,33.7498550415039],[-118.530006408691,34.0479125976562],[-119.129173278809,34.113883972168],[-119.54167175293,34.4141540527344],[-120.605827331543,34.5586013793945],[-120.618194580078,35.1394386291504],[-121.867630004883,36.3153381347656],[-121.851112365723,36.9506874084473],[-122.379020690918,37.1999893188477],[-122.484306335449,37.789924621582],[-122.005836486816,37.4713745117188],[-122.393409729004,37.9591598510742],[-121.791526794434,38.0683059692383],[-122.365280151367,38.1555480957031],[-122.505485534668,37.8310394287109],[-122.956390380859,38.0580444335938],[-122.807769775391,38.0949897766113],[-123.107223510742,38.4627723693848],[-123.701522827148,38.9304122924805],[-123.772361755371,39.7097129821777],[-124.375823974609,40.447696685791],[-124.14306640625,40.8119354248047],[-124.039993286133,41.4277725219727],[-124.524436950684,42.8661041259766],[-124.378532409668,43.319019317627],[-124.142784118652,43.3716926574707],[-124.302490234375,43.4005432128906],[-124.115829467773,43.7252655029297],[-123.871612548828,45.528980255127],[-123.951950073242,46.1811065673828],[-123.16357421875,46.1951904296875],[-124,46.3236083984375],[-124.038749694824,46.6566543579102],[-123.941246032715,46.3929786682129],[-123.940826416016,46.6366577148438],[-123.759460449219,46.6856231689453],[-124.097503662109,46.8613815307617],[-123.801246643066,46.9767913818359],[-124.074996948242,47.0662460327148],[-124.164169311523,46.9463806152344],[-124.714309692383,48.3970756530762],[-123.934722900391,48.1758270263672],[-122.749435424805,48.1539497375488],[-122.630279541016,47.9158248901367],[-122.74730682373,47.763542175293]],"United States"], ["Country","US38",[[-123.09375,48.9994354248047],[-123.034317016602,48.9994354248047],[-123.071815490723,48.9733810424805],[-123.09375,48.9994354248047]],"United States"], ["Country","US39",[[-122.588333129883,48.392219543457],[-122.505836486816,48.3074913024902],[-122.663887023926,48.2447128295898],[-122.369995117188,47.9213829040527],[-122.756805419922,48.2311019897461],[-122.588333129883,48.392219543457]],"United States"], ["Country","US40",[[-164.616546630859,60.9271278381348],[-165.150299072266,60.9280471801758],[-164.822082519531,61.1030502319336],[-165.31721496582,61.1927947998047],[-165.36686706543,61.2017974853516],[-165.280609130859,61.2582168579102],[-164.719360351562,61.6253356933594],[-165.197647094727,61.4065170288086],[-165.406341552734,61.205883026123],[-165.386688232422,61.068603515625],[-165.873596191406,61.3326301574707],[-165.815979003906,61.5343017578125],[-166.170837402344,61.5458297729492],[-166.147705078125,61.7137756347656],[-165.826950073242,61.6812400817871],[-166.092697143555,61.8159637451172],[-165.633331298828,61.8469390869141],[-165.701538085938,62.115966796875],[-165.247222900391,62.4460983276367],[-164.897521972656,62.531379699707],[-164.686401367188,62.3802719116211],[-164.847763061523,62.5693321228027],[-164.493362426758,62.7467308044434],[-164.786041259766,62.6523475646973],[-164.876800537109,62.8380470275879],[-164.698272705078,63.019229888916],[-164.318054199219,63.0096473693848],[-164.584518432617,63.134090423584],[-164.401123046875,63.2149925231934],[-163.111663818359,63.0519332885742],[-162.30598449707,63.5406227111816],[-161.441528320312,63.4577713012695],[-160.818054199219,63.7163848876953],[-160.948333740234,64.1994171142578],[-161.189025878906,64.4141540527344],[-161.529174804688,64.4188690185547],[-160.807571411133,64.6265182495117],[-161.137680053711,64.9103851318359],[-162.107772827148,64.7162399291992],[-162.790283203125,64.3361053466797],[-163.170013427734,64.6552581787109],[-163.352630615234,64.5906829833984],[-163.040557861328,64.5183181762695],[-163.138748168945,64.4126892089844],[-163.821929931641,64.5891571044922],[-165.040557861328,64.4449768066406],[-166.402786254883,64.6559600830078],[-166.387237548828,64.8884582519531],[-166.952911376953,65.2216491699219],[-166.611663818359,65.12109375],[-166.154724121094,65.2935943603516],[-167.462356567383,65.4201202392578],[-168.126373291016,65.6699829101562],[-166.259887695312,66.1801223754883],[-165.511291503906,66.1571350097656],[-165.870880126953,66.2214431762695],[-165.757095336914,66.3212356567383],[-164.290557861328,66.5980377197266],[-163.642364501953,66.5667190551758],[-163.931793212891,66.5780487060547],[-163.756408691406,66.5155410766602],[-163.857482910156,66.276237487793],[-164.17399597168,66.190673828125],[-161.81640625,65.9749908447266],[-161.575134277344,66.2516555786133],[-161.105270385742,66.2438659667969],[-161.149444580078,66.1158142089844],[-161.000610351562,66.2466506958008],[-161.52001953125,66.4022064208984],[-161.913482666016,66.2766494750977],[-161.900436401367,66.5301284790039],[-162.504745483398,66.740119934082],[-162.606109619141,66.9105453491211],[-162.302642822266,66.9455337524414],[-162.077850341797,66.6635208129883],[-161.594299316406,66.4471969604492],[-161.186126708984,66.5385894775391],[-160.783340454102,66.37109375],[-160.260833740234,66.3936004638672],[-160.240264892578,66.6441497802734],[-161.497283935547,66.533317565918],[-161.897796630859,66.7283172607422],[-161.537231445312,66.9927520751953],[-162.460800170898,66.9981460571289],[-162.383605957031,67.1637420654297],[-162.559509277344,67.0104064941406],[-163.727203369141,67.1122055053711],[-164.124145507812,67.6099853515625],[-166.823623657227,68.3487319946289],[-166.372604370117,68.4167633056641],[-166.232421875,68.8723373413086],[-163.904174804688,69.0169372558594],[-163.156951904297,69.3522033691406],[-163.00390625,69.7527770996094],[-161.961654663086,70.2998428344727],[-161.766967773438,70.2572250366211],[-162.114212036133,70.154296875],[-161.864990234375,70.161376953125],[-159.929092407227,70.5869293212891],[-160.193893432617,70.4701232910156],[-159.836120605469,70.2683258056641],[-159.819458007812,70.4844207763672],[-159.305648803711,70.5306777954102],[-160.12158203125,70.6123428344727],[-159.522796630859,70.8280487060547],[-159.170974731445,70.8774795532227],[-159.445419311523,70.7781829833984],[-159.223876953125,70.7044372558594],[-157.979431152344,70.8374938964844],[-156.596725463867,71.3514404296875],[-155.592498779297,71.1683197021484],[-156.177291870117,70.9177627563477],[-155.987350463867,70.9005432128906],[-155.973602294922,70.7558288574219],[-155.074432373047,71.1488800048828],[-155.062088012695,71.0102691650391],[-154.821105957031,71.0949859619141],[-154.595748901367,71.0019302368164],[-154.61262512207,70.8276214599609],[-154.20361328125,70.7765197753906],[-153.222503662109,70.9285888671875],[-152.277221679688,70.8405456542969],[-152.492691040039,70.6460952758789],[-152.077362060547,70.5783920288086],[-152.61946105957,70.5583877563477],[-151.73664855957,70.55859375],[-151.970260620117,70.445671081543],[-149.174713134766,70.4908142089844],[-144.952209472656,69.9683227539062],[-143.215545654297,70.1102600097656],[-141.002990722656,69.6423645019531],[-140.995544433594,60.3072128295898],[-139.979431152344,60.1877670288086],[-139.066879272461,60.3447151184082],[-139.161407470703,60.0702743530273],[-137.5908203125,59.2386016845703],[-137.471801757812,58.9066543579102],[-136.809463500977,59.1667175292969],[-136.583892822266,59.1633224487305],[-136.463623046875,59.4697113037109],[-136.23388671875,59.5258255004883],[-136.345123291016,59.6016616821289],[-135.473602294922,59.8019332885742],[-135.014465332031,59.567497253418],[-135.091674804688,59.4269409179688],[-134.951934814453,59.2799911499023],[-133.429992675781,58.4591598510742],[-132.226654052734,57.2047119140625],[-132.324234008789,57.0891571044922],[-132.027496337891,57.0363845825195],[-132.103057861328,56.8666610717773],[-131.861724853516,56.7958297729492],[-131.824371337891,56.5983963012695],[-130.088592529297,56.118049621582],[-130.015075683594,55.9091796875],[-130.174438476562,55.7572174072266],[-129.99365234375,55.2810363769531],[-130.365966796875,54.9044342041016],[-130.709259033203,54.7678756713867],[-130.742660522461,54.9550933837891],[-130.893890380859,54.7805480957031],[-130.982208251953,55.0511016845703],[-130.7021484375,55.1147727966309],[-130.474151611328,55.3259315490723],[-130.727783203125,55.1263809204102],[-130.842330932617,55.1267623901367],[-131.05876159668,55.1274871826172],[-130.931533813477,55.2846450805664],[-130.616104125977,55.2943000793457],[-130.861267089844,55.3100624084473],[-130.88639831543,55.7079086303711],[-131.169464111328,55.9416580200195],[-131.012786865234,56.1065216064453],[-131.900573730469,55.8552703857422],[-131.75910949707,55.8140907287598],[-131.836944580078,55.6358261108398],[-131.962493896484,55.4986038208008],[-132.14306640625,55.567497253418],[-132.245269775391,55.723876953125],[-131.947494506836,55.9645042419434],[-131.956787109375,56.1649208068848],[-131.769744873047,56.1969375610352],[-131.993011474609,56.3581809997559],[-132.341659545898,56.523323059082],[-132.315734863281,56.633373260498],[-132.551116943359,56.6377029418945],[-132.364974975586,56.8171463012695],[-132.768890380859,56.843879699707],[-132.804138183594,57.083812713623],[-133.508361816406,57.193603515625],[-133.065963745117,57.346794128418],[-133.441314697266,57.355411529541],[-133.506820678711,57.4842948913574],[-133.317855834961,57.5900573730469],[-133.599365234375,57.5745086669922],[-133.640563964844,57.6963806152344],[-133.006423950195,57.5139503479004],[-133.517791748047,57.7458267211914],[-133.544342041016,57.9081497192383],[-133.131103515625,57.853328704834],[-133.557647705078,57.9236030578613],[-133.700607299805,57.7915229797363],[-133.813018798828,57.9729347229004],[-133.680206298828,58.1459617614746],[-133.913345336914,57.9801292419434],[-134.059722900391,58.0788803100586],[-134.00895690918,58.3899345397949],[-133.774032592773,58.5149955749512],[-133.972702026367,58.4978370666504],[-134.180557250977,58.1970710754395],[-134.540084838867,58.3597297668457],[-134.75764465332,58.3819694519043],[-134.975006103516,58.6458282470703],[-135.347839355469,59.4641571044922],[-135.459716796875,59.2908248901367],[-135.30339050293,59.0928382873535],[-135.546676635742,59.2253341674805],[-135.085540771484,58.2330474853516],[-135.321243286133,58.2497177124023],[-135.470901489258,58.4714469909668],[-135.910354614258,58.381103515625],[-135.836532592773,58.5381889343262],[-136.065689086914,58.8183250427246],[-135.76594543457,58.8959617614746],[-136.164108276367,59.0274238586426],[-136.094436645508,58.862491607666],[-136.236511230469,58.7517280578613],[-136.985870361328,59.047119140625],[-137.038619995117,59.0679092407227],[-137.05158996582,59.0281219482422],[-137.118591308594,58.8227043151855],[-136.578048706055,58.8394355773926],[-136.342910766602,58.6803359985352],[-136.519241333008,58.6102714538574],[-136.287094116211,58.6617965698242],[-136.080841064453,58.5116653442383],[-136.082901000977,58.3402671813965],[-136.479431152344,58.4158248901367],[-136.36735534668,58.2985343933105],[-136.64778137207,58.3345031738281],[-136.658905029297,58.2165184020996],[-138.599533081055,59.123218536377],[-138.439224243164,59.184642791748],[-139.710540771484,59.4958267211914],[-139.481246948242,59.9850578308105],[-139.316955566406,59.869987487793],[-139.290008544922,59.5727729797363],[-139.270797729492,59.8008232116699],[-138.89973449707,59.8053359985352],[-139.5,60.0330505371094],[-140.403350830078,59.6980438232422],[-141.376647949219,59.8663864135742],[-141.256958007812,59.9959678649902],[-141.384857177734,60.1379089355469],[-141.73095703125,59.9533271789551],[-142.717224121094,60.109992980957],[-143.900573730469,59.9911041259766],[-144.931533813477,60.2973556518555],[-144.611389160156,60.7155456542969],[-145.288467407227,60.3506889343262],[-145.859436035156,60.4916610717773],[-145.625366210938,60.6670036315918],[-146.244171142578,60.6359672546387],[-146.038055419922,60.7956886291504],[-146.644027709961,60.6940841674805],[-146.125259399414,60.8454055786133],[-146.755432128906,60.9524917602539],[-146.296813964844,61.1292953491211],[-147.366943359375,60.8877716064453],[-147.537002563477,60.9173736572266],[-147.550964355469,61.1531829833984],[-147.604431152344,60.8956909179688],[-147.787231445312,60.821662902832],[-148.050277709961,60.9473533630371],[-147.715682983398,61.2754058837891],[-148.071517944336,61.0177726745605],[-148.183807373047,61.0301475524902],[-148.344573974609,60.8124923706055],[-148.692367553711,60.7881202697754],[-148.459289550781,60.7974891662598],[-148.660278320312,60.6712455749512],[-148.229721069336,60.7658271789551],[-148.204574584961,60.617488861084],[-148.687149047852,60.451587677002],[-148.085479736328,60.6001319885254],[-147.937850952148,60.4513778686523],[-148.366088867188,60.2472152709961],[-148.098876953125,60.2059669494629],[-148.324310302734,60.1631889343262],[-148.438522338867,59.9484596252441],[-149.077484130859,60.0563812255859],[-149.275299072266,59.8674926757812],[-149.419738769531,60.1162414550781],[-149.62092590332,59.8320121765137],[-149.734283447266,59.9546775817871],[-149.750823974609,59.6591529846191],[-150.027786254883,59.796314239502],[-149.918258666992,59.7131156921387],[-150.013641357422,59.6274871826172],[-150.344711303711,59.4665184020996],[-150.224670410156,59.7154769897461],[-150.486724853516,59.4638824462891],[-150.541687011719,59.5916595458984],[-150.907501220703,59.2433242797852],[-151.74609375,59.1624908447266],[-151.97624206543,59.2758255004883],[-151.899169921875,59.4080429077148],[-151.453063964844,59.4674911499023],[-150.997894287109,59.7808265686035],[-151.469223022461,59.6367301940918],[-151.878311157227,59.7599945068359],[-151.302642822266,60.3883285522461],[-151.40673828125,60.7281112670898],[-150.404174804688,61.0368003845215],[-149.029739379883,60.8516578674316],[-150.06201171875,61.1577682495117],[-149.252044677734,61.4924926757812],[-149.6875,61.4748497009277],[-150.071380615234,61.2449951171875],[-150.626373291016,61.2863845825195],[-151.740814208984,60.9047088623047],[-151.709716796875,60.7318649291992],[-152.225051879883,60.5573539733887],[-152.421783447266,60.2932586669922],[-153.078887939453,60.2981872558594],[-152.596099853516,60.0944366455078],[-152.71630859375,59.9165916442871],[-153.225830078125,59.8651313781738],[-153.001953125,59.8192977905273],[-153.04264831543,59.7094383239746],[-153.348327636719,59.6286010742188],[-153.420562744141,59.7661056518555],[-154.067230224609,59.3455429077148],[-154.256958007812,59.1327667236328],[-154.18034362793,59.0294380187988],[-153.423477172852,58.9808235168457],[-153.261184692383,58.8595733642578],[-153.447784423828,58.7144393920898],[-154.102691650391,58.4800605773926],[-154.005096435547,58.3820037841797],[-154.354232788086,58.2783279418945],[-154.114639282227,58.2804069519043],[-154.23567199707,58.130687713623],[-155.033401489258,58.0146102905273],[-155.311126708984,57.7344360351562],[-155.60693359375,57.7893028259277],[-155.734436035156,57.551383972168],[-156.489990234375,57.3311080932617],[-156.341659545898,57.1708297729492],[-156.552291870117,56.9788780212402],[-156.940826416016,56.9624938964844],[-157.206665039062,56.7705459594727],[-157.427932739258,56.857494354248],[-157.58332824707,56.7073516845703],[-157.470123291016,56.6202697753906],[-157.787231445312,56.6783294677734],[-158.115676879883,56.5605812072754],[-157.882629394531,56.4674911499023],[-158.428482055664,56.440128326416],[-158.637420654297,56.2587432861328],[-158.126449584961,56.2351989746094],[-158.505279541016,55.988883972168],[-158.600402832031,56.1009635925293],[-158.484222412109,56.1797790527344],[-158.601104736328,56.1880416870117],[-158.675354003906,55.954231262207],[-159.361450195312,55.8743629455566],[-159.667236328125,55.5772171020508],[-159.6240234375,55.8120727539062],[-159.842636108398,55.850269317627],[-160.507781982422,55.4780426025391],[-160.633056640625,55.5666656494141],[-161.248886108398,55.3479080200195],[-161.509902954102,55.3683929443359],[-161.483734130859,55.4834632873535],[-161.145278930664,55.5302696228027],[-161.5625,55.6227645874023],[-162.043197631836,55.2301254272461],[-161.975280761719,55.0991592407227],[-162.445037841797,55.0364265441895],[-162.636383056641,55.2973556518555],[-162.566940307617,54.9579772949219],[-162.873886108398,54.930965423584],[-163.179443359375,55.139575958252],[-163.053085327148,54.9326629638672],[-163.330551147461,54.8081855773926],[-163.326248168945,55.1170768737793],[-162.548904418945,55.3424911499023],[-162.260559082031,55.6730499267578],[-161.776672363281,55.8931884765625],[-161.068328857422,55.9349899291992],[-160.679580688477,55.6958236694336],[-160.790145874023,55.8775596618652],[-160.250076293945,55.7715187072754],[-160.574020385742,55.9937400817871],[-160.346954345703,56.2855529785156],[-159.035003662109,56.8049926757812],[-158.639038085938,56.7629127502441],[-158.650848388672,57.0511016845703],[-158.115264892578,57.3580474853516],[-157.741668701172,57.5622100830078],[-157.397918701172,57.4927711486816],[-157.704162597656,57.6373519897461],[-157.611373901367,58.0840225219727],[-157.139038085938,58.164436340332],[-157.543197631836,58.266242980957],[-157.551391601562,58.3877716064453],[-156.781814575195,59.1512413024902],[-157.111938476562,58.8744354248047],[-158.318328857422,58.6458282470703],[-158.559234619141,58.8081855773926],[-158.48811340332,59.0007553100586],[-157.992767333984,58.9049911499023],[-158.538619995117,59.1737442016602],[-158.497192382812,59.0439643859863],[-158.69612121582,58.8827705383301],[-158.821243286133,58.9684638977051],[-158.778900146484,58.7738800048828],[-158.911392211914,58.7670745849609],[-158.710891723633,58.4927711486816],[-158.838317871094,58.4024887084961],[-159.062911987305,58.4286041259766],[-159.620895385742,58.9440879821777],[-159.914306640625,58.7704086303711],[-160.322769165039,59.0583267211914],[-161.632202148438,58.5991592407227],[-162.165969848633,58.6551284790039],[-161.699157714844,58.7633247375488],[-161.792785644531,59.0172119140625],[-161.568405151367,59.1066589355469],[-161.994018554688,59.1470756530762],[-161.955825805664,59.380687713623],[-161.70964050293,59.4969367980957],[-162.236526489258,60.063606262207],[-162.156051635742,60.2449226379395],[-162.369583129883,60.16943359375],[-162.221923828125,60.5816650390625],[-161.879425048828,60.7022171020508],[-162.261672973633,60.6163787841797],[-162.569458007812,60.3163833618164],[-162.510696411133,60.0008277893066],[-163.659454345703,59.794994354248],[-164.138198852539,59.8476295471191],[-164.214218139648,59.9500579833984],[-164.094223022461,59.9777679443359],[-165.138397216797,60.4409599304199],[-164.979644775391,60.5404090881348],[-165.385559082031,60.5172119140625],[-164.724594116211,60.900634765625],[-164.710144042969,60.9090194702148],[-164.668319702148,60.8970108032227],[-164.270919799805,60.7829055786133],[-164.412368774414,60.5527687072754],[-163.951385498047,60.7805480957031],[-163.786819458008,60.5777015686035],[-163.427154541016,60.7027015686035],[-163.88883972168,60.8543167114258],[-163.555130004883,60.8971061706543],[-163.673049926758,60.9906845092773],[-164.046112060547,60.8569412231445],[-164.616546630859,60.9271278381348]],"United States"], ["Country","US41",[[-170.93310546875,63.4154815673828],[-171.738891601562,63.3805465698242],[-171.850830078125,63.5086059570312],[-171.72917175293,63.7893714904785],[-171.540008544922,63.6138801574707],[-170.300018310547,63.6941528320312],[-169.524444580078,63.3541564941406],[-168.700866699219,63.2905426025391],[-168.850006103516,63.1552658081055],[-169.321151733398,63.1845741271973],[-169.670425415039,62.944149017334],[-169.805297851562,63.1252593994141],[-170.533630371094,63.3136253356934],[-170.863250732422,63.4185104370117],[-170.928283691406,63.4156913757324],[-170.93310546875,63.4154815673828]],"United States"], ["Country","US42",[[-172.280029296875,60.3027725219727],[-172.670532226562,60.3324890136719],[-173.051010131836,60.4958190917969],[-172.914886474609,60.6015167236328],[-172.280029296875,60.3027725219727]],"United States"], ["Country","US43",[[-166.109161376953,60.410270690918],[-165.684341430664,60.2965202331543],[-165.543075561523,59.9802627563477],[-166.209197998047,59.8574905395508],[-166.122528076172,59.7552719116211],[-167.418060302734,60.1894226074219],[-166.109161376953,60.410270690918]],"United States"], ["Country","US44",[[-134.573333740234,57.5058288574219],[-134.950134277344,58.4054756164551],[-134.668334960938,58.1598510742188],[-134.173126220703,58.1597785949707],[-133.913909912109,57.8127670288086],[-133.960266113281,57.6844329833984],[-134.288604736328,58.0772171020508],[-134.271118164062,57.8736038208008],[-133.874145507812,57.4891586303711],[-134.056259155273,57.4655456542969],[-133.86262512207,57.3655471801758],[-134.171249389648,57.3808937072754],[-134.076690673828,57.2690200805664],[-134.47770690918,57.0290870666504],[-134.613311767578,57.2249908447266],[-134.316452026367,57.3315238952637],[-134.570831298828,57.4873542785645],[-134.352981567383,57.5413131713867],[-134.573333740234,57.5058288574219]],"United States"], ["Country","US45",[[-134.515838623047,58.3380432128906],[-134.368286132812,58.2572212219238],[-134.26139831543,58.198673248291],[-134.608032226562,58.2377700805664],[-134.539657592773,58.3121299743652],[-134.515838623047,58.3380432128906]],"United States"], ["Country","US46",[[-136.201934814453,57.7472152709961],[-136.403747558594,57.8227348327637],[-136.337341308594,57.9888801574707],[-136.033554077148,57.8469352722168],[-136.418334960938,58.089714050293],[-136.347900390625,58.2204055786133],[-136.167236328125,58.0980453491211],[-135.779312133789,58.2751312255859],[-135.483459472656,58.1580467224121],[-135.707763671875,57.9783248901367],[-135.406539916992,58.1374931335449],[-134.935836791992,58.0319366455078],[-134.970001220703,57.8852691650391],[-135.198745727539,57.9368667602539],[-134.964721679688,57.8095779418945],[-135.123596191406,57.7744369506836],[-135.880340576172,57.992488861084],[-135.296966552734,57.7316589355469],[-134.931121826172,57.7594375610352],[-134.8544921875,57.458740234375],[-135.800872802734,57.7598915100098],[-135.545913696289,57.4657554626465],[-135.835418701172,57.387077331543],[-136.201934814453,57.7472152709961]],"United States"], ["Country","US47",[[-135.089172363281,56.593879699707],[-135.124298095703,56.8277702331543],[-135.36735534668,56.8322143554688],[-135.338256835938,57.2452011108398],[-135.667526245117,57.3457870483398],[-135.478332519531,57.363883972168],[-135.439727783203,57.5444412231445],[-134.945419311523,57.3648567199707],[-134.618881225586,56.7287406921387],[-134.654586791992,56.1661033630371],[-135.047500610352,56.5309677124023],[-134.846801757812,56.6836051940918],[-135.089172363281,56.593879699707]],"United States"], ["Country","US48",[[-133.051666259766,56.9774856567383],[-132.93376159668,56.6297836303711],[-133.347213745117,56.8376274108887],[-133.082702636719,56.5326309204102],[-133.575561523438,56.4336013793945],[-133.699310302734,56.8295783996582],[-133.881759643555,56.8980674743652],[-133.741317749023,56.8949928283691],[-134.01806640625,57.0147171020508],[-133.051666259766,56.9774856567383]],"United States"], ["Country","US49",[[-134.220275878906,56.2769393920898],[-134.231658935547,56.4191589355469],[-134.034591674805,56.3773536682129],[-134.064590454102,56.5480461120605],[-134.30403137207,56.5581855773926],[-134.404724121094,56.847770690918],[-133.990539550781,56.872631072998],[-133.975006103516,56.6355514526367],[-133.719299316406,56.7690200805664],[-133.738586425781,56.560546875],[-133.921249389648,56.6111030578613],[-133.946105957031,56.0891571044922],[-134.056655883789,56.3116569519043],[-134.126098632812,55.997631072998],[-134.220275878906,56.2769393920898]],"United States"], ["Country","US50",[[-132.801940917969,56.7863845825195],[-132.529327392578,56.5811042785645],[-132.930419921875,56.5044403076172],[-132.801940917969,56.7863845825195]],"United States"], ["Country","US51",[[-132.221710205078,56.202465057373],[-132.346237182617,56.2709655761719],[-132.349578857422,56.2992210388184],[-132.371795654297,56.4872131347656],[-132.014083862305,56.3363838195801],[-131.994995117188,56.3283309936523],[-131.995681762695,56.3258819580078],[-132.056121826172,56.1113815307617],[-132.221710205078,56.202465057373]],"United States"], ["Country","US52",[[-132.834167480469,56.2308197021484],[-132.989303588867,56.4212417602539],[-132.638473510742,56.435962677002],[-132.640289306641,56.2831916809082],[-132.834167480469,56.2308197021484]],"United States"], ["Country","US53",[[-132.394638061523,56.2214202880859],[-132.107208251953,56.1158294677734],[-132.119842529297,55.9351272583008],[-132.318878173828,55.9122085571289],[-132.696395874023,56.2192993164062],[-132.417785644531,56.350830078125],[-132.394638061523,56.2214202880859]],"United States"], ["Country","US54",[[-132.986663818359,55.373046875],[-133.126983642578,55.4910316467285],[-132.921142578125,55.624641418457],[-133.38298034668,55.640754699707],[-133.141876220703,55.8163795471191],[-133.265075683594,56.1548500061035],[-133.632751464844,56.2738800048828],[-133.180206298828,56.3272857666016],[-133.072906494141,56.0513114929199],[-132.621795654297,55.9195747375488],[-132.141799926758,55.4756851196289],[-132.5625,55.5677719116211],[-132.088287353516,55.2675971984863],[-132.235336303711,55.193115234375],[-131.985824584961,55.259578704834],[-132.213531494141,54.9937438964844],[-131.972564697266,55.029712677002],[-132.007232666016,54.6899871826172],[-132.573333740234,54.948600769043],[-132.650726318359,55.2438125610352],[-132.655136108398,55.1387405395508],[-133.212844848633,55.2778396606445],[-132.986663818359,55.373046875]],"United States"], ["Country","US55",[[-133.285552978516,56.1288757324219],[-133.363632202148,56.0073661804199],[-133.793060302734,55.9313812255859],[-133.571380615234,56.1272125244141],[-133.285552978516,56.1288757324219]],"United States"], ["Country","US56",[[-131.388916015625,55.254997253418],[-131.274703979492,55.4325637817383],[-131.347702026367,55.6431198120117],[-131.328598022461,55.4258270263672],[-131.374481201172,55.3909187316895],[-131.458755493164,55.3268013000488],[-131.493881225586,55.5055503845215],[-131.518615722656,55.2945785522461],[-131.81916809082,55.4536323547363],[-131.684860229492,55.8302726745605],[-131.25959777832,55.9602699279785],[-130.934997558594,55.6367988586426],[-130.968063354492,55.3881874084473],[-131.14208984375,55.1988792419434],[-131.281127929688,55.2263793945312],[-131.218048095703,55.4030456542969],[-131.388916015625,55.254997253418]],"United States"], ["Country","US57",[[172.928588867188,52.7438812255859],[172.478713989258,52.9222145080566],[172.647064208984,53.0016632080078],[173.133209228516,52.9946441650391],[173.436920166016,52.851936340332],[172.928588867188,52.7438812255859]],"United States"], ["Country","US58",[[173.660247802734,52.348876953125],[173.375106811523,52.4019355773926],[173.766662597656,52.5080490112305],[173.660247802734,52.348876953125]],"United States"], ["Country","UY0",[[-53.3742980957031,-33.7406692504883],[-54.1407661437988,-34.6646575927734],[-54.3129196166992,-34.5628509521484],[-54.2788925170898,-34.6907005310059],[-54.8961181640625,-34.9436111450195],[-55.6927833557129,-34.7750701904297],[-56.3179168701172,-34.9103469848633],[-57.111255645752,-34.4641723632812],[-57.8368759155273,-34.4927825927734],[-58.403751373291,-33.9264602661133],[-58.3605575561523,-33.1309776306152],[-58.2559623718262,-33.0658111572266],[-58.1505432128906,-33.000129699707],[-58.1992416381836,-32.450309753418],[-58.0975570678711,-32.2945861816406],[-58.2001419067383,-31.8947925567627],[-58.040210723877,-31.7891693115234],[-58.0788917541504,-31.4759044647217],[-57.796947479248,-30.8834743499756],[-57.8894500732422,-30.5350036621094],[-57.6080017089844,-30.1849250793457],[-57.2138938903809,-30.292085647583],[-57.0709762573242,-30.1088905334473],[-56.811393737793,-30.1052780151367],[-56.0016708374023,-30.7958335876465],[-56.0089225769043,-31.0797939300537],[-55.584171295166,-30.8462524414062],[-55.2287521362305,-31.2497253417969],[-54.5941009521484,-31.4609050750732],[-54.2858352661133,-31.8044471740723],[-53.875415802002,-31.9744472503662],[-53.553337097168,-32.4461135864258],[-53.0983009338379,-32.7234382629395],[-53.5210456848145,-33.1416130065918],[-53.5344467163086,-33.6569519042969],[-53.3742980957031,-33.7406692504883]],"Uruguay"], ["Country","UZ0",[[67.7798767089844,37.1858215332031],[66.5377349853516,37.3663787841797],[66.6513748168945,37.9965209960938],[65.5972137451172,38.2538833618164],[63.7104072570801,39.2077674865723],[62.4412078857422,40.0323333740234],[62.3526344299316,40.4245758056641],[61.8741607666016,41.1255493164062],[61.4463806152344,41.3023529052734],[61.2899932861328,41.1629028320312],[60.1402740478516,41.381103515625],[60.0713157653809,41.759162902832],[60.2741584777832,41.7910346984863],[60.0144424438477,42.2174911499023],[59.2793006896973,42.3511047363281],[58.6135330200195,42.7961730957031],[58.5565185546875,42.660961151123],[58.1529769897461,42.6424179077148],[58.506763458252,42.3025245666504],[58.0214958190918,42.5013427734375],[57.8386001586914,42.1877670288086],[57.3781890869141,42.159294128418],[56.9826316833496,41.8890228271484],[57.0570755004883,41.2679100036621],[56.0009613037109,41.3284530639648],[55.9987525939941,45.0020523071289],[58.5708236694336,45.5705947875977],[61.1491622924805,44.2110977172852],[62.0251083374023,43.4847869873047],[63.2113800048828,43.6363830566406],[64.4580383300781,43.5480499267578],[64.9313659667969,43.7377700805664],[65.5190200805664,43.3211059570312],[65.8219299316406,42.8772125244141],[66.1238708496094,42.996940612793],[66.0291595458984,42.0030517578125],[66.5263824462891,42.0030517578125],[66.7199859619141,41.1749954223633],[67.9355316162109,41.1833267211914],[68.1541595458984,41.0361099243164],[68.0480346679688,40.8102722167969],[68.4552612304688,40.597770690918],[68.6407470703125,40.6142311096191],[68.5935974121094,40.9199905395508],[69.0645599365234,41.2222137451172],[69.0596313476562,41.3767929077148],[70.9708099365234,42.2546691894531],[71.2637405395508,42.1745452880859],[70.2063064575195,41.5191230773926],[70.7110214233398,41.4702644348145],[70.8133087158203,41.2505035400391],[71.4235916137695,41.1208457946777],[71.4344177246094,41.3325881958008],[71.5984573364258,41.3157806396484],[71.6883087158203,41.5562629699707],[71.8883285522461,41.2006378173828],[72.1810913085938,41.1927146911621],[72.1954803466797,41.006591796875],[73.1675491333008,40.8291053771973],[72.6538772583008,40.5193748474121],[72.3736419677734,40.602783203125],[72.420539855957,40.3878517150879],[72.1795654296875,40.4620246887207],[71.714225769043,40.1479187011719],[71.3899841308594,40.3018798828125],[70.9820404052734,40.2448425292969],[70.6449890136719,40.2059059143066],[70.3755340576172,40.3764038085938],[70.7967987060547,40.7255935668945],[70.4176254272461,41.0477294921875],[69.7267837524414,40.6388130187988],[69.3652648925781,40.7794342041016],[69.3194351196289,40.209716796875],[68.6056747436523,40.1657524108887],[69.0087356567383,40.1036720275879],[68.7845687866211,40.0679092407227],[68.904670715332,39.8922843933105],[68.6426696777344,39.8582382202148],[68.5402679443359,39.5547103881836],[67.7297058105469,39.6291580200195],[67.4419555664062,39.4835815429688],[67.3758850097656,39.2166938781738],[67.6968612670898,39.1284637451172],[67.7173461914062,38.9951324462891],[68.1263656616211,38.9809646606445],[68.0712356567383,38.5438842773438],[68.3829727172852,38.1948509216309],[67.8383178710938,37.5058288574219],[67.7798767089844,37.1858215332031]],"Uzbekistan"], ["Country","NH0",[[167.107818603516,-15.1237030029297],[167.233367919922,-15.5253448486328],[166.763595581055,-15.6445837020874],[166.552749633789,-14.6568050384521],[166.802764892578,-15.1575012207031],[167.005325317383,-14.9257640838623],[167.107818603516,-15.1237030029297]],"Vanuatu"], ["Country","NH1",[[168.384155273438,-17.8300018310547],[168.148452758789,-17.7166652679443],[168.311096191406,-17.5313911437988],[168.574676513672,-17.6927757263184],[168.384155273438,-17.8300018310547]],"Vanuatu"], ["Country","NH2",[[169.271087646484,-19],[168.98649597168,-18.8766670227051],[169.039978027344,-18.6258316040039],[169.323303222656,-18.889720916748],[169.271087646484,-19]],"Vanuatu"], ["Country","NH3",[[169.431365966797,-19.6580543518066],[169.233856201172,-19.5275001525879],[169.248291015625,-19.3380546569824],[169.497741699219,-19.5311126708984],[169.431365966797,-19.6580543518066]],"Vanuatu"], ["Country","NH4",[[167.846923828125,-15.4908332824707],[167.669281005859,-15.4443063735962],[168.003448486328,-15.2922229766846],[167.846923828125,-15.4908332824707]],"Vanuatu"], ["Country","NH5",[[167.494964599609,-16.593334197998],[167.376068115234,-16.1905555725098],[167.146636962891,-16.0858345031738],[167.211090087891,-15.8761100769043],[167.824005126953,-16.4261112213135],[167.494964599609,-16.593334197998]],"Vanuatu"], ["Country","NH6",[[168.144134521484,-16.3622207641602],[167.912887573242,-16.233470916748],[168.16748046875,-16.0861129760742],[168.324829101562,-16.3069458007812],[168.144134521484,-16.3622207641602]],"Vanuatu"], ["Country","NH7",[[168.471343994141,-16.8488883972168],[168.170669555664,-16.8068065643311],[168.148315429688,-16.5805549621582],[168.471343994141,-16.8488883972168]],"Vanuatu"], ["Country","VT0",[[12.4516725540161,41.9079742431641],[12.456615447998,41.9015121459961],[12.4448280334473,41.9030342102051],[12.4516725540161,41.9079742431641]],"Vatican City"], ["Country","VE0",[[-64.0555572509766,10.8572216033936],[-64.3783416748047,11.0569429397583],[-64.0427856445312,10.9876375198364],[-63.8849334716797,11.1756229400635],[-63.8150024414062,10.9780540466309],[-64.0555572509766,10.8572216033936]],"Venezuela"], ["Country","VE1",[[-62.703914642334,10.1049718856812],[-63.0159759521484,10.0956935882568],[-62.8052825927734,10.0086097717285],[-62.611213684082,10.0924472808838],[-62.5775032043457,10.2251386642456],[-62.3226432800293,9.712082862854],[-62.2056999206543,9.91402626037598],[-62.1961135864258,9.6416654586792],[-62.0274353027344,9.86642265319824],[-62.1788940429688,10.0147218704224],[-61.7358360290527,9.60093688964844],[-61.8009185791016,9.81227588653564],[-61.5977096557617,9.78277683258057],[-61.6198654174805,9.90527725219727],[-60.8536148071289,9.44444370269775],[-60.7836151123047,9.30499839782715],[-61.084587097168,9.09749889373779],[-60.9504890441895,9.17513751983643],[-61.2102088928223,8.59513759613037],[-61.5988922119141,8.55499839782715],[-61.073543548584,8.40291595458984],[-60.902229309082,8.58222198486328],[-59.9902801513672,8.53527641296387],[-59.8328514099121,8.23152637481689],[-60.716667175293,7.53999948501587],[-60.6175003051758,7.19444370269775],[-60.2912521362305,7.05659675598145],[-60.6977844238281,6.76666641235352],[-61.1251068115234,6.7147741317749],[-61.1601448059082,6.18249940872192],[-61.3897247314453,5.9399995803833],[-60.7303695678711,5.20479869842529],[-60.5785446166992,4.95263814926147],[-60.9870872497559,4.51930522918701],[-61.3136138916016,4.50666618347168],[-61.8488922119141,4.16055488586426],[-62.4401397705078,4.18267297744751],[-62.7283401489258,4.03861093521118],[-62.7340316772461,3.67652773857117],[-62.8780555725098,3.56013870239258],[-63.3355560302734,3.95805549621582],[-64.0177917480469,3.88611078262329],[-64.1263885498047,4.10958290100098],[-64.5920181274414,4.12777709960938],[-64.7816696166992,4.2863883972168],[-64.1902160644531,3.58965253829956],[-64.0340347290039,2.47131896018982],[-63.365421295166,2.41999959945679],[-63.3994483947754,2.14951348304749],[-64.0023651123047,1.9498610496521],[-64.1132049560547,1.5829164981842],[-65.103889465332,1.14208316802979],[-65.5216674804688,0.649166643619537],[-65.5954284667969,0.990416586399078],[-66.3147277832031,0.751388847827911],[-66.8704528808594,1.22093200683594],[-67.1925048828125,2.39249992370605],[-67.8330688476562,2.87666654586792],[-67.292854309082,3.39604139328003],[-67.6351470947266,3.79763865470886],[-67.858757019043,4.56124973297119],[-67.8486328125,5.3065185546875],[-67.4139785766602,5.99553775787354],[-67.4544525146484,6.19305515289307],[-67.831184387207,6.30756902694702],[-68.6384048461914,6.13548517227173],[-69.056396484375,6.21611022949219],[-69.2417449951172,6.08409643173218],[-69.4294586181641,6.11861038208008],[-70.1191711425781,6.97583293914795],[-70.7197265625,7.09805488586426],[-71.1812591552734,6.96347188949585],[-71.9923629760742,7.01624965667725],[-72.1547241210938,7.32527732849121],[-72.4724426269531,7.49798536300659],[-72.336669921875,8.15194320678711],[-72.7797241210938,9.08027648925781],[-73.0100021362305,9.30201244354248],[-73.3780670166016,9.17138862609863],[-72.4912567138672,11.1227769851685],[-72.2093505859375,11.25],[-71.9684829711914,11.6662492752075],[-71.3247222900391,11.8530540466309],[-71.9691696166992,11.5462484359741],[-71.5779266357422,10.7161102294922],[-72.1253509521484,9.81819343566895],[-71.623893737793,9.04305458068848],[-71.0559768676758,9.33874988555908],[-71.0734024047852,9.85111045837402],[-71.5457077026367,10.5683317184448],[-71.4928588867188,10.9610404968262],[-70.0477905273438,11.5177764892578],[-69.8013916015625,11.4272212982178],[-69.816535949707,11.6909713745117],[-70.2359771728516,11.628888130188],[-70.2866668701172,11.9202766418457],[-70.0143127441406,12.1974983215332],[-69.6318130493164,11.4676380157471],[-68.8436813354492,11.4470825195312],[-68.4183349609375,11.1799983978271],[-68.1142425537109,10.4849290847778],[-66.2298736572266,10.6405544281006],[-65.814453125,10.2283325195312],[-65.0813903808594,10.0605554580688],[-64.2025146484375,10.4499988555908],[-63.7155609130859,10.4719429016113],[-64.2356948852539,10.5143737792969],[-64.2645874023438,10.6577768325806],[-61.8795890808105,10.7283315658569],[-62.331111907959,10.5316648483276],[-62.912296295166,10.5287494659424],[-63.0042381286621,10.4529848098755],[-62.8725051879883,10.5244436264038],[-62.8377113342285,10.3972911834717],[-62.9984092712402,10.2715969085693],[-62.7900886535645,10.4013338088989],[-62.6547698974609,10.1516876220703],[-62.6306304931641,10.1071510314941],[-62.703914642334,10.1049718856812]],"Venezuela"], ["Country","VM0",[[104.445327758789,10.4227390289307],[104.877883911133,10.5304155349731],[105.094146728516,10.713191986084],[105.100799560547,10.9543027877808],[105.781356811523,11.0209703445435],[106.203308105469,10.7705535888672],[106.189399719238,11.0536785125732],[105.871139526367,11.2967348098755],[105.853149414062,11.6619424819946],[106.04337310791,11.7762489318848],[106.458213806152,11.6658630371094],[106.419548034668,11.9726362228394],[107.549911499023,12.359302520752],[107.483322143555,13.0205535888672],[107.629249572754,13.5380382537842],[107.344085693359,14.128399848938],[107.546600341797,14.7086181640625],[107.468040466309,15.023193359375],[107.695251464844,15.2708320617676],[107.176300048828,15.7903451919556],[107.460815429688,16.0804824829102],[106.987197875977,16.2997207641602],[106.875114440918,16.5368728637695],[106.684700012207,16.459300994873],[106.561096191406,16.996940612793],[105.754295349121,17.67041015625],[105.504440307617,18.168327331543],[105.183319091797,18.3344421386719],[105.193168640137,18.6367321014404],[103.877685546875,19.3095111846924],[104.103866577148,19.4786071777344],[104.03882598877,19.693733215332],[104.644226074219,19.616662979126],[104.977828979492,20.0039558410645],[104.93928527832,20.1834678649902],[104.381507873535,20.4545783996582],[104.641891479492,20.6523571014404],[104.103942871094,20.9758987426758],[103.687057495117,20.6595783233643],[103.177131652832,20.8438854217529],[102.888595581055,21.25221824646],[102.970542907715,21.7451324462891],[102.675193786621,21.6585369110107],[102.604423522949,21.9284687042236],[102.140747070312,22.3962860107422],[102.474433898926,22.7718715667725],[103.030403137207,22.4365215301514],[103.333671569824,22.7945117950439],[103.522422790527,22.5843620300293],[103.65380859375,22.7828693389893],[103.96866607666,22.5038719177246],[104.111297607422,22.7981224060059],[104.374702453613,22.6874961853027],[104.731925964355,22.8180522918701],[104.907493591309,23.1802749633789],[105.358726501465,23.3241634368896],[105.877067565918,22.9125289916992],[106.702896118164,22.8669414520264],[106.787490844727,22.7638854980469],[106.551712036133,22.4568214416504],[106.693313598633,22.0308303833008],[107.362731933594,21.6052627563477],[107.783050537109,21.6669387817383],[107.990020751953,21.5424118041992],[107.416511535645,21.3259677886963],[107.370674133301,21.025691986084],[107.154426574707,20.9249954223633],[107.146507263184,21.0361423492432],[106.86262512207,20.8711776733398],[106.64665222168,21.0216636657715],[106.776931762695,20.699161529541],[106.597213745117,20.6325912475586],[106.527626037598,20.2401332855225],[105.95679473877,19.9230499267578],[105.613876342773,18.9772186279297],[105.883613586426,18.4991607666016],[106.509918212891,17.956111907959],[106.424987792969,17.7416610717773],[106.698867797852,17.3997192382812],[107.811508178711,16.3120098114014],[108.188583374023,16.199161529541],[108.201164245605,15.9994411468506],[108.330825805664,16.1504135131836],[108.305816650391,15.9483318328857],[108.624977111816,15.4822196960449],[108.829162597656,15.4219427108765],[109.304428100586,13.8644428253174],[109.228866577148,13.4086093902588],[109.46484375,12.9005537033081],[109.197334289551,12.6315259933472],[109.336380004883,12.3726358413696],[109.146995544434,12.4320821762085],[109.269989013672,11.8924980163574],[109.183113098145,12.1169414520264],[109.221099853516,11.7561092376709],[109.021682739258,11.3622541427612],[108.113159179688,10.9159708023071],[107.999694824219,10.70423412323],[107.266189575195,10.3761291503906],[106.998580932617,10.6550617218018],[106.967147827148,10.4746189117432],[106.763031005859,10.6805515289307],[106.591552734375,10.4296913146973],[106.732467651367,10.4704828262329],[106.784240722656,10.2797899246216],[106.42431640625,10.3113842010498],[106.778030395508,10.0823593139648],[106.603858947754,9.97409439086914],[106.296630859375,10.2549982070923],[106.674407958984,9.84222030639648],[106.114807128906,10.2340679168701],[106.570671081543,9.74138641357422],[106.543029785156,9.58360862731934],[106.398452758789,9.5323600769043],[105.823715209961,10.0042238235474],[106.194541931152,9.36846923828125],[105.533874511719,9.1294412612915],[105.121299743652,8.62506580352783],[104.742752075195,8.6049976348877],[104.922546386719,8.74520587921143],[104.798934936523,8.79222011566162],[104.834716796875,9.53374481201172],[105.107467651367,9.94527626037598],[104.801490783691,10.2074279785156],[104.610237121582,10.168888092041],[104.445327758789,10.4227390289307]],"Vietnam"], ["Country","VM1",[[104.012390136719,10.439432144165],[104.026382446289,10.0802755355835],[103.83837890625,10.3677053451538],[104.012390136719,10.439432144165]],"Vietnam"], ["Country","VQ0",[[-64.7868194580078,17.7914752960205],[-64.5627365112305,17.7508373260498],[-64.895378112793,17.6765289306641],[-64.7868194580078,17.7914752960205]],"Virgin Is."], ["Country","WQ0",[[166.60905456543,19.3070430755615],[166.627700805664,19.3245468139648],[166.662353515625,19.2976627349854],[166.642913818359,19.2793579101562],[166.60905456543,19.3070430755615]],"Wake I."], ["Country","WF0",[[-178.181488037109,-14.2330150604248],[-178.126647949219,-14.2489070892334],[-178.061019897461,-14.3237495422363],[-178.137664794922,-14.3170852661133],[-178.181488037109,-14.2330150604248]],"Wallis & Futuna"], ["Country","WE0",[[35.5525665283203,32.3941955566406],[35.4781951904297,31.4973220825195],[34.8881874084473,31.4124984741211],[35.209716796875,31.75],[34.9655570983887,31.8305511474609],[35.0817985534668,32.4714508056641],[35.5525665283203,32.3941955566406]],"West Bank"], ["Country","WE1",[[35.2479209899902,31.8084392547607],[35.2528076171875,31.7872676849365],[35.2631225585938,31.7964973449707],[35.2479209899902,31.8084392547607]],"West Bank"], ["Country","WI0",[[-8.66679000854492,27.2904586791992],[-8.66694450378418,26.0002746582031],[-12.0005569458008,26],[-12.0002784729004,23.4544410705566],[-12.5713901519775,23.2913856506348],[-13.1052780151367,22.8930549621582],[-12.9997234344482,21.3380546569824],[-16.9537506103516,21.3366661071777],[-17.0523300170898,20.7640953063965],[-16.9162521362305,21.9454154968262],[-16.3627090454102,22.564582824707],[-15.764723777771,23.7865257263184],[-15.7794466018677,23.9094390869141],[-15.9939765930176,23.6485042572021],[-15.9330558776855,23.7880554199219],[-14.9009027481079,24.6896495819092],[-14.4833335876465,26.163330078125],[-13.5741672515869,26.7316665649414],[-13.1749610900879,27.6669578552246],[-8.66666793823242,27.6666641235352],[-8.66679000854492,27.2904586791992]],"Western Sahara"], ["Country","YM0",[[54.220832824707,12.6505546569824],[54.4734687805176,12.5487489700317],[54.1240234375,12.3481931686401],[53.6361083984375,12.3288879394531],[53.3308296203613,12.545970916748],[53.4997177124023,12.7172212600708],[54.220832824707,12.6505546569824]],"Yemen"], ["Country","YM1",[[42.789680480957,16.3775024414062],[43.2061080932617,16.6722221374512],[43.12353515625,16.9251365661621],[43.3138847351074,17.4597206115723],[43.5136070251465,17.5219440460205],[43.9391632080078,17.3064556121826],[44.4609680175781,17.4130535125732],[46.3333282470703,16.6666641235352],[46.3330535888672,15.616943359375],[48.7663879394531,18.2663879394531],[51.9992904663086,18.9993438720703],[53.1144409179688,16.6427783966064],[52.2943000793457,16.2665252685547],[52.1891632080078,15.6052761077881],[49.0943031311035,14.5168046951294],[48.6980514526367,14.0399990081787],[47.9901351928711,14.047082901001],[47.3944396972656,13.646388053894],[46.6915245056152,13.4280548095703],[45.6590232849121,13.339165687561],[44.9022178649902,12.7315263748169],[44.5904121398926,12.817081451416],[43.9498558044434,12.5946521759033],[43.4619407653809,12.6873598098755],[43.2497177124023,13.2056941986084],[43.2794418334961,13.7202768325806],[43.0866622924805,13.9933319091797],[42.9358291625977,14.9577770233154],[42.6811065673828,15.2083320617676],[42.8103408813477,15.2620124816895],[42.6938858032227,15.7002773284912],[42.8345794677734,15.8833322525024],[42.789680480957,16.3775024414062]],"Yemen"], ["Country","ZA0",[[23.4761085510254,-17.6258354187012],[22.1883316040039,-16.5411148071289],[22.0001487731934,-16.1716613769531],[22.0015258789062,-13.004584312439],[24.0194416046143,-12.9994449615479],[23.8870105743408,-12.7636117935181],[24.0506916046143,-12.3924312591553],[23.9862060546875,-10.8704614639282],[24.398609161377,-11.1118068695068],[24.4491634368896,-11.4626398086548],[25.3444423675537,-11.2052783966064],[25.3636093139648,-11.6429862976074],[26.0047187805176,-11.9025001525879],[26.8739566802979,-11.971736907959],[27.0331230163574,-11.59694480896],[27.2089767456055,-11.5764904022217],[27.6554145812988,-12.2902784347534],[28.4462490081787,-12.5258350372314],[29.0187473297119,-13.398473739624],[29.5947208404541,-13.2234725952148],[29.6340255737305,-13.4155559539795],[29.801664352417,-13.4497232437134],[29.8050498962402,-12.1552467346191],[29.473539352417,-12.2490978240967],[29.4816646575928,-12.4594459533691],[29.0270805358887,-12.3769454956055],[28.3654136657715,-11.5555562973022],[28.6987457275391,-10.6518754959106],[28.5949974060059,-10.2461128234863],[28.6955547332764,-9.79576396942139],[28.3771495819092,-9.25041675567627],[28.8683319091797,-8.82694625854492],[28.9016647338867,-8.47861289978027],[30.771240234375,-8.19224739074707],[31.0326385498047,-8.58500099182129],[31.4147186279297,-8.63361167907715],[31.9816646575928,-9.0706262588501],[32.9403991699219,-9.40507698059082],[33.000129699707,-9.62184810638428],[33.2291641235352,-9.6341667175293],[33.3259696960449,-10.0640287399292],[33.702278137207,-10.5618572235107],[33.2504119873047,-10.8920841217041],[33.4104118347168,-11.1631946563721],[33.2495079040527,-11.4110422134399],[33.2713851928711,-12.1299314498901],[33.5418014526367,-12.3641681671143],[33.04638671875,-12.603889465332],[32.9774932861328,-13.2291679382324],[32.6818695068359,-13.6128482818604],[33.2222290039062,-14.012565612793],[30.2130165100098,-14.9817161560059],[30.4157562255859,-15.631872177124],[29.5784702301025,-15.6609039306641],[28.9277057647705,-15.9723615646362],[28.7526359558105,-16.5559043884277],[27.8252754211426,-16.9591674804688],[27.0293979644775,-17.9612655639648],[26.6985778808594,-18.0749225616455],[25.2644309997559,-17.8022499084473],[24.6638870239258,-17.4936141967773],[23.4761085510254,-17.6258354187012]],"Zambia"], ["Country","ZI0",[[25.2644309997559,-17.8022499084473],[26.6985778808594,-18.0749225616455],[27.0293979644775,-17.9612655639648],[27.8252754211426,-16.9591674804688],[28.7526359558105,-16.5559043884277],[28.9277057647705,-15.9723615646362],[29.5784702301025,-15.6609039306641],[30.4157562255859,-15.631872177124],[30.4223594665527,-16.0055561065674],[31.2766647338867,-16.018611907959],[31.9111785888672,-16.4127101898193],[32.9811401367188,-16.7090530395508],[32.8649978637695,-16.9186134338379],[33.0420303344727,-17.3564834594727],[32.9461059570312,-17.9750022888184],[33.0715942382812,-18.349723815918],[32.6994400024414,-18.9479179382324],[32.8848571777344,-19.1052799224854],[32.7854118347168,-19.4670848846436],[33.059440612793,-19.7802810668945],[33.0188827514648,-19.9433364868164],[32.6658325195312,-20.5572242736816],[32.5022201538086,-20.5986137390137],[32.3605537414551,-21.1355571746826],[32.4888763427734,-21.3444480895996],[31.2975044250488,-22.4147644042969],[29.3736228942871,-22.1924095153809],[29.0758304595947,-22.0394477844238],[29.0725173950195,-21.8094120025635],[28.0158309936523,-21.5661125183105],[27.6867332458496,-21.0711822509766],[27.7155799865723,-20.5102195739746],[27.2874526977539,-20.4949645996094],[27.2136096954346,-20.0873622894287],[26.1693725585938,-19.5298614501953],[25.2644309997559,-17.8022499084473]],"Zimbabwe"], ];
CloCkWeRX/rabbitvcs
refs/heads/master
rabbitvcs/vcs/git/gittyup/tests/stage.py
3
# # test/stage.py # import os from shutil import rmtree from sys import argv from optparse import OptionParser from gittyup.client import GittyupClient from gittyup.objects import * from util import touch, change parser = OptionParser() parser.add_option("-c", "--cleanup", action="store_true", default=False) (options, args) = parser.parse_args(argv) DIR = "stage" if options.cleanup: rmtree(DIR, ignore_errors=True) print "stage.py clean" else: if os.path.isdir(DIR): raise SystemExit("This test script has already been run. Please call this script with --cleanup to start again") os.mkdir(DIR) g = GittyupClient() g.initialize_repository(DIR) touch(DIR + "/test1.txt") touch(DIR + "/test2.txt") # Stage both files g.stage([DIR+"/test1.txt", DIR+"/test2.txt"]) st = g.status() assert (st[0] == AddedStatus) assert (st[1] == AddedStatus) assert (st[0].is_staged) # Unstage both files g.unstage([DIR+"/test1.txt", DIR+"/test2.txt"]) st = g.status() assert (st[0] == UntrackedStatus) assert (st[1] == UntrackedStatus) assert (not st[0].is_staged) # Untracked files should not be staged g.stage_all() st = g.status() assert (st[0] == UntrackedStatus) assert (st[1] == UntrackedStatus) # test1.txt is changed, so it should get staged and set as Modified g.stage([DIR+"/test1.txt"]) g.commit("Test commit") change(DIR+"/test1.txt") st = g.status() assert (st[0] == ModifiedStatus) g.stage_all() st = g.status() assert (st[0] == ModifiedStatus) assert (g.is_staged(DIR+"/" + st[0].path)) assert (not g.is_staged(DIR+"/" + st[1].path)) # Unstage all staged files g.unstage_all() st = g.status() assert (not g.is_staged(DIR+"/" + st[0].path)) assert (not g.is_staged(DIR+"/" + st[1].path)) assert (st[0] == ModifiedStatus) assert (st[1] == UntrackedStatus) print "stage.py pass"
Eficent/purchase-workflow
refs/heads/10.0
procurement_batch_generator/__manifest__.py
2
# -*- encoding: utf-8 -*- ############################################################################## # # Procurement Batch Generator module for Odoo # Copyright (C) 2014-2015 Akretion (http://www.akretion.com) # @author Alexis de Lattre <alexis.delattre@akretion.com> # # This program is free software: you can redistribute it and/or modify # it under the terms of the GNU Affero 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 Affero General Public License for more details. # # You should have received a copy of the GNU Affero General Public License # along with this program. If not, see <http://www.gnu.org/licenses/>. # ############################################################################## { 'name': 'Procurement Batch Generator', 'version': '8.0.0.1.0', 'category': 'Warehouse Management', 'license': 'AGPL-3', 'summary': 'Wizard to create procurements from product variants', 'author': 'Akretion', 'website': 'http://www.akretion.com', 'depends': ['stock'], 'data': ['wizard/procurement_batch_generator_view.xml'], 'test': ['test/procurement_batch_generator.yml'], 'installable': False, }
WillGuan105/django
refs/heads/master
tests/test_client/tests.py
71
# -*- coding: utf-8 -*- """ Testing using the Test Client The test client is a class that can act like a simple browser for testing purposes. It allows the user to compose GET and POST requests, and obtain the response that the server gave to those requests. The server Response objects are annotated with the details of the contexts and templates that were rendered during the process of serving the request. ``Client`` objects are stateful - they will retain cookie (and thus session) details for the lifetime of the ``Client`` instance. This is not intended as a replacement for Twill, Selenium, or other browser automation frameworks - it is here to allow testing against the contexts and templates produced by a view, rather than the HTML rendered to the end-user. """ from __future__ import unicode_literals import datetime from django.contrib.auth.models import User from django.core import mail from django.core.urlresolvers import reverse_lazy from django.http import HttpResponse from django.test import ( Client, RequestFactory, SimpleTestCase, TestCase, override_settings, ) from .views import get_view, post_view, trace_view @override_settings(PASSWORD_HASHERS=['django.contrib.auth.hashers.SHA1PasswordHasher'], ROOT_URLCONF='test_client.urls',) class ClientTest(TestCase): @classmethod def setUpTestData(cls): cls.u1 = User.objects.create( password='sha1$6efc0$f93efe9fd7542f25a7be94871ea45aa95de57161', last_login=datetime.datetime(2006, 12, 17, 7, 3, 31), is_superuser=False, username='testclient', first_name='Test', last_name='Client', email='testclient@example.com', is_staff=False, is_active=True, date_joined=datetime.datetime(2006, 12, 17, 7, 3, 31) ) cls.u2 = User.objects.create( password='sha1$6efc0$f93efe9fd7542f25a7be94871ea45aa95de57161', last_login=datetime.datetime(2006, 12, 17, 7, 3, 31), is_superuser=False, username='inactive', first_name='Inactive', last_name='User', email='testclient@example.com', is_staff=False, is_active=False, date_joined=datetime.datetime(2006, 12, 17, 7, 3, 31) ) cls.u3 = User.objects.create( password='sha1$6efc0$f93efe9fd7542f25a7be94871ea45aa95de57161', last_login=datetime.datetime(2006, 12, 17, 7, 3, 31), is_superuser=False, username='staff', first_name='Staff', last_name='Member', email='testclient@example.com', is_staff=True, is_active=True, date_joined=datetime.datetime(2006, 12, 17, 7, 3, 31) ) def test_get_view(self): "GET a view" # The data is ignored, but let's check it doesn't crash the system # anyway. data = {'var': '\xf2'} response = self.client.get('/get_view/', data) # Check some response details self.assertContains(response, 'This is a test') self.assertEqual(response.context['var'], '\xf2') self.assertEqual(response.templates[0].name, 'GET Template') def test_get_post_view(self): "GET a view that normally expects POSTs" response = self.client.get('/post_view/', {}) # Check some response details self.assertEqual(response.status_code, 200) self.assertEqual(response.templates[0].name, 'Empty GET Template') self.assertTemplateUsed(response, 'Empty GET Template') self.assertTemplateNotUsed(response, 'Empty POST Template') def test_empty_post(self): "POST an empty dictionary to a view" response = self.client.post('/post_view/', {}) # Check some response details self.assertEqual(response.status_code, 200) self.assertEqual(response.templates[0].name, 'Empty POST Template') self.assertTemplateNotUsed(response, 'Empty GET Template') self.assertTemplateUsed(response, 'Empty POST Template') def test_post(self): "POST some data to a view" post_data = { 'value': 37 } response = self.client.post('/post_view/', post_data) # Check some response details self.assertEqual(response.status_code, 200) self.assertEqual(response.context['data'], '37') self.assertEqual(response.templates[0].name, 'POST Template') self.assertContains(response, 'Data received') def test_trace(self): """TRACE a view""" response = self.client.trace('/trace_view/') self.assertEqual(response.status_code, 200) self.assertEqual(response.context['method'], 'TRACE') self.assertEqual(response.templates[0].name, 'TRACE Template') def test_response_headers(self): "Check the value of HTTP headers returned in a response" response = self.client.get("/header_view/") self.assertEqual(response['X-DJANGO-TEST'], 'Slartibartfast') def test_response_attached_request(self): """ Check that the returned response has a ``request`` attribute with the originating environ dict and a ``wsgi_request`` with the originating ``WSGIRequest`` instance. """ response = self.client.get("/header_view/") self.assertTrue(hasattr(response, 'request')) self.assertTrue(hasattr(response, 'wsgi_request')) for key, value in response.request.items(): self.assertIn(key, response.wsgi_request.environ) self.assertEqual(response.wsgi_request.environ[key], value) def test_response_resolver_match(self): """ The response contains a ResolverMatch instance. """ response = self.client.get('/header_view/') self.assertTrue(hasattr(response, 'resolver_match')) def test_response_resolver_match_redirect_follow(self): """ The response ResolverMatch instance contains the correct information when following redirects. """ response = self.client.get('/redirect_view/', follow=True) self.assertEqual(response.resolver_match.url_name, 'get_view') def test_response_resolver_match_regular_view(self): """ The response ResolverMatch instance contains the correct information when accessing a regular view. """ response = self.client.get('/get_view/') self.assertEqual(response.resolver_match.url_name, 'get_view') def test_raw_post(self): "POST raw data (with a content type) to a view" test_doc = """<?xml version="1.0" encoding="utf-8"?> <library><book><title>Blink</title><author>Malcolm Gladwell</author></book></library> """ response = self.client.post("/raw_post_view/", test_doc, content_type="text/xml") self.assertEqual(response.status_code, 200) self.assertEqual(response.templates[0].name, "Book template") self.assertEqual(response.content, b"Blink - Malcolm Gladwell") def test_insecure(self): "GET a URL through http" response = self.client.get('/secure_view/', secure=False) self.assertFalse(response.test_was_secure_request) self.assertEqual(response.test_server_port, '80') def test_secure(self): "GET a URL through https" response = self.client.get('/secure_view/', secure=True) self.assertTrue(response.test_was_secure_request) self.assertEqual(response.test_server_port, '443') def test_redirect(self): "GET a URL that redirects elsewhere" response = self.client.get('/redirect_view/') # Check that the response was a 302 (redirect) self.assertRedirects(response, '/get_view/') def test_redirect_with_query(self): "GET a URL that redirects with given GET parameters" response = self.client.get('/redirect_view/', {'var': 'value'}) # Check if parameters are intact self.assertRedirects(response, '/get_view/?var=value') def test_permanent_redirect(self): "GET a URL that redirects permanently elsewhere" response = self.client.get('/permanent_redirect_view/') # Check that the response was a 301 (permanent redirect) self.assertRedirects(response, '/get_view/', status_code=301) def test_temporary_redirect(self): "GET a URL that does a non-permanent redirect" response = self.client.get('/temporary_redirect_view/') # Check that the response was a 302 (non-permanent redirect) self.assertRedirects(response, '/get_view/', status_code=302) def test_redirect_to_strange_location(self): "GET a URL that redirects to a non-200 page" response = self.client.get('/double_redirect_view/') # Check that the response was a 302, and that # the attempt to get the redirection location returned 301 when retrieved self.assertRedirects(response, '/permanent_redirect_view/', target_status_code=301) def test_follow_redirect(self): "A URL that redirects can be followed to termination." response = self.client.get('/double_redirect_view/', follow=True) self.assertRedirects(response, '/get_view/', status_code=302, target_status_code=200) self.assertEqual(len(response.redirect_chain), 2) def test_redirect_http(self): "GET a URL that redirects to an http URI" response = self.client.get('/http_redirect_view/', follow=True) self.assertFalse(response.test_was_secure_request) def test_redirect_https(self): "GET a URL that redirects to an https URI" response = self.client.get('/https_redirect_view/', follow=True) self.assertTrue(response.test_was_secure_request) def test_notfound_response(self): "GET a URL that responds as '404:Not Found'" response = self.client.get('/bad_view/') # Check that the response was a 404, and that the content contains MAGIC self.assertContains(response, 'MAGIC', status_code=404) def test_valid_form(self): "POST valid data to a form" post_data = { 'text': 'Hello World', 'email': 'foo@example.com', 'value': 37, 'single': 'b', 'multi': ('b', 'c', 'e') } response = self.client.post('/form_view/', post_data) self.assertEqual(response.status_code, 200) self.assertTemplateUsed(response, "Valid POST Template") def test_valid_form_with_hints(self): "GET a form, providing hints in the GET data" hints = { 'text': 'Hello World', 'multi': ('b', 'c', 'e') } response = self.client.get('/form_view/', data=hints) self.assertEqual(response.status_code, 200) self.assertTemplateUsed(response, "Form GET Template") # Check that the multi-value data has been rolled out ok self.assertContains(response, 'Select a valid choice.', 0) def test_incomplete_data_form(self): "POST incomplete data to a form" post_data = { 'text': 'Hello World', 'value': 37 } response = self.client.post('/form_view/', post_data) self.assertContains(response, 'This field is required.', 3) self.assertEqual(response.status_code, 200) self.assertTemplateUsed(response, "Invalid POST Template") self.assertFormError(response, 'form', 'email', 'This field is required.') self.assertFormError(response, 'form', 'single', 'This field is required.') self.assertFormError(response, 'form', 'multi', 'This field is required.') def test_form_error(self): "POST erroneous data to a form" post_data = { 'text': 'Hello World', 'email': 'not an email address', 'value': 37, 'single': 'b', 'multi': ('b', 'c', 'e') } response = self.client.post('/form_view/', post_data) self.assertEqual(response.status_code, 200) self.assertTemplateUsed(response, "Invalid POST Template") self.assertFormError(response, 'form', 'email', 'Enter a valid email address.') def test_valid_form_with_template(self): "POST valid data to a form using multiple templates" post_data = { 'text': 'Hello World', 'email': 'foo@example.com', 'value': 37, 'single': 'b', 'multi': ('b', 'c', 'e') } response = self.client.post('/form_view_with_template/', post_data) self.assertContains(response, 'POST data OK') self.assertTemplateUsed(response, "form_view.html") self.assertTemplateUsed(response, 'base.html') self.assertTemplateNotUsed(response, "Valid POST Template") def test_incomplete_data_form_with_template(self): "POST incomplete data to a form using multiple templates" post_data = { 'text': 'Hello World', 'value': 37 } response = self.client.post('/form_view_with_template/', post_data) self.assertContains(response, 'POST data has errors') self.assertTemplateUsed(response, 'form_view.html') self.assertTemplateUsed(response, 'base.html') self.assertTemplateNotUsed(response, "Invalid POST Template") self.assertFormError(response, 'form', 'email', 'This field is required.') self.assertFormError(response, 'form', 'single', 'This field is required.') self.assertFormError(response, 'form', 'multi', 'This field is required.') def test_form_error_with_template(self): "POST erroneous data to a form using multiple templates" post_data = { 'text': 'Hello World', 'email': 'not an email address', 'value': 37, 'single': 'b', 'multi': ('b', 'c', 'e') } response = self.client.post('/form_view_with_template/', post_data) self.assertContains(response, 'POST data has errors') self.assertTemplateUsed(response, "form_view.html") self.assertTemplateUsed(response, 'base.html') self.assertTemplateNotUsed(response, "Invalid POST Template") self.assertFormError(response, 'form', 'email', 'Enter a valid email address.') def test_unknown_page(self): "GET an invalid URL" response = self.client.get('/unknown_view/') # Check that the response was a 404 self.assertEqual(response.status_code, 404) def test_url_parameters(self): "Make sure that URL ;-parameters are not stripped." response = self.client.get('/unknown_view/;some-parameter') # Check that the path in the response includes it (ignore that it's a 404) self.assertEqual(response.request['PATH_INFO'], '/unknown_view/;some-parameter') def test_view_with_login(self): "Request a page that is protected with @login_required" # Get the page without logging in. Should result in 302. response = self.client.get('/login_protected_view/') self.assertRedirects(response, '/accounts/login/?next=/login_protected_view/') # Log in login = self.client.login(username='testclient', password='password') self.assertTrue(login, 'Could not log in') # Request a page that requires a login response = self.client.get('/login_protected_view/') self.assertEqual(response.status_code, 200) self.assertEqual(response.context['user'].username, 'testclient') def test_view_with_force_login(self): "Request a page that is protected with @login_required" # Get the page without logging in. Should result in 302. response = self.client.get('/login_protected_view/') self.assertRedirects(response, '/accounts/login/?next=/login_protected_view/') # Log in self.client.force_login(self.u1) # Request a page that requires a login response = self.client.get('/login_protected_view/') self.assertEqual(response.status_code, 200) self.assertEqual(response.context['user'].username, 'testclient') def test_view_with_method_login(self): "Request a page that is protected with a @login_required method" # Get the page without logging in. Should result in 302. response = self.client.get('/login_protected_method_view/') self.assertRedirects(response, '/accounts/login/?next=/login_protected_method_view/') # Log in login = self.client.login(username='testclient', password='password') self.assertTrue(login, 'Could not log in') # Request a page that requires a login response = self.client.get('/login_protected_method_view/') self.assertEqual(response.status_code, 200) self.assertEqual(response.context['user'].username, 'testclient') def test_view_with_method_force_login(self): "Request a page that is protected with a @login_required method" # Get the page without logging in. Should result in 302. response = self.client.get('/login_protected_method_view/') self.assertRedirects(response, '/accounts/login/?next=/login_protected_method_view/') # Log in self.client.force_login(self.u1) # Request a page that requires a login response = self.client.get('/login_protected_method_view/') self.assertEqual(response.status_code, 200) self.assertEqual(response.context['user'].username, 'testclient') def test_view_with_login_and_custom_redirect(self): "Request a page that is protected with @login_required(redirect_field_name='redirect_to')" # Get the page without logging in. Should result in 302. response = self.client.get('/login_protected_view_custom_redirect/') self.assertRedirects(response, '/accounts/login/?redirect_to=/login_protected_view_custom_redirect/') # Log in login = self.client.login(username='testclient', password='password') self.assertTrue(login, 'Could not log in') # Request a page that requires a login response = self.client.get('/login_protected_view_custom_redirect/') self.assertEqual(response.status_code, 200) self.assertEqual(response.context['user'].username, 'testclient') def test_view_with_force_login_and_custom_redirect(self): """ Request a page that is protected with @login_required(redirect_field_name='redirect_to') """ # Get the page without logging in. Should result in 302. response = self.client.get('/login_protected_view_custom_redirect/') self.assertRedirects(response, '/accounts/login/?redirect_to=/login_protected_view_custom_redirect/') # Log in self.client.force_login(self.u1) # Request a page that requires a login response = self.client.get('/login_protected_view_custom_redirect/') self.assertEqual(response.status_code, 200) self.assertEqual(response.context['user'].username, 'testclient') def test_view_with_bad_login(self): "Request a page that is protected with @login, but use bad credentials" login = self.client.login(username='otheruser', password='nopassword') self.assertFalse(login) def test_view_with_inactive_login(self): "Request a page that is protected with @login, but use an inactive login" login = self.client.login(username='inactive', password='password') self.assertFalse(login) def test_view_with_inactive_force_login(self): "Request a page that is protected with @login, but use an inactive login" # Get the page without logging in. Should result in 302. response = self.client.get('/login_protected_view/') self.assertRedirects(response, '/accounts/login/?next=/login_protected_view/') # Log in self.client.force_login(self.u2) # Request a page that requires a login response = self.client.get('/login_protected_view/') self.assertEqual(response.status_code, 200) self.assertEqual(response.context['user'].username, 'inactive') def test_logout(self): "Request a logout after logging in" # Log in self.client.login(username='testclient', password='password') # Request a page that requires a login response = self.client.get('/login_protected_view/') self.assertEqual(response.status_code, 200) self.assertEqual(response.context['user'].username, 'testclient') # Log out self.client.logout() # Request a page that requires a login response = self.client.get('/login_protected_view/') self.assertRedirects(response, '/accounts/login/?next=/login_protected_view/') def test_logout_with_force_login(self): "Request a logout after logging in" # Log in self.client.force_login(self.u1) # Request a page that requires a login response = self.client.get('/login_protected_view/') self.assertEqual(response.status_code, 200) self.assertEqual(response.context['user'].username, 'testclient') # Log out self.client.logout() # Request a page that requires a login response = self.client.get('/login_protected_view/') self.assertRedirects(response, '/accounts/login/?next=/login_protected_view/') @override_settings( AUTHENTICATION_BACKENDS=[ 'django.contrib.auth.backends.ModelBackend', 'test_client.auth_backends.TestClientBackend', ], ) def test_force_login_with_backend(self): """ Request a page that is protected with @login_required when using force_login() and passing a backend. """ # Get the page without logging in. Should result in 302. response = self.client.get('/login_protected_view/') self.assertRedirects(response, '/accounts/login/?next=/login_protected_view/') # Log in self.client.force_login(self.u1, backend='test_client.auth_backends.TestClientBackend') self.assertEqual(self.u1.backend, 'test_client.auth_backends.TestClientBackend') # Request a page that requires a login response = self.client.get('/login_protected_view/') self.assertEqual(response.status_code, 200) self.assertEqual(response.context['user'].username, 'testclient') @override_settings(SESSION_ENGINE="django.contrib.sessions.backends.signed_cookies") def test_logout_cookie_sessions(self): self.test_logout() def test_view_with_permissions(self): "Request a page that is protected with @permission_required" # Get the page without logging in. Should result in 302. response = self.client.get('/permission_protected_view/') self.assertRedirects(response, '/accounts/login/?next=/permission_protected_view/') # Log in login = self.client.login(username='testclient', password='password') self.assertTrue(login, 'Could not log in') # Log in with wrong permissions. Should result in 302. response = self.client.get('/permission_protected_view/') self.assertRedirects(response, '/accounts/login/?next=/permission_protected_view/') # TODO: Log in with right permissions and request the page again def test_view_with_permissions_exception(self): "Request a page that is protected with @permission_required but raises an exception" # Get the page without logging in. Should result in 403. response = self.client.get('/permission_protected_view_exception/') self.assertEqual(response.status_code, 403) # Log in login = self.client.login(username='testclient', password='password') self.assertTrue(login, 'Could not log in') # Log in with wrong permissions. Should result in 403. response = self.client.get('/permission_protected_view_exception/') self.assertEqual(response.status_code, 403) def test_view_with_method_permissions(self): "Request a page that is protected with a @permission_required method" # Get the page without logging in. Should result in 302. response = self.client.get('/permission_protected_method_view/') self.assertRedirects(response, '/accounts/login/?next=/permission_protected_method_view/') # Log in login = self.client.login(username='testclient', password='password') self.assertTrue(login, 'Could not log in') # Log in with wrong permissions. Should result in 302. response = self.client.get('/permission_protected_method_view/') self.assertRedirects(response, '/accounts/login/?next=/permission_protected_method_view/') # TODO: Log in with right permissions and request the page again def test_external_redirect(self): response = self.client.get('/django_project_redirect/') self.assertRedirects(response, 'https://www.djangoproject.com/', fetch_redirect_response=False) def test_session_modifying_view(self): "Request a page that modifies the session" # Session value isn't set initially try: self.client.session['tobacconist'] self.fail("Shouldn't have a session value") except KeyError: pass self.client.post('/session_view/') # Check that the session was modified self.assertEqual(self.client.session['tobacconist'], 'hovercraft') def test_view_with_exception(self): "Request a page that is known to throw an error" self.assertRaises(KeyError, self.client.get, "/broken_view/") # Try the same assertion, a different way try: self.client.get('/broken_view/') self.fail('Should raise an error') except KeyError: pass def test_mail_sending(self): "Test that mail is redirected to a dummy outbox during test setup" response = self.client.get('/mail_sending_view/') self.assertEqual(response.status_code, 200) self.assertEqual(len(mail.outbox), 1) self.assertEqual(mail.outbox[0].subject, 'Test message') self.assertEqual(mail.outbox[0].body, 'This is a test email') self.assertEqual(mail.outbox[0].from_email, 'from@example.com') self.assertEqual(mail.outbox[0].to[0], 'first@example.com') self.assertEqual(mail.outbox[0].to[1], 'second@example.com') def test_reverse_lazy_decodes(self): "Ensure reverse_lazy works in the test client" data = {'var': 'data'} response = self.client.get(reverse_lazy('get_view'), data) # Check some response details self.assertContains(response, 'This is a test') def test_mass_mail_sending(self): "Test that mass mail is redirected to a dummy outbox during test setup" response = self.client.get('/mass_mail_sending_view/') self.assertEqual(response.status_code, 200) self.assertEqual(len(mail.outbox), 2) self.assertEqual(mail.outbox[0].subject, 'First Test message') self.assertEqual(mail.outbox[0].body, 'This is the first test email') self.assertEqual(mail.outbox[0].from_email, 'from@example.com') self.assertEqual(mail.outbox[0].to[0], 'first@example.com') self.assertEqual(mail.outbox[0].to[1], 'second@example.com') self.assertEqual(mail.outbox[1].subject, 'Second Test message') self.assertEqual(mail.outbox[1].body, 'This is the second test email') self.assertEqual(mail.outbox[1].from_email, 'from@example.com') self.assertEqual(mail.outbox[1].to[0], 'second@example.com') self.assertEqual(mail.outbox[1].to[1], 'third@example.com') def test_exception_following_nested_client_request(self): """ A nested test client request shouldn't clobber exception signals from the outer client request. """ with self.assertRaisesMessage(Exception, 'exception message'): self.client.get('/nesting_exception_view/') @override_settings( MIDDLEWARE_CLASSES=['django.middleware.csrf.CsrfViewMiddleware'], ROOT_URLCONF='test_client.urls', ) class CSRFEnabledClientTests(SimpleTestCase): def test_csrf_enabled_client(self): "A client can be instantiated with CSRF checks enabled" csrf_client = Client(enforce_csrf_checks=True) # The normal client allows the post response = self.client.post('/post_view/', {}) self.assertEqual(response.status_code, 200) # The CSRF-enabled client rejects it response = csrf_client.post('/post_view/', {}) self.assertEqual(response.status_code, 403) class CustomTestClient(Client): i_am_customized = "Yes" class CustomTestClientTest(SimpleTestCase): client_class = CustomTestClient def test_custom_test_client(self): """A test case can specify a custom class for self.client.""" self.assertEqual(hasattr(self.client, "i_am_customized"), True) _generic_view = lambda request: HttpResponse(status=200) @override_settings(ROOT_URLCONF='test_client.urls') class RequestFactoryTest(SimpleTestCase): """Tests for the request factory.""" # A mapping between names of HTTP/1.1 methods and their test views. http_methods_and_views = ( ('get', get_view), ('post', post_view), ('put', _generic_view), ('patch', _generic_view), ('delete', _generic_view), ('head', _generic_view), ('options', _generic_view), ('trace', trace_view), ) def setUp(self): self.request_factory = RequestFactory() def test_request_factory(self): """The request factory implements all the HTTP/1.1 methods.""" for method_name, view in self.http_methods_and_views: method = getattr(self.request_factory, method_name) request = method('/somewhere/') response = view(request) self.assertEqual(response.status_code, 200) def test_get_request_from_factory(self): """ The request factory returns a templated response for a GET request. """ request = self.request_factory.get('/somewhere/') response = get_view(request) self.assertEqual(response.status_code, 200) self.assertContains(response, 'This is a test') def test_trace_request_from_factory(self): """The request factory returns an echo response for a TRACE request.""" url_path = '/somewhere/' request = self.request_factory.trace(url_path) response = trace_view(request) protocol = request.META["SERVER_PROTOCOL"] echoed_request_line = "TRACE {} {}".format(url_path, protocol) self.assertEqual(response.status_code, 200) self.assertContains(response, echoed_request_line)
eldie1984/Scripts
refs/heads/master
MPF/pentaho/alarma_v3.py
1
#coding: utf-8 import logging from sys import argv,exit,path import getopt import datetime from decimal import * import codecs from os import environ # Funcion que iporta las conexiones a la base path.insert(0, '/home/git/repo/scripts-py') # Funcion que iporta las conexiones a la base from commons import * #Defino los parametros que va a aceptar el script receivers=['dgasch@mpf.gov.ar','mrozados@mpf.gov.ar','gfeldman@mpf.gov.ar','deula@mpf.gov.ar'] def main(argv): level_opt=logging.INFO global receivers global test try: opts, args = getopt.getopt(argv,"hdt",["debug","testing"]) except getopt.GetoptError: print """-d --debug ---> Pone en debug el log -t --testing ---> Pone a soporte como receptor del mail """ exit(2) for opt, arg in opts: if opt == '-h': print """-d --debug ---> Pone en debug el log -t --testing ---> Pone a soporte como receptor del mail """ exit() elif opt in ("-d", "--debug"): level_opt=logging.DEBUG elif opt in ("-t", "--testing"): print "Testing" test=1 logging.basicConfig(format=FORMAT,level=level_opt) ################################################################################# if __name__ == "__main__": main(argv[1:]) ################################################################################# # Parametros ################################################################################# enviarMail=0 count=0 getcontext().prec = 2 ################################################## logging.info("--------- Inicio del Script ----------------") ######################################################### # # Se realiza un chequeo de la conexion a la base de # # datos y en caso que de error se aborta el script # # y se emite un mensaje de error # ######################################################### # try: # #con_string = 'DSN=%s;UID=%s;PWD=%s;DATABASE=%s;' % (dsn, user, password, database) # #cnxn = pyodbc.connect(con_string) # cnxn = psycopg2.connect("dbname=%s user=%s password=%s host=%s" % (PgDwDbname,PgDwUser,PgDwPass,PgDwHost)) # logging.debug("Se realizo correctamente la conexion a la base") # cur = cnxn.cursor() # logging.debug("Se genero correctamente el cursor") # except Exception,e: # logging.error("No se pudo realizar la conexion a la base") # logging.error(str(e)) # exit(2) # try: # con_string = 'DSN=%s;UID=%s;PWD=%s;DATABASE=%s;' % (dsn, user, password, database) # cnxn = pyodbc.connect(con_string) # logging.debug("Se realizo correctamente la conexion a la base") # cur = cnxn.cursor() # logging.debug("Se genero correctamente el cursor") # except Exception: # logging.error("No se pudo realizar la conexion a la base") # exit(2) ##################################### # # Consultas a la base de datos # # ##################################### sat = """ \t select * from ( \t select mod.*, \t case when year0 > cast(((year1+year2)/2) as float) then 1 else 0 end as "ind1" \t ,case when year0 > yearprom then 1 else 0 end as "ind2" \t ,case when year0 > mes1 then 1 else 0 end as "ind3" \t from dw.sat s \t left outer join dw.lk_figura_modalidad mod on mod.id_mod_modalidad=s.id_mod_modalidad) a \t where ind1 > 0 \t or ind2 >0 \t or ind3 > 0 """ sat2 = """ select mod.desc_mod_modalidad,mod.desc_mod_figura,id_mes_anio ,case when ind1>10 then 1 else 0 end as ind1 ,case when z>1 then 1 else 0 end as umbral , case when ( anio > mes1 and mes1 > mes2) then 1 else 0 end as sost ,case when ind2>10 then 1 else 0 end as ind2 ,case when (anio > mes1 and anio> mes2 and anio> mes3 and anio>mes4 and anio > mes5) then 1 else 0 end as pico from dw.sat_dist s left outer join dw.lk_figura_modalidad mod on mod.id_mod_modalidad=s.id_mod_modalidad where id_dist_instruccion=0 and( ind1>10 or ind2>10 or z>1 or ( anio > mes1 and mes1 > mes2) or (anio > mes1 and anio> mes2 and anio> mes3 and anio>mes4 and anio > mes5) ) """ reporte = """ """ mensaje="" mensaje_ur="" ############################################################# ############# Delitos mas cometidos en cantidad ############# ############################################################## try: filas=executeQuery(sat2) logging.debug("Se ejecuta el script :\n %s" % sat) except Exception: logging.error("No se ejecuta el script :\n %s" % sat) for registro in filas: print registro cant=0 indicadores='' if registro[3]>0: indicadores=indicadores+'<dd>Aumento significativo con respecto al mes anterior</dd>' cant=cant+1 if registro[4]>0: indicadores=indicadores+'<dd>Aumentos en el umbral</dd>' cant=cant+1 if registro[5]>0: indicadores=indicadores+'<dd>Aumento sostenido en los ultimos dos meses</dd>' cant=cant+1 if registro[6]>0: indicadores=indicadores+'<dd>Aumento significativo con respecto al promedio</dd>' cant=cant+1 if registro[7]>0: indicadores=indicadores+'<dd>Pico maximo del ultimo semestre</dd>' cant=cant+1 if cant > 1: if cant > 3: mensaje_ur=mensaje_ur+"<dt><strong>Para la modalidad "+registro[1]+"->"+registro[0]+"</strong></dt> "+indicadores else: mensaje=mensaje+"<dt><strong>Para la modalidad "+registro[1]+"->"+registro[0]+"</strong></dt>"+indicadores enviarMail=1 if enviarMail == 1: #if count > 1: # Declaro la instancia del mail y el encabezado mail_dac=mail(','.join(receivers),'Alarma delitos') text='ALARMA: Reportes de delitos y modalidades' html="""\ <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional //EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <!-- saved from url=(0094)https://eulacomar.createsend.com/t/ViewEmailInIFrame/i/EDB76B1404179B43/C67FD2F38AC4859C/?tx=0 --> <html><head><meta http-equiv="Content-Type" content="text/html; charset=UTF-8"> <title></title> <style type="text/css"> .font-sans-serif { font-family: sans-serif; } .font-avenir { font-family: Avenir, sans-serif; } .mso .wrapper .font-avenir { font-family: sans-serif !important; } .font-lato { font-family: Lato, Tahoma, sans-serif; } .mso .wrapper .font-lato { font-family: Tahoma, sans-serif !important; } .font-cabin { font-family: Cabin, Avenir, sans-serif; } .mso .wrapper .font-cabin { font-family: sans-serif !important; } .font-open-Sans { font-family: "Open Sans", sans-serif; } .mso .wrapper .font-open-Sans { font-family: sans-serif !important; } .font-roboto { font-family: Roboto, Tahoma, sans-serif; } .mso .wrapper .font-roboto { font-family: Tahoma, sans-serif !important; } .font-ubuntu { font-family: Ubuntu, sans-serif; } .mso .wrapper .font-ubuntu { font-family: sans-serif !important; } .font-pt-sans { font-family: "PT Sans", "Trebuchet MS", sans-serif; } .mso .wrapper .font-pt-sans { font-family: "Trebuchet MS", sans-serif !important; } .font-georgia { font-family: Georgia, serif; } .font-merriweather { font-family: Merriweather, Georgia, serif; } .mso .wrapper .font-merriweather { font-family: Georgia, serif !important; } .font-bitter { font-family: Bitter, Georgia, serif; } .mso .wrapper .font-bitter { font-family: Georgia, serif !important; } .font-pt-serif { font-family: "PT Serif", Georgia, serif; } .mso .wrapper .font-pt-serif { font-family: Georgia, serif !important; } .font-pompiere { font-family: Pompiere, "Trebuchet MS", sans-serif; } .mso .wrapper .font-pompiere { font-family: "Trebuchet MS", sans-serif !important; } .font-roboto-slab { font-family: "Roboto Slab", Georgia, serif; } .mso .wrapper .font-roboto-slab { font-family: Georgia, serif !important; } @media only screen and (max-width: 620px) { .wrapper .column .size-8 { font-size: 8px !important; line-height: 14px !important; } .wrapper .column .size-9 { font-size: 9px !important; line-height: 16px !important; } .wrapper .column .size-10 { font-size: 10px !important; line-height: 18px !important; } .wrapper .column .size-11 { font-size: 11px !important; line-height: 19px !important; } .wrapper .column .size-12 { font-size: 12px !important; line-height: 19px !important; } .wrapper .column .size-13 { font-size: 13px !important; line-height: 21px !important; } .wrapper .column .size-14 { font-size: 14px !important; line-height: 21px !important; } .wrapper .column .size-15 { font-size: 15px !important; line-height: 23px !important; } .wrapper .column .size-16 { font-size: 16px !important; line-height: 24px !important; } .wrapper .column .size-17 { font-size: 17px !important; line-height: 26px !important; } .wrapper .column .size-18 { font-size: 17px !important; line-height: 26px !important; } .wrapper .column .size-20 { font-size: 17px !important; line-height: 26px !important; } .wrapper .column .size-22 { font-size: 18px !important; line-height: 26px !important; } .wrapper .column .size-24 { font-size: 20px !important; line-height: 28px !important; } .wrapper .column .size-26 { font-size: 22px !important; line-height: 31px !important; } .wrapper .column .size-28 { font-size: 24px !important; line-height: 32px !important; } .wrapper .column .size-30 { font-size: 26px !important; line-height: 34px !important; } .wrapper .column .size-32 { font-size: 28px !important; line-height: 36px !important; } .wrapper .column .size-34 { font-size: 30px !important; line-height: 38px !important; } .wrapper .column .size-36 { font-size: 30px !important; line-height: 38px !important; } .wrapper .column .size-40 { font-size: 32px !important; line-height: 40px !important; } .wrapper .column .size-44 { font-size: 34px !important; line-height: 43px !important; } .wrapper .column .size-48 { font-size: 36px !important; line-height: 43px !important; } .wrapper .column .size-56 { font-size: 40px !important; line-height: 47px !important; } .wrapper .column .size-64 { font-size: 44px !important; line-height: 50px !important; } } body { margin: 0; padding: 0; min-width: 100%; } .mso body { mso-line-height-rule: exactly; } .no-padding .wrapper .column .column-top, .no-padding .wrapper .column .column-bottom { font-size: 0px; line-height: 0px; } table { border-collapse: collapse; border-spacing: 0; } td { padding: 0; vertical-align: top; } .spacer, .border { font-size: 1px; line-height: 1px; } .spacer { width: 100%; } img { border: 0; -ms-interpolation-mode: bicubic; } .image { font-size: 12px; mso-line-height-rule: at-least; } .image img { display: block; } .logo { mso-line-height-rule: at-least; } .logo img { display: block; } strong { font-weight: bold; } h1, h2, h3, p, ol, ul, blockquote, .image { font-style: normal; font-weight: 400; } ol, ul, li { padding-left: 0; } blockquote { Margin-left: 0; Margin-right: 0; padding-right: 0; } .column-top, .column-bottom { font-size: 32px; line-height: 32px; transition-timing-function: cubic-bezier(0, 0, 0.2, 1); transition-duration: 150ms; transition-property: all; } .half-padding .column .column-top, .half-padding .column .column-bottom { font-size: 16px; line-height: 16px; } .column { text-align: left; } .contents { table-layout: fixed; width: 100%; } .padded { padding-left: 32px; padding-right: 32px; word-break: break-word; word-wrap: break-word; } .wrapper { display: table; table-layout: fixed; width: 100%; min-width: 620px; -webkit-text-size-adjust: 100%; -ms-text-size-adjust: 100%; } .wrapper a { transition: opacity 0.2s ease-in; } table.wrapper { table-layout: fixed; } .one-col, .two-col, .three-col { Margin-left: auto; Margin-right: auto; width: 600px; } .centered { Margin-left: auto; Margin-right: auto; } .btn a { border-radius: 3px; display: inline-block; font-size: 14px; font-weight: 700; line-height: 24px; padding: 13px 35px 12px 35px; text-align: center; text-decoration: none !important; } .btn a:hover { opacity: 0.8; } .two-col .btn a { font-size: 12px; line-height: 22px; padding: 10px 28px; } .three-col .btn a, .wrapper .narrower .btn a { font-size: 11px; line-height: 19px; padding: 6px 18px 5px 18px; } @media only screen and (max-width: 620px) { .btn a { display: block !important; font-size: 14px !important; line-height: 24px !important; padding: 13px 10px 12px 10px !important; } } .two-col .column { width: 300px; } .two-col .first .padded { padding-left: 32px; padding-right: 16px; } .two-col .second .padded { padding-left: 16px; padding-right: 32px; } .three-col .column { width: 200px; } .three-col .first .padded { padding-left: 32px; padding-right: 8px; } .three-col .second .padded { padding-left: 20px; padding-right: 20px; } .three-col .third .padded { padding-left: 8px; padding-right: 32px; } .wider { width: 400px; } .narrower { width: 200px; } @media only screen and (min-width: 0) { .wrapper { text-rendering: optimizeLegibility; } } @media only screen and (max-width: 620px) { [class=wrapper] { min-width: 320px !important; width: 100% !important; } [class=wrapper] .one-col, [class=wrapper] .two-col, [class=wrapper] .three-col { width: 320px !important; } [class=wrapper] .column, [class=wrapper] .gutter { display: block; float: left; width: 320px !important; } [class=wrapper] .padded { padding-left: 20px !important; padding-right: 20px !important; } [class=wrapper] .block { display: block !important; } [class=wrapper] .hide { display: none !important; } [class=wrapper] .image img { height: auto !important; width: 100% !important; } } .footer { width: 100%; } .footer .inner { padding: 58px 0 29px 0; width: 600px; } .footer .left td, .footer .right td { font-size: 12px; line-height: 22px; } .footer .left td { text-align: left; width: 400px; } .footer .right td { max-width: 200px; mso-line-height-rule: at-least; } .footer .links { line-height: 26px; Margin-bottom: 26px; mso-line-height-rule: at-least; } .footer .links a:hover { opacity: 0.8; } .footer .links img { vertical-align: middle; } .footer .address { Margin-bottom: 18px; } .footer .campaign { Margin-bottom: 18px; } .footer .campaign a { font-weight: bold; text-decoration: none; } .footer .sharing div { Margin-bottom: 5px; } .wrapper .footer .fblike, .wrapper .footer .tweet, .wrapper .footer .linkedinshare, .wrapper .footer .forwardtoafriend { background-repeat: no-repeat; background-size: 200px 56px; border-radius: 2px; color: #ffffff; display: block; font-size: 11px; font-weight: bold; line-height: 11px; padding: 8px 11px 7px 28px; text-align: left; text-decoration: none; } .wrapper .footer .fblike:hover, .wrapper .footer .tweet:hover, .wrapper .footer .linkedinshare:hover, .wrapper .footer .forwardtoafriend:hover { color: #ffffff !important; opacity: 0.8; } .footer .fblike { background-image: url(https://i3.createsend1.com/static/eb/master/03-fresh/imgf/fblike.png); } .footer .tweet { background-image: url(https://i4.createsend1.com/static/eb/master/03-fresh/imgf/tweet.png); } .footer .linkedinshare { background-image: url(https://i5.createsend1.com/static/eb/master/03-fresh/imgf/lishare.png); } .footer .forwardtoafriend { background-image: url(https://i6.createsend1.com/static/eb/master/03-fresh/imgf/forward.png); } @media only screen and (-webkit-min-device-pixel-ratio: 2), only screen and (min--moz-device-pixel-ratio: 2), only screen and (-o-min-device-pixel-ratio: 2/1), only screen and (min-device-pixel-ratio: 2), only screen and (min-resolution: 192dpi), only screen and (min-resolution: 2dppx) { .footer .fblike { background-image: url(https://i8.createsend1.com/static/eb/master/03-fresh/imgf/fblike@2x.png) !important; } .footer .tweet { background-image: url(https://i7.createsend1.com/static/eb/master/03-fresh/imgf/tweet@2x.png) !important; } .footer .linkedinshare { background-image: url(https://i9.createsend1.com/static/eb/master/03-fresh/imgf/lishare@2x.png) !important; } .footer .forwardtoafriend { background-image: url(https://i10.createsend1.com/static/eb/master/03-fresh/imgf/forward@2x.png) !important; } } @media only screen and (max-width: 620px) { .footer { width: 320px !important; } .footer td { display: none; } .footer .inner, .footer .inner td { display: block; text-align: center !important; max-width: 320px !important; width: 320px !important; } .footer .sharing { Margin-bottom: 40px; } .footer .sharing div { display: inline-block; } .footer .fblike, .footer .tweet, .footer .linkedinshare, .footer .forwardtoafriend { display: inline-block !important; } } .wrapper h1, .wrapper h2, .wrapper h3, .wrapper p, .wrapper ol, .wrapper ul, .wrapper li, .wrapper blockquote, .image, .btn, .divider { Margin-bottom: 0; Margin-top: 0; } .wrapper .column h1 + * { Margin-top: 20px; } .wrapper .column h2 + * { Margin-top: 16px; } .wrapper .column h3 + * { Margin-top: 12px; } .wrapper .column p + *, .wrapper .column ol + *, .wrapper .column ul + *, .wrapper .column blockquote + *, .image + .contents td > :first-child { Margin-top: 24px; } .contents:nth-last-child(n+3) h1:last-child, .no-padding .contents:nth-last-child(n+2) h1:last-child { Margin-bottom: 20px; } .contents:nth-last-child(n+3) h2:last-child, .no-padding .contents:nth-last-child(n+2) h2:last-child { Margin-bottom: 16px; } .contents:nth-last-child(n+3) h3:last-child, .no-padding .contents:nth-last-child(n+2) h3:last-child { Margin-bottom: 12px; } .contents:nth-last-child(n+3) p:last-child, .no-padding .contents:nth-last-child(n+2) p:last-child, .contents:nth-last-child(n+3) ol:last-child, .no-padding .contents:nth-last-child(n+2) ol:last-child, .contents:nth-last-child(n+3) ul:last-child, .no-padding .contents:nth-last-child(n+2) ul:last-child, .contents:nth-last-child(n+3) blockquote:last-child, .no-padding .contents:nth-last-child(n+2) blockquote:last-child, .contents:nth-last-child(n+3) .image, .no-padding .contents:nth-last-child(n+2) .image, .contents:nth-last-child(n+3) .divider, .no-padding .contents:nth-last-child(n+2) .divider, .contents:nth-last-child(n+3) .btn, .no-padding .contents:nth-last-child(n+2) .btn { Margin-bottom: 24px; } .two-col .column p + *, .wider .column p + *, .two-col .column ol + *, .wider .column ol + *, .two-col .column ul + *, .wider .column ul + *, .two-col .column blockquote + *, .wider .column blockquote + *, .two-col .image + .contents td > :first-child, .wider .image + .contents td > :first-child { Margin-top: 21px; } .two-col .contents:nth-last-child(n+3) p:last-child, .wider .contents:nth-last-child(n+3) p:last-child, .no-padding .two-col .contents:nth-last-child(n+2) p:last-child, .no-padding .wider .contents:nth-last-child(n+2) p:last-child, .two-col .contents:nth-last-child(n+3) ol:last-child, .wider .contents:nth-last-child(n+3) ol:last-child, .no-padding .two-col .contents:nth-last-child(n+2) ol:last-child, .no-padding .wider .contents:nth-last-child(n+2) ol:last-child, .two-col .contents:nth-last-child(n+3) ul:last-child, .wider .contents:nth-last-child(n+3) ul:last-child, .no-padding .two-col .contents:nth-last-child(n+2) ul:last-child, .no-padding .wider .contents:nth-last-child(n+2) ul:last-child, .two-col .contents:nth-last-child(n+3) blockquote:last-child, .wider .contents:nth-last-child(n+3) blockquote:last-child, .no-padding .two-col .contents:nth-last-child(n+2) blockquote:last-child, .no-padding .wider .contents:nth-last-child(n+2) blockquote:last-child, .two-col .contents:nth-last-child(n+3) .image, .wider .contents:nth-last-child(n+3) .image, .no-padding .two-col .contents:nth-last-child(n+2) .image, .no-padding .wider .contents:nth-last-child(n+2) .image, .two-col .contents:nth-last-child(n+3) .divider, .wider .contents:nth-last-child(n+3) .divider, .no-padding .two-col .contents:nth-last-child(n+2) .divider, .no-padding .wider .contents:nth-last-child(n+2) .divider, .two-col .contents:nth-last-child(n+3) .btn, .wider .contents:nth-last-child(n+3) .btn, .no-padding .two-col .contents:nth-last-child(n+2) .btn, .no-padding .wider .contents:nth-last-child(n+2) .btn { Margin-bottom: 21px; } .three-col .column p + *, .narrower .column p + *, .three-col .column ol + *, .narrower .column ol + *, .three-col .column ul + *, .narrower .column ul + *, .three-col .column blockquote + *, .narrower .column blockquote + *, .three-col .image + .contents td > :first-child, .narrower .image + .contents td > :first-child { Margin-top: 18px; } .three-col .contents:nth-last-child(n+3) p:last-child, .narrower .contents:nth-last-child(n+3) p:last-child, .no-padding .three-col .contents:nth-last-child(n+2) p:last-child, .no-padding .narrower .contents:nth-last-child(n+2) p:last-child, .three-col .contents:nth-last-child(n+3) ol:last-child, .narrower .contents:nth-last-child(n+3) ol:last-child, .no-padding .three-col .contents:nth-last-child(n+2) ol:last-child, .no-padding .narrower .contents:nth-last-child(n+2) ol:last-child, .three-col .contents:nth-last-child(n+3) ul:last-child, .narrower .contents:nth-last-child(n+3) ul:last-child, .no-padding .three-col .contents:nth-last-child(n+2) ul:last-child, .no-padding .narrower .contents:nth-last-child(n+2) ul:last-child, .three-col .contents:nth-last-child(n+3) blockquote:last-child, .narrower .contents:nth-last-child(n+3) blockquote:last-child, .no-padding .three-col .contents:nth-last-child(n+2) blockquote:last-child, .no-padding .narrower .contents:nth-last-child(n+2) blockquote:last-child, .three-col .contents:nth-last-child(n+3) .image, .narrower .contents:nth-last-child(n+3) .image, .no-padding .three-col .contents:nth-last-child(n+2) .image, .no-padding .narrower .contents:nth-last-child(n+2) .image, .three-col .contents:nth-last-child(n+3) .divider, .narrower .contents:nth-last-child(n+3) .divider, .no-padding .three-col .contents:nth-last-child(n+2) .divider, .no-padding .narrower .contents:nth-last-child(n+2) .divider, .three-col .contents:nth-last-child(n+3) .btn, .narrower .contents:nth-last-child(n+3) .btn, .no-padding .three-col .contents:nth-last-child(n+2) .btn, .no-padding .narrower .contents:nth-last-child(n+2) .btn { Margin-bottom: 18px; } @media only screen and (max-width: 620px) { .wrapper p + *, .wrapper ol + *, .wrapper ul + *, .wrapper blockquote + *, .image + .contents td > :first-child { Margin-top: 24px !important; } .contents:nth-last-child(n+3) p:last-child, .no-padding .contents:nth-last-child(n+2) p:last-child, .contents:nth-last-child(n+3) ol:last-child, .no-padding .contents:nth-last-child(n+2) ol:last-child, .contents:nth-last-child(n+3) ul:last-child, .no-padding .contents:nth-last-child(n+2) ul:last-child, .contents:nth-last-child(n+3) blockquote:last-child, .no-padding .contents:nth-last-child(n+2) blockquote:last-child, .contents:nth-last-child(n+3) .image:last-child, .no-padding .contents:nth-last-child(n+2) .image:last-child, .contents:nth-last-child(n+3) .divider:last-child, .no-padding .contents:nth-last-child(n+2) .divider:last-child, .contents:nth-last-child(n+3) .btn:last-child, .no-padding .contents:nth-last-child(n+2) .btn:last-child { Margin-bottom: 24px !important; } } td.border { width: 1px; } tr.border { background-color: #e3e3e3; height: 1px; } tr.border td { line-height: 1px; } .sidebar { width: 600px; } .first.wider .padded { padding-left: 32px; padding-right: 20px; } .second.wider .padded { padding-left: 20px; padding-right: 32px; } .first.narrower .padded { padding-left: 32px; padding-right: 8px; } .second.narrower .padded { padding-left: 8px; padding-right: 32px; } .wrapper h1 { font-size: 40px; line-height: 48px; } .wrapper h2 { font-size: 24px; line-height: 32px; } .wrapper h3 { font-size: 18px; line-height: 24px; } .wrapper h1 a, .wrapper h2 a, .wrapper h3 a { text-decoration: none; } .wrapper a:hover { text-decoration: none; } .wrapper p, .wrapper ol, .wrapper ul { font-size: 15px; line-height: 24px; } .wrapper ol, .wrapper ul { Margin-left: 20px; } .wrapper li { padding-left: 2px; } .wrapper blockquote { Margin-left: 0; padding-left: 18px; } .one-col, .two-col, .three-col, .sidebar { background-color: #ffffff; table-layout: fixed; } .wrapper .two-col blockquote, .wrapper .wider blockquote { padding-left: 16px; } .wrapper .three-col ol, .wrapper .narrower ol, .wrapper .three-col ul, .wrapper .narrower ul { Margin-left: 14px; } .wrapper .three-col li, .wrapper .narrower li { padding-left: 1px; } .wrapper .three-col blockquote, .wrapper .narrower blockquote { padding-left: 12px; } .wrapper h2 { font-weight: 700; } .wrapper blockquote { font-style: italic; } .preheader a, .header a { text-decoration: none; } .header { Margin-left: auto; Margin-right: auto; width: 600px; } .preheader td { padding-bottom: 24px; padding-top: 24px; } .logo { width: 280px; } .logo div { font-weight: 700; } .logo div.logo-center { text-align: center; } .logo div.logo-center img { Margin-left: auto; Margin-right: auto; } .preheader td { text-align: right; width: 280px; } .preheader td { letter-spacing: 0.01em; line-height: 17px; font-weight: 400; } .preheader a { letter-spacing: 0.03em; font-weight: 700; } .preheader td { font-size: 11px; } @media only screen and (max-width: 620px) { [class=wrapper] .header, [class=wrapper] .preheader td, [class=wrapper] .logo, [class=wrapper] .sidebar { width: 320px !important; } [class=wrapper] .header .logo { padding-left: 10px !important; padding-right: 10px !important; } [class=wrapper] .header .logo img { max-width: 280px !important; height: auto !important; } [class=wrapper] .header .preheader td { padding-top: 3px !important; padding-bottom: 22px !important; } [class=wrapper] .header .title { display: none !important; } [class=wrapper] .header .webversion { text-align: center !important; } [class=wrapper] h1 { font-size: 40px !important; line-height: 48px !important; } [class=wrapper] h2 { font-size: 24px !important; line-height: 32px !important; } [class=wrapper] h3 { font-size: 18px !important; line-height: 24px !important; } [class=wrapper] .column p, [class=wrapper] .column ol, [class=wrapper] .column ul { font-size: 15px !important; line-height: 24px !important; } [class=wrapper] ol, [class=wrapper] ul { Margin-left: 20px !important; } [class=wrapper] li { padding-left: 2px !important; } [class=wrapper] blockquote { border-left-width: 4px !important; padding-left: 18px !important; } [class=wrapper] table.border { width: 320px !important; } [class=wrapper] .second .column-top, [class=wrapper] .third .column-top { display: none; } } @media only screen and (max-width: 320px) { td.border { display: none; } } </style> <!--[if !mso]><!--><style type="text/css"> @import url(https://fonts.googleapis.com/css?family=Cabin:400,700,400italic,700italic|Open+Sans:400italic,700italic,700,400); </style><link href="css" rel="stylesheet" type="text/css"><!--<![endif]--><style type="text/css"> .wrapper h1{}.wrapper h1{font-family:Cabin,Avenir,sans-serif}.mso .wrapper h1{font-family:sans-serif !important}.wrapper h2{}.wrapper h2{font-family:"Open Sans",sans-serif}.mso .wrapper h2{font-family:sans-serif !important}.wrapper h3{}.wrapper h3{font-family:"Open Sans",sans-serif}.mso .wrapper h3{font-family:sans-serif !important}.wrapper p,.wrapper ol,.wrapper ul,.wrapper .image{}.wrapper p,.wrapper ol,.wrapper ul,.wrapper .image{font-family:"Open Sans",sans-serif}.mso .wrapper p,.mso .wrapper ol,.mso .wrapper ul,.mso .wrapper .image{font-family:sans-serif !important}.wrapper .btn a{}.wrapper .btn a{font-family:"Open Sans",sans-serif}.mso .wrapper .btn a{font-family:sans-serif !important}.logo div{}.logo div{font-family:Roboto,Tahoma,sans-serif}.mso .logo div{font-family:Tahoma,sans-serif !important}.title,.webversion,.fblike,.tweet,.linkedinshare,.forwardtoafriend,.link,.address,.permission,.campaign{}.title,.webversion,.fblike,.tweet,.linkedinshare,.forwardtoafriend,.link,.address,.permission,.campaign{font-family:"Open Sans",sans-serif}.mso .title,.mso .webversion,.mso .fblike,.mso .tweet,.mso .linkedinshare,.mso .forwardtoafriend,.mso .link,.mso .address,.mso .permission,.mso .campaign{font-family:sans-serif !important}body,.wrapper,.emb-editor-canvas{background-color:#f5f7fa}.border{background-color:#dddee1}.wrapper h1{color:#44a8c7}.wrapper h2{color:#44a8c7}.wrapper h3{color:#434547}.wrapper p,.wrapper ol,.wrapper ul{color:#60666d}.wrapper .image{color:#60666d}.wrapper a{color:#5c91ad}.wrapper a:hover{color:#48768e !important}.wrapper blockquote{border-left:4px solid #f5f7fa}.wrapper .three-col blockquote,.wrapper .narrower blockquote{border-left:2px solid #f5f7fa}.wrapper .btn a{background-color:#5c91ad;color:#fff}.wrapper .btn a:hover{color:#fff !important}.logo div{color:#c3ced9}.logo div a{color:#c3ced9}.logo div a:hover{color:#c3ced9 !important}.title,.webversion,.footer .inner td{color:#b9b9b9}.wrapper .title a,.wrapper .webversion a,.wrapper .footer a{color:#b9b9b9}.wrapper .title a:hover,.wrapper .webversion a:hover,.wrapper .footer a:hover{color:#939393 !important}.wrapper .footer .fblike,.wrapper .footer .tweet,.wrapper .footer .linkedinshare,.wrapper .footer .forwardtoafriend{background-color:#7b7c7d} </style><meta name="robots" content="noindex,nofollow"> <meta property="og:title" content="My First Campaign"> </head> <!--[if mso]> <body class="mso"> <![endif]--> <!--[if !mso]><!--> <body class="full-padding" style="margin: 0;padding: 0;min-width: 100%;background-color: #f5f7fa;"> <!--<![endif]--> <center class="wrapper" style="display: table;table-layout: fixed;width: 100%;min-width: 620px;-webkit-text-size-adjust: 100%;-ms-text-size-adjust: 100%;background-color: #f5f7fa;"> <table class="header centered" style="border-collapse: collapse;border-spacing: 0;Margin-left: auto;Margin-right: auto;width: 600px;"> <tbody><tr> <td style="padding: 0;vertical-align: top;"> <table class="preheader" style="border-collapse: collapse;border-spacing: 0;" align="right"> <tbody><tr> <td class="emb-logo-padding-box" style="padding: 0;vertical-align: top;padding-bottom: 24px;padding-top: 24px;text-align: right;width: 280px;letter-spacing: 0.01em;line-height: 17px;font-weight: 400;font-size: 11px;"> <div class="spacer" style="font-size: 1px;line-height: 2px;width: 100%;">&nbsp;</div> </td> </tr> </tbody></table> <table style="border-collapse: collapse;border-spacing: 0;" align="left"> <tbody><tr> <td class="logo emb-logo-padding-box" style="padding: 0;vertical-align: top;mso-line-height-rule: at-least;width: 280px;padding-top: 24px;padding-bottom: 24px;"> <div class="logo-left" style="font-weight: 700;font-family: Roboto,Tahoma,sans-serif;color: #c3ced9;font-size: 0px !important;line-height: 0 !important;" align="left" id="emb-email-header"><a style="text-decoration: none;transition: opacity 0.2s ease-in;color: #c3ced9;" href="http://dev-dac.mpf.gov.ar/tableroAnalisis/app_dev.php/ReporteMensual" target="_blank"><img style="border: 0;-ms-interpolation-mode: bicubic;display: block;max-width: 280px;" src="cid:image1" alt="" width="280" height="96"></a></div> </td> </tr> </tbody></table> </td> </tr> </tbody></table> <table class="centered" style="border-collapse: collapse;border-spacing: 0;Margin-left: auto;Margin-right: auto;"> <tbody><tr> <td class="border" style="padding: 0;vertical-align: top;font-size: 1px;line-height: 1px;background-color: #dddee1;width: 1px;">​</td> <td style="padding: 0;vertical-align: top;"> <table class="one-col" style="border-collapse: collapse;border-spacing: 0;Margin-left: auto;Margin-right: auto;width: 600px;background-color: #ffffff;table-layout: fixed;" emb-background-style=""> <tbody><tr> <td class="column" style="padding: 0;vertical-align: top;text-align: left;"> <div><div class="column-top" style="font-size: 32px;line-height: 32px;transition-timing-function: cubic-bezier(0, 0, 0.2, 1);transition-duration: 150ms;transition-property: all;">&nbsp;</div></div> <table class="contents" style="border-collapse: collapse;border-spacing: 0;table-layout: fixed;width: 100%;"> <tbody><tr> <td class="padded" style="padding: 0;vertical-align: top;padding-left: 32px;padding-right: 32px;word-break: break-word;word-wrap: break-word;"> <div style="line-height:10px;font-size:1px">&nbsp;</div> </td> </tr> </tbody></table> <table class="contents" style="border-collapse: collapse;border-spacing: 0;table-layout: fixed;width: 100%;"> <tbody><tr> <td class="padded" style="padding: 0;vertical-align: top;padding-left: 32px;padding-right: 32px;word-break: break-word;word-wrap: break-word;"> <h2 class="size-24" style="font-style: normal;font-weight: 700;Margin-bottom: 0;Margin-top: 0;font-size: 24px;line-height: 32px;font-family: &quot;Open Sans&quot;,sans-serif;color: #44a8c7;text-align: center;"><a style="transition: opacity 0.2s ease-in;color: #5c91ad;text-decoration: none;" href="http://dev-dac.mpf.gov.ar/tableroAnalisis/app_dev.php/ReporteMensual" target="_blank"><strong style="font-weight: bold;">Acceso al Tablero de Control de Conflictividades</strong></a></h2><p class="size-16" style="font-style: normal;font-weight: 400;Margin-bottom: 0;Margin-top: 16px;font-size: 16px;line-height: 24px;font-family: &quot;Open Sans&quot;,sans-serif;color: #60666d;text-align: center;">Hola, estas son las conflictividades que evolucionaron dentro del presente mes.</p> </td> </tr> </tbody></table> <div class="column-bottom" style="font-size: 32px;line-height: 32px;transition-timing-function: cubic-bezier(0, 0, 0.2, 1);transition-duration: 150ms;transition-property: all;">&nbsp;</div> </td> </tr> </tbody></table> </td> <td class="border" style="padding: 0;vertical-align: top;font-size: 1px;line-height: 1px;background-color: #dddee1;width: 1px;">​</td> </tr> </tbody></table> <table class="centered" style="border-collapse: collapse;border-spacing: 0;Margin-left: auto;Margin-right: auto;"> <tbody><tr> <td class="border" style="padding: 0;vertical-align: top;font-size: 1px;line-height: 1px;background-color: #dddee1;width: 1px;">​</td> <td style="padding: 0;vertical-align: top;"> <table class="sidebar" style="border-collapse: collapse;border-spacing: 0;width: 600px;background-color: #ffffff;table-layout: fixed;" emb-background-style=""> <tbody><tr> <td class="column second wider" style="padding: 0;vertical-align: top;text-align: left;width: 400px;"> <div class="image" style="font-size: 12px;mso-line-height-rule: at-least;font-style: normal;font-weight: 400;Margin-bottom: 0;Margin-top: 0;font-family: &quot;Open Sans&quot;,sans-serif;color: #60666d;" align="center"> <img class="gnd-corner-image gnd-corner-image-center gnd-corner-image-top gnd-corner-image-bottom" style="border: 0;-ms-interpolation-mode: bicubic;display: block;max-width: 480px;" src="cid:logo" alt="" width="400" height="92"> </div> <div class="column-bottom" style="font-size: 32px;line-height: 32px;transition-timing-function: cubic-bezier(0, 0, 0.2, 1);transition-duration: 150ms;transition-property: all;">&nbsp;</div> </td> </tr> </tbody></table> </td> <td class="border" style="padding: 0;vertical-align: top;font-size: 1px;line-height: 1px;background-color: #dddee1;width: 1px;">​</td> </tr> </tbody></table> <h2 style='background-color:#FF0000'> Urgente</h2> <dl> """+mensaje_ur+"""</dl> <h2 style='background-color:#FF8000'> Importante</h2> <dl>"""+mensaje+"""</dl> <table class="border" style="border-collapse: collapse;border-spacing: 0;font-size: 1px;line-height: 1px;background-color: #dddee1;Margin-left: auto;Margin-right: auto;" width="602"> <tbody><tr><td style="padding: 0;vertical-align: top;">&nbsp;</td></tr> </tbody></table> <table class="footer centered" style="border-collapse: collapse;border-spacing: 0;Margin-left: auto;Margin-right: auto;width: 100%;"> <tbody><tr> <td style="padding: 0;vertical-align: top;">&nbsp;</td> <td class="inner" style="padding: 58px 0 29px 0;vertical-align: top;width: 600px;"> <table class="right" style="border-collapse: collapse;border-spacing: 0;" align="right"> <tbody><tr> <td style="padding: 0;vertical-align: top;color: #b9b9b9;font-size: 12px;line-height: 22px;max-width: 200px;mso-line-height-rule: at-least;"> <div class="sharing"> </div> </td> </tr> </tbody></table> <table class="left" style="border-collapse: collapse;border-spacing: 0;" align="left"> <tbody><tr> <td style="padding: 0;vertical-align: top;color: #b9b9b9;font-size: 12px;line-height: 22px;text-align: left;width: 400px;"> <div class="permission" style="font-family: &quot;Open Sans&quot;,sans-serif;"> </div> </td> </tr> </tbody></table> </td> <td style="padding: 0;vertical-align: top;">&nbsp;</td> </tr> </tbody></table> </center> <img style="border: 0 !important;-ms-interpolation-mode: bicubic;visibility: hidden !important;display: block !important;height: 1px !important;width: 1px !important;margin: 0 !important;padding: 0 !important;" src="cid:logo" width="1" height="1" border="0" alt=""> <script type="text/javascript" src="jquery-1.7.2.min.js"></script><script type="text/javascript">$(function(){$('area,a').attr('target', '_blank');});</script> </body></html> """ mail_dac.send_mail(sender,receivers, text, html,'/home/git/repo/scripts-py/fuentes/DAC_Logo-01.png') logging.info("--------- Fin del Script ----------------")
repotvsupertuga/tvsupertuga.repository
refs/heads/master
script.module.resolveurl/lib/resolveurl/plugins/hugefiles.py
2
''' Hugefiles resolveurl plugin Copyright (C) 2013 Vinnydude This program is free software: you can redistribute it and/or modify it under the terms of the GNU 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 General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see <http://www.gnu.org/licenses/>. ''' import re import urllib import urllib2 from lib import captcha_lib from lib import helpers from resolveurl import common from resolveurl.resolver import ResolveUrl, ResolverError logger = common.log_utils.Logger.get_logger(__name__) logger.disable() class HugefilesResolver(ResolveUrl): name = "hugefiles" domains = ["hugefiles.net", "hugefiles.cc"] pattern = '(?://|\.)(hugefiles\.(?:net|cc))/([0-9a-zA-Z/]+)' def __init__(self): self.net = common.Net() def get_media_url(self, host, media_id): web_url = self.get_url(host, media_id) logger.log_debug('HugeFiles: get_link: %s' % (web_url)) html = self.net.http_GET(web_url).content r = re.findall('File Not Found', html) if r: raise ResolverError('File Not Found or removed') # Grab data values data = helpers.get_hidden(html) data.update(captcha_lib.do_captcha(html)) logger.log_debug('HugeFiles - Requesting POST URL: %s with data: %s' % (web_url, data)) html = self.net.http_POST(web_url, data).content # Re-grab data values data = helpers.get_hidden(html) data['referer'] = web_url headers = {'User-Agent': common.EDGE_USER_AGENT} logger.log_debug('HugeFiles - Requesting POST URL: %s with data: %s' % (web_url, data)) request = urllib2.Request(web_url, data=urllib.urlencode(data), headers=headers) try: stream_url = urllib2.urlopen(request).geturl() except: return logger.log_debug('Hugefiles stream Found: %s' % stream_url) return stream_url def get_url(self, host, media_id): return 'http://hugefiles.cc/%s' % media_id @classmethod def isPopup(self): return True
mnahm5/django-estore
refs/heads/master
Lib/site-packages/placebo/serializer.py
2
# Copyright (c) 2015 Mitch Garnaat # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. import datetime from botocore.response import StreamingBody from six import StringIO def deserialize(obj): """Convert JSON dicts back into objects.""" # Be careful of shallow copy here target = dict(obj) class_name = None if '__class__' in target: class_name = target.pop('__class__') if '__module__' in obj: module_name = obj.pop('__module__') # Use getattr(module, class_name) for custom types if needed if class_name == 'datetime': return datetime.datetime(**target) if class_name == 'StreamingBody': return StringIO(target['body']) # Return unrecognized structures as-is return obj def serialize(obj): """Convert objects into JSON structures.""" # Record class and module information for deserialization result = {'__class__': obj.__class__.__name__} try: result['__module__'] = obj.__module__ except AttributeError: pass # Convert objects to dictionary representation based on type if isinstance(obj, datetime.datetime): result['year'] = obj.year result['month'] = obj.month result['day'] = obj.day result['hour'] = obj.hour result['minute'] = obj.minute result['second'] = obj.second result['microsecond'] = obj.microsecond return result if isinstance(obj, StreamingBody): result['body'] = obj.read() return result # Raise a TypeError if the object isn't recognized raise TypeError("Type not serializable")
radioprotector/flask-admin
refs/heads/master
flask_admin/tests/test_model.py
7
import wtforms from nose.tools import eq_, ok_ from flask import Flask, session from werkzeug.wsgi import DispatcherMiddleware from werkzeug.test import Client from wtforms import fields from flask_admin import Admin, form from flask_admin._compat import iteritems, itervalues from flask_admin.model import base, filters from flask_admin.model.template import macro from itertools import islice def wtforms2_and_up(func): """Decorator for skipping test if wtforms <2 """ if int(wtforms.__version__[0]) < 2: func.__test__ = False return func class Model(object): def __init__(self, id=None, c1=1, c2=2, c3=3): self.id = id self.col1 = c1 self.col2 = c2 self.col3 = c3 class Form(form.BaseForm): col1 = fields.StringField() col2 = fields.StringField() col3 = fields.StringField() class SimpleFilter(filters.BaseFilter): def apply(self, query): query._applied = True return query def operation(self): return 'test' class MockModelView(base.BaseModelView): def __init__(self, model, data=None, name=None, category=None, endpoint=None, url=None, **kwargs): # Allow to set any attributes from parameters for k, v in iteritems(kwargs): setattr(self, k, v) super(MockModelView, self).__init__(model, name, category, endpoint, url) self.created_models = [] self.updated_models = [] self.deleted_models = [] self.search_arguments = [] if data is None: self.all_models = {1: Model(1), 2: Model(2)} else: self.all_models = data self.last_id = len(self.all_models) + 1 # Scaffolding def get_pk_value(self, model): return model.id def scaffold_list_columns(self): columns = ['col1', 'col2', 'col3'] if self.column_exclude_list: return filter(lambda x: x not in self.column_exclude_list, columns) return columns def init_search(self): return bool(self.column_searchable_list) def scaffold_filters(self, name): return [SimpleFilter(name)] def scaffold_sortable_columns(self): return ['col1', 'col2', 'col3'] def scaffold_form(self): return Form # Data def get_list(self, page, sort_field, sort_desc, search, filters, page_size=None): self.search_arguments.append((page, sort_field, sort_desc, search, filters)) count = len(self.all_models) data = islice(itervalues(self.all_models), 0, page_size) return count, data def get_one(self, id): return self.all_models.get(int(id)) def create_model(self, form): model = Model(self.last_id) self.last_id += 1 form.populate_obj(model) self.created_models.append(model) self.all_models[model.id] = model return True def update_model(self, form, model): form.populate_obj(model) self.updated_models.append(model) return True def delete_model(self, model): self.deleted_models.append(model) return True def setup(): app = Flask(__name__) app.config['CSRF_ENABLED'] = False app.secret_key = '1' admin = Admin(app) return app, admin def test_mockview(): app, admin = setup() view = MockModelView(Model) admin.add_view(view) eq_(view.model, Model) eq_(view.name, 'Model') eq_(view.endpoint, 'model') # Verify scaffolding eq_(view._sortable_columns, ['col1', 'col2', 'col3']) eq_(view._create_form_class, Form) eq_(view._edit_form_class, Form) eq_(view._search_supported, False) eq_(view._filters, None) client = app.test_client() # Make model view requests rv = client.get('/admin/model/') eq_(rv.status_code, 200) # Test model creation view rv = client.get('/admin/model/new/') eq_(rv.status_code, 200) rv = client.post('/admin/model/new/', data=dict(col1='test1', col2='test2', col3='test3')) eq_(rv.status_code, 302) eq_(len(view.created_models), 1) model = view.created_models.pop() eq_(model.id, 3) eq_(model.col1, 'test1') eq_(model.col2, 'test2') eq_(model.col3, 'test3') # Try model edit view rv = client.get('/admin/model/edit/?id=3') eq_(rv.status_code, 200) data = rv.data.decode('utf-8') ok_('test1' in data) rv = client.post('/admin/model/edit/?id=3', data=dict(col1='test!', col2='test@', col3='test#')) eq_(rv.status_code, 302) eq_(len(view.updated_models), 1) model = view.updated_models.pop() eq_(model.col1, 'test!') eq_(model.col2, 'test@') eq_(model.col3, 'test#') rv = client.get('/admin/model/edit/?id=4') eq_(rv.status_code, 302) # Attempt to delete model rv = client.post('/admin/model/delete/?id=3') eq_(rv.status_code, 302) eq_(rv.headers['location'], 'http://localhost/admin/model/') # Create a dispatched application to test that edit view's "save and # continue" functionality works when app is not located at root dummy_app = Flask('dummy_app') dispatched_app = DispatcherMiddleware(dummy_app, {'/dispatched': app}) dispatched_client = Client(dispatched_app) app_iter, status, headers = dispatched_client.post( '/dispatched/admin/model/edit/?id=3', data=dict(col1='another test!', col2='test@', col3='test#', _continue_editing='True')) eq_(status, '302 FOUND') eq_(headers['Location'], 'http://localhost/dispatched/admin/model/edit/?id=3') model = view.updated_models.pop() eq_(model.col1, 'another test!') def test_permissions(): app, admin = setup() view = MockModelView(Model) admin.add_view(view) client = app.test_client() view.can_create = False rv = client.get('/admin/model/new/') eq_(rv.status_code, 302) view.can_edit = False rv = client.get('/admin/model/edit/?id=1') eq_(rv.status_code, 302) view.can_delete = False rv = client.post('/admin/model/delete/?id=1') eq_(rv.status_code, 302) def test_templates(): app, admin = setup() view = MockModelView(Model) admin.add_view(view) client = app.test_client() view.list_template = 'mock.html' view.create_template = 'mock.html' view.edit_template = 'mock.html' rv = client.get('/admin/model/') eq_(rv.data, b'Success!') rv = client.get('/admin/model/new/') eq_(rv.data, b'Success!') rv = client.get('/admin/model/edit/?id=1') eq_(rv.data, b'Success!') def test_list_columns(): app, admin = setup() view = MockModelView(Model, column_list=['col1', 'col3'], column_labels=dict(col1='Column1')) admin.add_view(view) eq_(len(view._list_columns), 2) eq_(view._list_columns, [('col1', 'Column1'), ('col3', 'Col3')]) client = app.test_client() rv = client.get('/admin/model/') data = rv.data.decode('utf-8') ok_('Column1' in data) ok_('Col2' not in data) def test_exclude_columns(): app, admin = setup() view = MockModelView(Model, column_exclude_list=['col2']) admin.add_view(view) eq_(view._list_columns, [('col1', 'Col1'), ('col3', 'Col3')]) client = app.test_client() rv = client.get('/admin/model/') data = rv.data.decode('utf-8') ok_('Col1' in data) ok_('Col2' not in data) def test_sortable_columns(): app, admin = setup() view = MockModelView(Model, column_sortable_list=['col1', ('col2', 'test1')]) admin.add_view(view) eq_(view._sortable_columns, dict(col1='col1', col2='test1')) def test_column_searchable_list(): app, admin = setup() view = MockModelView(Model, column_searchable_list=['col1', 'col2']) admin.add_view(view) eq_(view._search_supported, True) # TODO: Make calls with search def test_column_filters(): app, admin = setup() view = MockModelView(Model, column_filters=['col1', 'col2']) admin.add_view(view) eq_(len(view._filters), 2) eq_(view._filters[0].name, 'col1') eq_(view._filters[1].name, 'col2') eq_([(f['index'], f['operation']) for f in view._filter_groups[u'col1']], [(0, 'test')]) eq_([(f['index'], f['operation']) for f in view._filter_groups[u'col2']], [(1, 'test')]) # TODO: Make calls with filters def test_filter_list_callable(): app, admin = setup() flt = SimpleFilter('test', options=lambda: (('1', 'Test 1'), ('2', 'Test 2'))) view = MockModelView(Model, column_filters=[flt]) admin.add_view(view) opts = flt.get_options(view) eq_(len(opts), 2) eq_(opts, [('1', u'Test 1'), ('2', u'Test 2')]) def test_form(): # TODO: form_columns # TODO: form_excluded_columns # TODO: form_args # TODO: form_widget_args pass @wtforms2_and_up def test_csrf(): from datetime import timedelta from wtforms.csrf.session import SessionCSRF from wtforms.meta import DefaultMeta # BaseForm w/ CSRF class SecureForm(form.BaseForm): class Meta(DefaultMeta): csrf = True csrf_class = SessionCSRF csrf_secret = b'EPj00jpfj8Gx1SjnyLxwBBSQfnQ9DJYe0Ym' csrf_time_limit = timedelta(minutes=20) @property def csrf_context(self): return session class SecureModelView(MockModelView): form_base_class = SecureForm def scaffold_form(self): return SecureForm def get_csrf_token(data): data = data.split('name="csrf_token" type="hidden" value="')[1] token = data.split('"')[0] return token app, admin = setup() view = SecureModelView(Model, endpoint='secure') admin.add_view(view) client = app.test_client() ################ # create_view ################ rv = client.get('/admin/secure/new/') eq_(rv.status_code, 200) ok_(u'name="csrf_token"' in rv.data.decode('utf-8')) csrf_token = get_csrf_token(rv.data.decode('utf-8')) # Create without CSRF token rv = client.post('/admin/secure/new/', data=dict(name='test1')) eq_(rv.status_code, 200) # Create with CSRF token rv = client.post('/admin/secure/new/', data=dict(name='test1', csrf_token=csrf_token)) eq_(rv.status_code, 302) ############### # edit_view ############### rv = client.get('/admin/secure/edit/?url=%2Fadmin%2Fsecure%2F&id=1') eq_(rv.status_code, 200) ok_(u'name="csrf_token"' in rv.data.decode('utf-8')) csrf_token = get_csrf_token(rv.data.decode('utf-8')) # Edit without CSRF token rv = client.post('/admin/secure/edit/?url=%2Fadmin%2Fsecure%2F&id=1', data=dict(name='test1')) eq_(rv.status_code, 200) # Edit with CSRF token rv = client.post('/admin/secure/edit/?url=%2Fadmin%2Fsecure%2F&id=1', data=dict(name='test1', csrf_token=csrf_token)) eq_(rv.status_code, 302) ################ # delete_view ################ rv = client.get('/admin/secure/') eq_(rv.status_code, 200) ok_(u'name="csrf_token"' in rv.data.decode('utf-8')) csrf_token = get_csrf_token(rv.data.decode('utf-8')) # Delete without CSRF token, test validation errors rv = client.post('/admin/secure/delete/', data=dict(id="1", url="/admin/secure/"), follow_redirects=True) eq_(rv.status_code, 200) ok_(u'Record was successfully deleted.' not in rv.data.decode('utf-8')) ok_(u'Failed to delete record.' in rv.data.decode('utf-8')) # Delete with CSRF token rv = client.post('/admin/secure/delete/', data=dict(id="1", url="/admin/secure/", csrf_token=csrf_token), follow_redirects=True) eq_(rv.status_code, 200) ok_(u'Record was successfully deleted.' in rv.data.decode('utf-8')) def test_custom_form(): app, admin = setup() class TestForm(form.BaseForm): pass view = MockModelView(Model, form=TestForm) admin.add_view(view) eq_(view._create_form_class, TestForm) eq_(view._edit_form_class, TestForm) ok_(not hasattr(view._create_form_class, 'col1')) def test_modal_edit(): # bootstrap 2 - test edit_modal app_bs2 = Flask(__name__) admin_bs2 = Admin(app_bs2, template_mode="bootstrap2") edit_modal_on = MockModelView(Model, edit_modal=True, endpoint="edit_modal_on") edit_modal_off = MockModelView(Model, edit_modal=False, endpoint="edit_modal_off") create_modal_on = MockModelView(Model, create_modal=True, endpoint="create_modal_on") create_modal_off = MockModelView(Model, create_modal=False, endpoint="create_modal_off") admin_bs2.add_view(edit_modal_on) admin_bs2.add_view(edit_modal_off) admin_bs2.add_view(create_modal_on) admin_bs2.add_view(create_modal_off) client_bs2 = app_bs2.test_client() # bootstrap 2 - ensure modal window is added when edit_modal is enabled rv = client_bs2.get('/admin/edit_modal_on/') eq_(rv.status_code, 200) data = rv.data.decode('utf-8') ok_('fa_modal_window' in data) # bootstrap 2 - test edit modal disabled rv = client_bs2.get('/admin/edit_modal_off/') eq_(rv.status_code, 200) data = rv.data.decode('utf-8') ok_('fa_modal_window' not in data) # bootstrap 2 - ensure modal window is added when create_modal is enabled rv = client_bs2.get('/admin/create_modal_on/') eq_(rv.status_code, 200) data = rv.data.decode('utf-8') ok_('fa_modal_window' in data) # bootstrap 2 - test create modal disabled rv = client_bs2.get('/admin/create_modal_off/') eq_(rv.status_code, 200) data = rv.data.decode('utf-8') ok_('fa_modal_window' not in data) # bootstrap 3 app_bs3 = Flask(__name__) admin_bs3 = Admin(app_bs3, template_mode="bootstrap3") admin_bs3.add_view(edit_modal_on) admin_bs3.add_view(edit_modal_off) admin_bs3.add_view(create_modal_on) admin_bs3.add_view(create_modal_off) client_bs3 = app_bs3.test_client() # bootstrap 3 - ensure modal window is added when edit_modal is enabled rv = client_bs3.get('/admin/edit_modal_on/') eq_(rv.status_code, 200) data = rv.data.decode('utf-8') ok_('fa_modal_window' in data) # bootstrap 3 - test modal disabled rv = client_bs3.get('/admin/edit_modal_off/') eq_(rv.status_code, 200) data = rv.data.decode('utf-8') ok_('fa_modal_window' not in data) # bootstrap 3 - ensure modal window is added when edit_modal is enabled rv = client_bs3.get('/admin/create_modal_on/') eq_(rv.status_code, 200) data = rv.data.decode('utf-8') ok_('fa_modal_window' in data) # bootstrap 3 - test modal disabled rv = client_bs3.get('/admin/create_modal_off/') eq_(rv.status_code, 200) data = rv.data.decode('utf-8') ok_('fa_modal_window' not in data) def check_class_name(): class DummyView(MockModelView): pass view = DummyView(Model) eq_(view.name, 'Dummy View') def test_export_csv(): app, admin = setup() client = app.test_client() # test redirect when csv export is disabled view = MockModelView(Model, column_list=['col1', 'col2'], endpoint="test") admin.add_view(view) rv = client.get('/admin/test/export/csv/') eq_(rv.status_code, 302) # basic test of csv export with a few records view_data = { 1: Model(1, "col1_1", "col2_1"), 2: Model(2, "col1_2", "col2_2"), 3: Model(3, "col1_3", "col2_3"), } view = MockModelView(Model, view_data, can_export=True, column_list=['col1', 'col2']) admin.add_view(view) rv = client.get('/admin/model/export/csv/') data = rv.data.decode('utf-8') eq_(rv.mimetype, 'text/csv') eq_(rv.status_code, 200) ok_("Col1,Col2\r\n" "col1_1,col2_1\r\n" "col1_2,col2_2\r\n" "col1_3,col2_3\r\n" == data) # test utf8 characters in csv export view_data[4] = Model(1, u'\u2013ut8_1\u2013', u'\u2013utf8_2\u2013') view = MockModelView(Model, view_data, can_export=True, column_list=['col1', 'col2'], endpoint="utf8") admin.add_view(view) rv = client.get('/admin/utf8/export/csv/') data = rv.data.decode('utf-8') eq_(rv.status_code, 200) ok_(u'\u2013ut8_1\u2013,\u2013utf8_2\u2013\r\n' in data) # test row limit view_data = { 1: Model(1, "col1_1", "col2_1"), 2: Model(2, "col1_2", "col2_2"), 3: Model(3, "col1_3", "col2_3"), } view = MockModelView(Model, view_data, can_export=True, column_list=['col1', 'col2'], export_max_rows=2, endpoint='row_limit_2') admin.add_view(view) rv = client.get('/admin/row_limit_2/export/csv/') data = rv.data.decode('utf-8') eq_(rv.status_code, 200) ok_("Col1,Col2\r\n" "col1_1,col2_1\r\n" "col1_2,col2_2\r\n" == data) # test None type, integer type, column_labels, and column_formatters view_data = { 1: Model(1, "col1_1", 1), 2: Model(2, "col1_2", 2), 3: Model(3, None, 3), } view = MockModelView( Model, view_data, can_export=True, column_list=['col1', 'col2'], column_labels={'col1': 'Str Field', 'col2': 'Int Field'}, column_formatters=dict(col2=lambda v, c, m, p: m.col2*2), endpoint="types_and_formatters" ) admin.add_view(view) rv = client.get('/admin/types_and_formatters/export/csv/') data = rv.data.decode('utf-8') eq_(rv.status_code, 200) ok_("Str Field,Int Field\r\n" "col1_1,2\r\n" "col1_2,4\r\n" ",6\r\n" == data) # test column_formatters_export and column_formatters_export type_formatters = {type(None): lambda view, value: "null"} view = MockModelView( Model, view_data, can_export=True, column_list=['col1', 'col2'], column_formatters_export=dict(col2=lambda v, c, m, p: m.col2*3), column_formatters=dict(col2=lambda v, c, m, p: m.col2*2), # overridden column_type_formatters_export=type_formatters, endpoint="export_types_and_formatters" ) admin.add_view(view) rv = client.get('/admin/export_types_and_formatters/export/csv/') data = rv.data.decode('utf-8') eq_(rv.status_code, 200) ok_("Col1,Col2\r\n" "col1_1,3\r\n" "col1_2,6\r\n" "null,9\r\n" == data) # Macros are not implemented for csv export yet and will throw an error view = MockModelView( Model, can_export=True, column_list=['col1', 'col2'], column_formatters=dict(col1=macro('render_macro')), endpoint="macro_exception" ) admin.add_view(view) rv = client.get('/admin/macro_exception/export/csv/') data = rv.data.decode('utf-8') eq_(rv.status_code, 500)
donovan-duplessis/pwnurl
refs/heads/master
pwnurl/__init__.py
1
# -*- coding: utf-8 -*- __version__ = '0.1.0' __author__ = 'Donovan du Plessis' __email__ = 'donovan@binarytrooper.com' __license__ = 'MIT' __copyright__ = 'Copyright (c) 2014, Donovan du Plessis' import os pkgedir = os.path.abspath(os.path.dirname(__file__)) basedir = os.path.dirname(pkgedir)
SPriyaJain/studybuddy
refs/heads/master
env/lib/python2.7/site-packages/pyflakes/test/test_return_with_arguments_inside_generator.py
53
from sys import version_info from pyflakes import messages as m from pyflakes.test.harness import TestCase, skipIf class Test(TestCase): @skipIf(version_info >= (3, 3), 'new in Python 3.3') def test_return(self): self.flakes(''' class a: def b(): for x in a.c: if x: yield x return a ''', m.ReturnWithArgsInsideGenerator) @skipIf(version_info >= (3, 3), 'new in Python 3.3') def test_returnNone(self): self.flakes(''' def a(): yield 12 return None ''', m.ReturnWithArgsInsideGenerator) @skipIf(version_info >= (3, 3), 'new in Python 3.3') def test_returnYieldExpression(self): self.flakes(''' def a(): b = yield a return b ''', m.ReturnWithArgsInsideGenerator)
sethportman/xhtml2pdf
refs/heads/master
demo/tgpisa/tgpisa/model.py
169
from turbogears.database import PackageHub # import some basic SQLObject classes for declaring the data model # (see http://www.sqlobject.org/SQLObject.html#declaring-the-class) from sqlobject import SQLObject, SQLObjectNotFound, RelatedJoin # import some datatypes for table columns from SQLObject # (see http://www.sqlobject.org/SQLObject.html#column-types for more) from sqlobject import StringCol, UnicodeCol, IntCol, DateTimeCol __connection__ = hub = PackageHub('tgpisa') # your data model # class YourDataClass(SQLObject): # pass
benjaminoh1/tensorflowcookbook
refs/heads/master
Chapter 02/back_propagation.py
1
# Back Propagation ############################################################################################# # This python function shows how to implement back propagation in regression and classification models. # Regression Example: # - We will create sample data as follows: x-data: 100 random samples from a normal ~ N(1, 0.1) # target: 100 values of the value 10. # - We will fit the model: x-data * A = target # Theoretically, A = 10. ############################################################################################# ############################### 당연한 기본 세팅 ############################## import matplotlib.pyplot as plt import numpy as np import tensorflow as tf from tensorflow.python.framework import ops ops.reset_default_graph() ############################### Create graph ############################### sess = tf.Session() ############################### Create data ############################### x_vals = np.random.normal(1, 0.1, 100) # [중앙값, 표준편차, 형태] y_vals = np.repeat(10., 100) x_data = tf.placeholder(shape=[1], dtype=tf.float32) y_target = tf.placeholder(shape=[1], dtype=tf.float32) ############################### Create variable (one model parameter = A) ############################### A = tf.Variable(tf.random_normal(shape=[1])) ############################### Add operation to graph ############################### my_output = tf.mul(x_data, A) loss = tf.square(my_output - y_target) # Add L2 loss operation to graph ################################ Initialize variables ############################### init = tf.initialize_all_variables() sess.run(init) ############################### Create Optimizer ############################### # - 이제 graph의 변수를 최적화하기 위해 선언을 해야 한다. my_opt = tf.train.GradientDescentOptimizer(0.02) # 학습률이 들어간다. train_step = my_opt.minimize(loss) ############################### Run Loop ############################### # - 마지막으로 우리의 training algorithm을 loop를 돌리며 여러 번 training을 거치도록 한다. # - 여기에선 101번 loop를 돌리며, 25번째마다 결과를 표시하도록 했다. for i in range(1000): rand_index = np.random.choice(100) rand_x = [x_vals[rand_index]] rand_y = [y_vals[rand_index]] sess.run(train_step, feed_dict={x_data: rand_x, y_target: rand_y}) if (i+1)%25==0: print('Step #' + str(i+1) + ' A = ' + str(sess.run(A))) print('Loss = ' + str(sess.run(loss, feed_dict={x_data: rand_x, y_target: rand_y}))) # Classification Example # We will create sample data as follows: # x-data: sample 50 random values from a normal = N(-1, 1) # + sample 50 random values from a normal = N(1, 1) # target: 50 values of 0 + 50 values of 1. # These are essentially 100 values of the corresponding output index # We will fit the binary classification model: # If sigmoid(x+A) < 0.5 -> 0 else 1 # Theoretically, A should be -(mean1 + mean2)/2 ops.reset_default_graph() # Create graph sess = tf.Session() # Create data x_vals = np.concatenate((np.random.normal(-1, 1, 50), np.random.normal(3, 1, 50))) y_vals = np.concatenate((np.repeat(0., 50), np.repeat(1., 50))) x_data = tf.placeholder(shape=[1], dtype=tf.float32) y_target = tf.placeholder(shape=[1], dtype=tf.float32) # Create variable (one model parameter = A) A = tf.Variable(tf.random_normal(mean=10, shape=[1])) # Add operation to graph # Want to create the operstion sigmoid(x + A) # Note, the sigmoid() part is in the loss function my_output = tf.add(x_data, A) # Now we have to add another dimension to each (batch size of 1) my_output_expanded = tf.expand_dims(my_output, 0) y_target_expanded = tf.expand_dims(y_target, 0) # Initialize variables init = tf.initialize_all_variables() sess.run(init) # Add classification loss (cross entropy) xentropy = tf.nn.sigmoid_cross_entropy_with_logits(my_output_expanded, y_target_expanded) # Create Optimizer my_opt = tf.train.GradientDescentOptimizer(0.05) train_step = my_opt.minimize(xentropy) # Run loop for i in range(100): rand_index = np.random.choice(100) rand_x = [x_vals[rand_index]] rand_y = [y_vals[rand_index]] sess.run(train_step, feed_dict={x_data: rand_x, y_target: rand_y}) if (i+1)%200==0: print('Step #' + str(i+1) + ' A = ' + str(sess.run(A))) print('Loss = ' + str(sess.run(xentropy, feed_dict={x_data: rand_x, y_target: rand_y}))) # Evaluate Predictions # predictions = [] # for i in range(len(x_vals)): # x_val = [x_vals[i]] # prediction = sess.run(tf.round(tf.sigmoid(my_output)), feed_dict={x_data: x_val}) # predictions.append(prediction[0]) # accuracy = sum(x==y for x,y in zip(predictions, y_vals))/100. # print('Ending Accuracy = ' + str(np.round(accuracy, 2))) # Graph를 눈으로 봐 보자. file_writer = tf.summary.FileWriter('C:/Users/user/Documents/GitHub/tensorflowcookbook', sess.graph) # sess.graph contains the graph definition; that enables the Graph Visualizer. tensorboard --logdir=training:C:/Users/user/Documents/GitHub/tensorflowcookbook # 이 부분만 cmd에서 따로 시행하여야만이 된다. Tensorflow는 :와 --를 구분 못하기 때문 start chrome http://192.168.0.2:6006
zsiciarz/django
refs/heads/master
django/db/models/sql/constants.py
633
""" Constants specific to the SQL storage portion of the ORM. """ import re # Valid query types (a set is used for speedy lookups). These are (currently) # considered SQL-specific; other storage systems may choose to use different # lookup types. QUERY_TERMS = { 'exact', 'iexact', 'contains', 'icontains', 'gt', 'gte', 'lt', 'lte', 'in', 'startswith', 'istartswith', 'endswith', 'iendswith', 'range', 'year', 'month', 'day', 'week_day', 'hour', 'minute', 'second', 'isnull', 'search', 'regex', 'iregex', } # Size of each "chunk" for get_iterator calls. # Larger values are slightly faster at the expense of more storage space. GET_ITERATOR_CHUNK_SIZE = 100 # Namedtuples for sql.* internal use. # How many results to expect from a cursor.execute call MULTI = 'multi' SINGLE = 'single' CURSOR = 'cursor' NO_RESULTS = 'no results' ORDER_PATTERN = re.compile(r'\?|[-+]?[.\w]+$') ORDER_DIR = { 'ASC': ('ASC', 'DESC'), 'DESC': ('DESC', 'ASC'), } # SQL join types. INNER = 'INNER JOIN' LOUTER = 'LEFT OUTER JOIN'
ol-loginov/intellij-community
refs/heads/master
python/testData/refactoring/introduceVariable/dontSuggestBuiltinTypeNames.py
166
"foo <caret>bar"
Baumelbi/IntroPython2016
refs/heads/master
students/jbearer/session07/ex40.py
3
#!/usr/bin/env/python3 class Song(object): def __init__(self, lyrics): self.lyrics = lyrics def sing_me_a_song(self): for line in self.lyrics: print(line) def len_of_song(self): print(len(self.lyrics)) happy_bday = Song(["Happy birthday to you", "I don't want to get sued", "So I'll stop right there"]) bulls_on_parade = Song(["They rally around tha family", "With pockets full of shells"]) mr_brownstone = Song(["I get up around seven", "Get outta bed around nine", "And I don't worry about nothin' no", "Cause worryin's a waste of my...time"]) happy_bday.sing_me_a_song() print() bulls_on_parade.sing_me_a_song() print() mr_brownstone.sing_me_a_song() print() mr_brownstone.len_of_song()
bigpyer/QConf
refs/heads/master
test/unit/gtest/test/gtest_test_utils.py
1100
#!/usr/bin/env python # # Copyright 2006, Google Inc. # All rights reserved. # # Redistribution and use in source and binary forms, with or without # modification, are permitted provided that the following conditions are # met: # # * Redistributions of source code must retain the above copyright # notice, this list of conditions and the following disclaimer. # * Redistributions in binary form must reproduce the above # copyright notice, this list of conditions and the following disclaimer # in the documentation and/or other materials provided with the # distribution. # * Neither the name of Google Inc. nor the names of its # contributors may be used to endorse or promote products derived from # this software without specific prior written permission. # # THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS # "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT # LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR # A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT # OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, # SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT # LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, # DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY # THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT # (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE # OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. """Unit test utilities for Google C++ Testing Framework.""" __author__ = 'wan@google.com (Zhanyong Wan)' import atexit import os import shutil import sys import tempfile import unittest _test_module = unittest # Suppresses the 'Import not at the top of the file' lint complaint. # pylint: disable-msg=C6204 try: import subprocess _SUBPROCESS_MODULE_AVAILABLE = True except: import popen2 _SUBPROCESS_MODULE_AVAILABLE = False # pylint: enable-msg=C6204 GTEST_OUTPUT_VAR_NAME = 'GTEST_OUTPUT' IS_WINDOWS = os.name == 'nt' IS_CYGWIN = os.name == 'posix' and 'CYGWIN' in os.uname()[0] # The environment variable for specifying the path to the premature-exit file. PREMATURE_EXIT_FILE_ENV_VAR = 'TEST_PREMATURE_EXIT_FILE' environ = os.environ.copy() def SetEnvVar(env_var, value): """Sets/unsets an environment variable to a given value.""" if value is not None: environ[env_var] = value elif env_var in environ: del environ[env_var] # Here we expose a class from a particular module, depending on the # environment. The comment suppresses the 'Invalid variable name' lint # complaint. TestCase = _test_module.TestCase # pylint: disable-msg=C6409 # Initially maps a flag to its default value. After # _ParseAndStripGTestFlags() is called, maps a flag to its actual value. _flag_map = {'source_dir': os.path.dirname(sys.argv[0]), 'build_dir': os.path.dirname(sys.argv[0])} _gtest_flags_are_parsed = False def _ParseAndStripGTestFlags(argv): """Parses and strips Google Test flags from argv. This is idempotent.""" # Suppresses the lint complaint about a global variable since we need it # here to maintain module-wide state. global _gtest_flags_are_parsed # pylint: disable-msg=W0603 if _gtest_flags_are_parsed: return _gtest_flags_are_parsed = True for flag in _flag_map: # The environment variable overrides the default value. if flag.upper() in os.environ: _flag_map[flag] = os.environ[flag.upper()] # The command line flag overrides the environment variable. i = 1 # Skips the program name. while i < len(argv): prefix = '--' + flag + '=' if argv[i].startswith(prefix): _flag_map[flag] = argv[i][len(prefix):] del argv[i] break else: # We don't increment i in case we just found a --gtest_* flag # and removed it from argv. i += 1 def GetFlag(flag): """Returns the value of the given flag.""" # In case GetFlag() is called before Main(), we always call # _ParseAndStripGTestFlags() here to make sure the --gtest_* flags # are parsed. _ParseAndStripGTestFlags(sys.argv) return _flag_map[flag] def GetSourceDir(): """Returns the absolute path of the directory where the .py files are.""" return os.path.abspath(GetFlag('source_dir')) def GetBuildDir(): """Returns the absolute path of the directory where the test binaries are.""" return os.path.abspath(GetFlag('build_dir')) _temp_dir = None def _RemoveTempDir(): if _temp_dir: shutil.rmtree(_temp_dir, ignore_errors=True) atexit.register(_RemoveTempDir) def GetTempDir(): """Returns a directory for temporary files.""" global _temp_dir if not _temp_dir: _temp_dir = tempfile.mkdtemp() return _temp_dir def GetTestExecutablePath(executable_name, build_dir=None): """Returns the absolute path of the test binary given its name. The function will print a message and abort the program if the resulting file doesn't exist. Args: executable_name: name of the test binary that the test script runs. build_dir: directory where to look for executables, by default the result of GetBuildDir(). Returns: The absolute path of the test binary. """ path = os.path.abspath(os.path.join(build_dir or GetBuildDir(), executable_name)) if (IS_WINDOWS or IS_CYGWIN) and not path.endswith('.exe'): path += '.exe' if not os.path.exists(path): message = ( 'Unable to find the test binary. Please make sure to provide path\n' 'to the binary via the --build_dir flag or the BUILD_DIR\n' 'environment variable.') print >> sys.stderr, message sys.exit(1) return path def GetExitStatus(exit_code): """Returns the argument to exit(), or -1 if exit() wasn't called. Args: exit_code: the result value of os.system(command). """ if os.name == 'nt': # On Windows, os.WEXITSTATUS() doesn't work and os.system() returns # the argument to exit() directly. return exit_code else: # On Unix, os.WEXITSTATUS() must be used to extract the exit status # from the result of os.system(). if os.WIFEXITED(exit_code): return os.WEXITSTATUS(exit_code) else: return -1 class Subprocess: def __init__(self, command, working_dir=None, capture_stderr=True, env=None): """Changes into a specified directory, if provided, and executes a command. Restores the old directory afterwards. Args: command: The command to run, in the form of sys.argv. working_dir: The directory to change into. capture_stderr: Determines whether to capture stderr in the output member or to discard it. env: Dictionary with environment to pass to the subprocess. Returns: An object that represents outcome of the executed process. It has the following attributes: terminated_by_signal True iff the child process has been terminated by a signal. signal Sygnal that terminated the child process. exited True iff the child process exited normally. exit_code The code with which the child process exited. output Child process's stdout and stderr output combined in a string. """ # The subprocess module is the preferrable way of running programs # since it is available and behaves consistently on all platforms, # including Windows. But it is only available starting in python 2.4. # In earlier python versions, we revert to the popen2 module, which is # available in python 2.0 and later but doesn't provide required # functionality (Popen4) under Windows. This allows us to support Mac # OS X 10.4 Tiger, which has python 2.3 installed. if _SUBPROCESS_MODULE_AVAILABLE: if capture_stderr: stderr = subprocess.STDOUT else: stderr = subprocess.PIPE p = subprocess.Popen(command, stdout=subprocess.PIPE, stderr=stderr, cwd=working_dir, universal_newlines=True, env=env) # communicate returns a tuple with the file obect for the child's # output. self.output = p.communicate()[0] self._return_code = p.returncode else: old_dir = os.getcwd() def _ReplaceEnvDict(dest, src): # Changes made by os.environ.clear are not inheritable by child # processes until Python 2.6. To produce inheritable changes we have # to delete environment items with the del statement. for key in dest.keys(): del dest[key] dest.update(src) # When 'env' is not None, backup the environment variables and replace # them with the passed 'env'. When 'env' is None, we simply use the # current 'os.environ' for compatibility with the subprocess.Popen # semantics used above. if env is not None: old_environ = os.environ.copy() _ReplaceEnvDict(os.environ, env) try: if working_dir is not None: os.chdir(working_dir) if capture_stderr: p = popen2.Popen4(command) else: p = popen2.Popen3(command) p.tochild.close() self.output = p.fromchild.read() ret_code = p.wait() finally: os.chdir(old_dir) # Restore the old environment variables # if they were replaced. if env is not None: _ReplaceEnvDict(os.environ, old_environ) # Converts ret_code to match the semantics of # subprocess.Popen.returncode. if os.WIFSIGNALED(ret_code): self._return_code = -os.WTERMSIG(ret_code) else: # os.WIFEXITED(ret_code) should return True here. self._return_code = os.WEXITSTATUS(ret_code) if self._return_code < 0: self.terminated_by_signal = True self.exited = False self.signal = -self._return_code else: self.terminated_by_signal = False self.exited = True self.exit_code = self._return_code def Main(): """Runs the unit test.""" # We must call _ParseAndStripGTestFlags() before calling # unittest.main(). Otherwise the latter will be confused by the # --gtest_* flags. _ParseAndStripGTestFlags(sys.argv) # The tested binaries should not be writing XML output files unless the # script explicitly instructs them to. # TODO(vladl@google.com): Move this into Subprocess when we implement # passing environment into it as a parameter. if GTEST_OUTPUT_VAR_NAME in os.environ: del os.environ[GTEST_OUTPUT_VAR_NAME] _test_module.main()
cjerdonek/pip
refs/heads/develop
tests/lib/git_submodule_helpers.py
58
from __future__ import absolute_import import textwrap def _create_test_package_submodule(env): env.scratch_path.join("version_pkg_submodule").mkdir() submodule_path = env.scratch_path / 'version_pkg_submodule' env.run('touch', 'testfile', cwd=submodule_path) env.run('git', 'init', cwd=submodule_path) env.run('git', 'add', '.', cwd=submodule_path) env.run('git', 'commit', '-q', '--author', 'pip <pypa-dev@googlegroups.com>', '-am', 'initial version / submodule', cwd=submodule_path) return submodule_path def _change_test_package_submodule(env, submodule_path): submodule_path.join("testfile").write("this is a changed file") submodule_path.join("testfile2").write("this is an added file") env.run('git', 'add', '.', cwd=submodule_path) env.run('git', 'commit', '-q', '--author', 'pip <pypa-dev@googlegroups.com>', '-am', 'submodule change', cwd=submodule_path) def _pull_in_submodule_changes_to_module(env, module_path): env.run( 'git', 'pull', '-q', 'origin', 'master', cwd=module_path / 'testpkg/static/', ) env.run('git', 'commit', '-q', '--author', 'pip <pypa-dev@googlegroups.com>', '-am', 'submodule change', cwd=module_path) def _create_test_package_with_submodule(env): env.scratch_path.join("version_pkg").mkdir() version_pkg_path = env.scratch_path / 'version_pkg' version_pkg_path.join("testpkg").mkdir() pkg_path = version_pkg_path / 'testpkg' pkg_path.join("__init__.py").write("# hello there") pkg_path.join("version_pkg.py").write(textwrap.dedent('''\ def main(): print('0.1') ''')) version_pkg_path.join("setup.py").write(textwrap.dedent('''\ from setuptools import setup, find_packages setup(name='version_pkg', version='0.1', packages=find_packages(), ) ''')) env.run('git', 'init', cwd=version_pkg_path, expect_error=True) env.run('git', 'add', '.', cwd=version_pkg_path, expect_error=True) env.run('git', 'commit', '-q', '--author', 'pip <pypa-dev@googlegroups.com>', '-am', 'initial version', cwd=version_pkg_path, expect_error=True) submodule_path = _create_test_package_submodule(env) env.run( 'git', 'submodule', 'add', submodule_path, 'testpkg/static', cwd=version_pkg_path, expect_error=True, ) env.run('git', 'commit', '-q', '--author', 'pip <pypa-dev@googlegroups.com>', '-am', 'initial version w submodule', cwd=version_pkg_path, expect_error=True) return version_pkg_path, submodule_path
dablak/boto
refs/heads/develop
tests/unit/sqs/test_message.py
9
# Copyright (c) 2013 Amazon.com, Inc. or its affiliates. All Rights Reserved # # 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, dis- # tribute, sublicense, and/or sell copies of the Software, and to permit # persons to whom the Software is furnished to do so, subject to the fol- # lowing 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 MERCHANTABIL- # ITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT # SHALL THE AUTHOR 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. # from tests.unit import unittest from boto.sqs.message import MHMessage from boto.sqs.message import RawMessage from boto.sqs.bigmessage import BigMessage from boto.exception import SQSDecodeError class TestMHMessage(unittest.TestCase): def test_contains(self): msg = MHMessage() msg.update({'hello': 'world'}) self.assertTrue('hello' in msg) class DecodeExceptionRaisingMessage(RawMessage): def decode(self, message): raise SQSDecodeError('Sample decode error', self) class TestEncodeMessage(unittest.TestCase): def test_message_id_available(self): import xml.sax from boto.resultset import ResultSet from boto.handler import XmlHandler sample_value = 'abcdef' body = """<?xml version="1.0"?> <ReceiveMessageResponse> <ReceiveMessageResult> <Message> <Body>%s</Body> <ReceiptHandle>%s</ReceiptHandle> <MessageId>%s</MessageId> </Message> </ReceiveMessageResult> </ReceiveMessageResponse>""" % tuple([sample_value] * 3) rs = ResultSet([('Message', DecodeExceptionRaisingMessage)]) h = XmlHandler(rs, None) with self.assertRaises(SQSDecodeError) as context: xml.sax.parseString(body, h) message = context.exception.message self.assertEquals(message.id, sample_value) self.assertEquals(message.receipt_handle, sample_value) class TestBigMessage(unittest.TestCase): def test_s3url_parsing(self): msg = BigMessage() # Try just a bucket name bucket, key = msg._get_bucket_key('s3://foo') self.assertEquals(bucket, 'foo') self.assertEquals(key, None) # Try just a bucket name with trailing "/" bucket, key = msg._get_bucket_key('s3://foo/') self.assertEquals(bucket, 'foo') self.assertEquals(key, None) # Try a bucket and a key bucket, key = msg._get_bucket_key('s3://foo/bar') self.assertEquals(bucket, 'foo') self.assertEquals(key, 'bar') # Try a bucket and a key with "/" bucket, key = msg._get_bucket_key('s3://foo/bar/fie/baz') self.assertEquals(bucket, 'foo') self.assertEquals(key, 'bar/fie/baz') # Try it with no s3:// prefix with self.assertRaises(SQSDecodeError) as context: bucket, key = msg._get_bucket_key('foo/bar') if __name__ == '__main__': unittest.main()
proxysh/Safejumper-for-Desktop
refs/heads/master
buildlinux/env64/lib/python2.7/site-packages/pyasn1/type/tag.py
20
# # This file is part of pyasn1 software. # # Copyright (c) 2005-2017, Ilya Etingof <etingof@gmail.com> # License: http://pyasn1.sf.net/license.html # from operator import getitem from pyasn1 import error __all__ = ['tagClassUniversal', 'tagClassApplication', 'tagClassContext', 'tagClassPrivate', 'tagFormatSimple', 'tagFormatConstructed', 'tagCategoryImplicit', 'tagCategoryExplicit', 'tagCategoryUntagged', 'Tag', 'TagSet'] tagClassUniversal = 0x00 tagClassApplication = 0x40 tagClassContext = 0x80 tagClassPrivate = 0xC0 tagFormatSimple = 0x00 tagFormatConstructed = 0x20 tagCategoryImplicit = 0x01 tagCategoryExplicit = 0x02 tagCategoryUntagged = 0x04 class Tag(object): """ASN.1 types tags""" def __init__(self, tagClass, tagFormat, tagId): if tagId < 0: raise error.PyAsn1Error( 'Negative tag ID (%s) not allowed' % (tagId,) ) self.__tag = (tagClass, tagFormat, tagId) self.uniq = (tagClass, tagId) self.__hashedUniqTag = hash(self.uniq) def __str__(self): return '[%s:%s:%s]' % self.__tag def __repr__(self): return '%s(tagClass=%s, tagFormat=%s, tagId=%s)' % ( (self.__class__.__name__,) + self.__tag ) # These is really a hotspot -- expose public "uniq" attribute to save on # function calls def __eq__(self, other): return self.uniq == other.uniq def __ne__(self, other): return self.uniq != other.uniq def __lt__(self, other): return self.uniq < other.uniq def __le__(self, other): return self.uniq <= other.uniq def __gt__(self, other): return self.uniq > other.uniq def __ge__(self, other): return self.uniq >= other.uniq def __hash__(self): return self.__hashedUniqTag def __getitem__(self, idx): return self.__tag[idx] def __and__(self, otherTag): (tagClass, tagFormat, tagId) = otherTag return self.__class__( self.__tag & tagClass, self.__tag & tagFormat, self.__tag & tagId ) def __or__(self, otherTag): (tagClass, tagFormat, tagId) = otherTag return self.__class__( self.__tag[0] | tagClass, self.__tag[1] | tagFormat, self.__tag[2] | tagId ) def asTuple(self): return self.__tag # __getitem__() is slow class TagSet(object): def __init__(self, baseTag=(), *superTags): self.__baseTag = baseTag self.__superTags = superTags self.__hashedSuperTags = hash(superTags) _uniq = () for t in superTags: _uniq = _uniq + t.uniq self.uniq = _uniq self.__lenOfSuperTags = len(superTags) def __str__(self): return self.__superTags and '+'.join([str(x) for x in self.__superTags]) or '[untagged]' def __repr__(self): return '%s(%s)' % ( self.__class__.__name__, '(), ' + ', '.join([repr(x) for x in self.__superTags]) ) def __add__(self, superTag): return self.__class__( self.__baseTag, *self.__superTags + (superTag,) ) def __radd__(self, superTag): return self.__class__( self.__baseTag, *(superTag,) + self.__superTags ) def tagExplicitly(self, superTag): tagClass, tagFormat, tagId = superTag if tagClass == tagClassUniversal: raise error.PyAsn1Error( 'Can\'t tag with UNIVERSAL-class tag' ) if tagFormat != tagFormatConstructed: superTag = Tag(tagClass, tagFormatConstructed, tagId) return self + superTag def tagImplicitly(self, superTag): tagClass, tagFormat, tagId = superTag if self.__superTags: superTag = Tag(tagClass, self.__superTags[-1][1], tagId) return self[:-1] + superTag def getBaseTag(self): return self.__baseTag def __getitem__(self, idx): if isinstance(idx, slice): return self.__class__( self.__baseTag, *getitem(self.__superTags, idx) ) return self.__superTags[idx] def __eq__(self, other): return self.uniq == other.uniq def __ne__(self, other): return self.uniq != other.uniq def __lt__(self, other): return self.uniq < other.uniq def __le__(self, other): return self.uniq <= other.uniq def __gt__(self, other): return self.uniq > other.uniq def __ge__(self, other): return self.uniq >= other.uniq def __hash__(self): return self.__hashedSuperTags def __len__(self): return self.__lenOfSuperTags def isSuperTagSetOf(self, tagSet): if len(tagSet) < self.__lenOfSuperTags: return False idx = self.__lenOfSuperTags - 1 while idx >= 0: if self.__superTags[idx] != tagSet[idx]: return idx -= 1 return True def initTagSet(tag): return TagSet(tag, tag)
Taranys/Sick-Beard
refs/heads/development
sickbeard/providers/t411.py
5
# -*- coding: latin-1 -*- # Author: Guillaume Serre <guillaume.serre@gmail.com> # URL: http://code.google.com/p/sickbeard/ # # This file is part of Sick Beard. # # Sick Beard is free software: you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by # the Free Software Foundation, either version 3 of the License, or # (at your option) any later version. # # Sick Beard 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 General Public License for more details. # # You should have received a copy of the GNU General Public License # along with Sick Beard. If not, see <http://www.gnu.org/licenses/>. from bs4 import BeautifulSoup from sickbeard import classes, show_name_helpers, logger from sickbeard.common import Quality import generic import cookielib import sickbeard import urllib import urllib2 class T411Provider(generic.TorrentProvider): def __init__(self): generic.TorrentProvider.__init__(self, "T411") self.supportsBacklog = True self.cj = cookielib.CookieJar() self.opener = urllib2.build_opener(urllib2.HTTPCookieProcessor(self.cj)) self.url = "http://www.t411.me" self.login_done = False def isEnabled(self): return sickbeard.T411 def getSearchParams(self, searchString, audio_lang, subcat): if audio_lang == "en": return urllib.urlencode( {'search': searchString, 'cat' : 210, 'submit' : 'Recherche', 'subcat': subcat } ) + "&term%5B17%5D%5B%5D=540&term%5B17%5D%5B%5D=721" elif audio_lang == "fr": return urllib.urlencode( {'search': searchString, 'cat' : 210, 'submit' : 'Recherche', 'subcat': subcat } ) + "&term%5B17%5D%5B%5D=541&term%5B17%5D%5B%5D=542" else: return urllib.urlencode( {'search': searchString, 'cat' : 210, 'submit' : 'Recherche', 'subcat': subcat } ) def seasonValue(self, season): values = [968, 969, 970, 971, 972, 973, 974, 975, 976, 977, 978, 979, 980, 981, 982, 983, 984, 985, 986, 987, 988, 989, 990, 991, 994, 992, 993, 995, 996, 997] return values[int(season) -1] def episodeValue(self, episode): values = [937, 938, 939, 940, 941, 942, 943, 944, 946, 947, 948, 949, 950, 951, 952, 954, 953, 955, 956, 957, 958, 959, 960, 961, 962, 963, 964, 965, 966, 967, 1088, 1089, 1090, 1091, 1092, 1093, 1094, 1095, 1096, 1097, 1098, 1099, 1100, 1101, 1102, 1103, 1104, 1105, 1106, 1107, 1108, 1109, 1110, 1110, 1111, 1112, 1113, 1114, 1115, 1116, 1117] return values[int(episode) - 1] def _get_season_search_strings(self, show, season): showNames = show_name_helpers.allPossibleShowNames(show) results = [] for showName in showNames: if (int(season) < 31): results.append( self.getSearchParams(showName, show.audio_lang, 433 ) + "&" + urllib.urlencode({'term[46][]': 936, 'term[45][]': self.seasonValue(season)})) results.append( self.getSearchParams(showName, show.audio_lang, 637 ) + "&" + urllib.urlencode({'term[46][]': 936, 'term[45][]': self.seasonValue(season)})) #results.append( self.getSearchParams(showName + " S%02d" % season, show.audio_lang, 433 )) TOO MANY ERRORS #results.append( self.getSearchParams(showName + " S%02d" % season, show.audio_lang, 637 )) #results.append( self.getSearchParams(showName + " S%02d" % season, show.audio_lang, 634 )) #results.append( self.getSearchParams(showName + " saison %02d" % season, show.audio_lang, 433 )) #results.append( self.getSearchParams(showName + " saison %02d" % season, show.audio_lang, 637 )) results.append( self.getSearchParams(showName + " saison %02d" % season, show.audio_lang, 634 )) return results def _get_episode_search_strings(self, ep_obj): showNames = show_name_helpers.allPossibleShowNames(ep_obj.show) results = [] for showName in showNames: results.append( self.getSearchParams( "%s S%02dE%02d" % ( showName, ep_obj.season, ep_obj.episode), ep_obj.show.audio_lang, 433 )) if (int(ep_obj.season) < 31 and int(ep_obj.episode) < 61): results.append( self.getSearchParams( showName, ep_obj.show.audio_lang, 433)+ "&" + urllib.urlencode({'term[46][]': self.episodeValue(ep_obj.episode), 'term[45][]': self.seasonValue(ep_obj.season)})) #results.append( self.getSearchParams( "%s %dx%d" % ( showName, ep_obj.season, ep_obj.episode ), ep_obj.show.audio_lang , 433 )) MAY RETURN 1x12 WHEN SEARCHING 1x1 results.append( self.getSearchParams( "%s %dx%02d" % ( showName, ep_obj.season, ep_obj.episode ), ep_obj.show.audio_lang, 433 )) results.append( self.getSearchParams( "%s S%02dE%02d" % ( showName, ep_obj.season, ep_obj.episode), ep_obj.show.audio_lang, 637 )) if (int(ep_obj.season) < 31 and int(ep_obj.episode) < 61): results.append( self.getSearchParams( showName, ep_obj.show.audio_lang, 637)+ "&" + urllib.urlencode({'term[46][]': self.episodeValue(ep_obj.episode), 'term[45][]': self.seasonValue(ep_obj.season)})) #results.append( self.getSearchParams( "%s %dx%d" % ( showName, ep_obj.season, ep_obj.episode ), ep_obj.show.audio_lang, 637 )) results.append( self.getSearchParams( "%s %dx%02d" % ( showName, ep_obj.season, ep_obj.episode ), ep_obj.show.audio_lang, 637 )) results.append( self.getSearchParams( "%s S%02dE%02d" % ( showName, ep_obj.season, ep_obj.episode), ep_obj.show.audio_lang, 634)) #results.append( self.getSearchParams( "%s %dx%d" % ( showName, ep_obj.season, ep_obj.episode ), ep_obj.show.audio_lang, 634 )) results.append( self.getSearchParams( "%s %dx%02d" % ( showName, ep_obj.season, ep_obj.episode ), ep_obj.show.audio_lang, 634 )) return results def _get_title_and_url(self, item): return (item.title, item.url) def getQuality(self, item): return item.getQuality() def _doLogin(self, login, password): data = urllib.urlencode({'login': login, 'password' : password, 'submit' : 'Connexion', 'remember': 1, 'url' : '/'}) self.opener.open(self.url + '/users/login', data) def _doSearch(self, searchString, show=None, season=None): if not self.login_done: self._doLogin( sickbeard.T411_USERNAME, sickbeard.T411_PASSWORD ) results = [] searchUrl = self.url + '/torrents/search/?' + searchString logger.log(u"Search string: " + searchUrl, logger.DEBUG) r = self.opener.open( searchUrl ) soup = BeautifulSoup( r, "html.parser" ) resultsTable = soup.find("table", { "class" : "results" }) if resultsTable: rows = resultsTable.find("tbody").findAll("tr") for row in rows: link = row.find("a", title=True) title = link['title'] id = row.find_all('td')[2].find_all('a')[0]['href'][1:].replace('torrents/nfo/?id=','') downloadURL = ('http://www.t411.me/torrents/download/?id=%s' % id) quality = Quality.nameQuality( title ) if quality==Quality.UNKNOWN and title: if '720p' not in title.lower() and '1080p' not in title.lower(): quality=Quality.SDTV if show: results.append( T411SearchResult( self.opener, link['title'], downloadURL, quality, str(show.audio_lang) ) ) else: results.append( T411SearchResult( self.opener, link['title'], downloadURL, quality ) ) return results def getResult(self, episodes): """ Returns a result of the correct type for this provider """ result = classes.TorrentDataSearchResult(episodes) result.provider = self return result class T411SearchResult: def __init__(self, opener, title, url, quality, audio_langs=None): self.opener = opener self.title = title self.url = url self.quality = quality self.audio_langs=audio_langs def getNZB(self): return self.opener.open( self.url , 'wb').read() def getQuality(self): return self.quality provider = T411Provider()
guaix-ucm/megaradrp
refs/heads/master
megaradrp/tests/test_drp.py
2
import pytest from numina.core import BaseRecipe import numina.core.tagexpr as tagexpr import numina.types.multitype as mt from ..loader import load_drp @pytest.fixture def current_drp(): return load_drp() def simple_tagger(depos, keys): result = {} for k in keys: result[k] = depos[k] return result def test_recipes_are_defined(current_drp): assert 'default' in current_drp.pipelines for pipeval in current_drp.pipelines.values(): for key, val in pipeval.recipes.items(): recipe = pipeval.get_recipe_object(key) assert isinstance(recipe, BaseRecipe) expected_tags = { "MegaraSuccess": set(), "MegaraFail": set(), "MegaraBadPixelMask": set(), "MegaraBiasImage": set(), "MegaraDarkImage": set(), "MegaraArcCalibration": {'insmode', 'speclamp', 'vph'}, "MegaraSlitFlat": set(), "MegaraTraceMap": set(), "MegaraModelMap": {'insmode', 'vph'}, "MegaraFiberFlatImage": {'insmode', 'vph'}, "MegaraTwilightFlatImage": {'confid', 'insmode', 'vph'}, "MegaraFocusSpectrograph": {'insmode', 'vph'}, "MegaraFocusTelescope": {'confid', 'insmode', 'vph'}, "MegaraLcbAcquisition": {'confid', 'insmode', 'vph'}, "MegaraLcbImage": {'confid', 'insmode', 'vph'}, "MegaraLcbStdStar": {'confid', 'insmode', 'vph'}, "MegaraMosAcquisition": {'confid', 'insmode', 'vph'}, "MegaraMosImage": {'confid', 'insmode', 'vph'}, "MegaraMosStdStar": {'confid', 'insmode', 'vph'}, "MegaraExtinctionStar": set(), "MegaraSensitivityStar": set() } def test_recipes_have_tags(current_drp): for pipeval in current_drp.pipelines.values(): for key, val in pipeval.recipes.items(): recipe = pipeval.get_recipe_object(key) qfields = recipe.tag_names() assert qfields == expected_tags[key] results1 = { 'MegaraSuccess': {}, 'MegaraFail': {}, 'MegaraBadPixelMask': {'master_bias': 105}, 'MegaraBiasImage': {'master_bpm': 205}, 'MegaraDarkImage': {'master_bias': 105}, 'MegaraArcCalibration': {'master_bias': 105, 'master_bpm': 205, 'master_apertures': 11, 'lines_catalog': 1027}, 'MegaraSlitFlat': {'master_bpm': 205, 'master_bias': 105}, 'MegaraTraceMap': {'master_bias': 105, 'master_bpm': 205}, 'MegaraModelMap': {'master_bpm': 205, 'master_bias': 105, 'master_slitflat': 1, 'master_traces': 11}, 'MegaraFiberFlatImage': {'master_bias': 105, 'master_bpm': 205, 'master_slitflat': 1, 'master_apertures': 11, 'master_wlcalib': 21}, 'MegaraTwilightFlatImage': {'master_bias': 105, 'master_bpm': 205, 'master_slitflat': 1, 'master_apertures': 11, 'master_wlcalib': 21, 'master_fiberflat': 49}, 'MegaraFocusSpectrograph': {'master_bias': 105, 'master_bpm': 205, 'master_apertures': 11, 'master_wlcalib': 21}, 'MegaraFocusTelescope': {'master_bias': 105, 'master_bpm': 205, 'master_slitflat': 1, 'master_wlcalib': 21, 'master_fiberflat': 49, 'master_twilight': 59, 'master_apertures': 11}, 'MegaraLcbAcquisition': {'master_bias': 105, 'master_bpm': 205, 'master_slitflat': 1, 'master_wlcalib': 21, 'master_fiberflat': 49, 'master_twilight': 59, 'master_apertures': 11}, 'MegaraLcbImage': {'master_bias': 105, 'master_bpm': 205, 'master_slitflat': 1, 'master_wlcalib': 21, 'master_fiberflat': 49, 'master_twilight': 59, 'master_apertures': 11}, 'MegaraLcbStdStar': {'master_bias': 105, 'master_bpm': 205, 'master_slitflat': 1, 'master_wlcalib': 21, 'master_fiberflat': 49, 'master_twilight': 59, 'master_apertures': 11}, 'MegaraMosAcquisition': {'master_bias': 105, 'master_bpm': 205, 'master_slitflat': 1, 'master_wlcalib': 21, 'master_fiberflat': 49, 'master_twilight': 59, 'master_apertures': 11}, 'MegaraMosImage': {'master_bias': 105, 'master_bpm': 205, 'master_slitflat': 1, 'master_wlcalib': 21, 'master_fiberflat': 49, 'master_twilight': 59, 'master_apertures': 11}, 'MegaraMosStdStar': {'master_bias': 105, 'master_bpm': 205, 'master_slitflat': 1, 'master_wlcalib': 21, 'master_fiberflat': 49, 'master_twilight': 59, 'master_apertures': 11}, 'MegaraExtinctionStar': {}, 'MegaraSensitivityStar': {}, } results2 = { 'MegaraSuccess': {}, 'MegaraFail': {}, 'MegaraBadPixelMask': {'master_bias': 105}, 'MegaraBiasImage': {'master_bpm': 205}, 'MegaraDarkImage': {'master_bias': 105}, 'MegaraArcCalibration': {'master_bias': 105, 'master_bpm': 205, 'master_apertures': 12, 'lines_catalog': 1027}, 'MegaraSlitFlat': {'master_bpm': 205, 'master_bias': 105}, 'MegaraTraceMap': {'master_bias': 105, 'master_bpm': 205}, 'MegaraModelMap': {'master_bpm': 205, 'master_bias': 105, 'master_slitflat': 2, 'master_traces': 12}, 'MegaraFiberFlatImage': {'master_bias': 105, 'master_bpm': 205, 'master_slitflat': 2, 'master_apertures': 12, 'master_wlcalib': 22}, 'MegaraTwilightFlatImage': {'master_bias': 105, 'master_bpm': 205, 'master_slitflat': 2, 'master_apertures': 12, 'master_wlcalib': 22, 'master_fiberflat': 42}, 'MegaraFocusSpectrograph': {'master_bias': 105, 'master_bpm': 205, 'master_apertures': 12, 'master_wlcalib': 22}, 'MegaraFocusTelescope': {'master_bias': 105, 'master_bpm': 205, 'master_slitflat': 2, 'master_wlcalib': 22, 'master_fiberflat': 42, 'master_twilight': 52, 'master_apertures': 12}, 'MegaraLcbAcquisition': {'master_bias': 105, 'master_bpm': 205, 'master_slitflat': 2, 'master_wlcalib': 22, 'master_fiberflat': 42, 'master_twilight': 52, 'master_apertures': 12}, 'MegaraLcbImage': {'master_bias': 105, 'master_bpm': 205, 'master_slitflat': 2, 'master_wlcalib': 22, 'master_fiberflat': 42, 'master_twilight': 52, 'master_apertures': 12}, 'MegaraLcbStdStar': {'master_bias': 105, 'master_bpm': 205, 'master_slitflat': 2, 'master_wlcalib': 22, 'master_fiberflat': 42, 'master_twilight': 52, 'master_apertures': 12}, 'MegaraMosAcquisition': {'master_bias': 105, 'master_bpm': 205, 'master_slitflat': 2, 'master_wlcalib': 22, 'master_fiberflat': 42, 'master_twilight': 52, 'master_apertures': 12}, 'MegaraMosImage': {'master_bias': 105, 'master_bpm': 205, 'master_slitflat': 2, 'master_wlcalib': 22, 'master_fiberflat': 42, 'master_twilight': 52, 'master_apertures': 12}, 'MegaraMosStdStar': {'master_bias': 105, 'master_bpm': 205, 'master_slitflat': 2, 'master_wlcalib': 22, 'master_fiberflat': 42, 'master_twilight': 52, 'master_apertures': 12}, 'MegaraExtinctionStar': {}, 'MegaraSensitivityStar': {}, } ob_repo1 = {'vph': 'HR-I', 'insmode': 'MOS', 'confid': '123', 'speclamp': 'ThNe'} ob_repo2 = {'vph': 'HR-I', 'insmode': 'LCB', 'confid': '000', 'speclamp': 'ThNe'} @pytest.mark.parametrize("ob_repo, results", [ (ob_repo1, results1), (ob_repo2, results2) ]) def test_recipes_extract_tags(current_drp, ob_repo, results): calibs = { 'lines_catalog': [ {'id': 1025, 'tags': {'vph': 'LR-I', 'speclamp': 'ThNe'}}, {'id': 1026, 'tags': {'vph': 'LR-I', 'speclamp': 'ThAr'}}, {'id': 1027, 'tags': {'vph': 'HR-I', 'speclamp': 'ThNe'}}, {'id': 1027, 'tags': {'vph': 'HR-I', 'speclamp': 'ThAr'}}, ], 'master_bias': [ {'id': 105, 'tags': {}}, {'id': 101, 'tags': {}}, {'id': 102, 'tags': {}} ], 'master_dark': [ ], 'master_bpm': [ {'id': 205, 'tags': {}}, {'id': 201, 'tags': {}}, {'id': 202, 'tags': {}} ], 'master_slitflat': [ {'id': 5, 'tags': {'vph': 'LR-I', 'insmode': 'MOS'}}, {'id': 1, 'tags': {'vph': 'HR-I', 'insmode': 'MOS'}}, {'id': 2, 'tags': {'vph': 'HR-I', 'insmode': 'LCB'}} ], 'master_traces': [ {'id': 15, 'tags': {'vph': 'LR-I', 'insmode': 'MOS'}}, {'id': 11, 'tags': {'vph': 'HR-I', 'insmode': 'MOS'}}, {'id': 12, 'tags': {'vph': 'HR-I', 'insmode': 'LCB'}} ], 'master_wlcalib': [ {'id': 25, 'tags': {'vph': 'LR-I', 'insmode': 'MOS'}}, {'id': 21, 'tags': {'vph': 'HR-I', 'insmode': 'MOS'}}, {'id': 22, 'tags': {'vph': 'HR-I', 'insmode': 'LCB'}} ], 'master_fiberflat': [ {'id': 45, 'tags': {'vph': 'LR-I', 'insmode': 'MOS', 'confid': '123'}}, {'id': 49, 'tags': {'vph': 'HR-I', 'insmode': 'MOS', 'confid': '123'}}, {'id': 41, 'tags': {'vph': 'HR-I', 'insmode': 'MOS', 'confid': '321'}}, {'id': 42, 'tags': {'vph': 'HR-I', 'insmode': 'LCB', 'confid': '000'}} ], 'master_twilight': [ {'id': 55, 'tags': {'vph': 'LR-I', 'insmode': 'MOS', 'confid': '123'}}, {'id': 59, 'tags': {'vph': 'HR-I', 'insmode': 'MOS', 'confid': '123'}}, {'id': 51, 'tags': {'vph': 'HR-I', 'insmode': 'MOS', 'confid': '321'}}, {'id': 52, 'tags': {'vph': 'HR-I', 'insmode': 'LCB', 'confid': '000'}} ] } calibs['master_apertures'] = calibs['master_traces'] for pipeval in current_drp.pipelines.values(): for key, val in pipeval.recipes.items(): recipe = pipeval.get_recipe_object(key) qfields = recipe.tag_names() ob_tags = simple_tagger(ob_repo, qfields) match_per_recipe = {} for rkey, val in recipe.requirements().items(): if val.type.isproduct(): if isinstance(val.type, mt.MultiType): try_these = val.type.node_type else: try_these = [val.type] for vtype in try_these: expr2 = vtype.query_expr.fill_placeholders(**ob_tags) # Load table of products try: table = calibs[rkey] for entry in table: match = expr2.eval(**entry['tags']) if isinstance(match, tagexpr.Expression): msg = f'{rkey} tags are not complete: {match}' raise ValueError(msg) if match == True: match_per_recipe[rkey] = entry['id'] break else: pass except KeyError: pass assert results[key] == match_per_recipe
Erethon/synnefo
refs/heads/develop
snf-cyclades-app/synnefo/logic/management/commands/server-create.py
3
# Copyright (C) 2010-2014 GRNET S.A. # # This program is free software: you can redistribute it and/or modify # it under the terms of the GNU 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 General Public License for more details. # # You should have received a copy of the GNU General Public License # along with this program. If not, see <http://www.gnu.org/licenses/>. from optparse import make_option from django.core.management.base import CommandError from synnefo.management import common, pprint from snf_django.management.utils import parse_bool from snf_django.management.commands import SynnefoCommand from synnefo.logic import servers HELP_MSG = """ Create a new VM without authenticating the user or checking the resource limits of the user. Also the allocator can be bypassed by specifing a backend-id. """ class Command(SynnefoCommand): help = "Create a new VM." + HELP_MSG option_list = SynnefoCommand.option_list + ( make_option("--backend-id", dest="backend_id", help="Unique identifier of the Ganeti backend." " Use snf-manage backend-list to find out" " available backends."), make_option("--name", dest="name", help="An arbitrary string for naming the server"), make_option("--user", dest="user_id", help="Unique identifier of the owner of the server"), make_option("--image", dest="image_id", default=None, help="Unique identifier of the image." " Use snf-manage image-list to find out" " available images."), make_option("--flavor", dest="flavor_id", help="Unique identifier of the flavor" " Use snf-manage flavor-list to find out" " available flavors."), make_option("--password", dest="password", help="Password for the new server"), make_option("--port", dest="connections", action="append", help="--port network:<network_id>(,address=<ip_address>)," " --port id:<port_id>" " --port floatingip:<floatingip_id>."), make_option("--volume", dest="volumes", action="append", help="--volume size=<size>, --volume id=<volume_id>" ", --volume size=<size>,image=<image_id>" ", --volume size=<size>,snapshot=<snapshot_id>", default=[]), make_option("--floating-ips", dest="floating_ip_ids", help="Comma separated list of port IDs to connect"), make_option( '--wait', dest='wait', default="False", choices=["True", "False"], metavar="True|False", help="Wait for Ganeti job to complete. [Default: False]"), ) @common.convert_api_faults def handle(self, *args, **options): if args: raise CommandError("Command doesn't accept any arguments") name = options['name'] user_id = options['user_id'] backend_id = options['backend_id'] image_id = options['image_id'] flavor_id = options['flavor_id'] password = options['password'] volumes = options['volumes'] if not name: raise CommandError("name is mandatory") if not user_id: raise CommandError("user is mandatory") if not password: raise CommandError("password is mandatory") if not flavor_id: raise CommandError("flavor is mandatory") if not image_id and not volumes: raise CommandError("image is mandatory") flavor = common.get_resource("flavor", flavor_id) if image_id is not None: common.get_image(image_id, user_id) if backend_id: backend = common.get_resource("backend", backend_id) else: backend = None connection_list = parse_connections(options["connections"]) volumes_list = parse_volumes(volumes) server = servers.create(user_id, name, password, flavor, image_id, networks=connection_list, volumes=volumes_list, use_backend=backend) pprint.pprint_server(server, stdout=self.stdout) wait = parse_bool(options["wait"]) common.wait_server_task(server, wait, self.stdout) def parse_volumes(vol_list): volumes = [] for vol in vol_list: vol_dict = {} kv_list = vol.split(",") for kv_item in kv_list: try: k, v = kv_item.split("=") except (TypeError, ValueError): raise CommandError("Invalid syntax for volume: %s" % vol) vol_dict[k] = v size = vol_dict.get("size") if size is not None: try: size = int(size) except (TypeError, ValueError): raise CommandError("Invalid size: %s" % size) if len(vol_dict) == 1: if size is not None: volumes.append({"size": size, "source_type": "blank", "source_uuid": None}) continue vol_id = vol_dict.get("id") if vol_id is not None: volumes.append({"source_uuid": vol_id, "source_type": "volume"}) continue raise CommandError("Invalid syntax for volume %s" % vol) image = vol_dict.get("image") snapshot = vol_dict.get("snapshot") if image and snapshot or not(image or snapshot) or size is None: raise CommandError("Invalid syntax for volume %s" % vol) source = image if image else snapshot source_type = "image" if image else "snapshot" volumes.append({"source_uuid": source, "source_type": source_type, "size": size}) return volumes def parse_connections(con_list): connections = [] if con_list: for opt in con_list: try: con_kind = opt.split(":")[0] if con_kind == "network": info = opt.split(",") network_id = info[0].split(":")[1] try: address = info[1].split(":")[1] except: address = None if address: val = {"uuid": network_id, "fixed_ip": address} else: val = {"uuid": network_id} elif con_kind == "id": port_id = opt.split(":")[1] val = {"port": port_id} elif con_kind == "floatingip": fip_id = opt.split(":")[1] fip = common.get_resource("floating-ip", fip_id, for_update=True) val = {"uuid": fip.network_id, "fixed_ip": fip.address} else: raise CommandError("Unknown argument for option --port") connections.append(val) except: raise CommandError("Malformed information for option --port") return connections
infinnovation/mbed-os
refs/heads/master
tools/host_tests/example/BroadcastSend.py
128
""" mbed SDK Copyright (c) 2011-2013 ARM Limited Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at http://www.apache.org/licenses/LICENSE-2.0 Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the specific language governing permissions and limitations under the License. """ import socket from time import sleep, time BROADCAST_PORT = 58083 s = socket.socket(socket.AF_INET, socket.SOCK_DGRAM) s.bind(('', 0)) s.setsockopt(socket.SOL_SOCKET, socket.SO_BROADCAST, 1) while True: print "Broadcasting..." data = 'Hello World: ' + repr(time()) + '\n' s.sendto(data, ('<broadcast>', BROADCAST_PORT)) sleep(1)
ScreamingUdder/mantid
refs/heads/master
Testing/SystemTests/scripts/performance/make_report.py
3
#!/usr/bin/env python import argparse import sys import os import subprocess import sqlite3 #==================================================================================== def getSourceDir(): """Returns the location of the source code.""" import os import sys script = os.path.abspath(sys.argv[0]) if os.path.islink(script): script = os.path.realpath(script) return os.path.dirname(script) def join_databases(dbfiles): """Create a single DB joining several ones Returns: filename created """ outfile = os.path.join(os.path.dirname(dbfiles[0]), "JoinedDatabases.db") all_results = [] # Get the results of each file for dbfile in dbfiles: print "Reading", dbfile sqlresults.set_database_filename(dbfile) these_results = sqlresults.get_results("") all_results += these_results # Write them into one sqlresults.set_database_filename(outfile) sqlresults.setup_database() reporter = sqlresults.SQLResultReporter() for res in all_results: reporter.dispatchResults(res) # Done! return outfile #==================================================================================== if __name__ == "__main__": # Parse the command line parser = argparse.ArgumentParser(description='Generates a HTML report using the Mantid System Tests results database') parser.add_argument('--path', dest='path', default="./Report", help='Path to the ouput HTML. Default "./Report".' ) parser.add_argument('--x_field', dest='x_field', default="revision", help="Field to use as the x-axis. Default: 'revision'. Other possibilities: 'date'.") parser.add_argument('dbfile', metavar='DBFILE', type=str, nargs='+', default=["./MantidSystemTests.db"], help='Required: Path to the SQL database file(s).') args = parser.parse_args() # Import the manager definition import analysis import sqlresults if len(args.dbfile) > 1: # Several files - join them into one big .db dbfile = join_databases(args.dbfile) else: # Only one file - use it dbfile = args.dbfile[0] if not os.path.exists(dbfile): print "Error! Could not find", dbfile sys.exit(1) # This is where we look for the DB file sqlresults.set_database_filename(dbfile) # Make the report analysis.generate_html_report(args.path, 100, args.x_field)
alajara/servo
refs/heads/master
tests/wpt/web-platform-tests/tools/pywebsocket/src/mod_pywebsocket/_stream_hixie75.py
681
# Copyright 2011, Google Inc. # All rights reserved. # # Redistribution and use in source and binary forms, with or without # modification, are permitted provided that the following conditions are # met: # # * Redistributions of source code must retain the above copyright # notice, this list of conditions and the following disclaimer. # * Redistributions in binary form must reproduce the above # copyright notice, this list of conditions and the following disclaimer # in the documentation and/or other materials provided with the # distribution. # * Neither the name of Google Inc. nor the names of its # contributors may be used to endorse or promote products derived from # this software without specific prior written permission. # # THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS # "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT # LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR # A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT # OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, # SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT # LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, # DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY # THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT # (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE # OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. """This file provides a class for parsing/building frames of the WebSocket protocol version HyBi 00 and Hixie 75. Specification: - HyBi 00 http://tools.ietf.org/html/draft-ietf-hybi-thewebsocketprotocol-00 - Hixie 75 http://tools.ietf.org/html/draft-hixie-thewebsocketprotocol-75 """ from mod_pywebsocket import common from mod_pywebsocket._stream_base import BadOperationException from mod_pywebsocket._stream_base import ConnectionTerminatedException from mod_pywebsocket._stream_base import InvalidFrameException from mod_pywebsocket._stream_base import StreamBase from mod_pywebsocket._stream_base import UnsupportedFrameException from mod_pywebsocket import util class StreamHixie75(StreamBase): """A class for parsing/building frames of the WebSocket protocol version HyBi 00 and Hixie 75. """ def __init__(self, request, enable_closing_handshake=False): """Construct an instance. Args: request: mod_python request. enable_closing_handshake: to let StreamHixie75 perform closing handshake as specified in HyBi 00, set this option to True. """ StreamBase.__init__(self, request) self._logger = util.get_class_logger(self) self._enable_closing_handshake = enable_closing_handshake self._request.client_terminated = False self._request.server_terminated = False def send_message(self, message, end=True, binary=False): """Send message. Args: message: unicode string to send. binary: not used in hixie75. Raises: BadOperationException: when called on a server-terminated connection. """ if not end: raise BadOperationException( 'StreamHixie75 doesn\'t support send_message with end=False') if binary: raise BadOperationException( 'StreamHixie75 doesn\'t support send_message with binary=True') if self._request.server_terminated: raise BadOperationException( 'Requested send_message after sending out a closing handshake') self._write(''.join(['\x00', message.encode('utf-8'), '\xff'])) def _read_payload_length_hixie75(self): """Reads a length header in a Hixie75 version frame with length. Raises: ConnectionTerminatedException: when read returns empty string. """ length = 0 while True: b_str = self._read(1) b = ord(b_str) length = length * 128 + (b & 0x7f) if (b & 0x80) == 0: break return length def receive_message(self): """Receive a WebSocket frame and return its payload an unicode string. Returns: payload unicode string in a WebSocket frame. Raises: ConnectionTerminatedException: when read returns empty string. BadOperationException: when called on a client-terminated connection. """ if self._request.client_terminated: raise BadOperationException( 'Requested receive_message after receiving a closing ' 'handshake') while True: # Read 1 byte. # mp_conn.read will block if no bytes are available. # Timeout is controlled by TimeOut directive of Apache. frame_type_str = self.receive_bytes(1) frame_type = ord(frame_type_str) if (frame_type & 0x80) == 0x80: # The payload length is specified in the frame. # Read and discard. length = self._read_payload_length_hixie75() if length > 0: _ = self.receive_bytes(length) # 5.3 3. 12. if /type/ is 0xFF and /length/ is 0, then set the # /client terminated/ flag and abort these steps. if not self._enable_closing_handshake: continue if frame_type == 0xFF and length == 0: self._request.client_terminated = True if self._request.server_terminated: self._logger.debug( 'Received ack for server-initiated closing ' 'handshake') return None self._logger.debug( 'Received client-initiated closing handshake') self._send_closing_handshake() self._logger.debug( 'Sent ack for client-initiated closing handshake') return None else: # The payload is delimited with \xff. bytes = self._read_until('\xff') # The WebSocket protocol section 4.4 specifies that invalid # characters must be replaced with U+fffd REPLACEMENT # CHARACTER. message = bytes.decode('utf-8', 'replace') if frame_type == 0x00: return message # Discard data of other types. def _send_closing_handshake(self): if not self._enable_closing_handshake: raise BadOperationException( 'Closing handshake is not supported in Hixie 75 protocol') self._request.server_terminated = True # 5.3 the server may decide to terminate the WebSocket connection by # running through the following steps: # 1. send a 0xFF byte and a 0x00 byte to the client to indicate the # start of the closing handshake. self._write('\xff\x00') def close_connection(self, unused_code='', unused_reason=''): """Closes a WebSocket connection. Raises: ConnectionTerminatedException: when closing handshake was not successfull. """ if self._request.server_terminated: self._logger.debug( 'Requested close_connection but server is already terminated') return if not self._enable_closing_handshake: self._request.server_terminated = True self._logger.debug('Connection closed') return self._send_closing_handshake() self._logger.debug('Sent server-initiated closing handshake') # TODO(ukai): 2. wait until the /client terminated/ flag has been set, # or until a server-defined timeout expires. # # For now, we expect receiving closing handshake right after sending # out closing handshake, and if we couldn't receive non-handshake # frame, we take it as ConnectionTerminatedException. message = self.receive_message() if message is not None: raise ConnectionTerminatedException( 'Didn\'t receive valid ack for closing handshake') # TODO: 3. close the WebSocket connection. # note: mod_python Connection (mp_conn) doesn't have close method. def send_ping(self, body): raise BadOperationException( 'StreamHixie75 doesn\'t support send_ping') # vi:sts=4 sw=4 et
xu6148152/Binea_Python_Project
refs/heads/master
DataAnalysis/pandas_test/pandas_test.py
1
#!/usr/bin/env python3 # -*- encoding: utf-8 -*- from pandas import Series, DataFrame def test_series(): obj = Series([4, 7, -5, 3]) print(obj) print(obj.values) print(obj.index) obj2 = Series([4, 7, -5, 3], index=['d', 'b', 'a', 'c']) print(obj2) print(obj2.index) def test_dataframe(): data = {'state': ['Ohio', 'Ohio', 'Ohio', 'Nevada', 'Nevada'], 'year': [2000, 2001, 2002, 2001, 2002], 'pop': [1.5, 1.7, 3.6, 2.4, 2.9]} frame = DataFrame(data) print(frame) frame['eastern'] = frame.state == 'Ohio' print(frame) del frame['eastern'] print(frame) if __name__ == '__main__': test_dataframe()
PolyJIT/benchbuild
refs/heads/master
benchbuild/projects/benchbuild/gzip.py
1
from plumbum import local import benchbuild as bb from benchbuild.environments.domain.declarative import ContainerImage from benchbuild.settings import CFG from benchbuild.source import HTTP from benchbuild.utils.cmd import make, tar from benchbuild.utils.settings import get_number_of_jobs class Gzip(bb.Project): """ Gzip """ NAME = 'gzip' DOMAIN = 'compression' GROUP = 'benchbuild' SOURCE = [ HTTP( remote={'1.6': 'http://ftpmirror.gnu.org/gzip/gzip-1.6.tar.xz'}, local='gzip.tar.xz' ), HTTP( remote={'1.0': 'http://lairosiel.de/dist/compression.tar.gz'}, local='compression.tar.gz' ) ] CONTAINER = ContainerImage().from_('benchbuild:alpine') def run_tests(self): gzip_version = self.version_of('gzip.tar.xz') unpack_dir = local.path(f'gzip-{gzip_version}.tar.xz') gzip = bb.wrap(unpack_dir / "gzip", self) _gzip = bb.watch(gzip) # Compress _gzip("-f", "-k", "--best", "compression/text.html") _gzip("-f", "-k", "--best", "compression/chicken.jpg") _gzip("-f", "-k", "--best", "compression/control") _gzip("-f", "-k", "--best", "compression/input.source") _gzip("-f", "-k", "--best", "compression/liberty.jpg") # Decompress _gzip("-f", "-k", "--decompress", "compression/text.html.gz") _gzip("-f", "-k", "--decompress", "compression/chicken.jpg.gz") _gzip("-f", "-k", "--decompress", "compression/control.gz") _gzip("-f", "-k", "--decompress", "compression/input.source.gz") _gzip("-f", "-k", "--decompress", "compression/liberty.jpg.gz") def compile(self): gzip_source = local.path(self.source_of('gzip.tar.xz')) compression_source = local.path(self.source_of('compression.tar.gz')) tar('xfJ', gzip_source) tar('xf', compression_source) gzip_version = self.version_of('gzip.tar.xz') unpack_dir = "gzip-{0}.tar.xz".format(gzip_version) clang = bb.compiler.cc(self) with local.cwd(unpack_dir): _configure = bb.watch(local["./configure"]) with local.env(CC=str(clang)): _configure( "--disable-dependency-tracking", "--disable-silent-rules", "--with-gnu-ld" ) _make = bb.watch(make) _make("-j" + str(get_number_of_jobs(CFG)), "clean", "all")
iEngage/python-sdk
refs/heads/master
iengage_client/apis/user_authentication_api.py
1
# coding: utf-8 """ Stakeholder engagement API This API enables Intelligent Engagement for your Business. iEngage is a platform that combines process, augmented intelligence and rewards to help you intelligently engage customers. OpenAPI spec version: 1.0 Generated by: https://github.com/swagger-api/swagger-codegen.git """ from __future__ import absolute_import import sys import os import re # python 2 and python 3 compatibility library from six import iteritems from ..configuration import Configuration from ..api_client import ApiClient class UserAuthenticationApi(object): """ NOTE: This class is auto generated by the swagger code generator program. Do not edit the class manually. Ref: https://github.com/swagger-api/swagger-codegen """ def __init__(self, api_client=None): config = Configuration() if api_client: self.api_client = api_client else: if not config.api_client: config.api_client = ApiClient() self.api_client = config.api_client def add_notification_registered_id(self, registered_id, type, logged_in_user_id, access_token, client_token, **kwargs): """ Add device token Add device token to push notification from server This method makes a synchronous HTTP request by default. To make an asynchronous HTTP request, please define a `callback` function to be invoked when receiving the response. >>> def callback_function(response): >>> pprint(response) >>> >>> thread = api.add_notification_registered_id(registered_id, type, logged_in_user_id, access_token, client_token, callback=callback_function) :param callback function: The callback function for asynchronous request. (optional) :param str registered_id: Registered device token to be added (required) :param str type: Type of device android, ios (required) :param str logged_in_user_id: User id of logged / authenticated user (required) :param str access_token: Unique session token for user. To get access token user will have to authenticate (required) :param str client_token: Use the Client Token. Please generate it from the Applications section under the Production & Sandbox tabs (required) :return: bool If the method is called asynchronously, returns the request thread. """ kwargs['_return_http_data_only'] = True if kwargs.get('callback'): return self.add_notification_registered_id_with_http_info(registered_id, type, logged_in_user_id, access_token, client_token, **kwargs) else: (data) = self.add_notification_registered_id_with_http_info(registered_id, type, logged_in_user_id, access_token, client_token, **kwargs) return data def add_notification_registered_id_with_http_info(self, registered_id, type, logged_in_user_id, access_token, client_token, **kwargs): """ Add device token Add device token to push notification from server This method makes a synchronous HTTP request by default. To make an asynchronous HTTP request, please define a `callback` function to be invoked when receiving the response. >>> def callback_function(response): >>> pprint(response) >>> >>> thread = api.add_notification_registered_id_with_http_info(registered_id, type, logged_in_user_id, access_token, client_token, callback=callback_function) :param callback function: The callback function for asynchronous request. (optional) :param str registered_id: Registered device token to be added (required) :param str type: Type of device android, ios (required) :param str logged_in_user_id: User id of logged / authenticated user (required) :param str access_token: Unique session token for user. To get access token user will have to authenticate (required) :param str client_token: Use the Client Token. Please generate it from the Applications section under the Production & Sandbox tabs (required) :return: bool If the method is called asynchronously, returns the request thread. """ all_params = ['registered_id', 'type', 'logged_in_user_id', 'access_token', 'client_token'] all_params.append('callback') all_params.append('_return_http_data_only') all_params.append('_preload_content') all_params.append('_request_timeout') params = locals() for key, val in iteritems(params['kwargs']): if key not in all_params: raise TypeError( "Got an unexpected keyword argument '%s'" " to method add_notification_registered_id" % key ) params[key] = val del params['kwargs'] # verify the required parameter 'registered_id' is set if ('registered_id' not in params) or (params['registered_id'] is None): raise ValueError("Missing the required parameter `registered_id` when calling `add_notification_registered_id`") # verify the required parameter 'type' is set if ('type' not in params) or (params['type'] is None): raise ValueError("Missing the required parameter `type` when calling `add_notification_registered_id`") # verify the required parameter 'logged_in_user_id' is set if ('logged_in_user_id' not in params) or (params['logged_in_user_id'] is None): raise ValueError("Missing the required parameter `logged_in_user_id` when calling `add_notification_registered_id`") # verify the required parameter 'access_token' is set if ('access_token' not in params) or (params['access_token'] is None): raise ValueError("Missing the required parameter `access_token` when calling `add_notification_registered_id`") # verify the required parameter 'client_token' is set if ('client_token' not in params) or (params['client_token'] is None): raise ValueError("Missing the required parameter `client_token` when calling `add_notification_registered_id`") collection_formats = {} resource_path = '/devices'.replace('{format}', 'json') path_params = {} query_params = {} header_params = {} if 'logged_in_user_id' in params: header_params['loggedInUserId'] = params['logged_in_user_id'] if 'access_token' in params: header_params['accessToken'] = params['access_token'] if 'client_token' in params: header_params['clientToken'] = params['client_token'] form_params = [] local_var_files = {} if 'registered_id' in params: form_params.append(('registeredId', params['registered_id'])) if 'type' in params: form_params.append(('type', params['type'])) body_params = None # HTTP header `Accept` header_params['Accept'] = self.api_client.\ select_header_accept(['application/json']) # HTTP header `Content-Type` header_params['Content-Type'] = self.api_client.\ select_header_content_type(['application/x-www-form-urlencoded']) # Authentication setting auth_settings = ['default'] return self.api_client.call_api(resource_path, 'POST', path_params, query_params, header_params, body=body_params, post_params=form_params, files=local_var_files, response_type='bool', auth_settings=auth_settings, callback=params.get('callback'), _return_http_data_only=params.get('_return_http_data_only'), _preload_content=params.get('_preload_content', True), _request_timeout=params.get('_request_timeout'), collection_formats=collection_formats) def add_user(self, screen_name, email_id, password, client_token, **kwargs): """ Add/Register new user Add/Register new user. Returns the user This method makes a synchronous HTTP request by default. To make an asynchronous HTTP request, please define a `callback` function to be invoked when receiving the response. >>> def callback_function(response): >>> pprint(response) >>> >>> thread = api.add_user(screen_name, email_id, password, client_token, callback=callback_function) :param callback function: The callback function for asynchronous request. (optional) :param str screen_name: unique ID of user (required) :param str email_id: email ID (required) :param str password: password (required) :param str client_token: Use the Client Token. Please generate it from the Applications section under the Production & Sandbox tabs (required) :param str first_name: first name :param str middle_name: middle name :param str last_name: last name :param int birth_day: birth day :param int birth_month: birth month :param int birth_year: birth year :param str addition_information: addition information :return: VerveResponseUser If the method is called asynchronously, returns the request thread. """ kwargs['_return_http_data_only'] = True if kwargs.get('callback'): return self.add_user_with_http_info(screen_name, email_id, password, client_token, **kwargs) else: (data) = self.add_user_with_http_info(screen_name, email_id, password, client_token, **kwargs) return data def add_user_with_http_info(self, screen_name, email_id, password, client_token, **kwargs): """ Add/Register new user Add/Register new user. Returns the user This method makes a synchronous HTTP request by default. To make an asynchronous HTTP request, please define a `callback` function to be invoked when receiving the response. >>> def callback_function(response): >>> pprint(response) >>> >>> thread = api.add_user_with_http_info(screen_name, email_id, password, client_token, callback=callback_function) :param callback function: The callback function for asynchronous request. (optional) :param str screen_name: unique ID of user (required) :param str email_id: email ID (required) :param str password: password (required) :param str client_token: Use the Client Token. Please generate it from the Applications section under the Production & Sandbox tabs (required) :param str first_name: first name :param str middle_name: middle name :param str last_name: last name :param int birth_day: birth day :param int birth_month: birth month :param int birth_year: birth year :param str addition_information: addition information :return: VerveResponseUser If the method is called asynchronously, returns the request thread. """ all_params = ['screen_name', 'email_id', 'password', 'client_token', 'first_name', 'middle_name', 'last_name', 'birth_day', 'birth_month', 'birth_year', 'addition_information'] all_params.append('callback') all_params.append('_return_http_data_only') all_params.append('_preload_content') all_params.append('_request_timeout') params = locals() for key, val in iteritems(params['kwargs']): if key not in all_params: raise TypeError( "Got an unexpected keyword argument '%s'" " to method add_user" % key ) params[key] = val del params['kwargs'] # verify the required parameter 'screen_name' is set if ('screen_name' not in params) or (params['screen_name'] is None): raise ValueError("Missing the required parameter `screen_name` when calling `add_user`") # verify the required parameter 'email_id' is set if ('email_id' not in params) or (params['email_id'] is None): raise ValueError("Missing the required parameter `email_id` when calling `add_user`") # verify the required parameter 'password' is set if ('password' not in params) or (params['password'] is None): raise ValueError("Missing the required parameter `password` when calling `add_user`") # verify the required parameter 'client_token' is set if ('client_token' not in params) or (params['client_token'] is None): raise ValueError("Missing the required parameter `client_token` when calling `add_user`") collection_formats = {} resource_path = '/users'.replace('{format}', 'json') path_params = {} query_params = {} header_params = {} if 'client_token' in params: header_params['clientToken'] = params['client_token'] form_params = [] local_var_files = {} if 'screen_name' in params: form_params.append(('screenName', params['screen_name'])) if 'first_name' in params: form_params.append(('firstName', params['first_name'])) if 'middle_name' in params: form_params.append(('middleName', params['middle_name'])) if 'last_name' in params: form_params.append(('lastName', params['last_name'])) if 'email_id' in params: form_params.append(('emailId', params['email_id'])) if 'password' in params: form_params.append(('password', params['password'])) if 'birth_day' in params: form_params.append(('birthDay', params['birth_day'])) if 'birth_month' in params: form_params.append(('birthMonth', params['birth_month'])) if 'birth_year' in params: form_params.append(('birthYear', params['birth_year'])) if 'addition_information' in params: form_params.append(('additionInformation', params['addition_information'])) body_params = None # HTTP header `Accept` header_params['Accept'] = self.api_client.\ select_header_accept(['application/json']) # HTTP header `Content-Type` header_params['Content-Type'] = self.api_client.\ select_header_content_type(['application/x-www-form-urlencoded']) # Authentication setting auth_settings = ['default'] return self.api_client.call_api(resource_path, 'POST', path_params, query_params, header_params, body=body_params, post_params=form_params, files=local_var_files, response_type='VerveResponseUser', auth_settings=auth_settings, callback=params.get('callback'), _return_http_data_only=params.get('_return_http_data_only'), _preload_content=params.get('_preload_content', True), _request_timeout=params.get('_request_timeout'), collection_formats=collection_formats) def authenticate(self, user_name, password, client_token, **kwargs): """ Authenticate User Authenticate with username & password This method makes a synchronous HTTP request by default. To make an asynchronous HTTP request, please define a `callback` function to be invoked when receiving the response. >>> def callback_function(response): >>> pprint(response) >>> >>> thread = api.authenticate(user_name, password, client_token, callback=callback_function) :param callback function: The callback function for asynchronous request. (optional) :param str user_name: User name (required) :param str password: Password (required) :param str client_token: Use the Client Token. Please generate it from the Applications section under the Production & Sandbox tabs (required) :return: User If the method is called asynchronously, returns the request thread. """ kwargs['_return_http_data_only'] = True if kwargs.get('callback'): return self.authenticate_with_http_info(user_name, password, client_token, **kwargs) else: (data) = self.authenticate_with_http_info(user_name, password, client_token, **kwargs) return data def authenticate_with_http_info(self, user_name, password, client_token, **kwargs): """ Authenticate User Authenticate with username & password This method makes a synchronous HTTP request by default. To make an asynchronous HTTP request, please define a `callback` function to be invoked when receiving the response. >>> def callback_function(response): >>> pprint(response) >>> >>> thread = api.authenticate_with_http_info(user_name, password, client_token, callback=callback_function) :param callback function: The callback function for asynchronous request. (optional) :param str user_name: User name (required) :param str password: Password (required) :param str client_token: Use the Client Token. Please generate it from the Applications section under the Production & Sandbox tabs (required) :return: User If the method is called asynchronously, returns the request thread. """ all_params = ['user_name', 'password', 'client_token'] all_params.append('callback') all_params.append('_return_http_data_only') all_params.append('_preload_content') all_params.append('_request_timeout') params = locals() for key, val in iteritems(params['kwargs']): if key not in all_params: raise TypeError( "Got an unexpected keyword argument '%s'" " to method authenticate" % key ) params[key] = val del params['kwargs'] # verify the required parameter 'user_name' is set if ('user_name' not in params) or (params['user_name'] is None): raise ValueError("Missing the required parameter `user_name` when calling `authenticate`") # verify the required parameter 'password' is set if ('password' not in params) or (params['password'] is None): raise ValueError("Missing the required parameter `password` when calling `authenticate`") # verify the required parameter 'client_token' is set if ('client_token' not in params) or (params['client_token'] is None): raise ValueError("Missing the required parameter `client_token` when calling `authenticate`") collection_formats = {} resource_path = '/authenticate'.replace('{format}', 'json') path_params = {} query_params = {} header_params = {} if 'user_name' in params: header_params['userName'] = params['user_name'] if 'password' in params: header_params['password'] = params['password'] if 'client_token' in params: header_params['clientToken'] = params['client_token'] form_params = [] local_var_files = {} body_params = None # HTTP header `Accept` header_params['Accept'] = self.api_client.\ select_header_accept(['application/json']) # HTTP header `Content-Type` header_params['Content-Type'] = self.api_client.\ select_header_content_type(['application/json']) # Authentication setting auth_settings = ['default'] return self.api_client.call_api(resource_path, 'GET', path_params, query_params, header_params, body=body_params, post_params=form_params, files=local_var_files, response_type='User', auth_settings=auth_settings, callback=params.get('callback'), _return_http_data_only=params.get('_return_http_data_only'), _preload_content=params.get('_preload_content', True), _request_timeout=params.get('_request_timeout'), collection_formats=collection_formats) def change_password(self, current_password, new_password, logged_in_user_id, access_token, client_token, **kwargs): """ Change password Allows the user to change password. Returns true if successful This method makes a synchronous HTTP request by default. To make an asynchronous HTTP request, please define a `callback` function to be invoked when receiving the response. >>> def callback_function(response): >>> pprint(response) >>> >>> thread = api.change_password(current_password, new_password, logged_in_user_id, access_token, client_token, callback=callback_function) :param callback function: The callback function for asynchronous request. (optional) :param str current_password: Current password (required) :param str new_password: New password (required) :param str logged_in_user_id: User id of logged / authenticated user (required) :param str access_token: Unique session token for user. To get access token user will have to authenticate (required) :param str client_token: Use the Client Token. Please generate it from the Applications section under the Production & Sandbox tabs (required) :return: bool If the method is called asynchronously, returns the request thread. """ kwargs['_return_http_data_only'] = True if kwargs.get('callback'): return self.change_password_with_http_info(current_password, new_password, logged_in_user_id, access_token, client_token, **kwargs) else: (data) = self.change_password_with_http_info(current_password, new_password, logged_in_user_id, access_token, client_token, **kwargs) return data def change_password_with_http_info(self, current_password, new_password, logged_in_user_id, access_token, client_token, **kwargs): """ Change password Allows the user to change password. Returns true if successful This method makes a synchronous HTTP request by default. To make an asynchronous HTTP request, please define a `callback` function to be invoked when receiving the response. >>> def callback_function(response): >>> pprint(response) >>> >>> thread = api.change_password_with_http_info(current_password, new_password, logged_in_user_id, access_token, client_token, callback=callback_function) :param callback function: The callback function for asynchronous request. (optional) :param str current_password: Current password (required) :param str new_password: New password (required) :param str logged_in_user_id: User id of logged / authenticated user (required) :param str access_token: Unique session token for user. To get access token user will have to authenticate (required) :param str client_token: Use the Client Token. Please generate it from the Applications section under the Production & Sandbox tabs (required) :return: bool If the method is called asynchronously, returns the request thread. """ all_params = ['current_password', 'new_password', 'logged_in_user_id', 'access_token', 'client_token'] all_params.append('callback') all_params.append('_return_http_data_only') all_params.append('_preload_content') all_params.append('_request_timeout') params = locals() for key, val in iteritems(params['kwargs']): if key not in all_params: raise TypeError( "Got an unexpected keyword argument '%s'" " to method change_password" % key ) params[key] = val del params['kwargs'] # verify the required parameter 'current_password' is set if ('current_password' not in params) or (params['current_password'] is None): raise ValueError("Missing the required parameter `current_password` when calling `change_password`") # verify the required parameter 'new_password' is set if ('new_password' not in params) or (params['new_password'] is None): raise ValueError("Missing the required parameter `new_password` when calling `change_password`") # verify the required parameter 'logged_in_user_id' is set if ('logged_in_user_id' not in params) or (params['logged_in_user_id'] is None): raise ValueError("Missing the required parameter `logged_in_user_id` when calling `change_password`") # verify the required parameter 'access_token' is set if ('access_token' not in params) or (params['access_token'] is None): raise ValueError("Missing the required parameter `access_token` when calling `change_password`") # verify the required parameter 'client_token' is set if ('client_token' not in params) or (params['client_token'] is None): raise ValueError("Missing the required parameter `client_token` when calling `change_password`") collection_formats = {} resource_path = '/users/password'.replace('{format}', 'json') path_params = {} query_params = {} header_params = {} if 'logged_in_user_id' in params: header_params['loggedInUserId'] = params['logged_in_user_id'] if 'access_token' in params: header_params['accessToken'] = params['access_token'] if 'client_token' in params: header_params['clientToken'] = params['client_token'] form_params = [] local_var_files = {} if 'current_password' in params: form_params.append(('currentPassword', params['current_password'])) if 'new_password' in params: form_params.append(('newPassword', params['new_password'])) body_params = None # HTTP header `Accept` header_params['Accept'] = self.api_client.\ select_header_accept(['application/json']) # HTTP header `Content-Type` header_params['Content-Type'] = self.api_client.\ select_header_content_type(['application/x-www-form-urlencoded']) # Authentication setting auth_settings = ['default'] return self.api_client.call_api(resource_path, 'PUT', path_params, query_params, header_params, body=body_params, post_params=form_params, files=local_var_files, response_type='bool', auth_settings=auth_settings, callback=params.get('callback'), _return_http_data_only=params.get('_return_http_data_only'), _preload_content=params.get('_preload_content', True), _request_timeout=params.get('_request_timeout'), collection_formats=collection_formats) def delete_user(self, user_id, client_token, **kwargs): """ Delete user Allows the user to delete user. Returns the deleted user This method makes a synchronous HTTP request by default. To make an asynchronous HTTP request, please define a `callback` function to be invoked when receiving the response. >>> def callback_function(response): >>> pprint(response) >>> >>> thread = api.delete_user(user_id, client_token, callback=callback_function) :param callback function: The callback function for asynchronous request. (optional) :param int user_id: userId (required) :param str client_token: Use the Client Token. Please generate it from the Applications section under the Production & Sandbox tabs (required) :return: VerveResponseUser If the method is called asynchronously, returns the request thread. """ kwargs['_return_http_data_only'] = True if kwargs.get('callback'): return self.delete_user_with_http_info(user_id, client_token, **kwargs) else: (data) = self.delete_user_with_http_info(user_id, client_token, **kwargs) return data def delete_user_with_http_info(self, user_id, client_token, **kwargs): """ Delete user Allows the user to delete user. Returns the deleted user This method makes a synchronous HTTP request by default. To make an asynchronous HTTP request, please define a `callback` function to be invoked when receiving the response. >>> def callback_function(response): >>> pprint(response) >>> >>> thread = api.delete_user_with_http_info(user_id, client_token, callback=callback_function) :param callback function: The callback function for asynchronous request. (optional) :param int user_id: userId (required) :param str client_token: Use the Client Token. Please generate it from the Applications section under the Production & Sandbox tabs (required) :return: VerveResponseUser If the method is called asynchronously, returns the request thread. """ all_params = ['user_id', 'client_token'] all_params.append('callback') all_params.append('_return_http_data_only') all_params.append('_preload_content') all_params.append('_request_timeout') params = locals() for key, val in iteritems(params['kwargs']): if key not in all_params: raise TypeError( "Got an unexpected keyword argument '%s'" " to method delete_user" % key ) params[key] = val del params['kwargs'] # verify the required parameter 'user_id' is set if ('user_id' not in params) or (params['user_id'] is None): raise ValueError("Missing the required parameter `user_id` when calling `delete_user`") # verify the required parameter 'client_token' is set if ('client_token' not in params) or (params['client_token'] is None): raise ValueError("Missing the required parameter `client_token` when calling `delete_user`") collection_formats = {} resource_path = '/users/{userId}'.replace('{format}', 'json') path_params = {} if 'user_id' in params: path_params['userId'] = params['user_id'] query_params = {} header_params = {} if 'client_token' in params: header_params['clientToken'] = params['client_token'] form_params = [] local_var_files = {} body_params = None # HTTP header `Accept` header_params['Accept'] = self.api_client.\ select_header_accept(['application/json']) # HTTP header `Content-Type` header_params['Content-Type'] = self.api_client.\ select_header_content_type(['application/x-www-form-urlencoded']) # Authentication setting auth_settings = ['default'] return self.api_client.call_api(resource_path, 'DELETE', path_params, query_params, header_params, body=body_params, post_params=form_params, files=local_var_files, response_type='VerveResponseUser', auth_settings=auth_settings, callback=params.get('callback'), _return_http_data_only=params.get('_return_http_data_only'), _preload_content=params.get('_preload_content', True), _request_timeout=params.get('_request_timeout'), collection_formats=collection_formats) def get_organizations(self, logged_in_user_id, access_token, client_token, **kwargs): """ Get list of organizations Return the list of organizations This method makes a synchronous HTTP request by default. To make an asynchronous HTTP request, please define a `callback` function to be invoked when receiving the response. >>> def callback_function(response): >>> pprint(response) >>> >>> thread = api.get_organizations(logged_in_user_id, access_token, client_token, callback=callback_function) :param callback function: The callback function for asynchronous request. (optional) :param str logged_in_user_id: User id of logged / authenticated user (required) :param str access_token: Unique session token for user. To get access token user will have to authenticate (required) :param str client_token: Use the Client Token. Please generate it from the Applications section under the Production & Sandbox tabs (required) :return: VerveResponseOrganizationList If the method is called asynchronously, returns the request thread. """ kwargs['_return_http_data_only'] = True if kwargs.get('callback'): return self.get_organizations_with_http_info(logged_in_user_id, access_token, client_token, **kwargs) else: (data) = self.get_organizations_with_http_info(logged_in_user_id, access_token, client_token, **kwargs) return data def get_organizations_with_http_info(self, logged_in_user_id, access_token, client_token, **kwargs): """ Get list of organizations Return the list of organizations This method makes a synchronous HTTP request by default. To make an asynchronous HTTP request, please define a `callback` function to be invoked when receiving the response. >>> def callback_function(response): >>> pprint(response) >>> >>> thread = api.get_organizations_with_http_info(logged_in_user_id, access_token, client_token, callback=callback_function) :param callback function: The callback function for asynchronous request. (optional) :param str logged_in_user_id: User id of logged / authenticated user (required) :param str access_token: Unique session token for user. To get access token user will have to authenticate (required) :param str client_token: Use the Client Token. Please generate it from the Applications section under the Production & Sandbox tabs (required) :return: VerveResponseOrganizationList If the method is called asynchronously, returns the request thread. """ all_params = ['logged_in_user_id', 'access_token', 'client_token'] all_params.append('callback') all_params.append('_return_http_data_only') all_params.append('_preload_content') all_params.append('_request_timeout') params = locals() for key, val in iteritems(params['kwargs']): if key not in all_params: raise TypeError( "Got an unexpected keyword argument '%s'" " to method get_organizations" % key ) params[key] = val del params['kwargs'] # verify the required parameter 'logged_in_user_id' is set if ('logged_in_user_id' not in params) or (params['logged_in_user_id'] is None): raise ValueError("Missing the required parameter `logged_in_user_id` when calling `get_organizations`") # verify the required parameter 'access_token' is set if ('access_token' not in params) or (params['access_token'] is None): raise ValueError("Missing the required parameter `access_token` when calling `get_organizations`") # verify the required parameter 'client_token' is set if ('client_token' not in params) or (params['client_token'] is None): raise ValueError("Missing the required parameter `client_token` when calling `get_organizations`") collection_formats = {} resource_path = '/organizations'.replace('{format}', 'json') path_params = {} query_params = {} header_params = {} if 'logged_in_user_id' in params: header_params['loggedInUserId'] = params['logged_in_user_id'] if 'access_token' in params: header_params['accessToken'] = params['access_token'] if 'client_token' in params: header_params['clientToken'] = params['client_token'] form_params = [] local_var_files = {} body_params = None # HTTP header `Accept` header_params['Accept'] = self.api_client.\ select_header_accept(['application/json']) # HTTP header `Content-Type` header_params['Content-Type'] = self.api_client.\ select_header_content_type(['application/json']) # Authentication setting auth_settings = ['default'] return self.api_client.call_api(resource_path, 'GET', path_params, query_params, header_params, body=body_params, post_params=form_params, files=local_var_files, response_type='VerveResponseOrganizationList', auth_settings=auth_settings, callback=params.get('callback'), _return_http_data_only=params.get('_return_http_data_only'), _preload_content=params.get('_preload_content', True), _request_timeout=params.get('_request_timeout'), collection_formats=collection_formats) def logout(self, logged_in_user_id, access_token, client_token, **kwargs): """ Logout Logout rest api session. Returns true if successful This method makes a synchronous HTTP request by default. To make an asynchronous HTTP request, please define a `callback` function to be invoked when receiving the response. >>> def callback_function(response): >>> pprint(response) >>> >>> thread = api.logout(logged_in_user_id, access_token, client_token, callback=callback_function) :param callback function: The callback function for asynchronous request. (optional) :param str logged_in_user_id: User id of logged / authenticated user (required) :param str access_token: Unique session token for user. To get access token user will have to authenticate (required) :param str client_token: Use the Client Token. Please generate it from the Applications section under the Production & Sandbox tabs (required) :return: bool If the method is called asynchronously, returns the request thread. """ kwargs['_return_http_data_only'] = True if kwargs.get('callback'): return self.logout_with_http_info(logged_in_user_id, access_token, client_token, **kwargs) else: (data) = self.logout_with_http_info(logged_in_user_id, access_token, client_token, **kwargs) return data def logout_with_http_info(self, logged_in_user_id, access_token, client_token, **kwargs): """ Logout Logout rest api session. Returns true if successful This method makes a synchronous HTTP request by default. To make an asynchronous HTTP request, please define a `callback` function to be invoked when receiving the response. >>> def callback_function(response): >>> pprint(response) >>> >>> thread = api.logout_with_http_info(logged_in_user_id, access_token, client_token, callback=callback_function) :param callback function: The callback function for asynchronous request. (optional) :param str logged_in_user_id: User id of logged / authenticated user (required) :param str access_token: Unique session token for user. To get access token user will have to authenticate (required) :param str client_token: Use the Client Token. Please generate it from the Applications section under the Production & Sandbox tabs (required) :return: bool If the method is called asynchronously, returns the request thread. """ all_params = ['logged_in_user_id', 'access_token', 'client_token'] all_params.append('callback') all_params.append('_return_http_data_only') all_params.append('_preload_content') all_params.append('_request_timeout') params = locals() for key, val in iteritems(params['kwargs']): if key not in all_params: raise TypeError( "Got an unexpected keyword argument '%s'" " to method logout" % key ) params[key] = val del params['kwargs'] # verify the required parameter 'logged_in_user_id' is set if ('logged_in_user_id' not in params) or (params['logged_in_user_id'] is None): raise ValueError("Missing the required parameter `logged_in_user_id` when calling `logout`") # verify the required parameter 'access_token' is set if ('access_token' not in params) or (params['access_token'] is None): raise ValueError("Missing the required parameter `access_token` when calling `logout`") # verify the required parameter 'client_token' is set if ('client_token' not in params) or (params['client_token'] is None): raise ValueError("Missing the required parameter `client_token` when calling `logout`") collection_formats = {} resource_path = '/logout'.replace('{format}', 'json') path_params = {} query_params = {} header_params = {} if 'logged_in_user_id' in params: header_params['loggedInUserId'] = params['logged_in_user_id'] if 'access_token' in params: header_params['accessToken'] = params['access_token'] if 'client_token' in params: header_params['clientToken'] = params['client_token'] form_params = [] local_var_files = {} body_params = None # HTTP header `Accept` header_params['Accept'] = self.api_client.\ select_header_accept(['application/json']) # HTTP header `Content-Type` header_params['Content-Type'] = self.api_client.\ select_header_content_type(['application/json']) # Authentication setting auth_settings = ['default'] return self.api_client.call_api(resource_path, 'GET', path_params, query_params, header_params, body=body_params, post_params=form_params, files=local_var_files, response_type='bool', auth_settings=auth_settings, callback=params.get('callback'), _return_http_data_only=params.get('_return_http_data_only'), _preload_content=params.get('_preload_content', True), _request_timeout=params.get('_request_timeout'), collection_formats=collection_formats)