hexsha
stringlengths
40
40
size
int64
5
1.03M
ext
stringclasses
9 values
lang
stringclasses
1 value
max_stars_repo_path
stringlengths
3
241
max_stars_repo_name
stringlengths
5
125
max_stars_repo_head_hexsha
stringlengths
40
78
max_stars_repo_licenses
sequencelengths
1
10
max_stars_count
int64
1
208k
max_stars_repo_stars_event_min_datetime
stringlengths
24
24
max_stars_repo_stars_event_max_datetime
stringlengths
24
24
max_issues_repo_path
stringlengths
3
241
max_issues_repo_name
stringlengths
5
125
max_issues_repo_head_hexsha
stringlengths
40
78
max_issues_repo_licenses
sequencelengths
1
10
max_issues_count
int64
1
116k
max_issues_repo_issues_event_min_datetime
stringlengths
24
24
max_issues_repo_issues_event_max_datetime
stringlengths
24
24
max_forks_repo_path
stringlengths
3
241
max_forks_repo_name
stringlengths
5
125
max_forks_repo_head_hexsha
stringlengths
40
78
max_forks_repo_licenses
sequencelengths
1
10
max_forks_count
int64
1
105k
max_forks_repo_forks_event_min_datetime
stringlengths
24
24
max_forks_repo_forks_event_max_datetime
stringlengths
24
24
content
stringlengths
5
1.03M
avg_line_length
float64
1.5
756k
max_line_length
int64
4
869k
alphanum_fraction
float64
0.01
0.98
count_classes
int64
0
3.38k
score_classes
float64
0
0.01
count_generators
int64
0
832
score_generators
float64
0
0
count_decorators
int64
0
2.75k
score_decorators
float64
0
0
count_async_functions
int64
0
623
score_async_functions
float64
0
0
count_documentation
int64
3
581k
score_documentation
float64
0.4
0.6
ed4a2840446404d2f282a8452d7b98f961fd5554
6,392
py
Python
hi-ml-histopathology/src/histopathology/preprocessing/tiling.py
kumar-pratik/hi-ml
a108cf4ea244a76127adedc0ca60f0a5afdfb3e8
[ "MIT" ]
402
2020-09-22T16:38:16.000Z
2022-03-30T09:56:03.000Z
hi-ml-histopathology/src/histopathology/preprocessing/tiling.py
kumar-pratik/hi-ml
a108cf4ea244a76127adedc0ca60f0a5afdfb3e8
[ "MIT" ]
259
2020-09-23T09:32:33.000Z
2022-03-30T18:15:01.000Z
hi-ml-histopathology/src/histopathology/preprocessing/tiling.py
kumar-pratik/hi-ml
a108cf4ea244a76127adedc0ca60f0a5afdfb3e8
[ "MIT" ]
112
2020-09-23T00:12:58.000Z
2022-03-31T07:39:55.000Z
# ------------------------------------------------------------------------------------------ # Copyright (c) Microsoft Corporation. All rights reserved. # Licensed under the MIT License (MIT). See LICENSE in the repo root for license information. # ------------------------------------------------------------------------------------------ # These tiling implementations are adapted from PANDA Kaggle solutions, for example: # https://github.com/kentaroy47/Kaggle-PANDA-1st-place-solution/blob/master/src/data_process/a00_save_tiles.py from typing import Any, Optional, Tuple import numpy as np def get_1d_padding(length: int, tile_size: int) -> Tuple[int, int]: """Computes symmetric padding for `length` to be divisible by `tile_size`.""" pad = (tile_size - length % tile_size) % tile_size return (pad // 2, pad - pad // 2) def pad_for_tiling_2d(array: np.ndarray, tile_size: int, channels_first: Optional[bool] = True, **pad_kwargs: Any) -> Tuple[np.ndarray, np.ndarray]: """Symmetrically pads a 2D `array` such that both dimensions are divisible by `tile_size`. :param array: 2D image array. :param tile_size: Width/height of each tile in pixels. :param channels_first: Whether `array` is in CHW (`True`, default) or HWC (`False`) layout. :param pad_kwargs: Keyword arguments to be passed to `np.pad()` (e.g. `constant_values=0`). :return: A tuple containing: - `padded_array`: Resulting array, in the same CHW/HWC layout as the input. - `offset`: XY offset introduced by the padding. Add this to coordinates relative to the original array to obtain indices for the padded array. """ height, width = array.shape[1:] if channels_first else array.shape[:-1] padding_h = get_1d_padding(height, tile_size) padding_w = get_1d_padding(width, tile_size) padding = [padding_h, padding_w] channels_axis = 0 if channels_first else 2 padding.insert(channels_axis, (0, 0)) # zero padding on channels axis padded_array = np.pad(array, padding, **pad_kwargs) offset = (padding_w[0], padding_h[0]) return padded_array, np.array(offset) def tile_array_2d(array: np.ndarray, tile_size: int, channels_first: Optional[bool] = True, **pad_kwargs: Any) -> Tuple[np.ndarray, np.ndarray]: """Split an image array into square non-overlapping tiles. The array will be padded symmetrically if its dimensions are not exact multiples of `tile_size`. :param array: Image array. :param tile_size: Width/height of each tile in pixels. :param pad_kwargs: Keyword arguments to be passed to `np.pad()` (e.g. `constant_values=0`). :param channels_first: Whether `array` is in CHW (`True`, default) or HWC (`False`) layout. :return: A tuple containing: - `tiles`: A batch of tiles in NCHW layout. - `coords`: XY coordinates of each tile, in the same order. """ padded_array, (offset_w, offset_h) = pad_for_tiling_2d(array, tile_size, channels_first, **pad_kwargs) if channels_first: channels, height, width = padded_array.shape else: height, width, channels = padded_array.shape n_tiles_h = height // tile_size n_tiles_w = width // tile_size if channels_first: intermediate_shape = (channels, n_tiles_h, tile_size, n_tiles_w, tile_size) axis_order = (1, 3, 0, 2, 4) # (n_tiles_h, n_tiles_w, channels, tile_size, tile_size) output_shape = (n_tiles_h * n_tiles_w, channels, tile_size, tile_size) else: intermediate_shape = (n_tiles_h, tile_size, n_tiles_w, tile_size, channels) axis_order = (0, 2, 1, 3, 4) # (n_tiles_h, n_tiles_w, tile_size, tile_size, channels) output_shape = (n_tiles_h * n_tiles_w, tile_size, tile_size, channels) tiles = padded_array.reshape(intermediate_shape) # Split width and height axes tiles = tiles.transpose(axis_order) tiles = tiles.reshape(output_shape) # Flatten tile batch dimension # Compute top-left coordinates of every tile, relative to the original array's origin coords_h = tile_size * np.arange(n_tiles_h) - offset_h coords_w = tile_size * np.arange(n_tiles_w) - offset_w # Shape: (n_tiles_h * n_tiles_w, 2) coords = np.stack(np.meshgrid(coords_w, coords_h), axis=-1).reshape(-1, 2) return tiles, coords def assemble_tiles_2d(tiles: np.ndarray, coords: np.ndarray, fill_value: Optional[float] = np.nan, channels_first: Optional[bool] = True) -> Tuple[np.ndarray, np.ndarray]: """Assembles a 2D array from sequences of tiles and coordinates. :param tiles: Stack of tiles with batch dimension first. :param coords: XY tile coordinates, assumed to be spaced by multiples of `tile_size` (shape: [N, 2]). :param tile_size: Size of each tile; must be >0. :param fill_value: Value to assign to empty elements (default: `NaN`). :param channels_first: Whether each tile is in CHW (`True`, default) or HWC (`False`) layout. :return: A tuple containing: - `array`: The reassembled 2D array with the smallest dimensions to contain all given tiles. - `offset`: The lowest XY coordinates. - `offset`: XY offset introduced by the assembly. Add this to tile coordinates to obtain indices for the assembled array. """ if coords.shape[0] != tiles.shape[0]: raise ValueError(f"Tile coordinates and values must have the same length, " f"got {coords.shape[0]} and {tiles.shape[0]}") if channels_first: n_tiles, channels, tile_size, _ = tiles.shape else: n_tiles, tile_size, _, channels = tiles.shape tile_xs, tile_ys = coords.T x_min, x_max = min(tile_xs), max(tile_xs + tile_size) y_min, y_max = min(tile_ys), max(tile_ys + tile_size) width = x_max - x_min height = y_max - y_min output_shape = (channels, height, width) if channels_first else (height, width, channels) array = np.full(output_shape, fill_value) offset = np.array([-x_min, -y_min]) for idx in range(n_tiles): row = coords[idx, 1] + offset[1] col = coords[idx, 0] + offset[0] if channels_first: array[:, row:row + tile_size, col:col + tile_size] = tiles[idx] else: array[row:row + tile_size, col:col + tile_size, :] = tiles[idx] return array, offset
49.550388
110
0.661608
0
0
0
0
0
0
0
0
3,086
0.482791
ed4d3cea76d6d1815b54c52a975d47ddfb5f8c99
7,496
py
Python
server/djangoapp/restapis.py
christiansencq/ibm_capstone
d445fd40c0267be0948a5d85e9d43828b908641c
[ "Apache-2.0" ]
null
null
null
server/djangoapp/restapis.py
christiansencq/ibm_capstone
d445fd40c0267be0948a5d85e9d43828b908641c
[ "Apache-2.0" ]
null
null
null
server/djangoapp/restapis.py
christiansencq/ibm_capstone
d445fd40c0267be0948a5d85e9d43828b908641c
[ "Apache-2.0" ]
null
null
null
import requests import json # import related models here from .models import CarDealer, DealerReview from requests.auth import HTTPBasicAuth import logging logger = logging.getLogger(__name__) # Create a `get_request` to make HTTP GET requests # e.g., response = requests.get(url, params=params, headers={'Content-Type': 'application/json'}, # auth=HTTPBasicAuth('apikey', api_key)) def get_request(url, api_key, **kwargs): print("GET from {}".format(url)) print(kwargs) try: if api_key is not None: response = requests.get(url, headers={'Content-Type': 'application/json'}, params=kwargs, auth=HTTPBasicAuth('apikey', api_key)) else: response = requests.get(url, headers={'Content-Type': 'application/json'}, params=kwargs) except: print("Network Error") status_code = response.status_code print("With status code {}".format(status_code)) json_data = json.loads(response.text) return json_data, status_code # Create a `post_request` to make HTTP POST requests # e.g., response = requests.post(url, params=kwargs, json=payload) def post_request(url, json_payload, **kwargs): print("Post to url: {} ".format(url)) print(kwargs) print(json_payload) response = requests.post(url, headers={'Content-Type': 'application/json'}, params=kwargs, json=json_payload) status_code = response.status_code print("With status code {}".format(status_code)) json_data = json.loads(response.text) return json_data, status_code # Create a get_dealers_from_cf method to get dealers from a cloud function def get_dealers_from_cf(url, **kwargs): info = [] result = "ok" # - Call get_request() with specified arguments logger.info("Get Dealers from CF Called!") json_result, status_code = get_request(url, None) if status_code == 200 and json_result: dealers = json_result['rows'] logger.info(len(dealers)) for dealer in dealers: dlr_data = dealer['doc'] #print('ADDRESS', dlr_data["address"]) if dlr_data.get('address'): # Create a CarDealer object with values in `doc` object dealer_obj = CarDealer(address=dlr_data.get("address"), city=dlr_data.get("city"), full_name=dlr_data.get("full_name"), id=dlr_data.get("id"), lat=dlr_data.get("lat"), long=dlr_data.get("long"), short_name=dlr_data.get("short_name"), state=dlr_data.get("state"), st=dlr_data.get("st"), zip=dlr_data.get("zip")) # dealer_obj = CarDealer(address=dealer["doc"]["address"], city=dealer["doc"]["city"], full_name=dealer["doc"]["full_name"], # id=dealer["doc"]["id"], lat=dealer["doc"]["lat"], long=dealer["doc"]["long"], # short_name=dealer["doc"]["short_name"], # st=dealer["doc"]["st"], state=dealer["doc"]["state"], zip=dealer["doc"]["zip"]) info.append(dealer_obj) elif json_result: result = json_result["message"] else: result = "Unknown error" return info, result def get_dealer_by_id(url, dealerId): # Call get_request with a URL parameter info = None result = "ok" json_result, status_code = get_request(url, None, dealerId=dealerId) # json_result, status_code = get_request(url, None, dealerId=dealerId) if status_code == 200 and json_result: # Get the row list in JSON as dealers dealers = json_result["rows"] for dealer in dealers: # Create a CarDealer object with values in `doc` object info = CarDealer(address=dealer.get("address"), city=dealer.get("city"), full_name=dealer.get("full_name"), id=dealer.get("id"), lat=dealer.get("lat"), long=dealer.get("long"), short_name=dealer.get("short_name"), st=dealer.get("st"), state=dealer.get("state"), zip=dealer.get("zip")) # info = CarDealer(address=dealer["address"], city=dealer["city"], full_name=dealer["full_name"], # id=dealer["id"], lat=dealer["lat"], long=dealer["long"], # short_name=dealer["short_name"], state=dealer["state"], # st=dealer["st"], zip=dealer["zip"]) elif json_result: result = json_result["message"] else: result = "Unknown error" return info, result def get_dealers_by_state (url, state): info = [] result = "ok" # Call get_request with a URL parameter json_result, status_code = get_request(url, None, state=state) if status_code == 200 and json_result: # Get the row list in JSON as dealers dealers = json_result["rows"] # For each dealer object for dealer in dealers: # dlr_data = dealer["doc"] # Create a CarDealer object with values in `doc` object dealer_obj = CarDealer(address=dealer.get("address"), city=dealer.get("city"), full_name=dealer.get("full_name"), id=dealer.get("id"), lat=dealer.get("lat"), long=dealer.get("long"), short_name=dealer.get("short_name"), state=dealer.get("state"), st=dealer.get("st"), zip=dealer.get("zip")) # dealer_obj = CarDealer(address=dlr_data.get("address"), city=dlr_data.get("city"), full_name=dlr_data.get("full_name"), # id=dlr_data.get("id"), lat=dlr_data.get("lat"), long=dlr_data.get("long"), # short_name=dlr_data.get("short_name"), state=dlr_data.get("state"), # st=dlr_data.get("st"), zip=dlr_data.get("zip")) info.append(dealer_obj) elif json_result: result = json_result["message"] else: result = "Unknown error" return info, result def get_dealer_reviews_from_cf (url, dealerId): info = [] result = "ok" # Call get_request with a URL parameter json_result, status_code = get_request(url, None, dealerId=dealerId) if status_code == 200 and json_result: # Get the row list in JSON as reviews reviews = json_result["body"]["data"] # For each review object for review in reviews: if (dealerId == review.get("dealership")): # Create a DealerReview object with values in object #sentiment = analyze_review_sentiments(review["review"]) review_obj = DealerReview( id=review.get("id"), name=review.get("name"), review=review.get("review"), purchase=review.get("purchase"), car_make=review.get("car_make", None), car_model=review.get("car_model", None), car_year=review.get("car_year", None), purchase_date=review.get("purchase_date", None)) info.append(review_obj) elif json_result: result = json_result["message"] else: result = "Unknown error" return info, result # Create an `analyze_review_sentiments` method to call Watson NLU and analyze text # def analyze_review_sentiments(text): # - Call get_request() with specified arguments # - Get the returned sentiment label such as Positive or Negative
46.271605
140
0.603522
0
0
0
0
0
0
0
0
3,145
0.419557
ed4d8f444cbb7eba10514b86dbcd28fb80cd5824
2,035
py
Python
examples/python/upload.py
oslokommune/okdata-data-uploader
fc006ae90440b267613260bba90235799bf0cf6e
[ "MIT" ]
null
null
null
examples/python/upload.py
oslokommune/okdata-data-uploader
fc006ae90440b267613260bba90235799bf0cf6e
[ "MIT" ]
null
null
null
examples/python/upload.py
oslokommune/okdata-data-uploader
fc006ae90440b267613260bba90235799bf0cf6e
[ "MIT" ]
null
null
null
import logging from configparser import ConfigParser from sdk.data_uploader import DataUploader logging.basicConfig(level=logging.INFO) log = logging.getLogger() config = ConfigParser() config.read("config.ini") ##### # Datasets to be added to metadata API datasetData = { "title": "Test", "description": "Test data", "keywords": ["test"], "accessRights": "non-public", "objective": "Formålsbeskrivelse", "contactPoint": { "name": "Tim", "email": "tim@example.org", "phone": "12345678", }, "publisher": "Tim", } datasetVersionData = {"version": "6", "schema": {}, "transformation": {}} datasetVersionEditionData = { "edition": "2019-05-28T15:37:00+02:00", "description": "Data for one hour", "startTime": "2018-12-21T08:00:00+01:00", "endTime": "2018-12-21T09:00:00+01:00", } ###### # The dataset* variables are optional, if these are set in config.ini this script will # not run the relevant DataUploader function datasetId = config.get("dataUploader", "datasetId", fallback=None) datasetVersion = config.get("dataUploader", "datasetVersion", fallback=None) datasetVersionEdition = config.get( "dataUploader", "datasetVersionEdition", fallback=None ) upload = DataUploader(config) try: log.info("Uploading a file to S3") upload.login() if datasetId is None: upload.createDataset(datasetData) if datasetVersion is None: upload.createVersion(datasetVersionData) if datasetVersionEdition is None: upload.createEdition(datasetVersionEditionData) log.info(f"Dataset: {upload.datasetId}") log.info(f"Version: {upload.datasetVersion}") log.info(f"Edition: {upload.datasetVersionEdition}") if upload.upload("README.md"): log.info("Done... go brew some coffee") else: log.error("Could not upload file....") except Exception as e: log.exception(f">> Something went horrible wrong:\n{e}") # To upload with curl: cmd = upload.curl("tmp3.zip") # Max upload size for now is 5GB
30.373134
86
0.678624
0
0
0
0
0
0
0
0
979
0.480845
ed4da4c3e62ea1a20080eade8fbb9743d55cdd88
3,558
py
Python
doc/examples.py
Enerccio/mahjong
903505a7886c31845dfa6b3f54c936a4feb29e6e
[ "MIT" ]
254
2017-09-20T15:02:20.000Z
2022-03-28T11:33:28.000Z
doc/examples.py
Enerccio/mahjong
903505a7886c31845dfa6b3f54c936a4feb29e6e
[ "MIT" ]
39
2017-09-23T14:28:36.000Z
2022-01-06T08:41:57.000Z
doc/examples.py
Enerccio/mahjong
903505a7886c31845dfa6b3f54c936a4feb29e6e
[ "MIT" ]
38
2017-10-19T09:06:53.000Z
2022-03-15T05:08:22.000Z
from mahjong.hand_calculating.hand import HandCalculator from mahjong.meld import Meld from mahjong.hand_calculating.hand_config import HandConfig, OptionalRules from mahjong.shanten import Shanten from mahjong.tile import TilesConverter calculator = HandCalculator() # useful helper def print_hand_result(hand_result): print(hand_result.han, hand_result.fu) print(hand_result.cost['main']) print(hand_result.yaku) for fu_item in hand_result.fu_details: print(fu_item) print('') #################################################################### # Tanyao hand by ron # #################################################################### # we had to use all 14 tiles in that array tiles = TilesConverter.string_to_136_array(man='22444', pin='333567', sou='444') win_tile = TilesConverter.string_to_136_array(sou='4')[0] result = calculator.estimate_hand_value(tiles, win_tile) print_hand_result(result) #################################################################### # Tanyao hand by tsumo # #################################################################### result = calculator.estimate_hand_value(tiles, win_tile, config=HandConfig(is_tsumo=True)) print_hand_result(result) #################################################################### # Add open set to hand # #################################################################### melds = [Meld(meld_type=Meld.PON, tiles=TilesConverter.string_to_136_array(man='444'))] result = calculator.estimate_hand_value(tiles, win_tile, melds=melds, config=HandConfig(options=OptionalRules(has_open_tanyao=True))) print_hand_result(result) #################################################################### # Shanten calculation # #################################################################### shanten = Shanten() tiles = TilesConverter.string_to_34_array(man='13569', pin='123459', sou='443') result = shanten.calculate_shanten(tiles) print(result) #################################################################### # Kazoe as a sanbaiman # #################################################################### tiles = TilesConverter.string_to_136_array(man='22244466677788') win_tile = TilesConverter.string_to_136_array(man='7')[0] melds = [ Meld(Meld.KAN, TilesConverter.string_to_136_array(man='2222'), False) ] dora_indicators = [ TilesConverter.string_to_136_array(man='1')[0], TilesConverter.string_to_136_array(man='1')[0], TilesConverter.string_to_136_array(man='1')[0], TilesConverter.string_to_136_array(man='1')[0], ] config = HandConfig(is_riichi=True, options=OptionalRules(kazoe=HandConfig.KAZOE_SANBAIMAN)) result = calculator.estimate_hand_value(tiles, win_tile, melds, dora_indicators, config) print_hand_result(result) #################################################################### # Change the cost of yaku # #################################################################### config = HandConfig(is_renhou=True) # renhou as an yakuman - old style config.yaku.renhou.han_closed = 13 tiles = TilesConverter.string_to_136_array(man='22444', pin='333567', sou='444') win_tile = TilesConverter.string_to_136_array(sou='4')[0] result = calculator.estimate_hand_value(tiles, win_tile, config=config) print_hand_result(result)
35.227723
133
0.537943
0
0
0
0
0
0
0
0
1,431
0.402192
ed57f1712b86394159992dc11fd79688181d493e
13,851
bzl
Python
tensorflow_probability/python/build_defs.bzl
jbergmanster/probability
e15b307066e7485b8fe9faf3d289c739ab8d3806
[ "Apache-2.0" ]
null
null
null
tensorflow_probability/python/build_defs.bzl
jbergmanster/probability
e15b307066e7485b8fe9faf3d289c739ab8d3806
[ "Apache-2.0" ]
null
null
null
tensorflow_probability/python/build_defs.bzl
jbergmanster/probability
e15b307066e7485b8fe9faf3d289c739ab8d3806
[ "Apache-2.0" ]
null
null
null
# Copyright 2019 The TensorFlow Probability Authors. # # 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. # ============================================================================ """Build defs for TF/NumPy/JAX-variadic libraries & tests.""" # [internal] load python3.bzl NO_REWRITE_NEEDED = [ "internal:all_util", "internal:docstring_util", "internal:reparameterization", "layers", "platform_google", ] REWRITER_TARGET = "//tensorflow_probability/substrates/meta:rewrite" RUNFILES_ROOT = "tensorflow_probability/" def _substrate_src(src, substrate): """Rewrite a single src filename for the given substrate.""" return "_{}/_generated_{}".format(substrate, src) def _substrate_srcs(srcs, substrate): """Rewrite src filenames for the given substrate.""" return [_substrate_src(src, substrate) for src in srcs] def _substrate_dep(dep, substrate): """Convert a single dep to one appropriate for the given substrate.""" dep_to_check = dep if dep.startswith(":"): dep_to_check = "{}{}".format(native.package_name(), dep) for no_rewrite in NO_REWRITE_NEEDED: if no_rewrite in dep_to_check: return dep if "tensorflow_probability/" in dep or dep.startswith(":"): if "internal/backend" in dep: return dep if ":" in dep: return "{}.{}".format(dep, substrate) return "{}:{}.{}".format(dep, dep.split("/")[-1], substrate) return dep def _substrate_deps(deps, substrate): """Convert deps to those appropriate for the given substrate.""" new_deps = [_substrate_dep(dep, substrate) for dep in deps] backend_dep = "//tensorflow_probability/python/internal/backend/{}".format(substrate) if backend_dep not in new_deps: new_deps.append(backend_dep) return new_deps # This is needed for the transitional period during which we have the internal # py2and3_test and py_test comingling in BUILD files. Otherwise the OSS export # rewrite process becomes irreversible. def py3_test(*args, **kwargs): """Internal/external reversibility, denotes py3-only vs py2+3 tests. Args: *args: Passed to underlying py_test. **kwargs: Passed to underlying py_test. srcs_version and python_version are added (with value `"PY3"`) if not specified. """ kwargs = dict(kwargs) if "srcs_version" not in kwargs: kwargs["srcs_version"] = "PY3" if "python_version" not in kwargs: kwargs["python_version"] = "PY3" native.py_test(*args, **kwargs) def _resolve_omit_dep(dep): """Resolves a `substrates_omit_deps` item to full target.""" if ":" not in dep: dep = "{}:{}".format(dep, dep.split("/")[-1]) if dep.startswith(":"): dep = "{}{}".format(native.package_name(), dep) return dep def _substrate_runfiles_symlinks_impl(ctx): """A custom BUILD rule to generate python runfiles symlinks. A custom build rule which adds runfiles symlinks for files matching a substrate genrule file pattern, i.e. `'_jax/_generated_normal.py'`. This rule will aggregate and pass along deps while adding the given symlinks to the runfiles structure. Build rule attributes: - substrate: One of 'jax' or 'numpy'; which substrate this applies to. - deps: A list of py_library labels. These are passed along. Args: ctx: Rule analysis context. Returns: Info objects to propagate deps and add runfiles symlinks. """ # Aggregate the depset inputs to resolve transitive dependencies. transitive_sources = [] uses_shared_libraries = [] imports = [] has_py2_only_sources = [] has_py3_only_sources = [] cc_infos = [] for dep in ctx.attr.deps: if PyInfo in dep: transitive_sources.append(dep[PyInfo].transitive_sources) uses_shared_libraries.append(dep[PyInfo].uses_shared_libraries) imports.append(dep[PyInfo].imports) has_py2_only_sources.append(dep[PyInfo].has_py2_only_sources) has_py3_only_sources.append(dep[PyInfo].has_py3_only_sources) # if PyCcLinkParamsProvider in dep: # DisableOnExport # cc_infos.append(dep[PyCcLinkParamsProvider].cc_info) # DisableOnExport if CcInfo in dep: cc_infos.append(dep[CcInfo]) # Determine the set of symlinks to generate. transitive_sources = depset(transitive = transitive_sources) runfiles_dict = {} substrate = ctx.attr.substrate file_substr = "_{}/_generated_".format(substrate) for f in transitive_sources.to_list(): if "tensorflow_probability" in f.dirname and file_substr in f.short_path: pre, post = f.short_path.split("/python/") out_path = "{}/substrates/{}/{}".format( pre, substrate, post.replace(file_substr, ""), ) runfiles_dict[RUNFILES_ROOT + out_path] = f # Construct the output structures to pass along Python srcs/deps/etc. py_info = PyInfo( transitive_sources = transitive_sources, uses_shared_libraries = any(uses_shared_libraries), imports = depset(transitive = imports), has_py2_only_sources = any(has_py2_only_sources), has_py3_only_sources = any(has_py3_only_sources), ) py_cc_link_info = cc_common.merge_cc_infos(cc_infos = cc_infos) py_runfiles = depset( transitive = [depset(transitive = [ dep[DefaultInfo].data_runfiles.files, dep[DefaultInfo].default_runfiles.files, ]) for dep in ctx.attr.deps], ) runfiles = DefaultInfo(runfiles = ctx.runfiles( transitive_files = py_runfiles, root_symlinks = runfiles_dict, )) return py_info, py_cc_link_info, runfiles # See documentation at: # https://docs.bazel.build/versions/3.4.0/skylark/rules.html substrate_runfiles_symlinks = rule( implementation = _substrate_runfiles_symlinks_impl, attrs = { "substrate": attr.string(), "deps": attr.label_list(), }, ) def multi_substrate_py_library( name, srcs = [], deps = [], substrates_omit_deps = [], jax_omit_deps = [], numpy_omit_deps = [], testonly = 0, srcs_version = "PY2AND3"): """A TFP `py_library` for each of TF, NumPy, and JAX. Args: name: The TF `py_library` name. NumPy and JAX libraries have '.numpy' and '.jax' appended. srcs: As with `py_library`. A `genrule` is used to rewrite srcs for NumPy and JAX substrates. deps: As with `py_library`. The list is rewritten to depend on substrate-specific libraries for substrate variants. substrates_omit_deps: List of deps to omit if those libraries are not rewritten for the substrates. jax_omit_deps: List of deps to omit for the JAX substrate. numpy_omit_deps: List of deps to omit for the NumPy substrate. testonly: As with `py_library`. srcs_version: As with `py_library`. """ native.py_library( name = name, srcs = srcs, deps = deps, srcs_version = srcs_version, testonly = testonly, ) remove_deps = [ "//third_party/py/tensorflow", "//third_party/py/tensorflow:tensorflow", ] trimmed_deps = [dep for dep in deps if (dep not in substrates_omit_deps and dep not in remove_deps)] resolved_omit_deps_numpy = [ _resolve_omit_dep(dep) for dep in substrates_omit_deps + numpy_omit_deps ] for src in srcs: native.genrule( name = "rewrite_{}_numpy".format(src.replace(".", "_")), srcs = [src], outs = [_substrate_src(src, "numpy")], cmd = "$(location {}) $(SRCS) --omit_deps={} > $@".format( REWRITER_TARGET, ",".join(resolved_omit_deps_numpy), ), tools = [REWRITER_TARGET], ) native.py_library( name = "{}.numpy.raw".format(name), srcs = _substrate_srcs(srcs, "numpy"), deps = _substrate_deps(trimmed_deps, "numpy"), srcs_version = srcs_version, testonly = testonly, ) # Add symlinks under tfp/substrates/numpy. substrate_runfiles_symlinks( name = "{}.numpy".format(name), substrate = "numpy", deps = [":{}.numpy.raw".format(name)], testonly = testonly, ) resolved_omit_deps_jax = [ _resolve_omit_dep(dep) for dep in substrates_omit_deps + jax_omit_deps ] jax_srcs = _substrate_srcs(srcs, "jax") for src in srcs: native.genrule( name = "rewrite_{}_jax".format(src.replace(".", "_")), srcs = [src], outs = [_substrate_src(src, "jax")], cmd = "$(location {}) $(SRCS) --omit_deps={} --numpy_to_jax > $@".format( REWRITER_TARGET, ",".join(resolved_omit_deps_jax), ), tools = [REWRITER_TARGET], ) native.py_library( name = "{}.jax.raw".format(name), srcs = jax_srcs, deps = _substrate_deps(trimmed_deps, "jax"), srcs_version = srcs_version, testonly = testonly, ) # Add symlinks under tfp/substrates/jax. substrate_runfiles_symlinks( name = "{}.jax".format(name), substrate = "jax", deps = [":{}.jax.raw".format(name)], testonly = testonly, ) def multi_substrate_py_test( name, size = "small", jax_size = None, numpy_size = None, srcs = [], deps = [], tags = [], numpy_tags = [], jax_tags = [], disabled_substrates = [], srcs_version = "PY2AND3", timeout = None, shard_count = None): """A TFP `py2and3_test` for each of TF, NumPy, and JAX. Args: name: Name of the `test_suite` which covers TF, NumPy and JAX variants of the test. Each substrate will have a dedicated `py2and3_test` suffixed with '.tf', '.numpy', or '.jax' as appropriate. size: As with `py_test`. jax_size: A size override for the JAX target. numpy_size: A size override for the numpy target. srcs: As with `py_test`. These will have a `genrule` emitted to rewrite NumPy and JAX variants, writing the test file into a subdirectory. deps: As with `py_test`. The list is rewritten to depend on substrate-specific libraries for substrate variants. tags: Tags global to this test target. NumPy also gets a `'tfp_numpy'` tag, and JAX gets a `'tfp_jax'` tag. A `f'_{name}'` tag is used to produce the `test_suite`. numpy_tags: Tags specific to the NumPy test. (e.g. `"notap"`). jax_tags: Tags specific to the JAX test. (e.g. `"notap"`). disabled_substrates: Iterable of substrates to disable, items from ["numpy", "jax"]. srcs_version: As with `py_test`. timeout: As with `py_test`. shard_count: As with `py_test`. """ name_tag = "_{}".format(name) tags = [t for t in tags] tags.append(name_tag) tags.append("multi_substrate") native.py_test( name = "{}.tf".format(name), size = size, srcs = srcs, main = "{}.py".format(name), deps = deps, tags = tags, srcs_version = srcs_version, timeout = timeout, shard_count = shard_count, ) if "numpy" not in disabled_substrates: numpy_srcs = _substrate_srcs(srcs, "numpy") native.genrule( name = "rewrite_{}_numpy".format(name), srcs = srcs, outs = numpy_srcs, cmd = "$(location {}) $(SRCS) > $@".format(REWRITER_TARGET), tools = [REWRITER_TARGET], ) py3_test( name = "{}.numpy".format(name), size = numpy_size or size, srcs = numpy_srcs, main = _substrate_src("{}.py".format(name), "numpy"), deps = _substrate_deps(deps, "numpy"), tags = tags + ["tfp_numpy"] + numpy_tags, srcs_version = srcs_version, python_version = "PY3", timeout = timeout, shard_count = shard_count, ) if "jax" not in disabled_substrates: jax_srcs = _substrate_srcs(srcs, "jax") native.genrule( name = "rewrite_{}_jax".format(name), srcs = srcs, outs = jax_srcs, cmd = "$(location {}) $(SRCS) --numpy_to_jax > $@".format(REWRITER_TARGET), tools = [REWRITER_TARGET], ) jax_deps = _substrate_deps(deps, "jax") # [internal] Add JAX build dep py3_test( name = "{}.jax".format(name), size = jax_size or size, srcs = jax_srcs, main = _substrate_src("{}.py".format(name), "jax"), deps = jax_deps, tags = tags + ["tfp_jax"] + jax_tags, srcs_version = srcs_version, python_version = "PY3", timeout = timeout, shard_count = shard_count, ) native.test_suite( name = name, tags = [name_tag], )
35.698454
89
0.608043
0
0
0
0
0
0
0
0
5,858
0.42293
ed587bf56577619d8ec39ef62825f11e9ce7e776
3,511
py
Python
projects/MAE/utils/weight_convert.py
Oneflow-Inc/libai
e473bd3962f07b1e37232d2be39c8257df0ec0f3
[ "Apache-2.0" ]
55
2021-12-10T08:47:06.000Z
2022-03-28T09:02:15.000Z
projects/MAE/utils/weight_convert.py
Oneflow-Inc/libai
e473bd3962f07b1e37232d2be39c8257df0ec0f3
[ "Apache-2.0" ]
106
2021-11-03T05:16:45.000Z
2022-03-31T06:16:23.000Z
projects/MAE/utils/weight_convert.py
Oneflow-Inc/libai
e473bd3962f07b1e37232d2be39c8257df0ec0f3
[ "Apache-2.0" ]
13
2021-12-29T08:12:08.000Z
2022-03-28T06:59:45.000Z
# coding=utf-8 # Copyright 2021 The OneFlow 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. import logging import oneflow as flow import torch logger = logging.getLogger(__name__) def convert_qkv_weight(cfg, value): """ Convert qkv.weight to be compatible with LiBai transformer layer Args: cfg: config file value: qkv.weight in the loaded checkpoint """ num_heads = cfg.model.num_heads hidden_size = cfg.model.embed_dim head_size = int(hidden_size / num_heads) qkv_weight = ( value.view([3, num_heads, head_size, hidden_size]) .permute(1, 0, 2, 3) .contiguous() .view(hidden_size * 3, hidden_size) ) return qkv_weight def convert_qkv_bias(cfg, value): """ Convert qkv.bias to be compatible with LiBai transformer layer Args: cfg: config file value: qkv.bias in the loaded checkpoint """ num_heads = cfg.model.num_heads hidden_size = cfg.model.embed_dim head_size = int(hidden_size / num_heads) qkv_bias = ( value.view(3, num_heads, head_size).permute(1, 0, 2).contiguous().view(hidden_size * 3) ) return qkv_bias def filter_keys(key, value, cfg): """ Filtering the state_dict keys and values to match LiBai's MAE model """ if "norm1" in key: key = key.replace("norm1", "input_layernorm") elif "attn.qkv" in key: key = key.replace("attn.qkv", "self_attention.query_key_value") if "weight" in key: value = convert_qkv_weight(cfg, value) if "bias" in key: value = convert_qkv_bias(cfg, value) elif "attn.proj" in key: key = key.replace("attn.proj", "self_attention.dense") elif "norm2" in key: key = key.replace("norm2", "post_attention_layernorm") elif "mlp.fc1" in key: key = key.replace("mlp.fc1", "mlp.dense_h_to_4h") elif "mlp.fc2" in key: key = key.replace("mlp.fc2", "mlp.dense_4h_to_h") elif "fc_norm" in key: key = key.replace("fc_norm", "norm") return key, value def load_torch_checkpoint(model, cfg, path="./mae_finetuned_vit_base.pth", strict=False): """ Load checkpoint from the given torch weights. Torch weight can be downloaded from the original repo: https://github.com/facebookresearch/mae """ torch_dict = torch.load(path, map_location="cpu")["model"] parameters = torch_dict new_parameters = dict() for key, value in parameters.items(): if "num_batches_tracked" not in key: # to global tensor key, val = filter_keys(key, value, cfg) val = val.detach().cpu().numpy() val = flow.tensor(val).to_global( sbp=flow.sbp.broadcast, placement=flow.placement("cuda", ranks=[0]) ) new_parameters[key] = val model.load_state_dict(new_parameters, strict=strict) print("Successfully load torch mae checkpoint.") return model
32.509259
95
0.656508
0
0
0
0
0
0
0
0
1,594
0.454002
ed6236b34ab65a1e059ca45441d455cec6bd4e90
516
py
Python
validator/delphi_validator/run.py
benjaminysmith/covidcast-indicators
b1474cd68a1497166fefe4beffd4d5ff867b9a61
[ "MIT" ]
null
null
null
validator/delphi_validator/run.py
benjaminysmith/covidcast-indicators
b1474cd68a1497166fefe4beffd4d5ff867b9a61
[ "MIT" ]
null
null
null
validator/delphi_validator/run.py
benjaminysmith/covidcast-indicators
b1474cd68a1497166fefe4beffd4d5ff867b9a61
[ "MIT" ]
null
null
null
# -*- coding: utf-8 -*- """Functions to call when running the tool. This module should contain a function called `run_module`, that is executed when the module is run with `python -m delphi_validator`. """ from delphi_utils import read_params from .validate import Validator def run_module(): """Run the validator as a module.""" parent_params = read_params() params = parent_params['validation'] validator = Validator(params) validator.validate(parent_params["export_dir"]).print_and_exit()
28.666667
75
0.732558
0
0
0
0
0
0
0
0
265
0.513566
ed6aff1082796c2046965ddce3d39f2087944e89
925
py
Python
setup.py
marcus-luck/zohoreader
e832f076a8a87bf27607980fb85a1d2bc8339743
[ "MIT" ]
1
2020-11-11T02:19:50.000Z
2020-11-11T02:19:50.000Z
setup.py
marcus-luck/zohoreader
e832f076a8a87bf27607980fb85a1d2bc8339743
[ "MIT" ]
null
null
null
setup.py
marcus-luck/zohoreader
e832f076a8a87bf27607980fb85a1d2bc8339743
[ "MIT" ]
null
null
null
from setuptools import setup def readme(): with open('README.rst') as f: return f.read() setup(name='zohoreader', version='0.1', description='A simple reader for zoho projects API to get all projects, users and timereports', long_description=readme(), classifiers=[ 'Development Status :: 3 - Alpha', 'License :: OSI Approved :: MIT License', 'Programming Language :: Python :: 3.5', ], keywords='zoho, API, zoho project', url='https://github.com/marcus-luck/zohoreader', author='Marcus Luck', author_email='marcus.luck@outlook.com', license='MIT', packages=['zohoreader'], zip_safe=False, install_requires=[ 'requests>=2.12.4', 'python-dateutil>=2.7.2' ], test_suite='nose.collector', tests_require=['nose', 'nose-cover3'], include_package_data=True )
28.030303
101
0.596757
0
0
0
0
0
0
0
0
423
0.457297
ed6bae7a17f418cda8c2e6d4ee817869bb64ec62
35,884
bzl
Python
stratum/portage/build_defs.bzl
cholve/stratum
09ddb5acb604f7e694a6b7d2fe93fea79f801794
[ "Apache-2.0" ]
267
2019-09-11T15:01:37.000Z
2022-03-28T11:14:29.000Z
stratum/portage/build_defs.bzl
cholve/stratum
09ddb5acb604f7e694a6b7d2fe93fea79f801794
[ "Apache-2.0" ]
906
2019-09-18T03:37:08.000Z
2022-03-30T00:59:53.000Z
stratum/portage/build_defs.bzl
cholve/stratum
09ddb5acb604f7e694a6b7d2fe93fea79f801794
[ "Apache-2.0" ]
107
2019-09-16T07:30:53.000Z
2022-03-18T09:53:03.000Z
# Copyright 2018 Google LLC # Copyright 2018-present Open Networking Foundation # SPDX-License-Identifier: Apache-2.0 """A portable build system for Stratum P4 switch stack. To use this, load() this file in a BUILD file, specifying the symbols needed. The public symbols are the macros: decorate(path) sc_cc_lib Declare a portable Library. sc_proto_lib Declare a portable .proto Library. sc_cc_bin Declare a portable Binary. sc_package Declare a portable tarball package. and the variables/lists: ALL_ARCHES All known arches. EMBEDDED_ARCHES All embedded arches. EMBEDDED_PPC Name of PowerPC arch - "ppc". EMBEDDED_X86 Name of "x86" arch. HOST_ARCH Name of default "host" arch. HOST_ARCHES All host arches. STRATUM_INTERNAL For declaring Stratum internal visibility. The macros are like cc_library(), proto_library(), and cc_binary(), but with different options and some restrictions. The key difference: you can supply lists of architectures for which they should be compiled - defaults to all if left unstated. Internally, libraries and binaries are generated for every listed architecture. The names are decorated to keep them different and allow all to be generated and addressed independently. This aspect of the system is suboptimal - something along the lines of augmenting context with a user defined configuration fragment would be a much cleaner solution. Currently supported architectures: ppc x86 """ load("//tools/build_defs/label:def.bzl", "parse_label") load( "//devtools/build_cleaner/skylark:build_defs.bzl", "register_extension_info", ) load("@rules_proto//proto:defs.bzl", "proto_library") load("@rules_cc//cc:defs.bzl", "cc_binary", "cc_library", "cc_test") # Generic path & label helpers. ============================================ def _normpath(path): """Normalize a path. Normalizes a path by removing unnecessary path-up segments and its corresponding directories. Providing own implementation because import os is not allowed in build defs. For example ../../dir/to/deeply/nested/path/../../../other/path will become ../../dir/to/other/path Args: path: A valid absolute or relative path to normalize. Returns: A path equivalent to the input path with minimal use of path-up segments. Invalid input paths will stay invalid. """ sep = "/" level = 0 result = [] for d in path.split(sep): if d in ("", "."): if result: continue elif d == "..": if level > 0: result.pop() level += -1 continue else: level += 1 result.append(d) return sep.join(result) # Adds a suffix to a label, expanding implicit targets if needed. def decorate(label, suffix): if label.endswith(":"): # .../bar: -> .../bar label = label[:-1] if ":" in label: # .../bar:bat -> .../bar:bat_suffix return "%s_%s" % (label, suffix) elif label.startswith("//"): # //foo/bar -> //foo/bar:bar_suffix return "%s:%s_%s" % (label, label.split("/")[-1], suffix) else: # bar -> bar_suffix return "%s_%s" % (label, suffix) # Creates a relative filename from a label, replacing "//" and ":". def _make_filename(label): if label.startswith("//"): # //foo/bar:bat/baz -> google3_foo/bar/bat/baz return label.replace("//", "google3/").replace(":", "/") elif label.startswith(":"): # :bat/baz -> bat/baz return label[1:] else: # bat/baz -> bat/baz return label # Adds dquotes around a string. def dquote(s): return '"' + s + '"' # Adds squotes around a string. def squote(s): return "'" + s + "'" # Emulate Python 2.5+ str(startswith([prefix ...]) def starts_with(s, prefix_list): for prefix in prefix_list: if s.startswith(prefix): return prefix return None def sc_platform_select(host = None, ppc = None, x86 = None, default = None): """Public macro to alter blaze rules based on the platform architecture. Generates a blaze select(...) statement that can be used in most contexts to alter a blaze rule based on the target platform architecture. If no selection is provided for a given platform, {default} is used instead. A specific value or default must be provided for every target platform. Args: host: The value to use for host builds. ppc: The value to use for ppc builds. x86: The value to use for x86 builds. default: The value to use for any of {host,ppc,x86} that isn't specified. Returns: The requested selector. """ if default == None and (host == None or ppc == None or x86 == None): fail("Missing a select value for at least one platform in " + "sc_platform_select. Please add.") config_label_prefix = "//stratum:stratum_" return select({ "//conditions:default": (host or default), config_label_prefix + "ppc": (ppc or default), config_label_prefix + "x86": (x86 or default), }) # Generates an sc_platform_select based on a textual list of arches. def sc_platform_filter(value, default, arches): return sc_platform_select( host = value if "host" in arches else default, ppc = value if "ppc" in arches else default, x86 = value if "x86" in arches else default, ) def sc_platform_alias( name, host = None, ppc = None, x86 = None, default = None, visibility = None): """Public macro to create an alias that changes based on target arch. Generates a blaze alias that will select the appropriate target. If no selection is provided for a given platform and no default is set, a dummy default target is used instead. Args: name: The name of the alias target. host: The result of the alias for host builds. ppc: The result of the alias for ppc builds. x86: The result of the alias for x86 builds. default: The result of the alias for any of {host,ppc,x86} that isn't specified. visibility: The visibility of the alias target. """ native.alias( name = name, actual = sc_platform_select( default = default or "//stratum/portage:dummy", host = host, ppc = ppc, x86 = x86, ), visibility = visibility, ) # Embedded build definitions. ============================================== EMBEDDED_PPC = "ppc" EMBEDDED_X86 = "x86" EMBEDDED_ARCHES = [ EMBEDDED_PPC, EMBEDDED_X86, ] HOST_ARCH = "host" HOST_ARCHES = [HOST_ARCH] ALL_ARCHES = EMBEDDED_ARCHES + HOST_ARCHES # Identify Stratum platform arch for .pb.h shims and other portability hacks. _ARCH_DEFINES = sc_platform_select( default = ["STRATUM_ARCH_HOST"], ppc = ["STRATUM_ARCH_PPC"], x86 = ["STRATUM_ARCH_X86"], ) STRATUM_INTERNAL = [ "//stratum:__subpackages__", ] # # Build options for all embedded architectures # # Set _TRACE_SRCS to show sources in embedded sc_cc_lib compile steps. # This is more general than it may seem: genrule doesn't have hdrs or deps # attributes, so all embedded dependencies appear as a `src'. # TODO(unknown): if useful again then inject from cmdline else kill feature. _TRACE_SRCS = False # Used for all gcc invocations. _EMBEDDED_FLAGS = [ "-O0", # Don't use this for program-sizing build #-- "-Os", # Use this for program-sizing build "-g", # Don't use this for program-sizing build "-Wall", "-Werror", # Warn lots, and force fixing warnings. "-no-canonical-prefixes", # Don't mangle paths and confuse blaze. "-fno-builtin-malloc", # We'll use tcmalloc "-fno-builtin-calloc", "-fno-builtin-realloc", "-fno-builtin-free", "-D__STDC_FORMAT_MACROS=1", # TODO(unknown): Figure out how we can use $(CC_FLAGS) instead of this. "-D__GOOGLE_STL_LEGACY_COMPATIBILITY", ] # Used for C and C++ compiler invocations. _EMBEDDED_CFLAGS = [ "-I$(GENDIR)", ] # Used for C++ compiler invocations. _EMBEDDED_CXXFLAGS = [ "-std=gnu++11", # Allow C++11 features _and_ GNU extensions. ] # Used for linking binaries. _EMBEDDED_LDFLAGS = [ # "-static", # Use this for program-sizing build # "-Wl,--gc-sections,--no-wchar-size-warning", # Use this for program-sizing build ] # PPC ====================================================================== _PPC_GRTE = "//unsupported_toolchains/crosstoolng_powerpc32_8540/sysroot" # X86 ====================================================================== _X86_GRTE = "//grte/v4_x86/release/usr/grte/v4" # Portability definitions =================================================== def sc_cc_test( name, size = None, srcs = None, deps = None, data = None, defines = None, copts = None, linkopts = None, visibility = None): """Creates a cc_test rule that interacts safely with Stratum builds. Generates a cc_test rule that doesn't break the build when an embedded arch is selected. During embedded builds this target will generate a dummy binary and will not attempt to build any dependencies. Args: name: Analogous to cc_test name argument. size: Analogous to cc_test size argument. srcs: Analogous to cc_test srcs argument. deps: Analogous to cc_test deps argument. data: Analogous to cc_test data argument. defines: Analogous to cc_test defines argument. copts: Analogous to cc_test copts argument. linkopts: Analogous to cc_test linkopts argument. visibility: Analogous to cc_test visibility argument. """ cc_test( name = name, size = size or "small", srcs = sc_platform_select(host = srcs or [], default = []), deps = sc_platform_select( host = deps or [], default = ["//stratum/portage:dummy_with_main"], ), data = data or [], defines = defines, copts = copts, linkopts = linkopts, visibility = visibility, ) register_extension_info( extension_name = "sc_cc_test", label_regex_for_dep = "{extension_name}", ) def sc_cc_lib( name, deps = None, srcs = None, hdrs = None, arches = None, copts = None, defines = None, includes = None, include_prefix = None, strip_include_prefix = None, data = None, testonly = None, textual_hdrs = None, visibility = None, xdeps = None): """Creates rules for the given portable library and arches. Args: name: Analogous to cc_library name argument. deps: Analogous to cc_library deps argument. srcs: Analogous to cc_library srcs argument. hdrs: Analogous to cc_library hdrs argument. arches: List of architectures to generate this way. copts: Analogous to cc_library copts argument. defines: Symbols added as "-D" compilation options. includes: Paths to add as "-I" compilation options. include_prefix: Analogous to cc_library include_prefix argument. strip_include_prefix: Analogous to cc_library strip_include_prefix argument. data: Files to provide as data at runtime (host builds only). testonly: Standard blaze testonly parameter. textual_hdrs: Analogous to cc_library. visibility: Standard blaze visibility parameter. xdeps: External (file) dependencies of this library - no decorations assumed, used and exported as header, not for flags, libs, etc. """ alwayslink = 0 deps = depset(deps or []) srcs = depset(srcs or []) hdrs = depset(hdrs or []) xdeps = depset(xdeps or []) copts = depset(copts or []) includes = depset(includes or []) data = depset(data or []) textual_hdrs = depset(textual_hdrs or []) if srcs: if [s for s in srcs.to_list() if not s.endswith(".h")]: alwayslink = 1 if not arches: arches = ALL_ARCHES defs_plus = (defines or []) + _ARCH_DEFINES textual_plus = textual_hdrs | depset(deps.to_list()) cc_library( name = name, deps = sc_platform_filter(deps, [], arches), srcs = sc_platform_filter(srcs, [], arches), hdrs = sc_platform_filter(hdrs, [], arches), alwayslink = alwayslink, copts = sc_platform_filter(copts, [], arches), defines = defs_plus, includes = sc_platform_filter(includes, [], arches), include_prefix = include_prefix, strip_include_prefix = strip_include_prefix, testonly = testonly, textual_hdrs = sc_platform_filter( textual_plus | xdeps, [], arches, ), data = sc_platform_filter(data, [], arches), visibility = visibility, ) register_extension_info( extension_name = "sc_cc_lib", label_regex_for_dep = "{extension_name}", ) def sc_cc_bin( name, deps = None, srcs = None, arches = None, copts = None, defines = None, includes = None, testonly = None, visibility = None): """Creates rules for the given portable binary and arches. Args: name: Analogous to cc_binary name argument. deps: Analogous to cc_binary deps argument. srcs: Analogous to cc_binary srcs argument. arches: List of architectures to generate this way. copts: Analogous to cc_binary copts argument. defines: Symbols added as "-D" compilation options. includes: Paths to add as "-I" compilation options. testonly: Standard blaze testonly parameter. visibility: Standard blaze visibility parameter. """ deps = depset(deps or []) srcs = depset(srcs or []) if not arches: arches = ALL_ARCHES defs_plus = (defines or []) + _ARCH_DEFINES cc_binary( name = name, deps = sc_platform_filter( deps, ["//stratum/portage:dummy_with_main"], arches, ), srcs = sc_platform_filter(srcs, [], arches), copts = copts, defines = defs_plus, includes = includes, linkopts = ["-ldl", "-lutil"], testonly = testonly, visibility = visibility, ) register_extension_info( extension_name = "sc_cc_bin", label_regex_for_dep = "{extension_name}", ) # Protobuf ================================================================= _SC_GRPC_DEPS = [ "//sandblaze/prebuilt/grpc", "//sandblaze/prebuilt/grpc:grpc++_codegen_base", "//sandblaze/prebuilt/grpc:grpc++_codegen_proto_lib", ] _PROTOC = "@com_google_protobuf//:protobuf:protoc" _PROTOBUF = "@com_google_protobuf//:protobuf" _SC_GRPC_PLUGIN = "//sandblaze/prebuilt/protobuf:grpc_cpp_plugin" _GRPC_PLUGIN = "//grpc:grpc_cpp_plugin" def _loc(target): """Return target location for constructing commands. Args: target: Blaze target name available to this build. Returns: $(location target) """ return "$(location %s)" % target def _gen_proto_lib( name, srcs, hdrs, deps, arch, visibility, testonly, proto_include, grpc_shim_rule): """Creates rules and filegroups for embedded protobuf library. For every given ${src}.proto, generate: :${src}_${arch}.pb rule to run protoc ${src}.proto => ${src}.${arch}.pb.{h,cc} :${src}_${arch}.grpc.pb rule to run protoc w/ erpc plugin: ${src}.proto => ${src}.${arch}.grpc.pb.{h,cc} :${src}_${arch}_proto_rollup collects include options for protoc: ${src}_${arch}_proto_rollup.flags Feed each set into sc_cc_lib to wrap them them up into a usable library; note that ${src}_${arch}_erpc_proto depends on ${src}_${arch}_proto. Args: name: Base name for this library. srcs: List of proto files hdrs: More files to build into this library, but also exported for dependent rules to utilize. deps: List of deps for this library arch: Which architecture to build this library for. visibility: Standard blaze visibility parameter, passed through to subsequent rules. testonly: Standard blaze testonly parameter. proto_include: Include path for generated sc_cc_libs. grpc_shim_rule: If needed, the name of the grpc shim for this proto lib. """ bash_vars = ["g3=$${PWD}"] # TODO(unknown): Switch protobuf to using the proto_include mechanism protoc_label = _PROTOC protobuf_label = _PROTOBUF protobuf_hdrs = "%s:well_known_types_srcs" % protobuf_label protobuf_srcs = [protobuf_hdrs] protobuf_include = "$${g3}/protobuf/src" if arch in EMBEDDED_ARCHES: grpc_plugin = _SC_GRPC_PLUGIN else: grpc_plugin = _GRPC_PLUGIN protoc_deps = [] for dep in deps: if dep.endswith("_proto"): protoc_deps.append("%s_%s_headers" % (dep, arch)) name_arch = decorate(name, arch) # We use this filegroup to accumulate the set of .proto files needed to # compile this proto. native.filegroup( name = decorate(name_arch, "headers"), srcs = hdrs + protoc_deps, visibility = visibility, ) my_proto_rollup = decorate(name_arch, "proto_rollup.flags") protoc_srcs_set = (srcs + hdrs + protoc_deps + protobuf_srcs + [my_proto_rollup]) gen_srcs = [] gen_hdrs = [] grpc_gen_hdrs = [] grpc_gen_srcs = [] tools = [protoc_label] grpc_tools = [protoc_label, grpc_plugin] protoc = "$${g3}/%s" % _loc(protoc_label) grpc_plugin = "$${g3}/%s" % _loc(grpc_plugin) cpp_out = "$${g3}/$(GENDIR)/%s/%s" % (native.package_name(), arch) accum_flags = [] full_proto_include = None if proto_include == ".": full_proto_include = native.package_name() elif proto_include: full_proto_include = "%s/%s" % (native.package_name(), proto_include) if full_proto_include: temp_prefix = "%s/%s" % (cpp_out, native.package_name()[len(full_proto_include):]) # We do a bit of extra work with these include flags to avoid generating # warnings. accum_flags.append( "$$(if [[ -e $(GENDIR)/%s ]]; then echo -IG3LOC/$(GENDIR)/%s; fi)" % (full_proto_include, full_proto_include), ) accum_flags.append( "$$(if [[ -e %s ]]; then echo -IG3LOC/%s; fi)" % (full_proto_include, full_proto_include), ) else: temp_prefix = "%s/%s" % (cpp_out, native.package_name()) proto_rollups = [ decorate(decorate(dep, arch), "proto_rollup.flags") for dep in deps if dep.endswith("_proto") ] proto_rollup_cmds = ["printf '%%s\n' %s" % flag for flag in accum_flags] proto_rollup_cmds.append("cat $(SRCS)") proto_rollup_cmd = "{ %s; } | sort -u -o $(@)" % "; ".join(proto_rollup_cmds) native.genrule( name = decorate(name_arch, "proto_rollup"), srcs = proto_rollups, outs = [my_proto_rollup], cmd = proto_rollup_cmd, visibility = visibility, testonly = testonly, ) for src in srcs + hdrs: if src.endswith(".proto"): src_stem = src[0:-6] src_arch = "%s_%s" % (src_stem, arch) temp_stem = "%s/%s" % (temp_prefix, src_stem) gen_stem = "%s.%s" % (src_stem, arch) # We can't use $${PWD} until this step, because our rollup command # might be generated on another forge server. proto_path_cmds = ["rollup=$$(sed \"s,G3LOC,$${PWD},g\" %s)" % _loc(my_proto_rollup)] proto_rollup_flags = ["$${rollup}"] if proto_include: # We'll be cd-ing to another directory before protoc, so # adjust our .proto path accordingly. proto_src_loc = "%s/%s" % (native.package_name(), src) if proto_src_loc.startswith(full_proto_include + "/"): proto_src_loc = proto_src_loc[len(full_proto_include) + 1:] else: print("Invalid proto include '%s' doesn't match src %s" % (full_proto_include, proto_src_loc)) # By cd-ing to another directory, we force protoc to produce # different symbols. Careful, our proto might be in GENDIR! proto_path_cmds.append("; ".join([ "if [[ -e %s ]]" % ("%s/%s" % (full_proto_include, proto_src_loc)), "then cd %s" % full_proto_include, "else cd $(GENDIR)/%s" % full_proto_include, "fi", ])) gendir_include = ["-I$${g3}/$(GENDIR)", "-I$${g3}", "-I."] else: proto_src_loc = "%s/%s" % (native.package_name(), src) proto_path_cmds.append("[[ -e %s ]] || cd $(GENDIR)" % proto_src_loc) gendir_include = ["-I$(GENDIR)", "-I."] # Generate messages gen_pb_h = gen_stem + ".pb.h" gen_pb_cc = gen_stem + ".pb.cc" gen_hdrs.append(gen_pb_h) gen_srcs.append(gen_pb_cc) cmds = bash_vars + [ "mkdir -p %s" % temp_prefix, ] + proto_path_cmds + [ " ".join([protoc] + gendir_include + proto_rollup_flags + [ "-I%s" % protobuf_include, "--cpp_out=%s" % cpp_out, proto_src_loc, ]), "cd $${g3}", "cp %s.pb.h %s" % (temp_stem, _loc(gen_pb_h)), "cp %s.pb.cc %s" % (temp_stem, _loc(gen_pb_cc)), ] pb_outs = [gen_pb_h, gen_pb_cc] native.genrule( name = src_arch + ".pb", srcs = protoc_srcs_set, outs = pb_outs, tools = tools, cmd = " && ".join(cmds), heuristic_label_expansion = 0, visibility = visibility, ) # Generate GRPC if grpc_shim_rule: gen_grpc_pb_h = gen_stem + ".grpc.pb.h" gen_grpc_pb_cc = gen_stem + ".grpc.pb.cc" grpc_gen_hdrs.append(gen_grpc_pb_h) grpc_gen_srcs.append(gen_grpc_pb_cc) cmds = bash_vars + [ "mkdir -p %s" % temp_prefix, ] + proto_path_cmds + [ " ".join([ protoc, "--plugin=protoc-gen-grpc-cpp=%s" % grpc_plugin, ] + gendir_include + proto_rollup_flags + [ "-I%s" % protobuf_include, "--grpc-cpp_out=%s" % cpp_out, proto_src_loc, ]), "cd $${g3}", "cp %s.grpc.pb.h %s" % (temp_stem, _loc(gen_grpc_pb_h)), "cp %s.grpc.pb.cc %s" % (temp_stem, _loc(gen_grpc_pb_cc)), ] grpc_pb_outs = [gen_grpc_pb_h, gen_grpc_pb_cc] native.genrule( name = src_arch + ".grpc.pb", srcs = protoc_srcs_set, outs = grpc_pb_outs, tools = grpc_tools, cmd = " && ".join(cmds), heuristic_label_expansion = 0, visibility = visibility, ) dep_set = depset(deps) | [protobuf_label] includes = [] if proto_include: includes = [proto_include] # Note: Public sc_proto_lib invokes this once per (listed) arch; # which then calls sc_cc_lib with same name for each arch; # multiple such calls are OK as long as the arches are disjoint. sc_cc_lib( name = decorate(name, arch), deps = dep_set, srcs = gen_srcs, hdrs = hdrs + gen_hdrs, arches = [arch], copts = [], includes = includes, testonly = testonly, textual_hdrs = gen_hdrs, visibility = visibility, ) if grpc_shim_rule: grpc_name = name[:-6] + "_grpc_proto" grpc_dep_set = dep_set | [name] | _SC_GRPC_DEPS grpc_gen_hdrs_plus = grpc_gen_hdrs + gen_hdrs sc_cc_lib( name = decorate(grpc_name, arch), deps = grpc_dep_set, srcs = grpc_gen_srcs, hdrs = hdrs + grpc_gen_hdrs_plus + [grpc_shim_rule], arches = [arch], copts = [], includes = includes, testonly = testonly, textual_hdrs = grpc_gen_hdrs_plus, visibility = visibility, ) def _gen_proto_shims(name, pb_modifier, srcs, arches, visibility): """Macro to build .pb.h multi-arch master switch for sc_proto_lib. For each src path.proto, generates path.pb.h consisting of: #ifdef logic to select path.${arch}.pb.h Also generates an alias that will select the appropriate proto target based on the currently selected platform architecture. Args: name: Base name for this library. pb_modifier: protoc plugin-dependent file extension (e.g.: .pb) srcs: List of proto files. arches: List of arches this shim should support. visibility: The blaze visibility of the generated alias. Returns: Name of shim rule for use in follow-on hdrs and/or src lists. """ outs = [] cmds = [] hdr_ext = pb_modifier + ".h" for src in srcs: pkg, filename = parse_label(src) if not filename.endswith(".proto"): continue hdr_stem = filename[0:-6] new_hdr_name = hdr_stem + hdr_ext outs.append(new_hdr_name) # Generate lines for shim switch file. # Lines expand inside squotes, so quote accordingly. include_fmt = "#include " + dquote(pkg + "/" + hdr_stem + ".%s" + hdr_ext) lines = [ "#if defined(STRATUM_ARCH_%s)" % "PPC", include_fmt % "ppc", "#elif defined(STRATUM_ARCH_%s)" % "X86", include_fmt % "x86", "#elif defined(STRATUM_ARCH_%s)" % "HOST", include_fmt % "host", "#else", "#error Unknown STRATUM_ARCH", "#endif", ] gen_cmds = [("printf '%%s\\n' '%s'" % line) for line in lines] new_hdr_loc = "$(location %s)" % new_hdr_name cmds.append("{ %s; } > %s" % (" && ".join(gen_cmds), new_hdr_loc)) shim_rule = decorate(name, "shims") native.genrule( name = shim_rule, srcs = srcs, outs = outs, cmd = " && ".join(cmds) or "true", ) sc_platform_alias( name = name, host = decorate(name, "host") if "host" in arches else None, ppc = decorate(name, "ppc") if "ppc" in arches else None, x86 = decorate(name, "x86") if "x86" in arches else None, visibility = visibility, ) return shim_rule def _gen_py_proto_lib(name, srcs, deps, visibility, testonly): """Creates a py_proto_library from the given srcs. There's no clean way to make python protos work with sc_proto_lib's proto_include field, so we keep this simple. For library "name", generates: * ${name}_default_pb, a regular proto library. * ${name}_py, a py_proto_library based on ${name}_default_pb. Args: name: Standard blaze name argument. srcs: Standard blaze srcs argument. deps: Standard blaze deps argument. visibility: Standard blaze visibility argument. testonly: Standard blaze testonly argument. """ regular_proto_name = decorate(name, "default_pb") py_name = decorate(name, "py") proto_library( name = regular_proto_name, srcs = srcs, deps = [decorate(dep, "default_pb") for dep in deps], visibility = visibility, testonly = testonly, ) native.py_proto_library( name = py_name, api_version = 2, deps = [regular_proto_name], visibility = visibility, testonly = testonly, ) # TODO(unknown): Add support for depending on normal proto_library rules. def sc_proto_lib( name = None, srcs = [], hdrs = [], deps = [], arches = [], visibility = None, testonly = None, proto_include = None, python_support = False, services = []): """Public macro to build multi-arch library from Message protobuf(s). For library "name", generates: * ${name}_shim aka .pb.h master switch - see _gen_proto_shims, above. * ${name}_${arch}_pb protobuf compile rules - one for each arch. * sc_cc_lib(name) with those as input. * ${name}_py a py_proto_library version of this library. Only generated if python_support == True. Args: name: Base name for this library. srcs: List of .proto files - private to this library. hdrs: As above, but also exported for dependent rules to utilize. deps: List of deps for this library arches: Which architectures to build this library for, None => ALL. visibility: Standard blaze visibility parameter, passed through to subsequent rules. testonly: Standard blaze testonly parameter. proto_include: Path to add to include path. This will affect the symbols generated by protoc, as well as the include paths used for both sc_cc_lib and sc_proto_lib rules that depend on this rule. Typically "." python_support: Defaults to False. If True, generate a python proto library from this rule. Any sc_proto_lib with python support may only depend on sc_proto_libs that also have python support, and may not use the proto_include field in this rule. services: List of services to enable {"grpc", "rpc"}; Only "grpc" is supported. So "rpc" and "grpc" are equivalent. """ if not arches: if testonly: arches = HOST_ARCHES else: arches = ALL_ARCHES service_enable = { "grpc": 0, } for service in services or []: if service == "grpc": service_enable["grpc"] = 1 elif service == "rpc": service_enable["grpc"] = 1 else: fail("service='%s' not in (grpc, rpc)" % service) deps = depset(deps or []) shim_rule = _gen_proto_shims( name = name, pb_modifier = ".pb", srcs = srcs + hdrs, arches = arches, visibility = visibility, ) grpc_shim_rule = None if (service_enable["grpc"]): grpc_shim_rule = _gen_proto_shims( name = decorate(name[:-6], "grpc_proto"), pb_modifier = ".grpc.pb", srcs = srcs + hdrs, arches = arches, visibility = visibility, ) for arch in arches: _gen_proto_lib( name = name, srcs = srcs, hdrs = [shim_rule] + hdrs, deps = deps, arch = arch, visibility = visibility, testonly = testonly, proto_include = proto_include, grpc_shim_rule = grpc_shim_rule, ) if python_support: if proto_include: fail("Cannot use proto_include on an sc_proto_lib with python support.") _gen_py_proto_lib( name = name, srcs = depset(srcs + hdrs), deps = deps, visibility = visibility, testonly = testonly, ) register_extension_info( extension_name = "sc_proto_lib", label_regex_for_dep = "{extension_name}", ) def sc_package( name = None, bins = None, data = None, deps = None, arches = None, visibility = None): """Public macro to package binaries and data for deployment. For package "name", generates: * ${name}_${arch}_bin and ${name}_${arch}_data filesets containing respectively all of the binaries and all of the data needed for this package and all dependency packages. * ${name}_${arch} fileset containing the corresponding bin and data filesets, mapped to bin/ and share/ respectively. * ${name}_${arch}_tarball rule builds that .tar.gz package. Args: name: Base name for this package. bins: List of sc_cc_bin rules to be packaged. data: List of files (and file producing rules) to be packaged. deps: List of other sc_packages to add to this package. arches: Which architectures to build this library for, None => EMBEDDED_ARCHES (HOST_ARCHES not generally supported). visibility: Standard blaze visibility parameter, passed through to all filesets. """ bins = depset(bins or []) data = depset(data or []) deps = depset(deps or []) if not arches: arches = EMBEDDED_ARCHES fileset_name = decorate(name, "fs") for extension, inputs in [ ("bin", ["%s.stripped" % b for b in bins.to_list()]), ("data", data), ]: native.Fileset( name = decorate(fileset_name, extension), out = decorate(name, extension), entries = [ native.FilesetEntry( files = inputs, ), ] + [ native.FilesetEntry(srcdir = decorate(dep, extension)) for dep in deps.to_list() ], visibility = visibility, ) # Add any platform specific files to the final tarball. platform_entries = sc_platform_select( # We use a different ppc toolchain for Stratum. # This means that we must provide portable shared libs for our ppc # executables. ppc = [native.FilesetEntry( srcdir = "%s:BUILD" % _PPC_GRTE, files = [":libs"], destdir = "lib/stratum", symlinks = "dereference", )], default = [], ) native.Fileset( name = fileset_name, out = name, entries = [ native.FilesetEntry( srcdir = decorate(name, "bin"), destdir = "bin", ), native.FilesetEntry( srcdir = decorate(name, "data"), destdir = "share", ), ] + platform_entries, visibility = visibility, ) outs = ["%s.tar.gz" % name] # Copy our files into a temporary directory and make any necessary changes # before tarballing. cmds = [ "TEMP_DIR=$(@D)/stratum_packaging_temp", "mkdir $${TEMP_DIR}", "cp -r %s $${TEMP_DIR}/tarball" % _loc(fileset_name), "if [[ -e $${TEMP_DIR}/tarball/bin ]]", "then for f in $${TEMP_DIR}/tarball/bin/*.stripped", " do mv $${f} $${f%.stripped}", # rename not available. "done", "fi", "tar czf %s -h -C $${TEMP_DIR}/tarball ." % _loc(name + ".tar.gz"), "rm -rf $${TEMP_DIR}", ] native.genrule( name = decorate(name, "tarball"), srcs = [":%s" % fileset_name], outs = outs, cmd = "; ".join(cmds), visibility = visibility, )
35.042969
90
0.582767
0
0
0
0
0
0
0
0
17,398
0.48484
ed6e652c3847138189ca7b951889b9b3a32aa8ce
1,702
py
Python
jassen/django/project/project/urls.py
cabilangan112/intern-drf-blog
b2d6c7a4af1316b2c7ce38547bd9df99b4f3e8b9
[ "MIT" ]
null
null
null
jassen/django/project/project/urls.py
cabilangan112/intern-drf-blog
b2d6c7a4af1316b2c7ce38547bd9df99b4f3e8b9
[ "MIT" ]
null
null
null
jassen/django/project/project/urls.py
cabilangan112/intern-drf-blog
b2d6c7a4af1316b2c7ce38547bd9df99b4f3e8b9
[ "MIT" ]
null
null
null
"""project URL Configuration The `urlpatterns` list routes URLs to views. For more information please see: https://docs.djangoproject.com/en/2.0/topics/http/urls/ Examples: Function views 1. Add an import: from my_app import views 2. Add a URL to urlpatterns: path('', views.home, name='home') Class-based views 1. Add an import: from other_app.views import Home 2. Add a URL to urlpatterns: path('', Home.as_view(), name='home') Including another URLconf 1. Import the include() function: from django.urls import include, path 2. Add a URL to urlpatterns: path('blog/', include('blog.urls')) """ from django.conf.urls import url, include from rest_framework import routers from blog import views from blog.views import PostViewSet,CommentViewSet,CategoryViewSet,TagViewSet,DraftViewSet,HideViewSet from django.conf import settings from django.conf.urls.static import static router = routers.DefaultRouter() router.register(r'hide',HideViewSet, base_name='hiddinn') router.register(r'draft',DraftViewSet, base_name='draft') router.register(r'post', PostViewSet, base_name='post') router.register(r'comment', CommentViewSet, base_name='comment') router.register(r'tags', TagViewSet, base_name='tags') router.register(r'category', CategoryViewSet, base_name='category') from django.contrib import admin from django.urls import path urlpatterns = [ path('admin/', admin.site.urls), url(r'^', include(router.urls)), url(r'^api-auth/', include('rest_framework.urls', namespace='rest_framework')) ] urlpatterns.extend( static(settings.STATIC_URL, document_root=settings.STATIC_ROOT) + static(settings.MEDIA_URL, document_root=settings.MEDIA_ROOT) )
37.822222
101
0.756757
0
0
0
0
0
0
0
0
789
0.463572
ed6e6b0df61cc3926c2f1e1ffc6195fcb5a7b2f1
13
py
Python
deep-learning-app/src/models/__init__.py
everbrez/Deep-Learning-based-Chemical-Graphics-Analysis-Platform
5ecaedadd74e96891c28d9f73384e07c1526916b
[ "Apache-2.0" ]
1
2021-04-30T10:44:32.000Z
2021-04-30T10:44:32.000Z
deep-learning-app/src/models/__init__.py
everbrez/Deep-Learning-based-Chemical-Graphics-Analysis-Platform
5ecaedadd74e96891c28d9f73384e07c1526916b
[ "Apache-2.0" ]
null
null
null
deep-learning-app/src/models/__init__.py
everbrez/Deep-Learning-based-Chemical-Graphics-Analysis-Platform
5ecaedadd74e96891c28d9f73384e07c1526916b
[ "Apache-2.0" ]
null
null
null
print('init')
13
13
0.692308
0
0
0
0
0
0
0
0
6
0.461538
71ea1c59255a1948249d1ed69284c07777e83df9
669
py
Python
estafeta/core/__init__.py
Solunest/pyestafeta
cd24cea4973f5184f4cc7e72a653de8b22e32f69
[ "MIT" ]
null
null
null
estafeta/core/__init__.py
Solunest/pyestafeta
cd24cea4973f5184f4cc7e72a653de8b22e32f69
[ "MIT" ]
null
null
null
estafeta/core/__init__.py
Solunest/pyestafeta
cd24cea4973f5184f4cc7e72a653de8b22e32f69
[ "MIT" ]
null
null
null
from estafeta.core.client import EstafetaClient user = None password = None id = None account_number = None production = None from estafeta.core.error import EstafetaWrongData, EstafetaEmptyField __url_label__ = [ 'https://labelqa.estafeta.com/EstafetaLabel20/services/EstafetaLabelWS?wsdl', 'https://label.estafeta.com/EstafetaLabel20/services/EstafetaLabelWS?wsdl', ] __url_tracking__ = [ 'https://trackingqa.estafeta.com/Service.asmx?wsdl', 'https://tracking.estafeta.com/Service.asmx?wsdl', ] __url_quote__ = [ 'http://frecuenciacotizador.estafeta.com/Service.asmx?wsdl', 'http://frecuenciacotizador.estafeta.com/Service.asmx?wsdl', ]
25.730769
81
0.762332
0
0
0
0
0
0
0
0
368
0.550075
71f5039371a3b37776d4da5587717221d15a60a1
5,276
py
Python
VAE/reduced_model/nesm_generator.py
youngmg1995/NES-Music-Maker
aeda10a541cfd439cfa46c45e63411e0d98e41c1
[ "MIT" ]
3
2020-06-26T22:02:35.000Z
2021-11-20T19:24:33.000Z
VAE/reduced_model/nesm_generator.py
youngmg1995/NES-Music-Maker
aeda10a541cfd439cfa46c45e63411e0d98e41c1
[ "MIT" ]
null
null
null
VAE/reduced_model/nesm_generator.py
youngmg1995/NES-Music-Maker
aeda10a541cfd439cfa46c45e63411e0d98e41c1
[ "MIT" ]
null
null
null
# -*- coding: utf-8 -*- """ Created on Wed Apr 1 17:14:19 2020 @author: Mitchell nesm_generator.py ~~~~~~~~~~~~~~~~~ This file serves as a script for using our pre-trained VAE model to generate brand new NES music soundtracks. NOTE - using the reduced model we only generate the first melodic voice for each track rather than each of the four voices present in an NESM track. To do so we first reconstruct our model using the file VAE class defined in `VAE.py` and the same parameters used in `model_training`. Then we use functions from the file `generation_utils` to have our trained model create entirely new and original NES music. """ # Imports #~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ # NOTE - nesmdb folder manually added to environment libraries from dataset_utils import load_training from VAE import VAE from generation_utils import generate_seprsco, latent_SVD, get_latent_vecs,\ plot_track, filter_tracks import nesmdb from nesmdb.vgm.vgm_to_wav import save_vgmwav import tensorflow as tf import numpy as np import os, json ### Load Mappings #~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ # Parameters for shape of dataset (note these are also used for model def.) measures = 8 measure_len = 96 # load data training_foldername = '../../nesmdb24_seprsco/train/' train_save_filename = 'transformed_dataset.json' dataset , labels2int_map , int2labels_map = \ load_training(training_foldername, train_save_filename, measures = measures, measure_len = measure_len) ### Reinitiate Model #~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ ### Model Parameters latent_dim = 124 input_dim = len(int2labels_map) - 1 dropout = .1 maxnorm = None vae_b1 , vae_b2 = .02 , .1 print('Reinitiating VAE Model') # Build Model model = VAE(latent_dim, input_dim, measures, measure_len, dropout, maxnorm, vae_b1 , vae_b2) # Reload Saved Weights checkpoint_dir = './training_checkpoints' checkpoint_prefix = os.path.join(checkpoint_dir, "model_ckpt") model.load_weights(checkpoint_prefix) model.build(tf.TensorShape([None, measures, measure_len, ])) # Print Summary of Model model.summary() ### Sample Latent Variable Distributions #~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ # Here we use SVD to more effectively sample from the orthogonal components # of our latent space # Parameters for sampling num_songs = 10 print('Generating Latent Samples to Generate {} New Tracks'.format(num_songs)) # Grab distributions of dataset over latent space # Have to run in batches due to size of the dataset batch_size = 300 latent_vecs = get_latent_vecs(model, dataset, batch_size) # Sample from normal distribution rand_vecs = np.random.normal(0.0, 1.0, (num_songs, latent_dim)) # perform SVD plot_eigenvalues = True sample_vecs = latent_SVD(latent_vecs, rand_vecs, plot_eigenvalues) ### Generate New Tracks #~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ # Create new seprsco tracks using our model and the random samples # Seprsco files can later be converted to valid NES music format # Parameters for track generation (specifically filtering) p_min = .5 print('Generating New Tracks from Latent Samples') # Decode samples using VAE decoded_tracks = model.decoder(sample_vecs) # Plot first decoded track print("Example Model Generated Track") plot_track(decoded_tracks[0]) # Filter Track decoded_tracks = filter_tracks(decoded_tracks, p_min) # Plot first filtered track print("Example Filtered Track") plot_track(decoded_tracks[0]) # Convert tracks to seprsco format print('Converting Model Output to Seprsco') seprsco_tracks = generate_seprsco(decoded_tracks, int2labels_map) ### Convert to WAV #~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ # Convert seprsco tracks to WAV files so we can listen!!! print('Converting Seprsco to WAV Audio') wav_tracks = [] for track in seprsco_tracks: wav = nesmdb.convert.seprsco_to_wav(track) wav_tracks.append(wav) ### Save WAV Files #~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ # Save our wav tracks to appropriate files (be sure not to overwrite existing) # Also save latent variables so we can reproduce songs we like # Save WAV tracks save_wav = False if save_wav: print('Saving Generated WAV Audio Tracks') wav_folder = 'model_gen_files/' for i in range(len(wav_tracks)): wav_file = wav_folder+'VAE_NESM_{}.wav'.format(i) save_vgmwav(wav_file, wav_tracks[i]) # Save Latent Variables save_latent_var = False if save_latent_var: print('Saving Latent Variables for Generated Tracks') latent_filename = os.path.join(wav_folder, "latent_variables.json") with open(latent_filename, 'w') as f: json.dump({ 'VAE_NESM_{}.wav'.format(i): sample_vecs[i].tolist() for i in range(sample_vecs.shape[0]) }, f) #~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ #----------------------------------END FILE------------------------------------ #~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
32.567901
79
0.638931
0
0
0
0
0
0
0
0
3,121
0.591547
71f8c70583f9e40977155faf528bc04d31d42d94
123
py
Python
EX025.py
gjaosdij/PythonProject
ae27990efa93462b632f165d13c08c7fd93beb38
[ "MIT" ]
null
null
null
EX025.py
gjaosdij/PythonProject
ae27990efa93462b632f165d13c08c7fd93beb38
[ "MIT" ]
null
null
null
EX025.py
gjaosdij/PythonProject
ae27990efa93462b632f165d13c08c7fd93beb38
[ "MIT" ]
null
null
null
print('Digite seu nome completo: ') nome = input().strip().upper() print('Seu nome tem "Silva"?') print('SILVA' in nome)
17.571429
35
0.658537
0
0
0
0
0
0
0
0
58
0.471545
71fdcd33231ded5dc2f9d6d67f26d46eb50eca3d
5,990
py
Python
geolucidate/functions.py
kurtraschke/geolucidate
827195a90d972fa5efce5a03bdbe53d8395d94ba
[ "MIT" ]
3
2015-09-17T01:01:53.000Z
2019-09-10T14:30:43.000Z
geolucidate/functions.py
kurtraschke/geolucidate
827195a90d972fa5efce5a03bdbe53d8395d94ba
[ "MIT" ]
null
null
null
geolucidate/functions.py
kurtraschke/geolucidate
827195a90d972fa5efce5a03bdbe53d8395d94ba
[ "MIT" ]
5
2018-09-11T21:54:36.000Z
2020-06-25T19:05:45.000Z
# -*- coding: utf-8 -*- from decimal import Decimal, setcontext, ExtendedContext from geolucidate.links.google import google_maps_link from geolucidate.links.tools import MapLink from geolucidate.parser import parser_re setcontext(ExtendedContext) def _cleanup(parts): """ Normalize up the parts matched by :obj:`parser.parser_re` to degrees, minutes, and seconds. >>> _cleanup({'latdir': 'south', 'longdir': 'west', ... 'latdeg':'60','latmin':'30', ... 'longdeg':'50','longmin':'40'}) ['S', '60', '30', '00', 'W', '50', '40', '00'] >>> _cleanup({'latdir': 'south', 'longdir': 'west', ... 'latdeg':'60','latmin':'30', 'latdecsec':'.50', ... 'longdeg':'50','longmin':'40','longdecsec':'.90'}) ['S', '60', '30.50', '00', 'W', '50', '40.90', '00'] """ latdir = (parts['latdir'] or parts['latdir2']).upper()[0] longdir = (parts['longdir'] or parts['longdir2']).upper()[0] latdeg = parts.get('latdeg') longdeg = parts.get('longdeg') latmin = parts.get('latmin', '00') or '00' longmin = parts.get('longmin', '00') or '00' latdecsec = parts.get('latdecsec', '') longdecsec = parts.get('longdecsec', '') if (latdecsec and longdecsec): latmin += latdecsec longmin += longdecsec latsec = '00' longsec = '00' else: latsec = parts.get('latsec', '') or '00' longsec = parts.get('longsec', '') or '00' return [latdir, latdeg, latmin, latsec, longdir, longdeg, longmin, longsec] def _convert(latdir, latdeg, latmin, latsec, longdir, longdeg, longmin, longsec): """ Convert normalized degrees, minutes, and seconds to decimal degrees. Quantize the converted value based on the input precision and return a 2-tuple of strings. >>> _convert('S','50','30','30','W','50','30','30') ('-50.508333', '-50.508333') >>> _convert('N','50','27','55','W','127','27','65') ('50.459167', '-127.460833') """ if (latsec != '00' or longsec != '00'): precision = Decimal('0.000001') elif (latmin != '00' or longmin != '00'): precision = Decimal('0.001') else: precision = Decimal('1') latitude = Decimal(latdeg) latmin = Decimal(latmin) latsec = Decimal(latsec) longitude = Decimal(longdeg) longmin = Decimal(longmin) longsec = Decimal(longsec) if latsec > 59 or longsec > 59: # Assume that 'seconds' greater than 59 are actually a decimal # fraction of minutes latitude += (latmin + (latsec / Decimal('100'))) / Decimal('60') longitude += (longmin + (longsec / Decimal('100'))) / Decimal('60') else: latitude += (latmin + (latsec / Decimal('60'))) / Decimal('60') longitude += (longmin + (longsec / Decimal('60'))) / Decimal('60') if latdir == 'S': latitude *= Decimal('-1') if longdir == 'W': longitude *= Decimal('-1') lat_str = str(latitude.quantize(precision)) long_str = str(longitude.quantize(precision)) return (lat_str, long_str) def replace(string, sub_function=google_maps_link()): """ Replace detected coordinates with a map link, using the given substitution function. The substitution function will be passed a :class:`~.MapLink` instance, and should return a string which will be substituted by :func:`re.sub` in place of the detected coordinates. >>> replace("58147N/07720W") '<a href="http://maps.google.com/maps?q=58.235278%2C-77.333333+%2858147N%2F07720W%29&ll=58.235278%2C-77.333333&t=h" title="58147N/07720W (58.235278, -77.333333)">58147N/07720W</a>' >>> replace("5814N/07720W", google_maps_link('satellite')) '<a href="http://maps.google.com/maps?q=58.233%2C-77.333+%285814N%2F07720W%29&ll=58.233%2C-77.333&t=k" title="5814N/07720W (58.233, -77.333)">5814N/07720W</a>' >>> from geolucidate.links.bing import bing_maps_link >>> replace("58N/077W", bing_maps_link('map')) '<a href="http://bing.com/maps/default.aspx?style=r&cp=58~-77&sp=Point.58_-77_58N%2F077W&v=2" title="58N/077W (58, -77)">58N/077W</a>' """ def do_replace(match): original_string = match.group() (latitude, longitude) = _convert(*_cleanup(match.groupdict())) return sub_function(MapLink(original_string, latitude, longitude)) return parser_re.sub(do_replace, string) def get_replacements(string, sub_function=google_maps_link()): """ Return a dict whose keys are instances of :class:`re.Match` and whose values are the corresponding replacements. Use :func:`get_replacements` when the replacement cannot be performed through ordinary string substitution by :func:`re.sub`, as in :func:`replace`. >>> get_replacements("4630 NORTH 5705 WEST 58147N/07720W") ... #doctest: +ELLIPSIS {<re.Match object...>: '<a href="..." title="...">4630 NORTH 5705 WEST</a>', <re.Match object...>: '<a href="..." title="...">58147N/07720W</a>'} >>> test_string = "4630 NORTH 5705 WEST 58147N/07720W" >>> replacements = get_replacements(test_string) >>> offset = 0 >>> out = bytearray(test_string, encoding="ascii", errors="replace") >>> for (match, link) in replacements.items(): ... start = match.start() + offset ... end = match.end() + offset ... out[start:end] = bytearray(link, encoding="ascii", errors="replace") ... offset += (len(link) - len(match.group())) >>> out.decode(encoding="ascii") == replace(test_string) True """ substitutions = {} matches = parser_re.finditer(string) for match in matches: (latitude, longitude) = _convert(*_cleanup(match.groupdict())) substitutions[match] = sub_function(MapLink(match.group(), latitude, longitude)) return substitutions
35.235294
184
0.602337
0
0
0
0
0
0
0
0
3,343
0.558097
71fe29113947026b758491d3c116f1982f10cf36
715
py
Python
setup.py
rluzuriaga/pokedex
e5c18c410994d5fb589bc3dceaba71f85268edfb
[ "MIT" ]
30
2020-08-15T01:16:17.000Z
2022-03-12T17:51:17.000Z
setup.py
rluzuriaga/pokedex
e5c18c410994d5fb589bc3dceaba71f85268edfb
[ "MIT" ]
86
2020-08-12T17:20:55.000Z
2022-03-28T18:19:28.000Z
setup.py
rluzuriaga/pokedex
e5c18c410994d5fb589bc3dceaba71f85268edfb
[ "MIT" ]
38
2020-08-18T00:09:15.000Z
2022-03-01T07:47:41.000Z
from setuptools import setup, find_packages setup( name='Pokedex', version='0.1', zip_safe=False, packages=find_packages(), package_data={ 'pokedex': ['data/csv/*.csv'] }, install_requires=[ 'SQLAlchemy>=1.0,<2.0', 'whoosh>=2.5,<2.7', 'markdown==2.4.1', 'construct==2.5.3', 'six>=1.9.0', ], entry_points={ 'console_scripts': [ 'pokedex = pokedex.main:setuptools_entry', ], }, classifiers=[ "Programming Language :: Python :: 2.7", "Programming Language :: Python :: 3.4", "Programming Language :: Python :: 3.5", "Programming Language :: Python :: 3.7", ] )
23.833333
54
0.524476
0
0
0
0
0
0
0
0
340
0.475524
71feffbb5e24e7f37afedbf05e8ccd4bc8d2a4ea
1,898
py
Python
pos_neg_graph/graph_ratio.py
Yudabin/Review_Project
b924199d6845defeb4cd243a99426070c014d8d8
[ "MIT" ]
null
null
null
pos_neg_graph/graph_ratio.py
Yudabin/Review_Project
b924199d6845defeb4cd243a99426070c014d8d8
[ "MIT" ]
null
null
null
pos_neg_graph/graph_ratio.py
Yudabin/Review_Project
b924199d6845defeb4cd243a99426070c014d8d8
[ "MIT" ]
1
2020-11-10T00:54:45.000Z
2020-11-10T00:54:45.000Z
import matplotlib.font_manager as fm import matplotlib.pyplot as plt import numpy as np font_location = './wordcloud_file/malgun.ttf' # For Windows font_name = fm.FontProperties(fname=font_location).get_name() plt.rc('font', family=font_name) def percent_graph2(movie_review) : b = movie_review labelss = sorted(b['score'].unique())## 라벨설정함. 한글이 적용이 안됨!!! c = b['score'].value_counts().sort_index() ## 빈도 print(c) print(labelss) fig = plt.figure(figsize=(8,8)) ## 캔버스 생성 fig.set_facecolor('white') ## 캔버스 배경색을 하얀색으로 설정 ax = fig.add_subplot() ## 프레임 생성 pie = ax.pie(c, ## 파이차트 출력 startangle=90, ## 시작점을 90도(degree)로 지정 counterclock=False, ## 시계 방향으로 그린다. # autopct=lambda p : '{:.2f}%'.format(p), ## 퍼센티지 출력 wedgeprops=dict(width=0.5), colors = ['yellowgreen', 'orange'], labels = labelss, textprops={'fontsize': 22} ) total = np.sum(c) ## 빈도수 총합 sum_pct = 0 ## 백분율 초기값 for i, l in enumerate(labelss): ang1, ang2 = pie[0][i].theta1, pie[0][i].theta2 ## 각1, 각2 r = pie[0][i].r ## 원의 반지름 x = ((r + 0.5) / 2) * np.cos(np.pi / 180 * ((ang1 + ang2) / 2)) ## 정중앙 x좌표 y = ((r + 0.5) / 2) * np.sin(np.pi / 180 * ((ang1 + ang2) / 2)) ## 정중앙 y좌표 if i < len(labelss) - 1: sum_pct += float(f'{c[i] / total * 100:.2f}') ## 백분율을 누적한다. ax.text(x, y, f'{c[i] / total * 100:.2f}%', ha='center', va='center', size=22, color='white', weight='bold') ## 백분율 텍스트 표시 else: ## 총합을 100으로 맞추기위해 마지막 백분율은 100에서 백분율 누적값을 빼준다. ax.text(x, y, f'{100 - sum_pct:.2f}%', ha='center', va='center',size=22,color='white', weight='bold') # pie.rc('font', family=font_name) # plt.legend(pie[0], labelss) ## 범례 표시 plt.savefig('./static/images/pos_neg_ratio.png') # 경로
42.177778
105
0.553741
0
0
0
0
0
0
0
0
938
0.42792
9c0520151db9426f768e41a165d1e59bc2354107
198
py
Python
src/eavatar.ava/pod/mods/tasks/__init__.py
eavatar/ava
4f09c5417b7187dd919b7edabb8c516d8efc0696
[ "BSD-3-Clause" ]
null
null
null
src/eavatar.ava/pod/mods/tasks/__init__.py
eavatar/ava
4f09c5417b7187dd919b7edabb8c516d8efc0696
[ "BSD-3-Clause" ]
null
null
null
src/eavatar.ava/pod/mods/tasks/__init__.py
eavatar/ava
4f09c5417b7187dd919b7edabb8c516d8efc0696
[ "BSD-3-Clause" ]
null
null
null
# -*- coding: utf-8 -*- """ Modules for exposing functions that can be run as tasks. """ from __future__ import (absolute_import, division, print_function, unicode_literals)
28.285714
57
0.651515
0
0
0
0
0
0
0
0
87
0.439394
9c18aa829131bc05a668cd4d7a72da450336ed4f
4,766
py
Python
example_scripts/profile_validation/plot_validation_gridded_data.py
British-Oceanographic-Data-Centre/NEMO-ENTRUST
41ed278e56428404ab8ec41d74a9a3a761e308ae
[ "MIT" ]
null
null
null
example_scripts/profile_validation/plot_validation_gridded_data.py
British-Oceanographic-Data-Centre/NEMO-ENTRUST
41ed278e56428404ab8ec41d74a9a3a761e308ae
[ "MIT" ]
null
null
null
example_scripts/profile_validation/plot_validation_gridded_data.py
British-Oceanographic-Data-Centre/NEMO-ENTRUST
41ed278e56428404ab8ec41d74a9a3a761e308ae
[ "MIT" ]
null
null
null
""" Plot up surface or bottom (or any fixed level) errors from a profile object with no z_dim (vertical dimension). Provide an array of netcdf files and mess with the options to get a figure you like. You can define how many rows and columns the plot will have. This script will plot the provided list of netcdf datasets from left to right and top to bottom. A colorbar will be placed right of the figure. """ import xarray as xr import matplotlib.pyplot as plt import numpy as np import sys sys.path.append("/Users/dbyrne/code/COAsT") import coast import pandas as pd #%% File settings run_name = "test" # List of analysis output files. Profiles from each will be plotted # on each axis of the plot fn_list = [ "~/transfer/test_grid.nc", "~/transfer/test_grid.nc", ] # Filename for the output fn_out = "/Users/dbyrne/transfer/surface_gridded_errors_{0}.png".format(run_name) #%% General Plot Settings var_name = "abs_diff_temperature" # Variable name in analysis file to plot # If you used var modified to make gridded data # then this is where to select season etc. save_plot = False # Masking out grid cells that don't contain many points min_points_in_average = 5 name_of_count_variable = "grid_N" # Subplot axes settings n_r = 2 # Number of subplot rows n_c = 2 # Number of subplot columns figsize = (10, 5) # Figure size lonbounds = [-15, 9.5] # Longitude bounds latbounds = [45, 64] # Latitude bounds subplot_padding = 0.5 # Amount of vertical and horizontal padding between plots fig_pad = (0.075, 0.075, 0.1, 0.1) # Figure padding (left, top, right, bottom) # Leave some space on right for colorbar # Scatter opts marker_size = 3 # Marker size cmap = "bwr" # Colormap for normal points clim = (-1, 1) # Color limits for normal points discrete_cmap = True # Discretize colormap cmap_levels = 14 # Labels and Titles fig_title = "SST Errors" # Whole figure title title_fontsize = 13 # Fontsize of title title_fontweight = "bold" # Fontweight to use for title dataset_names = ["CO9p0", "CO9p0", "CO9p0"] # Names to use for labelling plots subtitle_fontsize = 11 # Fontsize for dataset subtitles subtitle_fontweight = "normal" # Fontweight for dataset subtitles # PLOT SEASONS. Make sure n_r = 2 and n_c = 2 # If this option is true, only the first dataset will be plotted, with seasonal # variables on each subplot. The season_suffixes will be added to var_name # for each subplot panel. plot_seasons = True season_suffixes = ["DJF", "MAM", "JJA", "SON"] #%% Read and plotdata # Read all datasets into list ds_list = [xr.open_dataset(dd) for dd in fn_list] n_ds = len(ds_list) n_ax = n_r * n_c # Create plot and flatten axis array f, a = coast.plot_util.create_geo_subplots(lonbounds, latbounds, n_r, n_c, figsize=figsize) a_flat = a.flatten() # Dicretize colormap maybe if discrete_cmap: cmap = plt.cm.get_cmap(cmap, cmap_levels) # Determine if we will extend the colormap or not extend_cbar = [] # Loop over dataset for ii in range(n_ax): ur_index = np.unravel_index(ii, (n_r, n_c)) # Select season if required if plot_seasons: ds = ds_list[0] var_ii = var_name + "_{0}".format(season_suffixes[ii]) N_var = "{0}_{1}".format(name_of_count_variable, season_suffixes[ii]) a_flat[ii].text(0.05, 1.02, season_suffixes[ii], transform=a_flat[ii].transAxes, fontweight="bold") else: ds = ds_list[ii] var_ii = var_name a_flat[ii].set_title(dataset_names[ii], fontsize=subtitle_fontsize, fontweight=subtitle_fontweight) N_var = name_of_count_variable data = ds[var_ii].values count_var = ds[N_var] data[count_var < min_points_in_average] = np.nan # Scatter and set title pc = a_flat[ii].pcolormesh( ds.longitude, ds.latitude, data, cmap=cmap, vmin=clim[0], vmax=clim[1], ) # Will we extend the colorbar for this dataset? extend_cbar.append(coast.plot_util.determine_colorbar_extension(data, clim[0], clim[1])) # Set Figure title f.suptitle(fig_title, fontsize=title_fontsize, fontweight=title_fontweight) # Set tight figure layout f.tight_layout(w_pad=subplot_padding, h_pad=subplot_padding) f.subplots_adjust(left=(fig_pad[0]), bottom=(fig_pad[1]), right=(1 - fig_pad[2]), top=(1 - fig_pad[3])) # Handle colorbar -- will we extend it? if "both" in extend_cbar: extend = "both" elif "max" in extend_cbar and "min" in extend_cbar: extend = "both" elif "max" in extend_cbar: extend = "max" elif "min" in extend_cbar: extend = "min" else: extend = "neither" cbar_ax = f.add_axes([(1 - fig_pad[2] + fig_pad[2] * 0.15), 0.15, 0.025, 0.7]) f.colorbar(pc, cax=cbar_ax, extend=extend) # Save plot maybe if save_plot: f.savefig(fn_out)
31.562914
107
0.712547
0
0
0
0
0
0
0
0
2,229
0.467688
9c191035667faa5283a1d949656c67ee58df9705
500
py
Python
feature-engineering/samples/statistical_features.py
jeury301/text-classifier
d86f658ef3368e4a3f6fd74328fa862e2881ac3b
[ "MIT" ]
null
null
null
feature-engineering/samples/statistical_features.py
jeury301/text-classifier
d86f658ef3368e4a3f6fd74328fa862e2881ac3b
[ "MIT" ]
null
null
null
feature-engineering/samples/statistical_features.py
jeury301/text-classifier
d86f658ef3368e4a3f6fd74328fa862e2881ac3b
[ "MIT" ]
null
null
null
from sklearn.feature_extraction.text import TfidfVectorizer def compute_tf_idf(corpus): """Computing term frequency (tf) - inverse document frequency (idf). :param corpus: List of documents. :returns: tf-idf of corpus. """ return TfidfVectorizer().fit_transform(corpus) if __name__ == '__main__': sample_corpus = [ 'This is sample document.', 'another random document.', 'third sample document text' ] print(compute_tf_idf(sample_corpus))
26.315789
72
0.682
0
0
0
0
0
0
0
0
237
0.474
9c2757bc39980fb41a4822e37ad9596b865f8c2a
24
py
Python
nima/models/productos/constants.py
erichav/NIMA
6ca845047e2d1764f07af76bfbbed9f1a82bc10f
[ "MIT" ]
null
null
null
nima/models/productos/constants.py
erichav/NIMA
6ca845047e2d1764f07af76bfbbed9f1a82bc10f
[ "MIT" ]
null
null
null
nima/models/productos/constants.py
erichav/NIMA
6ca845047e2d1764f07af76bfbbed9f1a82bc10f
[ "MIT" ]
1
2018-11-18T03:58:53.000Z
2018-11-18T03:58:53.000Z
COLLECTION = 'productos'
24
24
0.791667
0
0
0
0
0
0
0
0
11
0.458333
9c28065db1d863fb5b79db27e4909a5e2d4c5505
4,501
py
Python
deepchem/metrics/score_function.py
hsjang001205/deepchem
02fce35729826b1ef12a1cfa6519b491510217be
[ "MIT" ]
1
2020-08-19T17:25:27.000Z
2020-08-19T17:25:27.000Z
deepchem/metrics/score_function.py
swpper/deepchem
510b9bf1805bc5a472c1a519700e6b128e06c651
[ "MIT" ]
1
2020-09-22T18:42:21.000Z
2020-09-22T18:42:21.000Z
deepchem/metrics/score_function.py
swpper/deepchem
510b9bf1805bc5a472c1a519700e6b128e06c651
[ "MIT" ]
1
2020-10-06T13:31:21.000Z
2020-10-06T13:31:21.000Z
"""Evaluation metrics.""" import numpy as np from sklearn.metrics import matthews_corrcoef # noqa from sklearn.metrics import recall_score # noqa from sklearn.metrics import cohen_kappa_score from sklearn.metrics import r2_score # noqa from sklearn.metrics import mean_squared_error from sklearn.metrics import mean_absolute_error from sklearn.metrics import precision_score # noqa from sklearn.metrics import precision_recall_curve from sklearn.metrics import auc from sklearn.metrics import jaccard_score from sklearn.metrics import f1_score from sklearn.metrics import roc_auc_score # noqa from sklearn.metrics import accuracy_score # noqa from sklearn.metrics import balanced_accuracy_score # noqa from scipy.stats import pearsonr # kappa_score is an alias for `sklearn.metrics.cohen_kappa_score` kappa_score = cohen_kappa_score def pearson_r2_score(y: np.ndarray, y_pred: np.ndarray) -> float: """Computes Pearson R^2 (square of Pearson correlation). Parameters ---------- y: np.ndarray ground truth array y_pred: np.ndarray predicted array Returns ------- float The Pearson-R^2 score. """ return pearsonr(y, y_pred)[0]**2 def jaccard_index(y: np.ndarray, y_pred: np.ndarray) -> float: """Computes Jaccard Index which is the Intersection Over Union metric which is commonly used in image segmentation tasks. DEPRECATED: WILL BE REMOVED IN A FUTURE VERSION OF DEEEPCHEM. USE `jaccard_score` instead. Parameters ---------- y: np.ndarray ground truth array y_pred: np.ndarray predicted array Returns ------- score: float The jaccard index. A number between 0 and 1. """ return jaccard_score(y, y_pred) def pixel_error(y: np.ndarray, y_pred: np.ndarray) -> float: """An error metric in case y, y_pred are images. Defined as 1 - the maximal F-score of pixel similarity, or squared Euclidean distance between the original and the result labels. Parameters ---------- y: np.ndarray ground truth array y_pred: np.ndarray predicted array Returns ------- score: float The pixel-error. A number between 0 and 1. """ return 1 - f1_score(y, y_pred) def prc_auc_score(y: np.ndarray, y_pred: np.ndarray) -> float: """Compute area under precision-recall curve Parameters ---------- y: np.ndarray A numpy array of shape `(N, n_classes)` or `(N,)` with true labels y_pred: np.ndarray Of shape `(N, n_classes)` with class probabilities. Returns ------- float The area under the precision-recall curve. A number between 0 and 1. """ precision, recall, _ = precision_recall_curve(y[:, 1], y_pred[:, 1]) return auc(recall, precision) def rms_score(y_true: np.ndarray, y_pred: np.ndarray) -> float: """Computes RMS error.""" return np.sqrt(mean_squared_error(y_true, y_pred)) def mae_score(y_true: np.ndarray, y_pred: np.ndarray) -> float: """Computes MAE.""" return mean_absolute_error(y_true, y_pred) def bedroc_score(y_true: np.ndarray, y_pred: np.ndarray, alpha: float = 20.0): """Compute BEDROC metric. BEDROC metric implemented according to Truchon and Bayley that modifies the ROC score by allowing for a factor of early recognition. Please confirm details from [1]_. Parameters ---------- y_true: np.ndarray Binary class labels. 1 for positive class, 0 otherwise y_pred: np.ndarray Predicted labels alpha: float, default 20.0 Early recognition parameter Returns ------- float Value in [0, 1] that indicates the degree of early recognition Notes ----- This function requires RDKit to be installed. References ---------- .. [1] Truchon et al. "Evaluating virtual screening methods: good and bad metrics for the “early recognition” problem." Journal of chemical information and modeling 47.2 (2007): 488-508. """ try: from rdkit.ML.Scoring.Scoring import CalcBEDROC except ModuleNotFoundError: raise ValueError("This function requires RDKit to be installed.") # validation assert len(y_true) == len(y_pred), 'Number of examples do not match' assert np.array_equal( np.unique(y_true).astype(int), [0, 1]), ('Class labels must be binary: %s' % np.unique(y_true)) yt = np.asarray(y_true) yp = np.asarray(y_pred) yt = yt.flatten() yp = yp[:, 1].flatten() # Index 1 because one_hot predictions scores = list(zip(yt, yp)) scores = sorted(scores, key=lambda pair: pair[1], reverse=True) return CalcBEDROC(scores, 0, alpha)
27.278788
92
0.709842
0
0
0
0
0
0
0
0
2,506
0.556271
9c2d9e0a79b8d15e42eda3577f2435526ea67e86
1,688
py
Python
searching/jump_search.py
magnusrodseth/data-structures-and-algorithms
45dfdc0859683d5c76b82b87f415e2c0cdbc15e8
[ "MIT" ]
null
null
null
searching/jump_search.py
magnusrodseth/data-structures-and-algorithms
45dfdc0859683d5c76b82b87f415e2c0cdbc15e8
[ "MIT" ]
null
null
null
searching/jump_search.py
magnusrodseth/data-structures-and-algorithms
45dfdc0859683d5c76b82b87f415e2c0cdbc15e8
[ "MIT" ]
null
null
null
import math from typing import List def jump_search(array: List[int], value: int) -> int: """ Performs a jump search on a list of integers. :param array: is the array to search. :param value: is the value to search. :return: the index of the value, or -1 if it doesn't exist.' """ if len(array) == 0: return -1 block_size = get_block_size(array) # Pointers for traversing the array start_pointer = 0 next_pointer = block_size while (start_pointer < len(array)) and (array[next_pointer - 1] < value): start_pointer = next_pointer next_pointer += block_size # Prevent next from going out of bounds if next_pointer > len(array): next_pointer = len(array) # Linear search through the relevant block for i in range(start_pointer, next_pointer): if array[i] == value: return i return -1 def get_block_size(array: List[int]) -> int: """ Gets the block size of an array for jump search. The block size is the square root of the length of the array. We then calculate the absolute value of this block size, because we're using the value as index pointer, and negative values do not make sense here. This value is then floored to act as index pointer in the array. :param array: is the array to search. :return: the block size to be used in jump search. """ return math.floor(abs(math.sqrt(len(array)))) if __name__ == '__main__': # Array must be sorted in order for binary search to work array = [3, 5, 6, 9, 11, 18, 20, 21, 24, 30] print(array) index = jump_search(array, 31) print(index)
28.610169
93
0.650474
0
0
0
0
0
0
0
0
848
0.50237
9c36070009525ecb4d0b9ecb8aa020fd7b1f9bca
1,480
py
Python
src/cms/views/error_handler/error_handler.py
digitalfabrik/coldaid-backend
b769510570d5921e30876565263813c0362994e2
[ "Apache-2.0" ]
4
2019-12-05T16:45:17.000Z
2020-05-09T07:26:34.000Z
src/cms/views/error_handler/error_handler.py
digitalfabrik/coldaid-backend
b769510570d5921e30876565263813c0362994e2
[ "Apache-2.0" ]
56
2019-12-05T12:31:37.000Z
2021-01-07T15:47:45.000Z
src/cms/views/error_handler/error_handler.py
digitalfabrik/coldaid-backend
b769510570d5921e30876565263813c0362994e2
[ "Apache-2.0" ]
2
2019-12-11T09:52:26.000Z
2020-05-09T07:26:38.000Z
from django.shortcuts import render from django.utils.translation import ugettext as _ # pylint: disable=unused-argument def handler400(request, exception): ctx = {'code': 400, 'title': _('Bad request'), 'message': _('There was an error in your request.')} response = render(request, 'error_handler/http_error.html', ctx) response.status_code = 400 return response # pylint: disable=unused-argument def handler403(request, exception): ctx = {'code': 403, 'title': _('Forbidden'), 'message': _("You don't have the permission to access this page.")} response = render(request, 'error_handler/http_error.html', ctx) response.status_code = 403 return response # pylint: disable=unused-argument def handler404(request, exception): ctx = {'code': 404, 'title': _('Page not found'), 'message': _('The page you requested could not be found.')} response = render(request, 'error_handler/http_error.html', ctx) response.status_code = 404 return response # pylint: disable=unused-argument def handler500(request): ctx = {'code': 500, 'title': _('Internal Server Error'), 'message': _('An unexpected error has occurred.')} response = render(request, 'error_handler/http_error.html', ctx) response.status_code = 500 return response # pylint: disable=unused-argument def csrf_failure(request, reason): return render(request, 'error_handler/csrf_failure.html')
37
78
0.686486
0
0
0
0
0
0
0
0
641
0.433108
9c429be32392440a110878d04d24fb43356f3b77
1,144
py
Python
paperhub/input.py
GiuseppeBaldini/PaperHub
5efdee1a0374c995a6717a4baee2106df808af12
[ "MIT" ]
null
null
null
paperhub/input.py
GiuseppeBaldini/PaperHub
5efdee1a0374c995a6717a4baee2106df808af12
[ "MIT" ]
1
2020-03-27T12:05:14.000Z
2020-03-28T01:10:20.000Z
paperhub/input.py
GiuseppeBaldini/PaperHub
5efdee1a0374c995a6717a4baee2106df808af12
[ "MIT" ]
null
null
null
# Input DOI / URL import re import sys # Pyperclip is not built-in, check and download if needed try: import pyperclip except (ImportError, ModuleNotFoundError): print('Pyperclip module not found. Please download it.') sys.exit(0) # Regex for links link_regex = re.compile(r'''( http[s]?:// (?:[a-zA-Z]| [0-9]| [$-_@.&+]| [!*\(\),]| (?:%[0-9a-fA-F][0-9a-fA-F]))+ )''', re.IGNORECASE | re.VERBOSE) # Get DOI / URL using different methods # Method 1: argument try: input_link = sys.argv[1] # Method 2: clipboard except IndexError: input_link = pyperclip.paste() # Method 3: manual input def regex_check(regex, link): """ Check using regex. If DOI/URL are not in the right format, require manual input until correct or Enter to quit. """ while True: match = re.match(regex, link) if match == None: link = str(input('''Enter valid DOI / URL or press Enter to quit: > ''')) if link == '': exit() else: continue else: return link url = regex_check(link_regex, input_link)
23.346939
85
0.581294
0
0
0
0
0
0
0
0
553
0.483392
9c42d1030d5bf12bec44656b0c6d8328e6f4647e
2,897
py
Python
cgbind/esp.py
duartegroup/cgbind
8c2369d4c49e8b008fc3951719d99e0c4f6b6b16
[ "MIT" ]
7
2020-06-08T16:18:56.000Z
2021-01-28T09:59:16.000Z
cgbind/esp.py
duartegroup/cgbind
8c2369d4c49e8b008fc3951719d99e0c4f6b6b16
[ "MIT" ]
null
null
null
cgbind/esp.py
duartegroup/cgbind
8c2369d4c49e8b008fc3951719d99e0c4f6b6b16
[ "MIT" ]
2
2020-11-16T04:52:43.000Z
2021-06-04T05:07:29.000Z
import numpy as np from time import time from cgbind.atoms import get_atomic_number from cgbind.log import logger from cgbind.constants import Constants from cgbind.exceptions import CgbindCritical def get_esp_cube_lines(charges, atoms): """ From a list of charges and a set of xyzs create the electrostatic potential map grid-ed uniformly between the most negative x, y, z values -5 Å and the largest x, y, z +5 Å :param charges: (list(float)) :param atoms: (list(autode.atoms.Atom)) :return: (list(str)), (min ESP value, max ESP value) """ logger.info('Calculating the ESP and generating a .cube file') start_time = time() try: from esp_gen import get_cube_lines except ModuleNotFoundError: raise CgbindCritical('esp_gen not available. cgbind must be ' 'installed with the --esp_gen flag') if charges is None: logger.error('Could not generate an .cube file, charges were None') return [], (None, None) coords = np.array([atom.coord for atom in atoms]) charges = np.array(charges) # Get the max and min points from the coordinates max_cart_values = np.max(coords, axis=0) min_cat_values = np.min(coords, axis=0) # The grid needs to be slightly larger than the smallest/largest Cartesian # coordinate # NOTE: All distances from here are in Bohr (a0) i.e. atomic units min_carts = Constants.ang2a0 * (min_cat_values - 5 * np.ones(3)) max_carts = Constants.ang2a0 * (max_cart_values + 5 * np.ones(3)) coords = np.array([Constants.ang2a0 * np.array(coord) for coord in coords]) # Number of voxels will be nx * ny * nz nx, ny, nz = 50, 50, 50 vox_size = max_carts - min_carts rx, ry, rz = vox_size[0] / nx, vox_size[1] / ny, vox_size[2] / nz # Write the .cube file lines cube_file_lines = ['Generated by cgbind\n', 'ESP\n'] n_atoms = len(coords) min_x, min_y, min_z = min_carts cube_file_lines.append(f'{n_atoms:>5d}{min_x:>12f}{min_y:>12f}{min_z:>12f}\n') # n_atoms origin(x y z) cube_file_lines.append(f'{nx:>5d}{rx:>12f}{0.0:>12f}{0.0:>12f}\n') # Number of voxels and their size cube_file_lines.append(f'{ny:>5d}{0.0:>12f}{ry:>12f}{0.0:>12f}\n') cube_file_lines.append(f'{nz:>5d}{0.0:>12f}{0.0:>12f}{rz:>12f}\n') for atom in atoms: x, y, z = atom.coord cube_file_lines.append(f'{get_atomic_number(atom):>5d}{0.0:>12f}' f'{Constants.ang2a0*x:>12f}{Constants.ang2a0*y:>12f}{Constants.ang2a0*z:>12f}\n') # Looping over x, y, z is slow in python so use Cython extension cube_val_lines, min_val, max_val = get_cube_lines(nx, ny, nz, coords, min_carts, charges, vox_size) cube_file_lines += cube_val_lines logger.info(f'ESP generated in {time()-start_time:.3f} s') return cube_file_lines, (min_val, max_val)
38.118421
112
0.661374
0
0
0
0
0
0
0
0
1,276
0.440152
9c49c6272ae1b539badcabd74a81163ceda4090b
1,104
py
Python
Mundo 3/teste.py
RafaelSdm/Curso-de-Python
ae933ba80ee00ad5160bd5d05cf4b21007943fd4
[ "MIT" ]
1
2021-03-10T21:53:38.000Z
2021-03-10T21:53:38.000Z
Mundo 3/teste.py
RafaelSdm/Curso-de-Python
ae933ba80ee00ad5160bd5d05cf4b21007943fd4
[ "MIT" ]
null
null
null
Mundo 3/teste.py
RafaelSdm/Curso-de-Python
ae933ba80ee00ad5160bd5d05cf4b21007943fd4
[ "MIT" ]
null
null
null
pessoas = {'nomes': "Rafael","sexo":"macho alfa","idade":19} print(f"o {pessoas['nomes']} que se considera um {pessoas['sexo']} possui {pessoas['idade']}") print(pessoas.keys()) print(pessoas.values()) print(pessoas.items()) for c in pessoas.keys(): print(c) for c in pessoas.values(): print(c) for c, j in pessoas.items(): print(f"o {c} pertence ao {j}") del pessoas['sexo'] print(pessoas) pessoas["sexo"] = "macho alfa" print(pessoas) print("outro codida daqui pra frente \n\n\n\n\n\n") estado1 = {'estado': 'minas gerais', 'cidade':'capela nova' } estado2 = {'estado':'rio de janeiro', 'cidade':"rossinha"} brasil = [] brasil.append(estado1) brasil.append(estado2) print(brasil) print(f"o brasil possui um estado chamado {brasil[0]['estado']} e a prorpia possui uma cidade chamada {brasil[0]['cidade']}") print("-"*45) es = {} br = [] for c in range(0,3): es['estado'] = str(input("informe o seu estado:")) es['cidade'] = str(input("informe a sua cidade:")) br.append(es.copy()) for c in br: for i,j in c.items(): print(f"o campo {i} tem valor {j}")
23
125
0.638587
0
0
0
0
0
0
0
0
516
0.467391
9c49fd2b9580ad32f0138ff3ca8bca4fa9148e22
526
py
Python
rsa-cipher/makeRsaKeys.py
mumbo-pro/cyrptography-algorithm
8e08c027c361f94c547f8b4ede723401399c93ed
[ "Apache-2.0" ]
1
2021-02-23T09:53:19.000Z
2021-02-23T09:53:19.000Z
rsa-cipher/makeRsaKeys.py
mumbo-pro/cyrptography-algorithm
8e08c027c361f94c547f8b4ede723401399c93ed
[ "Apache-2.0" ]
1
2019-09-18T08:24:05.000Z
2019-09-18T08:24:05.000Z
rsa-cipher/makeRsaKeys.py
mumbo-pro/cyrptography-algorithm
8e08c027c361f94c547f8b4ede723401399c93ed
[ "Apache-2.0" ]
null
null
null
# RSA Key Generator 2. # http://inventwithpython.com/hacking (BSD Licensed) 3. 4. import random, sys, os, rabinMiller, cryptomath The program imports the rabinMiller and cryptomath modules that we created in the last chapter, along with a few others. Chapter 24 – Public Key Cryptography and the RSA Cipher 387 makeRsaKeys.py 7. def main(): 8. # create a public/private keypair with 1024 bit keys 9. print('Making key files...') 10. makeKeyFiles('al_sweigart', 1024) 11. print('Key files made.')
65.75
188
0.714829
0
0
0
0
0
0
0
0
292
0.55303
9c4a756656ca930b517891bc50444eed71522301
2,537
py
Python
atlas-outreach-data-tools-framework-1.1/Configurations/PlotConf_TTbarAnalysis.py
Harvard-Neutrino/phys145
c3dc5788128fa2a7db0af0c796cf3afd957bf0ed
[ "CC0-1.0" ]
null
null
null
atlas-outreach-data-tools-framework-1.1/Configurations/PlotConf_TTbarAnalysis.py
Harvard-Neutrino/phys145
c3dc5788128fa2a7db0af0c796cf3afd957bf0ed
[ "CC0-1.0" ]
null
null
null
atlas-outreach-data-tools-framework-1.1/Configurations/PlotConf_TTbarAnalysis.py
Harvard-Neutrino/phys145
c3dc5788128fa2a7db0af0c796cf3afd957bf0ed
[ "CC0-1.0" ]
1
2021-11-30T02:08:12.000Z
2021-11-30T02:08:12.000Z
config = { "Luminosity": 1000, "InputDirectory": "results", "Histograms" : { "WtMass" : {}, "etmiss" : {}, "lep_n" : {}, "lep_pt" : {}, "lep_eta" : {}, "lep_E" : {}, "lep_phi" : {"y_margin" : 0.6}, "lep_charge" : {"y_margin" : 0.6}, "lep_type" : {"y_margin" : 0.5}, "lep_ptconerel30" : {}, "lep_etconerel20" : {}, "lep_d0" : {}, "lep_z0" : {}, "n_jets" : {}, "jet_pt" : {}, "jet_m" : {}, "jet_jvf" : {"y_margin" : 0.4}, "jet_eta" : {}, "jet_MV1" : {"y_margin" : 0.3}, "vxp_z" : {}, "pvxp_n" : {}, }, "Paintables": { "Stack": { "Order" : ["Diboson", "DrellYan", "W", "Z", "stop", "ttbar"], "Processes" : { "Diboson" : { "Color" : "#fa7921", "Contributions" : ["WW", "WZ", "ZZ"]}, "DrellYan": { "Color" : "#5bc0eb", "Contributions" : ["DYeeM08to15", "DYeeM15to40", "DYmumuM08to15", "DYmumuM15to40", "DYtautauM08to15", "DYtautauM15to40"]}, "W": { "Color" : "#e55934", "Contributions" : ["WenuJetsBVeto", "WenuWithB", "WenuNoJetsBVeto", "WmunuJetsBVeto", "WmunuWithB", "WmunuNoJetsBVeto", "WtaunuJetsBVeto", "WtaunuWithB", "WtaunuNoJetsBVeto"]}, "Z": { "Color" : "#086788", "Contributions" : ["Zee", "Zmumu", "Ztautau"]}, "stop": { "Color" : "#fde74c", "Contributions" : ["stop_tchan_top", "stop_tchan_antitop", "stop_schan", "stop_wtchan"]}, "ttbar": { "Color" : "#9bc53d", "Contributions" : ["ttbar_lep", "ttbar_had"]} } }, "data" : { "Contributions": ["data_Egamma", "data_Muons"]} }, "Depictions": { "Order": ["Main", "Data/MC"], "Definitions" : { "Data/MC": { "type" : "Agreement", "Paintables" : ["data", "Stack"] }, "Main": { "type" : "Main", "Paintables": ["Stack", "data"] }, } }, }
32.525641
192
0.358691
0
0
0
0
0
0
0
0
1,122
0.442255
9c4cf09ffcfa4dd9bf0d914e9750a3f14e039df3
605
py
Python
examples/basic/findQSpark.py
myriadrf/pyLMS7002M
b866deea1f05dba44c9ed1a1a4666352b811b66b
[ "Apache-2.0" ]
46
2016-11-29T05:10:36.000Z
2021-10-31T19:27:46.000Z
examples/basic/findQSpark.py
myriadrf/pyLMS7002M
b866deea1f05dba44c9ed1a1a4666352b811b66b
[ "Apache-2.0" ]
2
2017-04-15T21:36:01.000Z
2017-06-08T09:44:26.000Z
examples/basic/findQSpark.py
myriadrf/pyLMS7002M
b866deea1f05dba44c9ed1a1a4666352b811b66b
[ "Apache-2.0" ]
16
2016-11-28T20:47:55.000Z
2021-04-07T01:48:20.000Z
from pyLMS7002M import * print("Searching for QSpark...") try: QSpark = QSpark() except: print("QSpark not found") exit(1) print("\QSpark info:") QSpark.printInfo() # print the QSpark board info # QSpark.LMS7002_Reset() # reset the LMS7002M lms7002 = QSpark.getLMS7002() # get the LMS7002M object ver, rev, mask = lms7002.chipInfo # get the chip info print("\nLMS7002M info:") print("VER : "+str(ver)) print("REV : "+str(rev)) print("MASK : "+str(mask))
31.842105
80
0.528926
0
0
0
0
0
0
0
0
285
0.471074
9c5de31d5758cb655e6faea3c4a14331feb71111
4,960
py
Python
examples/multi_physics/piezo_elasticity.py
BubuLK/sfepy
3e8e2082c26d574dc334fe3a0e0eeb723f7a6657
[ "BSD-3-Clause" ]
null
null
null
examples/multi_physics/piezo_elasticity.py
BubuLK/sfepy
3e8e2082c26d574dc334fe3a0e0eeb723f7a6657
[ "BSD-3-Clause" ]
null
null
null
examples/multi_physics/piezo_elasticity.py
BubuLK/sfepy
3e8e2082c26d574dc334fe3a0e0eeb723f7a6657
[ "BSD-3-Clause" ]
null
null
null
r""" Piezo-elasticity problem - linear elastic material with piezoelectric effects. Find :math:`\ul{u}`, :math:`\phi` such that: .. math:: - \omega^2 \int_{Y} \rho\ \ul{v} \cdot \ul{u} + \int_{Y} D_{ijkl}\ e_{ij}(\ul{v}) e_{kl}(\ul{u}) - \int_{Y_2} g_{kij}\ e_{ij}(\ul{v}) \nabla_k \phi = 0 \;, \quad \forall \ul{v} \;, \int_{Y_2} g_{kij}\ e_{ij}(\ul{u}) \nabla_k \psi + \int_{Y} K_{ij} \nabla_i \psi \nabla_j \phi = 0 \;, \quad \forall \psi \;, where .. math:: D_{ijkl} = \mu (\delta_{ik} \delta_{jl}+\delta_{il} \delta_{jk}) + \lambda \ \delta_{ij} \delta_{kl} \;. """ from __future__ import absolute_import import os import numpy as nm from sfepy import data_dir from sfepy.discrete.fem import MeshIO from sfepy.mechanics.matcoefs import stiffness_from_lame import six def post_process(out, pb, state, extend=False): """ Calculate and output the strain and stresses for the given state. """ from sfepy.base.base import Struct from sfepy.discrete.fem import extend_cell_data ev = pb.evaluate strain = ev('ev_cauchy_strain.i.Y(u)', mode='el_avg') stress = ev('ev_cauchy_stress.i.Y(inclusion.D, u)', mode='el_avg') piezo = -ev('ev_piezo_stress.i.Y2(inclusion.coupling, phi)', mode='el_avg') piezo = extend_cell_data(piezo, pb.domain, 'Y2', val=0.0) piezo_strain = ev('ev_piezo_strain.i.Y(inclusion.coupling, u)', mode='el_avg') out['cauchy_strain'] = Struct(name='output_data', mode='cell', data=strain, dofs=None) out['elastic_stress'] = Struct(name='output_data', mode='cell', data=stress, dofs=None) out['piezo_stress'] = Struct(name='output_data', mode='cell', data=piezo, dofs=None) out['piezo_strain'] = Struct(name='output_data', mode='cell', data=piezo_strain, dofs=None) out['total_stress'] = Struct(name='output_data', mode='cell', data=stress + piezo, dofs=None) return out filename_mesh = data_dir + '/meshes/2d/special/circle_in_square.mesh' ## filename_mesh = data_dir + '/meshes/2d/special/circle_in_square_small.mesh' ## filename_mesh = data_dir + '/meshes/3d/special/cube_sphere.mesh' ## filename_mesh = data_dir + '/meshes/2d/special/cube_cylinder.mesh' omega = 1 omega_squared = omega**2 conf_dir = os.path.dirname(__file__) io = MeshIO.any_from_filename(filename_mesh, prefix_dir=conf_dir) bbox, dim = io.read_bounding_box(ret_dim=True) geom = {3 : '3_4', 2 : '2_3'}[dim] x_left, x_right = bbox[:,0] options = { 'post_process_hook' : 'post_process', } regions = { 'Y' : 'all', 'Y1' : 'cells of group 1', 'Y2' : 'cells of group 2', 'Y2_Surface': ('r.Y1 *v r.Y2', 'facet'), 'Left' : ('vertices in (x < %f)' % (x_left + 1e-3), 'facet'), 'Right' : ('vertices in (x > %f)' % (x_right - 1e-3), 'facet'), } fields = { 'displacement' : ('real', dim, 'Y', 1), 'potential' : ('real', 1, 'Y', 1), } variables = { 'u' : ('unknown field', 'displacement', 0), 'v' : ('test field', 'displacement', 'u'), 'phi' : ('unknown field', 'potential', 1), 'psi' : ('test field', 'potential', 'phi'), } ebcs = { 'u1' : ('Left', {'u.all' : 0.0}), 'u2' : ('Right', {'u.0' : 0.1}), 'phi' : ('Y2_Surface', {'phi.all' : 0.0}), } def get_inclusion_pars(ts, coor, mode=None, **kwargs): """TODO: implement proper 3D -> 2D transformation of constitutive matrices.""" if mode == 'qp': _, dim = coor.shape sym = (dim + 1) * dim // 2 dielectric = nm.eye(dim, dtype=nm.float64) # !!! coupling = nm.ones((dim, sym), dtype=nm.float64) # coupling[0,1] = 0.2 out = { # Lame coefficients in 1e+10 Pa. 'D' : stiffness_from_lame(dim=2, lam=0.1798, mu=0.148), # dielectric tensor 'dielectric' : dielectric, # piezoelectric coupling 'coupling' : coupling, 'density' : nm.array([[0.1142]]), # in 1e4 kg/m3 } for key, val in six.iteritems(out): out[key] = val[None, ...] return out materials = { 'inclusion' : (None, 'get_inclusion_pars') } functions = { 'get_inclusion_pars' : (get_inclusion_pars,), } integrals = { 'i' : 2, } equations = { '1' : """- %f * dw_volume_dot.i.Y(inclusion.density, v, u) + dw_lin_elastic.i.Y(inclusion.D, v, u) - dw_piezo_coupling.i.Y2(inclusion.coupling, v, phi) = 0""" % omega_squared, '2' : """dw_piezo_coupling.i.Y2(inclusion.coupling, u, psi) + dw_diffusion.i.Y(inclusion.dielectric, psi, phi) = 0""", } solvers = { 'ls' : ('ls.scipy_direct', {}), 'newton' : ('nls.newton', {'i_max' : 1, 'eps_a' : 1e-10, }), }
29.349112
78
0.563105
0
0
0
0
0
0
0
0
2,422
0.488306
9c5f1cf8cb3617f22a594d7ff47f26bbe868fb45
326
py
Python
01-logica-de-programacao-e-algoritmos/Aula 06/01 Tuplas/1.2 Desempacotamento de parametros em funcoes/ex01.py
rafaelbarretomg/Uninter
1f84b0103263177122663e991db3a8aeb106a959
[ "MIT" ]
null
null
null
01-logica-de-programacao-e-algoritmos/Aula 06/01 Tuplas/1.2 Desempacotamento de parametros em funcoes/ex01.py
rafaelbarretomg/Uninter
1f84b0103263177122663e991db3a8aeb106a959
[ "MIT" ]
null
null
null
01-logica-de-programacao-e-algoritmos/Aula 06/01 Tuplas/1.2 Desempacotamento de parametros em funcoes/ex01.py
rafaelbarretomg/Uninter
1f84b0103263177122663e991db3a8aeb106a959
[ "MIT" ]
null
null
null
# Desempacotamento de parametros em funcoes # somando valores de uma tupla def soma(*num): soma = 0 print('Tupla: {}' .format(num)) for i in num: soma += i return soma # Programa principal print('Resultado: {}\n' .format(soma(1, 2))) print('Resultado: {}\n' .format(soma(1, 2, 3, 4, 5, 6, 7, 8, 9)))
23.285714
65
0.604294
0
0
0
0
0
0
0
0
138
0.423313
9c68e55390ec5a85f2cfdfcd46e61487ba6ce000
9,871
py
Python
tests/unit/ppr/test_search_query.py
doug-lovett/test-schemas-dl
a05e87b983f2c3559c081dd65aff05e2c67e6186
[ "Apache-2.0" ]
null
null
null
tests/unit/ppr/test_search_query.py
doug-lovett/test-schemas-dl
a05e87b983f2c3559c081dd65aff05e2c67e6186
[ "Apache-2.0" ]
null
null
null
tests/unit/ppr/test_search_query.py
doug-lovett/test-schemas-dl
a05e87b983f2c3559c081dd65aff05e2c67e6186
[ "Apache-2.0" ]
null
null
null
# Copyright © 2020 Province of British Columbia # # 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. """Test Suite to ensure the PPR Search Query schema is valid. """ import copy from registry_schemas import validate from registry_schemas.example_data.ppr import SEARCH_QUERY def test_valid_search_query_ind_debtor(): """Assert that the schema is performing as expected for a search by individual debtor.""" query = copy.deepcopy(SEARCH_QUERY) query['type'] = 'INDIVIDUAL_DEBTOR' del query['criteria']['debtorName']['business'] del query['criteria']['value'] del query['clientReferenceId'] del query['startDateTime'] del query['endDateTime'] is_valid, errors = validate(query, 'searchQuery', 'ppr') if errors: for err in errors: print(err.message) print(errors) assert is_valid def test_valid_search_query_bus_debtor(): """Assert that the schema is performing as expected for a search by business debtor.""" query = copy.deepcopy(SEARCH_QUERY) query['type'] = 'BUSINESS_DEBTOR' del query['criteria']['debtorName']['first'] del query['criteria']['debtorName']['second'] del query['criteria']['debtorName']['last'] del query['criteria']['value'] is_valid, errors = validate(query, 'searchQuery', 'ppr') if errors: for err in errors: print(err.message) print(errors) assert is_valid def test_valid_search_query_airdot(): """Assert that the schema is performing as expected for a search by aircraft DOT.""" query = copy.deepcopy(SEARCH_QUERY) query['type'] = 'AIRCRAFT_DOT' del query['criteria']['debtorName'] query['criteria']['value'] = 'CFYXW' is_valid, errors = validate(query, 'searchQuery', 'ppr') if errors: for err in errors: print(err.message) print(errors) assert is_valid def test_valid_search_query_regnum(): """Assert that the schema is performing as expected for a search by registration number.""" query = copy.deepcopy(SEARCH_QUERY) query['type'] = 'REGISTRATION_NUMBER' del query['criteria']['debtorName'] query['criteria']['value'] = '023001B' is_valid, errors = validate(query, 'searchQuery', 'ppr') if errors: for err in errors: print(err.message) print(errors) assert is_valid def test_valid_search_query_mhrnum(): """Assert that the schema is performing as expected for a search by MHR number.""" query = copy.deepcopy(SEARCH_QUERY) query['type'] = 'MHR_NUMBER' del query['criteria']['debtorName'] query['criteria']['value'] = '21324' is_valid, errors = validate(query, 'searchQuery', 'ppr') if errors: for err in errors: print(err.message) print(errors) assert is_valid def test_valid_search_query_serialnum(): """Assert that the schema is performing as expected for a search by serial number.""" query = copy.deepcopy(SEARCH_QUERY) query['type'] = 'SERIAL_NUMBER' del query['criteria']['debtorName'] query['criteria']['value'] = 'KM8J3CA46JU622994' is_valid, errors = validate(query, 'searchQuery', 'ppr') if errors: for err in errors: print(err.message) print(errors) assert is_valid def test_invalid_search_query_missing_type(): """Assert that an invalid search query fails - type is missing.""" query = copy.deepcopy(SEARCH_QUERY) del query['type'] del query['criteria']['debtorName']['business'] del query['criteria']['value'] is_valid, errors = validate(query, 'searchQuery', 'ppr') if errors: for err in errors: print(err.message) print(errors) assert not is_valid def test_invalid_search_query_missing_criteria(): """Assert that an invalid search query fails - criteria is missing.""" query = copy.deepcopy(SEARCH_QUERY) del query['criteria'] is_valid, errors = validate(query, 'searchQuery', 'ppr') if errors: for err in errors: print(err.message) print(errors) assert not is_valid def test_invalid_search_query_type(): """Assert that an invalid search query fails - type is invalid.""" query = copy.deepcopy(SEARCH_QUERY) query['type'] = 'XXXXXXXX' del query['criteria']['debtorName']['business'] del query['criteria']['value'] is_valid, errors = validate(query, 'searchQuery', 'ppr') if errors: for err in errors: print(err.message) print(errors) assert not is_valid def test_invalid_search_query_criteria(): """Assert that an invalid search query fails - criteria is invalid.""" query = copy.deepcopy(SEARCH_QUERY) del query['criteria']['debtorName']['business'] is_valid, errors = validate(query, 'searchQuery', 'ppr') if errors: for err in errors: print(err.message) print(errors) assert not is_valid def test_invalid_search_query_busname(): """Assert that an invalid search query fails - business name is too short.""" query = copy.deepcopy(SEARCH_QUERY) del query['criteria']['debtorName']['first'] del query['criteria']['debtorName']['second'] del query['criteria']['debtorName']['last'] del query['criteria']['value'] query['criteria']['debtorName']['business'] = 'XXXX' is_valid, errors = validate(query, 'searchQuery', 'ppr') if errors: for err in errors: print(err.message) print(errors) assert not is_valid def test_invalid_search_query_value(): """Assert that an invalid search query fails - value is too long.""" query = copy.deepcopy(SEARCH_QUERY) del query['criteria']['debtorName'] query['criteria']['value'] = 'XxxxxxxxxxxxxxxxxxxxXxxxxxxxxxxxxxxxxxxxXxxxxxxxxxx' is_valid, errors = validate(query, 'searchQuery', 'ppr') if errors: for err in errors: print(err.message) print(errors) assert not is_valid def test_invalid_search_query_debtor(): """Assert that an invalid search query fails - debtor name is invalid.""" query = copy.deepcopy(SEARCH_QUERY) del query['criteria']['value'] is_valid, errors = validate(query, 'searchQuery', 'ppr') if errors: for err in errors: print(err.message) print(errors) assert not is_valid def test_invalid_search_query_firstname(): """Assert that an invalid search query fails - debtor first name is too long.""" query = copy.deepcopy(SEARCH_QUERY) del query['criteria']['value'] del query['criteria']['debtorName']['business'] query['criteria']['debtorName']['first'] = 'XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX' is_valid, errors = validate(query, 'searchQuery', 'ppr') if errors: for err in errors: print(err.message) print(errors) assert not is_valid def test_invalid_search_query_secondname(): """Assert that an invalid search query fails - debtor second name is too long.""" query = copy.deepcopy(SEARCH_QUERY) del query['criteria']['value'] del query['criteria']['debtorName']['business'] query['criteria']['debtorName']['second'] = 'XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX' is_valid, errors = validate(query, 'searchQuery', 'ppr') if errors: for err in errors: print(err.message) print(errors) assert not is_valid def test_invalid_search_query_lastname(): """Assert that an invalid search query fails - debtor last name is too long.""" query = copy.deepcopy(SEARCH_QUERY) del query['criteria']['value'] del query['criteria']['debtorName']['business'] query['criteria']['debtorName']['last'] = 'XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX' is_valid, errors = validate(query, 'searchQuery', 'ppr') if errors: for err in errors: print(err.message) print(errors) assert not is_valid def test_invalid_search_query_clientref(): """Assert that an invalid search query fails - client reference id is too long.""" query = copy.deepcopy(SEARCH_QUERY) del query['criteria']['value'] del query['criteria']['debtorName']['business'] query['clientReferenceId'] = 'XxxxxxxxxxXxxxxxxxxxX' is_valid, errors = validate(query, 'searchQuery', 'ppr') if errors: for err in errors: print(err.message) print(errors) assert not is_valid def test_invalid_search_query_startts(): """Assert that an invalid search query fails - start date time format is invalid.""" query = copy.deepcopy(SEARCH_QUERY) del query['criteria']['value'] del query['criteria']['debtorName']['business'] query['startDateTime'] = 'Xxxxxxxxxx' is_valid, errors = validate(query, 'searchQuery', 'ppr') if errors: for err in errors: print(err.message) print(errors) assert not is_valid def test_invalid_search_query_endts(): """Assert that an invalid search query fails - end date time format is invalid.""" query = copy.deepcopy(SEARCH_QUERY) del query['criteria']['value'] del query['criteria']['debtorName']['business'] query['endDateTime'] = 'Xxxxxxxxxx' is_valid, errors = validate(query, 'searchQuery', 'ppr') if errors: for err in errors: print(err.message) print(errors) assert not is_valid
28.042614
95
0.668524
0
0
0
0
0
0
0
0
4,005
0.405693
9c6c043e7e279ee40586854016feb8a49ecc6e3c
661
py
Python
tamilmorse/morse_encode.py
CRE2525/open-tamil
ffc02509f7b8a6a17644c85799a475a8ba623954
[ "MIT" ]
1
2021-08-03T19:35:18.000Z
2021-08-03T19:35:18.000Z
tamilmorse/morse_encode.py
CRE2525/open-tamil
ffc02509f7b8a6a17644c85799a475a8ba623954
[ "MIT" ]
null
null
null
tamilmorse/morse_encode.py
CRE2525/open-tamil
ffc02509f7b8a6a17644c85799a475a8ba623954
[ "MIT" ]
null
null
null
## -*- coding: utf-8 -*- #(C) 2018 Muthiah Annamalai # This file is part of Open-Tamil project # You may use or distribute this file under terms of MIT license import codecs import json import tamil import sys import os #e.g. python morse_encode.py கலைஞர் CURRDIR = os.path.dirname(os.path.realpath(__file__)) def encode(text): with codecs.open(os.path.join(CURRDIR,"data","madurai_tamilmorse.json"),"r","utf-8") as fp: codebook = json.loads(fp.read()) output = [codebook.get(l,l) for l in tamil.utf8.get_letters(text)] return u" ".join(output) if __name__ == u"__main__": encode(u" ".join([i.decode("utf-8") for i in sys.argv[1:]]))
30.045455
95
0.688351
0
0
0
0
0
0
0
0
270
0.401189
9c6f86bf35dea92442e86d8e34f3dfcb1923875e
1,336
py
Python
BasicScripts/basics.py
TomasBelskis/PythonAutomation
dd2e30abb214e37d84a8952deb834074abdc84a2
[ "MIT" ]
null
null
null
BasicScripts/basics.py
TomasBelskis/PythonAutomation
dd2e30abb214e37d84a8952deb834074abdc84a2
[ "MIT" ]
null
null
null
BasicScripts/basics.py
TomasBelskis/PythonAutomation
dd2e30abb214e37d84a8952deb834074abdc84a2
[ "MIT" ]
null
null
null
# Python Basics # String concatenaton added_strings = str(32) + "_342" # Getting input input_from_user = input() # Basic print function print(input_from_user) # Mixing boolean and comparison operations if (4 < 5) and (5 < 6): print("True") # Basic if & if else flow if name == 'Alice': print('Hi, Alice.') elif age < 12: print("You are not Alice, kiddo.") elif age > 2000: print('Unlike you, Alice is not an undead, immortal vampire.') elif age > 100: print('You are not Alice, grannie.') # Loops in Python 3 spam = 0 while spam < 5: print('Spam, spam!') spam = spam + 1 # Access loop while True: print('Who are you?') name = input() if name != 'Joe': continue print('Hello, Joe. What is the password? (It is a fish.)') password = input() if password = 'swordfish': break print('Access granted.') # For loops using range function print("My name is") for i in range(5): print('Jimmy Five Times (' + str(i) + ')') # Using starting range for i in range(12, 16): print(i) # Importing modules import random for i in range(5): print(random.randint(1, 10)) # Exiting a python program import sys while True: print('Type exit to exit.') response = input() if response == 'exit': sys.exit() print('You typed ' + response + '.')
19.940299
66
0.624251
0
0
0
0
0
0
0
0
601
0.44985
9c6fcb64c497c5bc80d5ed65052770cfc9db0316
156
py
Python
env.example.py
wilcoln/klazor
8f3c40a03a7e61c07eceb6cdbe4d1bb05693727e
[ "MIT" ]
8
2020-01-18T09:33:51.000Z
2020-01-19T10:47:51.000Z
env.example.py
wilcoln/klazor
8f3c40a03a7e61c07eceb6cdbe4d1bb05693727e
[ "MIT" ]
8
2019-08-09T03:54:44.000Z
2022-02-12T16:55:51.000Z
env.example.py
wilcoln/klazor
8f3c40a03a7e61c07eceb6cdbe4d1bb05693727e
[ "MIT" ]
null
null
null
DATABASE_OPTIONS = { 'database': 'klazor', 'user': 'root', 'password': '', 'charset': 'utf8mb4', } HOSTS = ['127.0.0.1', '67.209.115.211']
17.333333
39
0.525641
0
0
0
0
0
0
0
0
87
0.557692
9c73c8f40881c066eecdb84a89d42263b576a7ce
110
py
Python
note5/package_test5.py
icexmoon/python-learning-notes
838c91d896404290b89992b6517be1b6a79df41f
[ "MIT" ]
null
null
null
note5/package_test5.py
icexmoon/python-learning-notes
838c91d896404290b89992b6517be1b6a79df41f
[ "MIT" ]
null
null
null
note5/package_test5.py
icexmoon/python-learning-notes
838c91d896404290b89992b6517be1b6a79df41f
[ "MIT" ]
null
null
null
#test.py from time_tools import * # print(compareTimestamp(111,222)) time.showNowTime() # now time is XX:XX:XX
22
34
0.754545
0
0
0
0
0
0
0
0
64
0.581818
9c836060b9b7e80140ebb8a9cc363bc2e1d5ff72
9,677
py
Python
basis_set_exchange/cli/bse_cli.py
atomse/basis_set_exchange
7ffd64082c14d2f61eb43f1c2d44792e8b0e394e
[ "BSD-3-Clause" ]
null
null
null
basis_set_exchange/cli/bse_cli.py
atomse/basis_set_exchange
7ffd64082c14d2f61eb43f1c2d44792e8b0e394e
[ "BSD-3-Clause" ]
null
null
null
basis_set_exchange/cli/bse_cli.py
atomse/basis_set_exchange
7ffd64082c14d2f61eb43f1c2d44792e8b0e394e
[ "BSD-3-Clause" ]
null
null
null
''' Command line interface for the basis set exchange ''' import argparse import argcomplete from .. import version from .bse_handlers import bse_cli_handle_subcmd from .check import cli_check_normalize_args from .complete import (cli_case_insensitive_validator, cli_family_completer, cli_role_completer, cli_bsname_completer, cli_write_fmt_completer, cli_read_fmt_completer, cli_reffmt_completer) def run_bse_cli(): ################################################################################################ # NOTE: I am deliberately not using the 'choices' argument in add_argument. I could use it # for formats, etc, however I wouldn't want to use it for basis set names. Therefore, I handle # all of that manually so that error output is consistent and clean ################################################################################################ ######################################## # Main global options ######################################## parser = argparse.ArgumentParser(description='Description of your program') parser.add_argument('-V', action='version', version='basis_set_exchange ' + version()) parser.add_argument('-d', '--data-dir', metavar='PATH', help='Override which data directory to use') parser.add_argument('-o', '--output', metavar='PATH', help='Output to given file rather than stdout') subparsers = parser.add_subparsers(metavar='subcommand', dest='subcmd') subparsers.required = True # https://bugs.python.org/issue9253#msg186387 ######################################## # Listing of data-independent info ######################################## # list-formats subcommand subp = subparsers.add_parser('list-formats', help='Output a list of basis set formats that can be used with obtaining a basis set') subp.add_argument('-n', '--no-description', action='store_true', help='Print only the format names') # list-writer-formats subcommand subp = subparsers.add_parser('list-writer-formats', help='Output a list available basis set formats that can be written') subp.add_argument('-n', '--no-description', action='store_true', help='Print only the format names') # list-reader-formats subp = subparsers.add_parser('list-reader-formats', help='Output a list of basis set formats that can be read') subp.add_argument('-n', '--no-description', action='store_true', help='Print only the format names') # list-ref-formats subcommand subp = subparsers.add_parser('list-ref-formats', help='Output a list all available reference formats and descriptions') subp.add_argument('-n', '--no-description', action='store_true', help='Print only the reference format names') # list-roles subcommand subp = subparsers.add_parser('list-roles', help='Output a list all available roles and descriptions') subp.add_argument('-n', '--no-description', action='store_true', help='Print only the role names') ######################################## # Listing of general info and metadata ######################################## # get-data-dir subparsers.add_parser('get-data-dir', help='Output the default data directory of this package') # list-basis-sets subcommand subp = subparsers.add_parser('list-basis-sets', help='Output a list all available basis sets and descriptions') subp.add_argument('-n', '--no-description', action='store_true', help='Print only the basis set names') subp.add_argument('-f', '--family', help='Limit the basis set list to only the specified family').completer = cli_family_completer subp.add_argument('-r', '--role', help='Limit the basis set list to only the specified role').completer = cli_role_completer subp.add_argument('-s', '--substr', help='Limit the basis set list to only basis sets whose name contains the specified substring') subp.add_argument('-e', '--elements', help='Limit the basis set list to only basis sets that contain all the given elements') # list-families subcommand subparsers.add_parser('list-families', help='Output a list all available basis set families') # lookup-by-role subp = subparsers.add_parser('lookup-by-role', help='Lookup a companion/auxiliary basis by primary basis and role') subp.add_argument('basis', help='Name of the primary basis we want the auxiliary basis for').completer = cli_bsname_completer subp.add_argument('role', help='Role of the auxiliary basis to look for').completer = cli_role_completer ################################# # Output of info ################################# # get-basis subcommand subp = subparsers.add_parser('get-basis', help='Output a formatted basis set') subp.add_argument('basis', help='Name of the basis set to output').completer = cli_bsname_completer subp.add_argument('fmt', help='Which format to output the basis set as').completer = cli_write_fmt_completer subp.add_argument('--elements', help='Which elements of the basis set to output. Default is all defined in the given basis') subp.add_argument('--version', help='Which version of the basis set to output. Default is the latest version') subp.add_argument('--noheader', action='store_true', help='Do not output the header at the top') subp.add_argument('--unc-gen', action='store_true', help='Remove general contractions') subp.add_argument('--unc-spdf', action='store_true', help='Remove combined sp, spd, ... contractions') subp.add_argument('--unc-seg', action='store_true', help='Remove general contractions') subp.add_argument('--opt-gen', action='store_true', help='Optimize general contractions') subp.add_argument('--make-gen', action='store_true', help='Make the basis set as generally-contracted as possible') # get-refs subcommand subp = subparsers.add_parser('get-refs', help='Output references for a basis set') subp.add_argument('basis', help='Name of the basis set to output the references for').completer = cli_bsname_completer subp.add_argument('reffmt', help='Which format to output the references as').completer = cli_reffmt_completer subp.add_argument('--elements', help='Which elements to output the references for. Default is all defined in the given basis.') subp.add_argument('--version', help='Which version of the basis set to get the references for') # get-info subcommand subp = subparsers.add_parser('get-info', help='Output general info and metadata for a basis set') subp.add_argument('basis', help='Name of the basis set to output the info for').completer = cli_bsname_completer # get-notes subcommand subp = subparsers.add_parser('get-notes', help='Output the notes for a basis set') subp.add_argument('basis', help='Name of the basis set to output the notes for').completer = cli_bsname_completer # get-family subcommand subp = subparsers.add_parser('get-family', help='Output the family of a basis set') subp.add_argument('basis', help='Name of the basis set to output the family for').completer = cli_bsname_completer # get-versions subcommand subp = subparsers.add_parser('get-versions', help='Output a list all available versions of a basis set') subp.add_argument('basis', help='Name of the basis set to list the versions of').completer = cli_bsname_completer subp.add_argument('-n', '--no-description', action='store_true', help='Print only the version numbers') # get-family-notes subcommand subp = subparsers.add_parser('get-family-notes', help='Get the notes of a family of basis sets') subp.add_argument('family', type=str.lower, help='The basis set family to the get the notes of').completer = cli_family_completer ################################# # Converting basis sets ################################# subp = subparsers.add_parser('convert-basis', help='Convert basis set files from one format to another') subp.add_argument('input_file', type=str, help='Basis set file to convert') subp.add_argument('output_file', type=str, help='Converted basis set file') subp.add_argument('--in-fmt', type=str, default=None, help='Input format (default: autodetected from input filename').completer = cli_read_fmt_completer subp.add_argument('--out-fmt', type=str, default=None, help='Output format (default: autodetected from output filename').completer = cli_write_fmt_completer ################################# # Creating bundles ################################# subp = subparsers.add_parser('create-bundle', help='Create a bundle of basis sets') subp.add_argument('fmt', help='Which format to output the basis set as').completer = cli_write_fmt_completer subp.add_argument('reffmt', help='Which format to output the references as').completer = cli_reffmt_completer subp.add_argument('bundle_file', help='Bundle/Archive file to create') subp.add_argument('--archive-type', help='Override the type of archive to create (zip or tbz)') ############################# # DONE WITH SUBCOMMANDS ############################# # setup autocomplete argcomplete.autocomplete(parser, validator=cli_case_insensitive_validator) # Now parse and handle the args args = parser.parse_args() # Check and make sure basis sets, roles, etc, are valid args = cli_check_normalize_args(args) # Actually generate the output output = bse_cli_handle_subcmd(args) if args.output: with open(args.output, 'w', encoding='utf-8') as outfile: outfile.write(output) else: print(output) return 0
59.368098
160
0.673349
0
0
0
0
0
0
0
0
5,604
0.579105
92bdca03049e78f08b91682f83e48976672f9a1b
456
py
Python
utils/get_season_things_price.py
vogelfenx/storagebot
64ab07b068bf645d7cdf5bb1cd5db91c0e2a9228
[ "MIT" ]
null
null
null
utils/get_season_things_price.py
vogelfenx/storagebot
64ab07b068bf645d7cdf5bb1cd5db91c0e2a9228
[ "MIT" ]
2
2021-11-24T18:20:00.000Z
2021-11-24T18:31:55.000Z
utils/get_season_things_price.py
vogelfenx/storagebot
64ab07b068bf645d7cdf5bb1cd5db91c0e2a9228
[ "MIT" ]
4
2021-11-24T16:40:28.000Z
2021-11-28T10:40:57.000Z
def get_season_things_price(thing, amount, price): if thing == 'wheel': wheel_price = price[thing]['month'] * amount return f'Стоимость составит {wheel_price}/месяц' else: other_thing_price_week = price[thing]['week'] * amount other_thing_price_month = price[thing]['month'] * amount return f'Стоимость составит {other_thing_price_week} р./неделю' + \ f' или {other_thing_price_month} р./месяц'
41.454545
75
0.662281
0
0
0
0
0
0
0
0
221
0.432485
92ca0cfb3a6ca200081a09f8a2c36869b58c22cb
2,449
py
Python
example/bayesian-methods/data_loader.py
Vikas-kum/incubator-mxnet
ba02bf2fe2da423caa59ddb3fd5e433b90b730bf
[ "Apache-2.0" ]
54
2018-11-27T06:00:52.000Z
2022-03-24T09:41:01.000Z
example/bayesian-methods/data_loader.py
Vikas-kum/incubator-mxnet
ba02bf2fe2da423caa59ddb3fd5e433b90b730bf
[ "Apache-2.0" ]
27
2017-07-04T17:45:51.000Z
2019-09-12T06:56:27.000Z
example/bayesian-methods/data_loader.py
Vikas-kum/incubator-mxnet
ba02bf2fe2da423caa59ddb3fd5e433b90b730bf
[ "Apache-2.0" ]
51
2019-07-12T05:10:25.000Z
2021-07-28T16:19:06.000Z
# 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. from __future__ import print_function import numpy import os import ssl def load_mnist(training_num=50000): data_path = os.path.join(os.path.dirname(os.path.realpath('__file__')), 'mnist.npz') if not os.path.isfile(data_path): from six.moves import urllib origin = ( 'https://github.com/sxjscience/mxnet/raw/master/example/bayesian-methods/mnist.npz' ) print('Downloading data from %s to %s' % (origin, data_path)) ctx = ssl._create_unverified_context() with urllib.request.urlopen(origin, context=ctx) as u, open(data_path, 'wb') as f: f.write(u.read()) print('Done!') dat = numpy.load(data_path) X = (dat['X'][:training_num] / 126.0).astype('float32') Y = dat['Y'][:training_num] X_test = (dat['X_test'] / 126.0).astype('float32') Y_test = dat['Y_test'] Y = Y.reshape((Y.shape[0],)) Y_test = Y_test.reshape((Y_test.shape[0],)) return X, Y, X_test, Y_test def load_toy(): training_data = numpy.loadtxt('toy_data_train.txt') testing_data = numpy.loadtxt('toy_data_test_whole.txt') X = training_data[:, 0].reshape((training_data.shape[0], 1)) Y = training_data[:, 1].reshape((training_data.shape[0], 1)) X_test = testing_data[:, 0].reshape((testing_data.shape[0], 1)) Y_test = testing_data[:, 1].reshape((testing_data.shape[0], 1)) return X, Y, X_test, Y_test def load_synthetic(theta1, theta2, sigmax, num=20): flag = numpy.random.randint(0, 2, (num,)) X = flag * numpy.random.normal(theta1, sigmax, (num,)) \ + (1.0 - flag) * numpy.random.normal(theta1 + theta2, sigmax, (num,)) return X
40.147541
95
0.683953
0
0
0
0
0
0
0
0
1,001
0.408738
92ca255eec01c1e82a3ad0136582786783c1c0bd
4,743
py
Python
start.py
mickeyckm/nanodegree-freshtomatoes
12776f7e46d6c42a4755a0b81e60eb1a5a65de08
[ "MIT" ]
1
2016-10-13T05:25:36.000Z
2016-10-13T05:25:36.000Z
start.py
mickeyckm/freshtomatoes
12776f7e46d6c42a4755a0b81e60eb1a5a65de08
[ "MIT" ]
null
null
null
start.py
mickeyckm/freshtomatoes
12776f7e46d6c42a4755a0b81e60eb1a5a65de08
[ "MIT" ]
null
null
null
import os import tmdbsimple as tmdb import media import fresh_tomatoes as ft movies = [] if os.environ.get('TMDB_API', False): # Retrieve API KEY tmdb.API_KEY = os.environ['TMDB_API'] # TMDB Movie Ids movie_ids = [271110, 297761, 246655, 278154, 135397, 188927] # Get Configuration configuration = tmdb.Configuration().info() image_base_url = configuration['images']['secure_base_url'] image_width = "w500" for movie_id in movie_ids: m = tmdb.Movies(movie_id) # Retrieve Image URL minfo = m.info() poster_image_url = image_base_url + image_width + minfo['poster_path'] # Retrieve Youtube Video URL videos = m.videos() video = videos['results'][0] youtube_url = 'https://youtube.com/watch?v=' + video['key'] # Append Movie object movie = media.Movie(m.title) movie.storyline = m.overview movie.poster_url = poster_image_url movie.trailer_url = youtube_url movies.append(movie) else: # Avatar avatar = media.Movie("Avatar") avatar.storyline = ("A paraplegic marine dispatched to the moon Pandora " "on a unique mission becomes torn between following " "his orders and protecting the world he feels is " "his home.") avatar.poster_url = ("https://upload.wikimedia.org/wikipedia/" "en/b/b0/Avatar-Teaser-Poster.jpg") avatar.trailer_url = "https://www.youtube.com/watch?v=-9ceBgWV8io" # Deadpool deadpool = media.Movie("Deadpool") deadpool.storyline = ("A fast-talking mercenary with a morbid sense of " "humor is subjected to a rogue experiment that " "leaves him with accelerated healing powers and a " "quest for revenge.") deadpool.poster_url = ("https://upload.wikimedia.org/wikipedia/en/4/46/" "Deadpool_poster.jpg") deadpool.trailer_url = "https://www.youtube.com/watch?v=gtTfd6tISfw" # Ghostbusters ghostbusters = media.Movie("Ghostbusters") ghostbusters.storyline = ("Following a ghost invasion of Manhattan, " "paranormal enthusiasts Erin Gilbert and Abby " "Yates, nuclear engineer Jillian Holtzmann, " "and subway worker Patty Tolan band together " "to stop the otherworldly threat.") ghostbusters.poster_url = ("https://upload.wikimedia.org/wikipedia/" "en/3/32/Ghostbusters_2016_film_poster.png") ghostbusters.trailer_url = "https://www.youtube.com/watch?v=w3ugHP-yZXw" # Olympus olympus = media.Movie("Olympus Has Fallen") olympus.storyline = ("Disgraced Secret Service agent (and former " "presidential guard) Mike Banning finds himself " "trapped inside the White House in the wake of a " "terrorist attack; using his inside knowledge, " "Banning works with national security to rescue " "the President from his kidnappers.") olympus.poster_url = ("https://upload.wikimedia.org/wikipedia/en/b/bf/" "Olympus_Has_Fallen_poster.jpg") olympus.trailer_url = "https://www.youtube.com/watch?v=vwx1f0kyNwI" # Angry Birds angry_birds = media.Movie("The Angry Birds Movie") angry_birds.storyline = ("Find out why the birds are so angry. When an " "island populated by happy, flightless birds " "is visited by mysterious green piggies, it's " "up to three unlikely outcasts - Red, Chuck " "and Bomb - to figure out what the pigs are up " "to.") angry_birds.poster_url = ("https://upload.wikimedia.org/wikipedia/en/f/" "f9/The_Angry_Birds_Movie_poster.png") angry_birds.trailer_url = "https://www.youtube.com/watch?v=1U2DKKqxHgE" # Ironman ironman = media.Movie("Iron Man") ironman.storyline = ("After being held captive in an Afghan cave, " "billionaire engineer Tony Stark creates a unique " "weaponized suit of armor to fight evil.") ironman.poster_url = ("https://upload.wikimedia.org/wikipedia/en/7/70/" "Ironmanposter.JPG") ironman.trailer_url = "https://www.youtube.com/watch?v=8hYlB38asDY" movies = [avatar, deadpool, ghostbusters, olympus, angry_birds, ironman] ft.open_movies_page(movies)
43.916667
78
0.59688
0
0
0
0
0
0
0
0
2,312
0.487455
92d135cd3396bc2bfc2ba5711e29b118672c8503
1,676
py
Python
setup.py
dolfim/django-mail-gmailapi
c2f7319329d07d6ecd41e4addc05e47c38fd5e19
[ "Apache-2.0" ]
null
null
null
setup.py
dolfim/django-mail-gmailapi
c2f7319329d07d6ecd41e4addc05e47c38fd5e19
[ "Apache-2.0" ]
null
null
null
setup.py
dolfim/django-mail-gmailapi
c2f7319329d07d6ecd41e4addc05e47c38fd5e19
[ "Apache-2.0" ]
null
null
null
import re from setuptools import setup, find_packages import sys if sys.version_info < (3, 5): raise 'must use Python version 3.5 or higher' with open('./gmailapi_backend/__init__.py', 'r') as f: MATCH_EXPR = "__version__[^'\"]+(['\"])([^'\"]+)" VERSION = re.search(MATCH_EXPR, f.read()).group(2).strip() setup( name='django-gmailapi-backend', version=VERSION, packages=find_packages(), author="Michele Dolfi", author_email="michele.dolfi@gmail.com", license="Apache License 2.0", entry_points={ 'console_scripts': [ 'gmail_oauth2 = gmailapi_backend.bin.gmail_oauth2:main', ] }, install_requires=[ 'google-api-python-client~=2.0', 'google-auth>=1.16.0,<3.0.0dev', ], url="https://github.com/dolfim/django-gmailapi-backend", long_description_content_type='text/markdown', long_description=open('README.md').read(), description='Email backend for Django which sends email via the Gmail API', classifiers=[ 'Intended Audience :: Developers', 'License :: OSI Approved :: Apache Software License', 'Operating System :: MacOS :: MacOS X', 'Operating System :: Microsoft :: Windows', 'Operating System :: POSIX', 'Programming Language :: Python', 'Programming Language :: Python :: 3', 'Programming Language :: Python :: 3.5', 'Programming Language :: Python :: 3.6', 'Programming Language :: Python :: 3.7', 'Programming Language :: Python :: 3.8', 'Framework :: Django', 'Topic :: Communications :: Email', 'Development Status :: 4 - Beta' ], )
33.52
79
0.614558
0
0
0
0
0
0
0
0
972
0.579952
92d2be755f1c0894c43d329732b414de4bf31ab2
195
py
Python
atcoder/abc132A_fifty_fifty.py
uninhm/kyopro
bf6ed9cbf6a5e46cde0291f7aa9d91a8ddf1f5a3
[ "BSD-3-Clause" ]
31
2020-05-13T01:07:55.000Z
2021-07-13T07:53:26.000Z
atcoder/abc132A_fifty_fifty.py
uninhm/kyopro
bf6ed9cbf6a5e46cde0291f7aa9d91a8ddf1f5a3
[ "BSD-3-Clause" ]
10
2020-05-20T07:22:09.000Z
2021-07-19T03:52:13.000Z
atcoder/abc132A_fifty_fifty.py
uninhm/kyopro
bf6ed9cbf6a5e46cde0291f7aa9d91a8ddf1f5a3
[ "BSD-3-Clause" ]
14
2020-05-11T05:58:36.000Z
2021-12-07T03:20:43.000Z
# Vicfred # https://atcoder.jp/contests/abc132/tasks/abc132_a # implementation S = list(input()) if len(set(S)) == 2: if S.count(S[0]) == 2: print("Yes") quit() print("No")
16.25
51
0.574359
0
0
0
0
0
0
0
0
85
0.435897
92e1c91fec4c34f39e9e2622024fad4489b61749
5,279
py
Python
scripts/C189/C189Checkin.py
xiaopowanyi/py_scripts
29f240800eefd6e0f91fd098c35ac3c451172ff8
[ "MIT" ]
2
2020-11-14T05:42:49.000Z
2020-11-14T05:43:13.000Z
scripts/C189/C189Checkin.py
J220541674/py_scripts
2b72e23041392a2e5f0a7305d7e9802054978384
[ "MIT" ]
null
null
null
scripts/C189/C189Checkin.py
J220541674/py_scripts
2b72e23041392a2e5f0a7305d7e9802054978384
[ "MIT" ]
null
null
null
import requests, time, re, rsa, json, base64 from urllib import parse s = requests.Session() username = "" password = "" if(username == "" or password == ""): username = input("账号:") password = input("密码:") def main(): login(username, password) rand = str(round(time.time()*1000)) surl = f'https://api.cloud.189.cn/mkt/userSign.action?rand={rand}&clientType=TELEANDROID&version=8.6.3&model=SM-G930K' url = f'https://m.cloud.189.cn/v2/drawPrizeMarketDetails.action?taskId=TASK_SIGNIN&activityId=ACT_SIGNIN' url2 = f'https://m.cloud.189.cn/v2/drawPrizeMarketDetails.action?taskId=TASK_SIGNIN_PHOTOS&activityId=ACT_SIGNIN' headers = { 'User-Agent':'Mozilla/5.0 (Linux; Android 5.1.1; SM-G930K Build/NRD90M; wv) AppleWebKit/537.36 (KHTML, like Gecko) Version/4.0 Chrome/74.0.3729.136 Mobile Safari/537.36 Ecloud/8.6.3 Android/22 clientId/355325117317828 clientModel/SM-G930K imsi/460071114317824 clientChannelId/qq proVersion/1.0.6', "Referer" : "https://m.cloud.189.cn/zhuanti/2016/sign/index.jsp?albumBackupOpened=1", "Host" : "m.cloud.189.cn", "Accept-Encoding" : "gzip, deflate", } response = s.get(surl,headers=headers) netdiskBonus = response.json()['netdiskBonus'] if(response.json()['isSign'] == "false"): print(f"未签到,签到获得{netdiskBonus}M空间") else: print(f"已经签到过了,签到获得{netdiskBonus}M空间") headers = { 'User-Agent':'Mozilla/5.0 (Linux; Android 5.1.1; SM-G930K Build/NRD90M; wv) AppleWebKit/537.36 (KHTML, like Gecko) Version/4.0 Chrome/74.0.3729.136 Mobile Safari/537.36 Ecloud/8.6.3 Android/22 clientId/355325117317828 clientModel/SM-G930K imsi/460071114317824 clientChannelId/qq proVersion/1.0.6', "Referer" : "https://m.cloud.189.cn/zhuanti/2016/sign/index.jsp?albumBackupOpened=1", "Host" : "m.cloud.189.cn", "Accept-Encoding" : "gzip, deflate", } response = s.get(url,headers=headers) try: if ("errorCode" in response.text): print(response.json()['errorCode']) elif (response.json().has_key('description')): description = response.json()['description'] print(f"抽奖获得{description}") except: print(f"抽奖1完成,解析时失败") try: response2 = s.get(url2,headers=headers) if ("errorCode" in response2.text): print(response.json()['errorCode']) elif (response2.json().has_key('description')): description = response2.json()['description'] print(f"抽奖2获得{description}") except: print(f"抽奖2完成,解析时失败") BI_RM = list("0123456789abcdefghijklmnopqrstuvwxyz") def int2char(a): return BI_RM[a] b64map = "ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/" def b64tohex(a): d = "" e = 0 c = 0 for i in range(len(a)): if list(a)[i] != "=": v = b64map.index(list(a)[i]) if 0 == e: e = 1 d += int2char(v >> 2) c = 3 & v elif 1 == e: e = 2 d += int2char(c << 2 | v >> 4) c = 15 & v elif 2 == e: e = 3 d += int2char(c) d += int2char(v >> 2) c = 3 & v else: e = 0 d += int2char(c << 2 | v >> 4) d += int2char(15 & v) if e == 1: d += int2char(c << 2) return d def rsa_encode(j_rsakey, string): rsa_key = f"-----BEGIN PUBLIC KEY-----\n{j_rsakey}\n-----END PUBLIC KEY-----" pubkey = rsa.PublicKey.load_pkcs1_openssl_pem(rsa_key.encode()) result = b64tohex((base64.b64encode(rsa.encrypt(f'{string}'.encode(), pubkey))).decode()) return result def calculate_md5_sign(params): return hashlib.md5('&'.join(sorted(params.split('&'))).encode('utf-8')).hexdigest() def login(username, password): url = "https://cloud.189.cn/udb/udb_login.jsp?pageId=1&redirectURL=/main.action" r = s.get(url) captchaToken = re.findall(r"captchaToken' value='(.+?)'", r.text)[0] lt = re.findall(r'lt = "(.+?)"', r.text)[0] returnUrl = re.findall(r"returnUrl = '(.+?)'", r.text)[0] paramId = re.findall(r'paramId = "(.+?)"', r.text)[0] j_rsakey = re.findall(r'j_rsaKey" value="(\S+)"', r.text, re.M)[0] s.headers.update({"lt": lt}) username = rsa_encode(j_rsakey, username) password = rsa_encode(j_rsakey, password) url = "https://open.e.189.cn/api/logbox/oauth2/loginSubmit.do" headers = { 'User-Agent': 'Mozilla/5.0 (Windows NT 10.0; Win64; x64; rv:74.0) Gecko/20100101 Firefox/76.0', 'Referer': 'https://open.e.189.cn/', } data = { "appKey": "cloud", "accountType": '01', "userName": f"{{RSA}}{username}", "password": f"{{RSA}}{password}", "validateCode": "", "captchaToken": captchaToken, "returnUrl": returnUrl, "mailSuffix": "@189.cn", "paramId": paramId } r = s.post(url, data=data, headers=headers, timeout=5) if(r.json()['result'] == 0): print(r.json()['msg']) else: print(r.json()['msg']) redirect_url = r.json()['toUrl'] r = s.get(redirect_url) return s if __name__ == "__main__": main()
37.707143
305
0.586664
0
0
0
0
0
0
0
0
2,331
0.432227
92fa730397bfd4949cfd5d8aa12c70a6b5cb5576
2,429
py
Python
examples/send_governance_vote_transaction.py
Algofiorg/algofi-py-sdk
6100a6726d36db4d4d3287064f0ad1d0b9a05e03
[ "MIT" ]
38
2021-12-30T02:32:57.000Z
2022-03-23T22:09:16.000Z
examples/send_governance_vote_transaction.py
Algofiorg/algofi-py-sdk
6100a6726d36db4d4d3287064f0ad1d0b9a05e03
[ "MIT" ]
4
2021-11-03T00:14:46.000Z
2022-03-28T02:17:33.000Z
examples/send_governance_vote_transaction.py
Algofiorg/algofi-py-sdk
6100a6726d36db4d4d3287064f0ad1d0b9a05e03
[ "MIT" ]
8
2021-12-15T05:29:55.000Z
2022-02-08T03:45:11.000Z
# This sample is provided for demonstration purposes only. # It is not intended for production use. # This example does not constitute trading advice. import os from dotenv import dotenv_values from algosdk import mnemonic, account from algofi.v1.asset import Asset from algofi.v1.client import AlgofiTestnetClient, AlgofiMainnetClient from algofi.utils import get_ordered_symbols, prepare_payment_transaction, get_new_account from example_utils import print_market_state, print_user_state ### run setup.py before proceeding. make sure the .env file is set with mnemonic + storage_mnemonic. # Hardcoding account keys is not a great practice. This is for demonstration purposes only. # See the README & Docs for alternative signing methods. my_path = os.path.abspath(os.path.dirname(__file__)) ENV_PATH = os.path.join(my_path, ".env") # load user passphrase user = dotenv_values(ENV_PATH) sender = mnemonic.to_public_key(user['mnemonic']) key = mnemonic.to_private_key(user['mnemonic']) # IS_MAINNET IS_MAINNET = False client = AlgofiMainnetClient(user_address=sender) if IS_MAINNET else AlgofiTestnetClient(user_address=sender) # NOTE: Get the live governance address at https://governance.algorand.foundation/api/periods/ # under "sign_up_address" for the relevant governance period # Specify your vote according to the formats that are permissible in the Algorand Foundation Spec # https://github.com/algorandfoundation/governance/blob/main/af-gov1-spec.md # Get the idx, vote choices based on the relevant voting session from https://governance.algorand.foundation/api/periods/ address = sender governance_address = "" vote_note = b'af/gov1:j[6,"a","c"]' # NOTE: an example, not to be used in live voting necessarily vault_address = client.manager.get_storage_address(address) print("~"*100) print("Processing send_governance_vote_transaction transaction for vault address " + vault_address) print("~"*100) txn = client.prepare_send_governance_vote_transactions(governance_address, note=vote_note, address=address) txn.sign_with_private_key(sender, key) txn.submit(client.algod, wait=True) # After sending, check your vote at # https://governance.algorand.foundation/api/periods/<governance-period-slug>/governors/<vault_address> # to confirm successful vote in voting session # print final state print("~"*100) print("Final State") print("Sent governance transaction with note: " + str(vote_note)) print("~"*100)
42.614035
121
0.799918
0
0
0
0
0
0
0
0
1,334
0.549197
92feee19e193679cb75cdd6152ceb20caad92e8b
389
gyp
Python
notification/app/node_modules/hiredis/binding.gyp
c2gconsulting/bulkpay
224a52427f80a71f66613c367a5596cbd5e97294
[ "MIT" ]
208
2015-01-07T03:50:56.000Z
2022-03-21T03:34:12.000Z
binding.gyp
badboy/hiredis-node-win
d113945a182ba1d616f8fba06e2d80dc9f09552b
[ "BSD-3-Clause" ]
72
2015-01-11T09:54:16.000Z
2019-11-21T14:07:43.000Z
binding.gyp
badboy/hiredis-node-win
d113945a182ba1d616f8fba06e2d80dc9f09552b
[ "BSD-3-Clause" ]
55
2015-01-10T20:54:13.000Z
2022-02-02T14:08:01.000Z
{ 'targets': [ { 'target_name': 'hiredis', 'sources': [ 'src/hiredis.cc' , 'src/reader.cc' ], 'include_dirs': ["<!(node -e \"require('nan')\")"], 'dependencies': [ 'deps/hiredis.gyp:hiredis-c' ], 'defines': [ '_GNU_SOURCE' ], 'cflags': [ '-Wall', '-O3' ] } ] }
16.913043
57
0.375321
0
0
0
0
0
0
0
0
201
0.51671
1300e7747076d34572209fef1029da836f1dbf7b
2,358
py
Python
video/cloud-client/quickstart/quickstart.py
nasirdec/GCP-AppEngine-Example
3f5ad26ad2c1e3c8deceb5844adfb40cf7c2e53f
[ "Apache-2.0" ]
1
2019-11-17T08:59:14.000Z
2019-11-17T08:59:14.000Z
video/cloud-client/quickstart/quickstart.py
nasirdec/GCP-AppEngine-Example
3f5ad26ad2c1e3c8deceb5844adfb40cf7c2e53f
[ "Apache-2.0" ]
16
2019-06-15T00:02:56.000Z
2021-03-25T23:22:38.000Z
video/cloud-client/quickstart/quickstart.py
nasirdec/GCP-AppEngine-Example
3f5ad26ad2c1e3c8deceb5844adfb40cf7c2e53f
[ "Apache-2.0" ]
3
2019-02-11T16:16:11.000Z
2019-04-19T21:34:37.000Z
#!/usr/bin/env python # Copyright 2017 Google Inc. 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. """This application demonstrates label detection on a demo video using the Google Cloud API. Usage: python quickstart.py """ def run_quickstart(): # [START video_quickstart] from google.cloud import videointelligence video_client = videointelligence.VideoIntelligenceServiceClient() features = [videointelligence.enums.Feature.LABEL_DETECTION] operation = video_client.annotate_video( 'gs://demomaker/cat.mp4', features=features) print('\nProcessing video for label annotations:') result = operation.result(timeout=120) print('\nFinished processing.') # first result is retrieved because a single video was processed segment_labels = result.annotation_results[0].segment_label_annotations for i, segment_label in enumerate(segment_labels): print('Video label description: {}'.format( segment_label.entity.description)) for category_entity in segment_label.category_entities: print('\tLabel category description: {}'.format( category_entity.description)) for i, segment in enumerate(segment_label.segments): start_time = (segment.segment.start_time_offset.seconds + segment.segment.start_time_offset.nanos / 1e9) end_time = (segment.segment.end_time_offset.seconds + segment.segment.end_time_offset.nanos / 1e9) positions = '{}s to {}s'.format(start_time, end_time) confidence = segment.confidence print('\tSegment {}: {}'.format(i, positions)) print('\tConfidence: {}'.format(confidence)) print('\n') # [END video_quickstart] if __name__ == '__main__': run_quickstart()
37.428571
75
0.697201
0
0
0
0
0
0
0
0
1,064
0.45123
1308f0dd9c15ba9ea58abe836ba21f50ef3863ef
679,794
py
Python
homework_05/graficos_3.py
ufpa-organization-repositories/evolutionary-computing
e16786f9619e2b357b94ab91ff3a7b352e6a0d92
[ "MIT" ]
null
null
null
homework_05/graficos_3.py
ufpa-organization-repositories/evolutionary-computing
e16786f9619e2b357b94ab91ff3a7b352e6a0d92
[ "MIT" ]
null
null
null
homework_05/graficos_3.py
ufpa-organization-repositories/evolutionary-computing
e16786f9619e2b357b94ab91ff3a7b352e6a0d92
[ "MIT" ]
null
null
null
# ensaio = [[[[1, 999.4951009067408, 999.495100909791, '1001100.11100010011001100001001', '100011.10010111010000111110100', '1', '1'], [2, 999.5052434400473, 999.5052434497359, '0000100.11100010011001100001001', '111011.10010111010000111110000', '1', '2'], [3, 999.51676448592, 999.516764613072, '0000100.11100010011001100001001', '011011.10010111010000111110100', '1', '3'], [4, 999.5986670278455, 999.5986691897469, '0000100.11100010011001100001001', '001011.10010111010000111110100', '1', '4'], [5, 999.8231043912172, 999.8231154915733, '0000100.11100010011001100001001', '000011.10010111010000111110100', '1', '5'], [6, 999.8507392915436, 999.8507498599146, '0000100.11101010011001100001001', '000011.10010111010000111110100', '1', '6'], [7, 999.8770250807991, 999.8770357110892, '0000100.11101010011001100001001', '000011.10011011010000111110110', '1', '7'], [8, 999.9035511429103, 999.9035563402527, '0000100.11111011011001100001001', '000011.10011011010000111110110', '1', '8'], [9, 999.8985266375895, 999.8985377843169, '0000100.11111011011001100001001', '000011.11011011010000111110110', '1', '9'], [10, 999.9175205241293, 999.9175299982971, '0000100.11111001011001100001001', '000011.11011011010000111110110', '1', '10']]], [[[999.7693956630327, 999.5712824548395, 999.5712938998612, '-1111.1100110000001100100111', '1100.0111101110100011011001101', '2', '1'], [999.772264826825, 999.722709716149, 999.7227150806862, '-1111.1100110000001100000111', '1100.0101101110011011011001101', '2', '2'], [999.772309110711, 999.7568109989896, 999.7568135752206, '-1111.1100110000001100000101', '1100.0101111110011011011001101', '2', '3'], [999.7723098264468, 999.7626773116484, 999.762679240235, '-1111.1100110010001000000111', '1100.0101111110011011011001101', '2', '4'], [999.772309861109, 999.7628189867448, 999.7628208837242, '-1111.1100110010101100000111', '1100.0101111111011011011001101', '2', '5'], [999.7723098614766, 999.7575339099722, 999.7575364450361, '-1111.1100110010011100000111', '1100.0101111111001011011001101', '2', '6'], [999.7723098614781, 999.7330120594124, 999.7330190985555, '-1111.1100110010011100000111', '1100.0101111111001011011101101', '2', '7'], [999.7723098614792, 999.7425919826176, 999.7425978232334, '-1111.1100110010011100000011', '1100.0101111111001011011101101', '2', '8'], [999.7723098614795, 999.7521383886242, 999.7521421922053, '-1111.1100110010011100000011', '1100.0101111111001011011111101', '2', '9'], [999.7723098614797, 999.7479881509024, 999.7479935597561, '-1111.1100110010011100000010', '1100.0101111111001011011111101', '2', '10']]]] ensaio = [[[[999.5055172457077, 999.4950089601775, 999.4950089625081, '1000110.11100010011001100001001', '110011.10010111010000111110100', '1', '1'], [999.5061559955897, 999.5023090273177, 999.502309034424, '1000100.01100010011001100001001', '110111.10010111010000111110110', '1', '2'], [999.5064522811073, 999.503907723421, 999.503907729031, '1000110.11110010001001100001001', '110011.11010111010000111110110', '1', '3'], [999.5121423697065, 999.5035214104588, 999.5035214189329, '1000100.01100010001001100001001', '010111.11010111010000111110110', '1', '4'], [999.5129192569484, 999.5073323118404, 999.5073323302529, '1000100.01100010001001100001001', '010111.01010111010000111110110', '1', '5'], [999.5129217445863, 999.5088300870693, 999.5088303022028, '1000100.01100010001001100001001', '010111.01010011010000111100000', '1', '6'], [999.5129221606866, 999.5109518591257, 999.5109518758048, '1000100.01100010001001100001001', '010111.01010010010000111100000', '1', '7'], [999.5129230124272, 999.512166424112, 999.5121664266934, '1000100.01100000001001100001001', '010111.01010011010000111100000', '1', '8'], [999.5129230131629, 999.5124005902164, 999.5124005938198, '1000100.01100000001001100001001', '010111.01010011010010111100000', '1', '9'], [999.5129230148639, 999.5103974240145, 999.5103976354789, '1000100.01100000001011100001001', '010111.01010011010010111110000', '1', '10'], [999.5129230160566, 999.5122248009202, 999.5122248072961, '1000100.01100000001011100001001', '010111.01010011011010111110000', '1', '11'], [999.5129230160816, 999.5098512171988, 999.5098514317501, '1000100.01100000001011101001001', '010111.01010011011010111111010', '1', '12'], [999.5129230161706, 999.5117481943298, 999.5117482051002, '1000100.01100000001011100001101', '010111.01010011011110111110000', '1', '13'], [999.512923016171, 999.5123140953751, 999.5123140998094, '1000100.01100000001011100000101', '010111.01010011011110111110000', '1', '14'], [999.5129230161734, 999.5118310368094, 999.5118310431579, '1000100.01100000001011100000101', '010111.01010011011110101100000', '1', '15'], [999.5129230161741, 999.5121210327977, 999.5121210375976, '1000100.01100000001011100000101', '010111.01010011011110011000000', '1', '16'], [999.5129230161741, 999.5094388460799, 999.5094390635309, '1000100.01100000001011100001101', '010111.01010011011110011000000', '1', '17'], [999.6136428564632, 999.5131524131325, 999.5131524699873, '0000100.01100000001011100000111', '011111.01010011011110011000000', '1', '18'], [999.6171227592827, 999.5505819522255, 999.5505841236918, '0000100.00100000001011100000111', '011111.01010011011110011000000', '1', '19'], [999.6260388885507, 999.6021087614022, 999.6021098942948, '0000100.00100000001011100001111', '011111.00010011011110011000000', '1', '20'], [999.6264039047687, 999.6120960828682, 999.6120968350307, '0000100.01000000001011100001111', '011111.00010011011110011000000', '1', '21'], [999.8211587180026, 999.6202616252683, 999.6202623370596, '0000100.01000000101011100001111', '001111.00010011011110011000000', '1', '22'], [999.8217737535546, 999.697569365876, 999.6975767463806, '0000100.01100000101011100001111', '001111.00010011001110011000000', '1', '23'], [999.821774465545, 999.7883631635897, 999.7883680067487, '0000100.01100000101011100001111', '001111.00010011001010011000000', '1', '24'], [999.82177567708, 999.7936505713287, 999.7936562996696, '0000100.01100000101011100001111', '001111.00010011000010011000000', '1', '25'], [999.8217757540084, 999.7949952836876, 999.7949996579591, '0000100.01100000101001100001111', '001111.00010011000010011000000', '1', '26'], [999.8217757867357, 999.770910115756, 999.7709198320904, '0000100.01100000101001100001110', '001111.00010011000010001000000', '1', '27'], [999.8217760768566, 999.7999669197359, 999.7999704691948, '0000100.01100000100001100001111', '001111.00010011000010001000000', '1', '28'], [999.8217761040349, 999.7895584591176, 999.7895643944065, '0000100.01100000100000100001111', '001111.00010011000010001100000', '1', '29'], [999.8217763006218, 999.8015467435569, 999.8015498310361, '0000100.01100000100001100001111', '001111.00010011000000001100000', '1', '30'], [999.821777162837, 999.8026923323965, 999.8026955300638, '0000100.01100000000000100001111', '001111.00010011000000001100000', '1', '31'], [999.8217771727744, 999.7826338356463, 999.7826402977803, '0000100.01100000000000000001111', '001111.00010011000000001100000', '1', '32'], [999.8217771730834, 999.7954080350157, 999.7954132850714, '0000100.01100000000000000000111', '001111.00010011000000001100000', '1', '33'], [999.8217771814129, 999.7891788101246, 999.7891832957444, '0000100.01100000000000000001011', '001111.00010011000000000100000', '1', '34'], [999.8217771814129, 999.779756867161, 999.7797618660151, '0000100.01100000000000000001011', '001111.00010011000000000100000', '1', '35'], [999.8217771859341, 999.7965076465391, 999.7965124112385, '0000100.01100000000000000000011', '001111.00010011000000000000000', '1', '36'], [999.8217771859341, 999.7767424591482, 999.7767507895039, '0000100.01100000000000000000011', '001111.00010011000000000000000', '1', '37'], [999.8217771859341, 999.7955815446758, 999.7955854201596, '0000100.01100000000000000000011', '001111.00010011000000000000000', '1', '38'], [999.8217771860104, 999.8015952900396, 999.8015986343482, '0000100.01100000000000000000001', '001111.00010011000000000000000', '1', '39'], [999.8217771860104, 999.7934819396916, 999.7934871695738, '0000100.01100000000000000000001', '001111.00010011000000000000000', '1', '40'], [999.8217771860486, 999.7773839039404, 999.7773933561947, '0000100.01100000000000000000000', '001111.00010011000000000000000', '1', '41'], [999.8217771860486, 999.783660016008, 999.7836662811018, '0000100.01100000000000000000000', '001111.00010011000000000000000', '1', '42'], [999.8217771860486, 999.7958411966919, 999.795845719919, '0000100.01100000000000000000000', '001111.00010011000000000000000', '1', '43'], [999.8217771860486, 999.7972260972415, 999.7972300549476, '0000100.01100000000000000000000', '001111.00010011000000000000000', '1', '44'], [999.8217771860486, 999.7875592201804, 999.7875655527954, '0000100.01100000000000000000000', '001111.00010011000000000000000', '1', '45'], [999.8217771860486, 999.7986952413885, 999.7986981703359, '0000100.01100000000000000000000', '001111.00010011000000000000000', '1', '46'], [999.8368643971163, 999.7873402119594, 999.7873465619066, '0000110.01100000000000000000000', '001011.00010011000000000000000', '1', '47'], [999.8539918915938, 999.743968963303, 999.7439774564771, '0000110.01000000000000000000000', '001011.00010011000000000000000', '1', '48'], [999.8718376250218, 999.8329135403696, 999.8329160040116, '0000110.00000000000000000000000', '001011.00010011000000000001000', '1', '49'], [999.8730076853732, 999.8170345524384, 999.8170444276267, '0000110.00000000000000000000000', '001011.00000111000000000000000', '1', '50'], [999.8730079454864, 999.8534036100392, 999.8534080537578, '0000110.00000000000100000000000', '001011.00000111000000000000000', '1', '51'], [999.8730094220132, 999.8254442447443, 999.8254545384234, '0000110.00000000000100000000000', '001011.00000111100000000000000', '1', '52'], [999.8730094609027, 999.8240493025111, 999.8240596888387, '0000110.00000000000000000000010', '001011.00000111100000000000000', '1', '53'], [999.8730094609308, 999.8567791347726, 999.8567827934108, '0000110.00000000000000000000000', '001011.00000111100000000000000', '1', '54'], [999.8730094609308, 999.8250568887524, 999.8250663348676, '0000110.00000000000000000000000', '001011.00000111100000000000000', '1', '55'], [999.8730094609308, 999.8330185330742, 999.8330279534193, '0000110.00000000000000000000000', '001011.00000111100000000000000', '1', '56'], [999.8730094609308, 999.8252124106773, 999.8252255327653, '0000110.00000000000000000000000', '001011.00000111100000000000000', '1', '57'], [999.8730094609308, 999.8392233081582, 999.839230947986, '0000110.00000000000000000000000', '001011.00000111100000000000000', '1', '58'], [999.8730094609308, 999.8523466142693, 999.8523506989067, '0000110.00000000000000000000000', '001011.00000111100000000000000', '1', '59'], [999.8730094609308, 999.8497053440487, 999.8497109413688, '0000110.00000000000000000000000', '001011.00000111100000000000000', '1', '60'], [999.8730094609308, 999.8437574953132, 999.8437620179748, '0000110.00000000000000000000000', '001011.00000111100000000000000', '1', '61'], [999.8730094609308, 999.8509939903805, 999.850997999749, '0000110.00000000000000000000000', '001011.00000111100000000000000', '1', '62'], [999.8730094609308, 999.8342054835687, 999.8342140911984, '0000110.00000000000000000000000', '001011.00000111100000000000000', '1', '63'], [999.8730094609308, 999.8243653301047, 999.8243759247314, '0000110.00000000000000000000000', '001011.00000111100000000000000', '1', '64'], [999.8730094609308, 999.8458875734631, 999.8458915389679, '0000110.00000000000000000000000', '001011.00000111100000000000000', '1', '65'], [999.8730094609308, 999.8091485027719, 999.8091642934783, '0000110.00000000000000000000000', '001011.00000111100000000000000', '1', '66'], [999.8730094609308, 999.840855350452, 999.8408632817996, '0000110.00000000000000000000000', '001011.00000111100000000000000', '1', '67'], [999.8730094609308, 999.8374768400587, 999.8374829018964, '0000110.00000000000000000000000', '001011.00000111100000000000000', '1', '68'], [999.8730094609308, 999.8209225593724, 999.8209344362921, '0000110.00000000000000000000000', '001011.00000111100000000000000', '1', '69'], [999.8730094609308, 999.8344120137165, 999.8344185676933, '0000110.00000000000000000000000', '001011.00000111100000000000000', '1', '70'], [999.8730094609308, 999.7989874917521, 999.7990044701596, '0000110.00000000000000000000000', '001011.00000111100000000000000', '1', '71'], [999.8730094609308, 999.8243053763531, 999.8243174266782, '0000110.00000000000000000000000', '001011.00000111100000000000000', '1', '72'], [999.8730094609308, 999.8248133595439, 999.8248245385398, '0000110.00000000000000000000000', '001011.00000111100000000000000', '1', '73'], [999.8730094609308, 999.8118915784793, 999.8119043460133, '0000110.00000000000000000000000', '001011.00000111100000000000000', '1', '74'], [999.8730094609308, 999.8456758352268, 999.8456828038658, '0000110.00000000000000000000000', '001011.00000111100000000000000', '1', '75'], [999.8730094609308, 999.8196782007191, 999.8196884936841, '0000110.00000000000000000000000', '001011.00000111100000000000000', '1', '76'], [999.8730094609308, 999.8441604144226, 999.8441675238747, '0000110.00000000000000000000000', '001011.00000111100000000000000', '1', '77'], [999.8730094609308, 999.8310132904959, 999.8310222173927, '0000110.00000000000000000000000', '001011.00000111100000000000000', '1', '78'], [999.8730094609308, 999.8408824791213, 999.8408885346764, '0000110.00000000000000000000000', '001011.00000111100000000000000', '1', '79'], [999.8730094609308, 999.8241164986337, 999.8241269556786, '0000110.00000000000000000000000', '001011.00000111100000000000000', '1', '80'], [999.8730094609308, 999.833255096412, 999.8332647952477, '0000110.00000000000000000000000', '001011.00000111100000000000000', '1', '81'], [999.8730094609308, 999.8311408620457, 999.8311504582193, '0000110.00000000000000000000000', '001011.00000111100000000000000', '1', '82'], [999.8730094609308, 999.8532349014328, 999.8532384929755, '0000110.00000000000000000000000', '001011.00000111100000000000000', '1', '83'], [999.8730094609308, 999.8158242106164, 999.8158394591195, '0000110.00000000000000000000000', '001011.00000111100000000000000', '1', '84'], [999.8730094609308, 999.8278426562607, 999.8278524832605, '0000110.00000000000000000000000', '001011.00000111100000000000000', '1', '85'], [999.8730094609308, 999.813233359743, 999.813247678699, '0000110.00000000000000000000000', '001011.00000111100000000000000', '1', '86'], [999.8730094609308, 999.8458051835329, 999.8458105862649, '0000110.00000000000000000000000', '001011.00000111100000000000000', '1', '87'], [999.8730094609308, 999.8427099859666, 999.8427157572744, '0000110.00000000000000000000000', '001011.00000111100000000000000', '1', '88'], [999.8730094609308, 999.853496353807, 999.8534988865481, '0000110.00000000000000000000000', '001011.00000111100000000000000', '1', '89'], [999.8730094609308, 999.8271230532196, 999.8271312643403, '0000110.00000000000000000000000', '001011.00000111100000000000000', '1', '90'], [999.8730094609308, 999.8090642177318, 999.8090796685655, '0000110.00000000000000000000000', '001011.00000111100000000000000', '1', '91'], [999.8730094609308, 999.8374933285403, 999.8375023929756, '0000110.00000000000000000000000', '001011.00000111100000000000000', '1', '92'], [999.8730094609308, 999.8247336774502, 999.824746665103, '0000110.00000000000000000000000', '001011.00000111100000000000000', '1', '93'], [999.8730094609308, 999.843543892877, 999.8435497623082, '0000110.00000000000000000000000', '001011.00000111100000000000000', '1', '94'], [999.8730094609308, 999.8369579688671, 999.836964972773, '0000110.00000000000000000000000', '001011.00000111100000000000000', '1', '95'], [999.8730094609308, 999.8382486418669, 999.8382552155148, '0000110.00000000000000000000000', '001011.00000111100000000000000', '1', '96'], [999.8730094609308, 999.812118129547, 999.812132388636, '0000110.00000000000000000000000', '001011.00000111100000000000000', '1', '97'], [999.8730094609308, 999.8281144119024, 999.8281223796384, '0000110.00000000000000000000000', '001011.00000111100000000000000', '1', '98'], [999.8730094609308, 999.857130396695, 999.8571342862385, '0000110.00000000000000000000000', '001011.00000111100000000000000', '1', '99'], [999.8730094609308, 999.8300651844189, 999.83007537855, '0000110.00000000000000000000000', '001011.00000111100000000000000', '1', '100']]], [[[999.7016408855598, 999.5826741300086, 999.5826853160308, '-1111.1100101000001100000111', '1100.1110101110111011011001101', '2', '1'], [999.7092958816446, 999.6874488925554, 999.6874505734821, '-1111.1100110000011100000111', '1100.1110010110111011011001101', '2', '2'], [999.7472942718605, 999.6879368127139, 999.6879408726918, '-1111.1111101000001100000111', '1100.1110010110111011011001101', '2', '3'], [999.7719885419623, 999.7311582685245, 999.7311607900994, '-1111.1101101000001100000111', '1100.0110010110111011011001101', '2', '4'], [999.7719958210047, 999.7426269216629, 999.7426307637352, '-1111.1101101000101100000111', '1100.0110010111111011011001101', '2', '5'], [999.7723097371343, 999.7552681856002, 999.7552703778721, '-1111.1101001000101100000111', '1100.0110010111111011011001101', '2', '6'], [999.7793512301278, 999.7640814632869, 999.764082452342, '-1101.1101101000101100000111', '0100.0110010111111011011001101', '2', '7'], [999.9228545738217, 999.7077598915633, 999.7077733873889, '-0101.1101101000101100000111', '0100.0110110111111011011001001', '2', '8'], [999.9305403029967, 999.8270446506408, 999.8270521909152, '-0101.1101001000101100000111', '0100.0110110111111011011001001', '2', '9'], [999.9616272865737, 999.8973155021027, 999.8973255483979, '-0101.1001001000101100000111', '0100.0110010111111011011001001', '2', '10'], [999.9626167880889, 999.9175069285311, 999.9175158060559, '-0101.1001001000101000000111', '0100.0110110111111011011001011', '2', '11'], [999.9627227089777, 999.9087387477744, 999.9087566234491, '-0101.1001000000101000000111', '0100.0110110111111011011001011', '2', '12'], [999.9627720077021, 999.9420125513107, 999.9420162122087, '-0101.1001000000101000000111', '0100.0110111111111011011001011', '2', '13'], [999.9627733478749, 999.9213723068461, 999.9213879217866, '-0101.1001000000001000000111', '0100.0110111111111111011001011', '2', '14'], [999.9627733478749, 999.9289393641121, 999.9289493256063, '-0101.1001000000001000000111', '0100.0110111111111111011001011', '2', '15'], [999.9627733645206, 999.9391271814425, 999.9391359897663, '-0101.1001000000001000000111', '0100.0110111111111111111001011', '2', '16'], [999.9627733655591, 999.925352985452, 999.9253683579597, '-0101.1001000000001000000111', '0100.0110111111111111111011011', '2', '17'], [999.9627736244964, 999.9303112230087, 999.9303235372643, '-0101.1001000000000000000111', '0100.0110111111111111111011011', '2', '18'], [999.9627736269571, 999.9342454376479, 999.9342525609261, '-0101.1001000000000000000110', '0100.0110111111111111111111011', '2', '19'], [999.9627736289245, 999.927611067865, 999.9276211472512, '-0101.1001000000000000000010', '0100.0110111111111111111111011', '2', '20'], [999.962773629908, 999.9333867131229, 999.9333983016696, '-0101.1001000000000000000000', '0100.0110111111111111111111011', '2', '21'], [999.962773629908, 999.9154455050592, 999.9154627335046, '-0101.1001000000000000000000', '0100.0110111111111111111111011', '2', '22'], [999.962773629908, 999.9226843326086, 999.9226978500399, '-0101.1001000000000000000000', '0100.0110111111111111111111011', '2', '23'], [999.962773629908, 999.8946120264736, 999.8946321083848, '-0101.1001000000000000000000', '0100.0110111111111111111111011', '2', '24'], [999.9627736301538, 999.9005656342528, 999.9005884029532, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '25'], [999.9627736301538, 999.9209591491353, 999.9209725013243, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '26'], [999.9627736301538, 999.9411116443621, 999.941119154247, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '27'], [999.9627736301538, 999.924378024371, 999.9243915441537, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '28'], [999.9627736301538, 999.9008520295628, 999.9008727211726, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '29'], [999.9627736301538, 999.9407470209995, 999.9407547634328, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '30'], [999.9627736301538, 999.8989037939795, 999.8989244270509, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '31'], [999.9627736301538, 999.9235434571644, 999.9235547173477, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '32'], [999.9627736301538, 999.9321507640036, 999.9321630397646, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '33'], [999.9627736301538, 999.9176309999915, 999.9176452343788, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '34'], [999.9627736301538, 999.9331125009834, 999.9331217004207, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '35'], [999.9627736301538, 999.9076607437842, 999.9076807658665, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '36'], [999.9627736301538, 999.9403141424267, 999.9403225672678, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '37'], [999.9627736301538, 999.9021311006627, 999.9021521821135, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '38'], [999.9627736301538, 999.9401596165948, 999.9401655364009, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '39'], [999.9627736301538, 999.9495919920113, 999.9495966532922, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '40'], [999.9627736301538, 999.8946078573654, 999.8946296968699, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '41'], [999.9627736301538, 999.8955760682678, 999.8955973238507, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '42'], [999.9627736301538, 999.9368745457496, 999.9368806378437, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '43'], [999.9627736301538, 999.9111756426003, 999.911195599756, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '44'], [999.9627736301538, 999.9215668378042, 999.9215782521916, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '45'], [999.9627736301538, 999.9293752976683, 999.9293876251011, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '46'], [999.9627736301538, 999.9353336832459, 999.9353428529371, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '47'], [999.9627736301538, 999.9113904442881, 999.911408118351, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '48'], [999.9627736301538, 999.9454293240462, 999.9454347925209, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '49'], [999.9627736301538, 999.9216991532422, 999.9217106228342, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '50'], [999.9627736301538, 999.9153063400553, 999.9153239654318, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '51'], [999.9627736301538, 999.9424769336036, 999.9424848113576, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '52'], [999.9627736301538, 999.9213262992536, 999.9213398416433, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '53'], [999.9627736301538, 999.9356911605214, 999.9357003178277, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '54'], [999.9627736301538, 999.8836688678622, 999.8836960958141, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '55'], [999.9627736301538, 999.9238659052379, 999.9238767727902, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '56'], [999.9627736301538, 999.9421902540137, 999.942195627924, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '57'], [999.9627736301538, 999.913978046922, 999.913995371146, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '58'], [999.9627736301538, 999.9307541651668, 999.930766265551, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '59'], [999.9627736301538, 999.917466813486, 999.9174830064034, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '60'], [999.9627736301538, 999.9177909547516, 999.9178049652705, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '61'], [999.9627736301538, 999.8974653745807, 999.8974864412218, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '62'], [999.9627736301538, 999.9167010367336, 999.9167154726154, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '63'], [999.9627736301538, 999.9028018539743, 999.9028202102726, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '64'], [999.9627736301538, 999.9146005476176, 999.9146170736046, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '65'], [999.9627736301538, 999.8823493589832, 999.8823773031692, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '66'], [999.9627736301538, 999.933237165279, 999.9332466566148, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '67'], [999.9627736301538, 999.9176076159845, 999.9176240860028, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '68'], [999.9627736301538, 999.9337345550583, 999.9337434222135, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '69'], [999.9627736301538, 999.9175069195257, 999.9175182677416, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '70'], [999.9627736301538, 999.9505459879091, 999.9505478975434, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '71'], [999.9627736301538, 999.9092790402401, 999.9092988454323, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '72'], [999.9627736301538, 999.9284360074573, 999.928446284562, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '73'], [999.9627736301538, 999.9284431606919, 999.9284559579517, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '74'], [999.9627736301538, 999.9158991198694, 999.9159157050507, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '75'], [999.9627736301538, 999.9456921027671, 999.9456950515321, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '76'], [999.9627736301538, 999.9376945229467, 999.9377034505147, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '77'], [999.9627736301538, 999.890536905082, 999.890561246366, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '78'], [999.9627736301538, 999.9318200194544, 999.9318293361357, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '79'], [999.9627736301538, 999.924626401107, 999.9246394771502, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '80'], [999.9627736301538, 999.9620520317397, 999.9620520400143, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '81'], [999.9627736301538, 999.9449952556803, 999.9450003440431, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '82'], [999.9627736301538, 999.9078059457293, 999.9078240104251, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '83'], [999.9627736301538, 999.9095474278328, 999.9095655193347, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '84'], [999.9627736301538, 999.9330210762886, 999.9330307294509, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '85'], [999.9627736301538, 999.9092752672307, 999.9092925722051, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '86'], [999.9627736301538, 999.9477111879806, 999.9477143301928, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '87'], [999.9627736301538, 999.9403818878918, 999.9403879574614, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '88'], [999.9627736301538, 999.9270191464192, 999.9270316632984, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '89'], [999.9627736301538, 999.9131638413602, 999.9131783695678, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '90'], [999.9627736301538, 999.9083312173286, 999.9083510468276, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '91'], [999.9627736301538, 999.8956307597041, 999.8956544479677, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '92'], [999.9627736301538, 999.9213819411158, 999.9213949137147, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '93'], [999.9627736301538, 999.9305158778717, 999.9305279648216, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '94'], [999.9627736301538, 999.9126101617588, 999.912627113969, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '95'], [999.9627736301538, 999.9465908262782, 999.9465933229469, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '96'], [999.9627736301538, 999.9159566795611, 999.91597364103, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '97'], [999.9627736301538, 999.9065489829982, 999.9065717415594, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '98'], [999.9627736301538, 999.9125362897759, 999.9125535144328, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '99'], [999.9627736301538, 999.9479345224328, 999.9479390755544, '-0101.1001000000000000000000', '0100.0110111111111111111111111', '2', '100']]], [[[999.86932332529, 999.6452383256365, 999.6452462916142, '0111.001001001100001000011100', '101.101111011101000111001110', '3', '1'], [999.8862828783796, 999.8323547376108, 999.8323652452676, '0111.001101001100001000011100', '101.101111000101000101001110', '3', '2'], [999.9217841793488, 999.8680131769895, 999.868016633245, '0111.011101001100001000011100', '101.101111011101000101001110', '3', '3'], [999.9217842366672, 999.8879370151903, 999.8879469158362, '0111.011101001100001010011100', '101.101111011101000101001110', '3', '4'], [999.9218054773497, 999.8992288877562, 999.8992365122916, '0111.011101011100001010011100', '101.101111011101000101001110', '3', '5'], [999.9218106432569, 999.8887564310961, 999.88876737343, '0111.011101001110001010011100', '101.101111111101000101001110', '3', '6'], [999.9218106455693, 999.883147564089, 999.8831580149205, '0111.011101001110001011011100', '101.101111111101000101001110', '3', '7'], [999.9218107979548, 999.8887858885261, 999.8887948909683, '0111.011101001110001011011100', '101.101111111111000101001110', '3', '8'], [999.92181081259, 999.901561330004, 999.9015667191334, '0111.011101001110001011011100', '101.101111111111100101001110', '3', '9'], [999.9218108176373, 999.9042143256963, 999.9042184991297, '0111.011101001110101010111100', '101.101111111111100101001100', '3', '10'], [999.9218108176944, 999.9157084473464, 999.9157093541493, '0111.011101001110101010111100', '101.101111111111100100001110', '3', '11'], [999.9218108177832, 999.9108578398534, 999.910859637382, '0111.011101001110101000101100', '101.101111111111100101001100', '3', '12'], [999.9218108178501, 999.8853354575082, 999.8853464575976, '0111.011101001110100100101100', '101.101111111111100101001100', '3', '13'], [999.9218108178536, 999.8964213466234, 999.8964292590405, '0111.011101001110100100101100', '101.101111111111100111001100', '3', '14'], [999.9218108178565, 999.9010987718955, 999.9011055314653, '0111.011101001110100100101100', '101.101111111111100110001100', '3', '15'], [999.9218108178566, 999.8757784675668, 999.8757929066228, '0111.011101001110100100101100', '101.101111111111100110011100', '3', '16'], [999.9218108178566, 999.8963726590928, 999.8963825499835, '0111.011101001110100100101100', '101.101111111111100110011110', '3', '17'], [999.9218108178566, 999.9016235015888, 999.9016310141036, '0111.011101001110100100101110', '101.101111111111100110011110', '3', '18'], [999.9218108178566, 999.8940969046383, 999.8941052589324, '0111.011101001110100100101110', '101.101111111111100110011110', '3', '19'], [999.9218108178566, 999.8703349303775, 999.8703520899205, '0111.011101001110100100101110', '101.101111111111100110011110', '3', '20'], [999.9218108178566, 999.8770787176899, 999.8770919459206, '0111.011101001110100100101110', '101.101111111111100110011110', '3', '21'], [999.9218108178566, 999.9023344192906, 999.9023386490478, '0111.011101001110100100101110', '101.101111111111100110011110', '3', '22'], [999.9218108178566, 999.9014975999316, 999.9015047675548, '0111.011101001110100100101110', '101.101111111111100110011110', '3', '23'], [999.9218108178566, 999.8814364570599, 999.8814499395677, '0111.011101001110100100101110', '101.101111111111100110011110', '3', '24'], [999.9218108178566, 999.884736085319, 999.8847466047813, '0111.011101001110100100101110', '101.101111111111100110011110', '3', '25'], [999.9218108178566, 999.9122904403281, 999.9122935037744, '0111.011101001110100100101110', '101.101111111111100110011110', '3', '26'], [999.9218108178566, 999.8761543549585, 999.8761706626726, '0111.011101001110100100101110', '101.101111111111100110011110', '3', '27'], [999.9218108178566, 999.9038573254517, 999.9038637588583, '0111.011101001110100100101110', '101.101111111111100110011110', '3', '28'], [999.9218108178566, 999.8863019420635, 999.8863086303153, '0111.011101001110100100101110', '101.101111111111100110011110', '3', '29'], [999.9218108178566, 999.9082115628976, 999.9082134800018, '0111.011101001110100100101110', '101.101111111111100110011110', '3', '30'], [999.9218108178566, 999.85178967281, 999.8518085273028, '0111.011101001110100100101110', '101.101111111111100110011110', '3', '31'], [999.9218108178566, 999.8882558246594, 999.8882670110017, '0111.011101001110100100101110', '101.101111111111100110011110', '3', '32'], [999.9218108178566, 999.8795540434825, 999.8795686241, '0111.011101001110100100101110', '101.101111111111100110011110', '3', '33'], [999.9218108178566, 999.8960639145537, 999.896071889158, '0111.011101001110100100101110', '101.101111111111100110011110', '3', '34'], [999.9218108178566, 999.8949432567056, 999.8949506218531, '0111.011101001110100100101110', '101.101111111111100110011110', '3', '35'], [999.9218108178566, 999.9014171753215, 999.9014243190855, '0111.011101001110100100101110', '101.101111111111100110011110', '3', '36'], [999.9218108178566, 999.8936456134012, 999.8936518689416, '0111.011101001110100100101110', '101.101111111111100110011110', '3', '37'], [999.9218108178566, 999.9067475434047, 999.9067509869174, '0111.011101001110100100101110', '101.101111111111100110011110', '3', '38'], [999.9218108178566, 999.896292763993, 999.8963002974325, '0111.011101001110100100101110', '101.101111111111100110011110', '3', '39'], [999.9218108178566, 999.9066807180694, 999.9066830313349, '0111.011101001110100100101110', '101.101111111111100110011110', '3', '40'], [999.9218108178566, 999.8764173496918, 999.8764339210978, '0111.011101001110100100101110', '101.101111111111100110011110', '3', '41'], [999.9218108178566, 999.8924528887649, 999.8924591421357, '0111.011101001110100100101110', '101.101111111111100110011110', '3', '42'], [999.9218108178566, 999.873302738872, 999.8733149226802, '0111.011101001110100100101110', '101.101111111111100110011110', '3', '43'], [999.9218108178566, 999.903246824943, 999.903249419576, '0111.011101001110100100101110', '101.101111111111100110011110', '3', '44'], [999.9218108178566, 999.8928457213556, 999.8928537918397, '0111.011101001110100100101110', '101.101111111111100110011110', '3', '45'], [999.9218108178566, 999.9010281519884, 999.9010353018397, '0111.011101001110100100101110', '101.101111111111100110011110', '3', '46'], [999.9218108178566, 999.895109502123, 999.8951177068002, '0111.011101001110100100101110', '101.101111111111100110011110', '3', '47'], [999.9218108178566, 999.8678484569283, 999.8678659031527, '0111.011101001110100100101110', '101.101111111111100110011110', '3', '48'], [999.9218108178566, 999.8910949295777, 999.8911025538438, '0111.011101001110100100101110', '101.101111111111100110011110', '3', '49'], [999.9218108178566, 999.9050621255311, 999.9050667996848, '0111.011101001110100100101110', '101.101111111111100110011110', '3', '50'], [999.9218108178566, 999.8937798567122, 999.893786787671, '0111.011101001110100100101110', '101.101111111111100110011110', '3', '51'], [999.9218108178566, 999.9128055253697, 999.9128065698361, '0111.011101001110100100101110', '101.101111111111100110011110', '3', '52'], [999.9218108178566, 999.8917453296859, 999.8917563788843, '0111.011101001110100100101110', '101.101111111111100110011110', '3', '53'], [999.9218108178566, 999.8981032506761, 999.898111025223, '0111.011101001110100100101110', '101.101111111111100110011110', '3', '54'], [999.9218108178566, 999.9015701900489, 999.9015772989051, '0111.011101001110100100101110', '101.101111111111100110011110', '3', '55'], [999.9218108178566, 999.868728110511, 999.8687451832196, '0111.011101001110100100101110', '101.101111111111100110011110', '3', '56'], [999.9218108178566, 999.8871113939912, 999.8871213185138, '0111.011101001110100100101110', '101.101111111111100110011110', '3', '57'], [999.9218108178566, 999.901437977111, 999.9014431568362, '0111.011101001110100100101110', '101.101111111111100110011110', '3', '58'], [999.9218108178566, 999.8919012294613, 999.8919102009515, '0111.011101001110100100101110', '101.101111111111100110011110', '3', '59'], [999.9218108178566, 999.8952144395923, 999.8952249881069, '0111.011101001110100100101110', '101.101111111111100110011110', '3', '60'], [999.9218108178566, 999.912098709745, 999.9121023731285, '0111.011101001110100100101110', '101.101111111111100110011110', '3', '61'], [999.9218108178566, 999.8782086035833, 999.8782220846471, '0111.011101001110100100101110', '101.101111111111100110011110', '3', '62'], [999.9218108178566, 999.8796654647235, 999.8796796223799, '0111.011101001110100100101110', '101.101111111111100110011110', '3', '63'], [999.9218108178566, 999.9065269704138, 999.9065306255225, '0111.011101001110100100101110', '101.101111111111100110011110', '3', '64'], [999.9218108178566, 999.8708292493991, 999.8708438141367, '0111.011101001110100100101110', '101.101111111111100110011110', '3', '65'], [999.9218108178566, 999.8973867567859, 999.8973948315136, '0111.011101001110100100101110', '101.101111111111100110011110', '3', '66'], [999.9218108178566, 999.9196345121994, 999.9196345548052, '0111.011101001110100100101110', '101.101111111111100110011110', '3', '67'], [999.9218108178566, 999.9035792281534, 999.903584285901, '0111.011101001110100100101110', '101.101111111111100110011110', '3', '68'], [999.9218108178566, 999.908453694065, 999.9084575781527, '0111.011101001110100100101110', '101.101111111111100110011110', '3', '69'], [999.9218108178566, 999.9042030978692, 999.9042077837336, '0111.011101001110100100101110', '101.101111111111100110011110', '3', '70'], [999.9218108178566, 999.8771124988771, 999.8771254771164, '0111.011101001110100100101111', '101.101111111111100110010110', '3', '71'], [999.9218108178566, 999.9192235761383, 999.9192237228538, '0111.011101001110100100101111', '101.101111111111100110010111', '3', '72'], [999.9218108178566, 999.8780491626673, 999.8780641081144, '0111.011101001110100100101111', '101.101111111111100110010111', '3', '73'], [999.9218108178566, 999.9062967811706, 999.9063011335511, '0111.011101001110100100101111', '101.101111111111100110010111', '3', '74'], [999.9218108178566, 999.8815713898672, 999.881582659071, '0111.011101001110100100101111', '101.101111111111100110010111', '3', '75'], [999.9218108178566, 999.8853339514499, 999.8853459725996, '0111.011101001110100100101111', '101.101111111111100110010111', '3', '76'], [999.9218108178566, 999.8953598940565, 999.895366569004, '0111.011101001110100100101111', '101.101111111111100110010111', '3', '77'], [999.9218108178566, 999.894788807803, 999.8947970004936, '0111.011101001110100100101111', '101.101111111111100110010111', '3', '78'], [999.9218108178566, 999.8892174624625, 999.8892266377671, '0111.011101001110100100101111', '101.101111111111100110010111', '3', '79'], [999.9218108178566, 999.8914150132887, 999.8914252793165, '0111.011101001110100100101111', '101.101111111111100110010111', '3', '80'], [999.9218108178566, 999.868598212914, 999.8686143261262, '0111.011101001110100100101111', '101.101111111111100110010111', '3', '81'], [999.9218108178566, 999.8972762703681, 999.8972837922155, '0111.011101001110100100101111', '101.101111111111100110010111', '3', '82'], [999.9218108178566, 999.9024778236972, 999.9024838418667, '0111.011101001110100100101111', '101.101111111111100110010111', '3', '83'], [999.9218108178566, 999.8784745830469, 999.8784885926422, '0111.011101001110100100101111', '101.101111111111100110010111', '3', '84'], [999.9218108178566, 999.8928513329292, 999.8928609149989, '0111.011101001110100100101111', '101.101111111111100110010111', '3', '85'], [999.9218108178566, 999.9086835952814, 999.9086878839018, '0111.011101001110100100101111', '101.101111111111100110010111', '3', '86'], [999.9218108178566, 999.8933840997992, 999.8933940935037, '0111.011101001110100100101111', '101.101111111111100110010111', '3', '87'], [999.9218108178566, 999.8998316641622, 999.8998363700169, '0111.011101001110100100101111', '101.101111111111100110010111', '3', '88'], [999.9218108178566, 999.884274600888, 999.8842860533051, '0111.011101001110100100101111', '101.101111111111100110010111', '3', '89'], [999.9218108178566, 999.9123963011033, 999.9123999635336, '0111.011101001110100100101111', '101.101111111111100110010111', '3', '90'], [999.9218108178566, 999.9049127693553, 999.9049165618164, '0111.011101001110100100101111', '101.101111111111100110010111', '3', '91'], [999.9218108178566, 999.8954769146757, 999.8954846137209, '0111.011101001110100100101111', '101.101111111111100110010111', '3', '92'], [999.9218108178566, 999.9003981474287, 999.9004029540296, '0111.011101001110100100101111', '101.101111111111100110010111', '3', '93'], [999.9218108178566, 999.8758647407009, 999.8758810342299, '0111.011101001110100100101111', '101.101111111111100110010111', '3', '94'], [999.9218108178566, 999.8873003689191, 999.8873118026482, '0111.011101001110100100101111', '101.101111111111100110010111', '3', '95'], [999.9218108178566, 999.9085258782482, 999.9085276635986, '0111.011101001110100100101111', '101.101111111111100110010111', '3', '96'], [999.9218108178566, 999.917144909225, 999.9171451136175, '0111.011101001110100100101111', '101.101111111111100110010111', '3', '97'], [999.9218108178566, 999.8761156689903, 999.8761279956259, '0111.011101001110100100101111', '101.101111111111100110010111', '3', '98'], [999.9218108178566, 999.9016334299552, 999.9016360782994, '0111.011101001110100100101111', '101.101111111111100110010111', '3', '99'], [999.9218108178566, 999.8774973579816, 999.8775100088512, '0111.011101001110100100101111', '101.101111111111100110010111', '3', '100']]], [[[999.9171920669495, 999.5483795384512, 999.5483998246424, '-101.11100110000001100000111', '-1001.100110110011011011001101', '4', '1'], [999.9216427151088, 999.8069155291494, 999.806926935292, '-101.10101100010111000000111', '-1001.100111101111010011001101', '4', '2'], [999.9216452887626, 999.8878811895632, 999.8878916480293, '-101.10101100010111000000111', '-1001.100111101111110011001101', '4', '3'], [999.92171913273, 999.8793073048811, 999.8793184335793, '-101.10101110010111000000111', '-1001.100111101111110011001101', '4', '4'], [999.921734198264, 999.8647799102414, 999.8647960467575, '-101.10101110110111000000111', '-1001.100111101111110011001101', '4', '5'], [999.9217798712936, 999.8815315443887, 999.8815428278865, '-101.10101110110111000000111', '-1001.100111111111110011001101', '4', '6'], [999.9217799427214, 999.8937360263652, 999.8937439918799, '-101.10101110110111010000111', '-1001.100111111111110011001101', '4', '7'], [999.9217799784044, 999.8703585619372, 999.8703745313912, '-101.10101110110111011000111', '-1001.100111111111110011001101', '4', '8'], [999.9217822191059, 999.913768836376, 999.9137694735998, '-101.10101110111111011000111', '-1001.100111111111110011001101', '4', '9'], [999.9217824551487, 999.9074565837493, 999.9074600434635, '-101.10101110111111010001111', '-1001.100111111111111011001101', '4', '10'], [999.9217826464753, 999.8695455466419, 999.8695599510307, '-101.10101110111111111000111', '-1001.100111111111111011111101', '4', '11'], [999.9217973822433, 999.8938814996723, 999.8938895904349, '-101.10101111111111111000111', '-1001.100111111111111011011101', '4', '12'], [999.921797473472, 999.8859238707156, 999.8859339610694, '-101.10101111111111111000111', '-1001.100111111111111111011101', '4', '13'], [999.9217974851933, 999.8761487547141, 999.8761603911373, '-101.10101111111111111100111', '-1001.100111111111111111011101', '4', '14'], [999.9217975024263, 999.9068697075785, 999.9068731158825, '-101.10101111111111111110111', '-1001.100111111111111111111101', '4', '15'], [999.9217975031371, 999.8965373846679, 999.8965445769365, '-101.10101111111111111110111', '-1001.100111111111111111111111', '4', '16'], [999.9217975031371, 999.9023230974017, 999.9023283375366, '-101.10101111111111111110111', '-1001.100111111111111111111111', '4', '17'], [999.9217975031371, 999.9081017900277, 999.9081057781046, '-101.10101111111111111110111', '-1001.100111111111111111111111', '4', '18'], [999.9217975031371, 999.8966192715521, 999.8966271164458, '-101.10101111111111111110111', '-1001.100111111111111111111111', '4', '19'], [999.9217975060646, 999.8970581647035, 999.8970659324159, '-101.10101111111111111111111', '-1001.100111111111111111111111', '4', '20'], [999.9217975060646, 999.8698146167947, 999.8698299672285, '-101.10101111111111111111111', '-1001.100111111111111111111111', '4', '21'], [999.9534277761219, 999.8943434486131, 999.8943519747102, '-100.10101111111111111111111', '-0001.100111111111111111111111', '4', '22'], [999.9875167367439, 999.8647822552314, 999.8648036960271, '-100.11101111111111111111111', '-0001.100111111111111111111111', '4', '23'], [999.9901217635993, 999.9570491975412, 999.9570534468413, '-100.11101111111111111111101', '-0000.100111111111111111111111', '4', '24'], [999.990234349209, 999.9501945531048, 999.9502062864234, '-100.11101110011111111111111', '-0000.100111111111111111111111', '4', '25'], [999.9902838100883, 999.9658552331484, 999.965864775951, '-100.11101100011111111111111', '-0000.100111111111111011111111', '4', '26'], [999.9902840692441, 999.9366899600859, 999.9367091283873, '-100.11101100011111111111111', '-0000.100111110111111011111111', '4', '27'], [999.990284087874, 999.956051603643, 999.956065374591, '-100.11101100011111111111111', '-0000.100111110011111011111111', '4', '28'], [999.9902840881492, 999.9564822935308, 999.9564933344237, '-100.11101100011111111111111', '-0000.100111110011111111111111', '4', '29'], [999.9902840892461, 999.9483470733795, 999.9483630766492, '-100.11101100011111101111111', '-0000.100111110011111111111111', '4', '30'], [999.9902840901225, 999.9579344426481, 999.9579459691554, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '31'], [999.9902840901225, 999.9444847636842, 999.9445017043978, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '32'], [999.9902840901225, 999.9475120165667, 999.9475291510481, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '33'], [999.9902840901225, 999.9606251605603, 999.9606355995472, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '34'], [999.9902840901225, 999.9469177405379, 999.9469353851711, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '35'], [999.9902840901225, 999.9725018640297, 999.9725090370686, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '36'], [999.9902840901225, 999.9517288539204, 999.9517449270356, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '37'], [999.9902840901225, 999.955592907127, 999.9556064124341, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '38'], [999.9902840901225, 999.9598965169466, 999.9599080072812, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '39'], [999.9902840901225, 999.9641025188878, 999.9641118556597, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '40'], [999.9902840901225, 999.9798336952101, 999.9798381726855, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '41'], [999.9902840901225, 999.9460785909203, 999.9460961728107, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '42'], [999.9902840901225, 999.9473336254462, 999.9473492285648, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '43'], [999.9902840901225, 999.9725047729377, 999.972510506929, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '44'], [999.9902840901225, 999.9330701600032, 999.9330902429393, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '45'], [999.9902840901225, 999.9719876053682, 999.9719939916339, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '46'], [999.9902840901225, 999.9618973605297, 999.9619068963946, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '47'], [999.9902840901225, 999.9654653599541, 999.965474269154, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '48'], [999.9902840901225, 999.9597434409126, 999.9597545980989, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '49'], [999.9902840901225, 999.9533401551621, 999.9533535612879, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '50'], [999.9902840901225, 999.9504397172974, 999.950452969115, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '51'], [999.9902840901225, 999.9587668493665, 999.9587783276953, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '52'], [999.9902840901225, 999.9552973342259, 999.9553115773233, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '53'], [999.9902840901225, 999.9316707975621, 999.9316935592177, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '54'], [999.9902840901225, 999.9597840144447, 999.9597963576167, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '55'], [999.9902840901225, 999.9345936823743, 999.9346134627231, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '56'], [999.9902840901225, 999.9519922419178, 999.9520052555632, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '57'], [999.9902840901225, 999.9328976805795, 999.9329188772803, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '58'], [999.9902840901225, 999.959636492995, 999.9596472825691, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '59'], [999.9902840901225, 999.9507739971817, 999.9507891067939, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '60'], [999.9902840901225, 999.9382869366875, 999.9383055570596, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '61'], [999.9902840901225, 999.9485407414376, 999.9485545229472, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '62'], [999.9902840901225, 999.9728363983173, 999.9728437982305, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '63'], [999.9902840901225, 999.9623699821963, 999.9623799432686, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '64'], [999.9902840901225, 999.9786855553168, 999.9786899116739, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '65'], [999.9902840901225, 999.9717784113251, 999.9717841499333, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '66'], [999.9902840901225, 999.9480684609073, 999.9480839619221, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '67'], [999.9902840901225, 999.9622217685754, 999.9622316003737, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '68'], [999.9902840901225, 999.9419400529571, 999.9419583898194, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '69'], [999.9902840901225, 999.9576758398886, 999.9576879930846, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '70'], [999.9902840901225, 999.9751976631799, 999.9752025696238, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '71'], [999.9902840901225, 999.9456309062075, 999.9456494481108, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '72'], [999.9902840901225, 999.9514532221142, 999.9514680983159, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '73'], [999.9902840901225, 999.9411398424744, 999.941157424391, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '74'], [999.9902840901225, 999.9883949238906, 999.9883949701009, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '75'], [999.9902840901225, 999.9685569214207, 999.9685648467201, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '76'], [999.9902840901225, 999.951480870714, 999.9514962225334, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '77'], [999.9902840901225, 999.9597958151468, 999.9598066714492, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '78'], [999.9902840901225, 999.9592952312577, 999.9593064804999, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '79'], [999.9902840901225, 999.9518348317588, 999.9518469308879, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '80'], [999.9902840901225, 999.9612644080077, 999.961274102823, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '81'], [999.9902840901225, 999.9567730946495, 999.9567865041481, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '82'], [999.9902840901225, 999.9662592834499, 999.9662671540403, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '83'], [999.9902840901225, 999.9784333853298, 999.978436749752, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '84'], [999.9902840901225, 999.9779469230324, 999.9779504787789, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '85'], [999.9902840901225, 999.9722205861856, 999.9722270324854, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '86'], [999.9902840901225, 999.9805201469443, 999.9805242984266, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '87'], [999.9902840901225, 999.9616851210642, 999.9616962749694, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '88'], [999.9902840901225, 999.971984374829, 999.9719905790422, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '89'], [999.9902840901225, 999.9522352460249, 999.9522499160727, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '90'], [999.9902840901225, 999.9630695422666, 999.9630795829835, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '91'], [999.9902840901225, 999.9265877585508, 999.926611734689, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '92'], [999.9902840901225, 999.9545007254408, 999.9545158027262, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '93'], [999.9902840901225, 999.9685829365751, 999.9685916578572, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '94'], [999.9902840901225, 999.9522381971709, 999.9522531920561, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '95'], [999.9902840901225, 999.9610340604808, 999.9610459337783, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '96'], [999.9902840901225, 999.9729403054142, 999.972946892977, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '97'], [999.9902840901225, 999.9476960925753, 999.9477117126025, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '98'], [999.9902840901225, 999.9640499823377, 999.9640588958054, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '99'], [999.9902840901225, 999.9507360730001, 999.9507513168198, '-100.11101100011111001111111', '-0000.100111110011111111111111', '4', '100']]], [[[999.9848723514791, 999.7379136828553, 999.7379278680987, '-10.000100100101010110110000', '-11.10011110011000110001111', '5', '1'], [999.9888980310639, 999.9525014682616, 999.952507904108, '-10.000000100101010110110000', '-11.10011111011000110001111', '5', '2'], [999.9901739812913, 999.9729898789133, 999.9729928606251, '-10.000000100101010110110000', '-11.10001111011000110001111', '5', '3'], [999.9902031899035, 999.9768845731487, 999.976887170864, '-10.000000100101010110110000', '-11.10001111111000110001111', '5', '4'], [999.9902834170159, 999.9707841429856, 999.9707888866009, '-10.000001100101010110110000', '-11.10001111111001110001111', '5', '5'], [999.9902839513783, 999.9797418433699, 999.979743629611, '-10.000001100111010110100000', '-11.10001111101001110001111', '5', '6'], [999.9902840901187, 999.9827771717686, 999.9827781573192, '-10.000001100101010110110000', '-11.10001111101000010001110', '5', '7'], [999.9902840901198, 999.9777364260623, 999.977738356868, '-10.000001100101010110111000', '-11.10001111101000010001110', '5', '8'], [999.9902840901202, 999.9856921986835, 999.9856930479461, '-10.000001100101010110111100', '-11.10001111101000010001110', '5', '9'], [999.9902840901217, 999.9759448793992, 999.9759488375263, '-10.000001100101010111111100', '-11.10001111101000010001110', '5', '10'], [999.9902840901225, 999.9635537072671, 999.963558500932, '-10.000001100101010111111100', '-11.10001111101000010000110', '5', '11'], [999.9902840901225, 999.9580892829669, 999.958097766505, '-10.000001100101010111111100', '-11.10001111101000010000110', '5', '12'], [999.9902840901225, 999.9705898213442, 999.9705951773666, '-10.000001100101010111111101', '-11.10001111101000010000110', '5', '13'], [999.9902840901225, 999.9623123437506, 999.9623172577708, '-10.000001100101010111111101', '-11.10001111101000010000110', '5', '14'], [999.9902840901225, 999.9833474000086, 999.9833483613024, '-10.000001100101010111111101', '-11.10001111101000010000110', '5', '15'], [999.9902840901225, 999.9694925620468, 999.9694974939582, '-10.000001100101010111111101', '-11.10001111101000010000110', '5', '16'], [999.9902840901225, 999.9713405583867, 999.9713453168109, '-10.000001100101010111111101', '-11.10001111101000010000110', '5', '17'], [999.9902840901225, 999.9604323513765, 999.9604408385072, '-10.000001100101010111111101', '-11.10001111101000010000110', '5', '18'], [999.9902840901225, 999.9763662373546, 999.9763687192019, '-10.000001100101010111111101', '-11.10001111101000010000110', '5', '19'], [999.9902840901225, 999.9765052864964, 999.9765077909615, '-10.000001100101010111111101', '-11.10001111101000010000110', '5', '20'], [999.9902840901225, 999.9591339423268, 999.9591409708247, '-10.000001100101010111111101', '-11.10001111101000010000110', '5', '21'], [999.9902840901225, 999.9717428264432, 999.9717475649006, '-10.000001100101010111111101', '-11.10001111101000010000110', '5', '22'], [999.9902840901225, 999.985348953877, 999.9853497899035, '-10.000001100101010111111101', '-11.10001111101000010000110', '5', '23'], [999.9902840901225, 999.9812444825283, 999.9812461071992, '-10.000001100101010111111101', '-11.10001111101000010000110', '5', '24'], [999.9902840901225, 999.9760562221464, 999.9760602662252, '-10.000001100101010111111101', '-11.10001111101000010000110', '5', '25'], [999.9902840901225, 999.975522034854, 999.9755260982383, '-10.000001100101010111111111', '-11.10001111101000010000010', '5', '26'], [999.9902840901225, 999.9806296127913, 999.9806312504393, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '27'], [999.9902840901225, 999.9732602611632, 999.9732649723882, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '28'], [999.9902840901225, 999.9777941787333, 999.9777960352349, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '29'], [999.9902840901225, 999.9730258726628, 999.973030591145, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '30'], [999.9902840901225, 999.9737368313267, 999.9737399828873, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '31'], [999.9902840901225, 999.9758555617551, 999.97585830501, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '32'], [999.9902840901225, 999.9561272805369, 999.956134993196, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '33'], [999.9902840901225, 999.9683501260878, 999.9683556845396, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '34'], [999.9902840901225, 999.9710544948647, 999.9710593277417, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '35'], [999.9902840901225, 999.9800127126225, 999.9800159032682, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '36'], [999.9902840901225, 999.9891219949646, 999.9891220319862, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '37'], [999.9902840901225, 999.9867443659955, 999.9867445918782, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '38'], [999.9902840901225, 999.9861070686122, 999.9861072774278, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '39'], [999.9902840901225, 999.9548555663131, 999.9548650393613, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '40'], [999.9902840901225, 999.9773728905732, 999.9773753359096, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '41'], [999.9902840901225, 999.9722939092554, 999.9722971645876, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '42'], [999.9902840901225, 999.9684111518502, 999.9684166563942, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '43'], [999.9902840901225, 999.9613757431991, 999.9613854802251, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '44'], [999.9902840901225, 999.9615789745972, 999.9615874188971, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '45'], [999.9902840901225, 999.9799372947076, 999.9799390453253, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '46'], [999.9902840901225, 999.966354220816, 999.9663598279202, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '47'], [999.9902840901225, 999.9627791632884, 999.962787021303, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '48'], [999.9902840901225, 999.983065449164, 999.9830664156398, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '49'], [999.9902840901225, 999.9732005984115, 999.9732052870693, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '50'], [999.9902840901225, 999.9676670856325, 999.9676726541765, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '51'], [999.9902840901225, 999.9635667411815, 999.9635734068713, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '52'], [999.9902840901225, 999.9757763663296, 999.9757788551613, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '53'], [999.9902840901225, 999.9705488184068, 999.9705522102362, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '54'], [999.9902840901225, 999.9814593668158, 999.9814609866423, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '55'], [999.9902840901225, 999.9711214572078, 999.9711261866063, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '56'], [999.9902840901225, 999.963573804916, 999.9635818575821, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '57'], [999.9902840901225, 999.9640752415613, 999.9640816926666, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '58'], [999.9902840901225, 999.9748366076368, 999.9748391661516, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '59'], [999.9902840901225, 999.9891611947461, 999.9891612268303, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '60'], [999.9902840901225, 999.9829110832184, 999.9829120505981, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '61'], [999.9902840901225, 999.9565398388481, 999.9565469876025, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '62'], [999.9902840901225, 999.9828290299492, 999.9828299768726, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '63'], [999.9902840901225, 999.9612479593115, 999.961254838786, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '64'], [999.9902840901225, 999.9798044854767, 999.9798079128728, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '65'], [999.9902840901225, 999.9760970370144, 999.976099586866, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '66'], [999.9902840901225, 999.9800741513335, 999.9800758540179, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '67'], [999.9902840901225, 999.9744587862326, 999.9744614169718, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '68'], [999.9902840901225, 999.9565456561861, 999.9565533442993, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '69'], [999.9902840901225, 999.9713206816637, 999.9713254926343, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '70'], [999.9902840901225, 999.9691507082798, 999.969155618036, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '71'], [999.9902840901225, 999.9748484712225, 999.9748510488298, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '72'], [999.9902840901225, 999.9691874399499, 999.9691908284418, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '73'], [999.9902840901225, 999.9779253148325, 999.9779286745797, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '74'], [999.9902840901225, 999.9880109984942, 999.9880110664118, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '75'], [999.9902840901225, 999.9766054799882, 999.976607955705, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '76'], [999.9902840901225, 999.9724394112804, 999.972444137167, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '77'], [999.9902840901225, 999.9738916195379, 999.9738962934629, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '78'], [999.9902840901225, 999.9819783743438, 999.9819794558784, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '79'], [999.9902840901225, 999.9568106224588, 999.9568182770726, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '80'], [999.9902840901225, 999.9740648566641, 999.9740674020114, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '81'], [999.9902840901225, 999.9674363911383, 999.9674406207281, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '82'], [999.9902840901225, 999.9728284213269, 999.9728346539896, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '83'], [999.9902840901225, 999.9848604757781, 999.984861317939, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '84'], [999.9902840901225, 999.9675395927992, 999.9675452152353, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '85'], [999.9902840901225, 999.982316960547, 999.9823180213523, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '86'], [999.9902840901225, 999.968317684839, 999.96832416664, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '87'], [999.9902840901225, 999.9897588159496, 999.9897588209499, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '88'], [999.9902840901225, 999.9764730662741, 999.976475498694, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '89'], [999.9902840901225, 999.9748197269594, 999.9748238282311, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '90'], [999.9902840901225, 999.9785625133023, 999.9785642588748, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '91'], [999.9902840901225, 999.9561713874314, 999.9561806231194, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '92'], [999.9902840901225, 999.9804260649137, 999.9804277680582, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '93'], [999.9902840901225, 999.9825428610526, 999.982544340323, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '94'], [999.9902840901225, 999.9747683813388, 999.9747708734757, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '95'], [999.9902840901225, 999.972498836896, 999.9725020268955, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '96'], [999.9902840901225, 999.974309659007, 999.9743137277809, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '97'], [999.9902840901225, 999.9771186598645, 999.97712263264, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '98'], [999.9902840901225, 999.9685912363126, 999.9685961460875, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '99'], [999.9902840901225, 999.9886540448933, 999.9886540624664, '-10.000001100101010111111111', '-11.10001111101000010000011', '5', '100']]], [[[999.6367688393965, 999.5394787425512, 999.5394820642858, '-10010.001110000010010111101110', '-101.10010111011100011100100', '6', '1'], [999.7700422089154, 999.6303143293621, 999.6303169120126, '-10010.001110000010010111001110', '-111.10010111011100011100100', '6', '2'], [999.8398243288785, 999.6865851335443, 999.6865945750309, '-00010.001110000010010111101110', '-111.10010111011100010100100', '6', '3'], [999.9460231657494, 999.705960926247, 999.705974386458, '-00000.001110000010010111001110', '-111.10010111011100011100110', '6', '4'], [999.990243371823, 999.8226666899734, 999.8226882178272, '-00011.001100000010010111001110', '-010.10010111011100011100110', '6', '5'], [999.9902440600325, 999.7554187448854, 999.7554775341983, '-00011.001100000010010111001110', '-010.10010111011110011100110', '6', '6'], [999.9902629578013, 999.9750534710223, 999.9750578398463, '-00011.001100001010010111001110', '-010.10010111011110011100110', '6', '7'], [999.99028266934, 999.9697142902739, 999.9697211235572, '-00011.001100011010010111001110', '-010.10010111011100011100110', '6', '8'], [999.990283982662, 999.9623598233027, 999.9623675539536, '-00011.001100011010010111001110', '-010.10010111111100010100110', '6', '9'], [999.9902840418571, 999.9605250355822, 999.9605331244896, '-00011.001100011010110111001110', '-010.10010111111100010100110', '6', '10'], [999.9902840776731, 999.9605531870293, 999.9605606468085, '-00011.001100011011010111001110', '-010.10010111111100010100110', '6', '11'], [999.9902840875554, 999.9600077693275, 999.9600180380593, '-00011.001100011011111111001110', '-010.10010111111101010100110', '6', '12'], [999.990284090111, 999.9571866401972, 999.9571982012734, '-00011.001100011011101111001110', '-010.10010111111101010100110', '6', '13'], [999.9902840901225, 999.9626874786485, 999.9626975855549, '-00011.001100011011101111001110', '-010.10010111111101011100110', '6', '14'], [999.9902840901225, 999.9555838088689, 999.9555952172706, '-00011.001100011011101111001110', '-010.10010111111101011100110', '6', '15'], [999.9902840901225, 999.9472186704169, 999.947230963639, '-00011.001100011011101111001111', '-010.10010111111101011100110', '6', '16'], [999.9902840901225, 999.9378655952631, 999.9378869152063, '-00011.001100011011101111001111', '-010.10010111111101011100110', '6', '17'], [999.9902840901225, 999.9651637080595, 999.9651707296413, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '18'], [999.9902840901225, 999.9670009291987, 999.9670050522134, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '19'], [999.9902840901225, 999.9347632586, 999.9347807103526, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '20'], [999.9902840901225, 999.9688713060622, 999.968877163057, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '21'], [999.9902840901225, 999.9574706558606, 999.9574817251801, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '22'], [999.9902840901225, 999.9679516338224, 999.9679585788972, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '23'], [999.9902840901225, 999.9539421148131, 999.9539528686832, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '24'], [999.9902840901225, 999.9862741706996, 999.9862748968206, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '25'], [999.9902840901225, 999.9703686608311, 999.970374510114, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '26'], [999.9902840901225, 999.9372514181517, 999.9372718225965, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '27'], [999.9902840901225, 999.9641833036357, 999.9641895352438, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '28'], [999.9902840901225, 999.9351249141632, 999.9351419071776, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '29'], [999.9902840901225, 999.9601839193876, 999.9601943685674, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '30'], [999.9902840901225, 999.9661899354875, 999.9661964724021, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '31'], [999.9902840901225, 999.9608679975847, 999.9608748380765, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '32'], [999.9902840901225, 999.9529468463463, 999.9529587815849, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '33'], [999.9902840901225, 999.9463499215444, 999.9463676723401, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '34'], [999.9902840901225, 999.9722326271492, 999.9722380522644, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '35'], [999.9902840901225, 999.9843486249215, 999.9843490591409, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '36'], [999.9902840901225, 999.963484915767, 999.9634919591466, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '37'], [999.9902840901225, 999.9794246292533, 999.9794265516061, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '38'], [999.9902840901225, 999.9639328107845, 999.9639397964606, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '39'], [999.9902840901225, 999.9503704205551, 999.950382786186, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '40'], [999.9902840901225, 999.9457113380352, 999.945723738046, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '41'], [999.9902840901225, 999.9684917311937, 999.9684975959688, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '42'], [999.9902840901225, 999.9534379722951, 999.9534510886187, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '43'], [999.9902840901225, 999.9689733811879, 999.968978212232, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '44'], [999.9902840901225, 999.9724171593272, 999.9724225772857, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '45'], [999.9902840901225, 999.9624387671503, 999.9624453104473, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '46'], [999.9902840901225, 999.9681957222216, 999.968201854619, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '47'], [999.9902840901225, 999.9720270797119, 999.9720314678186, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '48'], [999.9902840901225, 999.9663627674137, 999.9663692868925, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '49'], [999.9902840901225, 999.9711472668516, 999.9711529939821, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '50'], [999.9902840901225, 999.9574527928044, 999.9574606274251, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '51'], [999.9902840901225, 999.9816157106667, 999.9816167241065, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '52'], [999.9902840901225, 999.9619254887409, 999.9619334376653, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '53'], [999.9902840901225, 999.9687737434956, 999.9687795046535, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '54'], [999.9902840901225, 999.9608291840841, 999.9608373337229, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '55'], [999.9902840901225, 999.967496087244, 999.9675024238131, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '56'], [999.9902840901225, 999.9603110801452, 999.9603192452194, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '57'], [999.9902840901225, 999.9742199274979, 999.9742243715297, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '58'], [999.9902840901225, 999.9677897350647, 999.9677960924018, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '59'], [999.9902840901225, 999.980859816119, 999.980861601914, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '60'], [999.9902840901225, 999.9609573434631, 999.9609639018228, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '61'], [999.9902840901225, 999.9790468738929, 999.9790488339247, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '62'], [999.9902840901225, 999.9426819603872, 999.9427002995944, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '63'], [999.9902840901225, 999.9591828485951, 999.9591933720111, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '64'], [999.9902840901225, 999.9549922865677, 999.9550047708096, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '65'], [999.9902840901225, 999.9663560617342, 999.9663622169622, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '66'], [999.9902840901225, 999.9749960372528, 999.9750011344247, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '67'], [999.9902840901225, 999.9595701686698, 999.959580187275, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '68'], [999.9902840901225, 999.9697362017275, 999.9697408061422, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '69'], [999.9902840901225, 999.949642333132, 999.9496540995481, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '70'], [999.9902840901225, 999.975613831542, 999.9756170981397, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '71'], [999.9902840901225, 999.9413313677105, 999.9413478698507, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '72'], [999.9902840901225, 999.983465193027, 999.9834660871727, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '73'], [999.9902840901225, 999.9746089503222, 999.9746144830087, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '74'], [999.9902840901225, 999.9673943569818, 999.967400477739, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '75'], [999.9902840901225, 999.9437889509355, 999.9438071052562, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '76'], [999.9902840901225, 999.9716065504567, 999.9716101556195, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '77'], [999.9902840901225, 999.962286724673, 999.9622945180336, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '78'], [999.9902840901225, 999.9721620873705, 999.9721674066731, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '79'], [999.9902840901225, 999.9806812674293, 999.9806830645405, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '80'], [999.9902840901225, 999.9740746606616, 999.9740800324787, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '81'], [999.9902840901225, 999.9497845700648, 999.9497989820945, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '82'], [999.9902840901225, 999.9434446329979, 999.9434603777548, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '83'], [999.9902840901225, 999.9609337591975, 999.9609441700779, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '84'], [999.9902840901225, 999.9667381192642, 999.966742525802, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '85'], [999.9902840901225, 999.9686661885817, 999.9686724408798, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '86'], [999.9902840901225, 999.9575525731899, 999.9575605489263, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '87'], [999.9902840901225, 999.9520670517337, 999.9520810025881, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '88'], [999.9902840901225, 999.9481159427934, 999.9481298928592, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '89'], [999.9902840901225, 999.9606532458977, 999.9606628118325, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '90'], [999.9902840901225, 999.985644439753, 999.985644729019, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '91'], [999.9902840901225, 999.9716572955184, 999.9716599790286, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '92'], [999.9902840901225, 999.957616750843, 999.9576274091805, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '93'], [999.9902840901225, 999.9438786528477, 999.9438941117623, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '94'], [999.9902840901225, 999.9645382614877, 999.9645454512483, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '95'], [999.9902840901225, 999.9513823223215, 999.9513969515419, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '96'], [999.9902840901225, 999.9493578036053, 999.9493691219037, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '97'], [999.9902840901225, 999.9647144950609, 999.96472111881, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '98'], [999.9902840901225, 999.9846569746436, 999.984657694491, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '99'], [999.9902840901225, 999.9616245818657, 999.9616319922098, '-00011.001100011011101111001111', '-010.10010111111101011100111', '6', '100']]], [[[999.8823496662721, 999.6347829412723, 999.6348042708973, '-111.0010111000101000001001', '0110.001011000101110010101010', '7', '1'], [999.9198863806444, 999.8226797110423, 999.8226846223357, '-111.0010111000101000001001', '0110.011011000101110010101010', '7', '2'], [999.9217916330135, 999.8868237062467, 999.886830674585, '-111.0010111000101000001001', '0110.011111000101110010101000', '7', '3'], [999.9218105539655, 999.9000116045686, 999.9000162715552, '-111.0010111000101000001011', '0110.011111011110110010101010', '7', '4'], [999.9218105566903, 999.8991955344557, 999.8991995640947, '-111.0010111000101000001001', '0110.011111011110110011101000', '7', '5'], [999.9218107831603, 999.9092518569265, 999.90925509742, '-111.0010111000001000001011', '0110.011111011110110011101010', '7', '6'], [999.9218108169379, 999.8993543160976, 999.8993594546351, '-111.0010111000001000000011', '0110.011111011111110011101010', '7', '7'], [999.9218108169885, 999.8813457344527, 999.8813558215926, '-111.0010111000001000000001', '0110.011111011111110011111000', '7', '8'], [999.9218108174647, 999.8661101155188, 999.8661277414594, '-111.0010111000001000000001', '0110.011111011111110111111000', '7', '9'], [999.9218108174709, 999.897862667282, 999.8978680758306, '-111.0010111000001000000000', '0110.011111011111110111111000', '7', '10'], [999.9218108174709, 999.8835331586482, 999.8835430485138, '-111.0010111000001000000000', '0110.011111011111110111111000', '7', '11'], [999.9218108174769, 999.9025231195533, 999.9025283202895, '-111.0010111000001000000000', '0110.011111011111110111111100', '7', '12'], [999.9218108178566, 999.9024068299377, 999.9024129352804, '-111.0010111000001000000000', '0110.011111011111111111111100', '7', '13'], [999.9218108178566, 999.8838396739043, 999.8838504216457, '-111.0010111000001000000000', '0110.011111011111111111111101', '7', '14'], [999.9218108178566, 999.9062496881596, 999.9062529925145, '-111.0010111000001000000000', '0110.011111011111111111111101', '7', '15'], [999.9218108178566, 999.8947988462444, 999.8948078962857, '-111.0010111000001000000001', '0110.011111011111111111111101', '7', '16'], [999.9218108178566, 999.8734270283353, 999.8734378745472, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '17'], [999.9218108178566, 999.8951338874411, 999.8951398671137, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '18'], [999.9218108178566, 999.8893512884445, 999.8893587088365, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '19'], [999.9218108178566, 999.8733422758986, 999.8733570193946, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '20'], [999.9218108178566, 999.888532262546, 999.8885413383167, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '21'], [999.9218108178566, 999.8849952775455, 999.8850038136213, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '22'], [999.9218108178566, 999.891794313176, 999.8918016770556, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '23'], [999.9218108178566, 999.9001220897902, 999.900128185759, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '24'], [999.9218108178566, 999.8948141560758, 999.8948215928465, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '25'], [999.9218108178566, 999.8799263349823, 999.8799381263298, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '26'], [999.9218108178566, 999.8717602966333, 999.8717732421309, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '27'], [999.9218108178566, 999.8613215913414, 999.8613409685904, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '28'], [999.9218108178566, 999.9071221885513, 999.9071255406556, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '29'], [999.9218108178566, 999.9090974183498, 999.9090995802181, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '30'], [999.9218108178566, 999.899175017202, 999.8991811678255, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '31'], [999.9218108178566, 999.8744227574972, 999.8744365710241, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '32'], [999.9218108178566, 999.9038266972946, 999.9038322545547, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '33'], [999.9218108178566, 999.9010079311171, 999.9010121392201, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '34'], [999.9218108178566, 999.897363873024, 999.897371504695, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '35'], [999.9218108178566, 999.8816853099653, 999.881697564445, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '36'], [999.9218108178566, 999.9067248027106, 999.9067274404017, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '37'], [999.9218108178566, 999.8919162417136, 999.8919262008511, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '38'], [999.9218108178566, 999.8897484370692, 999.8897579374858, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '39'], [999.9218108178566, 999.8778545313211, 999.8778675849843, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '40'], [999.9218108178566, 999.899508492808, 999.8995146655251, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '41'], [999.9218108178566, 999.9122738145152, 999.9122753836394, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '42'], [999.9218108178566, 999.8661921075887, 999.8662049744968, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '43'], [999.9218108178566, 999.8968622500807, 999.8968683951107, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '44'], [999.9218108178566, 999.8755818268386, 999.8755927495046, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '45'], [999.9218108178566, 999.881861286945, 999.8818721790777, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '46'], [999.9218108178566, 999.9030937831812, 999.9030964514991, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '47'], [999.9218108178566, 999.8957126652307, 999.8957171994219, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '48'], [999.9218108178566, 999.9033995617134, 999.9034030313089, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '49'], [999.9218108178566, 999.8971291885765, 999.8971369070523, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '50'], [999.9218108178566, 999.9151933045484, 999.915194108036, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '51'], [999.9218108178566, 999.88215284662, 999.8821654564994, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '52'], [999.9218108178566, 999.8861086278657, 999.8861174182308, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '53'], [999.9218108178566, 999.8826633460819, 999.8826732324542, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '54'], [999.9218108178566, 999.9118259468199, 999.9118268946474, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '55'], [999.9218108178566, 999.9080102144202, 999.908012673818, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '56'], [999.9218108178566, 999.9044470529158, 999.904451088631, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '57'], [999.9218108178566, 999.9095375887523, 999.9095400001605, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '58'], [999.9218108178566, 999.8947799364919, 999.8947862793779, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '59'], [999.9218108178566, 999.8935376832447, 999.8935466060287, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '60'], [999.9218108178566, 999.8921987051118, 999.8922066128665, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '61'], [999.9218108178566, 999.9082465133744, 999.9082481057699, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '62'], [999.9218108178566, 999.8956817410727, 999.8956860246501, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '63'], [999.9218108178566, 999.9067743971686, 999.9067762038679, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '64'], [999.9218108178566, 999.899229045196, 999.8992336014726, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '65'], [999.9218108178566, 999.8733912313769, 999.8734048180902, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '66'], [999.9218108178566, 999.8846369662045, 999.8846475819365, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '67'], [999.9218108178566, 999.9008459037732, 999.9008524378227, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '68'], [999.9218108178566, 999.8683726568947, 999.8683881245327, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '69'], [999.9218108178566, 999.9042360250007, 999.9042402552484, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '70'], [999.9218108178566, 999.8698232428039, 999.8698366459577, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '71'], [999.9218108178566, 999.9133916192799, 999.9133928994105, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '72'], [999.9218108178566, 999.8877637406717, 999.8877748329394, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '73'], [999.9218108178566, 999.8845307962068, 999.8845424324344, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '74'], [999.9218108178566, 999.8821369576056, 999.8821466804969, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '75'], [999.9218108178566, 999.9048378594932, 999.904840870776, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '76'], [999.9218108178566, 999.8721998479523, 999.8722139062295, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '77'], [999.9218108178566, 999.8986444524307, 999.8986517311273, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '78'], [999.9218108178566, 999.8908658993491, 999.8908732669292, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '79'], [999.9218108178566, 999.8888288055871, 999.8888390594403, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '80'], [999.9218108178566, 999.8948567199519, 999.8948630308481, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '81'], [999.9218108178566, 999.9028326477232, 999.9028372162672, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '82'], [999.9218108178566, 999.9153195900323, 999.9153205622546, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '83'], [999.9218108178566, 999.8985788328914, 999.8985841288004, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '84'], [999.9218108178566, 999.9136840147773, 999.9136848113756, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '85'], [999.9218108178566, 999.8993736824245, 999.8993787211875, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '86'], [999.9218108178566, 999.9038906190902, 999.9038938230054, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '87'], [999.9218108178566, 999.8980350243436, 999.8980419953605, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '88'], [999.9218108178566, 999.8808160440752, 999.8808273407941, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '89'], [999.9218108178566, 999.8860963353052, 999.8861063852673, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '90'], [999.9218108178566, 999.8883422352612, 999.8883524300288, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '91'], [999.9218108178566, 999.90806322444, 999.9080660744835, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '92'], [999.9218108178566, 999.9109276570467, 999.9109293341894, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '93'], [999.9218108178566, 999.902436046836, 999.9024400851281, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '94'], [999.9218108178566, 999.8731835589206, 999.8731964761112, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '95'], [999.9218108178566, 999.8744646465118, 999.8744784631896, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '96'], [999.9218108178566, 999.8853017990774, 999.885311544094, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '97'], [999.9218108178566, 999.9020264824005, 999.9020329155659, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '98'], [999.9218108178566, 999.869323006292, 999.869337716295, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '99'], [999.9218108178566, 999.8986439422029, 999.8986498398028, '-111.0010111000001000000001', '0110.011111011111111111111111', '7', '100']]], [[[999.8729791944738, 999.692649877123, 999.692673973773, '-10.111000001111011100011001', '-1101.1000000001000011100011', '8', '1'], [999.9351365143908, 999.8478502191406, 999.847853750341, '-10.111000000101101001001101', '-110.00000000001000011100011', '8', '2'], [999.9421508780113, 999.9198988867121, 999.9199022811545, '-10.110000001111001100011001', '-110.00000000001000011100111', '8', '3'], [999.9620137679665, 999.9267463052936, 999.9267490028667, '-10.010000001111001100001101', '-110.00000000001000011100010', '8', '4'], [999.9620386434087, 999.9609683789772, 999.9609684017654, '-10.010000001111001001001101', '-110.00000000000000011100011', '8', '5'], [999.9620546101846, 999.9317438445522, 999.9317509842774, '-10.010000001010101001001101', '-110.00000000000000011100011', '8', '6'], [999.9620563740526, 999.9290867737809, 999.9290970707086, '-10.010000001010001001001101', '-110.00000000000000011100011', '8', '7'], [999.9620843175065, 999.9427690283102, 999.9427744385423, '-10.010000000010001001001101', '-110.00000000000000011100011', '8', '8'], [999.962084755752, 999.9452215223045, 999.945225324315, '-10.010000000010000001001101', '-110.00000000000000011100010', '8', '9'], [999.9620916517591, 999.9463231779197, 999.9463257138169, '-10.010000000000000001001101', '-110.00000000000000011100011', '8', '10'], [999.9620920205681, 999.9478408103438, 999.9478431779604, '-10.010000000000000001001101', '-110.00000000000000010100011', '8', '11'], [999.962092757888, 999.9519908512389, 999.9519943114258, '-10.010000000000000001001101', '-110.00000000000000000100011', '8', '12'], [999.9620928116352, 999.9541551579618, 999.954155785064, '-10.010000000000000000001101', '-110.00000000000000000100011', '8', '13'], [999.9620928298705, 999.9552925975753, 999.9552931174463, '-10.010000000000000000000101', '-110.00000000000000000100001', '8', '14'], [999.9620928298705, 999.9488684190184, 999.9488722251906, '-10.010000000000000000000101', '-110.00000000000000000100001', '8', '15'], [999.9620930141285, 999.9562195049468, 999.9562200859115, '-10.010000000000000000000101', '-110.00000000000000000000001', '8', '16'], [999.9620930232448, 999.9548313229383, 999.9548319704105, '-10.010000000000000000000001', '-110.00000000000000000000000', '8', '17'], [999.9620930232448, 999.947088163349, 999.947091748361, '-10.010000000000000000000001', '-110.00000000000000000000000', '8', '18'], [999.9620930232448, 999.9375927474847, 999.9375995802577, '-10.010000000000000000000001', '-110.00000000000000000000000', '8', '19'], [999.9620930240845, 999.9545950477832, 999.9545968205117, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '20'], [999.9620930240845, 999.9460353296328, 999.9460394075026, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '21'], [999.9620930240845, 999.9395371289725, 999.9395443790429, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '22'], [999.9620930240845, 999.9524199521288, 999.9524234021867, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '23'], [999.9620930240845, 999.9329803568221, 999.9329901463834, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '24'], [999.9620930240845, 999.9491484562158, 999.9491508480961, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '25'], [999.9620930240845, 999.9326240898652, 999.9326341260993, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '26'], [999.9620930240845, 999.9336394587222, 999.9336482141999, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '27'], [999.9620930240845, 999.9414171834594, 999.9414226533943, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '28'], [999.9620930240845, 999.9513412636704, 999.9513432197739, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '29'], [999.9620930240845, 999.9451952548733, 999.945199206531, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '30'], [999.9620930240845, 999.9505619583158, 999.9505629544093, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '31'], [999.9620930240845, 999.9449235123896, 999.9449278955879, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '32'], [999.9620930240845, 999.9570729986693, 999.9570734172221, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '33'], [999.9620930240845, 999.9533088996955, 999.9533095587972, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '34'], [999.9620930240845, 999.9416051910052, 999.9416102500347, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '35'], [999.9620930240845, 999.9494623482362, 999.9494658704775, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '36'], [999.9620930240845, 999.9429233304973, 999.9429273025753, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '37'], [999.9620930240845, 999.931815933234, 999.9318240364772, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '38'], [999.9620930240845, 999.9565000683376, 999.9565004530263, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '39'], [999.9620930240845, 999.9484885751142, 999.9484922071039, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '40'], [999.9620930240845, 999.9604259077959, 999.9604259549039, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '41'], [999.9620930240845, 999.9343892450261, 999.9343986129411, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '42'], [999.9620930240845, 999.9276580826848, 999.9276698567354, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '43'], [999.9620930240845, 999.951191723944, 999.9511952181138, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '44'], [999.9620930240845, 999.9276497346758, 999.9276598026867, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '45'], [999.9620930240845, 999.9322201935549, 999.9322290560153, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '46'], [999.9620930240845, 999.931421376559, 999.9314307850751, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '47'], [999.9620930240845, 999.9568189257558, 999.9568191882101, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '48'], [999.9620930240845, 999.9489854749418, 999.9489876590605, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '49'], [999.9620930240845, 999.9544041415627, 999.9544046446966, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '50'], [999.9620930240845, 999.9504713331287, 999.9504749958826, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '51'], [999.9620930240845, 999.946452246678, 999.9464561559338, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '52'], [999.9620930240845, 999.9580440552646, 999.9580442645423, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '53'], [999.9620930240845, 999.9320221901551, 999.9320322127331, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '54'], [999.9620930240845, 999.9521863710947, 999.9521898329846, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '55'], [999.9620930240845, 999.9431348285493, 999.9431391739665, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '56'], [999.9620930240845, 999.93080303155, 999.9308115035307, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '57'], [999.9620930240845, 999.943115303525, 999.9431205180421, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '58'], [999.9620930240845, 999.9547868410878, 999.9547885987951, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '59'], [999.9620930240845, 999.9376825203678, 999.9376883295686, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '60'], [999.9620930240845, 999.9538151515801, 999.9538170940165, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '61'], [999.9620930240845, 999.9231381447617, 999.9231498658971, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '62'], [999.9620930240845, 999.9609474627774, 999.9609475065016, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '63'], [999.9620930240845, 999.9551173641961, 999.9551191218773, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '64'], [999.9620930240845, 999.9580851162438, 999.9580853250349, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '65'], [999.9620930240845, 999.9348641993834, 999.9348727924402, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '66'], [999.9620930240845, 999.9450539857872, 999.9450607757926, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '67'], [999.9620930240845, 999.9508659859903, 999.9508681806454, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '68'], [999.9620930240845, 999.9508741713585, 999.9508776658735, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '69'], [999.9620930240845, 999.9409114579445, 999.9409182394214, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '70'], [999.9620930240845, 999.9572434955924, 999.9572438122673, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '71'], [999.9620930240845, 999.9366504747461, 999.9366576608603, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '72'], [999.9620930240845, 999.9405590053082, 999.9405660844228, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '73'], [999.9620930240845, 999.9438914825428, 999.9438955928474, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '74'], [999.9620930240845, 999.9347454452259, 999.9347517475162, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '75'], [999.9620930240845, 999.9508612916895, 999.9508621986346, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '76'], [999.9620930240845, 999.9367708280174, 999.9367793980033, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '77'], [999.9620930240845, 999.9601636259149, 999.9601637091208, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '78'], [999.9620930240845, 999.9461689581394, 999.9461712410888, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '79'], [999.9620930240845, 999.9469784109804, 999.9469822915987, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '80'], [999.9620930240845, 999.9552356769293, 999.9552362000005, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '81'], [999.9620930240845, 999.9469932935457, 999.9469972416966, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '82'], [999.9620930240845, 999.9593542352536, 999.9593543205331, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '83'], [999.9620930240845, 999.9361537967958, 999.9361596544011, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '84'], [999.9620930240845, 999.9394181874487, 999.9394251635455, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '85'], [999.9620930240845, 999.9456274913438, 999.945631247011, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '86'], [999.9620930240845, 999.9500157766648, 999.9500167182313, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '87'], [999.9620930240845, 999.9413987168556, 999.941405771426, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '88'], [999.9620930240845, 999.941329025049, 999.9413342750411, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '89'], [999.9620930240845, 999.9476094697187, 999.9476133045682, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '90'], [999.9620930240845, 999.9445728856612, 999.9445781509631, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '91'], [999.9620930240845, 999.9519547845615, 999.9519567243291, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '92'], [999.9620930240845, 999.9450992737882, 999.9451030923369, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '93'], [999.9620930240845, 999.9379746813121, 999.937981690044, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '94'], [999.9620930240845, 999.9399599632932, 999.9399671515905, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '95'], [999.9620930240845, 999.9509130515737, 999.9509151960846, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '96'], [999.9620930240845, 999.9408403523261, 999.9408473836954, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '97'], [999.9620930240845, 999.9581943145971, 999.9581944419795, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '98'], [999.9620930240845, 999.9431401738076, 999.9431455235497, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '99'], [999.9620930240845, 999.9438916711197, 999.9438989248827, '-10.010000000000000000000000', '-110.00000000000000000000000', '8', '100']]], [[[999.930741940702, 999.7305876768487, 999.7306152937515, '-10.001110100100101001001101', '-110.00101100010101011000011', '9', '1'], [999.9586116594845, 999.9210160027652, 999.9210170088969, '-10.001110100100101001000001', '-110.00001100010101011000011', '9', '2'], [999.961928903674, 999.9342995873429, 999.9343016770258, '-10.000110100100101001000001', '-110.00001100010101011000011', '9', '3'], [999.9627758802881, 999.9565935181225, 999.9565939221974, '-10.000110100100101001000001', '-110.00000100010001011000011', '9', '4'], [999.9627759008067, 999.9187400924369, 999.9187528264125, '-10.000110100100101001000001', '-110.00000100010000011000011', '9', '5'], [999.9627759137245, 999.9496325498826, 999.9496363295093, '-10.000110100100001001000001', '-110.00000100010000001000011', '9', '6'], [999.9627759137281, 999.9414216577013, 999.9414291163854, '-10.000110100100001001000000', '-110.00000100010000001000011', '9', '7'], [999.9627759155258, 999.9431640842258, 999.9431680990848, '-10.000110100100000001000000', '-110.00000100010000001000011', '9', '8'], [999.9627759168513, 999.9354109492193, 999.9354212459111, '-10.000110100100000001000000', '-110.00000100010000000000010', '9', '9'], [999.9627759170298, 999.9494967309208, 999.9495006799671, '-10.000110100100000000000000', '-110.00000100010000000000011', '9', '10'], [999.9627759170492, 999.9514403235147, 999.9514410755652, '-10.000110100100000000000000', '-110.00000100010000000000010', '9', '11'], [999.9627759170492, 999.9479565386798, 999.9479604818064, '-10.000110100100000000000000', '-110.00000100010000000000010', '9', '12'], [999.9627759170879, 999.9470016772311, 999.9470054381337, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '13'], [999.9627759170879, 999.9357522596281, 999.9357597263996, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '14'], [999.9627759170879, 999.9594492138259, 999.959449472475, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '15'], [999.9627759170879, 999.9330891174966, 999.9330993181044, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '16'], [999.9627759170879, 999.9572388239202, 999.957239090167, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '17'], [999.9627759170879, 999.9536972219097, 999.9536992574721, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '18'], [999.9627759170879, 999.9508364516246, 999.9508403401863, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '19'], [999.9627759170879, 999.9482359837295, 999.9482399549057, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '20'], [999.9627759170879, 999.9592801870589, 999.9592803361345, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '21'], [999.9627759170879, 999.9416293294539, 999.9416355357449, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '22'], [999.9627759170879, 999.9495706645953, 999.9495745659509, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '23'], [999.9627759170879, 999.9510593574989, 999.9510616076827, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '24'], [999.9627759170879, 999.9489352699156, 999.9489392946167, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '25'], [999.9627759170879, 999.9499933386852, 999.9499971467894, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '26'], [999.9627759170879, 999.9411995241783, 999.9412070659082, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '27'], [999.9627759170879, 999.9301303322563, 999.9301410936692, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '28'], [999.9627759170879, 999.9508405019222, 999.9508427436383, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '29'], [999.9627759170879, 999.9290159975734, 999.9290269234712, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '30'], [999.9627759170879, 999.9362118089608, 999.9362193603292, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '31'], [999.9627759170879, 999.9318155586711, 999.9318264272148, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '32'], [999.9627759170879, 999.9496036970866, 999.949607600314, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '33'], [999.9627759170879, 999.9167181781581, 999.9167322735881, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '34'], [999.9627759170879, 999.9305074467984, 999.9305179437267, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '35'], [999.9627759170879, 999.9486676747154, 999.9486716308774, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '36'], [999.9627759170879, 999.9386170852105, 999.9386241972603, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '37'], [999.9627759170879, 999.9485795773994, 999.9485835374103, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '38'], [999.9627759170879, 999.9523028363678, 999.9523049440428, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '39'], [999.9627759170879, 999.9294332459666, 999.9294440323231, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '40'], [999.9627759170879, 999.9447031746081, 999.9447070883799, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '41'], [999.9627759170879, 999.9249432021272, 999.9249558101839, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '42'], [999.9627759170879, 999.9499395280396, 999.9499433448035, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '43'], [999.9627759170879, 999.9522696549154, 999.9522729175327, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '44'], [999.9627759170879, 999.937037855775, 999.9370438614378, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '45'], [999.9627759170879, 999.9233716343758, 999.9233859443698, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '46'], [999.9627759170879, 999.939246008936, 999.9392520127262, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '47'], [999.9627759170879, 999.9511159757396, 999.9511181987075, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '48'], [999.9627759170879, 999.9462723682168, 999.9462763945672, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '49'], [999.9627759170879, 999.9506301713527, 999.9506324528672, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '50'], [999.9627759170879, 999.9542491602817, 999.9542497444057, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '51'], [999.9627759170879, 999.95203603903, 999.9520381012701, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '52'], [999.9627759170879, 999.9402352062971, 999.9402394746664, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '53'], [999.9627759170879, 999.9458660817063, 999.9458716057297, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '54'], [999.9627759170879, 999.9604397597583, 999.9604398527371, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '55'], [999.9627759170879, 999.9575502159418, 999.9575505221383, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '56'], [999.9627759170879, 999.9380806499202, 999.9380883091078, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '57'], [999.9627759170879, 999.9559810373413, 999.955981345477, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '58'], [999.9627759170879, 999.9546999128064, 999.954700450542, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '59'], [999.9627759170879, 999.9486686246947, 999.9486725857588, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '60'], [999.9627759170879, 999.953786309982, 999.9537882586778, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '61'], [999.9627759170879, 999.9520823292883, 999.9520843737273, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '62'], [999.9627759170879, 999.9385793701613, 999.9385869499844, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '63'], [999.9627759170879, 999.9523845824094, 999.9523853409672, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '64'], [999.9627759170879, 999.9323330945389, 999.9323441105502, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '65'], [999.9627759170879, 999.9438446102768, 999.9438518696694, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '66'], [999.9627759170879, 999.941134999473, 999.9411408615274, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '67'], [999.9627759170879, 999.9411327555811, 999.9411383097913, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '68'], [999.9627759170879, 999.9422681754851, 999.9422738183224, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '69'], [999.9627759170879, 999.9551409442599, 999.9551425319223, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '70'], [999.9627759170879, 999.9215734014875, 999.9215875982434, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '71'], [999.9627759170879, 999.9525929237191, 999.9525949593784, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '72'], [999.9627759170879, 999.9527042373061, 999.9527079536095, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '73'], [999.9627759170879, 999.9423420172062, 999.9423477812006, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '74'], [999.9627759170879, 999.9573726552554, 999.9573729745316, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '75'], [999.9627759170879, 999.9318251252004, 999.9318344316401, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '76'], [999.9627759170879, 999.9503985703142, 999.9504008500702, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '77'], [999.9627759170879, 999.9514717204905, 999.9514738348149, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '78'], [999.9627759170879, 999.958940150065, 999.9589403094965, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '79'], [999.9627759170879, 999.958460279879, 999.9584605564363, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '80'], [999.9627759170879, 999.952796196237, 999.9527981883086, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '81'], [999.9627759170879, 999.9397209126015, 999.9397264756781, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '82'], [999.9627759170879, 999.9486657893897, 999.9486698374106, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '83'], [999.9627759170879, 999.9353927842362, 999.935401000492, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '84'], [999.9627759170879, 999.9378670899557, 999.9378744306933, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '85'], [999.9627759170879, 999.9467575501956, 999.9467613787073, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '86'], [999.9627759170879, 999.944778010856, 999.9447836790134, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '87'], [999.9627759170879, 999.9256218336578, 999.9256320980429, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '88'], [999.9627759170879, 999.9487951842092, 999.9487974631435, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '89'], [999.9627759170879, 999.9519506572691, 999.951954353883, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '90'], [999.9627759170879, 999.9485742297489, 999.9485781722129, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '91'], [999.9627759170879, 999.9324317593708, 999.9324407801116, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '92'], [999.9627759170879, 999.9273730181349, 999.9273867289116, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '93'], [999.9627759170879, 999.9451262453748, 999.9451317862521, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '94'], [999.9627759170879, 999.9498980012672, 999.9499001805839, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '95'], [999.9627759170879, 999.9402114851936, 999.9402187290825, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '96'], [999.9627759170879, 999.9435117485016, 999.9435173646863, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '97'], [999.9627759170879, 999.9479339642131, 999.9479379338427, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '98'], [999.9627759170879, 999.9502402765467, 999.9502441643187, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '99'], [999.9627759170879, 999.9491647562702, 999.9491687017463, '-10.000110100100000000000000', '-110.00000100010000000000000', '9', '100']]], [[[999.8710673407656, 999.6199229913304, 999.6199480443661, '-1010.1101010100101000001101', '-1001.0101100010101011000010', '10', '1'], [999.9203041774755, 999.8395831215679, 999.8395872470127, '-1010.1001010100101000001101', '-0001.0001111010101011000010', '10', '2'], [999.921676179029, 999.8638455133533, 999.8638595254157, '-1010.1001110100101000001101', '-0001.0001101010101011000010', '10', '3'], [999.9218105126955, 999.900717942743, 999.9007250034809, '-1010.1001110101101000001101', '-0001.0011101010101011000010', '10', '4'], [999.9218107474102, 999.9169757657048, 999.9169760707505, '-1010.1001110100101000001101', '-0001.0011111010111011000010', '10', '5'], [999.9218107577286, 999.8835435062663, 999.8835535805772, '-1010.1001110110101000011101', '-0001.0011100010101011000010', '10', '6'], [999.921810787392, 999.8977578736511, 999.8977651472693, '-1010.1001110110101000001101', '-0001.0011100011101011000010', '10', '7'], [999.9218108178542, 999.8702179564696, 999.8702336756697, '-1010.1001110110111000011101', '-0001.0011100010111111000010', '10', '8'], [999.9218108178565, 999.8861293315166, 999.8861373129113, '-1010.1001110110111000011101', '-0001.0011100010111110000010', '10', '9'], [999.9218108178565, 999.8848051524488, 999.8848153754363, '-1010.1001110110111000011101', '-0001.0011100010111110000010', '10', '10'], [999.9218108178566, 999.8897280378342, 999.8897380638865, '-1010.1001110110111000011100', '-0001.0011100010111110000010', '10', '11'], [999.9218108178566, 999.8938485137661, 999.8938561662333, '-1010.1001110110111000011100', '-0001.0011100010111110000010', '10', '12'], [999.9218108178566, 999.8931982789348, 999.893207486273, '-1010.1001110110111000011100', '-0001.0011100010111110000110', '10', '13'], [999.9218108178566, 999.8901425608025, 999.8901507453937, '-1010.1001110110111000011100', '-0001.0011100010111110000110', '10', '14'], [999.9218108178566, 999.8947696297716, 999.8947762279628, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '15'], [999.9218108178566, 999.8936258947331, 999.8936331220527, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '16'], [999.9218108178566, 999.9062776553142, 999.9062814188766, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '17'], [999.9218108178566, 999.8910404823268, 999.8910477661144, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '18'], [999.9218108178566, 999.9078245879871, 999.9078290330074, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '19'], [999.9218108178566, 999.903029453472, 999.9030341246963, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '20'], [999.9218108178566, 999.8941892506997, 999.8941949591513, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '21'], [999.9218108178566, 999.9102119771211, 999.9102139864925, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '22'], [999.9218108178566, 999.893062131145, 999.8930723509575, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '23'], [999.9218108178566, 999.8892444039822, 999.8892548109468, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '24'], [999.9218108178566, 999.8896344460171, 999.8896438352674, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '25'], [999.9218108178566, 999.8612595599661, 999.8612758642322, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '26'], [999.9218108178566, 999.9107171441195, 999.9107186075712, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '27'], [999.9218108178566, 999.8969347430306, 999.8969417788906, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '28'], [999.9218108178566, 999.8918255370237, 999.89183520429, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '29'], [999.9218108178566, 999.8878787206781, 999.8878888738116, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '30'], [999.9218108178566, 999.8968194459015, 999.8968266506456, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '31'], [999.9218108178566, 999.8825272324917, 999.8825366813836, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '32'], [999.9218108178566, 999.8960152166312, 999.8960233118005, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '33'], [999.9218108178566, 999.8831427085726, 999.8831545952781, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '34'], [999.9218108178566, 999.8501691677661, 999.8501879723045, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '35'], [999.9218108178566, 999.8895726973709, 999.8895798574422, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '36'], [999.9218108178566, 999.8952981814235, 999.8953050192852, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '37'], [999.9218108178566, 999.8990970158295, 999.8991043716173, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '38'], [999.9218108178566, 999.9099425216664, 999.9099457444152, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '39'], [999.9218108178566, 999.8889609787632, 999.8889716423791, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '40'], [999.9218108178566, 999.8932626384184, 999.8932718483476, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '41'], [999.9218108178566, 999.887843660106, 999.887853263358, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '42'], [999.9218108178566, 999.8725381921747, 999.8725544051705, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '43'], [999.9218108178566, 999.9094519151708, 999.9094551663537, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '44'], [999.9218108178566, 999.872088334995, 999.8721068113801, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '45'], [999.9218108178566, 999.8954920587764, 999.8954986737406, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '46'], [999.9218108178566, 999.8865716653, 999.8865826840079, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '47'], [999.9218108178566, 999.8743679440646, 999.8743832309024, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '48'], [999.9218108178566, 999.8993793467193, 999.8993851624166, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '49'], [999.9218108178566, 999.875702174946, 999.8757148305385, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '50'], [999.9218108178566, 999.9018793015177, 999.9018847733279, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '51'], [999.9218108178566, 999.8869688391383, 999.8869778805251, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '52'], [999.9218108178566, 999.8921762313912, 999.8921837249576, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '53'], [999.9218108178566, 999.8877510359197, 999.8877627234929, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '54'], [999.9218108178566, 999.8833505399394, 999.8833649780856, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '55'], [999.9218108178566, 999.90512595572, 999.9051303283782, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '56'], [999.9218108178566, 999.9131727551143, 999.9131749106825, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '57'], [999.9218108178566, 999.8847295422722, 999.8847409017859, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '58'], [999.9218108178566, 999.9068478714893, 999.9068518554499, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '59'], [999.9218108178566, 999.9027392295852, 999.9027458595855, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '60'], [999.9218108178566, 999.8854599271465, 999.8854704551691, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '61'], [999.9218108178566, 999.900027497647, 999.9000325398505, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '62'], [999.9218108178566, 999.8664948084698, 999.8665102473134, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '63'], [999.9218108178566, 999.9081627709476, 999.9081648212185, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '64'], [999.9218108178566, 999.8806952393232, 999.8807078974503, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '65'], [999.9218108178566, 999.907742436788, 999.9077452810726, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '66'], [999.9218108178566, 999.8920816471665, 999.8920915983999, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '67'], [999.9218108178566, 999.9119028689696, 999.9119051742621, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '68'], [999.9218108178566, 999.8984800992388, 999.8984866869314, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '69'], [999.9218108178566, 999.8801376074093, 999.8801524241502, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '70'], [999.9218108178566, 999.8968857160819, 999.8968932841433, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '71'], [999.9218108178566, 999.8943460237277, 999.8943549013198, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '72'], [999.9218108178566, 999.8993195146878, 999.8993279772781, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '73'], [999.9218108178566, 999.9002496390281, 999.900256464269, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '74'], [999.9218108178566, 999.8966098685866, 999.896616569832, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '75'], [999.9218108178566, 999.8874013147491, 999.8874105989083, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '76'], [999.9218108178566, 999.8964283820978, 999.896437692524, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '77'], [999.9218108178566, 999.8945312356872, 999.8945387861581, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '78'], [999.9218108178566, 999.8800463707441, 999.8800603492404, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '79'], [999.9218108178566, 999.9115602173474, 999.9115629662463, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '80'], [999.9218108178566, 999.9083101787865, 999.9083125169425, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '81'], [999.9218108178566, 999.8729802775783, 999.8729954234884, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '82'], [999.9218108178566, 999.8991900197508, 999.8991961743806, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '83'], [999.9218108178566, 999.8982407266833, 999.8982462630829, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '84'], [999.9218108178566, 999.9018952393028, 999.9018999817171, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '85'], [999.9218108178566, 999.8756040533174, 999.8756179678523, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '86'], [999.9218108178566, 999.8960154996963, 999.8960218746562, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '87'], [999.9218108178566, 999.8896378884148, 999.8896464356815, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '88'], [999.9218108178566, 999.898157402683, 999.898162930585, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '89'], [999.9218108178566, 999.9048832564977, 999.9048871899085, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '90'], [999.9218108178566, 999.9133794284098, 999.9133820131794, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '91'], [999.9218108178566, 999.9105259448323, 999.9105286819939, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '92'], [999.9218108178566, 999.8985405188578, 999.8985484364653, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '93'], [999.9218108178566, 999.893469191561, 999.8934758872723, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '94'], [999.9218108178566, 999.9049867893627, 999.9049897990077, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '95'], [999.9218108178566, 999.8954465548194, 999.8954551372753, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '96'], [999.9218108178566, 999.886146695443, 999.886159069205, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '97'], [999.9218108178566, 999.8992067743576, 999.8992140979611, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '98'], [999.9218108178566, 999.8923781424306, 999.892386037497, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '99'], [999.9218108178566, 999.9169908455059, 999.9169912263617, '-1010.1001110110111000011100', '-0001.0011100010111110000111', '10', '100']]], [[[999.6873484972012, 999.5622316574289, 999.5622364272533, '-10111.110000100010001010010110', '1011.10010110011100011100100', '11', '1'], [999.687733242476, 999.6761464095142, 999.6761469315519, '-10111.110000100010001010011110', '1011.10110111000000011100100', '11', '2'], [999.6878817751262, 999.6848847502706, 999.6848850392537, '-10111.110010100010001010011110', '1011.10110111010000001100100', '11', '3'], [999.687885798452, 999.6709444637912, 999.670945705797, '-10111.110010100010001010111110', '1011.10110111110000001100100', '11', '4'], [999.6878959937203, 999.6730183684105, 999.6730201833608, '-10111.110010000010000010011110', '1011.10110111110000001100100', '11', '5'], [999.6878968245347, 999.6730140405447, 999.6730158091354, '-10111.110010000010000010011110', '1011.10110110110000001101100', '11', '6'], [999.6878968245347, 999.6763325647106, 999.6763334624668, '-10111.110010000010000010011110', '1011.10110110110000001101100', '11', '7'], [999.6878968533234, 999.6782933613081, 999.6782942429659, '-10111.110010000000000010011110', '1011.10110110110000001101100', '11', '8'], [999.6878968536492, 999.6751147731042, 999.6751161544536, '-10111.110010000000000010011110', '1011.10110110110000000101110', '11', '9'], [999.6878968577605, 999.6642550200662, 999.6642578489672, '-10111.110010000000010011011110', '1011.10110110110000000101110', '11', '10'], [999.6878968588385, 999.6845401417226, 999.6845404286015, '-10111.110010000000011011011110', '1011.10110110110000000101110', '11', '11'], [999.6878968591718, 999.6701349361209, 999.6701370671792, '-10111.110010000000011111011110', '1011.10110110110000000101110', '11', '12'], [999.6878968592056, 999.6769267876422, 999.6769281757414, '-10111.110010000000011111011110', '1011.10110110110000000001110', '11', '13'], [999.6878968592391, 999.6734473399633, 999.6734489618541, '-10111.110010000000011111111110', '1011.10110110110000000001010', '11', '14'], [999.6878968592474, 999.6717591520953, 999.671760640477, '-10111.110010000000011111111111', '1011.10110110110000000000010', '11', '15'], [999.6878968592483, 999.6675364298528, 999.6675387438132, '-10111.110010000000011111111110', '1011.10110110110000000000000', '11', '16'], [999.6878968592483, 999.6725913478298, 999.672593283723, '-10111.110010000000011111111110', '1011.10110110110000000000000', '11', '17'], [999.6878968592483, 999.6711904341267, 999.6711923122051, '-10111.110010000000011111111110', '1011.10110110110000000000000', '11', '18'], [999.6878968592492, 999.6758155695783, 999.6758163679326, '-10111.110010000000011111111111', '1011.10110110110000000000000', '11', '19'], [999.6878968592492, 999.6784809840082, 999.678481979355, '-10111.110010000000011111111111', '1011.10110110110000000000000', '11', '20'], [999.6878968592492, 999.6645726903439, 999.6645755580535, '-10111.110010000000011111111111', '1011.10110110110000000000000', '11', '21'], [999.6878968592492, 999.6814841075928, 999.6814846851839, '-10111.110010000000011111111111', '1011.10110110110000000000000', '11', '22'], [999.7406283456068, 999.6797355835422, 999.6797365216429, '-10011.110010000000011111111111', '0011.10110110110000000000000', '11', '23'], [999.7406360687564, 999.6946418086758, 999.6946439939081, '-10011.110010000000010111111111', '0011.10110110110000000000100', '11', '24'], [999.7723058492212, 999.7161197226468, 999.7161231663179, '-10011.100010000000010111111111', '0011.10110110110000000000000', '11', '25'], [999.7723081813898, 999.7349195640352, 999.7349241071438, '-10011.100010000100010111111111', '0011.10110110110000000000000', '11', '26'], [999.7723098476383, 999.7406900999558, 999.7406963095392, '-10011.100010001100010111111111', '0011.10110110110000000000000', '11', '27'], [999.7723098496504, 999.7539205483579, 999.7539248884315, '-10011.100010001100010111111111', '0011.10110110110001000000000', '11', '28'], [999.7723098547389, 999.7663827969969, 999.7663836198146, '-10011.100010001100010111111111', '0011.10110110110100000000000', '11', '29'], [999.7723098595088, 999.7413190958532, 999.7413255218288, '-10011.100010001100010011111111', '0011.10110110110111000000000', '11', '30'], [999.7723098614798, 999.7549206386503, 999.7549249330499, '-10011.100010001100000011111111', '0011.10110110110111000000000', '11', '31'], [999.7723098614798, 999.7631044691187, 999.7631054239498, '-10011.100010001100000011111111', '0011.10110110110111000000100', '11', '32'], [999.7723098614798, 999.7667267971572, 999.7667277807501, '-10011.100010001100000011111111', '0011.10110110110111000001001', '11', '33'], [999.7723098614798, 999.7361455029226, 999.736152237343, '-10011.100010001100000011111111', '0011.10110110110111000001101', '11', '34'], [999.7723098614798, 999.7663152226207, 999.7663163989075, '-10011.100010001100000011111111', '0011.10110110110111000011011', '11', '35'], [999.7723098614798, 999.7652268498803, 999.7652279496681, '-10011.100010001100000011111111', '0011.10110110110111000011011', '11', '36'], [999.7723098614798, 999.744869981408, 999.7448758074233, '-10011.100010001100000011111111', '0011.10110110110111000011011', '11', '37'], [999.7723098614798, 999.7535508623453, 999.7535551606178, '-10011.100010001100000011111111', '0011.10110110110111000011011', '11', '38'], [999.7723098614798, 999.7550377609329, 999.7550416296227, '-10011.100010001100000011111111', '0011.10110110110111000011011', '11', '39'], [999.7723098614798, 999.743919762871, 999.7439265054408, '-10011.100010001100000011111111', '0011.10110110110111000011011', '11', '40'], [999.7723098614798, 999.7506318898103, 999.75063612997, '-10011.100010001100000011111111', '0011.10110110110111000011011', '11', '41'], [999.7723098614798, 999.7345059928571, 999.734513435461, '-10011.100010001100000011111111', '0011.10110110110111000011011', '11', '42'], [999.7723098614798, 999.7414552648729, 999.7414607494762, '-10011.100010001100000011111111', '0011.10110110110111000011011', '11', '43'], [999.7723098614798, 999.7265068222131, 999.7265167527702, '-10011.100010001100000011111111', '0011.10110110110111000011011', '11', '44'], [999.7723098614798, 999.7391785989172, 999.7391856909912, '-10011.100010001100000011111111', '0011.10110110110111000011011', '11', '45'], [999.7723098614798, 999.7439893894475, 999.7439955717421, '-10011.100010001100000011111111', '0011.10110110110111000011011', '11', '46'], [999.7723098614798, 999.7552595817657, 999.7552624905572, '-10011.100010001100000011111111', '0011.10110110110111000011011', '11', '47'], [999.7723098614798, 999.7511112488095, 999.7511151332881, '-10011.100010001100000011111111', '0011.10110110110111000011011', '11', '48'], [999.7723098614798, 999.7558531004942, 999.7558562630369, '-10011.100010001100000011111111', '0011.10110110110111000011011', '11', '49'], [999.7723098614798, 999.7549334512441, 999.7549366273521, '-10011.100010001100000011111111', '0011.10110110110111000011011', '11', '50'], [999.7723098614798, 999.7490122089199, 999.7490170741604, '-10011.100010001100000011111111', '0011.10110110110111000011011', '11', '51'], [999.7723098614798, 999.7447144969888, 999.7447206562279, '-10011.100010001100000011111111', '0011.10110110110111000011011', '11', '52'], [999.7723098614798, 999.7497647324286, 999.7497701069466, '-10011.100010001100000011111111', '0011.10110110110111000011011', '11', '53'], [999.7723098614798, 999.7515533385287, 999.7515588227229, '-10011.100010001100000011111111', '0011.10110110110111000011011', '11', '54'], [999.7723098614798, 999.7580385617302, 999.7580409252212, '-10011.100010001100000011111111', '0011.10110110110111000011011', '11', '55'], [999.7723098614798, 999.7506875951344, 999.7506909654116, '-10011.100010001100000011111111', '0011.10110110110111000011011', '11', '56'], [999.7723098614798, 999.7534851596049, 999.753488513457, '-10011.100010001100000011111111', '0011.10110110110111000011011', '11', '57'], [999.7723098614798, 999.7488379614566, 999.74884391815, '-10011.100010001100000011111111', '0011.10110110110111000011011', '11', '58'], [999.7723098614798, 999.7410809628351, 999.7410864536909, '-10011.100010001100000011111111', '0011.10110110110111000011011', '11', '59'], [999.7723098614798, 999.7589761405201, 999.7589787440909, '-10011.100010001100000011111111', '0011.10110110110111000011011', '11', '60'], [999.7723098614798, 999.7567054633064, 999.7567092617612, '-10011.100010001100000011111111', '0011.10110110110111000011011', '11', '61'], [999.7723098614798, 999.7497631106495, 999.7497684599168, '-10011.100010001100000011111111', '0011.10110110110111000011011', '11', '62'], [999.7723098614798, 999.7467541013582, 999.7467601123348, '-10011.100010001100000011111111', '0011.10110110110111000011011', '11', '63'], [999.7723098614798, 999.7524275834428, 999.7524315418799, '-10011.100010001100000011111111', '0011.10110110110111000011011', '11', '64'], [999.7723098614798, 999.7589081965041, 999.7589115175134, '-10011.100010001100000011111111', '0011.10110110110111000011011', '11', '65'], [999.7723098614798, 999.7459048214374, 999.7459110726578, '-10011.100010001100000011111111', '0011.10110110110111000011011', '11', '66'], [999.7723098614798, 999.7382848879263, 999.738290608376, '-10011.100010001100000011111111', '0011.10110110110111000011011', '11', '67'], [999.7723098614798, 999.7558312716856, 999.7558340268096, '-10011.100010001100000011111111', '0011.10110110110111000011011', '11', '68'], [999.7723098614798, 999.7666191696314, 999.7666195558277, '-10011.100010001100000011111111', '0011.10110110110111000011011', '11', '69'], [999.7723098614798, 999.7463956470137, 999.7463997746756, '-10011.100010001100000011111111', '0011.10110110110111000011011', '11', '70'], [999.7723098614798, 999.7528586934941, 999.7528622373853, '-10011.100010001100000011111111', '0011.10110110110111000011011', '11', '71'], [999.7723098614798, 999.7585559314753, 999.7585579580575, '-10011.100010001100000011111111', '0011.10110110110111000011011', '11', '72'], [999.7723098614798, 999.7590978653242, 999.7590999354917, '-10011.100010001100000011111111', '0011.10110110110111000011011', '11', '73'], [999.7723098614798, 999.7490921207453, 999.749098226385, '-10011.100010001100000011111111', '0011.10110110110111000011011', '11', '74'], [999.7723098614798, 999.753116127284, 999.7531191916567, '-10011.100010001100000011111111', '0011.10110110110111000011011', '11', '75'], [999.7723098614798, 999.75027614156, 999.7502795523104, '-10011.100010001100000011111111', '0011.10110110110111000011011', '11', '76'], [999.7723098614798, 999.7573465240448, 999.7573494394111, '-10011.100010001100000011111111', '0011.10110110110111000011011', '11', '77'], [999.7723098614798, 999.7452019526891, 999.7452076833771, '-10011.100010001100000011111111', '0011.10110110110111000011011', '11', '78'], [999.7723098614798, 999.7534539233678, 999.7534580590371, '-10011.100010001100000011111111', '0011.10110110110111000011011', '11', '79'], [999.7723098614798, 999.7495997111057, 999.7496044174995, '-10011.100010001100000011111111', '0011.10110110110111000011011', '11', '80'], [999.7723098614798, 999.7581711970461, 999.7581741000744, '-10011.100010001100000011111111', '0011.10110110110111000011011', '11', '81'], [999.7723098614798, 999.7621943148863, 999.7621962357699, '-10011.100010001100000011111111', '0011.10110110110111000011011', '11', '82'], [999.7723098614798, 999.7548261862764, 999.7548306260439, '-10011.100010001100000011111111', '0011.10110110110111000011011', '11', '83'], [999.7723098614798, 999.7502560692304, 999.7502621671372, '-10011.100010001100000011111111', '0011.10110110110111000011011', '11', '84'], [999.7723098614798, 999.7442437494606, 999.7442498374716, '-10011.100010001100000011111111', '0011.10110110110111000011011', '11', '85'], [999.7723098614798, 999.7518370872117, 999.751841091592, '-10011.100010001100000011111111', '0011.10110110110111000011011', '11', '86'], [999.7723098614798, 999.7521930162261, 999.7521967877545, '-10011.100010001100000011111111', '0011.10110110110111000011011', '11', '87'], [999.7723098614798, 999.7481033462557, 999.7481074177375, '-10011.100010001100000011111111', '0011.10110110110111000011011', '11', '88'], [999.7723098614798, 999.7575994642683, 999.7576028986127, '-10011.100010001100000011111111', '0011.10110110110111000011011', '11', '89'], [999.7723098614798, 999.7450392666141, 999.7450444251414, '-10011.100010001100000011111111', '0011.10110110110111000011011', '11', '90'], [999.7723098614798, 999.7672949046719, 999.7672956660409, '-10011.100010001100000011111111', '0011.10110110110111000011011', '11', '91'], [999.7723098614798, 999.7404001025831, 999.7404078750673, '-10011.100010001100000011111111', '0011.10110110110111000011011', '11', '92'], [999.7723098614798, 999.7528062363988, 999.7528102543439, '-10011.100010001100000011111111', '0011.10110110110111000011011', '11', '93'], [999.7723098614798, 999.7705236593492, 999.7705236951468, '-10011.100010001100000011111111', '0011.10110110110111000011011', '11', '94'], [999.7723098614798, 999.7308539594959, 999.7308624378288, '-10011.100010001100000011111111', '0011.10110110110111000011011', '11', '95'], [999.7723098614798, 999.7505705355014, 999.7505745410331, '-10011.100010001100000011111111', '0011.10110110110111000011011', '11', '96'], [999.7723098614798, 999.7417200995908, 999.7417266830967, '-10011.100010001100000011111111', '0011.10110110110111000011011', '11', '97'], [999.7723098614798, 999.7559493369329, 999.7559524432235, '-10011.100010001100000011111111', '0011.10110110110111000011011', '11', '98'], [999.7723098614798, 999.7553726541275, 999.7553754970005, '-10011.100010001100000011111111', '0011.10110110110111000011011', '11', '99'], [999.7723098614798, 999.7529754017331, 999.7529806958887, '-10011.100010001100000011111111', '0011.10110110110111000011011', '11', '100']]], [[[999.7092349722852, 999.6094794204863, 999.6094817460707, '-10000.11000000101000111101011', '0.11000111100001010110010101', '12', '1'], [999.7118541710648, 999.6707053614233, 999.6707072791536, '-10000.11000000001000111101011', '0.11010111101001010110010101', '12', '2'], [999.8182039001963, 999.7008573199043, 999.700859860948, '-10000.01000000101000111101011', '0.11010111101001010010010101', '12', '3'], [999.8192079395245, 999.7682322361605, 999.7682343748372, '-10000.01000000101000111101011', '0.10010111101001010110010101', '12', '4'], [999.8217772757041, 999.7968238276039, 999.7968285374261, '-10000.01010000101000111101011', '0.10010111101001010110010101', '12', '5'], [999.8217775258814, 999.7942371457295, 999.7942421946965, '-10000.01010000101000111101011', '0.10010101101001010010010101', '12', '6'], [999.8217776883173, 999.8051367931045, 999.805139838371, '-10000.01010000101001111101011', '0.10010001101001010010010101', '12', '7'], [999.8217776935414, 999.8103907327421, 999.8103931102, '-10000.01010000101101111101011', '0.10010011101001010010010101', '12', '8'], [999.8217776971139, 999.8019718770801, 999.8019757395219, '-10000.01010000101001111101011', '0.10010010101001010010010101', '12', '9'], [999.8217776974136, 999.7943439176477, 999.7943491873626, '-10000.01010000101100111101011', '0.10010011101101010010010101', '12', '10'], [999.8217776974544, 999.8075773124388, 999.807579923294, '-10000.01010000101100110101011', '0.10010011101101010010010101', '12', '11'], [999.8217776974545, 999.8101541334321, 999.8101565845177, '-10000.01010000101100110101001', '0.10010011101101010010110101', '12', '12'], [999.8217776974545, 999.8078124094741, 999.8078153078684, '-10000.01010000101100110101001', '0.10010011101101010110110101', '12', '13'], [999.8217776974545, 999.8067115301651, 999.8067150701434, '-10000.01010000101100110101001', '0.10010011101101010110111101', '12', '14'], [999.8217776974545, 999.7983036346841, 999.798308377727, '-10000.01010000101100110101001', '0.10010011101101010110111111', '12', '15'], [999.8217776974545, 999.8101199059416, 999.810122356792, '-10000.01010000101100110101001', '0.10010011101101010110111111', '12', '16'], [999.8217776974545, 999.7955706361764, 999.7955766657625, '-10000.01010000101100110101001', '0.10010011101101010110111111', '12', '17'], [999.8217776974545, 999.7916192898407, 999.7916254152758, '-10000.01010000101100110101001', '0.10010011101101010110111111', '12', '18'], [999.8217776974545, 999.797086146602, 999.7970914885083, '-10000.01010000101100110101001', '0.10010011101101010111111111', '12', '19'], [999.8217776974545, 999.7962206326919, 999.7962254845006, '-10000.01010000101100110101001', '0.10010011101101010111111111', '12', '20'], [999.8217776974545, 999.8104969815523, 999.8104987223777, '-10000.01010000101100110101001', '0.10010011101101010111111111', '12', '21'], [999.8217776974545, 999.8145341307791, 999.8145353442605, '-10000.01010000101100110101011', '0.10010011101101010111111111', '12', '22'], [999.8217776974545, 999.8090243831582, 999.8090272049955, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '23'], [999.8217776974545, 999.8048291748966, 999.804832372334, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '24'], [999.8217776974545, 999.805580353777, 999.8055831260768, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '25'], [999.8217776974545, 999.8014042257569, 999.8014084249888, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '26'], [999.8217776974545, 999.8012110158005, 999.8012146821036, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '27'], [999.8217776974545, 999.8027792628502, 999.8027833450215, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '28'], [999.8217776974545, 999.7947533630926, 999.7947589274802, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '29'], [999.8217776974545, 999.8037283828893, 999.8037309982193, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '30'], [999.8217776974545, 999.8059004686559, 999.8059032545655, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '31'], [999.8217776974545, 999.8126245647853, 999.8126261732465, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '32'], [999.8217776974545, 999.8011066262329, 999.801111160516, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '33'], [999.8217776974545, 999.7966872249214, 999.7966917701425, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '34'], [999.8217776974545, 999.8056012467692, 999.8056042707882, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '35'], [999.8217776974545, 999.8201655864312, 999.8201656986503, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '36'], [999.8217776974545, 999.8029704817437, 999.8029742830086, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '37'], [999.8217776974545, 999.798703837536, 999.7987088610033, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '38'], [999.8217776974545, 999.807358012595, 999.8073606695903, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '39'], [999.8217776974545, 999.816784989992, 999.8167853261739, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '40'], [999.8217776974545, 999.8061912072415, 999.8061951147224, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '41'], [999.8217776974545, 999.8058278768592, 999.8058312511696, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '42'], [999.8217776974545, 999.7982813242386, 999.7982851490247, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '43'], [999.8217776974545, 999.8130088380851, 999.8130107575064, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '44'], [999.8217776974545, 999.7988956063881, 999.7989006060671, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '45'], [999.8217776974545, 999.8111490586059, 999.8111505455407, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '46'], [999.8217776974545, 999.8180114621978, 999.8180120756559, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '47'], [999.8217776974545, 999.8076530870337, 999.8076559689321, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '48'], [999.8217776974545, 999.7977417751708, 999.7977464833303, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '49'], [999.8217776974545, 999.809460832449, 999.8094629490691, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '50'], [999.8217776974545, 999.806307369996, 999.8063106599244, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '51'], [999.8217776974545, 999.8143552306952, 999.8143567333689, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '52'], [999.8217776974545, 999.7972740318137, 999.7972788608247, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '53'], [999.8217776974545, 999.8152886996924, 999.815289505314, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '54'], [999.8217776974545, 999.7901824320256, 999.79018827404, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '55'], [999.8217776974545, 999.8073376086796, 999.8073402661076, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '56'], [999.8217776974545, 999.7991242479931, 999.7991292734108, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '57'], [999.8217776974545, 999.7942769728139, 999.7942830656558, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '58'], [999.8217776974545, 999.8117859607486, 999.8117876970905, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '59'], [999.8217776974545, 999.8126283586944, 999.8126299685962, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '60'], [999.8217776974545, 999.7918171429193, 999.7918228478578, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '61'], [999.8217776974545, 999.8050361728242, 999.8050392843297, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '62'], [999.8217776974545, 999.8057097720688, 999.8057122302781, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '63'], [999.8217776974545, 999.8097741809165, 999.8097769130165, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '64'], [999.8217776974545, 999.8106521228467, 999.8106544876794, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '65'], [999.8217776974545, 999.8089335818, 999.8089363336817, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '66'], [999.8217776974545, 999.8062847689102, 999.8062872455698, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '67'], [999.8217776974545, 999.8107602514459, 999.8107614206606, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '68'], [999.8217776974545, 999.7782430805865, 999.7782524737884, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '69'], [999.8217776974545, 999.8048423273318, 999.8048453446696, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '70'], [999.8217776974545, 999.8012869671243, 999.8012912358533, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '71'], [999.8217776974545, 999.7945762818371, 999.7945808346703, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '72'], [999.8217776974545, 999.8182628343407, 999.81826313214, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '73'], [999.8217776974545, 999.7941899106423, 999.7941960158685, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '74'], [999.8217776974545, 999.8131985787306, 999.8131998939576, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '75'], [999.8217776974545, 999.7969501190565, 999.7969549482546, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '76'], [999.8217776974545, 999.7921441634012, 999.7921495304545, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '77'], [999.8217776974545, 999.8008819238573, 999.8008864465409, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '78'], [999.8217776974545, 999.8059840367673, 999.805986943421, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '79'], [999.8217776974545, 999.8017032617181, 999.801707148784, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '80'], [999.8217776974545, 999.8075127064938, 999.8075149801577, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '81'], [999.8217776974545, 999.7996394596878, 999.7996428693265, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '82'], [999.8217776974545, 999.8131693142946, 999.8131706293154, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '83'], [999.8217776974545, 999.8097739048909, 999.8097766370106, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '84'], [999.8217776974545, 999.8083709554975, 999.8083729553509, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '85'], [999.8217776974545, 999.8144742001092, 999.8144753555259, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '86'], [999.8217776974545, 999.8043175108304, 999.804320958919, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '87'], [999.8217776974545, 999.8144449718955, 999.8144464212525, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '88'], [999.8217776974545, 999.8195893713064, 999.8195894906725, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '89'], [999.8217776974545, 999.8017431035915, 999.8017473496071, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '90'], [999.8217776974545, 999.7973478126736, 999.7973529096254, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '91'], [999.8217776974545, 999.7993405365404, 999.7993451762404, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '92'], [999.8217776974545, 999.8060624812589, 999.8060667042564, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '93'], [999.8217776974545, 999.7986569039465, 999.798662132324, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '94'], [999.8217776974545, 999.7962038887762, 999.7962089917821, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '95'], [999.8217776974545, 999.8086184425146, 999.8086209995898, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '96'], [999.8217776974545, 999.8106034828744, 999.8106059740778, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '97'], [999.8217776974545, 999.7954354096529, 999.7954411710792, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '98'], [999.8217776974545, 999.8121102128779, 999.8121118747, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '99'], [999.8217776974545, 999.8057433087279, 999.8057465904163, '-10000.01010000101100110101011', '0.10010011101101011111111111', '12', '100']]], [[[999.878283600427, 999.6189306650695, 999.6189553601108, '-101.01101010100101001001101', '-100.00101100010101111000011', '13', '1'], [999.8834231012213, 999.839328027994, 999.8393338246898, '-101.01101010101100001001101', '-100.00101000010101010000011', '13', '2'], [999.8957144976672, 999.7525244252646, 999.7525610872367, '-101.01100010100001001001101', '-100.00101000010101010000011', '13', '3'], [999.9556342665106, 999.8353399025843, 999.8353601907814, '-101.00100010101101001001101', '-100.00101100010101000000011', '13', '4'], [999.9626666533296, 999.8974710361103, 999.8974860668662, '-101.00000010101101001001101', '-100.00101100010101010000011', '13', '5'], [999.9627413450394, 999.9479595404546, 999.9479646189138, '-101.00000010101101001001101', '-100.00101110010101010000011', '13', '6'], [999.9627691147341, 999.935815489217, 999.9358245843825, '-101.00000011101101001001101', '-100.00101110011101010000011', '13', '7'], [999.9627758198285, 999.9518713771556, 999.9518733325924, '-101.00000011101101001001101', '-100.00101111011101010000011', '13', '8'], [999.9627758716148, 999.9419766655473, 999.9419824804719, '-101.00000011101111001001101', '-100.00101111011101010000011', '13', '9'], [999.9627758998325, 999.9409454484107, 999.940951861626, '-101.00000011101111001001101', '-100.00101111011111010010011', '13', '10'], [999.9627759066744, 999.9316676739764, 999.9316775000361, '-101.00000011101111101001101', '-100.00101111011111010010011', '13', '11'], [999.9627759113633, 999.9403734486636, 999.9403776839788, '-101.00000011101111101011100', '-100.00101111011111110001011', '13', '12'], [999.9627759139407, 999.9309899776038, 999.931001526222, '-101.00000011101111111011100', '-100.00101111011111110001011', '13', '13'], [999.9627759145426, 999.9272749351009, 999.9272869310428, '-101.00000011101111111111100', '-100.00101111011111110001011', '13', '14'], [999.9627759154307, 999.9187870662437, 999.918800502863, '-101.00000011101111111111100', '-100.00101111011111111001011', '13', '15'], [999.9627759156465, 999.9501085796526, 999.9501124650254, '-101.00000011101111111111100', '-100.00101111011111111011011', '13', '16'], [999.9627759161049, 999.9422643494242, 999.9422700210783, '-101.00000011101111111111110', '-100.00101111011111111111011', '13', '17'], [999.9627759161219, 999.927107247238, 999.9271194810512, '-101.00000011101111111111111', '-100.00101111011111111111011', '13', '18'], [999.9627759161741, 999.9265319583154, 999.9265406312288, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '19'], [999.9627759161741, 999.9365671947842, 999.9365761603334, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '20'], [999.9627759161741, 999.9262200739487, 999.9262327837416, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '21'], [999.9627759161741, 999.9392398441719, 999.9392447056904, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '22'], [999.9627759161741, 999.9469107491194, 999.9469157785255, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '23'], [999.9627759161741, 999.9145528020355, 999.9145674732133, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '24'], [999.9627759161741, 999.8952629008613, 999.8952845340436, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '25'], [999.9627759161741, 999.9396380217805, 999.9396464299554, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '26'], [999.9627759161741, 999.9307066803375, 999.9307162358353, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '27'], [999.9627759161741, 999.9414646581514, 999.9414727809898, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '28'], [999.9627759161741, 999.9460765078193, 999.9460813280235, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '29'], [999.9627759161741, 999.9534504632658, 999.9534541923647, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '30'], [999.9627759161741, 999.9444332791631, 999.9444364983991, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '31'], [999.9627759161741, 999.9178489893624, 999.9178627106803, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '32'], [999.9627759161741, 999.9322746485859, 999.9322840117778, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '33'], [999.9627759161741, 999.9485069094014, 999.9485118661729, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '34'], [999.9627759161741, 999.9389878563483, 999.9389959137528, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '35'], [999.9627759161741, 999.9360802362431, 999.9360868820364, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '36'], [999.9627759161741, 999.9146813115374, 999.9146947284528, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '37'], [999.9627759161741, 999.9263100041529, 999.9263231452754, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '38'], [999.9627759161741, 999.9337671756975, 999.9337771310766, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '39'], [999.9627759161741, 999.932755757146, 999.9327671880831, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '40'], [999.9627759161741, 999.9219658703121, 999.9219813900781, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '41'], [999.9627759161741, 999.9440192505629, 999.9440267069745, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '42'], [999.9627759161741, 999.9323277291992, 999.9323352346852, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '43'], [999.9627759161741, 999.9474974325188, 999.9475025427554, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '44'], [999.9627759161741, 999.9340177086812, 999.934027760818, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '45'], [999.9627759161741, 999.9154430353186, 999.915459579939, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '46'], [999.9627759161741, 999.9367345310764, 999.9367429369515, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '47'], [999.9627759161741, 999.9540818249063, 999.9540830157425, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '48'], [999.9627759161741, 999.9436400768946, 999.9436455477138, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '49'], [999.9627759161741, 999.94735794529, 999.9473628469758, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '50'], [999.9627759161741, 999.9045056100534, 999.9045265601226, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '51'], [999.9627759161741, 999.9376217945639, 999.9376291914931, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '52'], [999.9627759161741, 999.9331578458329, 999.9331674902137, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '53'], [999.9627759161741, 999.9068452047645, 999.9068637990067, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '54'], [999.9627759161741, 999.9401810079555, 999.9401873788888, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '55'], [999.9627759161741, 999.9362487461138, 999.9362558586345, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '56'], [999.9627759161741, 999.9447677879044, 999.944775294357, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '57'], [999.9627759161741, 999.9507265116289, 999.9507305447052, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '58'], [999.9627759161741, 999.9613754317671, 999.9613755166175, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '59'], [999.9627759161741, 999.9124242194008, 999.9124394327306, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '60'], [999.9627759161741, 999.9406615799136, 999.9406674758512, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '61'], [999.9627759161741, 999.9375073614596, 999.9375159649885, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '62'], [999.9627759161741, 999.9416738955806, 999.94167996351, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '63'], [999.9627759161741, 999.9274541358982, 999.9274665038208, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '64'], [999.9627759161741, 999.9429891934202, 999.9429951470124, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '65'], [999.9627759161741, 999.9285871396615, 999.9285993724807, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '66'], [999.9627759161741, 999.9056307517526, 999.9056491499964, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '67'], [999.9627759161741, 999.9433423753039, 999.9433479564398, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '68'], [999.9627759161741, 999.9348158209425, 999.9348229700456, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '69'], [999.9627759161741, 999.9320887220335, 999.9320981849611, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '70'], [999.9627759161741, 999.9427092280498, 999.9427150958982, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '71'], [999.9627759161741, 999.9412329360847, 999.9412386670109, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '72'], [999.9627759161741, 999.9145730023844, 999.9145897746412, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '73'], [999.9627759161741, 999.9397211273995, 999.9397278694715, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '74'], [999.9627759161741, 999.9358465971175, 999.9358559956412, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '75'], [999.9627759161741, 999.9295558645583, 999.9295637921479, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '76'], [999.9627759161741, 999.9555562453312, 999.9555573038617, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '77'], [999.9627759161741, 999.9540137986427, 999.9540175923667, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '78'], [999.9627759161741, 999.933485189174, 999.9334948067349, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '79'], [999.9627759161741, 999.9290832835766, 999.9290965287507, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '80'], [999.9627759161741, 999.9169856450185, 999.9170000560631, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '81'], [999.9627759161741, 999.9269567983703, 999.9269692113454, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '82'], [999.9627759161741, 999.9214153559196, 999.921429593257, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '83'], [999.9627759161741, 999.9471605935985, 999.9471650209849, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '84'], [999.9627759161741, 999.9307576323332, 999.9307697519614, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '85'], [999.9627759161741, 999.9367338522247, 999.9367428379342, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '86'], [999.9627759161741, 999.9390191506186, 999.9390275628097, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '87'], [999.9627759161741, 999.9262014807093, 999.9262123576083, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '88'], [999.9627759161741, 999.9192727875962, 999.9192885817099, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '89'], [999.9627759161741, 999.9477958406638, 999.947798843597, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '90'], [999.9627759161741, 999.9391560054968, 999.9391621598387, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '91'], [999.9627759161741, 999.9162064269681, 999.91622331099, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '92'], [999.9627759161741, 999.9493060518565, 999.9493107857656, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '93'], [999.9627759161741, 999.9452526783374, 999.9452577035087, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '94'], [999.9627759161741, 999.9017132640611, 999.9017364068784, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '95'], [999.9627759161741, 999.9386070603932, 999.9386131464303, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '96'], [999.9627759161741, 999.9342924414133, 999.9343015838083, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '97'], [999.9627759161741, 999.9177449261571, 999.9177612051385, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '98'], [999.9627759161741, 999.9322575041874, 999.9322672287778, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '99'], [999.9627759161741, 999.9352992665481, 999.9353079482055, '-101.00000011101111111111111', '-100.00101111011111111111111', '13', '100']]], [[[999.9889919478478, 999.6679489344943, 999.6679761294307, '10.0011011110100111100001101001', '-11.101110100101100010100011', '14', '1'], [999.9896508711016, 999.9594169712722, 999.9594226010595, '10.0011001110100111101101101001', '-11.101110100101100010100011', '14', '2'], [999.9901993651966, 999.9658994264811, 999.9659043444137, '10.0000011110100111101101101001', '-11.100111100101100010100011', '14', '3'], [999.9902306458213, 999.9733061854104, 999.9733084519967, '10.0011000100100111101101101001', '-11.101111100101100110100011', '14', '4'], [999.9902635146157, 999.9585546830122, 999.9585633606192, '10.0011000100100111101101101001', '-11.101111110101100110100011', '14', '5'], [999.9902807131397, 999.9784522669718, 999.9784553398205, '10.0011000000100111101001101001', '-11.101111110101100110100011', '14', '6'], [999.9902838876386, 999.9742421749697, 999.9742450283717, '10.0011000000100111101001101001', '-11.101111111101100110100011', '14', '7'], [999.9902840794822, 999.9578389504785, 999.9578467227584, '10.0011000000100111101001101001', '-11.101111111111100110100011', '14', '8'], [999.9902840865467, 999.973845848335, 999.9738499862912, '10.0011000000100111101001101000', '-11.101111111111110110100011', '14', '9'], [999.9902840898113, 999.9699774541663, 999.9699828364186, '10.0011000000100011101001101000', '-11.101111111111110110100011', '14', '10'], [999.9902840901107, 999.9799068637734, 999.9799093947893, '10.0011000000100001101001101000', '-11.101111111111110110100011', '14', '11'], [999.9902840901218, 999.958765512729, 999.958773041364, '10.0011000000100001111001101000', '-11.101111111111110110100011', '14', '12'], [999.9902840901225, 999.9713431222277, 999.9713487670359, '10.0011000000100001111101101000', '-11.101111111111110110100011', '14', '13'], [999.9902840901225, 999.9821213642043, 999.982122299033, '10.0011000000100001111111101000', '-11.101111111111110110100011', '14', '14'], [999.9902840901225, 999.9742773549079, 999.9742803652665, '10.0011000000100001111111111000', '-11.101111111111110110100011', '14', '15'], [999.9902840901225, 999.9540709135066, 999.9540794430542, '10.0011000000100001111111111001', '-11.101111111111110110100011', '14', '16'], [999.9902840901225, 999.9765791895713, 999.9765815332106, '10.0011000000100001111111111010', '-11.101111111111110110101011', '14', '17'], [999.9902840901225, 999.983802635687, 999.9838037932745, '10.0011000000100001111111111011', '-11.101111111111110110101011', '14', '18'], [999.9902840901225, 999.9692163194077, 999.969220563449, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '19'], [999.9902840901225, 999.9780145127302, 999.9780178818266, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '20'], [999.9902840901225, 999.9715013855196, 999.9715058813008, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '21'], [999.9902840901225, 999.982141629182, 999.9821434160142, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '22'], [999.9902840901225, 999.9868814139716, 999.9868815916055, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '23'], [999.9902840901225, 999.9802054573577, 999.9802076294599, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '24'], [999.9902840901225, 999.9719183983643, 999.9719226187754, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '25'], [999.9902840901225, 999.9799936602664, 999.9799953362424, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '26'], [999.9902840901225, 999.9558891472363, 999.955898154664, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '27'], [999.9902840901225, 999.9475363541414, 999.9475477681802, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '28'], [999.9902840901225, 999.9888281092171, 999.9888281880659, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '29'], [999.9902840901225, 999.9779161904289, 999.9779181857505, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '30'], [999.9902840901225, 999.9635503440252, 999.9635576291622, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '31'], [999.9902840901225, 999.9855392951575, 999.9855395399594, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '32'], [999.9902840901225, 999.9763855316761, 999.9763887346188, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '33'], [999.9902840901225, 999.9654811142059, 999.965487401334, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '34'], [999.9902840901225, 999.96429383865, 999.9643001190157, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '35'], [999.9902840901225, 999.9839964154229, 999.9839967491182, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '36'], [999.9902840901225, 999.9782296177274, 999.9782322415871, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '37'], [999.9902840901225, 999.9743526005934, 999.974355370973, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '38'], [999.9902840901225, 999.9849034149801, 999.9849040468029, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '39'], [999.9902840901225, 999.9774774767386, 999.9774812985404, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '40'], [999.9902840901225, 999.955628417262, 999.9556351313427, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '41'], [999.9902840901225, 999.9792462218927, 999.9792488393332, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '42'], [999.9902840901225, 999.9740908357994, 999.9740947093103, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '43'], [999.9902840901225, 999.9741254560305, 999.9741282282255, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '44'], [999.9902840901225, 999.9667391003926, 999.9667449695196, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '45'], [999.9902840901225, 999.9603009027508, 999.9603088265143, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '46'], [999.9902840901225, 999.9854730392586, 999.9854736645468, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '47'], [999.9902840901225, 999.9835933177571, 999.9835944784616, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '48'], [999.9902840901225, 999.9631322204426, 999.9631379897329, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '49'], [999.9902840901225, 999.9647767814045, 999.9647829052061, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '50'], [999.9902840901225, 999.9804171172561, 999.9804187512925, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '51'], [999.9902840901225, 999.9741152856276, 999.9741189330961, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '52'], [999.9902840901225, 999.9683980602478, 999.9684022419991, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '53'], [999.9902840901225, 999.954196523663, 999.9542046774666, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '54'], [999.9902840901225, 999.9770580451576, 999.9770607338593, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '55'], [999.9902840901225, 999.9661282015892, 999.9661338224548, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '56'], [999.9902840901225, 999.9731252757073, 999.9731299884712, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '57'], [999.9902840901225, 999.9412193839572, 999.9412320173789, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '58'], [999.9902840901225, 999.9798558969832, 999.9798584522717, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '59'], [999.9902840901225, 999.9602929618803, 999.9602994596138, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '60'], [999.9902840901225, 999.969265127193, 999.9692684461162, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '61'], [999.9902840901225, 999.9748657564097, 999.974869031791, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '62'], [999.9902840901225, 999.982980203845, 999.9829819796466, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '63'], [999.9902840901225, 999.9815361544249, 999.9815373068736, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '64'], [999.9902840901225, 999.9809446332665, 999.980946305057, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '65'], [999.9902840901225, 999.9735082505905, 999.9735109413324, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '66'], [999.9902840901225, 999.9833891343118, 999.9833898499355, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '67'], [999.9902840901225, 999.9645890372617, 999.96459416698, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '68'], [999.9902840901225, 999.955816298388, 999.9558248445118, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '69'], [999.9902840901225, 999.9643330806965, 999.9643394930774, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '70'], [999.9902840901225, 999.9561804045535, 999.9561889729567, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '71'], [999.9902840901225, 999.9868804174062, 999.9868809587045, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '72'], [999.9902840901225, 999.9682436030023, 999.9682473783259, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '73'], [999.9902840901225, 999.9777785327673, 999.9777816111967, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '74'], [999.9902840901225, 999.9865568046173, 999.9865573523651, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '75'], [999.9902840901225, 999.9711957096297, 999.9711996452653, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '76'], [999.9902840901225, 999.9847124768136, 999.9847135574842, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '77'], [999.9902840901225, 999.9773090982806, 999.9773117894347, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '78'], [999.9902840901225, 999.9614746738074, 999.961481496458, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '79'], [999.9902840901225, 999.9767205300532, 999.9767232745302, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '80'], [999.9902840901225, 999.9727668232373, 999.9727705349549, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '81'], [999.9902840901225, 999.9440192428134, 999.9440324717536, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '82'], [999.9902840901225, 999.9670551982075, 999.9670615182948, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '83'], [999.9902840901225, 999.9545767402346, 999.9545863357012, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '84'], [999.9902840901225, 999.9709984193548, 999.971002735234, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '85'], [999.9902840901225, 999.9815196091205, 999.981521463969, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '86'], [999.9902840901225, 999.9718622944487, 999.9718660573631, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '87'], [999.9902840901225, 999.9644940397576, 999.9644995047203, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '88'], [999.9902840901225, 999.9887866746062, 999.9887867607234, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '89'], [999.9902840901225, 999.9775658723444, 999.9775690192275, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '90'], [999.9902840901225, 999.9719224004381, 999.9719258525515, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '91'], [999.9902840901225, 999.9664176779199, 999.9664222093021, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '92'], [999.9902840901225, 999.9749642073702, 999.9749665394046, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '93'], [999.9902840901225, 999.9644868895573, 999.9644924284233, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '94'], [999.9902840901225, 999.9788409770066, 999.9788431735466, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '95'], [999.9902840901225, 999.9801921144602, 999.9801942940262, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '96'], [999.9902840901225, 999.9779696501715, 999.9779714605768, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '97'], [999.9902840901225, 999.9727382475929, 999.9727419028973, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '98'], [999.9902840901225, 999.9877970550356, 999.9877971491582, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '99'], [999.9902840901225, 999.9725975186433, 999.9726005411908, '10.0011000000100001111111111111', '-11.101111111111110110101011', '14', '100']]], [[[999.921748559592, 999.6813525826853, 999.6813822776028, '-1001.100000111101010001111', '100.0001000000010000111000000', '15', '1'], [999.9218108114873, 999.8948055903301, 999.8948114464077, '-1001.100000111100010001101', '100.0001010100010000111000000', '15', '2'], [999.9218108133446, 999.8883366375304, 999.8883445761473, '-1001.100000111100010101101', '100.0001010100010000111000000', '15', '3'], [999.921810816101, 999.9029651115835, 999.9029691387941, '-1001.100000111100011101101', '100.0001010100010000111000000', '15', '4'], [999.9218108165906, 999.888250352542, 999.8882593305698, '-1001.100000111100011111101', '100.0001010100010000111000000', '15', '5'], [999.9218108167976, 999.8939466814081, 999.8939546258046, '-1001.100000111100011111101', '100.0001010100010000011000000', '15', '6'], [999.9218108168942, 999.9054974914675, 999.9055009849408, '-1001.100000111100011111101', '100.0001010100010000001000000', '15', '7'], [999.9218108169412, 999.8900250423148, 999.8900330910818, '-1001.100000111100011111111', '100.0001010100010000001000010', '15', '8'], [999.9218108169418, 999.8791187465362, 999.8791305876426, '-1001.100000111100011111111', '100.0001010100010000001000001', '15', '9'], [999.9218108169873, 999.8772860895946, 999.8772985285713, '-1001.100000111100011111111', '100.0001010100010000000000001', '15', '10'], [999.9218108169873, 999.8958925223837, 999.8958991774217, '-1001.100000111100011111111', '100.0001010100010000000000001', '15', '11'], [999.921810816988, 999.897532910819, 999.8975402019252, '-1001.100000111100011111111', '100.0001010100010000000000000', '15', '12'], [999.921810816988, 999.8961448799337, 999.8961518467235, '-1001.100000111100011111111', '100.0001010100010000000000000', '15', '13'], [999.921810816988, 999.9083457244616, 999.9083486856708, '-1001.100000111100011111111', '100.0001010100010000000000000', '15', '14'], [999.921810816988, 999.8915783420182, 999.8915856978514, '-1001.100000111100011111111', '100.0001010100010000000000000', '15', '15'], [999.921810816988, 999.8803782475469, 999.8803901246167, '-1001.100000111100011111111', '100.0001010100010000000000000', '15', '16'], [999.921810816988, 999.8998916200035, 999.899897799578, '-1001.100000111100011111111', '100.0001010100010000000000000', '15', '17'], [999.921810816988, 999.8936386750701, 999.8936442882544, '-1001.100000111100011111111', '100.0001010100010000000000000', '15', '18'], [999.921810816988, 999.883017214755, 999.8830270302064, '-1001.100000111100011111111', '100.0001010100010000000000000', '15', '19'], [999.921810816988, 999.8875862603692, 999.8875945294855, '-1001.100000111100011111111', '100.0001010100010000000000000', '15', '20'], [999.921810816988, 999.8856749268883, 999.8856846340387, '-1001.100000111100011111111', '100.0001010100010000000000000', '15', '21'], [999.921810816988, 999.8986378311974, 999.8986417230891, '-1001.100000111100011111111', '100.0001010100010000000000000', '15', '22'], [999.921810816988, 999.8930154299314, 999.8930231246816, '-1001.100000111100011111111', '100.0001010100010000000000000', '15', '23'], [999.921810816988, 999.9034711961128, 999.9034760126304, '-1001.100000111100011111111', '100.0001010100010000000000000', '15', '24'], [999.921810816988, 999.867093833306, 999.8671082058615, '-1001.100000111100011111111', '100.0001010100010000000000000', '15', '25'], [999.921810816988, 999.9010387173033, 999.9010449979014, '-1001.100000111100011111111', '100.0001010100010000000000000', '15', '26'], [999.921810816988, 999.8527906613444, 999.8528096022222, '-1001.100000111100011111111', '100.0001010100010000000000000', '15', '27'], [999.921810816988, 999.8929813578756, 999.8929882129975, '-1001.100000111100011111111', '100.0001010100010000000000000', '15', '28'], [999.921810816988, 999.9036456378193, 999.9036498285369, '-1001.100000111100011111111', '100.0001010100010000000000000', '15', '29'], [999.921810816988, 999.9022337519872, 999.9022398035883, '-1001.100000111100011111111', '100.0001010100010000000000000', '15', '30'], [999.921810816988, 999.8844953817522, 999.8845034635951, '-1001.100000111100011111111', '100.0001010100010000000000000', '15', '31'], [999.921810816988, 999.8819892951121, 999.8819992005638, '-1001.100000111100011111111', '100.0001010100010000000000000', '15', '32'], [999.9344376258687, 999.8972521421061, 999.8972585172127, '-0001.100000111100011111111', '110.0001010100010000000000000', '15', '33'], [999.9577594731031, 999.882808538015, 999.8828207856992, '-0001.100000111100011111110', '110.0101010100010000000000000', '15', '34'], [999.9588269015355, 999.8975154749926, 999.8975335082115, '-0001.101000111100011111111', '110.0101010100010000000000000', '15', '35'], [999.9627678352222, 999.933208199101, 999.9332173783014, '-0001.101000111101011111111', '110.0100010100010000000000000', '15', '36'], [999.9627758314965, 999.9322988411606, 999.9323064810394, '-0001.101100111101011111111', '110.0100010100010000000000000', '15', '37'], [999.9627758980419, 999.9418264676221, 999.941832033294, '-0001.101100111101011111111', '110.0100010100110000000000000', '15', '38'], [999.9627759146398, 999.9418427251352, 999.9418482987501, '-0001.101100011001011111111', '110.0100010100010000000000000', '15', '39'], [999.9627759219836, 999.9307818930755, 999.9307900611983, '-0001.101100110001011111111', '110.0100010100011000000000000', '15', '40'], [999.9627759220816, 999.9393432291763, 999.9393497459039, '-0001.101100110001011111111', '110.0100010100011000000100000', '15', '41'], [999.9627759243402, 999.9238072308763, 999.9238209311984, '-0001.101100110001011110111', '110.0100010100011010000100000', '15', '42'], [999.9627759247145, 999.9360847262537, 999.9360918501288, '-0001.101100110000011111111', '110.0100010100011010000000000', '15', '43'], [999.9627759248683, 999.9173363208832, 999.9173484309149, '-0001.101100110000011110111', '110.0100010100011010100100000', '15', '44'], [999.9627759248881, 999.9258356213529, 999.9258468718177, '-0001.101100110000001110111', '110.0100010100011010100100000', '15', '45'], [999.9627759248922, 999.9492488826843, 999.9492529042839, '-0001.101100110000011010111', '110.0100010100011010110100000', '15', '46'], [999.9627759248922, 999.9490989495597, 999.949103278858, '-0001.101100110000011010111', '110.0100010100011010110100000', '15', '47'], [999.9627759248924, 999.9464188467103, 999.9464231528087, '-0001.101100110000011010111', '110.0100010100011010110101000', '15', '48'], [999.9627759248925, 999.9293145035836, 999.9293250583709, '-0001.101100110000011010111', '110.0100010100011010110110100', '15', '49'], [999.9627759248925, 999.9326341391666, 999.9326418192469, '-0001.101100110000011010111', '110.0100010100011010110110101', '15', '50'], [999.9627759248925, 999.9360820097286, 999.9360900703357, '-0001.101100110000011011111', '110.0100010100011010110110101', '15', '51'], [999.9627759248925, 999.9251014176625, 999.9251126828932, '-0001.101100110000011011111', '110.0100010100011010110111101', '15', '52'], [999.9627759248925, 999.9241890198338, 999.9242021025019, '-0001.101100110000011011111', '110.0100010100011010110111111', '15', '53'], [999.9627759248925, 999.9288096461439, 999.9288216530167, '-0001.101100110000011011111', '110.0100010100011010110111111', '15', '54'], [999.9627759248925, 999.933506949953, 999.9335152230447, '-0001.101100110000011011111', '110.0100010100011010110111111', '15', '55'], [999.9627759248925, 999.9465965153224, 999.9466004978983, '-0001.101100110000011011111', '110.0100010100011010110111111', '15', '56'], [999.9627759248925, 999.9409686380538, 999.940975483095, '-0001.101100110000011011111', '110.0100010100011010110111111', '15', '57'], [999.9627759248925, 999.9270639390975, 999.9270742592407, '-0001.101100110000011011111', '110.0100010100011010110111111', '15', '58'], [999.9627759248925, 999.9477715426896, 999.9477771590995, '-0001.101100110000011011111', '110.0100010100011010110111111', '15', '59'], [999.9627759248925, 999.9501343209965, 999.9501382298663, '-0001.101100110000011011111', '110.0100010100011010110111111', '15', '60'], [999.9627759248925, 999.9368070401192, 999.9368143821812, '-0001.101100110000011011111', '110.0100010100011010110111111', '15', '61'], [999.9627759248925, 999.9232067077965, 999.9232211616714, '-0001.101100110000011011111', '110.0100010100011010110111111', '15', '62'], [999.9627759248925, 999.9473828433428, 999.9473876650723, '-0001.101100110000011011111', '110.0100010100011010110111111', '15', '63'], [999.9627759248925, 999.9131902017533, 999.9132060088265, '-0001.101100110000011011111', '110.0100010100011010110111111', '15', '64'], [999.9627759248925, 999.930423472809, 999.9304331489434, '-0001.101100110000011011111', '110.0100010100011010110111111', '15', '65'], [999.9627759248925, 999.9381849564058, 999.9381929102992, '-0001.101100110000011011111', '110.0100010100011010110111111', '15', '66'], [999.9627759248925, 999.9406804564273, 999.9406863570716, '-0001.101100110000011011111', '110.0100010100011010110111111', '15', '67'], [999.9627759248925, 999.9501596889338, 999.9501625157674, '-0001.101100110000011011111', '110.0100010100011010110111111', '15', '68'], [999.9627759248925, 999.9420987957418, 999.9421049635424, '-0001.101100110000011011111', '110.0100010100011010110111111', '15', '69'], [999.9627759248925, 999.951458758788, 999.9514619205942, '-0001.101100110000011011111', '110.0100010100011010110111111', '15', '70'], [999.9627759248925, 999.8948327161365, 999.8948540375876, '-0001.101100110000011011111', '110.0100010100011010110111111', '15', '71'], [999.9627759248925, 999.9543543370439, 999.954357328782, '-0001.101100110000011011111', '110.0100010100011010110111111', '15', '72'], [999.9627759248925, 999.9096980789686, 999.9097146967315, '-0001.101100110000011011111', '110.0100010100011010110111111', '15', '73'], [999.9627759248925, 999.9311004225044, 999.9311108017446, '-0001.101100110000011011111', '110.0100010100011010110111111', '15', '74'], [999.9627759248925, 999.9338775899992, 999.933886598255, '-0001.101100110000011011111', '110.0100010100011010110111111', '15', '75'], [999.9627759248925, 999.9445903167295, 999.9445968633685, '-0001.101100110000011011111', '110.0100010100011010110111111', '15', '76'], [999.9627759248925, 999.9534694100739, 999.9534716426055, '-0001.101100110000011011111', '110.0100010100011010110111111', '15', '77'], [999.9627759248925, 999.9169339118068, 999.9169492639853, '-0001.101100110000011011111', '110.0100010100011010110111111', '15', '78'], [999.9627759248925, 999.9475720107532, 999.9475769699127, '-0001.101100110000011011111', '110.0100010100011010110111111', '15', '79'], [999.9627759248925, 999.9257761899253, 999.9257873037418, '-0001.101100110000011011111', '110.0100010100011010110111111', '15', '80'], [999.9627759248925, 999.9346881488466, 999.9346968938227, '-0001.101100110000011011111', '110.0100010100011010110111111', '15', '81'], [999.9627759248925, 999.931781755275, 999.9317913829993, '-0001.101100110000011011111', '110.0100010100011010110111111', '15', '82'], [999.9627759248925, 999.9451140646546, 999.9451212280072, '-0001.101100110000011011111', '110.0100010100011010110111111', '15', '83'], [999.9627759248925, 999.9366227656667, 999.9366319362489, '-0001.101100110000011011111', '110.0100010100011010110111111', '15', '84'], [999.9627759248925, 999.928531139257, 999.9285438082122, '-0001.101100110000011011111', '110.0100010100011010110111111', '15', '85'], [999.9627759248925, 999.9423229954555, 999.9423275248521, '-0001.101100110000011011111', '110.0100010100011010110111111', '15', '86'], [999.9627759248925, 999.9270453977128, 999.9270574911404, '-0001.101100110000011011111', '110.0100010100011010110111111', '15', '87'], [999.9627759248925, 999.9356160745159, 999.9356261362788, '-0001.101100110000011011111', '110.0100010100011010110111111', '15', '88'], [999.9627759248925, 999.9327217345583, 999.9327304204223, '-0001.101100110000011011111', '110.0100010100011010110111111', '15', '89'], [999.9627759248925, 999.923053843225, 999.9230653154821, '-0001.101100110000011011111', '110.0100010100011010110111111', '15', '90'], [999.9627759248925, 999.9271364896236, 999.9271485320336, '-0001.101100110000011011111', '110.0100010100011010110111111', '15', '91'], [999.9627759248925, 999.9468646426793, 999.946869537273, '-0001.101100110000011011111', '110.0100010100011010110111111', '15', '92'], [999.9627759248925, 999.9437347468504, 999.943741466481, '-0001.101100110000011011111', '110.0100010100011010110111111', '15', '93'], [999.9627759248925, 999.9442081495824, 999.9442123263249, '-0001.101100110000011011111', '110.0100010100011010110111111', '15', '94'], [999.9627759248925, 999.9310906492108, 999.9311015511078, '-0001.101100110000011011111', '110.0100010100011010110111111', '15', '95'], [999.9627759248925, 999.9224194895396, 999.9224322657867, '-0001.101100110000011011111', '110.0100010100011010110111111', '15', '96'], [999.9627759248925, 999.9451001842504, 999.9451052560307, '-0001.101100110000011011111', '110.0100010100011010110111111', '15', '97'], [999.9627759248925, 999.937689412181, 999.9376971673228, '-0001.101100110000011011111', '110.0100010100011010110111111', '15', '98'], [999.9627759248925, 999.9399413004371, 999.9399497805484, '-0001.101100110000011011111', '110.0100010100011010110111111', '15', '99'], [999.9627759248925, 999.903923571585, 999.9039410211673, '-0001.101100110000011011111', '110.0100010100011010110111111', '15', '100']]], [[[999.6465526062987, 999.5239633025525, 999.5239668843011, '-10000.00000001110100111110110', '-11000.10000001101111011010011', '16', '1'], [999.6903578992143, 999.5598320169754, 999.5598394230233, '-10000.00000001110100111110110', '-10000.10000001101111011010011', '16', '2'], [999.7717332683976, 999.6573130560869, 999.6573152989326, '-00000.00000001110100111110110', '-10011.00100001101111011010011', '16', '3'], [999.9826618919801, 999.7235561569597, 999.7235640185869, '-00000.00000001110100111110110', '-00000.00100001101111011010011', '16', '4'], [999.9999388295108, 999.8350372688398, 999.8350466064367, '-00000.00000001110110111110110', '-00000.00000000101111011010011', '16', '5'], [999.9999803453828, 999.9363340493707, 999.9363557599193, '-00000.00000000110110111110110', '-00000.00000000101111011010011', '16', '6'], [999.999982935502, 999.9325872113292, 999.9326066616354, '-00000.00000000110110111110110', '-00000.00000000100111011010011', '16', '7'], [999.999984929926, 999.923814074525, 999.9238376518089, '-00000.00000000110100110010111', '-00000.00000000100011011010011', '16', '8'], [999.9999937115317, 999.9559290175447, 999.9559423077286, '-00000.00000000010100110010110', '-00000.00000000100011011010011', '16', '9'], [999.9999940104417, 999.9410644515193, 999.9410856450547, '-00000.00000000010100100010110', '-00000.00000000100010011010011', '16', '10'], [999.9999983660737, 999.9509548221612, 999.9509698741723, '-00000.00000000010100110010110', '-00000.00000000000010011010011', '16', '11'], [999.9999998926386, 999.940841458074, 999.9408623980512, '-00000.00000000000100110010110', '-00000.00000000000010011010011', '16', '12'], [999.9999999095794, 999.9620550882756, 999.9620676734432, '-00000.00000000000100010010110', '-00000.00000000000010011010011', '16', '13'], [999.9999999822478, 999.9592284845864, 999.9592407494679, '-00000.00000000000000010010110', '-00000.00000000000010001010011', '16', '14'], [999.9999999990466, 999.9306088268429, 999.9306316947525, '-00000.00000000000000010010110', '-00000.00000000000000011010011', '16', '15'], [999.9999999995842, 999.937410499202, 999.937432789149, '-00000.00000000000000010010110', '-00000.00000000000000001010010', '16', '16'], [999.9999999998975, 999.9493514741315, 999.949365904275, '-00000.00000000000000000010110', '-00000.00000000000000001010010', '16', '17'], [999.9999999999885, 999.9545772508121, 999.9545913687256, '-00000.00000000000000000010110', '-00000.00000000000000000010010', '16', '18'], [999.9999999999931, 999.9301303519425, 999.9301542436253, '-00000.00000000000000000010110', '-00000.00000000000000000000010', '16', '19'], [999.9999999999953, 999.8966402950075, 999.8966751764613, '-00000.00000000000000000010010', '-00000.00000000000000000000010', '16', '20'], [999.9999999999999, 999.9179441855625, 999.9179664463157, '-00000.00000000000000000000010', '-00000.00000000000000000000010', '16', '21'], [1000.0, 999.9447466265395, 999.944760682585, '-00000.00000000000000000000000', '-00000.00000000000000000000010', '16', '22'], [1000.0, 999.9476733481893, 999.9476899586917, '-00000.00000000000000000000000', '-00000.00000000000000000000010', '16', '23'], [1000.0, 999.9734536890741, 999.97346145328, '-00000.00000000000000000000000', '-00000.00000000000000000000010', '16', '24'], [1000.0, 999.954113160814, 999.9541296172091, '-00000.00000000000000000000000', '-00000.00000000000000000000010', '16', '25'], [1000.0, 999.9347673361659, 999.9347873130755, '-00000.00000000000000000000000', '-00000.00000000000000000000010', '16', '26'], [1000.0, 999.9615353830966, 999.961548088978, '-00000.00000000000000000000000', '-00000.00000000000000000000010', '16', '27'], [1000.0, 999.9555836504057, 999.9555982054517, '-00000.00000000000000000000000', '-00000.00000000000000000000010', '16', '28'], [1000.0, 999.9786434400876, 999.9786482147855, '-00000.00000000000000000000000', '-00000.00000000000000000000010', '16', '29'], [1000.0, 999.9339557313054, 999.9339755893488, '-00000.00000000000000000000000', '-00000.00000000000000000000010', '16', '30'], [1000.0, 999.9316868386788, 999.9317086907297, '-00000.00000000000000000000000', '-00000.00000000000000000000010', '16', '31'], [1000.0, 999.9820397578561, 999.9820440799127, '-00000.00000000000000000000000', '-00000.00000000000000000000010', '16', '32'], [1000.0, 999.9446889865649, 999.9447077261449, '-00000.00000000000000000000000', '-00000.00000000000000000000010', '16', '33'], [1000.0, 999.9090711073527, 999.9090982600904, '-00000.00000000000000000000000', '-00000.00000000000000000000010', '16', '34'], [1000.0, 999.9467963153886, 999.9468134154004, '-00000.00000000000000000000000', '-00000.00000000000000000000010', '16', '35'], [1000.0, 999.948159679218, 999.9481772398927, '-00000.00000000000000000000000', '-00000.00000000000000000000010', '16', '36'], [1000.0, 999.9515212843405, 999.951535249246, '-00000.00000000000000000000000', '-00000.00000000000000000000010', '16', '37'], [1000.0, 999.925174631709, 999.9251986025586, '-00000.00000000000000000000000', '-00000.00000000000000000000010', '16', '38'], [1000.0, 999.9217084495997, 999.9217311063416, '-00000.00000000000000000000000', '-00000.00000000000000000000010', '16', '39'], [1000.0, 999.9464457984074, 999.946461415911, '-00000.00000000000000000000000', '-00000.00000000000000000000010', '16', '40'], [1000.0, 999.9542234988736, 999.9542358932879, '-00000.00000000000000000000000', '-00000.00000000000000000000010', '16', '41'], [1000.0, 999.9615070463602, 999.9615187767187, '-00000.00000000000000000000000', '-00000.00000000000000000000010', '16', '42'], [1000.0, 999.9035603628416, 999.9035943832167, '-00000.00000000000000000000000', '-00000.00000000000000000000010', '16', '43'], [1000.0, 999.9094568481231, 999.9094853141128, '-00000.00000000000000000000000', '-00000.00000000000000000000010', '16', '44'], [1000.0, 999.9448416080071, 999.9448548462692, '-00000.00000000000000000000000', '-00000.00000000000000000000010', '16', '45'], [1000.0, 999.983191474178, 999.9831940854692, '-00000.00000000000000000000000', '-00000.00000000000000000000010', '16', '46'], [1000.0, 999.9162946842426, 999.9163229962578, '-00000.00000000000000000000000', '-00000.00000000000000000000010', '16', '47'], [1000.0, 999.9436814192212, 999.9437001311151, '-00000.00000000000000000000000', '-00000.00000000000000000000010', '16', '48'], [1000.0, 999.9487210095471, 999.948736018271, '-00000.00000000000000000000000', '-00000.00000000000000000000010', '16', '49'], [1000.0, 999.9336650032201, 999.9336845949697, '-00000.00000000000000000000000', '-00000.00000000000000000000010', '16', '50'], [1000.0, 999.979987606296, 999.9799919742503, '-00000.00000000000000000000000', '-00000.00000000000000000000010', '16', '51'], [1000.0, 999.9569120485643, 999.9569257666282, '-00000.00000000000000000000000', '-00000.00000000000000000000010', '16', '52'], [1000.0, 999.94609670026, 999.9461146638786, '-00000.00000000000000000000000', '-00000.00000000000000000000010', '16', '53'], [1000.0, 999.9640882784943, 999.9640972291857, '-00000.00000000000000000000000', '-00000.00000000000000000000010', '16', '54'], [1000.0, 999.9473274781172, 999.9473444102381, '-00000.00000000000000000000000', '-00000.00000000000000000000010', '16', '55'], [1000.0, 999.9191352115877, 999.9191623800303, '-00000.00000000000000000000000', '-00000.00000000000000000000010', '16', '56'], [1000.0, 999.9413405440636, 999.9413585654272, '-00000.00000000000000000000000', '-00000.00000000000000000000010', '16', '57'], [1000.0, 999.8808205936147, 999.8808582687534, '-00000.00000000000000000000001', '-00000.00000000000000000000000', '16', '58'], [1000.0, 999.9267503954235, 999.9267739179452, '-00000.00000000000000000000001', '-00000.00000000000000000000001', '16', '59'], [1000.0, 999.93724331229, 999.9372628952536, '-00000.00000000000000000000001', '-00000.00000000000000000000001', '16', '60'], [1000.0, 999.950078166163, 999.9500928000238, '-00000.00000000000000000000001', '-00000.00000000000000000000001', '16', '61'], [1000.0, 999.954646712665, 999.9546599772948, '-00000.00000000000000000000001', '-00000.00000000000000000000001', '16', '62'], [1000.0, 999.9479570001716, 999.9479717829889, '-00000.00000000000000000000001', '-00000.00000000000000000000001', '16', '63'], [1000.0, 999.9087748955433, 999.9088019260124, '-00000.00000000000000000000001', '-00000.00000000000000000000001', '16', '64'], [1000.0, 999.9234528748228, 999.923477878191, '-00000.00000000000000000000001', '-00000.00000000000000000000001', '16', '65'], [1000.0, 999.960351195527, 999.960364579708, '-00000.00000000000000000000001', '-00000.00000000000000000000001', '16', '66'], [1000.0, 999.9708541229137, 999.9708635589508, '-00000.00000000000000000000001', '-00000.00000000000000000000001', '16', '67'], [1000.0, 999.945616290301, 999.9456327156322, '-00000.00000000000000000000001', '-00000.00000000000000000000001', '16', '68'], [1000.0, 999.9742872884076, 999.9742971694905, '-00000.00000000000000000000001', '-00000.00000000000000000000001', '16', '69'], [1000.0, 999.9295901469663, 999.9296137734195, '-00000.00000000000000000000001', '-00000.00000000000000000000001', '16', '70'], [1000.0, 999.9539388992064, 999.9539529931199, '-00000.00000000000000000000001', '-00000.00000000000000000000001', '16', '71'], [1000.0, 999.934559029019, 999.9345810102615, '-00000.00000000000000000000001', '-00000.00000000000000000000001', '16', '72'], [1000.0, 999.9587856801147, 999.9587992207248, '-00000.00000000000000000000001', '-00000.00000000000000000000001', '16', '73'], [1000.0, 999.9383831517899, 999.9384038144456, '-00000.00000000000000000000001', '-00000.00000000000000000000001', '16', '74'], [1000.0, 999.9074907987612, 999.907521096534, '-00000.00000000000000000000001', '-00000.00000000000000000000001', '16', '75'], [1000.0, 999.9585065839839, 999.9585216050302, '-00000.00000000000000000000001', '-00000.00000000000000000000001', '16', '76'], [1000.0, 999.9266757642663, 999.9266982608266, '-00000.00000000000000000000001', '-00000.00000000000000000000001', '16', '77'], [1000.0, 999.9315431262678, 999.9315653801326, '-00000.00000000000000000000001', '-00000.00000000000000000000001', '16', '78'], [1000.0, 999.9126139712447, 999.9126367567069, '-00000.00000000000000000000001', '-00000.00000000000000000000001', '16', '79'], [1000.0, 999.9172904475857, 999.917317918489, '-00000.00000000000000000000001', '-00000.00000000000000000000001', '16', '80'], [1000.0, 999.9527288100535, 999.9527438267446, '-00000.00000000000000000000001', '-00000.00000000000000000000001', '16', '81'], [1000.0, 999.9553894354622, 999.9554033684483, '-00000.00000000000000000000001', '-00000.00000000000000000000001', '16', '82'], [1000.0, 999.9221074730268, 999.9221339757186, '-00000.00000000000000000000001', '-00000.00000000000000000000001', '16', '83'], [1000.0, 999.9350133024693, 999.9350351016539, '-00000.00000000000000000000001', '-00000.00000000000000000000001', '16', '84'], [1000.0, 999.9527734261409, 999.9527879283233, '-00000.00000000000000000000001', '-00000.00000000000000000000001', '16', '85'], [1000.0, 999.9562794865819, 999.956294087213, '-00000.00000000000000000000001', '-00000.00000000000000000000001', '16', '86'], [1000.0, 999.9579883338338, 999.958001357463, '-00000.00000000000000000000001', '-00000.00000000000000000000001', '16', '87'], [1000.0, 999.9478912624602, 999.9479064881561, '-00000.00000000000000000000001', '-00000.00000000000000000000001', '16', '88'], [1000.0, 999.9715365731499, 999.9715445077115, '-00000.00000000000000000000001', '-00000.00000000000000000000001', '16', '89'], [1000.0, 999.9797036112427, 999.9797085716316, '-00000.00000000000000000000001', '-00000.00000000000000000000001', '16', '90'], [1000.0, 999.9354558897871, 999.9354789692718, '-00000.00000000000000000000001', '-00000.00000000000000000000001', '16', '91'], [1000.0, 999.9426704011145, 999.9426881997572, '-00000.00000000000000000000001', '-00000.00000000000000000000001', '16', '92'], [1000.0, 999.9661779355047, 999.9661884671551, '-00000.00000000000000000000001', '-00000.00000000000000000000001', '16', '93'], [1000.0, 999.952981649249, 999.9529976238435, '-00000.00000000000000000000001', '-00000.00000000000000000000001', '16', '94'], [1000.0, 999.9284619172125, 999.9284892214624, '-00000.00000000000000000000001', '-00000.00000000000000000000001', '16', '95'], [1000.0, 999.9360490357669, 999.9360704394244, '-00000.00000000000000000000001', '-00000.00000000000000000000001', '16', '96'], [1000.0, 999.9484997568537, 999.9485150274733, '-00000.00000000000000000000001', '-00000.00000000000000000000001', '16', '97'], [1000.0, 999.9332019880177, 999.9332262351949, '-00000.00000000000000000000001', '-00000.00000000000000000000001', '16', '98'], [1000.0, 999.9302617185058, 999.930283106426, '-00000.00000000000000000000001', '-00000.00000000000000000000001', '16', '99'], [1000.0, 999.9286495293869, 999.9286720979422, '-00000.00000000000000000000001', '-00000.00000000000000000000001', '16', '100']]], [[[999.9624894923674, 999.8339653411609, 999.8339705404619, '110.00111010111110110110000', '0.100110101000001110000100100', '17', '1'], [999.9627700652746, 999.9360691950828, 999.9360770595663, '110.00111110110110110110000', '0.100110101000001110000100100', '17', '2'], [999.9627721113428, 999.9300854973375, 999.9300949370177, '110.00111110111110110110000', '0.100110101000001110000100100', '17', '3'], [999.9627737940341, 999.9514545992566, 999.9514570201981, '110.00111111110110110110000', '0.100110101110010100000100100', '17', '4'], [999.9627756514326, 999.9355583272836, 999.9355665300133, '110.00111111100110110111000', '0.100110101110001110000100100', '17', '5'], [999.9627757994306, 999.9370561111008, 999.9370634279268, '110.00111111010111110111000', '0.100110101110001110000100100', '17', '6'], [999.9627758270512, 999.9454208388684, 999.9454253981856, '110.00111111100110010111000', '0.100110100110001110000100100', '17', '7'], [999.9627758983619, 999.9533751955813, 999.9533767976657, '110.00111111100110000111000', '0.100110100000001110000100110', '17', '8'], [999.9627759212271, 999.9406422657765, 999.9406488192008, '110.00111111100100010111000', '0.100110100000001110000100100', '17', '9'], [999.9627759247348, 999.9407449651486, 999.9407512964573, '110.00111111100011000111000', '0.100110100000001110000100110', '17', '10'], [999.9627759248918, 999.9364595803481, 999.9364668481279, '110.00111111100011000111100', '0.100110100000101110000100110', '17', '11'], [999.9627759248922, 999.947966342903, 999.947969853901, '110.00111111100011000111110', '0.100110100000101110000100110', '17', '12'], [999.9627759248923, 999.9573040491898, 999.9573052542378, '110.00111111100011000111110', '0.100110100000101110011100110', '17', '13'], [999.9627759248925, 999.9415614017593, 999.9415668832834, '110.00111111100011000111110', '0.100110100000101111010100110', '17', '14'], [999.9627759248925, 999.9472301734374, 999.9472344044251, '110.00111111100011000111111', '0.100110100000101111010100110', '17', '15'], [999.9627759248925, 999.9603907989981, 999.9603910195106, '110.00111111100011000111111', '0.100110100000101111110100110', '17', '16'], [999.9627759248925, 999.9510718535531, 999.9510743072145, '110.00111111100011000111111', '0.100110100000101111110110110', '17', '17'], [999.9627759248925, 999.9574068884871, 999.9574073446811, '110.00111111100011000111111', '0.100110100000101111111110110', '17', '18'], [999.9627759248925, 999.9627550016071, 999.9627550016153, '110.00111111100011000111111', '0.100110100000101111111111110', '17', '19'], [999.9627759248925, 999.9615001098734, 999.9615001411047, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '20'], [999.9627759248925, 999.9470745152964, 999.947080527879, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '21'], [999.9627759248925, 999.957398248193, 999.9573994453692, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '22'], [999.9627759248925, 999.9590987317401, 999.9590989708481, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '23'], [999.9627759248925, 999.9593633792651, 999.9593636254855, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '24'], [999.9627759248925, 999.9462205114748, 999.9462257253692, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '25'], [999.9627759248925, 999.9517894885922, 999.9517918731931, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '26'], [999.9627759248925, 999.9332061913176, 999.9332160266238, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '27'], [999.9627759248925, 999.9477855219109, 999.9477905564987, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '28'], [999.9627759248925, 999.9462129505337, 999.9462165422086, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '29'], [999.9627759248925, 999.9252299507722, 999.9252399111961, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '30'], [999.9627759248925, 999.9472168080663, 999.9472211980358, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '31'], [999.9627759248925, 999.9512237854309, 999.9512261793852, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '32'], [999.9627759248925, 999.94268243078, 999.9426879341021, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '33'], [999.9627759248925, 999.9558891668473, 999.9558904007135, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '34'], [999.9627759248925, 999.946214643808, 999.9462190480749, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '35'], [999.9627759248925, 999.9543264958909, 999.9543295438373, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '36'], [999.9627759248925, 999.9468457744068, 999.9468508143136, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '37'], [999.9627759248925, 999.9476399225337, 999.9476449495694, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '38'], [999.9627759248925, 999.9509886035491, 999.9509914779218, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '39'], [999.9627759248925, 999.9458500529795, 999.9458552752568, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '40'], [999.9627759248925, 999.954437260395, 999.9544393641811, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '41'], [999.9627759248925, 999.9592551723175, 999.9592554208351, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '42'], [999.9627759248925, 999.9509896899286, 999.9509921533928, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '43'], [999.9627759248925, 999.9485112103421, 999.9485146159236, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '44'], [999.9627759248925, 999.9449811880503, 999.9449873851778, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '45'], [999.9627759248925, 999.938859393431, 999.9388683160332, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '46'], [999.9627759248925, 999.9347918611774, 999.9347984704027, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '47'], [999.9627759248925, 999.9624192281658, 999.9624192302226, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '48'], [999.9627759248925, 999.938259968942, 999.9382656636797, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '49'], [999.9627759248925, 999.9483693179516, 999.9483743446206, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '50'], [999.9627759248925, 999.9342448136423, 999.9342531952352, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '51'], [999.9627759248925, 999.9627064072613, 999.9627064073338, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '52'], [999.9627759248925, 999.9375030443902, 999.9375096407309, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '53'], [999.9627759248925, 999.9523853195451, 999.9523876948224, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '54'], [999.9627759248925, 999.9241770680969, 999.9241880224408, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '55'], [999.9627759248925, 999.950730813187, 999.9507342477484, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '56'], [999.9627759248925, 999.948911382944, 999.9489154319414, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '57'], [999.9627759248925, 999.9316742468599, 999.9316850527041, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '58'], [999.9627759248925, 999.9406717475497, 999.9406797014625, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '59'], [999.9627759248925, 999.9441038848599, 999.9441084099253, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '60'], [999.9627759248925, 999.9493504724517, 999.9493546729122, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '61'], [999.9627759248925, 999.9459469303188, 999.9459519837704, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '62'], [999.9627759248925, 999.9454619326905, 999.9454671522811, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '63'], [999.9627759248925, 999.9271544551557, 999.9271665319272, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '64'], [999.9627759248925, 999.9539058246768, 999.9539079797478, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '65'], [999.9627759248925, 999.9434814986255, 999.9434866800707, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '66'], [999.9627759248925, 999.9496943479774, 999.949696926964, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '67'], [999.9627759248925, 999.9473690379621, 999.9473718046327, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '68'], [999.9627759248925, 999.9382174961614, 999.9382240025803, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '69'], [999.9627759248925, 999.9614184283794, 999.9614184599667, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '70'], [999.9627759248925, 999.9490727959986, 999.9490760186351, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '71'], [999.9627759248925, 999.9378274656721, 999.9378345569519, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '72'], [999.9627759248925, 999.9515374283816, 999.9515406858357, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '73'], [999.9627759248925, 999.9600672078798, 999.9600674395504, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '74'], [999.9627759248925, 999.9473815582787, 999.9473866013774, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '75'], [999.9627759248925, 999.9482242973932, 999.9482293255196, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '76'], [999.9627759248925, 999.9415203436715, 999.9415274766945, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '77'], [999.9627759248925, 999.9453193248538, 999.9453240687293, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '78'], [999.9627759248925, 999.941250570427, 999.9412567463786, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '79'], [999.9627759248925, 999.957686552099, 999.9576869978437, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '80'], [999.9627759248925, 999.9334365302905, 999.9334448544327, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '81'], [999.9627759248925, 999.9485676203847, 999.9485718293429, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '82'], [999.9627759248925, 999.9370979322291, 999.9371061530987, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '83'], [999.9627759248925, 999.9122821635507, 999.9122952964603, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '84'], [999.9627759248925, 999.9469846372995, 999.9469888406026, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '85'], [999.9627759248925, 999.9358770865047, 999.9358845049417, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '86'], [999.9627759248925, 999.9473474820162, 999.9473525164091, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '87'], [999.9627759248925, 999.9208886545182, 999.9209024301581, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '88'], [999.9627759248925, 999.9579875553208, 999.9579879888593, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '89'], [999.9627759248925, 999.9522268024505, 999.9522291770985, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '90'], [999.9627759248925, 999.9425150410971, 999.9425211836859, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '91'], [999.9627759248925, 999.9431879808135, 999.9431936086248, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '92'], [999.9627759248925, 999.9494486490559, 999.9494520620289, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '93'], [999.9627759248925, 999.9498733721309, 999.9498766705624, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '94'], [999.9627759248925, 999.9366050128581, 999.936613080611, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '95'], [999.9627759248925, 999.9503099107103, 999.9503133448958, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '96'], [999.9627759248925, 999.9452367483358, 999.9452419757946, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '97'], [999.9627759248925, 999.9627263715074, 999.9627263715748, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '98'], [999.9627759248925, 999.9484328207619, 999.948437028815, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '99'], [999.9627759248925, 999.9484075211135, 999.9484109244529, '110.00111111100011000111111', '0.100110100000101111111111111', '17', '100']]], [[[999.9121295287861, 999.7327317810795, 999.7327490128158, '-1001.101010010111110000110', '100.100110100000111001000', '18', '1'], [999.9133736644557, 999.8500031481016, 999.8500122309059, '-1001.101011010111110000110', '100.100111010111111001000', '18', '2'], [999.9199691017991, 999.8907910249055, 999.890797138159, '-1001.101110110111110000110', '100.100110100111111001000', '18', '3'], [999.9215811675567, 999.8787776871229, 999.8787901854802, '-1001.101110110111110000110', '100.100010100111111001000', '18', '4'], [999.9218041880314, 999.9057062904834, 999.905709950787, '-1001.101111110111110000110', '100.100010100111111001000', '18', '5'], [999.9218100361635, 999.9021231676695, 999.9021277468963, '-1001.101111110111110000110', '100.100010000111111001000', '18', '6'], [999.9218108083419, 999.8822135837156, 999.8822251665664, '-1001.101111110011110000110', '100.100010000111111001000', '18', '7'], [999.921810817856, 999.9041057943634, 999.904111054728, '-1001.101111110011010000110', '100.100010000111111001000', '18', '8'], [999.921810817856, 999.8480312937818, 999.848057041055, '-1001.101111110011010000110', '100.100010000111111001000', '18', '9'], [999.9218108178566, 999.8861706397437, 999.8861827002505, '-1001.101111110011010000100', '100.100010000111111000000', '18', '10'], [999.9218108178566, 999.8715263522753, 999.8715417834036, '-1001.101111110011010000100', '100.100010000111111000000', '18', '11'], [999.9218108178566, 999.896705921525, 999.8967128445495, '-1001.101111110011010000100', '100.100010000111111000001', '18', '12'], [999.9218108178566, 999.8942940255708, 999.8942999895056, '-1001.101111110011010000100', '100.100010000111111000001', '18', '13'], [999.9218108178566, 999.8831765821326, 999.8831881234071, '-1001.101111110011010000100', '100.100010000111111000001', '18', '14'], [999.9218108178566, 999.8821378320978, 999.8821505304352, '-1001.101111110011010000100', '100.100010000111111000001', '18', '15'], [999.9218108178566, 999.8797357312928, 999.8797466000431, '-1001.101111110011010000100', '100.100010000111111000001', '18', '16'], [999.9218108178566, 999.8982650873494, 999.8982725489067, '-1001.101111110011010000100', '100.100010000111111000001', '18', '17'], [999.9218108178566, 999.8659393397631, 999.8659557235616, '-1001.101111110011010000100', '100.100010000111111000001', '18', '18'], [999.9218108178566, 999.8832549836574, 999.8832651096606, '-1001.101111110011010000100', '100.100010000111111000001', '18', '19'], [999.9218108178566, 999.8767090501043, 999.8767221638899, '-1001.101111110011010000100', '100.100010000111111000001', '18', '20'], [999.9218108178566, 999.8842467995763, 999.8842579804958, '-1001.101111110011010000100', '100.100010000111111000001', '18', '21'], [999.9218108178566, 999.8879913090078, 999.8880022598047, '-1001.101111110011010000100', '100.100010000111111000001', '18', '22'], [999.9218108178566, 999.8852679081918, 999.8852790278698, '-1001.101111110011010000100', '100.100010000111111000001', '18', '23'], [999.9218108178566, 999.8855917224216, 999.8856038904383, '-1001.101111110011010000100', '100.100010000111111000001', '18', '24'], [999.9218108178566, 999.8890588391677, 999.8890688149284, '-1001.101111110011010000100', '100.100010000111111000001', '18', '25'], [999.9218108178566, 999.8973797826785, 999.8973863191927, '-1001.101111110011010000100', '100.100010000111111000001', '18', '26'], [999.9218108178566, 999.9106384442588, 999.9106416942511, '-1001.101111110011010000100', '100.100010000111111000001', '18', '27'], [999.9218108178566, 999.8817891211199, 999.8818006452115, '-1001.101111110011010000100', '100.100010000111111000001', '18', '28'], [999.9218108178566, 999.8945312672197, 999.8945402152475, '-1001.101111110011010000100', '100.100010000111111000001', '18', '29'], [999.9218108178566, 999.891424530623, 999.8914322903171, '-1001.101111110011010000101', '100.100010000111111000011', '18', '30'], [999.9218108178566, 999.8932220152492, 999.8932307561045, '-1001.101111110011010000101', '100.100010000111111000011', '18', '31'], [999.9218108178566, 999.8906210080345, 999.8906298188721, '-1001.101111110011010000101', '100.100010000111111000011', '18', '32'], [999.9218108178566, 999.8884031147105, 999.8884139455057, '-1001.101111110011010000101', '100.100010000111111000011', '18', '33'], [999.9218108178566, 999.8561057516301, 999.8561273733455, '-1001.101111110011010000101', '100.100010000111111000011', '18', '34'], [999.9218108178566, 999.880915902742, 999.8809257497542, '-1001.101111110011010000101', '100.100010000111111000011', '18', '35'], [999.9218108178566, 999.863573779039, 999.863591247612, '-1001.101111110011010000101', '100.100010000111111000011', '18', '36'], [999.9218108178566, 999.8874918763805, 999.8875014584195, '-1001.101111110011010000101', '100.100010000111111000011', '18', '37'], [999.9218108178566, 999.9011163754101, 999.901121900726, '-1001.101111110011010000101', '100.100010000111111000011', '18', '38'], [999.9218108178566, 999.8813036176342, 999.8813155169404, '-1001.101111110011010000101', '100.100010000111111000011', '18', '39'], [999.9218108178566, 999.8868289344309, 999.8868390657952, '-1001.101111110011010000101', '100.100010000111111000011', '18', '40'], [999.9218108178566, 999.8923344298735, 999.8923435462757, '-1001.101111110011010000101', '100.100010000111111000011', '18', '41'], [999.9218108178566, 999.8822413489931, 999.8822515144144, '-1001.101111110011010000101', '100.100010000111111000011', '18', '42'], [999.9218108178566, 999.8850472992522, 999.8850599671147, '-1001.101111110011010000101', '100.100010000111111000011', '18', '43'], [999.9218108178566, 999.8894595179283, 999.8894684438274, '-1001.101111110011010000101', '100.100010000111111000011', '18', '44'], [999.9218108178566, 999.906019251185, 999.9060220303827, '-1001.101111110011010000101', '100.100010000111111000011', '18', '45'], [999.9218108178566, 999.9077769113799, 999.9077803649578, '-1001.101111110011010000101', '100.100010000111111000011', '18', '46'], [999.9218108178566, 999.8983486493195, 999.8983536710598, '-1001.101111110011010000101', '100.100010000111111000011', '18', '47'], [999.9218108178566, 999.8692196723985, 999.8692337788696, '-1001.101111110011010000101', '100.100010000111111000011', '18', '48'], [999.9218108178566, 999.9018374479841, 999.9018428849996, '-1001.101111110011010000101', '100.100010000111111000011', '18', '49'], [999.9218108178566, 999.8911685669217, 999.8911773307296, '-1001.101111110011010000101', '100.100010000111111000011', '18', '50'], [999.9218108178566, 999.9073426969903, 999.9073455312316, '-1001.101111110011010000101', '100.100010000111111000011', '18', '51'], [999.9218108178566, 999.9074852485269, 999.9074902442263, '-1001.101111110011010000101', '100.100010000111111000011', '18', '52'], [999.9218108178566, 999.8867821769676, 999.8867931538019, '-1001.101111110011010000101', '100.100010000111111000011', '18', '53'], [999.9218108178566, 999.9023538168118, 999.9023581503204, '-1001.101111110011010000101', '100.100010000111111000011', '18', '54'], [999.9218108178566, 999.8677553380198, 999.8677717499193, '-1001.101111110011010000101', '100.100010000111111000011', '18', '55'], [999.9218108178566, 999.8734479918955, 999.8734632892829, '-1001.101111110011010000101', '100.100010000111111000011', '18', '56'], [999.9218108178566, 999.8840553073102, 999.884065712237, '-1001.101111110011010000101', '100.100010000111111000011', '18', '57'], [999.9218108178566, 999.8946071763792, 999.8946153542796, '-1001.101111110011010000101', '100.100010000111111000011', '18', '58'], [999.9218108178566, 999.8713442574357, 999.8713606558076, '-1001.101111110011010000101', '100.100010000111111000011', '18', '59'], [999.9218108178566, 999.8898450169565, 999.8898538968971, '-1001.101111110011010000101', '100.100010000111111000011', '18', '60'], [999.9218108178566, 999.9014052098445, 999.9014110620399, '-1001.101111110011010000101', '100.100010000111111000011', '18', '61'], [999.9218108178566, 999.8645107794384, 999.8645300491361, '-1001.101111110011010000101', '100.100010000111111000011', '18', '62'], [999.9218108178566, 999.8953623404152, 999.8953677206591, '-1001.101111110011010000101', '100.100010000111111000011', '18', '63'], [999.9218108178566, 999.9075253183696, 999.9075296057047, '-1001.101111110011010000101', '100.100010000111111000011', '18', '64'], [999.9218108178566, 999.8973153502922, 999.8973219904228, '-1001.101111110011010000101', '100.100010000111111000011', '18', '65'], [999.9218108178566, 999.867541062263, 999.8675585735552, '-1001.101111110011010000101', '100.100010000111111000011', '18', '66'], [999.9218108178566, 999.869837919336, 999.8698550583117, '-1001.101111110011010000101', '100.100010000111111000011', '18', '67'], [999.9218108178566, 999.8669716268405, 999.8669875228766, '-1001.101111110011010000101', '100.100010000111111000011', '18', '68'], [999.9218108178566, 999.8917056917403, 999.8917156252932, '-1001.101111110011010000101', '100.100010000111111000011', '18', '69'], [999.9218108178566, 999.8754874259516, 999.8755030401454, '-1001.101111110011010000101', '100.100010000111111000011', '18', '70'], [999.9218108178566, 999.9161370299694, 999.916137494114, '-1001.101111110011010000101', '100.100010000111111000011', '18', '71'], [999.9218108178566, 999.8972377205195, 999.8972457748904, '-1001.101111110011010000101', '100.100010000111111000011', '18', '72'], [999.9218108178566, 999.9061411294689, 999.9061454098446, '-1001.101111110011010000101', '100.100010000111111000011', '18', '73'], [999.9218108178566, 999.8882452315262, 999.8882544527311, '-1001.101111110011010000101', '100.100010000111111000011', '18', '74'], [999.9218108178566, 999.8787398596396, 999.8787547366911, '-1001.101111110011010000101', '100.100010000111111000011', '18', '75'], [999.9218108178566, 999.8869165495602, 999.8869249277448, '-1001.101111110011010000101', '100.100010000111111000011', '18', '76'], [999.9218108178566, 999.872896551564, 999.8729116265077, '-1001.101111110011010000101', '100.100010000111111000011', '18', '77'], [999.9218108178566, 999.8710574364, 999.8710730161964, '-1001.101111110011010000101', '100.100010000111111000011', '18', '78'], [999.9218108178566, 999.8827569244244, 999.882768204798, '-1001.101111110011010000101', '100.100010000111111000011', '18', '79'], [999.9218108178566, 999.8780103614938, 999.878023645284, '-1001.101111110011010000101', '100.100010000111111000011', '18', '80'], [999.9218108178566, 999.8596055359609, 999.8596237274753, '-1001.101111110011010000101', '100.100010000111111000011', '18', '81'], [999.9218108178566, 999.8986275226605, 999.8986342105973, '-1001.101111110011010000101', '100.100010000111111000011', '18', '82'], [999.9218108178566, 999.8869998125899, 999.8870098207699, '-1001.101111110011010000101', '100.100010000111111000011', '18', '83'], [999.9218108178566, 999.8899747209985, 999.8899847373509, '-1001.101111110011010000101', '100.100010000111111000011', '18', '84'], [999.9218108178566, 999.8535961027385, 999.8536179944869, '-1001.101111110011010000101', '100.100010000111111000011', '18', '85'], [999.9218108178566, 999.8815166591786, 999.8815293305836, '-1001.101111110011010000101', '100.100010000111111000011', '18', '86'], [999.9218108178566, 999.8979703985526, 999.8979776137071, '-1001.101111110011010000101', '100.100010000111111000011', '18', '87'], [999.9218108178566, 999.8926494563219, 999.8926593312107, '-1001.101111110011010000101', '100.100010000111111000011', '18', '88'], [999.9218108178566, 999.8976283093074, 999.8976359511147, '-1001.101111110011010000101', '100.100010000111111000011', '18', '89'], [999.9218108178566, 999.8885142317638, 999.8885233067261, '-1001.101111110011010000101', '100.100010000111111000011', '18', '90'], [999.9218108178566, 999.8959055455592, 999.8959126000756, '-1001.101111110011010000101', '100.100010000111111000011', '18', '91'], [999.9218108178566, 999.8930583736042, 999.8930682803234, '-1001.101111110011010000101', '100.100010000111111000011', '18', '92'], [999.9218108178566, 999.9053362949112, 999.9053391413562, '-1001.101111110011010000101', '100.100010000111111000011', '18', '93'], [999.9218108178566, 999.9080036059239, 999.9080071407013, '-1001.101111110011010000101', '100.100010000111111000011', '18', '94'], [999.9218108178566, 999.8745858558369, 999.8745996208371, '-1001.101111110011010000101', '100.100010000111111000011', '18', '95'], [999.9218108178566, 999.9015057174885, 999.9015135758171, '-1001.101111110011010000101', '100.100010000111111000011', '18', '96'], [999.9218108178566, 999.9038723006378, 999.9038753860035, '-1001.101111110011010000101', '100.100010000111111000011', '18', '97'], [999.9218108178566, 999.8928181652691, 999.892825914616, '-1001.101111110011010000101', '100.100010000111111000011', '18', '98'], [999.9218108178566, 999.897921774113, 999.8979305480532, '-1001.101111110011010000101', '100.100010000111111000011', '18', '99'], [999.9218108178566, 999.9096797795914, 999.9096815915553, '-1001.101111110011010000101', '100.100010000111111000011', '18', '100']]], [[[999.9179090394525, 999.7147359611605, 999.7147427353979, '-111.01101010100101001001101', '-111.00101100010101011000011', '19', '1'], [999.9214070696923, 999.8030790536736, 999.8030909567055, '-111.0100101010111110001101111', '-111.011011000101010110011101', '19', '2'], [999.9218108162979, 999.8773258514593, 999.877334558017, '-111.0100101010111110001101111', '-111.011001000101010110011101', '19', '3'], [999.9218108166674, 999.8729451660012, 999.8729547656695, '-111.0100101010111110101101111', '-111.011001000101010110011101', '19', '4'], [999.9218108175572, 999.8696563420493, 999.869670466761, '-111.0100101010111110011101111', '-111.011001000101011110011101', '19', '5'], [999.9218108178031, 999.8671486638926, 999.8671620553719, '-111.0100101010111111011101111', '-111.011001000101011110011101', '19', '6'], [999.9218108178512, 999.9012642804392, 999.901269793492, '-111.0100101010111111111101111', '-111.011001000101011110011101', '19', '7'], [999.9218108178566, 999.8915650196562, 999.89157352057, '-111.0100101010111111111101111', '-111.011001000101011111011101', '19', '8'], [999.9218108178566, 999.8553986979331, 999.8554176331421, '-111.0100101010111111111101111', '-111.011001000101011111011111', '19', '9'], [999.9218108178566, 999.9139115145044, 999.9139130247103, '-111.0100101010111111111101111', '-111.011001000101011111011111', '19', '10'], [999.9218108178566, 999.8887338150397, 999.888744672663, '-111.0100101010111111111101111', '-111.011001000101011111011111', '19', '11'], [999.9218108178566, 999.9031322038193, 999.9031371358143, '-111.0100101010111111111101111', '-111.011001000101011111011111', '19', '12'], [999.9218108178566, 999.9146396891801, 999.9146409519743, '-111.0100101010111111111101111', '-111.011001000101011111011111', '19', '13'], [999.9218108178566, 999.9122131262226, 999.9122148725507, '-111.0100101010111111111101111', '-111.011001000101011111011111', '19', '14'], [999.9218108178566, 999.865676915101, 999.8656935842301, '-111.0100101010111111111101111', '-111.011001000101011111011111', '19', '15'], [999.9218108178566, 999.9072694222119, 999.9072723487907, '-111.0100101010111111111101111', '-111.011001000101011111011111', '19', '16'], [999.9218108178566, 999.9085288010011, 999.9085310945725, '-111.0100101010111111111101111', '-111.011001000101011111011111', '19', '17'], [999.9218108178566, 999.8953596796221, 999.895367499651, '-111.0100101010111111111101111', '-111.011001000101011111011111', '19', '18'], [999.9218108178566, 999.8848927177266, 999.88490461852, '-111.0100101010111111111101111', '-111.011001000101011111011111', '19', '19'], [999.9218108178566, 999.9091025170137, 999.9091043025306, '-111.0100101010111111111101111', '-111.011001000101011111011111', '19', '20'], [999.9218108178566, 999.8994752904825, 999.8994827464333, '-111.0100101010111111111101111', '-111.011001000101011111011111', '19', '21'], [999.9218108178566, 999.9092825917512, 999.9092843118472, '-111.0100101010111111111101111', '-111.011001000101011111011111', '19', '22'], [999.9218108178566, 999.8889779435234, 999.8889875597846, '-111.0100101010111111111101111', '-111.011001000101011111011111', '19', '23'], [999.9218108178566, 999.8996079652967, 999.8996153334774, '-111.0100101010111111111101111', '-111.011001000101011111011111', '19', '24'], [999.9218108178566, 999.8901388640727, 999.8901491701282, '-111.0100101010111111111101111', '-111.011001000101011111011111', '19', '25'], [999.9218108178566, 999.8891162489796, 999.8891264919476, '-111.0100101010111111111101111', '-111.011001000101011111011111', '19', '26'], [999.9218108178566, 999.893856821615, 999.8938667157732, '-111.0100101010111111111101111', '-111.011001000101011111011111', '19', '27'], [999.9218108178566, 999.870981270265, 999.8709968535132, '-111.0100101010111111111101111', '-111.011001000101011111011111', '19', '28'], [999.9218108178566, 999.8791388426166, 999.8791514859756, '-111.0100101010111111111101111', '-111.011001000101011111011111', '19', '29'], [999.9218108178566, 999.9006643826691, 999.9006699882905, '-111.0100101010111111111101111', '-111.011001000101011111011111', '19', '30'], [999.9218108178566, 999.8953285078672, 999.8953362001386, '-111.0100101010111111111101111', '-111.011001000101011111011111', '19', '31'], [999.9218108178566, 999.9001215851167, 999.9001269760282, '-111.0100101010111111111101111', '-111.011001000101011111011111', '19', '32'], [999.9218108178566, 999.8885048824409, 999.8885152990013, '-111.0100101010111111111101111', '-111.011001000101011111011111', '19', '33'], [999.9218108178566, 999.8902674413263, 999.8902768197249, '-111.0100101010111111111101111', '-111.011001000101011111011111', '19', '34'], [999.9218108178566, 999.8943990815245, 999.8944084597194, '-111.0100101010111111111101111', '-111.011001000101011111011111', '19', '35'], [999.9218108178566, 999.8888295972521, 999.8888386420676, '-111.0100101010111111111101111', '-111.011001000101011111011111', '19', '36'], [999.9218108178566, 999.908564756466, 999.9085684499121, '-111.0100101010111111111101111', '-111.011001000101011111011111', '19', '37'], [999.9218108178566, 999.8925493609786, 999.8925572099246, '-111.0100101010111111111101111', '-111.011001000101011111011111', '19', '38'], [999.9218108178566, 999.8929286658779, 999.8929369985638, '-111.0100101010111111111101111', '-111.011001000101011111011111', '19', '39'], [999.9218108178566, 999.9217989741406, 999.9217989741439, '-111.0100101010111111111101111', '-111.011001000101011111011111', '19', '40'], [999.9218108178566, 999.8951986736522, 999.8952065358135, '-111.0100101010111111111101111', '-111.011001000101011111011111', '19', '41'], [999.9218108178566, 999.9122795020922, 999.912281281181, '-111.0100101010111111111101111', '-111.011001000101011111011111', '19', '42'], [999.9218108178566, 999.8888574659194, 999.8888682759281, '-111.0100101010111111111101111', '-111.011001000101011111011111', '19', '43'], [999.9218108178566, 999.8909640490133, 999.8909730989033, '-111.0100101010111111111101111', '-111.011001000101011111011111', '19', '44'], [999.9218108178566, 999.8805828265214, 999.8805945321999, '-111.0100101010111111111101111', '-111.011001000101011111011111', '19', '45'], [999.9218108178566, 999.898102793197, 999.8981100381139, '-111.0100101010111111111101111', '-111.011001000101011111011111', '19', '46'], [999.9218108178566, 999.90559740788, 999.9056003090217, '-111.0100101010111111111101111', '-111.011001000101011111011111', '19', '47'], [999.9218108178566, 999.8945080532739, 999.8945151360415, '-111.0100101010111111111101111', '-111.011001000101011111011111', '19', '48'], [999.9218108178566, 999.9089255844513, 999.9089293226361, '-111.0100101010111111111101111', '-111.011001000101011111011111', '19', '49'], [999.9218108178566, 999.8819478452986, 999.8819605454905, '-111.0100101010111111111101111', '-111.011001000101011111011111', '19', '50'], [999.9218108178566, 999.8855011644212, 999.8855111405642, '-111.0100101010111111111101111', '-111.011001000101011111011111', '19', '51'], [999.9218108178566, 999.9063612121386, 999.9063643353895, '-111.0100101010111111111101111', '-111.011001000101011111011111', '19', '52'], [999.9218108178566, 999.8763375652363, 999.8763519006234, '-111.0100101010111111111101111', '-111.011001000101011111011111', '19', '53'], [999.9218108178566, 999.9072853257996, 999.9072896976702, '-111.0100101010111111111101111', '-111.011001000101011111011111', '19', '54'], [999.9218108178566, 999.906191694797, 999.9061948520575, '-111.0100101010111111111101111', '-111.011001000101011111011111', '19', '55'], [999.9218108178566, 999.877793576991, 999.8778076846514, '-111.0100101010111111111101111', '-111.011001000101011111011111', '19', '56'], [999.9218108178566, 999.8916791520315, 999.8916882018578, '-111.0100101010111111111101111', '-111.011001000101011111011111', '19', '57'], [999.9218108178566, 999.8969009564681, 999.8969068146164, '-111.0100101010111111111101111', '-111.011001000101011111011111', '19', '58'], [999.9218108178566, 999.8630828906303, 999.8630999618026, '-111.0100101010111111111101111', '-111.011001000101011111011111', '19', '59'], [999.9218108178566, 999.8942248118091, 999.894230271006, '-111.0100101010111111111101111', '-111.011001000101011111011111', '19', '60'], [999.9218108178566, 999.8913771006032, 999.8913847255437, '-111.0100101010111111111101111', '-111.011001000101011111011111', '19', '61'], [999.9218108178566, 999.8879510151451, 999.8879601393201, '-111.0100101010111111111101111', '-111.011001000101011111011111', '19', '62'], [999.9218108178566, 999.9027378729592, 999.9027421012557, '-111.0100101010111111111101111', '-111.011001000101011111011111', '19', '63'], [999.9218108178566, 999.8879405324043, 999.8879493223291, '-111.0100101010111111111101111', '-111.011001000101011111011111', '19', '64'], [999.9218108178566, 999.8904109211592, 999.8904211462194, '-111.0100101010111111111101111', '-111.011001000101011111011111', '19', '65'], [999.9218108178566, 999.897393238065, 999.8973992912431, '-111.0100101010111111111101111', '-111.011001000101011111011111', '19', '66'], [999.9218108178566, 999.8819520739713, 999.8819627125595, '-111.0100101010111111111101111', '-111.011001000101011111011111', '19', '67'], [999.9218108178566, 999.8977239466374, 999.8977301089534, '-111.0100101010111111111101111', '-111.011001000101011111011111', '19', '68'], [999.9218108178566, 999.9048066464094, 999.9048098697796, '-111.0100101010111111111101111', '-111.011001000101011111011111', '19', '69'], [999.9218108178566, 999.9031195399557, 999.903124601449, '-111.0100101010111111111101111', '-111.011001000101011111011111', '19', '70'], [999.9218108178566, 999.8895153924346, 999.8895237410479, '-111.0100101010111111111101111', '-111.011001000101011111011111', '19', '71'], [999.9218108178566, 999.8977689517529, 999.8977757889328, '-111.0100101010111111111111111', '-111.011001000101011111010111', '19', '72'], [999.9218108178566, 999.8861835440761, 999.8861929117164, '-111.0100101010111111111111111', '-111.011001000101011111010111', '19', '73'], [999.9218108178566, 999.9000479380828, 999.9000546410534, '-111.0100101010111111111111111', '-111.011001000101011111010111', '19', '74'], [999.9218108178566, 999.9087537154619, 999.9087560441425, '-111.0100101010111111111111111', '-111.011001000101011111010111', '19', '75'], [999.9218108178566, 999.887958805413, 999.8879675526011, '-111.0100101010111111111111111', '-111.011001000101011111010111', '19', '76'], [999.9218108178566, 999.9125085659917, 999.9125103332397, '-111.0100101010111111111111111', '-111.011001000101011111010111', '19', '77'], [999.9218108178566, 999.893928894155, 999.8939364708307, '-111.0100101010111111111111111', '-111.011001000101011111010111', '19', '78'], [999.9218108178566, 999.8823480820929, 999.8823597861409, '-111.0100101010111111111111111', '-111.011001000101011111010111', '19', '79'], [999.9218108178566, 999.8534452031912, 999.8534647699056, '-111.0100101010111111111111111', '-111.011001000101011111010111', '19', '80'], [999.9218108178566, 999.8950083270637, 999.8950145097398, '-111.0100101010111111111111111', '-111.011001000101011111010111', '19', '81'], [999.9218108178566, 999.8936054079032, 999.8936141339724, '-111.0100101010111111111111111', '-111.011001000101011111010111', '19', '82'], [999.9218108178566, 999.8941576701603, 999.8941643947837, '-111.0100101010111111111111111', '-111.011001000101011111010111', '19', '83'], [999.9218108178566, 999.9049157109635, 999.9049199802556, '-111.0100101010111111111111111', '-111.011001000101011111010111', '19', '84'], [999.9218108178566, 999.8849268342119, 999.8849368233472, '-111.0100101010111111111111111', '-111.011001000101011111010111', '19', '85'], [999.9218108178566, 999.8874926378256, 999.8874991833421, '-111.0100101010111111111111111', '-111.011001000101011111010111', '19', '86'], [999.9218108178566, 999.8905043718404, 999.8905117886501, '-111.0100101010111111111111111', '-111.011001000101011111010111', '19', '87'], [999.9218108178566, 999.8684274145048, 999.86844298749, '-111.0100101010111111111111111', '-111.011001000101011111010111', '19', '88'], [999.9218108178566, 999.8984938303307, 999.8985000269496, '-111.0100101010111111111111111', '-111.011001000101011111010111', '19', '89'], [999.9218108178566, 999.8623947083966, 999.8624134520537, '-111.0100101010111111111111111', '-111.011001000101011111010111', '19', '90'], [999.9218108178566, 999.8757408958633, 999.8757553320858, '-111.0100101010111111111111111', '-111.011001000101011111010111', '19', '91'], [999.9218108178566, 999.9075303032481, 999.9075328135541, '-111.0100101010111111111111111', '-111.011001000101011111010111', '19', '92'], [999.9218108178566, 999.8867154150093, 999.8867252358135, '-111.0100101010111111111111111', '-111.011001000101011111010111', '19', '93'], [999.9218108178566, 999.8868760334329, 999.8868837314393, '-111.0100101010111111111111111', '-111.011001000101011111010111', '19', '94'], [999.9605041740713, 999.9049796783215, 999.9049828804204, '-011.0100101010111111111111111', '-110.011001000101011111010111', '19', '95'], [999.9901659283023, 999.8673084820161, 999.8673218603134, '-011.0100101010111111111111111', '-010.011001000101011111010111', '19', '96'], [999.9902738243471, 999.9576675727529, 999.9576734514343, '-011.0100101010101111111111111', '-010.011010000101011111010111', '19', '97'], [999.990284072853, 999.9852333971082, 999.98523369431, '-011.0100101110101111111111111', '-010.011010000101011111010111', '19', '98'], [999.9902840766497, 999.9842746174647, 999.9842752468413, '-011.0100101110101111111111111', '-010.011010000101010111010111', '19', '99'], [999.990284090078, 999.98300302348, 999.9830035376814, '-011.0100101110101111111111111', '-010.011010000100010111010111', '19', '100']]], [[[999.8020150533127, 999.5775985971844, 999.577612150944, '-1.001110111100010010110010000', '-11.01101100111110111111110', '20', '1'], [999.9066865817658, 999.7690617733633, 999.7690656880138, '-1.000110111100011011001010000', '-11.01001100111110111111110', '20', '2'], [999.9888135890664, 999.8876043363795, 999.8876099602105, '-1.000110111100011011001010000', '-11.00000111111110111111110', '20', '3'], [999.9897308472227, 999.9696396904558, 999.9696445397491, '-1.000110111100011011000010000', '-11.00000011111110111111110', '20', '4'], [999.9902567241547, 999.9760997544422, 999.9761042894248, '-1.000010111100011011001010000', '-11.00000011111110111111110', '20', '5'], [999.9902817329809, 999.9791419720923, 999.979145610286, '-1.000010111100010011000010000', '-11.00000010111110111111110', '20', '6'], [999.9902840007956, 999.9779508888984, 999.9779555545251, '-1.000010111100011011000110000', '-11.00000010011110111111110', '20', '7'], [999.9902840393315, 999.9901324351695, 999.9901324359732, '-1.000010111101011011000110000', '-11.00000010011110111111110', '20', '8'], [999.9902840509662, 999.9793596488333, 999.979364128732, '-1.000010111101110011000010000', '-11.00000010011110111111110', '20', '9'], [999.9902840875288, 999.9707915790361, 999.9708004290125, '-1.000010111111110011000010000', '-11.00000010011110111111110', '20', '10'], [999.9902840901129, 999.9637106054614, 999.9637213325824, '-1.000010111111110011000010000', '-11.00000010011111111011110', '20', '11'], [999.9902840901224, 999.9735325059534, 999.9735389233562, '-1.000010111111110001000010000', '-11.00000010011111111011010', '20', '12'], [999.9902840901225, 999.9656462043193, 999.9656553433771, '-1.000010111111110001000000000', '-11.00000010011111111011000', '20', '13'], [999.9902840901225, 999.9799266289609, 999.9799274996387, '-1.000010111111110001001000000', '-11.00000010011111111011000', '20', '14'], [999.9902840901225, 999.9760942401034, 999.9760982186326, '-1.000010111111110001001000010', '-11.00000010011111111011000', '20', '15'], [999.9902840901225, 999.9675528208946, 999.9675605491166, '-1.000010111111110001001000110', '-11.00000010011111111011000', '20', '16'], [999.9902840901225, 999.984841030022, 999.9848414511591, '-1.000010111111110001001000110', '-11.00000010011111111011000', '20', '17'], [999.9902840901225, 999.9700770962103, 999.9700859462301, '-1.000010111111110001001000110', '-11.00000010011111111011000', '20', '18'], [999.9902840901225, 999.980073052055, 999.9800775328432, '-1.000010111111110001001000110', '-11.00000010011111111011000', '20', '19'], [999.9902840901225, 999.9715278982358, 999.971534829838, '-1.000010111111110001001000110', '-11.00000010011111111011000', '20', '20'], [999.9902840901225, 999.981750586618, 999.9817527812535, '-1.000010111111110001001000110', '-11.00000010011111111011000', '20', '21'], [999.9902840901225, 999.981453502175, 999.9814556977826, '-1.000010111111110001001000110', '-11.00000010011111111011000', '20', '22'], [999.9902840901225, 999.9875831097453, 999.9875833185905, '-1.000010111111110001001000110', '-11.00000010011111111011000', '20', '23'], [999.9902840901225, 999.9879258189832, 999.9879260253371, '-1.000010111111110001001000110', '-11.00000010011111111011000', '20', '24'], [999.9902840901225, 999.9878461382522, 999.9878463453462, '-1.000010111111110001001000110', '-11.00000010011111111011000', '20', '25'], [999.9902840901225, 999.979007382558, 999.9790118705491, '-1.000010111111110001001000110', '-11.00000010011111111011000', '20', '26'], [999.9902840901225, 999.9812487751396, 999.9812509799077, '-1.000010111111110001001000110', '-11.00000010011111111011000', '20', '27'], [999.9902840901225, 999.9691142113063, 999.9691202645968, '-1.000010111111110001001000110', '-11.00000010011111111011000', '20', '28'], [999.9902840901225, 999.9891743024673, 999.9891743195883, '-1.000010111111110001001000110', '-11.00000010011111111011000', '20', '29'], [999.9902840901225, 999.9796272204812, 999.9796317006019, '-1.000010111111110001001000110', '-11.00000010011111111011000', '20', '30'], [999.9902840901225, 999.9833434503727, 999.9833440563433, '-1.000010111111110001001000110', '-11.00000010011111111011000', '20', '31'], [999.9902840901225, 999.9739427639307, 999.9739491742923, '-1.000010111111110001001000110', '-11.00000010011111111011000', '20', '32'], [999.9902840901225, 999.9896000033457, 999.9896000067303, '-1.000010111111110001001000110', '-11.00000010011111111011000', '20', '33'], [999.9902840901225, 999.9800732066241, 999.98007540853, '-1.000010111111110001001000110', '-11.00000010011111111011000', '20', '34'], [999.9902840901225, 999.9792724762893, 999.9792769564199, '-1.000010111111110001001000110', '-11.00000010011111111011000', '20', '35'], [999.9902840901225, 999.9741312613749, 999.9741375074441, '-1.000010111111110001001000110', '-11.00000010011111111011000', '20', '36'], [999.9902840901225, 999.9705448328486, 999.9705514324662, '-1.000010111111110001101000110', '-11.00000010011111111010000', '20', '37'], [999.9902840901225, 999.9765707246838, 999.9765746944813, '-1.000010111111110001101000110', '-11.00000010011111111010001', '20', '38'], [999.9902840901225, 999.9735514701565, 999.973557887314, '-1.000010111111110001101010110', '-11.00000010011111111010001', '20', '39'], [999.9902840901225, 999.9873368731728, 999.9873370927864, '-1.000010111111110001101110110', '-11.00000010011111111010001', '20', '40'], [999.9902840901225, 999.9876809775458, 999.9876811857196, '-1.000010111111110001101111110', '-11.00000010011111111010001', '20', '41'], [999.9902840901225, 999.9769869755646, 999.9769909378035, '-1.000010111111110001101111111', '-11.00000010011111111010000', '20', '42'], [999.9902840901225, 999.973631018778, 999.9736374281139, '-1.000010111111110001101111111', '-11.00000010011111111010001', '20', '43'], [999.9902840901225, 999.974744139989, 999.9747482890921, '-1.000010111111110001101111111', '-11.00000010011111111010001', '20', '44'], [999.9902840901225, 999.9606832900687, 999.96069345857, '-1.000010111111110001101111111', '-11.00000010011111111010001', '20', '45'], [999.9902840901225, 999.9856223408074, 999.9856227595814, '-1.000010111111110001101111111', '-11.00000010011111111010001', '20', '46'], [999.9902840901225, 999.9827446292819, 999.9827466537108, '-1.000010111111110001101111111', '-11.00000010011111111010001', '20', '47'], [999.9902840901225, 999.9748597796153, 999.9748639195997, '-1.000010111111110001101111111', '-11.00000010011111111010001', '20', '48'], [999.9902840901225, 999.9787902456684, 999.9787926272588, '-1.000010111111110001101111111', '-11.00000010011111111010001', '20', '49'], [999.9902840901225, 999.9783294477467, 999.9783341040782, '-1.000010111111110001101111111', '-11.00000010011111111010001', '20', '50'], [999.9902840901225, 999.9653288457536, 999.9653373213722, '-1.000010111111110001101111111', '-11.00000010011111111010001', '20', '51'], [999.9902840901225, 999.9803613333322, 999.9803658046427, '-1.000010111111110001101111111', '-11.00000010011111111010001', '20', '52'], [999.9902840901225, 999.9810646410531, 999.9810668358964, '-1.000010111111110001101111111', '-11.00000010011111111010001', '20', '53'], [999.9902840901225, 999.9882043645716, 999.9882044004615, '-1.000010111111110001101111111', '-11.00000010011111111010001', '20', '54'], [999.9902840901225, 999.9899543022016, 999.9899543041557, '-1.000010111111110001101111111', '-11.00000010011111111010001', '20', '55'], [999.9902840901225, 999.9581998323415, 999.958212400928, '-1.000010111111110001101111111', '-11.00000010011111111010001', '20', '56'], [999.9902840901225, 999.9862609884264, 999.9862612682577, '-1.000010111111110001101111111', '-11.00000010011111111010001', '20', '57'], [999.9902840901225, 999.9636090344279, 999.9636197670883, '-1.000010111111110001101111111', '-11.00000010011111111010001', '20', '58'], [999.9902840901225, 999.9744206715878, 999.9744248186013, '-1.000010111111110001101111111', '-11.00000010011111111010001', '20', '59'], [999.9902840901225, 999.9708423218384, 999.9708511699897, '-1.000010111111110001101111111', '-11.00000010011111111010001', '20', '60'], [999.9902840901225, 999.990146149444, 999.9901461500615, '-1.000010111111110001101111111', '-11.00000010011111111010001', '20', '61'], [999.9902840901225, 999.9831544473973, 999.9831564517917, '-1.000010111111110001101111111', '-11.00000010011111111010001', '20', '62'], [999.9902840901225, 999.9787192185955, 999.9787237263084, '-1.000010111111110001101111111', '-11.00000010011111111010001', '20', '63'], [999.9902840901225, 999.9808713108636, 999.9808735141006, '-1.000010111111110001101111111', '-11.00000010011111111010001', '20', '64'], [999.9902840901225, 999.9655281524806, 999.9655373217571, '-1.000010111111110001101111111', '-11.00000010011111111010001', '20', '65'], [999.9902840901225, 999.97073589355, 999.9707424852558, '-1.000010111111110001101111111', '-11.00000010011111111010001', '20', '66'], [999.9902840901225, 999.9900884251242, 999.9900884261577, '-1.000010111111110001101111111', '-11.00000010011111111010001', '20', '67'], [999.9902840901225, 999.9721777583372, 999.9721843432571, '-1.000010111111110001101111111', '-11.00000010011111111010001', '20', '68'], [999.9902840901225, 999.948683135453, 999.9486998618127, '-1.000010111111110001101111111', '-11.00000010011111111010001', '20', '69'], [999.9902840901225, 999.9896625628774, 999.9896625674032, '-1.000010111111110001101111111', '-11.00000010011111111010001', '20', '70'], [999.9902840901225, 999.9616517774077, 999.9616626532048, '-1.000010111111110001101111111', '-11.00000010011111111010001', '20', '71'], [999.9902840901225, 999.973603440522, 999.9736098675096, '-1.000010111111110001101111111', '-11.00000010011111111010001', '20', '72'], [999.9902840901225, 999.9649108248834, 999.9649193037266, '-1.000010111111110001101111111', '-11.00000010011111111010001', '20', '73'], [999.9902840901225, 999.9546932091067, 999.9547081666562, '-1.000010111111110001101111111', '-11.00000010011111111010001', '20', '74'], [999.9902840901225, 999.9854071854265, 999.9854076042521, '-1.000010111111110001101111111', '-11.00000010011111111010001', '20', '75'], [999.9902840901225, 999.9706518202039, 999.9706563133858, '-1.000010111111110001101111111', '-11.00000010011111111010001', '20', '76'], [999.9902840901225, 999.9814421341249, 999.9814443289512, '-1.000010111111110001101111111', '-11.00000010011111111010001', '20', '77'], [999.9902840901225, 999.9687619401666, 999.968770857788, '-1.000010111111110001101111111', '-11.00000010011111111010001', '20', '78'], [999.9902840901225, 999.9513606965168, 999.951377985732, '-1.000010111111110001101111111', '-11.00000010011111111010001', '20', '79'], [999.9902840901225, 999.9662608808342, 999.9662691925726, '-1.000010111111110001101111111', '-11.00000010011111111010001', '20', '80'], [999.9902840901225, 999.9732929457417, 999.9732970945835, '-1.000010111111110001101111111', '-11.00000010011111111010001', '20', '81'], [999.9902840901225, 999.9813847512701, 999.9813869464039, '-1.000010111111110001101111111', '-11.00000010011111111010001', '20', '82'], [999.9902840901225, 999.968883849553, 999.9688905905823, '-1.000010111111110001101111111', '-11.00000010011111111010001', '20', '83'], [999.9902840901225, 999.9799900098776, 999.9799944911412, '-1.000010111111110001101111111', '-11.00000010011111111010001', '20', '84'], [999.9902840901225, 999.9694502508302, 999.9694561345036, '-1.000010111111110001101111111', '-11.00000010011111111010001', '20', '85'], [999.9902840901225, 999.9641932840475, 999.9642040065515, '-1.000010111111110001101111111', '-11.00000010011111111010001', '20', '86'], [999.9902840901225, 999.9870676268828, 999.9870678587637, '-1.000010111111110001101111111', '-11.00000010011111111010001', '20', '87'], [999.9902840901225, 999.966727809134, 999.966736824773, '-1.000010111111110001101111111', '-11.00000010011111111010001', '20', '88'], [999.9902840901225, 999.9796075560671, 999.9796120255108, '-1.000010111111110001101111111', '-11.00000010011111111010001', '20', '89'], [999.9902840901225, 999.9794377622171, 999.9794422312355, '-1.000010111111110001101111111', '-11.00000010011111111010001', '20', '90'], [999.9902840901225, 999.9698455396693, 999.9698543966787, '-1.000010111111110001101111111', '-11.00000010011111111010001', '20', '91'], [999.9902840901225, 999.9823679688, 999.9823699935307, '-1.000010111111110001101111111', '-11.00000010011111111010001', '20', '92'], [999.9902840901225, 999.9807855062537, 999.9807877111583, '-1.000010111111110001101111111', '-11.00000010011111111010001', '20', '93'], [999.9902840901225, 999.9708683268473, 999.970877176162, '-1.000010111111110001101111111', '-11.00000010011111111010001', '20', '94'], [999.9902840901225, 999.9775435156475, 999.9775474810699, '-1.000010111111110001101111111', '-11.00000010011111111010001', '20', '95'], [999.9902840901225, 999.9801656462328, 999.980170116617, '-1.000010111111110001101111111', '-11.00000010011111111010001', '20', '96'], [999.9902840901225, 999.9780533422219, 999.9780580077486, '-1.000010111111110001101111111', '-11.00000010011111111010001', '20', '97'], [999.9902840901225, 999.9680010374411, 999.9680102029645, '-1.000010111111110001101111111', '-11.00000010011111111010001', '20', '98'], [999.9902840901225, 999.9683042635958, 999.9683132818641, '-1.000010111111110001101111111', '-11.00000010011111111010001', '20', '99'], [999.9902840901225, 999.9816410718972, 999.9816432657148, '-1.000010111111110001101111111', '-11.00000010011111111010001', '20', '100']]], [[[999.9444733700318, 999.5997629709793, 999.5997657100005, '1.01101100101111010010110101110', '110.010000100001100011100100', '21', '1'], [999.9445846665468, 999.84788592423, 999.8478972460075, '1.01101100001111010010110101110', '110.010000100001100011100100', '21', '2'], [999.9507679763465, 999.9271282882706, 999.9271358495422, '1.01001100001111010010110101110', '110.010000100001100011100100', '21', '3'], [999.9584578763465, 999.9354016651761, 999.9354065921096, '1.00001100101111010010110101110', '110.010000100001000011100100', '21', '4'], [999.9627668372669, 999.9436098634978, 999.9436144750417, '0.00001100101111010010110101110', '110.010001100001100011100100', '21', '5'], [999.9627716210608, 999.9311502601496, 999.9311583903158, '0.00001100101111010010110101110', '110.010001100101100011100100', '21', '6'], [999.9627755864294, 999.956487952559, 999.9564885894641, '0.00011100101111010010110101110', '110.010001101101100011100100', '21', '7'], [999.9627759070935, 999.9540443217961, 999.9540465912801, '0.00010100101111010010110101110', '110.010001101101100111100100', '21', '8'], [999.9627759115064, 999.9624539437266, 999.9624539452187, '0.00010100101011010010110101110', '110.010001101101100011100100', '21', '9'], [999.9627759215426, 999.9501586218738, 999.9501619990467, '0.00010000101101010010110101110', '110.010001101101100011100100', '21', '10'], [999.962775924245, 999.9459396241458, 999.9459455009052, '0.00010010101101010010110101110', '110.010001101101100011101100', '21', '11'], [999.9627759248925, 999.9483402559093, 999.9483452293983, '0.00010000101011010010110101110', '110.010001101101110011101100', '21', '12'], [999.9627759248925, 999.9428931110177, 999.9428984701243, '0.00010000101011010010111101110', '110.010001101101110011101100', '21', '13'], [999.9627759248925, 999.9212121497148, 999.921225011519, '0.00010000101011010011111101110', '110.010001101101110011101100', '21', '14'], [999.9627759248925, 999.9430567465417, 999.9430617771499, '0.00010000101011010011111111110', '110.010001101101110011101100', '21', '15'], [999.9627759248925, 999.9356065460746, 999.9356143933013, '0.00010000101011011011111111110', '110.010001101101110011101100', '21', '16'], [999.9627759248925, 999.948634267621, 999.9486365199219, '0.00010000101011011011111111110', '110.010001101101110011101100', '21', '17'], [999.9627759248925, 999.946932411372, 999.9469356666654, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '18'], [999.9627759248925, 999.9616477956521, 999.9616478146597, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '19'], [999.9627759248925, 999.9462718449546, 999.9462755950182, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '20'], [999.9627759248925, 999.9502035426751, 999.9502070158858, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '21'], [999.9627759248925, 999.9378631824383, 999.9378704780437, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '22'], [999.9627759248925, 999.9408436257571, 999.9408501441085, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '23'], [999.9627759248925, 999.9442596886859, 999.9442651431623, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '24'], [999.9627759248925, 999.9507579043384, 999.9507613743801, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '25'], [999.9627759248925, 999.9458170002395, 999.9458221716638, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '26'], [999.9627759248925, 999.9487840716597, 999.9487884437806, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '27'], [999.9627759248925, 999.9470507290772, 999.9470552839659, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '28'], [999.9627759248925, 999.9559056821594, 999.9559077440347, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '29'], [999.9627759248925, 999.9443298061965, 999.9443352612311, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '30'], [999.9627759248925, 999.9621107989494, 999.9621108150706, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '31'], [999.9627759248925, 999.9625450260752, 999.9625450273576, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '32'], [999.9627759248925, 999.9543979385945, 999.9544009125556, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '33'], [999.9627759248925, 999.9516686341158, 999.951671491272, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '34'], [999.9627759248925, 999.9473701745383, 999.9473734210059, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '35'], [999.9627759248925, 999.9551938768415, 999.9551955298002, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '36'], [999.9627759248925, 999.9308753543629, 999.9308849250352, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '37'], [999.9627759248925, 999.954206688016, 999.9542089573742, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '38'], [999.9627759248925, 999.9419290199953, 999.9419349364101, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '39'], [999.9627759248925, 999.9490273006463, 999.9490316738269, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '40'], [999.9627759248925, 999.9347675889709, 999.9347758644116, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '41'], [999.9627759248925, 999.9603241380837, 999.960324360217, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '42'], [999.9627759248925, 999.9475426734971, 999.9475463549237, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '43'], [999.9627759248925, 999.9487727610102, 999.948777132518, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '44'], [999.9627759248925, 999.9362352297873, 999.9362441117406, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '45'], [999.9627759248925, 999.9473655501542, 999.947370106887, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '46'], [999.9627759248925, 999.9521708261987, 999.9521740030541, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '47'], [999.9627759248925, 999.9471536028079, 999.9471581575547, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '48'], [999.9627759248925, 999.9501931221633, 999.9501964980685, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '49'], [999.9627759248925, 999.9365497623724, 999.9365580372433, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '50'], [999.9627759248925, 999.93374803786, 999.9337563716454, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '51'], [999.9627759248925, 999.936293506102, 999.9363020594953, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '52'], [999.9627759248925, 999.9561480902078, 999.956150152353, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '53'], [999.9627759248925, 999.9565023882735, 999.9565038450024, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '54'], [999.9627759248925, 999.9538493259365, 999.9538515931935, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '55'], [999.9627759248925, 999.9475800925659, 999.9475843666935, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '56'], [999.9627759248925, 999.9432080117325, 999.9432124521055, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '57'], [999.9627759248925, 999.9320584113408, 999.9320683164498, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '58'], [999.9627759248925, 999.9432750535703, 999.9432805081656, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '59'], [999.9627759248925, 999.9614447847912, 999.9614448167857, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '60'], [999.9627759248925, 999.9484002024833, 999.9484038662936, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '61'], [999.9627759248925, 999.9565113130358, 999.9565127696766, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '62'], [999.9627759248925, 999.9527703029547, 999.9527734692263, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '63'], [999.9627759248925, 999.9542450421355, 999.9542480130874, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '64'], [999.9627759248925, 999.9533997468336, 999.9534027305865, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '65'], [999.9627759248925, 999.9574026937016, 999.9574031582858, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '66'], [999.9627759248925, 999.9526288989837, 999.952632065352, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '67'], [999.9627759248925, 999.9502506348654, 999.9502541146207, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '68'], [999.9627759248925, 999.9454374761391, 999.9454423264466, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '69'], [999.9627759248925, 999.9398559622877, 999.9398620567955, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '70'], [999.9627759248925, 999.9431188554227, 999.9431249135573, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '71'], [999.9627759248925, 999.9357447088946, 999.9357532637943, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '72'], [999.9627759248925, 999.9476626158756, 999.9476670030692, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '73'], [999.9627759248925, 999.9524580988775, 999.9524599534717, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '74'], [999.9627759248925, 999.9406044585128, 999.9406086961394, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '75'], [999.9627759248925, 999.9604905395038, 999.960490760944, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '76'], [999.9627759248925, 999.9498310173101, 999.9498344024526, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '77'], [999.9627759248925, 999.9491523431524, 999.9491564337486, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '78'], [999.9627759248925, 999.9409491212041, 999.9409555376437, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '79'], [999.9627759248925, 999.9460329679741, 999.946038128976, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '80'], [999.9627759248925, 999.927842986231, 999.927852711047, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '81'], [999.9627759248925, 999.9602863137935, 999.9602865360381, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '82'], [999.9627759248925, 999.9453365339716, 999.9453413833696, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '83'], [999.9627759248925, 999.9485903658497, 999.9485940311179, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '84'], [999.9627759248925, 999.9469623610422, 999.9469682230527, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '85'], [999.9627759248925, 999.9485873617982, 999.9485907512931, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '86'], [999.9627759248925, 999.9223192874435, 999.9223302125705, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '87'], [999.9627759248925, 999.9625015277204, 999.9625015290591, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '88'], [999.9627759248925, 999.9341465259023, 999.9341548557314, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '89'], [999.9627759248925, 999.9544113757568, 999.9544130393799, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '90'], [999.9627759248925, 999.9480866569207, 999.9480907639412, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '91'], [999.9627759248925, 999.9310913930564, 999.9311009686986, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '92'], [999.9627759248925, 999.9479893115146, 999.9479942816238, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '93'], [999.9627759248925, 999.945477604311, 999.9454824550787, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '94'], [999.9627759248925, 999.9301201914631, 999.9301297614805, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '95'], [999.9627759248925, 999.9539389706952, 999.9539412389582, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '96'], [999.9627759248925, 999.9626634907289, 999.9626634910594, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '97'], [999.9627759248925, 999.9615984272572, 999.9615984590366, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '98'], [999.9627759248925, 999.9415666240769, 999.941570850763, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '99'], [999.9627759248925, 999.952898275811, 999.952901443168, '0.00010000101011011011111111111', '110.010001101101110011101100', '21', '100']]], [[[999.9605965835033, 999.7257040532998, 999.7257098607929, '-111.1110101100100111111001010', '1.01011000101000101010011', '22', '1'], [999.9611029829564, 999.8861695104055, 999.8861757430002, '-111.11101001100101001001101', '1.01011000101000101011000011', '22', '2'], [999.9616221178801, 999.929264183437, 999.9292739022872, '-111.11101000100101001001101', '1.01011100101000101011000011', '22', '3'], [999.9617168869546, 999.9590574187309, 999.9590575746157, '-111.11101000000101001001101', '1.01011100001000101011000010', '22', '4'], [999.9627645038748, 999.9278723176084, 999.9278806708933, '-111.11100000100101001001101', '1.01011110001000101011000010', '22', '5'], [999.9627693782805, 999.9391323674312, 999.9391408841809, '-111.11100000100101001001101', '1.01011111001000101011000010', '22', '6'], [999.9627746375158, 999.9291342353492, 999.9291450108234, '-111.11100000000101001001101', '1.01011110101000101011000011', '22', '7'], [999.9627759178998, 999.9444160904693, 999.9444218015557, '-111.11100000000001001001101', '1.01011111101000101011000010', '22', '8'], [999.9627759248364, 999.9530253245322, 999.953026595174, '-111.11100000000011001001101', '1.01011111111000101011000010', '22', '9'], [999.9627759248684, 999.9596050598328, 999.9596052783744, '-111.11100000000001011001101', '1.01011111110000101011000010', '22', '10'], [999.9627759248907, 999.9457924462788, 999.9457979359316, '-111.11100000000001011101101', '1.01011111110000101011000011', '22', '11'], [999.9627759248924, 999.9460591849572, 999.9460645513404, '-111.11100000000001011101101', '1.01011111110000100011000011', '22', '12'], [999.9627759248924, 999.929117218938, 999.9291286829874, '-111.11100000000001011101101', '1.01011111110000100011010011', '22', '13'], [999.9627759248925, 999.9561269033179, 999.9561289302072, '-111.11100000000001011101101', '1.01011111110000100011100111', '22', '14'], [999.9627759248925, 999.9558341895292, 999.9558348397861, '-111.11100000000001011101101', '1.01011111110000100011101111', '22', '15'], [999.9627759248925, 999.9403067315059, 999.9403130555677, '-111.11100000000001011101101', '1.01011111110000100011101111', '22', '16'], [999.9627759248925, 999.9471263661517, 999.9471316797151, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '17'], [999.9627759248925, 999.9382775169801, 999.9382849166125, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '18'], [999.9627759248925, 999.9551657160619, 999.9551677544929, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '19'], [999.9627759248925, 999.9393768643683, 999.9393842704318, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '20'], [999.9627759248925, 999.9595547050271, 999.9595551800714, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '21'], [999.9627759248925, 999.9493156414242, 999.9493195683381, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '22'], [999.9627759248925, 999.9308423000854, 999.9308528915957, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '23'], [999.9627759248925, 999.9575818998975, 999.957582525628, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '24'], [999.9627759248925, 999.9411645687345, 999.9411707663752, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '25'], [999.9627759248925, 999.9395449748143, 999.9395535120893, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '26'], [999.9627759248925, 999.9509368549564, 999.9509380472152, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '27'], [999.9627759248925, 999.9567499511456, 999.9567505893209, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '28'], [999.9627759248925, 999.9572467967078, 999.9572474231263, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '29'], [999.9627759248925, 999.9519889828183, 999.9519913843488, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '30'], [999.9627759248925, 999.9448326365575, 999.9448383361508, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '31'], [999.9627759248925, 999.9339032654518, 999.9339125178486, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '32'], [999.9627759248925, 999.921160733109, 999.9211734742918, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '33'], [999.9627759248925, 999.9488487372106, 999.9488526697655, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '34'], [999.9627759248925, 999.955491168476, 999.9554932063269, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '35'], [999.9627759248925, 999.95218531981, 999.9521877641782, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '36'], [999.9627759248925, 999.9498929007168, 999.9498957450398, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '37'], [999.9627759248925, 999.9518881635988, 999.951890616381, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '38'], [999.9627759248925, 999.9296425897684, 999.9296522044788, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '39'], [999.9627759248925, 999.9446807602355, 999.9446862589572, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '40'], [999.9627759248925, 999.9561744845336, 999.9561751930585, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '41'], [999.9627759248925, 999.961269247562, 999.9612692686082, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '42'], [999.9627759248925, 999.9456836777576, 999.9456868718893, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '43'], [999.9627759248925, 999.9557437987037, 999.9557458258778, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '44'], [999.9627759248925, 999.9436936883385, 999.9437004817125, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '45'], [999.9627759248925, 999.9539632091925, 999.9539665627068, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '46'], [999.9627759248925, 999.930569590089, 999.9305800937532, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '47'], [999.9627759248925, 999.9384817784102, 999.9384903180201, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '48'], [999.9627759248925, 999.936585852502, 999.9365947473327, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '49'], [999.9627759248925, 999.9473661128852, 999.9473702161412, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '50'], [999.9627759248925, 999.9455765327868, 999.9455820296785, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '51'], [999.9627759248925, 999.9575396029005, 999.9575402282732, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '52'], [999.9627759248925, 999.9541202712385, 999.9541236141785, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '53'], [999.9627759248925, 999.9446996567119, 999.9447053546731, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '54'], [999.9627759248925, 999.9526479357896, 999.9526491592421, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '55'], [999.9627759248925, 999.9588146477962, 999.9588150904631, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '56'], [999.9627759248925, 999.9500761505952, 999.9500799537253, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '57'], [999.9627759248925, 999.9565353140586, 999.9565359523212, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '58'], [999.9627759248925, 999.950601502224, 999.9506029623489, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '59'], [999.9627759248925, 999.9542301941905, 999.9542335375456, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '60'], [999.9627759248925, 999.9423463092219, 999.9423521803358, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '61'], [999.9627759248925, 999.9424184940402, 999.942422061089, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '62'], [999.9627759248925, 999.933694204205, 999.9337043276316, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '63'], [999.9627759248925, 999.9271133143121, 999.9271233636026, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '64'], [999.9627759248925, 999.9373366073659, 999.9373442216921, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '65'], [999.9627759248925, 999.9576242229467, 999.9576248488042, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '66'], [999.9627759248925, 999.9546755578932, 999.9546776055629, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '67'], [999.9627759248925, 999.9350366572455, 999.935044365206, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '68'], [999.9627759248925, 999.9560117126116, 999.9560138321682, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '69'], [999.9627759248925, 999.9558402484568, 999.9558408544448, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '70'], [999.9627759248925, 999.9251080542675, 999.9251193609514, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '71'], [999.9627759248925, 999.9455708427544, 999.9455751569748, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '72'], [999.9627759248925, 999.9449076268667, 999.9449133383292, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '73'], [999.9627759248925, 999.9488341986502, 999.9488367964515, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '74'], [999.9627759248925, 999.9588376078995, 999.9588380501992, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '75'], [999.9627759248925, 999.9527315816465, 999.9527340164308, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '76'], [999.9627759248925, 999.9419476307645, 999.9419545820818, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '77'], [999.9627759248925, 999.9389655676864, 999.9389729664275, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '78'], [999.9627759248925, 999.9618676513097, 999.9618676682816, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '79'], [999.9627759248925, 999.9503714662791, 999.9503740930309, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '80'], [999.9627759248925, 999.940735093736, 999.9407426655428, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '81'], [999.9627759248925, 999.9431740375123, 999.9431785713523, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '82'], [999.9627759248925, 999.9490336651818, 999.9490375902992, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '83'], [999.9627759248925, 999.9572405004423, 999.9572411278464, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '84'], [999.9627759248925, 999.9606715768741, 999.9606717800049, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '85'], [999.9627759248925, 999.9573011808673, 999.9573018081431, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '86'], [999.9627759248925, 999.9487202335395, 999.9487241668113, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '87'], [999.9627759248925, 999.9510394556978, 999.9510432006637, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '88'], [999.9627759248925, 999.9516227037711, 999.9516251150063, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '89'], [999.9627759248925, 999.9421928278683, 999.9421975700953, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '90'], [999.9627759248925, 999.9507820610411, 999.9507858061846, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '91'], [999.9627759248925, 999.9539868256434, 999.9539901793111, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '92'], [999.9627759248925, 999.9210740314552, 999.9210867164749, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '93'], [999.9627759248925, 999.9531630828394, 999.9531655177004, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '94'], [999.9627759248925, 999.9380450170584, 999.9380525004027, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '95'], [999.9627759248925, 999.9566796785879, 999.956680526453, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '96'], [999.9627759248925, 999.9581483355735, 999.9581487499916, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '97'], [999.9627759248925, 999.9494027765842, 999.9494044583064, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '98'], [999.9627759248925, 999.9492096877538, 999.9492136143363, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '99'], [999.9627759248925, 999.9492071727426, 999.9492108980431, '-111.11100000000001011101101', '1.01011111110000100011111111', '22', '100']]], [[[999.9902809415024, 999.8222127493831, 999.8222305457, '10.00010111101001111001111', '-11.1010100111000110011111011', '23', '1'], [999.9902828584375, 999.9594045199744, 999.9594116065718, '10.00010111101001111001111', '-11.1010100011000110011111011', '23', '2'], [999.9902830504385, 999.9804799363213, 999.9804809002383, '10.00010111101001111001111', '-11.1010100011001110011111011', '23', '3'], [999.990284056053, 999.9651023453334, 999.965108488137, '10.00010111001001110001111', '-11.1010100011000110011111111', '23', '4'], [999.9902840793026, 999.9671659924072, 999.9671701213017, '10.00010111001011110001111', '-11.1010100011000110011111111', '23', '5'], [999.9902840872192, 999.9745722569037, 999.9745759226785, '10.00010111001011111001111', '-11.1010100011000010011111111', '23', '6'], [999.9902840891463, 999.9717087928616, 999.9717126025641, '10.00010111001011111001111', '-11.1010100011000000011111011', '23', '7'], [999.9902840892972, 999.9617413218988, 999.9617490487086, '10.00010111001011111101111', '-11.1010100011000000011111011', '23', '8'], [999.9902840893762, 999.9670219981875, 999.9670274287247, '10.00010111001011111101111', '-11.1010100011000000010111011', '23', '9'], [999.9902840894434, 999.9800614474686, 999.9800628525165, '10.00010111001011111111111', '-11.1010100011000000010111011', '23', '10'], [999.9902840894797, 999.9702430747182, 999.9702480725555, '10.00010111001011111111111', '-11.1010100011000000010011011', '23', '11'], [999.9902840894807, 999.9693069773525, 999.9693129805249, '10.00010111001011111111111', '-11.1010100011000000010011010', '23', '12'], [999.9902840896146, 999.9724074255158, 999.9724111571606, '10.00010111001011111111111', '-11.1010100011000000000011011', '23', '13'], [999.9902840896166, 999.9792725062363, 999.9792747902917, '10.00010111001011111111111', '-11.1010100011000000000011001', '23', '14'], [999.9902840896324, 999.9615210067551, 999.9615270755618, '10.00010111001011111111111', '-11.1010100011000000000001001', '23', '15'], [999.9902840896333, 999.9702151320937, 999.9702191810691, '10.00010111001011111111111', '-11.1010100011000000000001000', '23', '16'], [999.9902840896411, 999.9753591976315, 999.9753630560041, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '17'], [999.9902840896411, 999.9623988459131, 999.9624056234285, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '18'], [999.9902840896411, 999.9608725417571, 999.9608795393984, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '19'], [999.9902840896411, 999.9776332015207, 999.9776366834029, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '20'], [999.9902840896411, 999.984332386198, 999.9843331209612, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '21'], [999.9902840896411, 999.9453771477009, 999.9453905233006, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '22'], [999.9902840896411, 999.9819429574115, 999.9819443694207, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '23'], [999.9902840896411, 999.9637911416887, 999.9637973279118, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '24'], [999.9902840896411, 999.9795510649169, 999.9795537326162, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '25'], [999.9902840896411, 999.9804842482642, 999.9804864504331, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '26'], [999.9902840896411, 999.9695697896816, 999.9695745821033, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '27'], [999.9902840896411, 999.9742160274385, 999.974219931266, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '28'], [999.9902840896411, 999.9551548775067, 999.9551634896405, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '29'], [999.9902840896411, 999.9804097533524, 999.9804124451174, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '30'], [999.9902840896411, 999.9834173219475, 999.9834186411942, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '31'], [999.9902840896411, 999.9768919499583, 999.9768946082262, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '32'], [999.9902840896411, 999.9693336070316, 999.969338469572, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '33'], [999.9902840896411, 999.9737770994464, 999.9737812500017, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '34'], [999.9902840896411, 999.9757709891699, 999.9757743090821, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '35'], [999.9902840896411, 999.969590430825, 999.9695961995773, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '36'], [999.9902840896411, 999.9669434831933, 999.9669490214404, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '37'], [999.9902840896411, 999.9676645088331, 999.9676693470494, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '38'], [999.9902840896411, 999.9661143180784, 999.9661189646806, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '39'], [999.9902840896411, 999.9694265795706, 999.9694308558337, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '40'], [999.9902840896411, 999.9732758574148, 999.9732791638638, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '41'], [999.9902840896411, 999.9673039903847, 999.9673090720112, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '42'], [999.9902840896411, 999.9552570511663, 999.9552658923967, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '43'], [999.9902840896411, 999.9696620299474, 999.9696665265959, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '44'], [999.9902840896411, 999.9834823234238, 999.9834831150113, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '45'], [999.9902840896411, 999.9613408346527, 999.9613495155879, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '46'], [999.9902840896411, 999.9560861760579, 999.9560944673303, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '47'], [999.9902840896411, 999.9895839590978, 999.9895839683741, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '48'], [999.9902840896411, 999.9779551318934, 999.9779572170906, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '49'], [999.9902840896411, 999.978595979113, 999.9785985219863, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '50'], [999.9902840896411, 999.9734343004973, 999.9734386961017, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '51'], [999.9902840896411, 999.9741760219938, 999.9741789777437, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '52'], [999.9902840896411, 999.9655252145951, 999.9655305954931, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '53'], [999.9902840896411, 999.9665197142049, 999.9665258842323, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '54'], [999.9902840896411, 999.9751746385101, 999.9751770534001, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '55'], [999.9902840896411, 999.9857569065629, 999.9857576325943, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '56'], [999.9902840896411, 999.973836036793, 999.9738392357667, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '57'], [999.9902840896411, 999.9850007880374, 999.985001518255, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '58'], [999.9902840896411, 999.9672808009366, 999.9672851792486, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '59'], [999.9902840896411, 999.9605791408957, 999.9605844865696, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '60'], [999.9902840896411, 999.9719113996882, 999.9719161522489, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '61'], [999.9902840896411, 999.9519273816596, 999.9519355851546, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '62'], [999.9902840896411, 999.9722697515224, 999.972274407697, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '63'], [999.9902840896411, 999.971921702846, 999.9719259245203, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '64'], [999.9902840896411, 999.9792056830861, 999.9792076430937, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '65'], [999.9902840896411, 999.966838319009, 999.9668448503998, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '66'], [999.9902840896411, 999.9902653612687, 999.9902653612731, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '67'], [999.9902840896411, 999.9625462269308, 999.9625533758809, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '68'], [999.9902840896411, 999.9722309355824, 999.9722341419107, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '69'], [999.9902840896411, 999.9637054155689, 999.9637127992014, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '70'], [999.9902840896411, 999.9702532476643, 999.9702584029843, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '71'], [999.9902840896411, 999.9648633504929, 999.9648697838165, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '72'], [999.9902840896411, 999.979752175588, 999.979754663459, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '73'], [999.9902840896411, 999.9636464364052, 999.9636512095958, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '74'], [999.9902840896411, 999.9879620159538, 999.9879621046184, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '75'], [999.9902840896411, 999.9750127094599, 999.9750165315854, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '76'], [999.9902840896411, 999.9734554261208, 999.9734598199104, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '77'], [999.9902840896411, 999.9872533027161, 999.9872534707619, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '78'], [999.9902840896411, 999.9774433309799, 999.9774470998759, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '79'], [999.9902840896411, 999.98452211451, 999.9845233764457, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '80'], [999.9902840896411, 999.953334808264, 999.9533458638161, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '81'], [999.9902840896411, 999.9791819967396, 999.9791847775456, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '82'], [999.9902840896411, 999.9810582638934, 999.9810597045476, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '83'], [999.9902840896411, 999.9526603991887, 999.952671721296, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '84'], [999.9902840896411, 999.9766137545272, 999.9766156194031, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '85'], [999.9902840896411, 999.9652269279514, 999.9652322565939, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '86'], [999.9902840896411, 999.9606308848754, 999.9606383415913, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '87'], [999.9902840896411, 999.9751170355543, 999.9751196702987, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '88'], [999.9902840896411, 999.9719607571708, 999.9719637734157, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '89'], [999.9902840896411, 999.97754627578, 999.9775495142577, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '90'], [999.9902840896411, 999.9371338573733, 999.9371473140527, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '91'], [999.9902840896411, 999.9821685827698, 999.9821701950075, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '92'], [999.9902840896411, 999.975594413936, 999.9755973518251, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '93'], [999.9902840896411, 999.9660312125479, 999.966036884961, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '94'], [999.9902840896411, 999.9819703749043, 999.9819717604362, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '95'], [999.9902840896411, 999.9645084213121, 999.9645144864791, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '96'], [999.9902840896411, 999.9691902100012, 999.9691952822552, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '97'], [999.9902840896411, 999.9774631318505, 999.9774652325904, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '98'], [999.9902840896411, 999.976242119149, 999.9762447145996, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '99'], [999.9902840896411, 999.9780612533588, 999.9780633355458, '10.00010111001011111111111', '-11.1010100011000000000000000', '23', '100']]], [[[999.9871233590916, 999.6877265685719, 999.6877421258148, '-10.1111001010100001000011100', '-100.11111011101000101001010', '24', '1'], [999.9902574068063, 999.9741295022355, 999.9741322454815, '-00.1110001000100001000011100', '-100.11111011101000101001010', '24', '2'], [999.9902587921853, 999.9773939958977, 999.9773978428198, '-00.1110001000000001000011100', '-100.11111011101000101001010', '24', '3'], [999.9902672704108, 999.9715141270167, 999.971520948938, '-00.1110001000000001000011100', '-100.11111011111000101001010', '24', '4'], [999.9902691205294, 999.9882019194225, 999.988201959324, '-00.1110001000000001000011100', '-100.11111011111100101001010', '24', '5'], [999.9902811883496, 999.9426629317886, 999.9426797338073, '-00.1110000000000001000011100', '-100.11111011111100101001010', '24', '6'], [999.990281237602, 999.9816401240975, 999.9816435755223, '-00.1110000000000001000011100', '-100.11111011111100111001010', '24', '7'], [999.9902814303956, 999.9897169634536, 999.9897169669159, '-00.1110000000000001000011100', '-100.11111011111101111001010', '24', '8'], [999.9902818084415, 999.9500734566475, 999.9500883272718, '-00.1110000000000000000011110', '-100.11111011111111111001010', '24', '9'], [999.9902818139209, 999.9646945336629, 999.9647049783046, '-00.1110000000000000000011110', '-100.11111011111111111011010', '24', '10'], [999.9902818248597, 999.962499510016, 999.9625104226731, '-00.1110000000000000000011110', '-100.11111011111111111111010', '24', '11'], [999.9902818262252, 999.9663738688869, 999.9663827619064, '-00.1110000000000000000011110', '-100.11111011111111111111110', '24', '12'], [999.9902818263242, 999.9743520086066, 999.974356842293, '-00.1110000000000000000011010', '-100.11111011111111111111110', '24', '13'], [999.9902818267203, 999.9536732370652, 999.9536889134569, '-00.1110000000000000000001010', '-100.11111011111111111111110', '24', '14'], [999.9902818267699, 999.9746601013529, 999.9746656705773, '-00.1110000000000000000001000', '-100.11111011111111111111110', '24', '15'], [999.9902818271112, 999.947506674906, 999.9475211585049, '-00.1110000000000000000001000', '-100.11111011111111111111111', '24', '16'], [999.9902818273092, 999.963630114863, 999.9636407246741, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '17'], [999.9902818273092, 999.9571941158084, 999.9572030403464, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '18'], [999.9902818273092, 999.9520829320987, 999.9520985965462, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '19'], [999.9902818273092, 999.9613851733203, 999.9613948461109, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '20'], [999.9902818273092, 999.9693335465054, 999.9693421241551, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '21'], [999.9902818273092, 999.9896184937714, 999.9896184975984, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '22'], [999.9902818273092, 999.9764465287006, 999.9764503897208, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '23'], [999.9902818273092, 999.9891238560476, 999.9891238742877, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '24'], [999.9902818273092, 999.9640079700573, 999.9640170348424, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '25'], [999.9902818273092, 999.9645705442572, 999.9645779754387, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '26'], [999.9902818273092, 999.9551470067864, 999.9551586764514, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '27'], [999.9902818273092, 999.9713186908626, 999.9713252384857, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '28'], [999.9902818273092, 999.9718305759292, 999.9718383810822, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '29'], [999.9902818273092, 999.9884932980717, 999.9884933318664, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '30'], [999.9902818273092, 999.9579167442485, 999.9579291933362, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '31'], [999.9902818273092, 999.9705521303572, 999.9705591557589, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '32'], [999.9902818273092, 999.9718572191864, 999.9718637602261, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '33'], [999.9902818273092, 999.9636032659962, 999.9636113948205, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '34'], [999.9902818273092, 999.9804554654346, 999.9804589392169, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '35'], [999.9902818273092, 999.9518976441251, 999.9519116183673, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '36'], [999.9902818273092, 999.9639381718148, 999.9639475553159, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '37'], [999.9902818273092, 999.9454682945347, 999.9454836074502, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '38'], [999.9902818273092, 999.9833147389871, 999.983316915419, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '39'], [999.9902818273092, 999.9648333862591, 999.9648419757368, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '40'], [999.9902818273092, 999.9608493293974, 999.960861182516, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '41'], [999.9902818273092, 999.9622608974274, 999.9622712118834, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '42'], [999.9902818273092, 999.9510883823913, 999.9511024963035, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '43'], [999.9902818273092, 999.9640187621159, 999.9640282214289, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '44'], [999.9902818273092, 999.9641266688205, 999.9641363358694, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '45'], [999.9902818273092, 999.9600858193289, 999.960096740303, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '46'], [999.9902818273092, 999.9564396317909, 999.9564496281204, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '47'], [999.9902818273092, 999.9722688861596, 999.972274653851, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '48'], [999.9902818273092, 999.9483267803136, 999.9483417892197, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '49'], [999.9902818273092, 999.9663206644097, 999.9663284916851, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '50'], [999.9902818273092, 999.9702961894965, 999.9703032107935, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '51'], [999.9902818273092, 999.9699689507414, 999.969977356606, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '52'], [999.9902818273092, 999.9805368189809, 999.9805392137861, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '53'], [999.9902818273092, 999.9603826163855, 999.9603944706199, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '54'], [999.9902818273092, 999.9710524230887, 999.9710589792547, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '55'], [999.9902818273092, 999.9617175061242, 999.9617281248411, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '56'], [999.9902818273092, 999.9769391341922, 999.9769429879102, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '57'], [999.9902818273092, 999.9898496422381, 999.9898496440725, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '58'], [999.9902818273092, 999.9581355396122, 999.9581480036574, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '59'], [999.9902818273092, 999.9696523707967, 999.9696601739905, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '60'], [999.9902818273092, 999.9562966233802, 999.9563100032575, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '61'], [999.9902818273092, 999.9850591049798, 999.9850595584862, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '62'], [999.9902818273092, 999.9683187279173, 999.9683254568052, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '63'], [999.9902818273092, 999.9694289288793, 999.9694375971737, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '64'], [999.9902818273092, 999.9535802972039, 999.9535927248955, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '65'], [999.9902818273092, 999.9800043497874, 999.9800067675237, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '66'], [999.9902818273092, 999.9743269525296, 999.9743325312929, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '67'], [999.9902818273092, 999.9897329660508, 999.9897329683088, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '68'], [999.9902818273092, 999.9749067587938, 999.9749123295877, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '69'], [999.9902818273092, 999.969894633477, 999.9699013611358, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '70'], [999.9902818273092, 999.9811470472263, 999.9811505103262, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '71'], [999.9902818273092, 999.9726538536783, 999.9726596134677, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '72'], [999.9902818273092, 999.9804872219033, 999.9804914619523, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '73'], [999.9902818273092, 999.9683193657291, 999.9683270135973, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '74'], [999.9902818273092, 999.9647673474637, 999.9647759477524, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '75'], [999.9902818273092, 999.9796147053758, 999.979618954675, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '76'], [999.9902818273092, 999.9718867365026, 999.9718935800579, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '77'], [999.9902818273092, 999.9748914592714, 999.9748970309189, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '78'], [999.9902818273092, 999.948272997029, 999.9482880035279, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '79'], [999.9902818273092, 999.9773169132662, 999.9773213728431, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '80'], [999.9902818273092, 999.9586071835071, 999.9586188712932, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '81'], [999.9902818273092, 999.9697608751118, 999.9697668282635, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '82'], [999.9902818273092, 999.9538923523257, 999.9539080419178, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '83'], [999.9902818273092, 999.9774667379013, 999.9774704773785, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '84'], [999.9902818273092, 999.9737064847186, 999.9737120694526, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '85'], [999.9902818273092, 999.9613552361656, 999.9613652426381, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '86'], [999.9902818273092, 999.9769783768975, 999.9769822386262, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '87'], [999.9902818273092, 999.9713365023199, 999.9713448952289, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '88'], [999.9902818273092, 999.9501136337283, 999.9501274264361, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '89'], [999.9902818273092, 999.9717601940299, 999.9717648885475, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '90'], [999.9902818273092, 999.9484639659038, 999.9484788394026, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '91'], [999.9902818273092, 999.9534237631959, 999.9534375882996, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '92'], [999.9902818273092, 999.9723811362647, 999.9723853975521, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '93'], [999.9902818273092, 999.981247482653, 999.9812509467155, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '94'], [999.9902818273092, 999.9561342734821, 999.9561480105688, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '95'], [999.9902818273092, 999.9716024925564, 999.9716100986091, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '96'], [999.9902818273092, 999.9743329050305, 999.9743384833658, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '97'], [999.9902818273092, 999.9898451841738, 999.9898451865733, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '98'], [999.9902818273092, 999.9547964738954, 999.9548109181254, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '99'], [999.9902818273092, 999.9741242137561, 999.9741305688549, '-00.1110000000000000000000000', '-100.11111011111111111111111', '24', '100']]], [[[999.8216705218022, 999.6582677458117, 999.6582826631554, '-111.0011101000101001110001110', '1110.001011000101010110001100', '25', '1'], [999.8217767709104, 999.806925500079, 999.8069287441434, '-111.0011101000101001110001110', '1110.001010000101010101001100', '25', '2'], [999.8217773265674, 999.8038805710531, 999.8038851379306, '-111.0011101000101001110001110', '1110.001010000111010101001100', '25', '3'], [999.8645445832951, 999.7876207009306, 999.7876293638428, '-111.0011101000101001100001110', '0110.001010000101010111001100', '25', '4'], [999.914570665839, 999.8496894641444, 999.8496935360974, '-111.0011101000101001010001110', '0110.011010000101010111001100', '25', '5'], [999.9197356781057, 999.8646494040827, 999.8646606169149, '-111.0011101000101001010001110', '0110.011110000101010111001100', '25', '6'], [999.9217953767125, 999.8909903965629, 999.8909974237635, '-111.0010101000101001110001110', '0110.011110000101010111001100', '25', '7'], [999.9218035523455, 999.8849832811034, 999.8849907482339, '-111.0010101000101001110001110', '0110.011110001101010111001100', '25', '8'], [999.9218052938536, 999.8858654553914, 999.8858759467829, '-111.0010101000001001110001110', '0110.011110001101011111001100', '25', '9'], [999.9218066489412, 999.8858852790149, 999.8858969007769, '-111.0010101000001001110001110', '0110.011110001111011111001100', '25', '10'], [999.9218106357074, 999.8822650055412, 999.8822748246052, '-111.0010101000001001110001110', '0110.011110011111011111001100', '25', '11'], [999.9218107673818, 999.8960081962579, 999.8960114348217, '-111.0010101001001001110001110', '0110.011110011111011111001100', '25', '12'], [999.9218107696428, 999.8921237427153, 999.8921304733947, '-111.0010101001001001010001110', '0110.011110011111011111001100', '25', '13'], [999.921810798793, 999.873515805378, 999.8735301426168, '-111.0010101001000001010001110', '0110.011110011111011111001110', '25', '14'], [999.9218108141372, 999.8901077157262, 999.8901165501807, '-111.0010101001000001010001110', '0110.011110011111111111001100', '25', '15'], [999.9218108152751, 999.9028156333165, 999.9028206805331, '-111.0010101001000000010001110', '0110.011110011111111111001100', '25', '16'], [999.9218108155384, 999.8966948575155, 999.8967015684226, '-111.0010101001000000000001100', '0110.011110011111111111001110', '25', '17'], [999.921810815653, 999.894244572841, 999.894252519412, '-111.0010101001000000000001100', '0110.011110011111111111101110', '25', '18'], [999.921810815653, 999.8958268327381, 999.8958324174279, '-111.0010101001000000000001100', '0110.011110011111111111101110', '25', '19'], [999.9218108157093, 999.8779417802242, 999.8779551922858, '-111.0010101001000000000001100', '0110.011110011111111111111110', '25', '20'], [999.9218108157165, 999.8859384147473, 999.8859453771036, '-111.0010101001000000000001000', '0110.011110011111111111111110', '25', '21'], [999.9218108157165, 999.889379776297, 999.889388932926, '-111.0010101001000000000001000', '0110.011110011111111111111110', '25', '22'], [999.92181081572, 999.8974338662183, 999.8974381251589, '-111.0010101001000000000001000', '0110.011110011111111111111111', '25', '23'], [999.9218108157313, 999.8861235987117, 999.8861324202059, '-111.0010101001000000000000000', '0110.011110011111111111111110', '25', '24'], [999.9218108157347, 999.8863389305159, 999.8863501886093, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '25'], [999.9218108157347, 999.9049405776942, 999.9049456806647, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '26'], [999.9218108157347, 999.8690502238065, 999.8690646289629, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '27'], [999.9218108157347, 999.874611966776, 999.8746230499366, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '28'], [999.9218108157347, 999.9043200881384, 999.9043245418114, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '29'], [999.9218108157347, 999.8832427264795, 999.8832544548737, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '30'], [999.9218108157347, 999.8973393644883, 999.8973465572124, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '31'], [999.9218108157347, 999.8946719459157, 999.8946786672836, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '32'], [999.9218108157347, 999.8853866479674, 999.885396256859, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '33'], [999.9218108157347, 999.8847733440462, 999.8847843169928, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '34'], [999.9218108157347, 999.9009009196471, 999.9009046969478, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '35'], [999.9218108157347, 999.8991864301304, 999.8991915044099, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '36'], [999.9218108157347, 999.8993008798159, 999.8993054054389, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '37'], [999.9218108157347, 999.8845499886074, 999.884558308694, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '38'], [999.9218108157347, 999.878751745832, 999.878763933081, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '39'], [999.9218108157347, 999.9062874409112, 999.9062915312295, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '40'], [999.9218108157347, 999.9002018080957, 999.9002055767735, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '41'], [999.9218108157347, 999.8999776732194, 999.8999824917223, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '42'], [999.9218108157347, 999.9054330468867, 999.905435894178, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '43'], [999.9218108157347, 999.8946867929538, 999.8946936985648, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '44'], [999.9218108157347, 999.85467674198, 999.8546939517732, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '45'], [999.9218108157347, 999.8787690403144, 999.8787810146908, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '46'], [999.9218108157347, 999.8922796811977, 999.8922875402204, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '47'], [999.9218108157347, 999.9057151981546, 999.9057189990804, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '48'], [999.9218108157347, 999.9106450073348, 999.9106474162303, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '49'], [999.9218108157347, 999.8796455196891, 999.8796562200712, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '50'], [999.9218108157347, 999.8698258887274, 999.8698388870852, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '51'], [999.9218108157347, 999.9008185779483, 999.9008235059267, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '52'], [999.9218108157347, 999.9065915710127, 999.9065946124864, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '53'], [999.9218108157347, 999.8834040600781, 999.8834157609436, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '54'], [999.9218108157347, 999.8698648840383, 999.8698811996213, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '55'], [999.9218108157347, 999.8816520350665, 999.8816640476797, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '56'], [999.9218108157347, 999.9069635482994, 999.9069682948018, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '57'], [999.9218108157347, 999.8755724313675, 999.8755842189846, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '58'], [999.9218108157347, 999.8850686387367, 999.8850789301977, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '59'], [999.9218108157347, 999.8662198389611, 999.8662358098305, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '60'], [999.9218108157347, 999.9031204245935, 999.903126418334, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '61'], [999.9218108157347, 999.899695919769, 999.8997012165672, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '62'], [999.9218108157347, 999.8795297016868, 999.879541249566, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '63'], [999.9218108157347, 999.8866207280704, 999.8866285785288, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '64'], [999.9218108157347, 999.9126385724434, 999.9126398978426, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '65'], [999.9218108157347, 999.8874731525319, 999.88748211773, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '66'], [999.9218108157347, 999.8984815215683, 999.8984864031308, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '67'], [999.9218108157347, 999.8963730539482, 999.8963792129714, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '68'], [999.9218108157347, 999.8913813780817, 999.8913891017704, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '69'], [999.9218108157347, 999.8815696040803, 999.8815809579933, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '70'], [999.9218108157347, 999.895373284837, 999.895380887338, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '71'], [999.9218108157347, 999.8954262647026, 999.8954318405154, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '72'], [999.9218108157347, 999.8968802756868, 999.8968856882727, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '73'], [999.9218108157347, 999.9041831503082, 999.9041862928963, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '74'], [999.9218108157347, 999.9147316163914, 999.9147323757269, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '75'], [999.9218108157347, 999.8977834392731, 999.8977886436031, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '76'], [999.9218108157347, 999.9037482125573, 999.903752805369, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '77'], [999.9218108157347, 999.9051736090872, 999.9051775046454, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '78'], [999.9218108157347, 999.887517630803, 999.8875270210904, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '79'], [999.9218108157347, 999.9066517272993, 999.9066559980873, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '80'], [999.9218108157347, 999.9016391482047, 999.9016441346661, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '81'], [999.9218108157347, 999.9044240887805, 999.9044265748703, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '82'], [999.9218108157347, 999.8664990585901, 999.866513838997, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '83'], [999.9218108157347, 999.9084015644002, 999.9084054337958, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '84'], [999.9218108157347, 999.8927669931634, 999.8927759325866, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '85'], [999.9218108157347, 999.8951797831666, 999.8951857907464, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '86'], [999.9218108157347, 999.8859058393332, 999.8859155568989, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '87'], [999.9218108157347, 999.8975193940661, 999.8975255455792, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '88'], [999.9218108157347, 999.9076258277241, 999.9076296970392, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '89'], [999.9218108157347, 999.8749125282551, 999.8749252581749, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '90'], [999.9218108157347, 999.9046426428911, 999.904646768095, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '91'], [999.9218108157347, 999.9056564218512, 999.9056601091027, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '92'], [999.9218108157347, 999.896574999816, 999.8965808750457, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '93'], [999.9218108157347, 999.9082283726403, 999.9082309317156, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '94'], [999.9218108157347, 999.8793114510729, 999.8793248245684, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '95'], [999.9218108157347, 999.8780339620398, 999.8780479109706, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '96'], [999.9218108157347, 999.890676109533, 999.8906860348358, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '97'], [999.9218108157347, 999.9001947063547, 999.9001986597287, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '98'], [999.9218108157347, 999.8836094674494, 999.8836195028589, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '99'], [999.9218108157347, 999.8987299744393, 999.8987353262532, '-111.0010101001000000000000000', '0110.011110011111111111111111', '25', '100']]], [[[999.6267064005999, 999.5330120119054, 999.5330200107146, '1011.1001110011011010110010', '11101.001010111000111110111101', '26', '1'], [999.6267092819496, 999.6155099345821, 999.6155111144703, '1011.1001111011011010110010', '11101.001010111000111110111101', '26', '2'], [999.6267093287651, 999.621254160897, 999.6212545723532, '1011.1001111011011010111010', '11101.001010111001111110111101', '26', '3'], [999.6267093471957, 999.6077981310565, 999.6078002521103, '1011.1001111011111010110010', '11101.001010111001111110111101', '26', '4'], [999.6267093483796, 999.6144554437268, 999.6144568437135, '1011.1001111011111110111010', '11101.001010111001111110111101', '26', '5'], [999.6267093486251, 999.6141987733284, 999.6142001377565, '1011.1001111011111111111010', '11101.001010111001111110111101', '26', '6'], [999.626709348771, 999.6174791374511, 999.6174799059934, '1011.1001111011111111111010', '11101.001010111001111111111101', '26', '7'], [999.6267093487851, 999.6187116394614, 999.6187126139845, '1011.1001111011111111111110', '11101.001010111001111111111101', '26', '8'], [999.6267093487886, 999.6145470359218, 999.6145483018304, '1011.1001111011111111111111', '11101.001010111001111111111101', '26', '9'], [999.6267093487886, 999.6068002721352, 999.6068025153957, '1011.1001111011111111111111', '11101.001010111001111111111101', '26', '10'], [999.626709348793, 999.6153654946221, 999.6153665132808, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '11'], [999.626709348793, 999.6154808681863, 999.6154822263316, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '12'], [999.626709348793, 999.6201770891937, 999.6201776151547, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '13'], [999.626709348793, 999.606244851626, 999.6062475682517, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '14'], [999.626709348793, 999.6111099439883, 999.6111119792831, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '15'], [999.626709348793, 999.61285077094, 999.6128522033409, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '16'], [999.626709348793, 999.6160518094222, 999.6160526220352, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '17'], [999.626709348793, 999.6127063904183, 999.6127077228947, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '18'], [999.626709348793, 999.6127446624353, 999.6127461266524, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '19'], [999.626709348793, 999.6065098794955, 999.6065120655313, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '20'], [999.626709348793, 999.6197627591839, 999.6197636001119, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '21'], [999.626709348793, 999.6128525178469, 999.6128541680151, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '22'], [999.626709348793, 999.6155572720523, 999.6155585421667, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '23'], [999.626709348793, 999.6118055390239, 999.6118072082285, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '24'], [999.626709348793, 999.6121074000703, 999.6121086002038, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '25'], [999.626709348793, 999.6089551643767, 999.608957013568, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '26'], [999.626709348793, 999.6207826249457, 999.6207833764283, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '27'], [999.626709348793, 999.6096513111203, 999.6096537602175, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '28'], [999.626709348793, 999.6108117857334, 999.6108133307771, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '29'], [999.626709348793, 999.6111346549667, 999.6111363925659, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '30'], [999.626709348793, 999.6147671741179, 999.6147683217918, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '31'], [999.626709348793, 999.6114794910137, 999.6114810230346, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '32'], [999.626709348793, 999.6120517474159, 999.6120532202416, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '33'], [999.626709348793, 999.6125974239445, 999.612599102546, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '34'], [999.626709348793, 999.6154037267249, 999.6154047013353, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '35'], [999.626709348793, 999.6160032545366, 999.6160048842509, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '36'], [999.626709348793, 999.6084902442801, 999.6084925560923, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '37'], [999.626709348793, 999.6098930449683, 999.6098950522912, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '38'], [999.626709348793, 999.6086930975048, 999.6086949391416, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '39'], [999.626709348793, 999.601522809412, 999.6015256001723, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '40'], [999.626709348793, 999.6222342580816, 999.6222346493275, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '41'], [999.626709348793, 999.6120539345734, 999.612055814256, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '42'], [999.626709348793, 999.6189478331321, 999.6189485343983, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '43'], [999.626709348793, 999.6053104507777, 999.6053126692973, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '44'], [999.626709348793, 999.6169301841524, 999.6169312887644, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '45'], [999.626709348793, 999.610156151662, 999.6101575916517, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '46'], [999.626709348793, 999.6150417349688, 999.6150430664613, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '47'], [999.626709348793, 999.6204192517638, 999.6204197113783, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '48'], [999.626709348793, 999.615750007058, 999.6157511602003, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '49'], [999.626709348793, 999.6153009822011, 999.6153023029702, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '50'], [999.626709348793, 999.6164080694319, 999.6164093101913, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '51'], [999.626709348793, 999.6054807520136, 999.6054828048981, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '52'], [999.626709348793, 999.6217096855383, 999.6217099459266, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '53'], [999.626709348793, 999.6132533377457, 999.6132548292835, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '54'], [999.626709348793, 999.6192470793092, 999.619247806501, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '55'], [999.626709348793, 999.6152051893547, 999.6152061374441, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '56'], [999.626709348793, 999.6156118192989, 999.6156129553975, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '57'], [999.626709348793, 999.610468173782, 999.6104699030492, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '58'], [999.626709348793, 999.6127102495084, 999.6127117932386, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '59'], [999.626709348793, 999.6133591413316, 999.6133603391606, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '60'], [999.626709348793, 999.602743542027, 999.6027461806825, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '61'], [999.626709348793, 999.6178734010915, 999.6178739611486, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '62'], [999.626709348793, 999.6167058593634, 999.6167067966601, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '63'], [999.626709348793, 999.6226174513582, 999.6226177152438, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '64'], [999.626709348793, 999.6061012324419, 999.6061038060045, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '65'], [999.626709348793, 999.6204323584155, 999.6204332707285, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '66'], [999.626709348793, 999.6237578204142, 999.6237580394618, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '67'], [999.626709348793, 999.6214763391577, 999.6214767935859, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '68'], [999.626709348793, 999.6064863914991, 999.6064884901524, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '69'], [999.626709348793, 999.6113272863789, 999.6113290390498, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '70'], [999.626709348793, 999.614134205951, 999.6141356114676, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '71'], [999.626709348793, 999.6121444508373, 999.6121460372478, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '72'], [999.626709348793, 999.6124285814491, 999.6124299171637, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '73'], [999.626709348793, 999.6175222604408, 999.6175231035719, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '74'], [999.626709348793, 999.6145842358806, 999.614585163608, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '75'], [999.626709348793, 999.62284117933, 999.6228414197833, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '76'], [999.626709348793, 999.6160997206206, 999.6161009434151, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '77'], [999.626709348793, 999.6116281329829, 999.6116297723155, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '78'], [999.626709348793, 999.6081778081497, 999.6081799051153, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '79'], [999.626709348793, 999.6215056268172, 999.6215060955655, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '80'], [999.626709348793, 999.614081831227, 999.6140831130225, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '81'], [999.626709348793, 999.6235941207342, 999.6235943675056, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '82'], [999.626709348793, 999.6129031965633, 999.6129047201582, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '83'], [999.626709348793, 999.6154134970661, 999.6154144808215, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '84'], [999.626709348793, 999.6171775419364, 999.6171786086151, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '85'], [999.626709348793, 999.6142782356012, 999.6142795752808, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '86'], [999.626709348793, 999.6122319894063, 999.6122337223657, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '87'], [999.626709348793, 999.6177942414605, 999.6177952759339, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '88'], [999.626709348793, 999.6178405195295, 999.6178412736446, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '89'], [999.626709348793, 999.6062023368598, 999.6062048842774, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '90'], [999.626709348793, 999.604834299772, 999.6048365735091, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '91'], [999.626709348793, 999.621604600732, 999.6216048659344, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '92'], [999.626709348793, 999.6126527628975, 999.6126543597961, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '93'], [999.626709348793, 999.6135340587637, 999.6135350804085, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '94'], [999.626709348793, 999.6244482304767, 999.6244483794668, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '95'], [999.626709348793, 999.612499140036, 999.6125003765609, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '96'], [999.626709348793, 999.6084676078588, 999.6084695049361, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '97'], [999.626709348793, 999.6042950939839, 999.6042977569153, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '98'], [999.626709348793, 999.6161389070907, 999.6161401522883, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '99'], [999.626709348793, 999.6172363292594, 999.6172375151533, '1011.1001111011111111111111', '11101.001010111001111111111111', '26', '100']]], [[[999.9894908257577, 999.7466044342224, 999.7466284478655, '10.000101111010010000001111011', '-11.1011001011110010101001011', '27', '1'], [999.9897809483156, 999.9613075271301, 999.9613148353652, '10.000101111010010000001111011', '-11.1011000011110010010011011', '27', '2'], [999.9902821533587, 999.9692730189518, 999.9692782854514, '10.000111111011010000001111011', '-11.1011000011110010010011011', '27', '3'], [999.9902840896559, 999.9840949945262, 999.984095957177, '10.000111111011010000001111010', '-11.1011000001110011010011011', '27', '4'], [999.9902840898653, 999.9769546669539, 999.9769583987768, '10.000111111011010000001111010', '-11.1011000001110011110011011', '27', '5'], [999.9902840901156, 999.9704670923761, 999.9704700624861, '10.000111111011000000001111010', '-11.1011000001110001110011011', '27', '6'], [999.9902840901157, 999.9650155024248, 999.9650217910873, '10.000111111011000000001111011', '-11.1011000001110001110011011', '27', '7'], [999.9902840901225, 999.9781686722312, 999.9781720169293, '10.000111111011000001001111010', '-11.1011000001110001110011010', '27', '8'], [999.9902840901225, 999.9557264928578, 999.9557347409929, '10.000111111011000001001111110', '-11.1011000001110001110011010', '27', '9'], [999.9902840901225, 999.9724723092368, 999.9724755482075, '10.000111111011000001001111111', '-11.1011000001110001110011010', '27', '10'], [999.9902840901225, 999.979655625253, 999.9796576721724, '10.000111111011000001001111111', '-11.1011000001110001110011110', '27', '11'], [999.9902840901225, 999.9821697513138, 999.9821712284788, '10.000111111011000001001111111', '-11.1011000001110001110011110', '27', '12'], [999.9902840901225, 999.9826790804542, 999.9826814586437, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '13'], [999.9902840901225, 999.9862126090495, 999.9862132338752, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '14'], [999.9902840901225, 999.9589315938242, 999.9589382062921, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '15'], [999.9902840901225, 999.970051576727, 999.9700573051333, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '16'], [999.9902840901225, 999.9592371373946, 999.9592450476849, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '17'], [999.9902840901225, 999.9724506941774, 999.9724541534173, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '18'], [999.9902840901225, 999.9782160174218, 999.9782181637631, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '19'], [999.9902840901225, 999.9834991891297, 999.9834999486867, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '20'], [999.9902840901225, 999.9838193132185, 999.9838200158493, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '21'], [999.9902840901225, 999.9763600956779, 999.9763632200571, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '22'], [999.9902840901225, 999.9666286256045, 999.9666348760942, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '23'], [999.9902840901225, 999.957663009633, 999.9576718831323, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '24'], [999.9902840901225, 999.9799235202612, 999.9799258995786, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '25'], [999.9902840901225, 999.9600896300834, 999.9600975266271, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '26'], [999.9902840901225, 999.9762206193799, 999.9762244069437, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '27'], [999.9902840901225, 999.9725588535616, 999.9725628967416, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '28'], [999.9902840901225, 999.9750759549312, 999.9750795615565, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '29'], [999.9902840901225, 999.9712340909816, 999.9712385032047, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '30'], [999.9902840901225, 999.9783697704969, 999.9783715789587, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '31'], [999.9902840901225, 999.9779393500808, 999.9779423774183, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '32'], [999.9902840901225, 999.9771327064586, 999.9771362426355, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '33'], [999.9902840901225, 999.9747990957403, 999.9748030167217, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '34'], [999.9902840901225, 999.9788410295479, 999.9788443723622, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '35'], [999.9902840901225, 999.9747379784435, 999.9747417053483, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '36'], [999.9902840901225, 999.9797069220856, 999.9797094773345, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '37'], [999.9902840901225, 999.9751227966564, 999.9751254965995, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '38'], [999.9902840901225, 999.9687703396906, 999.9687758067934, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '39'], [999.9902840901225, 999.9743336489773, 999.9743372546035, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '40'], [999.9902840901225, 999.9787567331846, 999.9787591934445, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '41'], [999.9902840901225, 999.9755765241008, 999.9755803352177, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '42'], [999.9902840901225, 999.9776151780547, 999.9776176947431, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '43'], [999.9902840901225, 999.9755741951564, 999.9755779869432, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '44'], [999.9902840901225, 999.9686937077505, 999.9686977450154, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '45'], [999.9902840901225, 999.9687990158725, 999.9688023823496, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '46'], [999.9902840901225, 999.9889133714684, 999.9889134431517, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '47'], [999.9902840901225, 999.969201643876, 999.9692061978541, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '48'], [999.9902840901225, 999.9842756718205, 999.9842770746748, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '49'], [999.9902840901225, 999.9756979192647, 999.975700940225, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '50'], [999.9902840901225, 999.9854987331742, 999.9854989924584, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '51'], [999.9902840901225, 999.9733101354802, 999.9733129610394, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '52'], [999.9902840901225, 999.9615874218788, 999.9615940721951, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '53'], [999.9902840901225, 999.9686884982007, 999.968694613987, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '54'], [999.9902840901225, 999.9838166955794, 999.9838174511361, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '55'], [999.9902840901225, 999.9695602185419, 999.9695638159859, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '56'], [999.9902840901225, 999.9829546875274, 999.9829559165684, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '57'], [999.9902840901225, 999.9721631818937, 999.9721656048757, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '58'], [999.9902840901225, 999.986488320014, 999.9864885514652, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '59'], [999.9902840901225, 999.9653343193553, 999.9653393726483, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '60'], [999.9902840901225, 999.9583885462386, 999.9583964888492, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '61'], [999.9902840901225, 999.9873749545161, 999.9873750992953, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '62'], [999.9902840901225, 999.9637441981832, 999.9637520735846, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '63'], [999.9902840901225, 999.9767116535769, 999.9767145620558, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '64'], [999.9902840901225, 999.9761430343159, 999.9761469652777, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '65'], [999.9902840901225, 999.9644842510683, 999.9644892151088, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '66'], [999.9902840901225, 999.9690698111399, 999.9690749913615, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '67'], [999.9902840901225, 999.9877751822393, 999.9877752892479, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '68'], [999.9902840901225, 999.9717206810357, 999.9717238767196, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '69'], [999.9902840901225, 999.9725906461027, 999.9725941458696, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '70'], [999.9902840901225, 999.9720410956902, 999.9720450026848, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '71'], [999.9902840901225, 999.9554324844993, 999.955441090383, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '72'], [999.9902840901225, 999.9892895471204, 999.9892895600383, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '73'], [999.9902840901225, 999.9763634964471, 999.9763672868629, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '74'], [999.9902840901225, 999.981647702473, 999.9816485902785, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '75'], [999.9902840901225, 999.9779265464748, 999.9779286701323, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '76'], [999.9902840901225, 999.9736480567415, 999.9736508375858, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '77'], [999.9902840901225, 999.9618072654442, 999.9618132114224, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '78'], [999.9902840901225, 999.9718964400859, 999.9719011708619, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '79'], [999.9902840901225, 999.9859806476206, 999.9859809001864, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '80'], [999.9902840901225, 999.9659726054315, 999.9659788314082, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '81'], [999.9902840901225, 999.9833243022238, 999.9833250958719, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '82'], [999.9902840901225, 999.9737974113175, 999.9738006478304, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '83'], [999.9902840901225, 999.9627569982675, 999.9627632241005, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '84'], [999.9902840901225, 999.9570830672805, 999.9570910767444, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '85'], [999.9902840901225, 999.976056406115, 999.9760593702682, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '86'], [999.9902840901225, 999.9639412821207, 999.9639467698335, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '87'], [999.9902840901225, 999.9667586693143, 999.9667662332878, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '88'], [999.9902840901225, 999.9654712916501, 999.965477596535, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '89'], [999.9902840901225, 999.9571372033996, 999.9571454953436, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '90'], [999.9902840901225, 999.9783389352497, 999.9783407107307, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '91'], [999.9902840901225, 999.9711353464035, 999.9711398801501, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '92'], [999.9902840901225, 999.977098284479, 999.9771020183995, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '93'], [999.9902840901225, 999.9701747453623, 999.9701798009648, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '94'], [999.9902840901225, 999.9575727423394, 999.9575816293517, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '95'], [999.9902840901225, 999.9677635128756, 999.9677693061146, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '96'], [999.9902840901225, 999.9699986189388, 999.9700034812936, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '97'], [999.9902840901225, 999.9755304036423, 999.9755330532317, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '98'], [999.9902840901225, 999.972964174757, 999.9729669315911, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '99'], [999.9902840901225, 999.9831119942271, 999.9831134832924, '10.000111111011000001001111111', '-11.1011000001110001110011111', '27', '100']]], [[[999.6875732033711, 999.6149614752087, 999.614966031405, '-11000.11101000010000001111011', '-1010.00001011110010101001011', '28', '1'], [999.7925207994617, 999.670399141398, 999.6704014191757, '-01000.11101000001001110001011', '-1010.00001011110010101001101', '28', '2'], [999.8190123194316, 999.7165501164936, 999.7165560285893, '-01001.11101000001001110001011', '-1010.00001011110010101001101', '28', '3'], [999.8638815030525, 999.7828151218241, 999.7828239861702, '-01001.11101000001001110001011', '-1010.10001011110010101001101', '28', '4'], [999.8708846292717, 999.8419565836359, 999.8419624322082, '-01001.10101000001001110001011', '-1010.10001011110010101001101', '28', '5'], [999.8730093683577, 999.8560951650016, 999.8560973781296, '-01001.10111000001001110001011', '-1010.10001111110010101001101', '28', '6'], [999.9212246277306, 999.8232195040495, 999.8232339832839, '-00001.10111000001001110001011', '-1010.10001111110010101001101', '28', '7'], [999.9212461257137, 999.8591948727932, 999.8592030684039, '-00001.10111000001001110001111', '-1010.10001111111010101001101', '28', '8'], [999.9212760693865, 999.869570327968, 999.8695849260429, '-00001.10111100001001110001111', '-1010.10001111111110101001101', '28', '9'], [999.9212806814156, 999.8905855200974, 999.8905947959737, '-00001.10111101001001110001111', '-1010.10001111111110101001101', '28', '10'], [999.9214221639286, 999.9117204728238, 999.9117224764351, '-00001.11111101001001110001111', '-1010.10001111111110101001101', '28', '11'], [999.9214227162189, 999.9087730993145, 999.9087760354514, '-00001.11111101001001110001111', '-1010.10001111111110111001101', '28', '12'], [999.9214228542302, 999.8790233915391, 999.8790360037187, '-00001.11111101001001110001111', '-1010.10001111111110111101101', '28', '13'], [999.9214249214571, 999.9042691463987, 999.9042749281921, '-00001.11111101001001110001111', '-1010.10001111111111111001101', '28', '14'], [999.921425136935, 999.9020420469752, 999.902047354162, '-00001.11111111001001110001111', '-1010.10001111111111111001101', '28', '15'], [999.9214252745156, 999.8912208948532, 999.891229802677, '-00001.11111111001001110001111', '-1010.10001111111111111101101', '28', '16'], [999.9214253432968, 999.8651661663233, 999.8651828117489, '-00001.11111111001001110001111', '-1010.10001111111111111111101', '28', '17'], [999.9214253538231, 999.883763677875, 999.8837744612579, '-00001.11111111011001110001111', '-1010.10001111111111111111101', '28', '18'], [999.9214253639441, 999.9068149103226, 999.9068193826434, '-00001.11111111111001110001111', '-1010.10001111111111111111101', '28', '19'], [999.9214253725411, 999.8949990047082, 999.8950063080963, '-00001.11111111111001110001111', '-1010.10001111111111111111111', '28', '20'], [999.9214253727814, 999.9003387466703, 999.9003443387977, '-00001.11111111111101110001111', '-1010.10001111111111111111111', '28', '21'], [999.9214253728161, 999.8887859424435, 999.8887979969393, '-00001.11111111111111110001111', '-1010.10001111111111111111111', '28', '22'], [999.9214253728164, 999.8948238098204, 999.8948328547016, '-00001.11111111111111111001111', '-1010.10001111111111111111111', '28', '23'], [999.9214253728164, 999.9058372133148, 999.905840423677, '-00001.11111111111111111101111', '-1010.10001111111111111111111', '28', '24'], [999.9214253728164, 999.8957090690608, 999.8957149586632, '-00001.11111111111111111101111', '-1010.10001111111111111111111', '28', '25'], [999.9214253728164, 999.9016556299857, 999.9016610938356, '-00001.11111111111111111101111', '-1010.10001111111111111111111', '28', '26'], [999.9214253728164, 999.9086338884762, 999.9086362282011, '-00001.11111111111111111101111', '-1010.10001111111111111111111', '28', '27'], [999.9214253728164, 999.8945081352042, 999.8945135159499, '-00001.11111111111111111101111', '-1010.10001111111111111111111', '28', '28'], [999.9214253728164, 999.8860427219886, 999.8860556541149, '-00001.11111111111111111111111', '-1010.10001111111111111111111', '28', '29'], [999.9214253728164, 999.8963830108488, 999.8963913282445, '-00001.11111111111111111111111', '-1010.10001111111111111111111', '28', '30'], [999.9214253728164, 999.8881176043054, 999.8881285269856, '-00001.11111111111111111111111', '-1010.10001111111111111111111', '28', '31'], [999.9214253728164, 999.8850275880752, 999.8850376994662, '-00001.11111111111111111111111', '-1010.10001111111111111111111', '28', '32'], [999.9214253728164, 999.9166666970233, 999.9166671221984, '-00001.11111111111111111111111', '-1010.10001111111111111111111', '28', '33'], [999.9214253728164, 999.8931361595851, 999.8931433381753, '-00001.11111111111111111111111', '-1010.10001111111111111111111', '28', '34'], [999.9214253728164, 999.8963191105289, 999.8963255908262, '-00001.11111111111111111111111', '-1010.10001111111111111111111', '28', '35'], [999.9214253728164, 999.875284091918, 999.8752976226147, '-00001.11111111111111111111111', '-1010.10001111111111111111111', '28', '36'], [999.9214253728164, 999.8878408781675, 999.8878499571452, '-00001.11111111111111111111111', '-1010.10001111111111111111111', '28', '37'], [999.9214253728164, 999.884940072484, 999.8849497353481, '-00001.11111111111111111111111', '-1010.10001111111111111111111', '28', '38'], [999.9214253728164, 999.8963473175943, 999.8963544698178, '-00001.11111111111111111111111', '-1010.10001111111111111111111', '28', '39'], [999.9214253728164, 999.9095484991201, 999.9095506772738, '-00001.11111111111111111111111', '-1010.10001111111111111111111', '28', '40'], [999.9214253728164, 999.8928434209374, 999.8928521026224, '-00001.11111111111111111111111', '-1010.10001111111111111111111', '28', '41'], [999.9214253728164, 999.8892462448061, 999.8892564523912, '-00001.11111111111111111111111', '-1010.10001111111111111111111', '28', '42'], [999.9214253728164, 999.8797051415842, 999.8797184177803, '-00001.11111111111111111111111', '-1010.10001111111111111111111', '28', '43'], [999.9214253728164, 999.8744519361414, 999.8744672255821, '-00001.11111111111111111111111', '-1010.10001111111111111111111', '28', '44'], [999.9214253728164, 999.8997931705402, 999.8997987912367, '-00001.11111111111111111111111', '-1010.10001111111111111111111', '28', '45'], [999.9214253728164, 999.8840982794048, 999.8841081209073, '-00001.11111111111111111111111', '-1010.10001111111111111111111', '28', '46'], [999.9214253728164, 999.8819397172006, 999.8819501476687, '-00001.11111111111111111111111', '-1010.10001111111111111111111', '28', '47'], [999.9214253728164, 999.877372618157, 999.8773846654937, '-00001.11111111111111111111111', '-1010.10001111111111111111111', '28', '48'], [999.9214253728164, 999.8831659404023, 999.8831763071306, '-00001.11111111111111111111111', '-1010.10001111111111111111111', '28', '49'], [999.9214253728164, 999.9069082675338, 999.9069120003281, '-00001.11111111111111111111111', '-1010.10001111111111111111111', '28', '50'], [999.9214253728164, 999.8782654089028, 999.8782788597596, '-00001.11111111111111111111111', '-1010.10001111111111111111111', '28', '51'], [999.9214253728164, 999.898933652871, 999.8989381064184, '-00001.11111111111111111111111', '-1010.10001111111111111111111', '28', '52'], [999.9214253728164, 999.8880558219018, 999.8880647607964, '-00001.11111111111111111111111', '-1010.10001111111111111111111', '28', '53'], [999.9214253728164, 999.8969621716635, 999.896969175095, '-00001.11111111111111111111111', '-1010.10001111111111111111111', '28', '54'], [999.9214253728164, 999.9075574314525, 999.907561805999, '-00001.11111111111111111111111', '-1010.10001111111111111111111', '28', '55'], [999.9214253728164, 999.8783084386242, 999.8783210910195, '-00001.11111111111111111111111', '-1010.10001111111111111111111', '28', '56'], [999.9214253728164, 999.8941979810792, 999.8942045699708, '-00001.11111111111111111111111', '-1010.10001111111111111111111', '28', '57'], [999.9214253728164, 999.8894473801731, 999.8894548261078, '-00001.11111111111111111111111', '-1010.10001111111111111111111', '28', '58'], [999.9214253728164, 999.8873966185529, 999.8874049500273, '-00001.11111111111111111111111', '-1010.10001111111111111111111', '28', '59'], [999.9214253728164, 999.8901860481902, 999.8901941068755, '-00001.11111111111111111111111', '-1010.10001111111111111111111', '28', '60'], [999.9214253728164, 999.899349548259, 999.8993558026092, '-00001.11111111111111111111111', '-1010.10001111111111111111111', '28', '61'], [999.9214253728164, 999.8942294254007, 999.8942399775333, '-00001.11111111111111111111111', '-1010.10001111111111111111111', '28', '62'], [999.9214253728164, 999.8705466907618, 999.870563621304, '-00001.11111111111111111111111', '-1010.10001111111111111111111', '28', '63'], [999.9214253728164, 999.8964569713115, 999.8964620035384, '-00001.11111111111111111111111', '-1010.10001111111111111111111', '28', '64'], [999.9214253728164, 999.9026923951508, 999.9026957056144, '-00001.11111111111111111111111', '-1010.10001111111111111111111', '28', '65'], [999.9214253728164, 999.864657183607, 999.8646723844004, '-00001.11111111111111111111111', '-1010.10001111111111111111111', '28', '66'], [999.9214253728164, 999.9070407488061, 999.9070438522963, '-00001.11111111111111111111111', '-1010.10001111111111111111111', '28', '67'], [999.9214253728164, 999.9057170972624, 999.90572225162, '-00001.11111111111111111111111', '-1010.10001111111111111111111', '28', '68'], [999.9214253728164, 999.8870886237783, 999.8870987316149, '-00001.11111111111111111111111', '-1010.10001111111111111111111', '28', '69'], [999.9214253728164, 999.901706673621, 999.9017103032693, '-00001.11111111111111111111111', '-1010.10001111111111111111111', '28', '70'], [999.9214253728164, 999.904250092426, 999.9042547475914, '-00001.11111111111111111111111', '-1010.10001111111111111111111', '28', '71'], [999.9214253728164, 999.877555328332, 999.877569221044, '-00001.11111111111111111111111', '-1010.10001111111111111111111', '28', '72'], [999.9214253728164, 999.8894260979415, 999.8894328129531, '-00001.11111111111111111111111', '-1010.10001111111111111111111', '28', '73'], [999.9216881695139, 999.898458832068, 999.8984657192466, '-00000.11111111111111111111111', '-1010.10011111111111111111111', '28', '74'], [999.9216886957823, 999.8771567133005, 999.8771675764265, '-00000.11111111111011111111111', '-1010.10011111111111111111111', '28', '75'], [999.9218106777191, 999.8877817207921, 999.8877898681019, '-00000.11011111111011111111111', '-1010.10011111111111111111111', '28', '76'], [999.9218106879775, 999.8929712049973, 999.8929809783439, '-00000.11011111111011111111111', '-1010.10011111111111101111111', '28', '77'], [999.9218108103927, 999.8960769290254, 999.8960843862002, '-00000.11011111111011111111111', '-1010.10011111110111101111111', '28', '78'], [999.9218108163765, 999.8897819218963, 999.8897904625155, '-00000.11011111111011111110111', '-1010.10011111111001111110111', '28', '79'], [999.9218108177454, 999.8915751060767, 999.8915843723597, '-00000.11011111111011111110111', '-1010.10011111111001011110111', '28', '80'], [999.9218108178083, 999.8790471951734, 999.8790611940306, '-00000.11011111111001111110111', '-1010.10011111111000111110111', '28', '81'], [999.9218108178216, 999.9115096776023, 999.9115116239824, '-00000.11011111111001111100111', '-1010.10011111111000111111111', '28', '82'], [999.9218108178457, 999.8890493655406, 999.8890597806181, '-00000.11011111111001011100111', '-1010.10011111111000111111111', '28', '83'], [999.9218108178521, 999.9208124116271, 999.9208124271295, '-00000.11011111111001001100111', '-1010.10011111111000111111110', '28', '84'], [999.9218108178526, 999.8912419913054, 999.8912518307134, '-00000.11011111111001001100111', '-1010.10011111111000111111111', '28', '85'], [999.9218108178547, 999.8800208190783, 999.8800343942714, '-00000.11011111111001000100111', '-1010.10011111111000111111111', '28', '86'], [999.9218108178555, 999.8800053917323, 999.8800201195512, '-00000.11011111111001000000111', '-1010.10011111111000111111111', '28', '87'], [999.9218108178557, 999.8915324876684, 999.8915398059959, '-00000.11011111111001000000011', '-1010.10011111111000111111111', '28', '88'], [999.9218108178557, 999.903832220466, 999.9038358185088, '-00000.11011111111001000000011', '-1010.10011111111000111111111', '28', '89'], [999.9218108178557, 999.8921872505584, 999.8921960218096, '-00000.11011111111001000000011', '-1010.10011111111000111111111', '28', '90'], [999.9218108178557, 999.8903381114171, 999.8903468336281, '-00000.11011111111001000000011', '-1010.10011111111000111111111', '28', '91'], [999.9218108178557, 999.8908965560236, 999.8909063988492, '-00000.11011111111001000000011', '-1010.10011111111000111111111', '28', '92'], [999.9218108178557, 999.8932281097209, 999.8932360736143, '-00000.11011111111001000000011', '-1010.10011111111000111111111', '28', '93'], [999.9218108178557, 999.9044241675452, 999.904429479278, '-00000.11011111111001000000011', '-1010.10011111111000111111111', '28', '94'], [999.9218108178557, 999.9216663476409, 999.9216663484873, '-00000.11011111111001000000011', '-1010.10011111111000111111111', '28', '95'], [999.9218108178557, 999.884551471368, 999.8845636691259, '-00000.11011111111001000000011', '-1010.10011111111000111111111', '28', '96'], [999.9218108178557, 999.8970646262097, 999.8970707099546, '-00000.11011111111001000000011', '-1010.10011111111000111111111', '28', '97'], [999.9218108178557, 999.9004965140729, 999.9005023671976, '-00000.11011111111001000000011', '-1010.10011111111000111111111', '28', '98'], [999.9218108178557, 999.903309524417, 999.9033141217805, '-00000.11011111111001000000011', '-1010.10011111111000111111111', '28', '99'], [999.9218108178557, 999.9055157910866, 999.9055210637774, '-00000.11011111111001000000011', '-1010.10011111111000111111111', '28', '100']]], [[[999.8730094325562, 999.834090769884, 999.8340919988584, '-10.110011101000011101101011', '-1101.1000000001000100101', '29', '1'], [999.8912221116514, 999.8262619750105, 999.8262739541764, '010.110011101000011101101011', '0.00111001001001000100101', '29', '2'], [999.9171402861924, 999.8616870866734, 999.8616904874273, '010.11000100111101010001101', '0.101110010011010000111000000', '29', '3'], [999.9664420892865, 999.8745743406819, 999.8745812285104, '010.11001110111101010001101', '1.101110010011010000111000000', '29', '4'], [999.987440394198, 999.9445904897506, 999.9445940681481, '010.10001110111101010001101', '1.101110010010010011111000000', '29', '5'], [999.9902813439035, 999.9408429336505, 999.940847093673, '010.10011110111101010001101', '1.101110010011010011111000000', '29', '6'], [999.9902840522881, 999.9719849914567, 999.9719906174863, '010.10011110111101010001101', '1.101110011110010011111000000', '29', '7'], [999.9902840863467, 999.9427436227436, 999.9427594529042, '010.10011110111101010001101', '1.101110011111010011111000100', '29', '8'], [999.9902840893451, 999.9849267774348, 999.9849273304242, '010.10011110111101110001101', '1.101110011111010111111000100', '29', '9'], [999.9902840899434, 999.9564979167702, 999.9565095275168, '010.10011110111101010001101', '1.101110011111110111111000000', '29', '10'], [999.9902840900968, 999.9661620509829, 999.966170781754, '010.10011110111101010001101', '1.101110011111110011111000000', '29', '11'], [999.9902840900968, 999.9525987875104, 999.9526126378152, '010.10011110111101010001101', '1.101110011111110011111000001', '29', '12'], [999.9902840901062, 999.9617496581534, 999.9617579205511, '010.10011110111101010001101', '1.101110011111110011011000001', '29', '13'], [999.9902840901217, 999.9708609884644, 999.9708671983515, '010.10011110111101010001101', '1.101110011111110001111000001', '29', '14'], [999.9902840901225, 999.9669244099845, 999.9669308212783, '010.10011110111101010001101', '1.101110011111110001011000001', '29', '15'], [999.9902840901225, 999.9679229815333, 999.9679284919994, '010.10011110111101010001111', '1.101110011111110001011000001', '29', '16'], [999.9902840901225, 999.9662454136777, 999.9662505083553, '010.10011110111101010001111', '1.101110011111110001011100001', '29', '17'], [999.9902840901225, 999.9567154208873, 999.9567238983432, '010.10011110111101010001111', '1.101110011111110001011100001', '29', '18'], [999.9902840901225, 999.9760675529337, 999.9760719691164, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '19'], [999.9902840901225, 999.9878972438445, 999.9878973750631, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '20'], [999.9902840901225, 999.9796013025245, 999.9796031724852, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '21'], [999.9902840901225, 999.9592435389595, 999.9592540102783, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '22'], [999.9902840901225, 999.9689507511403, 999.9689561362628, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '23'], [999.9902840901225, 999.9697051529024, 999.9697102012376, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '24'], [999.9902840901225, 999.9825268087114, 999.9825274922173, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '25'], [999.9902840901225, 999.9811014613084, 999.9811033027062, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '26'], [999.9902840901225, 999.9768040846, 999.9768085047862, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '27'], [999.9902840901225, 999.9718992173846, 999.9719051536024, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '28'], [999.9902840901225, 999.96804166238, 999.9680468672803, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '29'], [999.9902840901225, 999.9742190839477, 999.974221446115, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '30'], [999.9902840901225, 999.9463748303542, 999.9463906514409, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '31'], [999.9902840901225, 999.9656220868636, 999.9656308340916, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '32'], [999.9902840901225, 999.9746981379737, 999.9747005835395, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '33'], [999.9902840901225, 999.9667743322839, 999.9667795649424, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '34'], [999.9902840901225, 999.9890766375545, 999.9890766635374, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '35'], [999.9902840901225, 999.9739377839205, 999.9739405107647, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '36'], [999.9902840901225, 999.9766258887718, 999.9766304732904, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '37'], [999.9902840901225, 999.973890931632, 999.9738958357116, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '38'], [999.9902840901225, 999.9900031077063, 999.990003109839, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '39'], [999.9902840901225, 999.946906317053, 999.9469207252943, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '40'], [999.9902840901225, 999.9731339067768, 999.9731397468142, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '41'], [999.9902840901225, 999.9736826918867, 999.9736876614726, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '42'], [999.9902840901225, 999.9755558316044, 999.9755603146258, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '43'], [999.9902840901225, 999.9780671271537, 999.9780717016235, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '44'], [999.9902840901225, 999.9761423672902, 999.9761467635427, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '45'], [999.9902840901225, 999.9785234332776, 999.9785254876753, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '46'], [999.9902840901225, 999.9788753065351, 999.9788774516697, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '47'], [999.9902840901225, 999.980536308036, 999.9805381614832, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '48'], [999.9902840901225, 999.9745273217802, 999.9745309180825, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '49'], [999.9902840901225, 999.988760702587, 999.9887607317091, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '50'], [999.9902840901225, 999.9639170724113, 999.9639261444021, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '51'], [999.9902840901225, 999.9718909681532, 999.9718970915538, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '52'], [999.9902840901225, 999.9769948319793, 999.9769994137565, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '53'], [999.9902840901225, 999.9661037847635, 999.966109387857, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '54'], [999.9902840901225, 999.9752720572266, 999.9752736450747, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '55'], [999.9902840901225, 999.9534293404524, 999.9534432243213, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '56'], [999.9902840901225, 999.9686596705847, 999.9686638333185, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '57'], [999.9902840901225, 999.9837177951962, 999.9837194268392, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '58'], [999.9902840901225, 999.9878620032374, 999.9878620513763, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '59'], [999.9902840901225, 999.9851597463578, 999.9851602777056, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '60'], [999.9902840901225, 999.9869631813058, 999.9869634243619, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '61'], [999.9902840901225, 999.9710043701177, 999.9710092987958, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '62'], [999.9902840901225, 999.9755127288363, 999.9755160526644, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '63'], [999.9902840901225, 999.9612517454163, 999.9612616986387, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '64'], [999.9902840901225, 999.974584089406, 999.9745890548272, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '65'], [999.9902840901225, 999.9808838505219, 999.9808848298817, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '66'], [999.9902840901225, 999.9722646023323, 999.9722707236921, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '67'], [999.9902840901225, 999.9810248758305, 999.9810267535348, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '68'], [999.9902840901225, 999.9720387657167, 999.9720440465455, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '69'], [999.9902840901225, 999.9779809070791, 999.9779851975088, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '70'], [999.9902840901225, 999.9757548096121, 999.9757595037065, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '71'], [999.9902840901225, 999.9840634713852, 999.9840650958885, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '72'], [999.9902840901225, 999.9855105185327, 999.9855108022076, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '73'], [999.9902840901225, 999.9863512598571, 999.9863515174221, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '74'], [999.9902840901225, 999.9560404942579, 999.956050620163, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '75'], [999.9902840901225, 999.9738023652204, 999.9738082050145, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '76'], [999.9902840901225, 999.9785212528362, 999.9785226134195, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '77'], [999.9902840901225, 999.9500349166779, 999.9500476572294, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '78'], [999.9902840901225, 999.9660069138048, 999.96601552606, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '79'], [999.9902840901225, 999.9740044914515, 999.9740102532274, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '80'], [999.9902840901225, 999.9743605786354, 999.9743653637952, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '81'], [999.9902840901225, 999.9804132138303, 999.9804174010376, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '82'], [999.9902840901225, 999.9777790162954, 999.9777812544801, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '83'], [999.9902840901225, 999.9653966250048, 999.9654052030205, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '84'], [999.9902840901225, 999.97822254477, 999.9782268347274, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '85'], [999.9902840901225, 999.977507120185, 999.9775114396352, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '86'], [999.9902840901225, 999.9864149281874, 999.986415163591, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '87'], [999.9902840901225, 999.972653071745, 999.9726578289464, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '88'], [999.9902840901225, 999.9737350364907, 999.973737665631, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '89'], [999.9902840901225, 999.9751949130892, 999.9751982312571, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '90'], [999.9902840901225, 999.9664793550924, 999.9664867295921, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '91'], [999.9902840901225, 999.9784143341446, 999.9784186253725, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '92'], [999.9902840901225, 999.986237475253, 999.9862377441277, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '93'], [999.9902840901225, 999.966538036385, 999.9665465799092, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '94'], [999.9902840901225, 999.9674823028638, 999.967488885313, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '95'], [999.9902840901225, 999.9783605466827, 999.9783648600929, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '96'], [999.9902840901225, 999.9826047124116, 999.9826064373921, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '97'], [999.9902840901225, 999.9711516141426, 999.9711567890561, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '98'], [999.9902840901225, 999.9793154400157, 999.9793196603766, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '99'], [999.9902840901225, 999.9628498408539, 999.9628578236471, '010.10011110111101010001111', '1.101110011111110001011101001', '29', '100']]], [[[999.7168961282836, 999.5942414309618, 999.5942433682252, '-1001.01001001010011100111101', '10001.000100001111110011011101', '30', '1'], [999.7329308327849, 999.700237298164, 999.7002396251115, '-1001.01001000010011100111101', '10001.000000010011110011011101', '30', '2'], [999.7662476400749, 999.6994406340526, 999.6994455771744, '-1000.01001000010011100111101', '10001.000100001111110011011111', '30', '3'], [999.7723092628712, 999.7467923273698, 999.7467955825279, '-1000.00001000010011100111101', '10001.000100001111110011011101', '30', '4'], [999.7723092656339, 999.7602912171004, 999.7602924710442, '-1000.00001000010011100001101', '10001.000100001111110011011101', '30', '5'], [999.8014326241134, 999.7355485453551, 999.7355576104426, '-1001.00001000010011100001101', '00001.000100001111110011011101', '30', '6'], [999.8417527021684, 999.724923170283, 999.7249383269132, '-1001.00001000000011100011101', '00001.100100001111110011011101', '30', '7'], [999.8633094363443, 999.8039728650606, 999.8039804801518, '-1001.00001000000011100010101', '00001.110100001111110011011101', '30', '8'], [999.8738781657374, 999.8395391099853, 999.8395453181666, '-1001.00001000000011100010101', '00001.111100001111110011011101', '30', '9'], [999.8797011260115, 999.8325188776093, 999.8325284583887, '-1001.00000100000011100011101', '00001.111100001111110011011101', '30', '10'], [999.8851647990981, 999.8612136614952, 999.8612176576192, '-1001.00000000000011100010100', '00001.111100001111110011011101', '30', '11'], [999.8877087396976, 999.8367458345871, 999.8367595788671, '-1001.00000000000011100010100', '00001.111110011111111011011101', '30', '12'], [999.8888215036303, 999.8650774344752, 999.8650811957756, '-1001.00000000000011100010100', '00001.111111011111110011011111', '30', '13'], [999.8893969460364, 999.8585281228961, 999.8585369982106, '-1001.00000000000010100010100', '00001.111111111111111011011111', '30', '14'], [999.8894066563424, 999.8492426624609, 999.8492547551671, '-1001.00000000000010000010100', '00001.111111111111111011011111', '30', '15'], [999.8894454835468, 999.8724228266307, 999.8724280445017, '-1001.00000000000000000010100', '00001.111111111111111011011111', '30', '16'], [999.889446561755, 999.8447722226036, 999.8447848327653, '-1001.00000000000000000010100', '00001.111111111111111111011111', '30', '17'], [999.8894466965303, 999.8447246660127, 999.8447351739061, '-1001.00000000000000000010100', '00001.111111111111111111111111', '30', '18'], [999.8894468481523, 999.8514587231516, 999.8514698708034, '-1001.00000000000000000010000', '00001.111111111111111111111111', '30', '19'], [999.8894468481523, 999.835553361594, 999.835568548937, '-1001.00000000000000000010000', '00001.111111111111111111111111', '30', '20'], [999.8894468481523, 999.872465988645, 999.8724686472663, '-1001.00000000000000000010000', '00001.111111111111111111111111', '30', '21'], [999.8894468481523, 999.829815384477, 999.8298314555998, '-1001.00000000000000000010000', '00001.111111111111111111111111', '30', '22'], [999.8894468481523, 999.8371306804385, 999.8371436011679, '-1001.00000000000000000010000', '00001.111111111111111111111111', '30', '23'], [999.8894468481523, 999.8615122433403, 999.8615195352, '-1001.00000000000000000010000', '00001.111111111111111111111111', '30', '24'], [999.8894474377901, 999.8530858551412, 999.8530948364506, '-1001.00000000000000000000000', '00001.111111111111111111111011', '30', '25'], [999.8894474546368, 999.8730358291501, 999.8730391397415, '-1001.00000000000000000000000', '00001.111111111111111111111111', '30', '26'], [999.8894474546368, 999.8484087934518, 999.8484192672364, '-1001.00000000000000000000000', '00001.111111111111111111111111', '30', '27'], [999.8894474546368, 999.8282893940392, 999.8283056521817, '-1001.00000000000000000000000', '00001.111111111111111111111111', '30', '28'], [999.8894474546368, 999.8693988110849, 999.8694042476368, '-1001.00000000000000000000000', '00001.111111111111111111111111', '30', '29'], [999.8894474546368, 999.8546130160439, 999.854621018464, '-1001.00000000000000000000000', '00001.111111111111111111111111', '30', '30'], [999.8894474546368, 999.840045274374, 999.8400601489025, '-1001.00000000000000000000000', '00001.111111111111111111111111', '30', '31'], [999.8894474546368, 999.8443884071166, 999.8444015250909, '-1001.00000000000000000000000', '00001.111111111111111111111111', '30', '32'], [999.8894474546368, 999.8394261017123, 999.8394385200905, '-1001.00000000000000000000000', '00001.111111111111111111111111', '30', '33'], [999.8894474546368, 999.8728709008814, 999.8728751910384, '-1001.00000000000000000000000', '00001.111111111111111111111111', '30', '34'], [999.8894474546368, 999.855714188024, 999.855721890824, '-1001.00000000000000000000000', '00001.111111111111111111111111', '30', '35'], [999.8894474546368, 999.8521764229434, 999.8521857514869, '-1001.00000000000000000000000', '00001.111111111111111111111111', '30', '36'], [999.8894474546368, 999.8339265795353, 999.8339408842875, '-1001.00000000000000000000000', '00001.111111111111111111111111', '30', '37'], [999.8894474546368, 999.8516832240442, 999.8516941649801, '-1001.00000000000000000000000', '00001.111111111111111111111111', '30', '38'], [999.8894474546368, 999.852750585478, 999.8527594654106, '-1001.00000000000000000000000', '00001.111111111111111111111111', '30', '39'], [999.8894474546368, 999.847275377009, 999.8472879446864, '-1001.00000000000000000000000', '00001.111111111111111111111111', '30', '40'], [999.8894474546368, 999.8328552254933, 999.8328694091211, '-1001.00000000000000000000000', '00001.111111111111111111111111', '30', '41'], [999.8894474546368, 999.8539646474544, 999.8539740990332, '-1001.00000000000000000000000', '00001.111111111111111111111111', '30', '42'], [999.8894474546368, 999.8553221153488, 999.8553316773352, '-1001.00000000000000000000000', '00001.111111111111111111111111', '30', '43'], [999.8894474546368, 999.8549576176305, 999.8549670910927, '-1001.00000000000000000000000', '00001.111111111111111111111111', '30', '44'], [999.8894474546368, 999.8698811289535, 999.8698868865957, '-1001.00000000000000000000000', '00001.111111111111111111111111', '30', '45'], [999.8894474546368, 999.8144006518447, 999.8144226593911, '-1001.00000000000000000000000', '00001.111111111111111111111111', '30', '46'], [999.8894474546368, 999.8587149881276, 999.8587225617521, '-1001.00000000000000000000000', '00001.111111111111111111111111', '30', '47'], [999.8894474546368, 999.8414077473088, 999.8414224837176, '-1001.00000000000000000000000', '00001.111111111111111111111111', '30', '48'], [999.8894474546368, 999.8611444095498, 999.8611508152557, '-1001.00000000000000000000000', '00001.111111111111111111111111', '30', '49'], [999.8894474546368, 999.8506428984219, 999.8506537804558, '-1001.00000000000000000000000', '00001.111111111111111111111111', '30', '50'], [999.8894474546368, 999.8641579743303, 999.864163866846, '-1001.00000000000000000000000', '00001.111111111111111111111111', '30', '51'], [999.8894474546368, 999.8582669684256, 999.8582762027863, '-1001.00000000000000000000000', '00001.111111111111111111111111', '30', '52'], [999.8894474546368, 999.8713646410692, 999.8713691422317, '-1001.00000000000000000000000', '00001.111111111111111111111111', '30', '53'], [999.8894474546368, 999.8616383839528, 999.861644484865, '-1001.00000000000000000000000', '00001.111111111111111111111111', '30', '54'], [999.8894474546368, 999.847291733295, 999.8473030796232, '-1001.00000000000000000000000', '00001.111111111111111111111111', '30', '55'], [999.8894474546368, 999.8318933776349, 999.8319086338985, '-1001.00000000000000000000000', '00001.111111111111111111111111', '30', '56'], [999.8894474546368, 999.8478685545197, 999.8478790241993, '-1001.00000000000000000000000', '00001.111111111111111111111111', '30', '57'], [999.8894474546368, 999.8621998317753, 999.8622051135007, '-1001.00000000000000000000000', '00001.111111111111111111111111', '30', '58'], [999.8894474546368, 999.8794909586497, 999.8794934676343, '-1001.00000000000000000000000', '00001.111111111111111111111111', '30', '59'], [999.8894474546368, 999.8704432856239, 999.8704474799102, '-1001.00000000000000000000000', '00001.111111111111111111111111', '30', '60'], [999.8894474546368, 999.8736916291264, 999.8736935690548, '-1001.00000000000000000000000', '00001.111111111111111111111111', '30', '61'], [999.8894474546368, 999.8556638708473, 999.8556710351241, '-1001.00000000000000000000000', '00001.111111111111111111111111', '30', '62'], [999.8894474546368, 999.8377444935369, 999.8377606797849, '-1001.00000000000000000000000', '00001.111111111111111111111111', '30', '63'], [999.8894474546368, 999.8506555176318, 999.8506668765273, '-1001.00000000000000000000000', '00001.111111111111111111111111', '30', '64'], [999.8894474546368, 999.828525411044, 999.8285429719504, '-1001.00000000000000000000000', '00001.111111111111111111111111', '30', '65'], [999.8894474546368, 999.861191111052, 999.8611979140014, '-1001.00000000000000000000000', '00001.111111111111111111111111', '30', '66'], [999.8894474546368, 999.8594928859426, 999.8594995826562, '-1001.00000000000000000000000', '00001.111111111111111111111111', '30', '67'], [999.8894474546368, 999.8674769659926, 999.8674829703571, '-1001.00000000000000000000000', '00001.111111111111111111111111', '30', '68'], [999.9214025787427, 999.8618274410027, 999.8618351557905, '-1001.10000000000000000000000', '00011.111111111111111111111111', '30', '69'], [999.9214025787427, 999.7811414827913, 999.7811569296804, '-1001.10000000000000000000000', '00011.111111111111111111111111', '30', '70'], [999.9214025787427, 999.9004836612819, 999.9004893927834, '-1001.10000000000000000000000', '00011.111111111111111111111111', '30', '71'], [999.9214025787427, 999.8828319857232, 999.8828415764036, '-1001.10000000000000000000000', '00011.111111111111111111111111', '30', '72'], [999.9214025787427, 999.8758995869989, 999.8759094748435, '-1001.10000000000000000000000', '00011.111111111111111111111111', '30', '73'], [999.9214025787427, 999.8971760560318, 999.8971816357075, '-1001.10000000000000000000000', '00011.111111111111111111111111', '30', '74'], [999.9214025787427, 999.8775047826285, 999.8775151387639, '-1001.10000000000000000000000', '00011.111111111111111111111111', '30', '75'], [999.9214025787427, 999.8908249707528, 999.890831589717, '-1001.10000000000000000000000', '00011.111111111111111111111111', '30', '76'], [999.9214025787427, 999.875170902612, 999.8751805003543, '-1001.10000000000000000000000', '00011.111111111111111111111111', '30', '77'], [999.9214025787427, 999.8919321021223, 999.8919381124248, '-1001.10000000000000000000000', '00011.111111111111111111111111', '30', '78'], [999.9214025787427, 999.8976015529314, 999.8976057082087, '-1001.10000000000000000000000', '00011.111111111111111111111111', '30', '79'], [999.9214025787427, 999.8933003540631, 999.8933066591485, '-1001.10000000000000000000000', '00011.111111111111111111111111', '30', '80'], [999.9214025787427, 999.8572628827357, 999.8572780311233, '-1001.10000000000000000000000', '00011.111111111111111111111111', '30', '81'], [999.9214025787427, 999.898262168498, 999.898267324991, '-1001.10000000000000000000000', '00011.111111111111111111111111', '30', '82'], [999.9214025787427, 999.890227622935, 999.890234666929, '-1001.10000000000000000000000', '00011.111111111111111111111111', '30', '83'], [999.9214025787427, 999.8935081000038, 999.8935141724197, '-1001.10000000000000000000000', '00011.111111111111111111111111', '30', '84'], [999.9214025787427, 999.8955383363377, 999.8955431026226, '-1001.10000000000000000000000', '00011.111111111111111111111111', '30', '85'], [999.9214025787427, 999.8685108863879, 999.8685228420039, '-1001.10000000000000000000000', '00011.111111111111111111111111', '30', '86'], [999.9214025787427, 999.8935851583079, 999.8935915165739, '-1001.10000000000000000000000', '00011.111111111111111111111111', '30', '87'], [999.9214025787427, 999.8990973419704, 999.899104524391, '-1001.10000000000000000000000', '00011.111111111111111111111111', '30', '88'], [999.9214025787427, 999.8949122505504, 999.8949167250631, '-1001.10000000000000000000000', '00011.111111111111111111111111', '30', '89'], [999.9214025787427, 999.8946544601296, 999.8946598512443, '-1001.10000000000000000000000', '00011.111111111111111111111111', '30', '90'], [999.9214025787427, 999.8932576969074, 999.8932649751814, '-1001.10000000000000000000000', '00011.111111111111111111111111', '30', '91'], [999.9214025787427, 999.892797519535, 999.8928032227685, '-1001.10000000000000000000000', '00011.111111111111111111111111', '30', '92'], [999.9214025787427, 999.8693878892486, 999.8693991778738, '-1001.10000000000000000000000', '00011.111111111111111111111111', '30', '93'], [999.9214025787427, 999.893570530467, 999.8935767211308, '-1001.10000000000000000000000', '00011.111111111111111111111111', '30', '94'], [999.9214025787427, 999.8765943153616, 999.8766031008881, '-1001.10000000000000000000000', '00011.111111111111111111111111', '30', '95'], [999.9214025787427, 999.8945486582674, 999.894556323007, '-1001.10000000000000000000000', '00011.111111111111111111111111', '30', '96'], [999.9214025787427, 999.8814361075052, 999.8814455019356, '-1001.10000000000000000000000', '00011.111111111111111111111111', '30', '97'], [999.9214025787427, 999.9041665772346, 999.9041700908734, '-1001.10000000000000000000000', '00011.111111111111111111111111', '30', '98'], [999.9214025787427, 999.8767438434728, 999.8767546176899, '-1001.10000000000000000000000', '00011.111111111111111111111111', '30', '99'], [999.9214025787427, 999.8991698373701, 999.8991757381698, '-1001.10000000000000000000000', '00011.111111111111111111111111', '30', '100']]], [[[999.7869034696574, 999.6404782365342, 999.6404870377905, '-100.01100010011011110011111', '1011.101010011100111101001000', '31', '1'], [999.7938768279665, 999.7859381461408, 999.7859381687969, '-100.01100010011011110011011', '1011.101011011100001001001000', '31', '2'], [999.8728954344581, 999.7769254090979, 999.7769287866304, '-101.01100010011011110011011', '1011.101010011100001001001000', '31', '3'], [999.8730000155157, 999.8199379935415, 999.8199451319927, '-101.01100110011011110011011', '1011.101011011100001001001000', '31', '4'], [999.8730094380232, 999.8626192046105, 999.8626205823344, '-101.01100100011011110011011', '1011.101011011110001001001000', '31', '5'], [999.8730094811244, 999.8481620828808, 999.848168321401, '-101.01100100011011110011011', '1011.101011011111001001001000', '31', '6'], [999.8730094812603, 999.8420122656477, 999.8420213398144, '-101.01100100011011110011011', '1011.101011011111001101001000', '31', '7'], [999.8730094812606, 999.8622618741529, 999.8622645651237, '-101.01100100011011110011011', '1011.101011011111001101000000', '31', '8'], [999.8730094812606, 999.8482022421165, 999.8482071093465, '-101.01100100011011110011011', '1011.101011011111001101000001', '31', '9'], [999.8730094812607, 999.8426694228073, 999.8426764860949, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '10'], [999.8730094812607, 999.8664922385252, 999.8664925245788, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '11'], [999.8730094812607, 999.8419949555324, 999.8420027452225, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '12'], [999.8730094812607, 999.8453623517723, 999.8453694777926, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '13'], [999.8730094812607, 999.8640009176638, 999.8640021075456, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '14'], [999.8730094812607, 999.8489526576071, 999.848959574524, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '15'], [999.8730094812607, 999.8499989338354, 999.8500033735011, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '16'], [999.8730094812607, 999.8531308984016, 999.8531339796289, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '17'], [999.8730094812607, 999.8666672585001, 999.8666682374215, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '18'], [999.8730094812607, 999.8556659070193, 999.8556704781696, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '19'], [999.8730094812607, 999.8424073766132, 999.8424153897884, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '20'], [999.8730094812607, 999.8644066504137, 999.8644079191289, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '21'], [999.8730094812607, 999.8545496582825, 999.8545541868286, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '22'], [999.8730094812607, 999.8568432934325, 999.8568471464207, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '23'], [999.8730094812607, 999.8524296408958, 999.8524343070544, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '24'], [999.8730094812607, 999.8480544787172, 999.8480614676752, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '25'], [999.8730094812607, 999.8607791824786, 999.8607808920191, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '26'], [999.8730094812607, 999.8147536033686, 999.814767579254, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '27'], [999.8730094812607, 999.855313078098, 999.8553174566077, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '28'], [999.8730094812607, 999.8665819952118, 999.8665822772737, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '29'], [999.8730094812607, 999.858583722629, 999.8585874952978, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '30'], [999.8730094812607, 999.8607044868735, 999.8607066329307, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '31'], [999.8730094812607, 999.8573330949298, 999.8573357738619, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '32'], [999.8730094812607, 999.8514136092057, 999.851417261148, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '33'], [999.8730094812607, 999.865071825769, 999.8650730896803, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '34'], [999.8730094812607, 999.8654821813215, 999.8654834732461, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '35'], [999.8730094812607, 999.8528648672963, 999.852869728727, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '36'], [999.8730094812607, 999.856867385501, 999.8568698679469, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '37'], [999.8730094812607, 999.8580320007837, 999.8580358117688, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '38'], [999.8730094812607, 999.8469412288005, 999.8469469795311, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '39'], [999.8730094812607, 999.8642211627656, 999.8642222317843, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '40'], [999.8730094812607, 999.8392445909121, 999.8392500304295, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '41'], [999.8730094812607, 999.8303306714532, 999.83034252984, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '42'], [999.8730094812607, 999.8560636625634, 999.8560667920897, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '43'], [999.8730094812607, 999.8532687178381, 999.8532718491739, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '44'], [999.8730094812607, 999.8558726955322, 999.8558766509564, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '45'], [999.8730094812607, 999.8658679354071, 999.8658690034163, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '46'], [999.8730094812607, 999.8421029585505, 999.8421088605048, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '47'], [999.8730094812607, 999.8555328677878, 999.8555371630924, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '48'], [999.8730094812607, 999.8641807090812, 999.8641826106224, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '49'], [999.8730094812607, 999.8540786321563, 999.8540817801847, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '50'], [999.8730094812607, 999.8526911125124, 999.8526959579798, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '51'], [999.8730094812607, 999.835443872912, 999.8354538244394, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '52'], [999.8730094812607, 999.8469142513541, 999.8469203257413, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '53'], [999.8730094812607, 999.8462135591508, 999.8462201543239, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '54'], [999.8730094812607, 999.8542455483466, 999.8542489758937, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '55'], [999.8730094812607, 999.8590036553662, 999.8590071065552, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '56'], [999.8730094812607, 999.8582864568058, 999.8582899613303, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '57'], [999.8730094812607, 999.8366491097023, 999.8366571252545, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '58'], [999.8730094812607, 999.8577147428382, 999.857717797913, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '59'], [999.8730094812607, 999.8498070351254, 999.8498129888187, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '60'], [999.8730094812607, 999.8458672438564, 999.8458726033507, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '61'], [999.8730094812607, 999.8599027511938, 999.8599062296374, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '62'], [999.8730094812607, 999.8384957975234, 999.8385022894686, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '63'], [999.8730094812607, 999.8616991091324, 999.8617008357685, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '64'], [999.8730094812607, 999.8427522169052, 999.8427577548583, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '65'], [999.8730094812607, 999.8437271718041, 999.8437340461284, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '66'], [999.8730094812607, 999.8546239484784, 999.8546272633852, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '67'], [999.8730094812607, 999.8543708014564, 999.8543740478235, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '68'], [999.8730094812607, 999.8557849818638, 999.8557895591384, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '69'], [999.8730094812607, 999.854331736491, 999.8543356169189, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '70'], [999.8730094812607, 999.8515722337366, 999.8515771560695, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '71'], [999.8730094812607, 999.872026686737, 999.8720267020777, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '72'], [999.8730094812607, 999.8615804705828, 999.8615820048644, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '73'], [999.8730094812607, 999.862350508432, 999.862351704259, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '74'], [999.8730094812607, 999.8519005949744, 999.8519045938618, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '75'], [999.8730094812607, 999.8371294123266, 999.8371402722786, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '76'], [999.8730094812607, 999.8543333728252, 999.8543387783822, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '77'], [999.8730094812607, 999.8565486239991, 999.8565529117983, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '78'], [999.8730094812607, 999.8660996171841, 999.866100546158, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '79'], [999.8730094812607, 999.8340003988743, 999.8340105757161, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '80'], [999.8730094812607, 999.8589372001995, 999.8589397693987, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '81'], [999.8730094812607, 999.8406993267886, 999.8407057960223, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '82'], [999.8730094812607, 999.8288348069765, 999.8288455065189, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '83'], [999.8730094812607, 999.8435860502524, 999.8435921155645, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '84'], [999.8730094812607, 999.8490958795362, 999.8490995009126, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '85'], [999.8730094812607, 999.856736877644, 999.8567408840983, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '86'], [999.8730094812607, 999.8660674125625, 999.8660684482893, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '87'], [999.8730094812607, 999.8591260091306, 999.8591273843377, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '88'], [999.8730094812607, 999.8583356439281, 999.8583388113348, '-101.01100100011011110011111', '1011.101011011111001101000000', '31', '89'], [999.9319241801738, 999.8531294331266, 999.8531347781038, '-101.00100100011011110011111', '0011.101011011111001101000000', '31', '90'], [999.9619906076302, 999.8848958116131, 999.8848968522102, '-101.00100100011011110011111', '0011.111011011111001101000000', '31', '91'], [999.9627154880797, 999.9447744111883, 999.9447760355822, '-101.00000100011011110011111', '0011.110011011111001101000000', '31', '92'], [999.9627656387497, 999.9483174280804, 999.9483214587698, '-101.00000100011011110011111', '0011.110011111111001101000000', '31', '93'], [999.9627698703536, 999.9266819848169, 999.9266912372809, '-101.00000100001011110011111', '0011.110011111111001101000000', '31', '94'], [999.9627698721475, 999.923250172496, 999.9232620947363, '-101.00000100001011110011011', '0011.110011111111001101000000', '31', '95'], [999.9627703240043, 999.952342230915, 999.9523429220474, '-101.00000100001001110011110', '0011.110011111111001101010000', '31', '96'], [999.9627703790869, 999.9338428342542, 999.9338515775472, '-101.00000100001001100011110', '0011.110011111111001101010000', '31', '97'], [999.9627719958218, 999.9587765805768, 999.9587768072099, '-101.00000100000001100011110', '0011.110011111111001101000000', '31', '98'], [999.9627721818839, 999.9296166991221, 999.9296270262375, '-101.00000100000000100011110', '0011.110011111111001101011000', '31', '99'], [999.9627724519701, 999.9488967468262, 999.9488985397693, '-101.00000100000000100011110', '0011.110011111111101101010000', '31', '100']]], [[[999.8155697951788, 999.5689963851104, 999.5690003666182, '-100.00000100111110110101010', '-1001.00010000111111001111100', '32', '1'], [999.9152042369111, 999.7587012487976, 999.7587079289432, '-100.0000010011111001010000011', '-1001.100100000111100100010011', '32', '2'], [999.9159150824051, 999.8747034352892, 999.8747152645614, '-100.0000000011111011000000011', '-1001.100100001111100100010011', '32', '3'], [999.921192482186, 999.8989380563187, 999.8989420739354, '-100.0000000011111011010000011', '-1001.100000001111100100010011', '32', '4'], [999.9213414334316, 999.9007956688718, 999.9007996906776, '-100.0000000001111011010000011', '-1001.100000000011100100010011', '32', '5'], [999.9213578462471, 999.8902879739741, 999.8902964334607, '-100.0000000000111011010000011', '-1001.100000000011100100010011', '32', '6'], [999.9213834063023, 999.8920957976713, 999.892102202603, '-100.0000000000111011010000011', '-1001.100000000000100100010011', '32', '7'], [999.9213873517606, 999.9059421807837, 999.9059456417614, '-100.0000000000101011010000011', '-1001.100000000000100100010001', '32', '8'], [999.9213952090647, 999.8964327104732, 999.896439007, '-100.0000000000001011010000010', '-1001.100000000000100100000011', '32', '9'], [999.9213998531636, 999.8984627263462, 999.8984678800675, '-100.0000000000001011010000010', '-1001.100000000000000000000011', '32', '10'], [999.9213999136956, 999.878692778253, 999.8787028469492, '-100.0000000000001011000000010', '-1001.100000000000000000000011', '32', '11'], [999.9214000952649, 999.8955024606495, 999.8955081870118, '-100.0000000000001010010000010', '-1001.100000000000000000000011', '32', '12'], [999.9214018483877, 999.8933321646655, 999.893338737614, '-100.0000000000000011000000010', '-1001.100000000000000000000011', '32', '13'], [999.9214020959201, 999.9047442738873, 999.904747937195, '-100.0000000000000010000000010', '-1001.100000000000000000000000', '32', '14'], [999.9214025767393, 999.9110095492038, 999.9110114975924, '-100.0000000000000000000000010', '-1001.100000000000000000000001', '32', '15'], [999.9214025796854, 999.8922566432883, 999.892263989127, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '16'], [999.9214025796854, 999.8824597825919, 999.8824693660254, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '17'], [999.9214025796854, 999.898352538979, 999.8983576225196, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '18'], [999.9214025796854, 999.8760284823131, 999.8760380125805, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '19'], [999.9214025796854, 999.9060192335864, 999.9060225073658, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '20'], [999.9214025796854, 999.9025430265563, 999.9025463801605, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '21'], [999.9214025796854, 999.8890434472426, 999.8890494710753, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '22'], [999.9214025796854, 999.9017865120229, 999.9017910528945, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '23'], [999.9214025796854, 999.8818053064341, 999.8818132388942, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '24'], [999.9214025796854, 999.8861520302434, 999.8861592624911, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '25'], [999.9214025796854, 999.9059008251213, 999.9059040575225, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '26'], [999.9214025796854, 999.9022819321231, 999.9022854985365, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '27'], [999.9214025796854, 999.907609173474, 999.9076123507159, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '28'], [999.9214025796854, 999.892740061358, 999.8927458863617, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '29'], [999.9214025796854, 999.8992283755745, 999.899234758333, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '30'], [999.9214025796854, 999.8964978477602, 999.8965048847946, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '31'], [999.9214025796854, 999.883429856615, 999.8834385232536, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '32'], [999.9214025796854, 999.9028832964038, 999.9028866548557, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '33'], [999.9214025796854, 999.8751113761192, 999.8751242304359, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '34'], [999.9214025796854, 999.8891879010063, 999.8891965921807, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '35'], [999.9214025796854, 999.9075018962518, 999.9075048517769, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '36'], [999.9214025796854, 999.8981576064534, 999.8981636980171, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '37'], [999.9214025796854, 999.8885873073065, 999.8885935546572, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '38'], [999.9214025796854, 999.8800579957226, 999.8800690841606, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '39'], [999.9214025796854, 999.8806523503366, 999.8806622567589, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '40'], [999.9214025796854, 999.9009948986164, 999.900999635752, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '41'], [999.9214025796854, 999.8992917647054, 999.8992972817024, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '42'], [999.9214025796854, 999.8858341383898, 999.8858429018952, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '43'], [999.9214025796854, 999.8837941538263, 999.883805525788, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '44'], [999.9214025796854, 999.8945263394037, 999.894533380868, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '45'], [999.9214025796854, 999.8999616412515, 999.8999670600687, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '46'], [999.9214025796854, 999.8960650971873, 999.8960709811514, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '47'], [999.9214025796854, 999.9069031673885, 999.9069063386773, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '48'], [999.9214025796854, 999.8978768837501, 999.8978818081039, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '49'], [999.9214025796854, 999.8945011861766, 999.8945083373815, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '50'], [999.9214025796854, 999.8649802735343, 999.8649955787945, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '51'], [999.9214025796854, 999.9183098501569, 999.918309994157, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '52'], [999.9214025796854, 999.8999825728514, 999.89998711849, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '53'], [999.9214025796854, 999.8950375314993, 999.8950426097678, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '54'], [999.9214025796854, 999.8977423327171, 999.8977492129354, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '55'], [999.9214025796854, 999.9038639299018, 999.9038681714134, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '56'], [999.9214025796854, 999.9005945047975, 999.9005982052216, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '57'], [999.9214025796854, 999.8965031471519, 999.8965106733777, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '58'], [999.9214025796854, 999.9019966650806, 999.9020023910886, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '59'], [999.9214025796854, 999.8788264769275, 999.8788365069445, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '60'], [999.9214025796854, 999.8799118970185, 999.8799217133571, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '61'], [999.9214025796854, 999.9074868195385, 999.9074897934054, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '62'], [999.9214025796854, 999.9043262431528, 999.9043301359158, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '63'], [999.9214025796854, 999.8684984576536, 999.8685113299127, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '64'], [999.9214025796854, 999.9070696282138, 999.9070729967917, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '65'], [999.9214025796854, 999.8637703350872, 999.8637844132052, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '66'], [999.9214025796854, 999.8896927471266, 999.8897005743727, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '67'], [999.9214025796854, 999.903907922093, 999.9039138332329, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '68'], [999.9214025796854, 999.9034262226317, 999.9034307644949, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '69'], [999.9214025796854, 999.8969142090805, 999.8969216761137, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '70'], [999.9214025796854, 999.887416082658, 999.8874250799797, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '71'], [999.9214025796854, 999.9009893864136, 999.9009929599429, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '72'], [999.9214025796854, 999.9117400183037, 999.9117416839044, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '73'], [999.9214025796854, 999.8938372132303, 999.8938442491348, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '74'], [999.9214025796854, 999.8889215436479, 999.8889306616555, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '75'], [999.9214025796854, 999.8773073487579, 999.8773182027342, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '76'], [999.9214025796854, 999.9011282882717, 999.9011325679797, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '77'], [999.9214025796854, 999.901008516932, 999.901013150481, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '78'], [999.9214025796854, 999.8966235738604, 999.8966286030304, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '79'], [999.9214025796854, 999.9071795385139, 999.9071826929555, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '80'], [999.9214025796854, 999.8819960280025, 999.8820063681629, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '81'], [999.9214025796854, 999.8810695171725, 999.8810807376208, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '82'], [999.9214025796854, 999.9034659744568, 999.903469631821, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '83'], [999.9214025796854, 999.8985504549604, 999.8985550526762, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '84'], [999.9214025796854, 999.9141464829919, 999.9141479534075, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '85'], [999.9214025796854, 999.8780336844538, 999.8780449749496, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '86'], [999.9214025796854, 999.9093130605422, 999.9093161191486, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '87'], [999.9214025796854, 999.8857007607179, 999.8857097547341, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '88'], [999.9214025796854, 999.8863692990645, 999.886379429713, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '89'], [999.9214025796854, 999.8728676241814, 999.8728806513396, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '90'], [999.9214025796854, 999.8642194010755, 999.8642336931581, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '91'], [999.9214025796854, 999.8929881726668, 999.892994342919, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '92'], [999.9214025796854, 999.9120767781528, 999.9120785504161, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '93'], [999.9214025796854, 999.8716378836308, 999.8716492381657, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '94'], [999.9214025796854, 999.8953640596902, 999.8953715937859, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '95'], [999.9214025796854, 999.8998398604044, 999.8998447392762, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '96'], [999.9214025796854, 999.8788057478047, 999.8788168064043, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '97'], [999.9214025796854, 999.8931257602723, 999.893131888371, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '98'], [999.9214025796854, 999.8820431062732, 999.8820521004333, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '99'], [999.9214025796854, 999.8890494709227, 999.8890584953521, '-100.0000000000000000000000000', '-1001.100000000000000000000000', '32', '100']]], [[[999.961043611755, 999.8669209712831, 999.8669220560273, '110.00111010110110110110000', '0.001110010010010100000100100', '33', '1'], [999.9627489132878, 999.9528725611311, 999.9528752832108, '110.00111010110110110110010', '0.101110010010010001000100100', '33', '2'], [999.9627739577542, 999.9335304694672, 999.9335382134202, '110.00111011110111110110010', '0.101110010010010100000100100', '33', '3'], [999.9627755772008, 999.9500905497877, 999.9500940114092, '110.00111011110110110110010', '0.101110110010010100000100100', '33', '4'], [999.9627759228638, 999.9470492120115, 999.9470534731764, '110.00111011111111110110010', '0.101110110110010100000100100', '33', '5'], [999.9627759248865, 999.94143643059, 999.9414425152589, '110.00111011111111111110010', '0.101110110100010100000100100', '33', '6'], [999.9627759248916, 999.9249768985771, 999.9249870811942, '110.00111011111111111110010', '0.101110110100011100000100100', '33', '7'], [999.962775924892, 999.932340918501, 999.9323498565042, '110.00111011111111111110000', '0.101110110100011100000100100', '33', '8'], [999.9627759248925, 999.9237927168135, 999.9238038290972, '110.00111011111111111101000', '0.101110110100011100000100100', '33', '9'], [999.9627759248925, 999.9343588301203, 999.9343662229124, '110.00111011111111111101011', '0.101110110100011100000100100', '33', '10'], [999.9627759248925, 999.9563742205174, 999.9563753410689, '110.00111011111111111101011', '0.101110110100011100000110100', '33', '11'], [999.9627759248925, 999.9507338202003, 999.9507362620093, '110.00111011111111111101011', '0.101110110100011100000111100', '33', '12'], [999.9627759248925, 999.9423808253122, 999.9423868961923, '110.00111011111111111101011', '0.101110110100011100000111110', '33', '13'], [999.9627759248925, 999.938570974147, 999.9385790950599, '110.00111011111111111101011', '0.101110110100011100000111110', '33', '14'], [999.9627759248925, 999.9484253674038, 999.9484272503994, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '15'], [999.9627759248925, 999.9410994318913, 999.9411055775141, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '16'], [999.9627759248925, 999.9463722480464, 999.9463764728794, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '17'], [999.9627759248925, 999.9426462612693, 999.9426514908066, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '18'], [999.9627759248925, 999.9354727424076, 999.9354799618837, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '19'], [999.9627759248925, 999.9389598208952, 999.9389662317483, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '20'], [999.9627759248925, 999.9400161283942, 999.9400241452431, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '21'], [999.9627759248925, 999.9337297833932, 999.933739784574, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '22'], [999.9627759248925, 999.9381765936682, 999.9381829118632, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '23'], [999.9627759248925, 999.9381741721913, 999.9381804902675, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '24'], [999.9627759248925, 999.9527248327495, 999.9527281042693, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '25'], [999.9627759248925, 999.948012756652, 999.9480177790159, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '26'], [999.9627759248925, 999.9400151683267, 999.9400231845977, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '27'], [999.9627759248925, 999.9481806794079, 999.9481848152161, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '28'], [999.9627759248925, 999.9494193192626, 999.9494219518729, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '29'], [999.9627759248925, 999.9411710251927, 999.941178021439, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '30'], [999.9627759248925, 999.9572023732904, 999.9572034648309, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '31'], [999.9627759248925, 999.9482463098691, 999.948251361643, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '32'], [999.9627759248925, 999.9471687960333, 999.9471731119189, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '33'], [999.9627759248925, 999.9346555478376, 999.9346626713823, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '34'], [999.9627759248925, 999.9252393051313, 999.9252512853296, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '35'], [999.9627759248925, 999.9486194283356, 999.9486227975093, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '36'], [999.9627759248925, 999.9384943251234, 999.9385021011879, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '37'], [999.9627759248925, 999.9365214158736, 999.9365286411211, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '38'], [999.9627759248925, 999.9391248565988, 999.9391338888919, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '39'], [999.9627759248925, 999.9620311997825, 999.9620312160866, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '40'], [999.9627759248925, 999.951122222459, 999.9511253081364, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '41'], [999.9627759248925, 999.9426994036066, 999.9427047257333, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '42'], [999.9627759248925, 999.941179486085, 999.9411864790011, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '43'], [999.9627759248925, 999.9297472998104, 999.9297563847813, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '44'], [999.9627759248925, 999.9424735165403, 999.9424794906923, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '45'], [999.9627759248925, 999.9391107927233, 999.9391187983656, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '46'], [999.9627759248925, 999.9558195095107, 999.9558207986876, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '47'], [999.9627759248925, 999.9503502825447, 999.9503527411593, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '48'], [999.9627759248925, 999.9381921586397, 999.9381983697884, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '49'], [999.9627759248925, 999.9572508541725, 999.9572519456982, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '50'], [999.9627759248925, 999.9541331232394, 999.9541362015693, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '51'], [999.9627759248925, 999.954273810134, 999.954276893567, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '52'], [999.9627759248925, 999.9453435806543, 999.9453472293486, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '53'], [999.9627759248925, 999.9258589011894, 999.9258708369416, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '54'], [999.9627759248925, 999.9551939216104, 999.9551952220336, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '55'], [999.9627759248925, 999.925789350583, 999.9258013999134, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '56'], [999.9627759248925, 999.939751205629, 999.9397582267304, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '57'], [999.9627759248925, 999.9406538063396, 999.9406599287811, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '58'], [999.9627759248925, 999.9561736837118, 999.9561757235796, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '59'], [999.9627759248925, 999.9377209378558, 999.9377284527644, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '60'], [999.9627759248925, 999.9550914005765, 999.9550926961275, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '61'], [999.9627759248925, 999.9623849592098, 999.9623849613024, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '62'], [999.9627759248925, 999.9487064520426, 999.9487096362445, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '63'], [999.9627759248925, 999.9235748459662, 999.9235867044437, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '64'], [999.9627759248925, 999.9568245832473, 999.956825687078, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '65'], [999.9627759248925, 999.9342812271101, 999.934287501382, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '66'], [999.9627759248925, 999.9466895731401, 999.9466936868301, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '67'], [999.9627759248925, 999.9548666574551, 999.954867968941, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '68'], [999.9627759248925, 999.9480058066599, 999.9480101140596, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '69'], [999.9627759248925, 999.9290760793743, 999.9290868257318, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '70'], [999.9627759248925, 999.9525563197324, 999.9525578172982, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '71'], [999.9627759248925, 999.953461075751, 999.9534641627096, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '72'], [999.9627759248925, 999.9558005117012, 999.9558025551597, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '73'], [999.9627759248925, 999.9347743352102, 999.9347813534482, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '74'], [999.9627759248925, 999.9535915169348, 999.9535946058958, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '75'], [999.9627759248925, 999.9336053205683, 999.9336152232827, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '76'], [999.9627759248925, 999.9605289257838, 999.9605291422329, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '77'], [999.9627759248925, 999.9489391244382, 999.9489431469049, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '78'], [999.9627759248925, 999.9475722870106, 999.947576594644, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '79'], [999.9627759248925, 999.9190254192125, 999.9190375295029, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '80'], [999.9627759248925, 999.9541806642825, 999.9541837478599, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '81'], [999.9627759248925, 999.9409176766645, 999.9409239139275, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '82'], [999.9627759248925, 999.9386545554692, 999.9386625473563, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '83'], [999.9627759248925, 999.9329271555064, 999.9329343370979, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '84'], [999.9627759248925, 999.9378046211749, 999.9378109508816, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '85'], [999.9627759248925, 999.9370646799878, 999.9370727618964, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '86'], [999.9627759248925, 999.9489555730682, 999.9489590038708, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '87'], [999.9627759248925, 999.9555135960588, 999.9555148862001, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '88'], [999.9627759248925, 999.9480080122011, 999.9480112028905, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '89'], [999.9627759248925, 999.9601507364468, 999.9601509576657, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '90'], [999.9627759248925, 999.9468993351884, 999.9469036489486, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '91'], [999.9627759248925, 999.9396416969669, 999.9396488616552, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '92'], [999.9627759248925, 999.9245024177319, 999.9245135844992, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '93'], [999.9627759248925, 999.924244382404, 999.9242563516714, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '94'], [999.9627759248925, 999.9513331870432, 999.9513362740089, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '95'], [999.9627759248925, 999.9275101064529, 999.9275199755355, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '96'], [999.9627759248925, 999.9373889173366, 999.9373963414221, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '97'], [999.9627759248925, 999.9328521278632, 999.9328612742859, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '98'], [999.9627759248925, 999.9296488418971, 999.9296570805826, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '99'], [999.9627759248925, 999.9384778551995, 999.938486887671, '110.00111011111111111101011', '0.101110110100011100000111111', '33', '100']]], [[[999.8115194468061, 999.6249870782264, 999.6249921634079, '1101.00000100110100101110000', '-1001.00000010001000000001101', '34', '1'], [999.8216524919695, 999.7932361999106, 999.7932396788235, '1101.00000100110100101110000', '-1001.01000010001000001001101', '34', '2'], [999.8729937832667, 999.7992609834686, 999.7992653743675, '1001.00000100110100101110000', '-1001.01000010001000011001101', '34', '3'], [999.873001917202, 999.8281484943991, 999.8281524290768, '1001.00000100010100101110000', '-1001.01000010001000011001101', '34', '4'], [999.8730093242943, 999.861617091793, 999.8616181578224, '1001.00000100010100100110000', '-1001.01000011001000011001101', '34', '5'], [999.8730094447432, 999.8526750708132, 999.8526789580286, '1001.00000100010100100110000', '-1001.01000011011000011001101', '34', '6'], [999.8730094577861, 999.838054757912, 999.8380618250818, '1001.00000100010101100110000', '-1001.01000011011000011001101', '34', '7'], [999.8730094709722, 999.8312801406486, 999.831291812588, '1001.00000100010100100100000', '-1001.01000011010000011001100', '34', '8'], [999.8730094798143, 999.8521833301197, 999.8521874588389, '1001.00000100011100100101000', '-1001.01000011011010011001100', '34', '9'], [999.8730094812589, 999.8693869037362, 999.8693870232793, '1001.00000100011100100101000', '-1001.01000011011011011001100', '34', '10'], [999.8730094812602, 999.8459662494871, 999.8459739254623, '1001.00000100011100100100000', '-1001.01000011011011011001100', '34', '11'], [999.8730094812606, 999.8491509520059, 999.8491553862381, '1001.00000100011100100100001', '-1001.01000011011011011011100', '34', '12'], [999.8730094812606, 999.8465555516711, 999.8465630754955, '1001.00000100011100100101001', '-1001.01000011011011011011100', '34', '13'], [999.8730094812606, 999.8507695999252, 999.8507751435355, '1001.00000100011100100101010', '-1001.01000011011011011011100', '34', '14'], [999.8730094812606, 999.8314154368211, 999.8314276601163, '1001.00000100011100100101010', '-1001.01000011011011011011110', '34', '15'], [999.8730094812606, 999.8579969745202, 999.8580003041455, '1001.00000100011100100101011', '-1001.01000011011011011011110', '34', '16'], [999.8730094812607, 999.8464060220191, 999.8464121369815, '1001.00000100011100100101000', '-1001.01000011011011011011111', '34', '17'], [999.8730094812607, 999.8682682571846, 999.868268597188, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '18'], [999.8730094812607, 999.8464217143954, 999.8464295854334, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '19'], [999.8730094812607, 999.8501854423091, 999.8501898131022, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '20'], [999.8730094812607, 999.8559053033963, 999.8559088255793, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '21'], [999.8730094812607, 999.8406308899855, 999.840638042876, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '22'], [999.8730094812607, 999.868309412994, 999.8683098961516, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '23'], [999.8730094812607, 999.8455373209117, 999.8455450785481, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '24'], [999.8730094812607, 999.8575838364393, 999.857587303915, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '25'], [999.8730094812607, 999.8530729652699, 999.8530766116678, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '26'], [999.8730094812607, 999.844847184241, 999.8448532702785, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '27'], [999.8730094812607, 999.8550582299218, 999.8550616228292, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '28'], [999.8730094812607, 999.8571841733146, 999.857187586712, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '29'], [999.8730094812607, 999.8598706507718, 999.8598721241601, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '30'], [999.8730094812607, 999.8615017965869, 999.8615028365545, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '31'], [999.8730094812607, 999.852846052201, 999.8528497670358, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '32'], [999.8730094812607, 999.8661594146192, 999.866160031253, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '33'], [999.8730094812607, 999.8490064015951, 999.849012266177, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '34'], [999.8730094812607, 999.8621502686576, 999.8621530646104, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '35'], [999.8730094812607, 999.8472675304916, 999.8472721765456, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '36'], [999.8730094812607, 999.84832556314, 999.8483330357105, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '37'], [999.8730094812607, 999.8568211903479, 999.8568247130178, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '38'], [999.8730094812607, 999.8600667206555, 999.860068048328, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '39'], [999.8730094812607, 999.8597438830491, 999.8597454829318, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '40'], [999.8730094812607, 999.8568871834182, 999.8568893567318, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '41'], [999.8730094812607, 999.8604865778401, 999.8604892671977, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '42'], [999.8730094812607, 999.8545216005934, 999.854527014019, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '43'], [999.8730094812607, 999.8636994203079, 999.8637003739888, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '44'], [999.8730094812607, 999.8480664028642, 999.8480738896059, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '45'], [999.8730094812607, 999.8341447388711, 999.834155250236, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '46'], [999.8730094812607, 999.85047936696, 999.850484904544, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '47'], [999.8730094812607, 999.852160795653, 999.8521654214692, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '48'], [999.8730094812607, 999.8483447517641, 999.8483494143833, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '49'], [999.8730094812607, 999.8415875106263, 999.8415935119212, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '50'], [999.8730094812607, 999.843100341327, 999.8431078044918, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '51'], [999.8730094812607, 999.8526262674205, 999.852628634234, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '52'], [999.8730094812607, 999.8626427326549, 999.8626453638731, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '53'], [999.8730094812607, 999.8533989213242, 999.853402623608, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '54'], [999.8730094812607, 999.8644137495945, 999.8644145732528, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '55'], [999.8730094812607, 999.8543234726841, 999.8543272122687, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '56'], [999.8730094812607, 999.8563514470429, 999.8563545464303, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '57'], [999.8730094812607, 999.8548571071162, 999.8548621518432, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '58'], [999.8730094812607, 999.8489315170476, 999.84893740098, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '59'], [999.8730094812607, 999.843331997926, 999.8433402534457, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '60'], [999.8730094812607, 999.8392016478756, 999.8392083266026, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '61'], [999.8730094812607, 999.8576141062807, 999.8576175380828, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '62'], [999.8730094812607, 999.8476691112447, 999.8476749893157, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '63'], [999.8730094812607, 999.853368446172, 999.8533737138089, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '64'], [999.8730094812607, 999.8643910642395, 999.864392097009, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '65'], [999.8730094812607, 999.8342139995144, 999.8342214536234, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '66'], [999.8730094812607, 999.8599074100305, 999.8599089048764, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '67'], [999.8730094812607, 999.8548567284897, 999.8548616266755, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '68'], [999.8730094812607, 999.849419190299, 999.8494247928828, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '69'], [999.8730094812607, 999.8529531483385, 999.85295704142, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '70'], [999.8730094812607, 999.8625974790067, 999.8625983907419, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '71'], [999.8730094812607, 999.865063840848, 999.865064476659, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '72'], [999.8730094812607, 999.8500924977556, 999.8500983752583, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '73'], [999.8730094812607, 999.848133524504, 999.8481363812732, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '74'], [999.8730094812607, 999.8391628892822, 999.8391702816726, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '75'], [999.8730094812607, 999.8536142206434, 999.8536181788337, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '76'], [999.8730094812607, 999.8680298154874, 999.86803034073, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '77'], [999.8730094812607, 999.8288409239185, 999.828852286943, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '78'], [999.8730094812607, 999.8547577959409, 999.8547615452958, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '79'], [999.8730094812607, 999.8308854555743, 999.8308979617641, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '80'], [999.8730094812607, 999.8503319351092, 999.8503374567949, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '81'], [999.8730094812607, 999.8459055659664, 999.845911572248, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '82'], [999.8730094812607, 999.8526999483132, 999.8527037051159, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '83'], [999.8730094812607, 999.8521096113249, 999.8521151188244, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '84'], [999.8730094812607, 999.8581929722225, 999.8581964205589, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '85'], [999.8730094812607, 999.8590592403975, 999.8590626763553, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '86'], [999.8730094812607, 999.8666751221288, 999.8666752910827, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '87'], [999.8730094812607, 999.8430983415968, 999.8431050299349, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '88'], [999.8730094812607, 999.8594112782624, 999.8594125404483, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '89'], [999.8730094812607, 999.8435067167404, 999.8435159860187, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '90'], [999.8730094812607, 999.857571977648, 999.8575752566677, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '91'], [999.8730094812607, 999.8494813906524, 999.8494872111386, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '92'], [999.8730094812607, 999.8527595330162, 999.8527635166352, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '93'], [999.8730094812607, 999.868886108764, 999.8688865659491, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '94'], [999.8730094812607, 999.8399457045588, 999.8399541192481, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '95'], [999.8730094812607, 999.859515351789, 999.8595186887054, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '96'], [999.8730094812607, 999.8336707003962, 999.8336812990509, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '97'], [999.8730094812607, 999.8440154269557, 999.844020244413, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '98'], [999.8730094812607, 999.8444878244414, 999.8444932675426, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '99'], [999.8730094812607, 999.8530213648359, 999.8530254764727, '1001.00000100011100100101001', '-1001.01000011011011011011111', '34', '100']]], [[[999.9023441215201, 999.7621455523613, 999.7621590188901, '-1001.111010010111111001110', '101.000111010000111001000', '35', '1'], [999.9110569216548, 999.8594302006517, 999.8594405238988, '-1001.111010010111111000110', '101.000010100000111001000', '35', '2'], [999.9184093244126, 999.8659100038734, 999.865923971544, '-1001.111110000111111000110', '101.000010100000111001000', '35', '3'], [999.9196763989222, 999.8680809805151, 999.8680938891422, '-1001.111111000111111000110', '101.000010100000111001010', '35', '4'], [999.9203240117585, 999.8977645768259, 999.8977712855894, '-1001.111110011111111000110', '101.000000100000110001000', '35', '5'], [999.9213823944209, 999.8755509279558, 999.8755656640046, '-1001.111111111101111000110', '101.000000100000110001000', '35', '6'], [999.9215258192074, 999.9065321742553, 999.9065356924957, '-1001.111111111101111100110', '101.000000000000110001000', '35', '7'], [999.921527821873, 999.9011605867864, 999.9011667264416, '-1001.111111111101111100110', '101.000000000000010001000', '35', '8'], [999.9215287956, 999.8801541929782, 999.8801668495744, '-1001.111111111101111100100', '101.000000000000000001000', '35', '9'], [999.9215289951433, 999.8904215598511, 999.8904311201961, '-1001.111111111101111110100', '101.000000000000000001000', '35', '10'], [999.9215416190314, 999.9148305352114, 999.9148308949676, '-1001.111111111111111110100', '101.000000000000000001000', '35', '11'], [999.9215417774361, 999.8776655080496, 999.8776807590178, '-1001.111111111111111111100', '101.000000000000000000000', '35', '12'], [999.9215417774361, 999.9020446665443, 999.9020511529086, '-1001.111111111111111111100', '101.000000000000000000000', '35', '13'], [999.921541801802, 999.8861537103519, 999.8861647471106, '-1001.111111111111111111110', '101.000000000000000000000', '35', '14'], [999.921541801802, 999.8595751485545, 999.8595967115657, '-1001.111111111111111111110', '101.000000000000000000000', '35', '15'], [999.921541801802, 999.876485175517, 999.8764990545812, '-1001.111111111111111111110', '101.000000000000000000000', '35', '16'], [999.921541801802, 999.8810145205905, 999.8810263803546, '-1001.111111111111111111110', '101.000000000000000000000', '35', '17'], [999.9215418139845, 999.8531215028438, 999.8531417141235, '-1001.111111111111111111111', '101.000000000000000000000', '35', '18'], [999.9215418139845, 999.8991679118952, 999.8991748220492, '-1001.111111111111111111111', '101.000000000000000000000', '35', '19'], [999.9215418139845, 999.8379502569911, 999.837977812345, '-1001.111111111111111111111', '101.000000000000000000000', '35', '20'], [999.9215418139845, 999.9015886590583, 999.901592663902, '-1001.111111111111111111111', '101.000000000000000000000', '35', '21'], [999.9215418139845, 999.9001799095008, 999.9001847967263, '-1001.111111111111111111111', '101.000000000000000000000', '35', '22'], [999.9215418139845, 999.8990868356351, 999.8990937692776, '-1001.111111111111111111111', '101.000000000000000000000', '35', '23'], [999.9215418139845, 999.9183693346665, 999.9183694798522, '-1001.111111111111111111111', '101.000000000000000000000', '35', '24'], [999.9215418139845, 999.9059285597527, 999.9059325463359, '-1001.111111111111111111111', '101.000000000000000000000', '35', '25'], [999.9215418139845, 999.8885629066272, 999.8885721311443, '-1001.111111111111111111111', '101.000000000000000000000', '35', '26'], [999.9215418139845, 999.8977997875511, 999.8978060408989, '-1001.111111111111111111111', '101.000000000000000000000', '35', '27'], [999.9215418139845, 999.8916736573129, 999.8916830900042, '-1001.111111111111111111111', '101.000000000000000000000', '35', '28'], [999.9215418139845, 999.8948926850011, 999.894899758668, '-1001.111111111111111111111', '101.000000000000000000000', '35', '29'], [999.9215418139845, 999.8944425020281, 999.8944503488507, '-1001.111111111111111111111', '101.000000000000000000000', '35', '30'], [999.9215418139845, 999.9010980708441, 999.9011048473282, '-1001.111111111111111111111', '101.000000000000000000000', '35', '31'], [999.9215418139845, 999.8866319412515, 999.886644458169, '-1001.111111111111111111111', '101.000000000000000000000', '35', '32'], [999.9215418139845, 999.8839585310888, 999.8839703807312, '-1001.111111111111111111111', '101.000000000000000000000', '35', '33'], [999.9215418139845, 999.884548188385, 999.8845610594113, '-1001.111111111111111111111', '101.000000000000000000000', '35', '34'], [999.9215418139845, 999.870574810169, 999.8705910824835, '-1001.111111111111111111111', '101.000000000000000000000', '35', '35'], [999.9215418139845, 999.9007149389462, 999.9007216175311, '-1001.111111111111111111111', '101.000000000000000000000', '35', '36'], [999.9215418139845, 999.8846957382228, 999.8847048945408, '-1001.111111111111111111111', '101.000000000000000000000', '35', '37'], [999.9215418139845, 999.8716261695116, 999.8716417242124, '-1001.111111111111111111111', '101.000000000000000000000', '35', '38'], [999.9215418139845, 999.8811894849927, 999.8812018336772, '-1001.111111111111111111111', '101.000000000000000000000', '35', '39'], [999.9215418139845, 999.8955747675179, 999.8955812293083, '-1001.111111111111111111111', '101.000000000000000000000', '35', '40'], [999.9215418139845, 999.8805112250909, 999.8805228961743, '-1001.111111111111111111111', '101.000000000000000000000', '35', '41'], [999.9215418139845, 999.8965749146025, 999.8965816681582, '-1001.111111111111111111111', '101.000000000000000000000', '35', '42'], [999.9215418139845, 999.885691282803, 999.885699609495, '-1001.111111111111111111111', '101.000000000000000000000', '35', '43'], [999.9215418139845, 999.885043267793, 999.8850538699014, '-1001.111111111111111111111', '101.000000000000000000000', '35', '44'], [999.9215418139845, 999.891125864765, 999.891134757278, '-1001.111111111111111111111', '101.000000000000000000000', '35', '45'], [999.9215418139845, 999.8862224301175, 999.886234583442, '-1001.111111111111111111111', '101.000000000000000000000', '35', '46'], [999.9215418139845, 999.9105228139517, 999.9105242338803, '-1001.111111111111111111111', '101.000000000000000000000', '35', '47'], [999.9215418139845, 999.8944584721456, 999.8944663350028, '-1001.111111111111111111111', '101.000000000000000000000', '35', '48'], [999.9215418139845, 999.8831018010474, 999.883113212093, '-1001.111111111111111111111', '101.000000000000000000000', '35', '49'], [999.9215418139845, 999.8854902068703, 999.8855001353795, '-1001.111111111111111111111', '101.000000000000000000000', '35', '50'], [999.9215418139845, 999.9058243811461, 999.9058283445906, '-1001.111111111111111111111', '101.000000000000000000000', '35', '51'], [999.9215418139845, 999.8876288146568, 999.887639033903, '-1001.111111111111111111111', '101.000000000000000000000', '35', '52'], [999.9215418139845, 999.8980862972392, 999.8980932467729, '-1001.111111111111111111111', '101.000000000000000000000', '35', '53'], [999.9215418139845, 999.8977274033923, 999.8977335666441, '-1001.111111111111111111111', '101.000000000000000000000', '35', '54'], [999.9215418139845, 999.8755007430132, 999.8755161981697, '-1001.111111111111111111111', '101.000000000000000000000', '35', '55'], [999.9215418139845, 999.8980868798744, 999.8980931659204, '-1001.111111111111111111111', '101.000000000000000000000', '35', '56'], [999.9215418139845, 999.8485446585134, 999.8485668217199, '-1001.111111111111111111111', '101.000000000000000000000', '35', '57'], [999.9215418139845, 999.8988389886175, 999.8988447770349, '-1001.111111111111111111111', '101.000000000000000000000', '35', '58'], [999.9215418139845, 999.8701650549061, 999.8701803456803, '-1001.111111111111111111111', '101.000000000000000000000', '35', '59'], [999.9215418139845, 999.8853698342202, 999.8853806072028, '-1001.111111111111111111111', '101.000000000000000000000', '35', '60'], [999.9215418139845, 999.8811698262103, 999.8811821335345, '-1001.111111111111111111111', '101.000000000000000000000', '35', '61'], [999.9215418139845, 999.8834349662684, 999.8834474322804, '-1001.111111111111111111111', '101.000000000000000000000', '35', '62'], [999.9215418139845, 999.895137712337, 999.8951474104468, '-1001.111111111111111111111', '101.000000000000000000000', '35', '63'], [999.9215418139845, 999.9037776826221, 999.9037815895213, '-1001.111111111111111111111', '101.000000000000000000000', '35', '64'], [999.9215418139845, 999.8822460163761, 999.8822572591445, '-1001.111111111111111111111', '101.000000000000000000000', '35', '65'], [999.9215418139845, 999.8778974904048, 999.8779128948258, '-1001.111111111111111111111', '101.000000000000000000000', '35', '66'], [999.9215418139845, 999.898866966087, 999.8988739856998, '-1001.111111111111111111111', '101.000000000000000000000', '35', '67'], [999.9215418139845, 999.8894854757352, 999.8894942635714, '-1001.111111111111111111111', '101.000000000000000000000', '35', '68'], [999.9215418139845, 999.8929840464293, 999.8929938493857, '-1001.111111111111111111111', '101.000000000000000000000', '35', '69'], [999.9215418139845, 999.8794783387126, 999.879491837174, '-1001.111111111111111111111', '101.000000000000000000000', '35', '70'], [999.9215418139845, 999.9041150161578, 999.9041209301281, '-1001.111111111111111111111', '101.000000000000000000000', '35', '71'], [999.9215418139845, 999.9090646872314, 999.9090682027993, '-1001.111111111111111111111', '101.000000000000000000000', '35', '72'], [999.9215418139845, 999.8796776538688, 999.8796892510894, '-1001.111111111111111111111', '101.000000000000000000000', '35', '73'], [999.9215418139845, 999.8966273574489, 999.8966348552025, '-1001.111111111111111111111', '101.000000000000000000000', '35', '74'], [999.9215418139845, 999.8943992769298, 999.8944086709031, '-1001.111111111111111111111', '101.000000000000000000000', '35', '75'], [999.9215418139845, 999.8944657467739, 999.8944734304773, '-1001.111111111111111111111', '101.000000000000000000000', '35', '76'], [999.9215418139845, 999.8963799609401, 999.8963884405356, '-1001.111111111111111111111', '101.000000000000000000000', '35', '77'], [999.9215418139845, 999.8945629464292, 999.8945721085377, '-1001.111111111111111111111', '101.000000000000000000000', '35', '78'], [999.9215418139845, 999.8744965878926, 999.8745130674873, '-1001.111111111111111111111', '101.000000000000000000000', '35', '79'], [999.9215418139845, 999.8742837669841, 999.8742988187722, '-1001.111111111111111111111', '101.000000000000000000000', '35', '80'], [999.9215418139845, 999.8858335159108, 999.8858456462513, '-1001.111111111111111111111', '101.000000000000000000000', '35', '81'], [999.9215418139845, 999.8942412170192, 999.8942497236277, '-1001.111111111111111111111', '101.000000000000000000000', '35', '82'], [999.9215418139845, 999.8875034331567, 999.8875135040986, '-1001.111111111111111111111', '101.000000000000000000000', '35', '83'], [999.9215418139845, 999.9008569388488, 999.9008638233216, '-1001.111111111111111111111', '101.000000000000000000000', '35', '84'], [999.9215418139845, 999.8771112899553, 999.8771237588321, '-1001.111111111111111111111', '101.000000000000000000000', '35', '85'], [999.9215418139845, 999.8849097522253, 999.8849188074494, '-1001.111111111111111111111', '101.000000000000000000000', '35', '86'], [999.9215418139845, 999.8978928270917, 999.8978992264638, '-1001.111111111111111111111', '101.000000000000000000000', '35', '87'], [999.9215418139845, 999.8886074301766, 999.8886178284871, '-1001.111111111111111111111', '101.000000000000000000000', '35', '88'], [999.9215418139845, 999.8894488358627, 999.8894585900917, '-1001.111111111111111111111', '101.000000000000000000000', '35', '89'], [999.9215418139845, 999.86050621607, 999.8605251201901, '-1001.111111111111111111111', '101.000000000000000000000', '35', '90'], [999.9215418139845, 999.8771177735938, 999.8771306279505, '-1001.111111111111111111111', '101.000000000000000000000', '35', '91'], [999.9215418139845, 999.8724704541298, 999.8724850820325, '-1001.111111111111111111111', '101.000000000000000000000', '35', '92'], [999.9215418139845, 999.8410402135081, 999.8410642650854, '-1001.111111111111111111111', '101.000000000000000000000', '35', '93'], [999.9215418139845, 999.8886470369064, 999.888657270328, '-1001.111111111111111111111', '101.000000000000000000000', '35', '94'], [999.9215418139845, 999.9005909190075, 999.9005975800886, '-1001.111111111111111111111', '101.000000000000000000000', '35', '95'], [999.9215418139845, 999.8871492837953, 999.8871591279483, '-1001.111111111111111111111', '101.000000000000000000000', '35', '96'], [999.9215418139845, 999.9053759749149, 999.9053776859203, '-1001.111111111111111111111', '101.000000000000000000000', '35', '97'], [999.9215418139845, 999.8920399576209, 999.8920479433657, '-1001.111111111111111111111', '101.000000000000000000000', '35', '98'], [999.9215418139845, 999.8760944092362, 999.8761072816624, '-1001.111111111111111111111', '101.000000000000000000000', '35', '99'], [999.9215418139845, 999.8893386460525, 999.8893481508546, '-1001.111111111111111111111', '101.000000000000000000000', '35', '100']]], [[[999.9101669414381, 999.6859625855355, 999.6859755010055, '-1001.1010100101011110011111', '100.0001110101111110011001100', '36', '1'], [999.9218013024662, 999.86200111603, 999.8620065433034, '-1001.1010100100011110011110', '100.0101110101111110011001000', '36', '2'], [999.9218108086735, 999.892809453007, 999.8928172344072, '-1001.1010100000011110011111', '100.0101110101111110011001100', '36', '3'], [999.921810815919, 999.89625556688, 999.8962622916323, '-1001.1010100000011110011110', '100.0101110101110110011001100', '36', '4'], [999.9218108174081, 999.896196937277, 999.8962033941159, '-1001.1010100000011110011111', '100.0101110101101100011001100', '36', '5'], [999.9218108175181, 999.8973674169204, 999.897374255397, '-1001.1010100000011111011111', '100.0101110101110100011001100', '36', '6'], [999.9218108177988, 999.9062916203918, 999.9062959797022, '-1001.1010100000011111011111', '100.0101110101110000011001100', '36', '7'], [999.9218108178363, 999.8758313539788, 999.8758449761006, '-1001.1010100000011111001111', '100.0101110101110000011001100', '36', '8'], [999.9218108178546, 999.8654923564338, 999.8655098783258, '-1001.1010100000011110111111', '100.0101110101110000011001100', '36', '9'], [999.9218108178565, 999.89360871055, 999.8936164569736, '-1001.1010100000011110110111', '100.0101110101110000011011100', '36', '10'], [999.9218108178565, 999.8787536517704, 999.8787671195913, '-1001.1010100000011110111101', '100.0101110101110000011111100', '36', '11'], [999.9218108178565, 999.8694397018579, 999.8694551868632, '-1001.1010100000011110111101', '100.0101110101110000011111110', '36', '12'], [999.9218108178565, 999.8609022879353, 999.8609203527623, '-1001.1010100000011110111101', '100.0101110101110000011111110', '36', '13'], [999.9218108178566, 999.8783492796756, 999.8783627392831, '-1001.1010100000011110111100', '100.0101110101110000011111110', '36', '14'], [999.9218108178566, 999.9006768179996, 999.9006838260001, '-1001.1010100000011110111100', '100.0101110101110000011111110', '36', '15'], [999.9218108178566, 999.8861816865366, 999.8861914359641, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '16'], [999.9218108178566, 999.880010130709, 999.8800224603805, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '17'], [999.9218108178566, 999.8819100055305, 999.8819225192226, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '18'], [999.9218108178566, 999.8817495001271, 999.8817612596702, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '19'], [999.9218108178566, 999.8867989190685, 999.8868094287011, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '20'], [999.9218108178566, 999.8988909629446, 999.8988979718183, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '21'], [999.9218108178566, 999.8876163278543, 999.8876261150099, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '22'], [999.9218108178566, 999.8981304025145, 999.8981364032755, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '23'], [999.9218108178566, 999.8797300134726, 999.8797424437621, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '24'], [999.9218108178566, 999.8997457893273, 999.8997523606032, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '25'], [999.9218108178566, 999.8833599041095, 999.8833706515107, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '26'], [999.9218108178566, 999.8977441437736, 999.8977507241406, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '27'], [999.9218108178566, 999.9177072803049, 999.9177076839982, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '28'], [999.9218108178566, 999.8896719362851, 999.8896799396877, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '29'], [999.9218108178566, 999.8780482008228, 999.8780623357986, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '30'], [999.9218108178566, 999.8925551402588, 999.8925635914834, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '31'], [999.9218108178566, 999.8929639291999, 999.8929707312874, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '32'], [999.9218108178566, 999.8721131644519, 999.8721279150486, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '33'], [999.9218108178566, 999.9012286725515, 999.9012342737237, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '34'], [999.9218108178566, 999.8905291121866, 999.8905382001569, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '35'], [999.9218108178566, 999.9014895218977, 999.9014943768007, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '36'], [999.9218108178566, 999.9049139144103, 999.9049184421126, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '37'], [999.9218108178566, 999.8847976461443, 999.8848081122285, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '38'], [999.9218108178566, 999.8866123616375, 999.8866218395051, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '39'], [999.9218108178566, 999.8788357495822, 999.8788490897051, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '40'], [999.9218108178566, 999.8881976822495, 999.8882080740251, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '41'], [999.9218108178566, 999.9000627827919, 999.9000679196919, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '42'], [999.9218108178566, 999.8928444712748, 999.8928538837439, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '43'], [999.9218108178566, 999.8947849411315, 999.8947934160066, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '44'], [999.9218108178566, 999.9093142171586, 999.9093175280391, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '45'], [999.9218108178566, 999.8822438003948, 999.8822543499502, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '46'], [999.9218108178566, 999.8949333072813, 999.894941535686, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '47'], [999.9218108178566, 999.9153816445419, 999.9153823301302, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '48'], [999.9218108178566, 999.8971449051295, 999.8971515602893, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '49'], [999.9218108178566, 999.8937789241558, 999.8937864426964, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '50'], [999.9218108178566, 999.9131872854275, 999.9131904588388, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '51'], [999.9218108178566, 999.8671815066014, 999.8671999280194, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '52'], [999.9218108178566, 999.8917962504707, 999.8918056654662, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '53'], [999.9218108178566, 999.8585120605316, 999.85852847875, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '54'], [999.9218108178566, 999.9084819113352, 999.908484586023, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '55'], [999.9218108178566, 999.8661436016722, 999.8661616885048, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '56'], [999.9218108178566, 999.8754855914497, 999.8754999843084, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '57'], [999.9218108178566, 999.9052677417941, 999.9052716353343, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '58'], [999.9218108178566, 999.9045600594296, 999.9045646090752, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '59'], [999.9218108178566, 999.9036962871312, 999.9037006568266, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '60'], [999.9218108178566, 999.8923699647848, 999.8923763225777, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '61'], [999.9218108178566, 999.9053083970794, 999.9053127049962, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '62'], [999.9218108178566, 999.8980806298092, 999.8980877841851, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '63'], [999.9218108178566, 999.9136394748248, 999.9136416483384, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '64'], [999.9218108178566, 999.892922218837, 999.8929298621816, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '65'], [999.9218108178566, 999.8946267661711, 999.894634232465, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '66'], [999.9218108178566, 999.9049077171056, 999.9049108377969, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '67'], [999.9218108178566, 999.8888159129382, 999.8888267265615, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '68'], [999.9218108178566, 999.900463046029, 999.9004693388152, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '69'], [999.9218108178566, 999.8847524546658, 999.8847629460812, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '70'], [999.9218108178566, 999.9023012951782, 999.9023050938064, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '71'], [999.9218108178566, 999.9072767074701, 999.9072818485856, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '72'], [999.9218108178566, 999.8850631384848, 999.885072952573, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '73'], [999.9218108178566, 999.8820615869383, 999.8820751732013, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '74'], [999.9218108178566, 999.8668851397949, 999.8668999609177, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '75'], [999.9218108178566, 999.8796000413358, 999.8796130793195, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '76'], [999.9218108178566, 999.896217631632, 999.896225047817, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '77'], [999.9218108178566, 999.8891020741274, 999.8891106193433, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '78'], [999.9218108178566, 999.8835925966914, 999.8836030505548, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '79'], [999.9218108178566, 999.9089161540179, 999.9089197005775, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '80'], [999.9218108178566, 999.8954655458457, 999.8954732450952, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '81'], [999.9218108178566, 999.8999748983265, 999.8999819619182, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '82'], [999.9218108178566, 999.8854930700261, 999.8855021033884, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '83'], [999.9218108178566, 999.8930562223219, 999.8930648036267, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '84'], [999.9218108178566, 999.8958842067706, 999.8958895237103, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '85'], [999.9218108178566, 999.8716185885048, 999.8716306333283, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '86'], [999.9218108178566, 999.8811498751053, 999.8811606920519, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '87'], [999.9218108178566, 999.9003254972579, 999.9003296977934, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '88'], [999.9218108178566, 999.8879080943984, 999.8879178465799, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '89'], [999.9218108178566, 999.8955569203108, 999.8955636577897, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '90'], [999.9218108178566, 999.8706824067792, 999.8706957644912, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '91'], [999.9218108178566, 999.8897064999801, 999.8897158413257, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '92'], [999.9218108178566, 999.8938716780177, 999.8938800436723, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '93'], [999.9218108178566, 999.8890675829396, 999.8890763629418, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '94'], [999.9218108178566, 999.8824564817849, 999.882466242344, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '95'], [999.9218108178566, 999.9031613649979, 999.9031668515823, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '96'], [999.9218108178566, 999.8677617119414, 999.8677775567577, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '97'], [999.9218108178566, 999.8633205065016, 999.8633364657363, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '98'], [999.9218108178566, 999.8768227020275, 999.8768350903517, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '99'], [999.9218108178566, 999.900160675848, 999.9001653486364, '-1001.1010100000011110111100', '100.0101110101110000011111111', '36', '100']]], [[[999.8884619144108, 999.6723018762195, 999.6723196200782, '1000.01100010011011110111111', '-100.00101100010101011000011', '37', '1'], [999.9209909215832, 999.8450615350049, 999.8450706852233, '1000.01101010011011110111101', '-0101.1101100010101011000011', '37', '2'], [999.9218014882651, 999.8982380750269, 999.8982444234132, '1000.01101010011011110111111', '-0101.1100100010101011000011', '37', '3'], [999.9218108009991, 999.8966112463532, 999.8966174721038, '1000.01101011011011110111111', '-0101.1100100010101111000111', '37', '4'], [999.921810806882, 999.8729832978615, 999.8729970668652, '1000.01101011011011010111111', '-0101.1100100010101111000111', '37', '5'], [999.9218108178368, 999.8970485965156, 999.8970564658468, '1000.01101011011001010111111', '-0101.1100100010101111000111', '37', '6'], [999.9218108178549, 999.8837755870937, 999.8837862975803, '1000.01101011011001010111111', '-0101.1100100010101111100111', '37', '7'], [999.9218108178566, 999.8976302444644, 999.897635196662, '1000.01101011011001010001111', '-0101.1100100010101111000111', '37', '8'], [999.9218108178566, 999.8802842474201, 999.8802955419479, '1000.01101011011001010101111', '-0101.1100100010101111100111', '37', '9'], [999.9218108178566, 999.8956626727107, 999.8956700242032, '1000.01101011011001010101111', '-0101.1100100010101111100111', '37', '10'], [999.9218108178566, 999.8937630251651, 999.8937700276454, '1000.01101011011001010101111', '-0101.1100100010101111100111', '37', '11'], [999.9218108178566, 999.8858458143873, 999.8858573580954, '1000.01101011011001010101111', '-0101.1100100010101111100111', '37', '12'], [999.9218108178566, 999.876435781194, 999.8764468261742, '1000.01101011011001010101111', '-0101.1100100010101111100111', '37', '13'], [999.9218108178566, 999.8893419766694, 999.8893508820794, '1000.01101011011001010101111', '-0101.1100100010101111100111', '37', '14'], [999.9218108178566, 999.9076517689408, 999.9076552071151, '1000.01101011011001010101111', '-0101.1100100010101111100111', '37', '15'], [999.9218108178566, 999.8951355890168, 999.8951425935743, '1000.01101011011001010101111', '-0101.1100100010101111100111', '37', '16'], [999.9218108178566, 999.8911133187671, 999.8911207606928, '1000.01101011011001010101111', '-0101.1100100010101111100111', '37', '17'], [999.9218108178566, 999.8964121667073, 999.8964176784522, '1000.01101011011001010101111', '-0101.1100100010101111100111', '37', '18'], [999.9218108178566, 999.8564147963519, 999.8564328919083, '1000.01101011011001010101111', '-0101.1100100010101111100111', '37', '19'], [999.9218108178566, 999.8940862612694, 999.8940945644116, '1000.01101011011001010101111', '-0101.1100100010101111100111', '37', '20'], [999.9218108178566, 999.9046489888774, 999.9046532380657, '1000.01101011011001010101111', '-0101.1100100010101111100111', '37', '21'], [999.9218108178566, 999.9030244680584, 999.9030288137961, '1000.01101011011001010101111', '-0101.1100100010101111100111', '37', '22'], [999.9218108178566, 999.8915106391001, 999.8915177284962, '1000.01101011011001010101111', '-0101.1100100010101111100111', '37', '23'], [999.9218108178566, 999.8965457194965, 999.8965521029403, '1000.01101011011001010101111', '-0101.1100100010101111100111', '37', '24'], [999.9218108178566, 999.8942020504187, 999.8942089302207, '1000.01101011011001010101111', '-0101.1100100010101111100111', '37', '25'], [999.9218108178566, 999.8907966089182, 999.8908048354252, '1000.01101011011001010101111', '-0101.1100100010101111100111', '37', '26'], [999.9218108178566, 999.8753023301081, 999.8753155412735, '1000.01101011011001010101111', '-0101.1100100010101111100111', '37', '27'], [999.9218108178566, 999.8746331555267, 999.8746449016181, '1000.01101011011001010101111', '-0101.1100100010101111100111', '37', '28'], [999.9218108178566, 999.8909769687542, 999.89098495384, '1000.01101011011001010101111', '-0101.1100100010101111100111', '37', '29'], [999.9218108178566, 999.9008996110639, 999.9009047660885, '1000.01101011011001010101111', '-0101.1100100010101111100111', '37', '30'], [999.9218108178566, 999.892007919214, 999.8920157918794, '1000.01101011011001010101111', '-0101.1100100010101111100111', '37', '31'], [999.9795460443781, 999.8962671280152, 999.8962729022029, '0000.01101011011001010101111', '-0100.1100100010101111100111', '37', '32'], [999.98992688322, 999.9016335788257, 999.9016491333342, '0000.01101011011001010101111', '-0100.1110100010101111100111', '37', '33'], [999.9899313987139, 999.9364516900438, 999.9364656929331, '0000.01101011011001010101111', '-0100.1110100010100111100111', '37', '34'], [999.9900065604515, 999.9566103029231, 999.9566209402377, '0000.01101111011001011101111', '-0100.1110100010100111100111', '37', '35'], [999.9902538845162, 999.9450287728146, 999.9450431437816, '0000.01111111011001011101111', '-0100.1110100000100110100111', '37', '36'], [999.9902539372864, 999.9687169345859, 999.9687232223137, '0000.01111111011001111101111', '-0100.1110100000100110100111', '37', '37'], [999.9902589546454, 999.963648431987, 999.9636550312787, '0000.01111111011001111101111', '-0100.1110100000000110100111', '37', '38'], [999.9902595497351, 999.9603399129097, 999.9603497545214, '0000.01111111011001111101111', '-0100.1110100000000010100111', '37', '39'], [999.9902599551076, 999.9792315986865, 999.9792333255554, '0000.01111111011101011101111', '-0100.1110100000000010000111', '37', '40'], [999.9902602944178, 999.9487315353604, 999.9487420204571, '0000.01111111011101111101111', '-0100.1110100000000000000111', '37', '41'], [999.9902604815632, 999.9427099354186, 999.9427240703487, '0000.01111111011111111101111', '-0100.1110100000000000000111', '37', '42'], [999.9902622801835, 999.9572755715297, 999.9572845334648, '0000.01111111111111111101111', '-0100.1110100000001000000111', '37', '43'], [999.9902633853355, 999.9621603495576, 999.9621671017576, '0000.01111111111111111101111', '-0100.1110100000000000000101', '37', '44'], [999.9902633936518, 999.9381882798782, 999.9382017543937, '0000.01111111111111111101110', '-0100.1110100000000000000001', '37', '45'], [999.9902633965664, 999.9577938014813, 999.9578015803489, '0000.01111111111111111111111', '-0100.1110100000000000000001', '37', '46'], [999.9902633965664, 999.965024895243, 999.965032922824, '0000.01111111111111111111111', '-0100.1110100000000000000001', '37', '47'], [999.990263398688, 999.9733017441476, 999.9733060185947, '0000.01111111111111111111111', '-0100.1110100000000000000000', '37', '48'], [999.990263398688, 999.9612262308311, 999.9612348889682, '0000.01111111111111111111111', '-0100.1110100000000000000000', '37', '49'], [999.990263398688, 999.9521170754888, 999.952129128939, '0000.01111111111111111111111', '-0100.1110100000000000000000', '37', '50'], [999.990263398688, 999.9839335540097, 999.9839350057356, '0000.01111111111111111111111', '-0100.1110100000000000000000', '37', '51'], [999.990263398688, 999.9701500958429, 999.9701556180551, '0000.01111111111111111111111', '-0100.1110100000000000000000', '37', '52'], [999.990263398688, 999.9513653922629, 999.9513760851867, '0000.01111111111111111111111', '-0100.1110100000000000000000', '37', '53'], [999.990263398688, 999.9716856053399, 999.9716909022134, '0000.01111111111111111111111', '-0100.1110100000000000000000', '37', '54'], [999.990263398688, 999.9500223661779, 999.950035778927, '0000.01111111111111111111111', '-0100.1110100000000000000000', '37', '55'], [999.990263398688, 999.942258344522, 999.9422741319289, '0000.01111111111111111111111', '-0100.1110100000000000000000', '37', '56'], [999.990263398688, 999.9563870495073, 999.956399046814, '0000.01111111111111111111111', '-0100.1110100000000000000000', '37', '57'], [999.990263398688, 999.9737663581934, 999.973770255269, '0000.01111111111111111111111', '-0100.1110100000000000000000', '37', '58'], [999.990263398688, 999.9570042722021, 999.9570169702315, '0000.01111111111111111111111', '-0100.1110100000000000000000', '37', '59'], [999.990263398688, 999.9690857658234, 999.9690915126865, '0000.01111111111111111111111', '-0100.1110100000000000000000', '37', '60'], [999.990263398688, 999.9397140997526, 999.9397289745896, '0000.01111111111111111111111', '-0100.1110100000000000000000', '37', '61'], [999.990263398688, 999.9855434629264, 999.9855438648921, '0000.01111111111111111111111', '-0100.1110100000000000000000', '37', '62'], [999.990263398688, 999.934402310025, 999.9344194853273, '0000.01111111111111111111111', '-0100.1110100000000000000000', '37', '63'], [999.990263398688, 999.9441091984778, 999.9441260678348, '0000.01111111111111111111111', '-0100.1110100000000000000000', '37', '64'], [999.990263398688, 999.9543009885475, 999.9543116397093, '0000.01111111111111111111111', '-0100.1110100000000000000000', '37', '65'], [999.990263398688, 999.9550734462443, 999.9550849412723, '0000.01111111111111111111111', '-0100.1110100000000000000000', '37', '66'], [999.990263398688, 999.9602554107328, 999.9602636547078, '0000.01111111111111111111111', '-0100.1110100000000000000000', '37', '67'], [999.990263398688, 999.9448951575647, 999.9449073735868, '0000.01111111111111111111111', '-0100.1110100000000000000000', '37', '68'], [999.990263398688, 999.982944045612, 999.982945635724, '0000.01111111111111111111111', '-0100.1110100000000000000000', '37', '69'], [999.990263398688, 999.9547639571633, 999.9547760055196, '0000.01111111111111111111111', '-0100.1110100000000000000000', '37', '70'], [999.990263398688, 999.9578457301097, 999.9578566766238, '0000.01111111111111111111111', '-0100.1110100000000000000000', '37', '71'], [999.990263398688, 999.9593878711456, 999.9593965648004, '0000.01111111111111111111111', '-0100.1110100000000000000000', '37', '72'], [999.990263398688, 999.9560431991928, 999.9560545141651, '0000.01111111111111111111111', '-0100.1110100000000000000000', '37', '73'], [999.990263398688, 999.9620553409222, 999.9620646818018, '0000.01111111111111111111111', '-0100.1110100000000000000000', '37', '74'], [999.990263398688, 999.9635712664609, 999.9635786281438, '0000.01111111111111111111111', '-0100.1110100000000000000000', '37', '75'], [999.990263398688, 999.9287890819686, 999.9288108837131, '0000.01111111111111111111111', '-0100.1110100000000000000000', '37', '76'], [999.990263398688, 999.962955560087, 999.9629635555198, '0000.01111111111111111111111', '-0100.1110100000000000000000', '37', '77'], [999.990263398688, 999.9187106844603, 999.918734682427, '0000.01111111111111111111111', '-0100.1110100000000000000000', '37', '78'], [999.990263398688, 999.9564478613285, 999.9564563266467, '0000.01111111111111111111111', '-0100.1110100000000000000000', '37', '79'], [999.990263398688, 999.9469528574463, 999.9469654795563, '0000.01111111111111111111111', '-0100.1110100000000000000000', '37', '80'], [999.990263398688, 999.9540721446108, 999.9540814360503, '0000.01111111111111111111111', '-0100.1110100000000000000000', '37', '81'], [999.990263398688, 999.9393971273901, 999.9394124731165, '0000.01111111111111111111111', '-0100.1110100000000000000000', '37', '82'], [999.990263398688, 999.9513787006039, 999.9513896231158, '0000.01111111111111111111111', '-0100.1110100000000000000000', '37', '83'], [999.990263398688, 999.9743161812263, 999.9743195215864, '0000.01111111111111111111111', '-0100.1110100000000000000000', '37', '84'], [999.990263398688, 999.9473557469483, 999.947368883562, '0000.01111111111111111111111', '-0100.1110100000000000000000', '37', '85'], [999.990263398688, 999.9524302838508, 999.9524418731422, '0000.01111111111111111111111', '-0100.1110100000000000000000', '37', '86'], [999.990263398688, 999.949751924868, 999.9497634232713, '0000.01111111111111111111111', '-0100.1110100000000000000000', '37', '87'], [999.990263398688, 999.9333986146171, 999.9334133771966, '0000.01111111111111111111111', '-0100.1110100000000000000000', '37', '88'], [999.990263398688, 999.9141902473258, 999.9142119135388, '0000.01111111111111111111111', '-0100.1110100000000000000000', '37', '89'], [999.990263398688, 999.962209148239, 999.9622175246766, '0000.01111111111111111111111', '-0100.1110100000000000000000', '37', '90'], [999.990263398688, 999.9626103958534, 999.9626182842171, '0000.01111111111111111111111', '-0100.1110100000000000000000', '37', '91'], [999.990263398688, 999.9352558461272, 999.9352722539759, '0000.01111111111111111111111', '-0100.1110100000000000000000', '37', '92'], [999.990263398688, 999.950911222291, 999.9509237392408, '0000.01111111111111111111111', '-0100.1110100000000000000000', '37', '93'], [999.990263398688, 999.9663414006824, 999.9663467947721, '0000.01111111111111111111111', '-0100.1110100000000000000000', '37', '94'], [999.990263398688, 999.9586227103514, 999.9586309708435, '0000.01111111111111111111111', '-0100.1110100000000000000000', '37', '95'], [999.990263398688, 999.9353623292462, 999.9353810697118, '0000.01111111111111111111111', '-0100.1110100000000000000000', '37', '96'], [999.990263398688, 999.9432516635515, 999.943267284187, '0000.01111111111111111111111', '-0100.1110100000000000000000', '37', '97'], [999.9902720603752, 999.9735178742047, 999.9735220776865, '0000.00111111111111111111111', '-0100.1110000000000000000000', '37', '98'], [999.9902720603752, 999.9618102801634, 999.9618188111152, '0000.00111111111111111111111', '-0100.1110000000000000000000', '37', '99'], [999.9902720603752, 999.9299819185397, 999.9300021074937, '0000.00111111111111111111111', '-0100.1110000000000000000000', '37', '100']]], [[[999.7824365120179, 999.5640902792932, 999.5641015328513, '-1011.00111011000001001010101', '-1100.1110110100110101101010000', '38', '1'], [999.8050936082623, 999.6369098217306, 999.6369311219488, '-1011.000110110000000000101000', '-1100.11101101001101011010100', '38', '2'], [999.8201638496558, 999.775157869442, 999.7751621728094, '-1011.000100110000000000101000', '-1100.11001101001101011010000', '38', '3'], [999.8217557420858, 999.8029206841119, 999.8029222697944, '-1011.000010110000000000101000', '-1100.11000101001101011010000', '38', '4'], [999.821759258855, 999.8017647784665, 999.8017693355187, '-1011.000010110000000000101000', '-1100.11000001001101011010000', '38', '5'], [999.8217776593938, 999.8010142972181, 999.8010187300205, '-1011.000010110000000000001000', '-1100.11000011001101011010000', '38', '6'], [999.8217776598203, 999.7901471636319, 999.7901536909002, '-1011.000010110000000000001000', '-1100.11000011001101011000000', '38', '7'], [999.8217776899569, 999.7971998317141, 999.7972052585827, '-1011.000010110000000000001001', '-1100.11000011000101011000000', '38', '8'], [999.8217776927601, 999.8137182275266, 999.813720005988, '-1011.000010110000000000011001', '-1100.11000011000101111000000', '38', '9'], [999.8217776974545, 999.7967138188319, 999.7967190165624, '-1011.000010110000100000011001', '-1100.11000011000101111000000', '38', '10'], [999.8217776974545, 999.7809367767691, 999.7809459206521, '-1011.000010110000100000011011', '-1100.11000011000101111000000', '38', '11'], [999.8217776974545, 999.8063340669349, 999.8063367954039, '-1011.000010110000100000011111', '-1100.11000011000101111000000', '38', '12'], [999.8217776974545, 999.8035486220439, 999.8035522182009, '-1011.000010110000100000011111', '-1100.11000011000101111000000', '38', '13'], [999.8217776974545, 999.7867940876442, 999.7868024723755, '-1011.000010110000100000011111', '-1100.11000011000101111000000', '38', '14'], [999.8217776974545, 999.7937101009861, 999.7937169334933, '-1011.000010110000100000011111', '-1100.11000011000101111000000', '38', '15'], [999.8217776974545, 999.8045990691793, 999.8046029951491, '-1011.000010110000100000011111', '-1100.11000011000101111000000', '38', '16'], [999.8217776974545, 999.817601364025, 999.8176015901083, '-1011.000010110000100000011111', '-1100.11000011000101111000000', '38', '17'], [999.8217776974545, 999.8068569755269, 999.8068597466928, '-1011.000010110000100000011111', '-1100.11000011000101111000000', '38', '18'], [999.8217776974545, 999.8058083845135, 999.8058113660763, '-1011.000010110000100000011111', '-1100.11000011000101111000000', '38', '19'], [999.8217776974545, 999.8050943439277, 999.8050969406429, '-1011.000010110000100000011111', '-1100.11000011000101111000000', '38', '20'], [999.8217776974545, 999.7925427552458, 999.792549234127, '-1011.000010110000100000011111', '-1100.11000011000101111000000', '38', '21'], [999.8284505777197, 999.7993593329218, 999.7993632912328, '-1010.000010110000100000011111', '-1000.11000011000101111000000', '38', '22'], [999.8659506447747, 999.7669646463619, 999.7669734213619, '-1010.000010110000100000011111', '-1000.10000011000101111000000', '38', '23'], [999.8668264108301, 999.8313079394404, 999.8313097301352, '-1011.100010110000100000001111', '-1000.11100011000101111000000', '38', '24'], [999.8729026548656, 999.809820903426, 999.8098299798162, '-1011.101010110000100000011111', '-1000.11100011000110111000000', '38', '25'], [999.8729528652381, 999.8538734497918, 999.8538780358429, '-1011.101010100000100000011111', '-1000.11100011000101111000000', '38', '26'], [999.8729878299084, 999.8503525501797, 999.8503579585037, '-1011.101010010000100000011111', '-1000.11100011000010111000000', '38', '27'], [999.8730094795243, 999.8685064614339, 999.868506811549, '-1011.101010000000100000011111', '-1000.11100010000010111000010', '38', '28'], [999.873009480863, 999.8356706803847, 999.8356807254185, '-1011.101010000000101000011111', '-1000.11100010000010111000010', '38', '29'], [999.8730094811845, 999.8201057429545, 999.8201184557407, '-1011.101010000000101100011111', '-1000.11100010000010111001000', '38', '30'], [999.8730094812498, 999.8407369431535, 999.8407443356767, '-1011.101010000000101110011111', '-1000.11100010000010111001000', '38', '31'], [999.8730094812604, 999.8669656090574, 999.8669660572439, '-1011.101010000000101111011111', '-1000.11100010000010111001001', '38', '32'], [999.8730094812604, 999.8554820359149, 999.8554851255752, '-1011.101010000000101111011111', '-1000.11100010000010111001001', '38', '33'], [999.8730094812606, 999.8253939911694, 999.8254054624647, '-1011.101010000000101111011111', '-1000.11100010000010111001101', '38', '34'], [999.8730094812606, 999.85475975228, 999.8547638052165, '-1011.101010000000101111011111', '-1000.11100010000010111001101', '38', '35'], [999.8730094812606, 999.8422133529754, 999.8422208613474, '-1011.101010000000101111011111', '-1000.11100010000010111001111', '38', '36'], [999.8730094812606, 999.8170726344157, 999.817087842499, '-1011.101010000000101111011111', '-1000.11100010000010111001111', '38', '37'], [999.8730094812606, 999.8530920540901, 999.8530970081224, '-1011.101010000000101111011111', '-1000.11100010000010111001111', '38', '38'], [999.8730094812606, 999.8509781315943, 999.8509840632596, '-1011.101010000000101111011111', '-1000.11100010000010111001111', '38', '39'], [999.8730094812606, 999.8383608229569, 999.8383717389203, '-1011.101010000000101111011111', '-1000.11100010000010111001111', '38', '40'], [999.8730094812606, 999.8582957298051, 999.8582985686396, '-1011.101010000000101111011111', '-1000.11100010000010111001111', '38', '41'], [999.8730094812606, 999.8395625454285, 999.8395735405751, '-1011.101010000000101111011111', '-1000.11100010000010111001111', '38', '42'], [999.8730094812606, 999.8315439104947, 999.8315565183896, '-1011.101010000000101111011111', '-1000.11100010000010111001111', '38', '43'], [999.8730094812606, 999.8395152169668, 999.8395231585723, '-1011.101010000000101111011111', '-1000.11100010000010111001111', '38', '44'], [999.8730094812606, 999.8583305440945, 999.858333914563, '-1011.101010000000101111011111', '-1000.11100010000010111001111', '38', '45'], [999.8730094812606, 999.853435243302, 999.8534390971706, '-1011.101010000000101111011111', '-1000.11100010000010111001111', '38', '46'], [999.8730094812606, 999.859645967169, 999.8596484143894, '-1011.101010000000101111011111', '-1000.11100010000010111001111', '38', '47'], [999.8730094812606, 999.8572910566204, 999.8572949187419, '-1011.101010000000101111011111', '-1000.11100010000010111001111', '38', '48'], [999.8730094812606, 999.8606480510816, 999.8606507884676, '-1011.101010000000101111011111', '-1000.11100010000010111001111', '38', '49'], [999.8730094812606, 999.8407177341492, 999.840725302378, '-1011.101010000000101111011111', '-1000.11100010000010111001111', '38', '50'], [999.8730094812606, 999.8378642678232, 999.83787143096, '-1011.101010000000101111011111', '-1000.11100010000010111001111', '38', '51'], [999.8730094812606, 999.8626604321756, 999.862662778051, '-1011.101010000000101111011111', '-1000.11100010000010111001111', '38', '52'], [999.8730094812606, 999.8366848547189, 999.836692272623, '-1011.101010000000101111011111', '-1000.11100010000010111001111', '38', '53'], [999.8730094812606, 999.8576209533022, 999.8576252340602, '-1011.101010000000101111011111', '-1000.11100010000010111001111', '38', '54'], [999.8730094812606, 999.8274468188689, 999.8274591722663, '-1011.101010000000101111011111', '-1000.11100010000010111001111', '38', '55'], [999.8730094812606, 999.8483877690688, 999.8483935207902, '-1011.101010000000101111011111', '-1000.11100010000010111001111', '38', '56'], [999.8730094812606, 999.8413109570932, 999.8413194049014, '-1011.101010000000101111011111', '-1000.11100010000010111001111', '38', '57'], [999.8730094812606, 999.8485958336397, 999.8486023379867, '-1011.101010000000101111011111', '-1000.11100010000010111001111', '38', '58'], [999.8730094812606, 999.8557810616417, 999.8557850646234, '-1011.101010000000101111011111', '-1000.11100010000010111001111', '38', '59'], [999.8730094812606, 999.8460118958515, 999.8460176341641, '-1011.101010000000101111011111', '-1000.11100010000010111001111', '38', '60'], [999.8730094812606, 999.8569079595422, 999.8569119489734, '-1011.101010000000101111011111', '-1000.11100010000010111001111', '38', '61'], [999.8730094812606, 999.8395378653919, 999.8395465119896, '-1011.101010000000101111011111', '-1000.11100010000010111001111', '38', '62'], [999.8730094812606, 999.8492794970131, 999.849286849478, '-1011.101010000000101111011111', '-1000.11100010000010111001111', '38', '63'], [999.8730094812606, 999.8265029081396, 999.8265157785181, '-1011.101010000000101111011111', '-1000.11100010000010111001111', '38', '64'], [999.8730094812606, 999.8315338134439, 999.8315448624585, '-1011.101010000000101111011111', '-1000.11100010000010111001111', '38', '65'], [999.8730094812606, 999.8587587178765, 999.8587625255883, '-1011.101010000000101111011111', '-1000.11100010000010111001111', '38', '66'], [999.8730094812606, 999.8348436584967, 999.8348532208198, '-1011.101010000000101111011111', '-1000.11100010000010111001111', '38', '67'], [999.8730094812606, 999.8370639242088, 999.8370739121048, '-1011.101010000000101111011111', '-1000.11100010000010111001111', '38', '68'], [999.8730094812606, 999.8440086294395, 999.8440159396134, '-1011.101010000000101111011111', '-1000.11100010000010111001111', '38', '69'], [999.8730094812606, 999.8491689587737, 999.8491748644484, '-1011.101010000000101111011111', '-1000.11100010000010111001111', '38', '70'], [999.8730094812606, 999.8560403421297, 999.856045332, '-1011.101010000000101111011111', '-1000.11100010000010111001111', '38', '71'], [999.8730094812606, 999.8398734634237, 999.8398791347604, '-1011.101010000000101111011111', '-1000.11100010000010111001111', '38', '72'], [999.8730094812606, 999.8519776639192, 999.8519846889117, '-1011.101010000000101111011111', '-1000.11100010000010111001111', '38', '73'], [999.8730094812606, 999.8374324821879, 999.8374427461504, '-1011.101010000000101111011111', '-1000.11100010000010111001111', '38', '74'], [999.8730094812606, 999.8242599143259, 999.8242701668032, '-1011.101010000000101111011111', '-1000.11100010000010111001111', '38', '75'], [999.8730094812606, 999.8469014525832, 999.8469072817128, '-1011.101010000000101111011111', '-1000.11100010000010111001111', '38', '76'], [999.8730094812606, 999.8575500195719, 999.8575526484633, '-1011.101010000000101111011111', '-1000.11100010000010111001111', '38', '77'], [999.8730094812606, 999.8536110311791, 999.8536157339018, '-1011.101010000000101111011111', '-1000.11100010000010111001111', '38', '78'], [999.8730094812606, 999.8624247149571, 999.8624273753794, '-1011.101010000000101111011111', '-1000.11100010000010111001111', '38', '79'], [999.8730094812606, 999.8345212596436, 999.834529657621, '-1011.101010000000101111011111', '-1000.11100010000010111001111', '38', '80'], [999.8730094812606, 999.845163186258, 999.8451716491453, '-1011.101010000000101111011111', '-1000.11100010000010111001111', '38', '81'], [999.8730094812606, 999.8333826099573, 999.8333922335288, '-1011.101010000000101111011111', '-1000.11100010000010111001111', '38', '82'], [999.8730094812606, 999.8255446662805, 999.8255579423306, '-1011.101010000000101111011111', '-1000.11100010000010111001111', '38', '83'], [999.8730094812606, 999.8459559607181, 999.8459630213689, '-1011.101010000000101111011111', '-1000.11100010000010111001111', '38', '84'], [999.8730094812606, 999.8306128939802, 999.8306238296138, '-1011.101010000000101111011111', '-1000.11100010000010111001111', '38', '85'], [999.8730094812606, 999.8374352840267, 999.8374445088588, '-1011.101010000000101111011111', '-1000.11100010000010111001111', '38', '86'], [999.8730094812606, 999.8413315364086, 999.8413383983903, '-1011.101010000000101111011111', '-1000.11100010000010111001111', '38', '87'], [999.8730094812606, 999.8548038753006, 999.8548065226834, '-1011.101010000000101111011111', '-1000.11100010000010111001111', '38', '88'], [999.8730094812606, 999.8487526865075, 999.8487603628932, '-1011.101010000000101111011111', '-1000.11100010000010111001111', '38', '89'], [999.8730094812606, 999.8363753662597, 999.8363850875799, '-1011.101010000000101111011111', '-1000.11100010000010111001111', '38', '90'], [999.8730094812606, 999.8364218601181, 999.8364324122016, '-1011.101010000000101111011111', '-1000.11100010000010111001111', '38', '91'], [999.8730094812606, 999.8311553871109, 999.8311668430408, '-1011.101010000000101111011111', '-1000.11100010000010111001111', '38', '92'], [999.8730094812606, 999.8351354418824, 999.8351461319384, '-1011.101010000000101111011111', '-1000.11100010000010111001111', '38', '93'], [999.8730094812606, 999.850789829584, 999.8507964572026, '-1011.101010000000101111011111', '-1000.11100010000010111001111', '38', '94'], [999.8730094812606, 999.8459992641269, 999.8460059961551, '-1011.101010000000101111011111', '-1000.11100010000010111001111', '38', '95'], [999.8730094812606, 999.8616566387193, 999.8616597079066, '-1011.101010000000101111011111', '-1000.11100010000010111001111', '38', '96'], [999.8730094812606, 999.8465849525065, 999.8465907149375, '-1011.101010000000101111011111', '-1000.11100010000010111001111', '38', '97'], [999.9210025166179, 999.8509639708659, 999.8509699117644, '-1010.101010000000101111011111', '-0000.11100010000010111001111', '38', '98'], [999.9276018043895, 999.7827590532103, 999.7827868516707, '-0010.101010000000101111011111', '-0100.11100010000010111001111', '38', '99'], [999.9551281079043, 999.84941612734, 999.8494402463374, '-0110.101010000000101111011111', '-0100.11100010000010111001111', '38', '100']]], [[[999.838797606002, 999.6192438495054, 999.6192643046971, '1010.001101010010000001011011', '-111.000100001010001100001111', '39', '1'], [999.8729680189808, 999.7992188967515, 999.7992241246694, '1010.011101010010000001011011', '-111.000100001010001100001111', '39', '2'], [999.8729743300352, 999.842564665621, 999.8425723325904, '1010.011101010010000001011011', '-111.000100000101110100001111', '39', '3'], [999.8730093905328, 999.8617829070971, 999.8617851821626, '1010.011101110010000001011011', '-111.000100000101110100001111', '39', '4'], [999.8730094150865, 999.8552707530143, 999.8552749539353, '1010.011101110010010001011011', '-111.000100000101110100001111', '39', '5'], [999.8730094471653, 999.8381556310901, 999.838166132919, '1010.011101110010000001011011', '-111.000100000100110100001111', '39', '6'], [999.8730094811062, 999.8369087387225, 999.8369188111473, '1010.011101110011000001011011', '-111.000100000100110110001111', '39', '7'], [999.8730094812558, 999.8589015017973, 999.8589035882491, '1010.011101110011000101011011', '-111.000100000100110100001111', '39', '8'], [999.8730094812604, 999.8536730723478, 999.8536772742499, '1010.011101110011000101011111', '-111.000100000100110101001111', '39', '9'], [999.8730094812607, 999.8621585241831, 999.8621607850129, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '10'], [999.8730094812607, 999.849255304697, 999.8492624189046, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '11'], [999.8730094812607, 999.841185889084, 999.8411935783496, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '12'], [999.8730094812607, 999.8477306273485, 999.8477375373934, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '13'], [999.8730094812607, 999.8280608903879, 999.8280732694974, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '14'], [999.8730094812607, 999.8410910218253, 999.8410997086527, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '15'], [999.8730094812607, 999.8582286423486, 999.8582319401984, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '16'], [999.8730094812607, 999.8609563656751, 999.8609591397152, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '17'], [999.8730094812607, 999.8531264001741, 999.8531310721035, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '18'], [999.8730094812607, 999.8508980066632, 999.8509032481447, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '19'], [999.8730094812607, 999.8313258229774, 999.8313381509591, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '20'], [999.8730094812607, 999.8688828314728, 999.8688831001175, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '21'], [999.8730094812607, 999.8405843354147, 999.8405938419884, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '22'], [999.8730094812607, 999.8409961966353, 999.8410038722469, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '23'], [999.8730094812607, 999.8281822002026, 999.8281943762286, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '24'], [999.8730094812607, 999.8629955909262, 999.8629967392719, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '25'], [999.8730094812607, 999.8435177729465, 999.8435254854573, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '26'], [999.8730094812607, 999.8411977716861, 999.8412080662308, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '27'], [999.8730094812607, 999.8511021937463, 999.8511075097329, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '28'], [999.8730094812607, 999.8641401862944, 999.8641418181387, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '29'], [999.8730094812607, 999.8464612036181, 999.8464667044392, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '30'], [999.8730094812607, 999.8565136875575, 999.8565179562019, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '31'], [999.8730094812607, 999.8585376607515, 999.8585402339412, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '32'], [999.8730094812607, 999.860634012673, 999.8606358864257, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '33'], [999.8730094812607, 999.8258278736216, 999.8258422139597, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '34'], [999.8730094812607, 999.8583096530834, 999.8583131475832, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '35'], [999.8730094812607, 999.8624526407692, 999.8624547535875, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '36'], [999.8730094812607, 999.8529024184915, 999.8529071439207, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '37'], [999.8730094812607, 999.8454970485816, 999.8455049505857, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '38'], [999.8730094812607, 999.8387245110453, 999.8387341449582, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '39'], [999.8730094812607, 999.8526078668641, 999.8526125506082, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '40'], [999.8730094812607, 999.8680019244815, 999.8680022951897, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '41'], [999.8730094812607, 999.846318581219, 999.8463233409118, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '42'], [999.8730094812607, 999.8313886957493, 999.8314001301383, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '43'], [999.8730094812607, 999.848361580756, 999.8483692496196, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '44'], [999.8730094812607, 999.8516676198398, 999.8516742571264, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '45'], [999.8730094812607, 999.8578650295971, 999.8578685119112, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '46'], [999.8730094812607, 999.8259665183556, 999.8259790692754, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '47'], [999.8730094812607, 999.8330343327103, 999.8330447358616, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '48'], [999.8730094812607, 999.857854612615, 999.8578571909949, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '49'], [999.8730094812607, 999.8278596833023, 999.8278702457029, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '50'], [999.8730094812607, 999.8618175715425, 999.8618198339601, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '51'], [999.8730094812607, 999.8281067050417, 999.8281189698581, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '52'], [999.8730094812607, 999.8497086282187, 999.8497149201579, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '53'], [999.8730094812607, 999.81979315391, 999.8198086482391, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '54'], [999.8730094812607, 999.8429900796432, 999.8429986924118, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '55'], [999.8730094812607, 999.8517865816182, 999.8517918065746, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '56'], [999.8730094812607, 999.8552599929455, 999.8552644296386, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '57'], [999.8730094812607, 999.8537693520389, 999.853775474292, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '58'], [999.8730094812607, 999.8680529762228, 999.8680532624095, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '59'], [999.8730094812607, 999.8430802110768, 999.8430868860685, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '60'], [999.8730094812607, 999.8489861347097, 999.848993370292, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '61'], [999.8730094812607, 999.8311604737536, 999.8311722945543, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '62'], [999.8730094812607, 999.8401129895105, 999.8401232221073, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '63'], [999.8730094812607, 999.8570450251303, 999.8570494640591, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '64'], [999.8730094812607, 999.8528734788598, 999.8528788383702, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '65'], [999.8730094812607, 999.8356787385314, 999.8356866650206, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '66'], [999.8730094812607, 999.8389966217541, 999.8390058696989, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '67'], [999.8730094812607, 999.8543332071047, 999.854337430834, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '68'], [999.8730094812607, 999.8600098011495, 999.8600131098298, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '69'], [999.8730094812607, 999.8429105996772, 999.8429187007491, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '70'], [999.8730094812607, 999.8709488851782, 999.8709489687947, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '71'], [999.8730094812607, 999.8565566496399, 999.8565624459511, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '72'], [999.8730094812607, 999.8570161333872, 999.8570205388819, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '73'], [999.8730094812607, 999.8495443903131, 999.8495506536265, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '74'], [999.8730094812607, 999.835851893573, 999.8358628747105, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '75'], [999.8730094812607, 999.8471994498173, 999.8472058771403, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '76'], [999.8730094812607, 999.8471819070421, 999.8471892753146, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '77'], [999.8730094812607, 999.8381452084038, 999.838155709543, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '78'], [999.8730094812607, 999.8581685509262, 999.8581723344464, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '79'], [999.8730094812607, 999.855758875871, 999.8557624800534, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '80'], [999.8730094812607, 999.8337350592171, 999.8337463200975, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '81'], [999.8730094812607, 999.8526511618528, 999.8526573048267, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '82'], [999.8730094812607, 999.8411426055562, 999.8411522111307, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '83'], [999.8730094812607, 999.838047983273, 999.8380590337367, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '84'], [999.8730094812607, 999.8506263232724, 999.8506321276698, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '85'], [999.8730094812607, 999.8497285126515, 999.8497351999616, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '86'], [999.8730094812607, 999.8354522749019, 999.8354615108868, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '87'], [999.8730094812607, 999.8056203697113, 999.8056395003753, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '88'], [999.8730094812607, 999.849702700224, 999.8497079974998, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '89'], [999.8730094812607, 999.8260484925576, 999.8260613708744, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '90'], [999.8730094812607, 999.8234110768142, 999.8234255107168, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '91'], [999.8730094812607, 999.8428626524376, 999.8428696006121, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '92'], [999.8730094812607, 999.8442340036652, 999.844242251391, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '93'], [999.8730094812607, 999.8607917431535, 999.8607935754198, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '94'], [999.8730094812607, 999.8387328841504, 999.8387406404637, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '95'], [999.8730094812607, 999.8254837532471, 999.8254972201657, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '96'], [999.8730094812607, 999.8595212468983, 999.8595245911197, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '97'], [999.8730094812607, 999.8464957755638, 999.8465025482752, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '98'], [999.8730094812607, 999.8654579250502, 999.8654593525312, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '99'], [999.8730094812607, 999.8373263569874, 999.8373364954979, '1010.011101110011000101011111', '-111.000100000100110101011111', '39', '100']]], [[[999.681269210309, 999.6154734171121, 999.6154763206684, '-10111.10110011010000001111011', '0.010100001011110010101001011', '40', '1'], [999.9618206428191, 999.6749589198309, 999.6749607421928, '-00111.10110011010000001111011', '0.010110001000001010001001011', '40', '2'], [999.9627754994317, 999.8176376712105, 999.81764777567, '-00111.10111011010000001111011', '0.010100001011110011101001011', '40', '3'], [999.9627759100235, 999.9563803750822, 999.9563811205226, '-00111.10111011010000001111011', '0.010101001011110010101001011', '40', '4'], [999.9627759154122, 999.9349451535313, 999.9349523618946, '-00111.10111011010000001111011', '0.010101001001110011101001011', '40', '5'], [999.9627759236928, 999.9351142217317, 999.9351221784342, '-00111.10111011010010011111011', '0.010101001001110011101001011', '40', '6'], [999.9627759246439, 999.9440519202383, 999.9440570374585, '-00111.10111011010000011111001', '0.010101000001110011101001011', '40', '7'], [999.96277592469, 999.9461563020643, 999.9461625079282, '-00111.10111011010000011111001', '0.010101000001111011101001011', '40', '8'], [999.9627759248907, 999.9499280877202, 999.9499310141583, '-00111.10111011010000001110001', '0.010101000001111011101001011', '40', '9'], [999.9627759248925, 999.9523094048573, 999.9523113313031, '-00111.10111011010000001110001', '0.010101000001110011101011011', '40', '10'], [999.9627759248925, 999.9442720889436, 999.9442776995695, '-00111.10111011010000001110001', '0.010101000001110011111001011', '40', '11'], [999.9627759248925, 999.9266084962196, 999.9266178147309, '-00111.10111011010000001110001', '0.010101000001110011111101011', '40', '12'], [999.9627759248925, 999.9620382951688, 999.9620383122491, '-00111.10111011010000001110001', '0.010101000001110011111101111', '40', '13'], [999.9627759248925, 999.9531524987382, 999.9531535006158, '-00111.10111011010000001110001', '0.010101000001110011111101111', '40', '14'], [999.9627759248925, 999.9235561824052, 999.9235687323088, '-00111.10111011010000001110001', '0.010101000001110011111101111', '40', '15'], [999.9627759248925, 999.9446319830491, 999.9446375741072, '-00111.10111011010000001110001', '0.010101000001110011111101111', '40', '16'], [999.9627759248925, 999.9310462801844, 999.9310535612839, '-00111.10111011010000001110001', '0.010101000001110011111101111', '40', '17'], [999.9627759248925, 999.9224378629976, 999.9224504154404, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '18'], [999.9627759248925, 999.9288489167599, 999.9288581112518, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '19'], [999.9627759248925, 999.942969808341, 999.9429755747059, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '20'], [999.9627759248925, 999.9351115852498, 999.9351194491949, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '21'], [999.9627759248925, 999.9343820478812, 999.9343907876198, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '22'], [999.9627759248925, 999.9360163676923, 999.9360241852964, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '23'], [999.9627759248925, 999.9494623726999, 999.9494668322249, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '24'], [999.9627759248925, 999.9349364661986, 999.9349428917695, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '25'], [999.9627759248925, 999.9455418558745, 999.9455458913459, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '26'], [999.9627759248925, 999.9299094634978, 999.929920543732, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '27'], [999.9627759248925, 999.9382409548447, 999.9382478489449, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '28'], [999.9627759248925, 999.9497415763319, 999.9497437081831, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '29'], [999.9627759248925, 999.9577646505985, 999.9577652351641, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '30'], [999.9627759248925, 999.9420149952452, 999.9420215635221, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '31'], [999.9627759248925, 999.9207488479578, 999.9207615358853, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '32'], [999.9627759248925, 999.9605878550709, 999.9605880747813, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '33'], [999.9627759248925, 999.9147725769967, 999.9147879409414, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '34'], [999.9627759248925, 999.9166412589027, 999.9166566935359, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '35'], [999.9627759248925, 999.9277542369923, 999.9277642098784, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '36'], [999.9627759248925, 999.9467108073835, 999.9467146799186, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '37'], [999.9627759248925, 999.9302017270842, 999.9302112818509, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '38'], [999.9627759248925, 999.9429493001506, 999.9429550661798, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '39'], [999.9627759248925, 999.9191639232439, 999.9191782647192, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '40'], [999.9627759248925, 999.9253819387849, 999.9253921328302, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '41'], [999.9627759248925, 999.9474302562293, 999.9474355199834, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '42'], [999.9627759248925, 999.9543109400096, 999.9543125287111, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '43'], [999.9627759248925, 999.947900530285, 999.9479042450575, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '44'], [999.9627759248925, 999.9292985367896, 999.9293086357651, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '45'], [999.9627759248925, 999.9417401179983, 999.9417460516327, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '46'], [999.9627759248925, 999.9390148566007, 999.9390225089353, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '47'], [999.9627759248925, 999.9468246919781, 999.9468307437099, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '48'], [999.9627759248925, 999.9330678637937, 999.9330772595102, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '49'], [999.9627759248925, 999.9421866276774, 999.9421930334088, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '50'], [999.9627759248925, 999.9251114344926, 999.9251226006098, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '51'], [999.9627759248925, 999.9403317683615, 999.9403375717912, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '52'], [999.9627759248925, 999.9223048874128, 999.9223167648012, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '53'], [999.9627759248925, 999.9335873506581, 999.9335954600476, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '54'], [999.9627759248925, 999.9546531587632, 999.9546561427253, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '55'], [999.9627759248925, 999.929883507931, 999.9298938113241, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '56'], [999.9627759248925, 999.9323688856388, 999.9323799654828, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '57'], [999.9627759248925, 999.9045261344768, 999.9045448255458, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '58'], [999.9627759248925, 999.9361827029683, 999.9361905233798, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '59'], [999.9627759248925, 999.9375300989194, 999.9375378972246, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '60'], [999.9627759248925, 999.9516843877614, 999.9516877308646, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '61'], [999.9627759248925, 999.9409923670315, 999.940997679349, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '62'], [999.9627759248925, 999.9191259483347, 999.919138144922, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '63'], [999.9627759248925, 999.9332551271119, 999.9332625607301, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '64'], [999.9627759248925, 999.9305541408631, 999.9305633196607, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '65'], [999.9627759248925, 999.935638288881, 999.9356467598133, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '66'], [999.9627759248925, 999.9387619233909, 999.9387695733261, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '67'], [999.9627759248925, 999.9446909754241, 999.944696420253, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '68'], [999.9627759248925, 999.9467914361417, 999.9467953090095, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '69'], [999.9627759248925, 999.9358804024358, 999.9358890076318, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '70'], [999.9627759248925, 999.931673554733, 999.931684630375, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '71'], [999.9627759248925, 999.9250552661175, 999.9250674048689, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '72'], [999.9627759248925, 999.936222208379, 999.9362300295853, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '73'], [999.9627759248925, 999.9409958890469, 999.9410032345129, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '74'], [999.9627759248925, 999.9525523732015, 999.9525555597601, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '75'], [999.9627759248925, 999.9360595721809, 999.9360687962755, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '76'], [999.9627759248925, 999.9348617799591, 999.9348713009297, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '77'], [999.9627759248925, 999.9410664793919, 999.9410715818789, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '78'], [999.9627759248925, 999.9182665362845, 999.9182810180238, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '79'], [999.9627759248925, 999.9377715858998, 999.9377784716316, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '80'], [999.9627759248925, 999.934186835228, 999.9341946772894, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '81'], [999.9627759248925, 999.9401047544175, 999.9401127315892, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '82'], [999.9627759248925, 999.9536863026431, 999.9536886867563, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '83'], [999.9627759248925, 999.9388304654576, 999.9388371903403, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '84'], [999.9627759248925, 999.9521576428465, 999.9521608406798, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '85'], [999.9627759248925, 999.9491135901492, 999.949117890392, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '86'], [999.9627759248925, 999.9308007107819, 999.9308094783677, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '87'], [999.9627759248925, 999.9569290154199, 999.9569303974625, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '88'], [999.9627759248925, 999.9556283362439, 999.9556291297491, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '89'], [999.9627759248925, 999.9437560119309, 999.9437622511817, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '90'], [999.9627759248925, 999.9458413196186, 999.945847520584, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '91'], [999.9627759248925, 999.947686679089, 999.9476919328961, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '92'], [999.9627759248925, 999.9158250630059, 999.9158396809365, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '93'], [999.9627759248925, 999.948630793606, 999.9486351143977, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '94'], [999.9627759248925, 999.9390900120331, 999.9390975215441, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '95'], [999.9627759248925, 999.906639641636, 999.906657617855, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '96'], [999.9627759248925, 999.9291272848812, 999.9291378797457, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '97'], [999.9627759248925, 999.9556846097806, 999.9556867892327, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '98'], [999.9627759248925, 999.9472718920475, 999.947277142577, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '99'], [999.9627759248925, 999.9384706823113, 999.9384778358065, '-00111.10111011010000001110001', '0.010101000001110011111111111', '40', '100']]], [[[999.8220067821445, 999.6357235339133, 999.6357406642448, '0000.011000010001000110011100', '-1101.00101111010001001001', '41', '1'], [999.8428411406716, 999.7992279172274, 999.7992325755469, '0000.011000010001000110011100', '-1101.0011111101000100101', '41', '2'], [999.8728372233475, 999.816475307492, 999.8164774313929, '0000.011000000001000110011100', '-1101.0110111101010100101', '41', '3'], [999.8729005304891, 999.8643494135333, 999.8643504662663, '0000.010000000001000110011100', '-1101.0110111101010100101', '41', '4'], [999.8729476504708, 999.819554270918, 999.819570296872, '0000.000000000101000110011100', '-1101.0110111101110100101', '41', '5'], [999.8729713404985, 999.8488939478196, 999.8489004520974, '0000.000000000101000110011100', '-1101.0110111111110100101', '41', '6'], [999.8729726323153, 999.8392213699819, 999.839230260044, '0000.000000000100000110011100', '-1101.0110111111111100101', '41', '7'], [999.8729729517361, 999.8382353825618, 999.8382443390419, '0000.000000000100000110011100', '-1101.0110111111111110101', '41', '8'], [999.872972991566, 999.8372945284824, 999.8373037847809, '0000.000000000100000110011000', '-1101.0110111111111110111', '41', '9'], [999.872972991982, 999.8453786920601, 999.8453858778242, '0000.000000000000000110011000', '-1101.0110111111111110111', '41', '10'], [999.8729731506683, 999.8481328633184, 999.8481376937428, '0000.000000000100000110011000', '-1101.0110111111111111111', '41', '11'], [999.8729731510834, 999.8429246113747, 999.8429320829378, '0000.000000000000000010011000', '-1101.0110111111111111111', '41', '12'], [999.8729731510836, 999.8504825568843, 999.8504884070455, '0000.000000000000000010010000', '-1101.0110111111111111111', '41', '13'], [999.8729731510836, 999.8503188411312, 999.8503250619212, '0000.000000000000000010010010', '-1101.0110111111111111111', '41', '14'], [999.8729731510836, 999.8301900575966, 999.8302004077963, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '15'], [999.8729731510836, 999.8480146774282, 999.8480195989978, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '16'], [999.8729731510836, 999.8629718690182, 999.8629743740182, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '17'], [999.8729731510836, 999.8484353489562, 999.8484401642344, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '18'], [999.8729731510836, 999.8625116594047, 999.8625130169376, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '19'], [999.8729731510836, 999.8509776466497, 999.8509842474909, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '20'], [999.8729731510836, 999.8547486002769, 999.8547536474001, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '21'], [999.8729731510836, 999.8381679174063, 999.8381747543001, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '22'], [999.8729731510836, 999.8498329034845, 999.8498391246151, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '23'], [999.8729731510836, 999.8351555833448, 999.8351662645924, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '24'], [999.8729731510836, 999.8578747591088, 999.8578777332779, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '25'], [999.8729731510836, 999.8507165025007, 999.8507218218335, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '26'], [999.8729731510836, 999.8565556114199, 999.8565600120427, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '27'], [999.8729731510836, 999.8561263440748, 999.8561300076753, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '28'], [999.8729731510836, 999.8641197797893, 999.8641214878706, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '29'], [999.8729731510836, 999.8693614562644, 999.8693617873864, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '30'], [999.8729731510836, 999.845606183326, 999.8456122179414, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '31'], [999.8729731510836, 999.8576407618162, 999.8576443171921, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '32'], [999.8729731510836, 999.8520267172914, 999.8520322328711, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '33'], [999.8729731510836, 999.8483432546866, 999.8483514656186, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '34'], [999.8729731510836, 999.8509184697431, 999.8509224835419, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '35'], [999.8729731510836, 999.8382206798011, 999.8382311359157, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '36'], [999.8729731510836, 999.8404069641023, 999.8404151389499, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '37'], [999.8729731510836, 999.8278097054729, 999.8278243522212, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '38'], [999.8729731510836, 999.8515101978952, 999.8515144228998, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '39'], [999.8729731510836, 999.8498629847487, 999.8498707432013, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '40'], [999.8729731510836, 999.8508747343002, 999.8508792972515, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '41'], [999.8729731510836, 999.8556062940661, 999.8556105173757, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '42'], [999.8729731510836, 999.857446685251, 999.8574491130761, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '43'], [999.8729731510836, 999.8618280784245, 999.8618299543915, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '44'], [999.8729731510836, 999.8499904488735, 999.8499970216843, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '45'], [999.8729731510836, 999.8599421961703, 999.8599446292146, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '46'], [999.8729731510836, 999.8654230725359, 999.8654242037197, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '47'], [999.8729731510836, 999.8596575829372, 999.8596619214253, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '48'], [999.8729731510836, 999.8593545564968, 999.8593578429139, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '49'], [999.8729731510836, 999.8372712465022, 999.8372803274048, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '50'], [999.8729731510836, 999.8585736213713, 999.8585763538819, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '51'], [999.8729731510836, 999.8438915689429, 999.8438992956558, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '52'], [999.8729731510836, 999.8572203211737, 999.8572235248115, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '53'], [999.8729731510836, 999.8343060861511, 999.8343152646747, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '54'], [999.8729731510836, 999.8644376541212, 999.8644397237514, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '55'], [999.8729731510836, 999.852888326381, 999.8528936949016, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '56'], [999.8729731510836, 999.8346049752254, 999.8346171330518, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '57'], [999.8729731510836, 999.8477363566242, 999.8477424982101, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '58'], [999.8729731510836, 999.8655378017604, 999.8655395855146, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '59'], [999.8729731510836, 999.8541821464927, 999.8541864448084, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '60'], [999.8729731510836, 999.854536467395, 999.854541557111, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '61'], [999.8729731510836, 999.8363955093388, 999.8364029294981, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '62'], [999.8729731510836, 999.8505983280664, 999.8506034836648, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '63'], [999.8729731510836, 999.8678739829941, 999.8678744435255, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '64'], [999.8729731510836, 999.8408884428868, 999.840896718797, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '65'], [999.8729731510836, 999.8242057458918, 999.8242168179526, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '66'], [999.8729731510836, 999.8470238832211, 999.8470296915888, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '67'], [999.8729731510836, 999.8331756771868, 999.8331881263497, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '68'], [999.8729731510836, 999.8475165224163, 999.8475227694424, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '69'], [999.8729731510836, 999.8320502375857, 999.8320607248397, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '70'], [999.8729731510836, 999.8212311748654, 999.8212455563348, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '71'], [999.8729731510836, 999.8370853166193, 999.8370962130809, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '72'], [999.8729731510836, 999.8427016498406, 999.8427105193124, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '73'], [999.8729731510836, 999.8696906738289, 999.8696910027691, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '74'], [999.8729731510836, 999.8385280661387, 999.838534198102, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '75'], [999.8729731510836, 999.8278070700683, 999.8278179835157, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '76'], [999.8729731510836, 999.8058165753405, 999.8058339229907, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '77'], [999.8729731510836, 999.8514645876598, 999.8514691809413, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '78'], [999.8729731510836, 999.8499187857072, 999.8499248328822, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '79'], [999.8729731510836, 999.83059877082, 999.8306115792118, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '80'], [999.8729731510836, 999.8633782884558, 999.8633803649802, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '81'], [999.8729731510836, 999.8552520611523, 999.8552565946201, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '82'], [999.8729731510836, 999.8659979678736, 999.8659990685165, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '83'], [999.8729731510836, 999.8598784512687, 999.8598806000291, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '84'], [999.8729731510836, 999.8578461803074, 999.8578506372405, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '85'], [999.8729731510836, 999.8396744434541, 999.8396828119272, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '86'], [999.8729731510836, 999.8463833680385, 999.8463896347893, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '87'], [999.8729731510836, 999.8207026609708, 999.8207177470167, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '88'], [999.8729731510836, 999.8524484040995, 999.8524528591297, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '89'], [999.8729731510836, 999.8499189735952, 999.849922861727, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '90'], [999.8729731510836, 999.8574317029438, 999.857435049329, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '91'], [999.8729731510836, 999.8624501283006, 999.8624519566283, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '92'], [999.8729731510836, 999.8340501948227, 999.8340612691011, '0000.000000000000000010010011', '-1101.0110111111111111111', '41', '93'], [999.8861271502077, 999.8529597625644, 999.8529641973481, '1000.000000000000000010010011', '-0101.0110111111111111111', '41', '94'], [999.9217003258235, 999.8341350733059, 999.8341499477865, '1000.010000000000000010010011', '-0101.0110111111111111111', '41', '95'], [999.921700341941, 999.902247937316, 999.9022521122104, '1000.010000000000000010000011', '-0101.0110111111111111111', '41', '96'], [999.9217003449629, 999.8639577189316, 999.8639750049305, '1000.010000000000000010000000', '-0101.0110111111111111111', '41', '97'], [999.9217004718452, 999.8703938457874, 999.8704117673838, '1000.010000000000000000000010', '-0101.0110111111111111111', '41', '98'], [999.9217004718452, 999.8763160331904, 999.876330458576, '1000.010000000000000000000010', '-0101.0110111111111111111', '41', '99'], [999.9217004738587, 999.8789543985456, 999.8789689748097, '1000.010000000000000000000000', '-0101.0110111111111111111', '41', '100']]], [[[999.716157891338, 999.5613031282721, 999.5613153405088, '-10100.001001111111111111101', '-1010.00110010000110001010100', '42', '1'], [999.7265460912432, 999.6941104405898, 999.6941129846088, '-10100.001001111110010111101', '-1010.01110111000110001010000', '42', '2'], [999.7265588834455, 999.6844943936637, 999.6844974645905, '-10100.001001111111111111101', '-1010.01110111000110001010000', '42', '3'], [999.7272028643406, 999.697009241856, 999.6970136741754, '-10100.001011111111111111101', '-1010.01110111000110001010000', '42', '4'], [999.7272110873175, 999.70430864429, 999.7043119666356, '-10100.001011111111111111101', '-1010.01110111100110001010000', '42', '5'], [999.7272130488705, 999.7058871543076, 999.7058906761424, '-10100.001011111111111111111', '-1010.01110111101110001010000', '42', '6'], [999.7272168260118, 999.7120759813484, 999.7120780511223, '-10100.001011111111111111101', '-1010.01110111111110001010000', '42', '7'], [999.7272532802549, 999.7181274827395, 999.7181286900685, '-10100.001011111111111111101', '-1010.01111111101111001010000', '42', '8'], [999.7272575036128, 999.7159571768133, 999.7159585664805, '-10100.001011110111111111101', '-1010.01111111101111001010000', '42', '9'], [999.7272575899418, 999.712213668789, 999.7122157178281, '-10100.001011110111101111101', '-1010.01111111101111001010010', '42', '10'], [999.7272589026966, 999.7059732075068, 999.7059757964523, '-10100.001011110111111011101', '-1010.01111110101111001010000', '42', '11'], [999.7272589038838, 999.7032647329255, 999.7032677496261, '-10100.001011110111101011101', '-1010.01111110101111001010001', '42', '12'], [999.7272589038864, 999.7004273824482, 999.7004309291107, '-10100.001011110111101011111', '-1010.01111110101111001010001', '42', '13'], [999.7272589038874, 999.7105111899223, 999.7105136543281, '-10100.001011110111101011111', '-1010.01111110101111001011001', '42', '14'], [999.72725890389, 999.7025468695283, 999.702550362053, '-10100.001011110111101011111', '-1010.01111110101111001111001', '42', '15'], [999.7272589038901, 999.7058696387953, 999.7058725922828, '-10100.001011110111101011000', '-1010.01111110101111011010001', '42', '16'], [999.7272589038901, 999.7147747238844, 999.7147764469898, '-10100.001011110111101011000', '-1010.01111110101111011010001', '42', '17'], [999.7272589038903, 999.7128769159914, 999.7128788316325, '-10100.001011110111101011000', '-1010.01111110101111011000001', '42', '18'], [999.7272589038903, 999.7125946911351, 999.7125965789057, '-10100.001011110111101011000', '-1010.01111110101111011001001', '42', '19'], [999.7272589038903, 999.7028221736183, 999.702825602027, '-10100.001011110111101011000', '-1010.01111110101111011001001', '42', '20'], [999.7272589038903, 999.7107447093298, 999.7107474102314, '-10100.001011110111101011000', '-1010.01111110101111011001001', '42', '21'], [999.7272589038903, 999.7085913097605, 999.7085936345736, '-10100.001011110111101011000', '-1010.01111110101111011001001', '42', '22'], [999.7272589038903, 999.7012882881494, 999.7012916536672, '-10100.001011110111101011000', '-1010.01111110101111011001001', '42', '23'], [999.7272589038903, 999.7112735285941, 999.7112758459037, '-10100.001011110111101011000', '-1010.01111110101111011001001', '42', '24'], [999.7272589038903, 999.6907328411013, 999.6907383560518, '-10100.001011110111101011000', '-1010.01111110101111011001001', '42', '25'], [999.7272589038903, 999.6969671828817, 999.6969714682468, '-10100.001011110111101011000', '-1010.01111110101111011001001', '42', '26'], [999.7272589038903, 999.7218547875472, 999.7218553515198, '-10100.001011110111101011000', '-1010.01111110101111011001001', '42', '27'], [999.7272589038903, 999.7113550757433, 999.7113572220874, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '28'], [999.7272589038903, 999.7124534063693, 999.7124556198179, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '29'], [999.7272589038903, 999.7055354622136, 999.7055383888289, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '30'], [999.7272589038903, 999.7087047682908, 999.7087071776112, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '31'], [999.7272589038903, 999.7060837118053, 999.7060864753528, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '32'], [999.7272589038903, 999.7142414968667, 999.7142429363889, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '33'], [999.7272589038903, 999.705587077232, 999.705589721078, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '34'], [999.7272589038903, 999.7077000192729, 999.7077026900787, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '35'], [999.7272589038903, 999.716155433635, 999.7161566713287, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '36'], [999.7272589038903, 999.7163357715508, 999.7163372218479, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '37'], [999.7272589038903, 999.7053067174086, 999.705309417567, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '38'], [999.7272589038903, 999.7165222696896, 999.7165234659889, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '39'], [999.7272589038903, 999.708260396823, 999.7082631865158, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '40'], [999.7272589038903, 999.6964643769477, 999.6964688863983, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '41'], [999.7272589038903, 999.708290286681, 999.7082927984384, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '42'], [999.7272589038903, 999.7121185770177, 999.7121207176164, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '43'], [999.7272589038903, 999.7063290812497, 999.7063320262804, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '44'], [999.7272589038903, 999.7129499992869, 999.7129519997583, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '45'], [999.7272589038903, 999.7126088869205, 999.7126108051567, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '46'], [999.7272589038903, 999.716051017049, 999.7160526566062, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '47'], [999.7272589038903, 999.6993954247376, 999.6993993173903, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '48'], [999.7272589038903, 999.7190147764071, 999.7190160344038, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '49'], [999.7272589038903, 999.7171938564551, 999.7171950007682, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '50'], [999.7272589038903, 999.7032097869751, 999.7032134679347, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '51'], [999.7272589038903, 999.7147643257125, 999.7147658037327, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '52'], [999.7272589038903, 999.7078111845601, 999.7078141252065, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '53'], [999.7272589038903, 999.7156153546412, 999.7156169421268, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '54'], [999.7272589038903, 999.7134926779758, 999.7134948883061, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '55'], [999.7272589038903, 999.7075037679766, 999.7075068272794, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '56'], [999.7272589038903, 999.7120251183734, 999.712027590666, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '57'], [999.7272589038903, 999.7173379361685, 999.7173391720856, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '58'], [999.7272589038903, 999.7033386297009, 999.7033420246147, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '59'], [999.7272589038903, 999.7089952835543, 999.7089979877873, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '60'], [999.7272589038903, 999.7084802141985, 999.7084827585113, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '61'], [999.7272589038903, 999.7070110409556, 999.707013768113, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '62'], [999.7272589038903, 999.7170902126122, 999.7170914763286, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '63'], [999.7272589038903, 999.7149744443855, 999.7149758978642, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '64'], [999.7272589038903, 999.7150053939829, 999.7150072095766, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '65'], [999.7272589038903, 999.70860601641, 999.7086085993402, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '66'], [999.7272589038903, 999.6997287515504, 999.6997330478902, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '67'], [999.7272589038903, 999.7224780889156, 999.7224786310758, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '68'], [999.7272589038903, 999.7040596570114, 999.7040625605347, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '69'], [999.7272589038903, 999.708023845548, 999.7080262614561, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '70'], [999.7272589038903, 999.716622285522, 999.7166237613101, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '71'], [999.7272589038903, 999.7059922709184, 999.7059950104531, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '72'], [999.7272589038903, 999.7146305137269, 999.7146320449522, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '73'], [999.7272589038903, 999.701016735077, 999.7010204414411, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '74'], [999.7272589038903, 999.6979805481532, 999.6979844138409, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '75'], [999.7272589038903, 999.7153434458278, 999.7153446022926, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '76'], [999.7272589038903, 999.708674003522, 999.7086765685499, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '77'], [999.7272589038903, 999.7003377748742, 999.7003411943931, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '78'], [999.7272589038903, 999.71010963056, 999.7101126234139, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '79'], [999.7272589038903, 999.7080670021948, 999.7080697404683, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '80'], [999.7272589038903, 999.7012929280245, 999.7012968497144, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '81'], [999.7272589038903, 999.7020263691358, 999.7020299853302, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '82'], [999.7272589038903, 999.7024640424579, 999.7024677284758, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '83'], [999.7272589038903, 999.7133645672479, 999.7133667776981, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '84'], [999.7272589038903, 999.7084326071797, 999.7084353351036, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '85'], [999.7272589038903, 999.6964552993828, 999.6964595586088, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '86'], [999.7272589038903, 999.7067517503106, 999.7067547943136, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '87'], [999.7272589038903, 999.7130810922486, 999.7130832823468, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '88'], [999.7272589038903, 999.7152729390332, 999.7152743920336, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '89'], [999.7272589038903, 999.7083707787372, 999.708373153977, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '90'], [999.7272589038903, 999.7160899159734, 999.7160913191709, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '91'], [999.7272589038903, 999.7128282421996, 999.7128303175303, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '92'], [999.7272589038903, 999.7007956182814, 999.7007995077358, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '93'], [999.7272589038903, 999.7028720041402, 999.7028754148271, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '94'], [999.7272589038903, 999.705050497397, 999.7050538928631, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '95'], [999.7272589038903, 999.699244134037, 999.6992481941405, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '96'], [999.7272589038903, 999.714350390079, 999.7143518285565, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '97'], [999.7272589038903, 999.7001799330495, 999.7001836807194, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '98'], [999.7272589038903, 999.7019870911738, 999.7019905988436, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '99'], [999.7272589038903, 999.7018733623872, 999.7018770174993, '-10100.001011110111101011001', '-1010.01111110101111011000001', '42', '100']]], [[[999.8233513914487, 999.6845166920662, 999.6845307710395, '1011.01101010100101001001101', '-110.00101100010101011000011', '43', '1'], [999.8718366434914, 999.7420671652498, 999.742083177965, '1011.00101010100101001001111', '-110.001011000101010110001000', '43', '2'], [999.8729910944791, 999.8412569367466, 999.841258529916, '1011.00101010100101001001111', '-110.001111111010001001001010', '43', '3'], [999.8824532490803, 999.8584055621561, 999.8584076502977, '0011.00101010100101001001111', '-110.001111000101000001001010', '43', '4'], [999.9583220334075, 999.858195804902, 999.8582018934026, '0011.00101010000101001001111', '-110.011111111010001001001010', '43', '5'], [999.9627702397578, 999.9316144059726, 999.9316170728606, '0011.01101010000101001001111', '-110.101111000101001011001010', '43', '6'], [999.9627702691022, 999.9304043962289, 999.93040749608, '0011.01101010000101001001111', '-110.101111000101001001001010', '43', '7'], [999.9627758151801, 999.9421962680708, 999.9422021887422, '0011.01101011000101001001111', '-110.101111000101001001001000', '43', '8'], [999.962775853476, 999.930875043983, 999.9308854412008, '0011.01101011000111001001111', '-110.101111000101001001001000', '43', '9'], [999.9627759204203, 999.9228070256468, 999.9228187342467, '0011.01101011001101011001111', '-110.101111000101001001000000', '43', '10'], [999.9627759231919, 999.9588584984181, 999.9588586959525, '0011.01101011001101011011111', '-110.101111000101000001000000', '43', '11'], [999.9627759248842, 999.9521394961916, 999.9521411782921, '0011.01101011001111011001111', '-110.101111000101001001000000', '43', '12'], [999.9627759248842, 999.9388231473649, 999.9388320121088, '0011.01101011001111011001111', '-110.101111000101001001000000', '43', '13'], [999.962775924889, 999.9505674588128, 999.9505691976531, '0011.01101011001111011011111', '-110.101111000101001001000000', '43', '14'], [999.9627759248925, 999.9367426929742, 999.9367499437901, '0011.01101011001111011111111', '-110.101111000101001001000010', '43', '15'], [999.9627759248925, 999.9378265804339, 999.9378334333499, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '16'], [999.9627759248925, 999.9304168555298, 999.9304235907186, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '17'], [999.9627759248925, 999.9515047702959, 999.9515055273464, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '18'], [999.9627759248925, 999.950177790554, 999.9501796313499, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '19'], [999.9627759248925, 999.9529842628076, 999.9529858628305, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '20'], [999.9627759248925, 999.9256042715435, 999.9256139172905, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '21'], [999.9627759248925, 999.936382610304, 999.9363898657156, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '22'], [999.9627759248925, 999.9431315691982, 999.943135629571, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '23'], [999.9627759248925, 999.942794554102, 999.9427987703922, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '24'], [999.9627759248925, 999.9342415095621, 999.9342461023847, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '25'], [999.9627759248925, 999.9404548840815, 999.9404609556501, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '26'], [999.9627759248925, 999.9525631662403, 999.9525639044886, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '27'], [999.9627759248925, 999.9313559535534, 999.9313661699281, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '28'], [999.9627759248925, 999.9413164967582, 999.9413215424335, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '29'], [999.9627759248925, 999.9319749953651, 999.9319851896073, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '30'], [999.9627759248925, 999.9440944983845, 999.9440985099332, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '31'], [999.9627759248925, 999.9604642221962, 999.9604643246174, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '32'], [999.9627759248925, 999.9479333079315, 999.9479353214127, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '33'], [999.9627759248925, 999.9392153731817, 999.9392213222367, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '34'], [999.9627759248925, 999.9297155397124, 999.9297239225352, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '35'], [999.9627759248925, 999.9333971599752, 999.9334035446125, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '36'], [999.9627759248925, 999.9435999767173, 999.9436057980702, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '37'], [999.9627759248925, 999.9467402187039, 999.9467430396778, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '38'], [999.9627759248925, 999.9448338588373, 999.9448396589114, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '39'], [999.9627759248925, 999.9484053331321, 999.9484071005024, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '40'], [999.9627759248925, 999.934274003081, 999.9342840990091, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '41'], [999.9627759248925, 999.9432843007244, 999.9432901930038, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '42'], [999.9627759248925, 999.9289739740053, 999.9289870423077, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '43'], [999.9627759248925, 999.9512790494549, 999.9512807087315, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '44'], [999.9627759248925, 999.9534633189102, 999.9534638869715, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '45'], [999.9627759248925, 999.9307546508373, 999.9307646723887, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '46'], [999.9627759248925, 999.929700156787, 999.9297105574144, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '47'], [999.9627759248925, 999.9261158613407, 999.9261280192478, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '48'], [999.9627759248925, 999.9510784280944, 999.9510813048606, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '49'], [999.9627759248925, 999.9562593299544, 999.9562597464608, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '50'], [999.9627759248925, 999.9459589784144, 999.9459637930626, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '51'], [999.9627759248925, 999.9456811493072, 999.9456842862152, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '52'], [999.9627759248925, 999.9524085035754, 999.9524101987976, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '53'], [999.9627759248925, 999.944286502295, 999.9442913775074, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '54'], [999.9627759248925, 999.9395352919612, 999.9395422957286, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '55'], [999.9627759248925, 999.9422466115014, 999.9422498697528, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '56'], [999.9627759248925, 999.9381368252361, 999.9381440661215, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '57'], [999.9627759248925, 999.9356248399095, 999.9356285178973, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '58'], [999.9627759248925, 999.9096067909262, 999.9096279161745, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '59'], [999.9627759248925, 999.9378011817715, 999.9378092292673, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '60'], [999.9627759248925, 999.9530807834204, 999.9530823957258, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '61'], [999.9627759248925, 999.9277296978029, 999.9277383935748, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '62'], [999.9627759248925, 999.9221690736767, 999.922181389555, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '63'], [999.9627759248925, 999.9480025188772, 999.948004574776, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '64'], [999.9627759248925, 999.9473537197551, 999.9473567855366, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '65'], [999.9627759248925, 999.9456349293179, 999.9456379392642, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '66'], [999.9627759248925, 999.9417702281089, 999.9417733688173, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '67'], [999.9627759248925, 999.9452011588127, 999.9452070036069, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '68'], [999.9627759248925, 999.9363308912656, 999.936336161503, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '69'], [999.9627759248925, 999.9509438097189, 999.9509448853959, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '70'], [999.9627759248925, 999.9500322650813, 999.9500341583247, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '71'], [999.9627759248925, 999.9336760226291, 999.9336835621635, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '72'], [999.9627759248925, 999.9420772461317, 999.9420832199504, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '73'], [999.9627759248925, 999.9469081945047, 999.9469110281998, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '74'], [999.9627759248925, 999.9509594919521, 999.950961327027, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '75'], [999.9627759248925, 999.9267471214251, 999.9267612462685, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '76'], [999.9627759248925, 999.9346521952913, 999.9346595926692, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '77'], [999.9627759248925, 999.9277573040495, 999.9277676808337, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '78'], [999.9627759248925, 999.9263235857516, 999.9263350921158, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '79'], [999.9627759248925, 999.9454102374491, 999.945412561432, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '80'], [999.9627759248925, 999.9434090725034, 999.9434149919579, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '81'], [999.9627759248925, 999.9398578328817, 999.9398647686406, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '82'], [999.9627759248925, 999.9460746484431, 999.9460765508971, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '83'], [999.9627759248925, 999.9339340285654, 999.9339429878504, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '84'], [999.9627759248925, 999.9396806500098, 999.9396867066714, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '85'], [999.9627759248925, 999.9418849086968, 999.9418917995577, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '86'], [999.9627759248925, 999.9428889704899, 999.9428930866682, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '87'], [999.9627759248925, 999.9383252409011, 999.9383314402205, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '88'], [999.9627759248925, 999.9443860167208, 999.9443909234625, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '89'], [999.9627759248925, 999.9199949943769, 999.920009334294, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '90'], [999.9627759248925, 999.9516416194424, 999.9516431798747, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '91'], [999.9627759248925, 999.9478403632784, 999.9478450872055, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '92'], [999.9627759248925, 999.9439651515406, 999.9439701207987, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '93'], [999.9627759248925, 999.9422577951591, 999.9422618551075, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '94'], [999.9627759248925, 999.9537961996933, 999.953796928643, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '95'], [999.9627759248925, 999.9448769395592, 999.9448823189116, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '96'], [999.9627759248925, 999.9480551557763, 999.9480598312955, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '97'], [999.9627759248925, 999.9504532753673, 999.9504578584166, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '98'], [999.9627759248925, 999.9500181362121, 999.9500200177057, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '99'], [999.9627759248925, 999.9444366413665, 999.9444389993503, '0011.01101011001111011111111', '-110.101111000101001001000110', '43', '100']]], [[[999.987960875374, 999.7349598511096, 999.7349891602158, '-010.0100000010011101010010', '-11.01010101101011011101010110', '44', '1'], [999.9900044016136, 999.9442276589668, 999.944238724128, '-010.0100000011001101010010', '-11.01011111010011110011010110', '44', '2'], [999.9902750108961, 999.972571725624, 999.972576674403, '-010.0100101001001101010010', '-11.01011101010011110011010110', '44', '3'], [999.9902835264751, 999.9708783424368, 999.970883888, '-010.0100100001001101010010', '-11.01011111010011110011010110', '44', '4'], [999.9902837900518, 999.9746344781164, 999.9746374132333, '-010.0100100001001101010110', '-11.01011111010111110011010110', '44', '5'], [999.9902840697072, 999.9650338182817, 999.9650428880078, '-010.0100100001001101010110', '-11.01011111011111110011010110', '44', '6'], [999.9902840899945, 999.9795926439662, 999.979594480156, '-010.0100100001011101010110', '-11.01011111011111110010010110', '44', '7'], [999.9902840900951, 999.9773522761285, 999.977356732853, '-010.0100100001011111010110', '-11.01011111011111110010010110', '44', '8'], [999.9902840901133, 999.9788458072015, 999.9788474459393, '-010.0100100001011110010110', '-11.01011111011111110010010110', '44', '9'], [999.9902840901225, 999.9690406357203, 999.9690460201625, '-010.0100100001011110010110', '-11.01011111011111110110010110', '44', '10'], [999.9902840901225, 999.9819701187048, 999.9819708637075, '-010.0100100001011110010110', '-11.01011111011111110110010110', '44', '11'], [999.9902840901225, 999.9856973860994, 999.9856980104526, '-010.0100100001011110010110', '-11.01011111011111110110011110', '44', '12'], [999.9902840901225, 999.9602828899343, 999.9602922799315, '-010.0100100001011110010110', '-11.01011111011111110110011110', '44', '13'], [999.9902840901225, 999.9827825255107, 999.9827837221862, '-010.0100100001011110010110', '-11.01011111011111110110011110', '44', '14'], [999.9902840901225, 999.952251346388, 999.9522651946403, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '15'], [999.9902840901225, 999.9845543099369, 999.9845549510003, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '16'], [999.9902840901225, 999.963913152708, 999.9639194633246, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '17'], [999.9902840901225, 999.9596481502097, 999.9596556438739, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '18'], [999.9902840901225, 999.9883376922578, 999.9883377349358, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '19'], [999.9902840901225, 999.9813509388073, 999.9813517995244, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '20'], [999.9902840901225, 999.9723107840249, 999.9723163169632, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '21'], [999.9902840901225, 999.9803307796453, 999.98033209429, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '22'], [999.9902840901225, 999.9810672966873, 999.9810683868805, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '23'], [999.9902840901225, 999.9641410884167, 999.9641475087174, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '24'], [999.9902840901225, 999.9704647192168, 999.970469911799, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '25'], [999.9902840901225, 999.9790291268232, 999.9790304561005, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '26'], [999.9902840901225, 999.987245507858, 999.9872456556463, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '27'], [999.9902840901225, 999.9824771598802, 999.9824780357146, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '28'], [999.9902840901225, 999.9776808129784, 999.9776851441598, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '29'], [999.9902840901225, 999.9507128442956, 999.9507244041785, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '30'], [999.9902840901225, 999.9562553589126, 999.9562639633733, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '31'], [999.9902840901225, 999.981861471845, 999.9818628709543, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '32'], [999.9902840901225, 999.9757292699474, 999.9757317478854, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '33'], [999.9902840901225, 999.9688368625867, 999.9688435567032, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '34'], [999.9902840901225, 999.9795716368724, 999.979575865666, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '35'], [999.9902840901225, 999.9758519811879, 999.9758565207643, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '36'], [999.9902840901225, 999.9621845339075, 999.9621971494154, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '37'], [999.9902840901225, 999.9681343055283, 999.9681409031857, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '38'], [999.9902840901225, 999.9704606545403, 999.9704659610758, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '39'], [999.9902840901225, 999.9859931207644, 999.9859934052452, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '40'], [999.9902840901225, 999.9837084298638, 999.9837091605917, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '41'], [999.9902840901225, 999.9771104451347, 999.9771123963654, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '42'], [999.9902840901225, 999.9789129374658, 999.9789141367951, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '43'], [999.9902840901225, 999.9745774380676, 999.9745824413181, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '44'], [999.9902840901225, 999.973345528138, 999.9733478005402, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '45'], [999.9902840901225, 999.9710101813814, 999.9710132336157, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '46'], [999.9902840901225, 999.9563492359661, 999.9563619620707, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '47'], [999.9902840901225, 999.9882127345522, 999.988212775246, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '48'], [999.9902840901225, 999.9771736957164, 999.9771756515381, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '49'], [999.9902840901225, 999.9579528623879, 999.9579607498824, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '50'], [999.9902840901225, 999.9658469872962, 999.9658563899825, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '51'], [999.9902840901225, 999.9832269106429, 999.9832273084784, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '52'], [999.9902840901225, 999.9682221214233, 999.968230665489, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '53'], [999.9902840901225, 999.9802797816023, 999.9802840058084, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '54'], [999.9902840901225, 999.9657700850768, 999.9657786815658, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '55'], [999.9902840901225, 999.9723872948925, 999.9723922821024, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '56'], [999.9902840901225, 999.9528513408013, 999.9528623804756, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '57'], [999.9902840901225, 999.9740601761301, 999.9740655802609, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '58'], [999.9902840901225, 999.9711988999042, 999.9712043416447, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '59'], [999.9902840901225, 999.9774324579514, 999.9774349523578, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '60'], [999.9902840901225, 999.977407628402, 999.977412040743, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '61'], [999.9902840901225, 999.9828477728856, 999.9828490328338, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '62'], [999.9902840901225, 999.9700081255189, 999.970013830701, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '63'], [999.9902840901225, 999.9831057227325, 999.9831064618648, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '64'], [999.9902840901225, 999.9502886381016, 999.9502974007942, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '65'], [999.9902840901225, 999.9735554036731, 999.9735584602786, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '66'], [999.9902840901225, 999.9538025251055, 999.9538160728324, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '67'], [999.9902840901225, 999.9756907821137, 999.9756930558806, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '68'], [999.9902840901225, 999.9791788038216, 999.9791831173171, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '69'], [999.9902840901225, 999.9797560593357, 999.9797578518593, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '70'], [999.9902840901225, 999.9758904853803, 999.9758930758419, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '71'], [999.9902840901225, 999.9777704133223, 999.9777727155594, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '72'], [999.9902840901225, 999.9837995314965, 999.9838006970626, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '73'], [999.9902840901225, 999.9635829525532, 999.9635893206424, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '74'], [999.9902840901225, 999.9660917726608, 999.9660954084966, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '75'], [999.9902840901225, 999.9810361527839, 999.9810378832087, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '76'], [999.9902840901225, 999.9688124729988, 999.9688183475143, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '77'], [999.9902840901225, 999.964986067486, 999.9649931955223, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '78'], [999.9902840901225, 999.9739027529671, 999.9739077936445, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '79'], [999.9902840901225, 999.9821350821254, 999.9821361578034, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '80'], [999.9902840901225, 999.9714808182825, 999.9714864316419, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '81'], [999.9902840901225, 999.9743839310136, 999.9743867916264, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '82'], [999.9902840901225, 999.9686136056318, 999.9686196469625, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '83'], [999.9902840901225, 999.9759578306988, 999.9759599101351, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '84'], [999.9902840901225, 999.9815390833031, 999.9815400361161, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '85'], [999.9902840901225, 999.9611387213496, 999.9611484481873, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '86'], [999.9902840901225, 999.9674127125015, 999.9674190138646, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '87'], [999.9902840901225, 999.9685738243242, 999.9685804176717, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '88'], [999.9902840901225, 999.9679034011591, 999.9679070706931, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '89'], [999.9902840901225, 999.9777878710454, 999.9777923156952, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '90'], [999.9902840901225, 999.9759370213505, 999.975939353931, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '91'], [999.9902840901225, 999.9793799441471, 999.9793813907843, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '92'], [999.9902840901225, 999.972446368185, 999.9724514685889, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '93'], [999.9902840901225, 999.9887147040195, 999.9887148248055, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '94'], [999.9902840901225, 999.9726726099734, 999.9726773249537, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '95'], [999.9902840901225, 999.9736456102889, 999.9736503667625, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '96'], [999.9902840901225, 999.9427738406738, 999.9427908531619, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '97'], [999.9902840901225, 999.9592471705379, 999.9592568293037, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '98'], [999.9902840901225, 999.9887865049333, 999.9887865335282, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '99'], [999.9902840901225, 999.9800724024744, 999.980073903976, '-010.0100100001011110010110', '-11.01011111011111110110011111', '44', '100']]], [[[999.9902158694229, 999.8951957679568, 999.89520497979, '10.0010011101000011100101011', '-11.101101001001000100101', '45', '1'], [999.9902732076065, 999.9719239078743, 999.9719270768609, '10.0010010101100011100101011', '-11.101101001001000100101', '45', '2'], [999.990284044206, 999.9611120284334, 999.9611194812289, '10.0001010101100011100101011', '-11.101001110001000100101', '45', '3'], [999.9902840697364, 999.9471673717987, 999.9471786471723, '10.0010010101000011100101011', '-11.101101011001000100101', '45', '4'], [999.9902840878119, 999.972505594333, 999.9725081541009, '10.0001010101010011100101011', '-11.101001110001000110101', '45', '5'], [999.9902840878119, 999.9847823522687, 999.9847827037846, '10.0001010101010011100101011', '-11.101001110001000110101', '45', '6'], [999.9902840901144, 999.9720449431219, 999.9720491756683, '10.0001010101010011100101011', '-11.101001110001010110101', '45', '7'], [999.9902840901225, 999.9663478088828, 999.9663524232434, '10.0001010101010011100101011', '-11.101001110001010111101', '45', '8'], [999.9902840901225, 999.9661819571121, 999.9661882421284, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '9'], [999.9902840901225, 999.9836572546732, 999.9836580821561, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '10'], [999.9902840901225, 999.9626674296491, 999.9626747474001, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '11'], [999.9902840901225, 999.9678761276571, 999.9678817074397, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '12'], [999.9902840901225, 999.9538014333643, 999.9538085451397, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '13'], [999.9902840901225, 999.9749932982356, 999.974997206932, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '14'], [999.9902840901225, 999.967099845454, 999.9671052413573, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '15'], [999.9902840901225, 999.9588850497563, 999.9588918964693, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '16'], [999.9902840901225, 999.9873692114572, 999.9873693465142, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '17'], [999.9902840901225, 999.9586993580538, 999.9587084440427, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '18'], [999.9902840901225, 999.973694318314, 999.9736982664409, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '19'], [999.9902840901225, 999.9825281638936, 999.9825294876822, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '20'], [999.9902840901225, 999.9742517505834, 999.9742542009395, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '21'], [999.9902840901225, 999.9832419558211, 999.9832432769871, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '22'], [999.9902840901225, 999.9609753428282, 999.9609816248999, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '23'], [999.9902840901225, 999.9835329349329, 999.9835337632198, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '24'], [999.9902840901225, 999.9613715502085, 999.9613777912924, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '25'], [999.9902840901225, 999.9752698899243, 999.9752724865623, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '26'], [999.9902840901225, 999.9794467690913, 999.9794483282542, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '27'], [999.9902840901225, 999.9785030719521, 999.9785048567359, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '28'], [999.9902840901225, 999.9658323578873, 999.9658392418095, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '29'], [999.9902840901225, 999.9718247209214, 999.9718292121275, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '30'], [999.9902840901225, 999.9753789509043, 999.9753818281198, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '31'], [999.9902840901225, 999.9706239935012, 999.9706287449754, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '32'], [999.9902840901225, 999.9781757125743, 999.9781789969547, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '33'], [999.9902840901225, 999.9573146400486, 999.9573237076766, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '34'], [999.9902840901225, 999.9686679429008, 999.9686728363749, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '35'], [999.9902840901225, 999.98064226453, 999.9806444253111, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '36'], [999.9902840901225, 999.9675356351614, 999.9675405246652, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '37'], [999.9902840901225, 999.9607898948324, 999.9607967556698, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '38'], [999.9902840901225, 999.9726564473348, 999.9726613855125, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '39'], [999.9902840901225, 999.9728040847402, 999.9728093277273, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '40'], [999.9902840901225, 999.9881863430892, 999.9881864209239, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '41'], [999.9902840901225, 999.9696377037691, 999.9696437875809, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '42'], [999.9902840901225, 999.961525110781, 999.961531503548, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '43'], [999.9902840901225, 999.9755054120913, 999.9755084722187, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '44'], [999.9902840901225, 999.9629667751216, 999.9629737371956, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '45'], [999.9902840901225, 999.9656189441292, 999.9656256194181, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '46'], [999.9902840901225, 999.9810312456142, 999.9810329167619, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '47'], [999.9902840901225, 999.9680875370713, 999.9680916805808, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '48'], [999.9902840901225, 999.9736002580405, 999.9736039835691, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '49'], [999.9902840901225, 999.9727214754391, 999.9727250537727, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '50'], [999.9902840901225, 999.9739710905519, 999.9739737382099, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '51'], [999.9902840901225, 999.9810041602157, 999.9810057421803, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '52'], [999.9902840901225, 999.9744579348182, 999.9744601533682, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '53'], [999.9902840901225, 999.9702666328932, 999.9702699033904, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '54'], [999.9902840901225, 999.9810055638524, 999.9810064828291, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '55'], [999.9902840901225, 999.982897044875, 999.9828983697635, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '56'], [999.9902840901225, 999.966167997392, 999.9661748780425, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '57'], [999.9902840901225, 999.9553284563839, 999.9553370918802, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '58'], [999.9902840901225, 999.9829538757481, 999.9829551699477, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '59'], [999.9902840901225, 999.9676858146206, 999.9676902310824, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '60'], [999.9902840901225, 999.9680313453928, 999.9680362378709, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '61'], [999.9902840901225, 999.9785854106693, 999.97858868769, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '62'], [999.9902840901225, 999.9568038005415, 999.9568125975644, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '63'], [999.9902840901225, 999.9821581268905, 999.9821590431536, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '64'], [999.9902840901225, 999.9373824639173, 999.9373932313624, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '65'], [999.9902840901225, 999.98328580952, 999.9832871319146, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '66'], [999.9902840901225, 999.9718543292242, 999.9718590813964, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '67'], [999.9902840901225, 999.9644169097462, 999.9644225748181, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '68'], [999.9902840901225, 999.9754270277574, 999.975430701142, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '69'], [999.9902840901225, 999.9857753127602, 999.985775575385, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '70'], [999.9902840901225, 999.9733395326396, 999.9733437475885, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '71'], [999.9902840901225, 999.9534831532977, 999.95349177566, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '72'], [999.9902840901225, 999.971991573662, 999.9719950417671, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '73'], [999.9902840901225, 999.9790873378582, 999.9790901015048, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '74'], [999.9902840901225, 999.975668021047, 999.9756716389846, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '75'], [999.9902840901225, 999.9819852298896, 999.9819865649891, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '76'], [999.9902840901225, 999.9742663462022, 999.9742707462908, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '77'], [999.9902840901225, 999.9769898740299, 999.9769934661805, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '78'], [999.9902840901225, 999.9714613762911, 999.9714651858925, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '79'], [999.9902840901225, 999.9561360744195, 999.9561441602206, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '80'], [999.9902840901225, 999.9692062362019, 999.9692120503764, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '81'], [999.9902840901225, 999.9681659154709, 999.9681720664738, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '82'], [999.9902840901225, 999.9639290272472, 999.963934968501, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '83'], [999.9902840901225, 999.9659429097275, 999.9659487879032, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '84'], [999.9902840901225, 999.9714717214079, 999.9714755157495, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '85'], [999.9902840901225, 999.965650027978, 999.9656566728469, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '86'], [999.9902840901225, 999.9749875442013, 999.9749914492884, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '87'], [999.9902840901225, 999.9737213885928, 999.9737258056946, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '88'], [999.9902840901225, 999.9761171076262, 999.9761194912635, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '89'], [999.9902840901225, 999.9736323483725, 999.9736346257725, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '90'], [999.9902840901225, 999.9633941671215, 999.9634005061986, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '91'], [999.9902840901225, 999.9561212687083, 999.9561286862295, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '92'], [999.9902840901225, 999.969080537015, 999.9690841461916, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '93'], [999.9902840901225, 999.9557448069436, 999.9557528830868, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '94'], [999.9902840901225, 999.9702660063372, 999.9702705705429, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '95'], [999.9902840901225, 999.9849570271754, 999.9849577644304, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '96'], [999.9902840901225, 999.9690495989282, 999.969055144342, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '97'], [999.9902840901225, 999.9790411679801, 999.9790434162475, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '98'], [999.9902840901225, 999.9697061181756, 999.9697122037372, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '99'], [999.9902840901225, 999.9708291242598, 999.9708334605643, '10.0001010101010011100101111', '-11.101001110001010111101', '45', '100']]], [[[999.7893773058196, 999.5890081278039, 999.5890247906266, '1000.1010101001100010001000', '-1101.00101111010010110111101', '46', '1'], [999.845119599449, 999.7425187001514, 999.742525000729, '1000.1010101001100010001000', '-1001.00101111001010110111101', '46', '2'], [999.8728492566663, 999.8219337253296, 999.821935424414, '1000.1110101001100011001000', '-1001.00101110001010110101101', '46', '3'], [999.872993676034, 999.8516765198709, 999.8516821215997, '1000.1110101001100011001000', '-1001.00100111001010110101101', '46', '4'], [999.873001714511, 999.843852565086, 999.8438606060826, '1000.1110101001100011001000', '-1001.00100111101010110101101', '46', '5'], [999.8730054612832, 999.8609245514286, 999.8609260887599, '1000.1110100001100011001000', '-1001.00100111101010110101101', '46', '6'], [999.873008829782, 999.8462082462191, 999.8462158701469, '1000.1110100011100011001000', '-1001.00100111101010110101101', '46', '7'], [999.8730093414412, 999.8585674826743, 999.8585706055065, '1000.1110100001100011001000', '-1001.00100110101010110101101', '46', '8'], [999.8730093622851, 999.8597469769004, 999.8597501254256, '1000.1110100011100011001000', '-1001.00100111001011110101101', '46', '9'], [999.873009480543, 999.8519877275174, 999.8519917217517, '1000.1110100011000001001000', '-1001.00100111001011110101101', '46', '10'], [999.8730094807704, 999.8585123751155, 999.8585158508481, '1000.1110100011000001001000', '-1001.00100111001011111101101', '46', '11'], [999.8730094808581, 999.8520675345295, 999.8520731567368, '1000.1110100010100001001000', '-1001.00100111000011111101101', '46', '12'], [999.8730094809036, 999.8627601197595, 999.8627609077948, '1000.1110100010100001000000', '-1001.00100111000011111101101', '46', '13'], [999.8730094809462, 999.8633564954438, 999.8633573065895, '1000.1110100010100001000000', '-1001.00100111000011111111101', '46', '14'], [999.8730094811905, 999.8391540032954, 999.8391619890988, '1000.1110100010100000000000', '-1001.00100111000011111111101', '46', '15'], [999.8730094811929, 999.8539815319233, 999.8539869654605, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '16'], [999.8730094811929, 999.8567028965615, 999.8567064354147, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '17'], [999.8730094811929, 999.8402650913122, 999.840271644953, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '18'], [999.8730094811929, 999.8668208731397, 999.86682112778, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '19'], [999.8730094811929, 999.8537916651679, 999.8537952867507, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '20'], [999.8730094811929, 999.8372821442192, 999.837289400538, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '21'], [999.8730094811929, 999.8486829456805, 999.8486904433628, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '22'], [999.8730094811929, 999.8478636653242, 999.8478695373158, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '23'], [999.8730094811929, 999.8516351515977, 999.8516404121253, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '24'], [999.8730094811929, 999.856564115065, 999.8565691598509, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '25'], [999.8730094811929, 999.8380980396983, 999.838107950905, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '26'], [999.8730094811929, 999.8708151794744, 999.8708152711971, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '27'], [999.8730094811929, 999.8713766041043, 999.8713766488709, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '28'], [999.8730094811929, 999.8494673786336, 999.8494730403195, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '29'], [999.8730094811929, 999.8468818941604, 999.8468881581864, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '30'], [999.8730094811929, 999.8241655426671, 999.8241769911155, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '31'], [999.8730094811929, 999.851501925613, 999.851505750136, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '32'], [999.8730094811929, 999.8422681115272, 999.8422779548787, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '33'], [999.8730094811929, 999.8587347197425, 999.8587364063203, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '34'], [999.8730094811929, 999.8600447206179, 999.8600477453033, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '35'], [999.8730094811929, 999.8515433605257, 999.8515471048532, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '36'], [999.8730094811929, 999.8287108529557, 999.8287220086977, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '37'], [999.8730094811929, 999.869978190535, 999.869978250271, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '38'], [999.8730094811929, 999.8587525352974, 999.8587556810734, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '39'], [999.8730094811929, 999.8574860635641, 999.8574889655232, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '40'], [999.8730094811929, 999.8521408579498, 999.8521464388982, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '41'], [999.8730094811929, 999.8485513578041, 999.8485579984857, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '42'], [999.8730094811929, 999.8602935490171, 999.8602963157059, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '43'], [999.8730094811929, 999.8652771355535, 999.865277720572, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '44'], [999.8730094811929, 999.8557716967522, 999.855775041922, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '45'], [999.8730094811929, 999.8619136195277, 999.8619147105524, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '46'], [999.8730094811929, 999.8489695789858, 999.8489741114503, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '47'], [999.8730094811929, 999.8442136975096, 999.844218594273, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '48'], [999.8730094811929, 999.8516363616372, 999.851640839944, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '49'], [999.8730094811929, 999.8469622037886, 999.8469698319453, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '50'], [999.8730094811929, 999.845536185506, 999.8455438801973, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '51'], [999.8730094811929, 999.8658731480893, 999.8658735729658, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '52'], [999.8730094811929, 999.8344355572025, 999.8344449297691, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '53'], [999.8730094811929, 999.8649309822255, 999.8649316518498, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '54'], [999.8730094811929, 999.8509775091957, 999.8509830776961, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '55'], [999.8730094811929, 999.8334344969848, 999.8334448657437, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '56'], [999.8730094811929, 999.8536009996793, 999.8536049317545, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '57'], [999.8730094811929, 999.8544125317097, 999.8544161948746, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '58'], [999.8730094811929, 999.8463348808295, 999.8463412398569, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '59'], [999.8730094811929, 999.8555037423439, 999.8555074582001, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '60'], [999.8730094811929, 999.8700513362293, 999.8700514644802, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '61'], [999.8730094811929, 999.8497051072314, 999.849709344839, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '62'], [999.8730094811929, 999.851079955007, 999.8510856309717, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '63'], [999.8730094811929, 999.8434257801777, 999.8434337465108, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '64'], [999.8730094811929, 999.8374816041292, 999.8374910030333, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '65'], [999.8730094811929, 999.8580620359088, 999.8580650576971, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '66'], [999.8730094811929, 999.8653347162639, 999.8653353588622, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '67'], [999.8730094811929, 999.8562155389974, 999.8562187609477, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '68'], [999.8730094811929, 999.8456282539663, 999.8456361557301, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '69'], [999.8730094811929, 999.8516586758284, 999.8516642234205, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '70'], [999.8730094811929, 999.8573432702023, 999.8573464992301, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '71'], [999.8730094811929, 999.8572525644195, 999.8572560067562, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '72'], [999.8730094811929, 999.8628628090536, 999.8628639351498, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '73'], [999.8730094811929, 999.86050082308, 999.8605020341269, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '74'], [999.8730094811929, 999.8475040992807, 999.8475101515236, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '75'], [999.8730094811929, 999.8438698072132, 999.8438758941071, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '76'], [999.8730094811929, 999.8567817741391, 999.856784927491, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '77'], [999.8730094811929, 999.8410040277553, 999.8410109271481, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '78'], [999.8730094811929, 999.8515001979619, 999.8515043641135, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '79'], [999.8730094811929, 999.8356735235064, 999.8356826632787, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '80'], [999.8730094811929, 999.8622415428856, 999.8622424004291, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '81'], [999.8730094811929, 999.8440209550209, 999.8440288915538, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '82'], [999.8730094811929, 999.8566405008497, 999.8566422217962, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '83'], [999.8730094811929, 999.8517364308938, 999.851741912017, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '84'], [999.8730094811929, 999.8396579008091, 999.8396666242231, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '85'], [999.8730094811929, 999.8518733432485, 999.8518788436297, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '86'], [999.8730094811929, 999.8595844359764, 999.8595876045144, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '87'], [999.8730094811929, 999.8468710260922, 999.8468788604102, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '88'], [999.8730094811929, 999.8636426784201, 999.863643731863, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '89'], [999.8730094811929, 999.8534499305018, 999.8534551253692, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '90'], [999.8730094811929, 999.8644369635103, 999.8644373313324, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '91'], [999.8730094811929, 999.8509583958735, 999.8509642931216, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '92'], [999.8730094811929, 999.8403330722733, 999.8403413958569, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '93'], [999.8730094811929, 999.860237042085, 999.860240138969, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '94'], [999.8730094811929, 999.8539442055476, 999.8539482063658, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '95'], [999.8730094811929, 999.8517672152432, 999.8517728197403, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '96'], [999.8730094811929, 999.8437715554339, 999.8437778481281, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '97'], [999.8730094811929, 999.8628990116066, 999.8629016575153, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '98'], [999.8730094811929, 999.8604444536683, 999.8604472266329, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '99'], [999.8730094811929, 999.8424360584581, 999.842445887634, '1000.1110100010100000000000', '-1001.00100111000011111111111', '46', '100']]], [[[999.9068317667636, 999.7341681742905, 999.7341860282261, '110.11100000111101010001101', '-111.011000000010000111000001', '47', '1'], [999.9201207361101, 999.8621900580905, 999.8622031809531, '110.10100000111101010001101', '-111.011000000010010111000000', '47', '2'], [999.9208555729701, 999.8760840583583, 999.8760947436089, '110.10100100111101010001101', '-111.011000000010000111000000', '47', '3'], [999.9217132670069, 999.9064801615563, 999.9064840644816, '110.10110100111101010001101', '-111.011000000010000011000000', '47', '4'], [999.9217254679868, 999.9058274641625, 999.9058319815355, '110.10110100101101010001101', '-111.011000000010000011000000', '47', '5'], [999.9218107572506, 999.8805263266553, 999.8805393837893, '110.10110100111100010001101', '-111.011001000010000011000000', '47', '6'], [999.9218107773312, 999.9000442064726, 999.9000498390262, '110.10110100111101010001101', '-111.011001000010000001000000', '47', '7'], [999.921810784975, 999.8943035406712, 999.894310899967, '110.10110100111101110001101', '-111.011001000010000001000000', '47', '8'], [999.9218108000016, 999.8977999138514, 999.8978060179859, '110.10110100111101110001101', '-111.011001000000000001000000', '47', '9'], [999.921810803781, 999.8966659797909, 999.8966729267612, '110.10110100111101011001101', '-111.011001000000000001000000', '47', '10'], [999.9218108153605, 999.8879778675547, 999.8879884423499, '110.10110100111101110001101', '-111.011001000000100011000000', '47', '11'], [999.9218108178566, 999.8880621670819, 999.8880713163546, '110.10110100111100011001101', '-111.011001000000100001000100', '47', '12'], [999.9218108178566, 999.9024144492582, 999.9024195869725, '110.10110100111100011001111', '-111.011001000000100001000100', '47', '13'], [999.9218108178566, 999.8939537522728, 999.8939603854909, '110.10110100111100011001111', '-111.011001000000100001000101', '47', '14'], [999.9218108178566, 999.9101242413917, 999.910127595178, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '15'], [999.9218108178566, 999.9186989040353, 999.9186990459203, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '16'], [999.9218108178566, 999.880633438529, 999.8806455846201, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '17'], [999.9218108178566, 999.888876190382, 999.8888866381299, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '18'], [999.9218108178566, 999.8812206812211, 999.8812326122422, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '19'], [999.9218108178566, 999.8856470691754, 999.8856598100513, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '20'], [999.9218108178566, 999.8848248937173, 999.8848363929277, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '21'], [999.9218108178566, 999.8813335047621, 999.8813458728304, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '22'], [999.9218108178566, 999.8945039150992, 999.8945121536144, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '23'], [999.9218108178566, 999.8946947114683, 999.8947020412949, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '24'], [999.9218108178566, 999.8770228898621, 999.8770358728428, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '25'], [999.9218108178566, 999.9038498607623, 999.9038533850065, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '26'], [999.9218108178566, 999.9041508503475, 999.9041542670024, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '27'], [999.9218108178566, 999.8892205716157, 999.8892309526874, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '28'], [999.9218108178566, 999.8850565036232, 999.8850662063059, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '29'], [999.9218108178566, 999.8971202933535, 999.8971251567763, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '30'], [999.9218108178566, 999.8916593921889, 999.8916649825791, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '31'], [999.9218108178566, 999.8800083620615, 999.8800188292715, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '32'], [999.9218108178566, 999.9007844708274, 999.900789172275, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '33'], [999.9218108178566, 999.893153929861, 999.8931626242553, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '34'], [999.9218108178566, 999.9048085720597, 999.9048137369008, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '35'], [999.9218108178566, 999.8975918849334, 999.8975988627006, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '36'], [999.9218108178566, 999.8871211205629, 999.8871300391478, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '37'], [999.9218108178566, 999.8823405214039, 999.8823519474583, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '38'], [999.9218108178566, 999.895431078191, 999.895439294985, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '39'], [999.9218108178566, 999.8884397502753, 999.8884476198534, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '40'], [999.9218108178566, 999.8912466563622, 999.8912555648345, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '41'], [999.9218108178566, 999.906562189376, 999.9065654541444, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '42'], [999.9218108178566, 999.8944943544099, 999.8945009465789, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '43'], [999.9218108178566, 999.8843586479784, 999.8843703251035, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '44'], [999.9218108178566, 999.8938231546452, 999.8938294421963, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '45'], [999.9218108178566, 999.9021940244671, 999.9021992724211, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '46'], [999.9218108178566, 999.8996011495561, 999.8996069391611, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '47'], [999.9218108178566, 999.8764833527835, 999.8764976179859, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '48'], [999.9218108178566, 999.882058919546, 999.8820691029609, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '49'], [999.9218108178566, 999.8899715353176, 999.88998054472, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '50'], [999.9218108178566, 999.8920040046281, 999.8920116597878, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '51'], [999.9218108178566, 999.8989380994811, 999.8989443164247, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '52'], [999.9218108178566, 999.8980204337181, 999.8980261245622, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '53'], [999.9218108178566, 999.8912435768776, 999.8912525081204, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '54'], [999.9218108178566, 999.8972059980266, 999.8972133737261, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '55'], [999.9218108178566, 999.9020857047834, 999.9020920995365, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '56'], [999.9218108178566, 999.9069986509436, 999.9070013405043, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '57'], [999.9218108178566, 999.8875420910155, 999.8875505760552, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '58'], [999.9218108178566, 999.8846517373896, 999.8846618130553, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '59'], [999.9218108178566, 999.9078237621969, 999.9078283397964, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '60'], [999.9218108178566, 999.910092867651, 999.9100950460592, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '61'], [999.9218108178566, 999.9100127363622, 999.910014779715, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '62'], [999.9218108178566, 999.8775464241791, 999.8775594799016, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '63'], [999.9218108178566, 999.8911995959711, 999.8912079163789, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '64'], [999.9218108178566, 999.893756812987, 999.893766215369, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '65'], [999.9218108178566, 999.8776354128455, 999.8776467785432, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '66'], [999.9218108178566, 999.895636772523, 999.8956436067471, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '67'], [999.9218108178566, 999.9001183868022, 999.9001237946287, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '68'], [999.9218108178566, 999.885490567701, 999.8855006523625, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '69'], [999.9218108178566, 999.9047906992433, 999.9047937512702, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '70'], [999.9218108178566, 999.9036127513734, 999.9036169900231, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '71'], [999.9218108178566, 999.8970855930658, 999.8970908094108, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '72'], [999.9218108178566, 999.8943651978296, 999.8943738722846, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '73'], [999.9218108178566, 999.9007269785393, 999.9007309984665, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '74'], [999.9218108178566, 999.8866262955172, 999.8866371347036, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '75'], [999.9218108178566, 999.8989828180328, 999.8989877820304, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '76'], [999.9218108178566, 999.8728068218563, 999.8728217525861, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '77'], [999.9218108178566, 999.890417789131, 999.8904269086081, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '78'], [999.9218108178566, 999.9203103635543, 999.9203104162822, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '79'], [999.9218108178566, 999.9111314030614, 999.9111327842874, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '80'], [999.9218108178566, 999.8972524041867, 999.8972603825039, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '81'], [999.9218108178566, 999.9011350484911, 999.9011401605668, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '82'], [999.9218108178566, 999.8882161366345, 999.8882243804092, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '83'], [999.9218108178566, 999.9034557692362, 999.903460877027, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '84'], [999.9218108178566, 999.8872953145014, 999.8873065193226, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '85'], [999.9218108178566, 999.9106337615062, 999.910635694793, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '86'], [999.9218108178566, 999.9081545177229, 999.9081576072992, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '87'], [999.9218108178566, 999.8959394448175, 999.8959468238465, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '88'], [999.9218108178566, 999.8889237972571, 999.888931780206, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '89'], [999.9218108178566, 999.8946920105966, 999.8946990028995, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '90'], [999.9218108178566, 999.8787897194929, 999.8788012428317, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '91'], [999.9218108178566, 999.8991764214629, 999.8991816906664, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '92'], [999.9218108178566, 999.8899872589467, 999.8899936555467, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '93'], [999.9218108178566, 999.8950991853756, 999.895105563189, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '94'], [999.9218108178566, 999.8789121652023, 999.878926201035, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '95'], [999.9218108178566, 999.8722773798733, 999.8722918943414, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '96'], [999.9218108178566, 999.8721518522731, 999.8721688868678, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '97'], [999.9218108178566, 999.8745690353627, 999.8745811654607, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '98'], [999.9218108178566, 999.8898726970364, 999.8898818390895, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '99'], [999.9218108178566, 999.8970531425903, 999.8970607066552, '110.10110100111100011001111', '-111.011001000000100001000111', '47', '100']]], [[[999.9558343463657, 999.6290847467853, 999.6290925952355, '-11.01001101000010110000111', '101.11000011010111100111010', '48', '1'], [999.957813613831, 999.9028796039606, 999.9028913377431, '-11.01010101001100010001000', '101.1100001101011110011111101', '48', '2'], [999.958280986826, 999.939350478311, 999.9393549650521, '-11.01010101001100010001000', '101.1100001001011110011111101', '48', '3'], [999.9625650323604, 999.9352931977869, 999.9352988133477, '-11.01110111001100010001000', '101.1100001001011110011111101', '48', '4'], [999.9627698167723, 999.9483252667047, 999.9483285068345, '-11.01111111001100010001000', '101.1100001001011110011111101', '48', '5'], [999.9870097476505, 999.9581730386013, 999.9581733419776, '-11.01110111001100010001000', '001.1100000001011110011111101', '48', '6'], [999.9874941759664, 999.9553640079934, 999.9553698883113, '-11.01110111001100010001000', '001.1100001001011110011111101', '48', '7'], [999.9902809733961, 999.9590056233526, 999.9590147757691, '-11.01100111001100010001000', '001.1100001001011110011111101', '48', '8'], [999.9902820272557, 999.9739072619736, 999.9739122808082, '-11.01100110001100010101000', '001.1100001001011110011111101', '48', '9'], [999.9902836883314, 999.974411804928, 999.9744169280352, '-11.01100110011100010101000', '001.1100001001011110010111101', '48', '10'], [999.9902839318834, 999.9597605425208, 999.9597729659707, '-11.01100111011100010101000', '001.1100001101011110010111101', '48', '11'], [999.9902840901224, 999.9656135712424, 999.965623438197, '-11.01100111010100010101000', '001.1100001101011110000111101', '48', '12'], [999.9902840901225, 999.9811124623769, 999.9811137956783, '-11.01100111010100010101100', '001.1100001101011110000111101', '48', '13'], [999.9902840901225, 999.9689157929649, 999.9689243133001, '-11.01100111010100010101101', '001.1100001101011110000111101', '48', '14'], [999.9902840901225, 999.9503538902222, 999.9503671663178, '-11.01100111010100010101101', '001.1100001101011110000111101', '48', '15'], [999.9902840901225, 999.9753882841474, 999.9753933959038, '-11.01100111010100010101101', '001.1100001101011110000111101', '48', '16'], [999.9902840901225, 999.972365070309, 999.972367703716, '-11.01100111010100010101101', '001.1100001101011110000111101', '48', '17'], [999.9902840901225, 999.9800455188092, 999.9800476790164, '-11.01100111010100010101101', '001.1100001101011110000111101', '48', '18'], [999.9902840901225, 999.965719369049, 999.9657285348009, '-11.01100111010100010101101', '001.1100001101011110000111101', '48', '19'], [999.9902840901225, 999.9781802453143, 999.9781844918244, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '20'], [999.9902840901225, 999.9536151916539, 999.9536281117454, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '21'], [999.9902840901225, 999.98566463389, 999.9856648743065, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '22'], [999.9902840901225, 999.9710896507462, 999.9710980990047, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '23'], [999.9902840901225, 999.9705852831091, 999.9705933053453, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '24'], [999.9902840901225, 999.9596999149753, 999.9597103939204, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '25'], [999.9902840901225, 999.9770432766547, 999.9770474928927, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '26'], [999.9902840901225, 999.9596183026764, 999.9596311498842, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '27'], [999.9902840901225, 999.9779438390532, 999.9779484541092, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '28'], [999.9902840901225, 999.970211617561, 999.9702204777211, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '29'], [999.9902840901225, 999.9752250296955, 999.9752293287457, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '30'], [999.9902840901225, 999.973423528782, 999.9734291377148, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '31'], [999.9902840901225, 999.9890937946875, 999.989093822089, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '32'], [999.9902840901225, 999.9771394277145, 999.9771440560685, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '33'], [999.9902840901225, 999.980917391245, 999.9809187336177, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '34'], [999.9902840901225, 999.968484411131, 999.9684910235713, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '35'], [999.9902840901225, 999.9780368767679, 999.9780410800738, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '36'], [999.9902840901225, 999.9556406784593, 999.9556518293404, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '37'], [999.9902840901225, 999.9580289799993, 999.9580404645482, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '38'], [999.9902840901225, 999.9671813226238, 999.9671903533487, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '39'], [999.9902840901225, 999.9822164130342, 999.982217672059, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '40'], [999.9902840901225, 999.9640344466633, 999.9640416427253, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '41'], [999.9902840901225, 999.97911023835, 999.9791118129291, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '42'], [999.9902840901225, 999.9689133531673, 999.9689218807756, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '43'], [999.9902840901225, 999.9778431508645, 999.9778454136851, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '44'], [999.9902840901225, 999.9594368879062, 999.9594496903457, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '45'], [999.9902840901225, 999.9815039156307, 999.9815051761532, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '46'], [999.9902840901225, 999.9770848557368, 999.9770897215368, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '47'], [999.9902840901225, 999.9728734821219, 999.9728791311361, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '48'], [999.9902840901225, 999.9603148303155, 999.9603276616723, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '49'], [999.9902840901225, 999.9695318381729, 999.9695378802182, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '50'], [999.9902840901225, 999.9510748264614, 999.9510910470688, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '51'], [999.9902840901225, 999.9881461935231, 999.9881463203319, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '52'], [999.9902840901225, 999.9582077389164, 999.958220365173, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '53'], [999.9902840901225, 999.9699930664698, 999.970001101497, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '54'], [999.9902840901225, 999.9722802652893, 999.972285987463, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '55'], [999.9902840901225, 999.9533393234389, 999.9533530683904, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '56'], [999.9902840901225, 999.9747836360392, 999.9747861112749, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '57'], [999.9902840901225, 999.9668558022651, 999.9668641092615, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '58'], [999.9902840901225, 999.9698468430505, 999.9698548825357, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '59'], [999.9902840901225, 999.9503078491423, 999.9503227526981, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '60'], [999.9902840901225, 999.979431964352, 999.9794333780316, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '61'], [999.9902840901225, 999.9730362211322, 999.973041225312, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '62'], [999.9902840901225, 999.9401085948847, 999.9401266186458, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '63'], [999.9902840901225, 999.9539623034957, 999.9539753154675, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '64'], [999.9902840901225, 999.9720887500902, 999.9720944384125, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '65'], [999.9902840901225, 999.9819437810199, 999.9819450307144, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '66'], [999.9902840901225, 999.9818101985469, 999.9818115281156, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '67'], [999.9902840901225, 999.9629887728947, 999.9629972778524, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '68'], [999.9902840901225, 999.9636070013115, 999.9636161353013, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '69'], [999.9902840901225, 999.9512530064756, 999.9512692449632, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '70'], [999.9902840901225, 999.9688946342276, 999.9688999992975, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '71'], [999.9902840901225, 999.9744624012978, 999.9744676218876, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '72'], [999.9902840901225, 999.9790676931121, 999.9790698615369, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '73'], [999.9902840901225, 999.9685659288062, 999.9685749113733, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '74'], [999.9902840901225, 999.9647653205045, 999.964774389038, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '75'], [999.9902840901225, 999.9728064715708, 999.9728121286579, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '76'], [999.9902840901225, 999.9576458832241, 999.957658805201, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '77'], [999.9902840901225, 999.9728428310086, 999.9728461553781, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '78'], [999.9902840901225, 999.962316957793, 999.962324222799, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '79'], [999.9902840901225, 999.95306657841, 999.9530803833582, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '80'], [999.9902840901225, 999.9609974567086, 999.9610106196659, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '81'], [999.9902840901225, 999.9557419106334, 999.9557551758958, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '82'], [999.9902840901225, 999.9749277299802, 999.9749324860941, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '83'], [999.9902840901225, 999.9891150935869, 999.989115105392, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '84'], [999.9902840901225, 999.9741368815554, 999.9741416880227, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '85'], [999.9902840901225, 999.9476551663023, 999.9476726186798, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '86'], [999.9902840901225, 999.9754655612436, 999.9754698743225, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '87'], [999.9902840901225, 999.9765140682943, 999.9765183991723, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '88'], [999.9902840901225, 999.9827312929393, 999.982731769495, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '89'], [999.9902840901225, 999.9742533216487, 999.9742584378042, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '90'], [999.9902840901225, 999.9533010673678, 999.9533122411524, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '91'], [999.9902840901225, 999.9648546772653, 999.9648614897043, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '92'], [999.9902840901225, 999.960744662715, 999.9607527113765, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '93'], [999.9902840901225, 999.965110337939, 999.9651193622323, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '94'], [999.9902840901225, 999.9501000096024, 999.9501138502648, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '95'], [999.9902840901225, 999.956690791757, 999.9567045119616, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '96'], [999.9902840901225, 999.930507026321, 999.9305302186325, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '97'], [999.9902840901225, 999.9689544169504, 999.9689628767073, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '98'], [999.9902840901225, 999.9694470035422, 999.9694544271595, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '99'], [999.9902840901225, 999.9547820373323, 999.9547957860841, '-11.01100111010100010101101', '001.1100001101011110000111111', '48', '100']]], [[[999.867703894305, 999.6986988683352, 999.6987131662852, '-11.10001111000101001110001110', '-1101.10011001000100101001100', '49', '1'], [999.871070376539, 999.8324605148902, 999.8324683779601, '-11.10111101000101101110001110', '-1101.10011001000100101001100', '49', '2'], [999.8721643330481, 999.8533999627251, 999.8534049277588, '-11.10111101000101101100001110', '-1101.10011101100101101001100', '49', '3'], [999.8729519783457, 999.8565578866941, 999.8565624504727, '-11.11111101000101101100001110', '-1101.10011101100100101001100', '49', '4'], [999.8730093770305, 999.8350109834128, 999.8350238457666, '-11.11101101000101101110001110', '-1101.10011101110101101001100', '49', '5'], [999.8730093784321, 999.864542537688, 999.864544415752, '-11.11101101000101111110001110', '-1101.10011101110101101001100', '49', '6'], [999.8730094182694, 999.8437871206604, 999.8437955746115, '-11.11101101001101111110001110', '-1101.10011101110101101001100', '49', '7'], [999.8730094483881, 999.8534762312407, 999.8534811954222, '-11.11101101010101111110001110', '-1101.10011101110101101001100', '49', '8'], [999.8730094537268, 999.8604707692665, 999.8604734262818, '-11.11101101010111101111001110', '-1101.10011101110101101001100', '49', '9'], [999.8730094685853, 999.8728423589428, 999.8728423596208, '-11.11101101110111101111001110', '-1101.10011101110101101001100', '49', '10'], [999.8730094752103, 999.8590096781213, 999.8590130216825, '-11.11101101110011101111001110', '-1101.10011101110101101001100', '49', '11'], [999.8730094753784, 999.8394928133888, 999.8395032146501, '-11.11101101110011100111001110', '-1101.10011101110101101001100', '49', '12'], [999.873009480652, 999.8708124718601, 999.8708126097067, '-11.11101101110011100111001110', '-1101.10011101110100101001100', '49', '13'], [999.8730094806914, 999.8519154871427, 999.8519201140164, '-11.11101101110011100111001110', '-1101.10011101110100101000100', '49', '14'], [999.8730094812563, 999.8587815865654, 999.8587843289796, '-11.11101101110011100111101110', '-1101.10011101110100001000100', '49', '15'], [999.8730094812596, 999.8448151755215, 999.8448223983609, '-11.11101101110011101111001110', '-1101.10011101110100001000100', '49', '16'], [999.8730094812606, 999.8586844850709, 999.8586886998315, '-11.11101101110011101111101110', '-1101.10011101110100001001100', '49', '17'], [999.8730094812607, 999.8554827953296, 999.8554878089982, '-11.11101101110011101111101110', '-1101.10011101110100001001110', '49', '18'], [999.8730094812607, 999.8467870739624, 999.8467925689129, '-11.11101101110011101111111110', '-1101.10011101110100001001110', '49', '19'], [999.8730094812607, 999.8473525186694, 999.8473608176378, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '20'], [999.8730094812607, 999.8651953270231, 999.8651967141461, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '21'], [999.8730094812607, 999.8297638411644, 999.8297766933123, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '22'], [999.8730094812607, 999.8530141887585, 999.8530197294607, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '23'], [999.8730094812607, 999.8491768539628, 999.849183374081, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '24'], [999.8730094812607, 999.8427768838559, 999.8427857638961, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '25'], [999.8730094812607, 999.8469454512353, 999.846951942615, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '26'], [999.8730094812607, 999.852336840033, 999.8523422863218, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '27'], [999.8730094812607, 999.8492476856736, 999.8492544237877, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '28'], [999.8730094812607, 999.8554660415647, 999.8554700378979, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '29'], [999.8730094812607, 999.8521644241482, 999.8521700722558, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '30'], [999.8730094812607, 999.8592275958414, 999.8592313835819, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '31'], [999.8730094812607, 999.8430894347383, 999.84309925117, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '32'], [999.8730094812607, 999.8561372591273, 999.8561415971928, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '33'], [999.8730094812607, 999.8454475039283, 999.8454538641085, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '34'], [999.8730094812607, 999.8366451374577, 999.8366567270157, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '35'], [999.8730094812607, 999.8591613989984, 999.8591656163422, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '36'], [999.8730094812607, 999.8640949275309, 999.8640983553976, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '37'], [999.8730094812607, 999.8550594665077, 999.8550624641591, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '38'], [999.8730094812607, 999.8443188553986, 999.8443281148304, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '39'], [999.8730094812607, 999.8593043914308, 999.8593071139928, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '40'], [999.8730094812607, 999.8462810405431, 999.846286454177, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '41'], [999.8730094812607, 999.8455694723106, 999.8455776051645, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '42'], [999.8730094812607, 999.8562681696318, 999.8562725012354, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '43'], [999.8730094812607, 999.8646094854057, 999.8646113597669, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '44'], [999.8730094812607, 999.8658232848413, 999.8658251539775, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '45'], [999.8730094812607, 999.8449187099461, 999.8449251499563, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '46'], [999.8730094812607, 999.82224811147, 999.8222611673131, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '47'], [999.8730094812607, 999.854566681602, 999.8545697578843, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '48'], [999.8730094812607, 999.8647221590944, 999.8647241440789, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '49'], [999.8730094812607, 999.8611410343963, 999.8611432344036, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '50'], [999.8730094812607, 999.854088520325, 999.8540939588074, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '51'], [999.8730094812607, 999.8574266384953, 999.857430363794, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '52'], [999.8730094812607, 999.8544200353983, 999.8544241385259, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '53'], [999.8730094812607, 999.8618501887732, 999.8618537527317, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '54'], [999.8730094812607, 999.862448666413, 999.8624512106571, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '55'], [999.8730094812607, 999.8656461301579, 999.8656476549213, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '56'], [999.8730094812607, 999.8419722528424, 999.8419807975099, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '57'], [999.8730094812607, 999.857937336665, 999.8579407744921, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '58'], [999.8730094812607, 999.8368476915691, 999.8368586886502, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '59'], [999.8730094812607, 999.8614612322497, 999.8614634307139, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '60'], [999.8730094812607, 999.8464215384555, 999.8464268810845, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '61'], [999.8730094812607, 999.8350492291792, 999.8350604568681, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '62'], [999.8730094812607, 999.8408647753892, 999.8408743304471, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '63'], [999.8730094812607, 999.838049745014, 999.8380603329545, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '64'], [999.8730094812607, 999.8548730852427, 999.8548775342456, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '65'], [999.8730094812607, 999.8455656578116, 999.845573439336, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '66'], [999.8730094812607, 999.8426025738491, 999.8426124837608, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '67'], [999.8730094812607, 999.849468636728, 999.8494771812881, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '68'], [999.8730094812607, 999.8513471803553, 999.8513520387795, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '69'], [999.8730094812607, 999.8579694206148, 999.8579721765212, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '70'], [999.8730094812607, 999.8516817321382, 999.8516867107448, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '71'], [999.8730094812607, 999.8610560832478, 999.8610593101707, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '72'], [999.8730094812607, 999.8550990583132, 999.8551030527203, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '73'], [999.8730094812607, 999.8627610828479, 999.8627631762856, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '74'], [999.8730094812607, 999.858388662278, 999.8583939039828, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '75'], [999.8730094812607, 999.8481344140295, 999.8481420373298, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '76'], [999.8730094812607, 999.842371311694, 999.8423816747779, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '77'], [999.8730094812607, 999.8606080399434, 999.8606117154704, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '78'], [999.8730094812607, 999.8493743805342, 999.8493793582543, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '79'], [999.8730094812607, 999.8449514909829, 999.8449592831022, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '80'], [999.8730094812607, 999.8714105548187, 999.8714105799709, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '81'], [999.8730094812607, 999.8541629026577, 999.8541676928089, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '82'], [999.8730094812607, 999.8620382018958, 999.8620399723931, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '83'], [999.8730094812607, 999.8462827483705, 999.8462910455632, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '84'], [999.8730094812607, 999.8563174549032, 999.8563228038631, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '85'], [999.8730094812607, 999.8542893945094, 999.8542952780149, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '86'], [999.8730094812607, 999.8273922568511, 999.82740587174, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '87'], [999.8730094812607, 999.850165997466, 999.850171741418, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '88'], [999.8730094812607, 999.8424428430392, 999.842452364576, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '89'], [999.8730094812607, 999.8488239674624, 999.8488321693786, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '90'], [999.8730094812607, 999.8587580265038, 999.8587622479976, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '91'], [999.8730094812607, 999.8585795913641, 999.858582344681, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '92'], [999.8730094812607, 999.8487283524457, 999.8487348534279, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '93'], [999.8730094812607, 999.8341575525175, 999.834170111499, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '94'], [999.8730094812607, 999.8625561526668, 999.8625576728626, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '95'], [999.8730094812607, 999.8338296669514, 999.8338417595238, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '96'], [999.8730094812607, 999.8462581866789, 999.8462659123671, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '97'], [999.8730094812607, 999.8602485907861, 999.8602509076785, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '98'], [999.8730094812607, 999.8528031772726, 999.8528101837834, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '99'], [999.8730094812607, 999.8628885324231, 999.8628910696092, '-11.11101101110011101111111111', '-1101.10011101110100001001110', '49', '100']]], [[[999.6857291875497, 999.5893129211348, 999.5893182490865, '10111.011110100100111111001010', '-1001.0100101000101000011', '50', '1'], [999.687840990993, 999.6687439589921, 999.6687459798904, '10111.011110100100111111001010', '-1001.0000101000101000011', '50', '2'], [999.6878412519621, 999.6669370595002, 999.666939913106, '10111.011110100100110111001010', '-1001.0000101000101000011', '50', '3'], [999.6878879670145, 999.6507698702993, 999.6507749343481, '10111.011110000100110111001010', '-1001.0000101000101000011', '50', '4'], [999.6878952045872, 999.660773098655, 999.6607764474464, '10111.011110000100110111001010', '-1001.0000111100101000011', '50', '5'], [999.6878959511954, 999.6674245274295, 999.6674273106195, '10111.011110010100110111001010', '-1001.0000111100101000010', '50', '6'], [999.6878968586987, 999.6687285451649, 999.6687314551439, '10111.011110001101110111001000', '-1001.0000111100101000011', '50', '7'], [999.6878968594276, 999.6731858529156, 999.6731879163341, '10111.011110001101110111001010', '-1001.0000111100100000011', '50', '8'], [999.6878968594276, 999.6753573030841, 999.675359031437, '10111.011110001101110111001010', '-1001.0000111100100000011', '50', '9'], [999.6878968594276, 999.6737355086935, 999.6737372339294, '10111.011110001101110111011010', '-1001.0000111100100000011', '50', '10'], [999.6878968594276, 999.6727684024183, 999.6727703872398, '10111.011110001101110111011011', '-1001.0000111100100000011', '50', '11'], [999.6878968594276, 999.6674345808794, 999.6674375932099, '10111.011110001101110111011011', '-1001.0000111100100000011', '50', '12'], [999.6878968594276, 999.677175024754, 999.6771764547462, '10111.011110001101110111011011', '-1001.0000111100100000011', '50', '13'], [999.6878968594276, 999.6719748077868, 999.6719775229658, '10111.011110001101110111011011', '-1001.0000111100100000011', '50', '14'], [999.6878968594276, 999.6622010435617, 999.6622048705136, '10111.011110001101110111011011', '-1001.0000111100100000011', '50', '15'], [999.6878968594276, 999.6688166438431, 999.6688199685419, '10111.011110001101110111011011', '-1001.0000111100100000011', '50', '16'], [999.6878968594276, 999.6684863719946, 999.668488606824, '10111.011110001101110111011011', '-1001.0000111100100000011', '50', '17'], [999.6878968594276, 999.6522751040883, 999.6522801915007, '10111.011110001101110111011011', '-1001.0000111100100000011', '50', '18'], [999.6878968594276, 999.6694481961447, 999.6694509442113, '10111.011110001101110111011011', '-1001.0000111100100000011', '50', '19'], [999.6878968594276, 999.6602237075318, 999.6602270245091, '10111.011110001101110111011011', '-1001.0000111100100000011', '50', '20'], [999.6878968594276, 999.6813911591727, 999.6813916988367, '10111.011110001101110111011011', '-1001.0000111100100000011', '50', '21'], [999.6878968594276, 999.6482517526482, 999.6482573506852, '10111.011110001101110111011011', '-1001.0000111100100000011', '50', '22'], [999.6878968594276, 999.6596246981302, 999.6596286360665, '10111.011110001101110111011011', '-1001.0000111100100000011', '50', '23'], [999.6878968594276, 999.6588005179764, 999.6588039766028, '10111.011110001101110111011011', '-1001.0000111100100000011', '50', '24'], [999.6878968594276, 999.6647943946473, 999.6647975488379, '10111.011110001101110111011011', '-1001.0000111100100000011', '50', '25'], [999.6878968594276, 999.6717731005783, 999.6717754221764, '10111.011110001101110111011011', '-1001.0000111100100000011', '50', '26'], [999.6878968594276, 999.6721444821047, 999.6721462119118, '10111.011110001101110111011011', '-1001.0000111100100000011', '50', '27'], [999.6878968594276, 999.6535220977222, 999.6535267378521, '10111.011110001101110111011011', '-1001.0000111100100000011', '50', '28'], [999.6878968594276, 999.657882174146, 999.6578863881667, '10111.011110001101110111011011', '-1001.0000111100100000011', '50', '29'], [999.6878968594276, 999.6653670306238, 999.6653701697314, '10111.011110001101110111011011', '-1001.0000111100100000011', '50', '30'], [999.6878968594276, 999.666597229458, 999.6665998489443, '10111.011110001101110111011011', '-1001.0000111100100000011', '50', '31'], [999.6878968594276, 999.6839914961924, 999.6839919330077, '10111.011110001101110111011011', '-1001.0000111100100000011', '50', '32'], [999.6878968594276, 999.6672344414177, 999.6672376701193, '10111.011110001101110111011011', '-1001.0000111100100000011', '50', '33'], [999.6878968594276, 999.6702112754901, 999.6702139081729, '10111.011110001101110111011011', '-1001.0000111100100000011', '50', '34'], [999.6878968594276, 999.6700509092354, 999.6700531498317, '10111.011110001101110111011011', '-1001.0000111100100000011', '50', '35'], [999.6878968594276, 999.6638923107047, 999.6638953102163, '10111.011110001101110111011011', '-1001.0000111100100000011', '50', '36'], [999.6878968594276, 999.6826143913873, 999.682615079297, '10111.011110001101110111011011', '-1001.0000111100100000011', '50', '37'], [999.6878968594276, 999.6759026219385, 999.6759041501756, '10111.011110001101110111011011', '-1001.0000111100100000011', '50', '38'], [999.6878968594276, 999.6751702505869, 999.6751725364353, '10111.011110001101110111011011', '-1001.0000111100100000011', '50', '39'], [999.6878968594276, 999.6669284935772, 999.6669316673825, '10111.011110001101110111011011', '-1001.0000111100100000011', '50', '40'], [999.6878968594276, 999.6780895993196, 999.6780911563832, '10111.011110001101110111011011', '-1001.0000111100100000011', '50', '41'], [999.6878968594276, 999.6727886891603, 999.6727908458038, '10111.011110001101110111011011', '-1001.0000111100100000011', '50', '42'], [999.6878968594276, 999.6578696013794, 999.6578737202802, '10111.011110001101110111011011', '-1001.0000111100100000011', '50', '43'], [999.6878968594276, 999.6744670404524, 999.6744686775274, '10111.011110001101110111011011', '-1001.0000111100100000011', '50', '44'], [999.6878968594276, 999.6776988400139, 999.6776997873521, '10111.011110001101110111011011', '-1001.0000111100100000011', '50', '45'], [999.6878968594276, 999.6770825898011, 999.6770839307926, '10111.011110001101110111011011', '-1001.0000111100100000011', '50', '46'], [999.6878968594276, 999.6831721152207, 999.6831726815644, '10111.011110001101110111011011', '-1001.0000111100100000011', '50', '47'], [999.6878968594276, 999.6661336592194, 999.6661364653614, '10111.011110001101110111011011', '-1001.0000111100100000011', '50', '48'], [999.6878968594276, 999.673001952607, 999.6730040664062, '10111.011110001101110111011011', '-1001.0000111100100000011', '50', '49'], [999.6878968594276, 999.6683309638901, 999.668333376682, '10111.011110001101110111011011', '-1001.0000111100100000011', '50', '50'], [999.6878968594276, 999.6821349160498, 999.6821355418431, '10111.011110001101110111011011', '-1001.0000111100100000011', '50', '51'], [999.6878968594276, 999.6674473146186, 999.667450321644, '10111.011110001101110111011011', '-1001.0000111100100000011', '50', '52'], [999.6878968594276, 999.6618324400386, 999.6618357095383, '10111.011110001101110111011011', '-1001.0000111100100000011', '50', '53'], [999.6878968594276, 999.682913599458, 999.6829140715264, '10111.011110001101110111011011', '-1001.0000111100100000011', '50', '54'], [999.6878968594276, 999.6711312402657, 999.6711337644575, '10111.011110001101110111011011', '-1001.0000111100100000011', '50', '55'], [999.6878968594276, 999.683050410897, 999.6830507994479, '10111.011110001101110111011011', '-1001.0000111100100000011', '50', '56'], [999.6878968594276, 999.6702719293182, 999.6702743621657, '10111.011110001101110111011011', '-1001.0000111100100000011', '50', '57'], [999.6878968594276, 999.6557768724938, 999.6557811871733, '10111.011110001101110111011011', '-1001.0000111100100000011', '50', '58'], [999.6878968594276, 999.6703581606758, 999.6703599154263, '10111.011110001101110111011011', '-1001.0000111100100000011', '50', '59'], [999.6878968594276, 999.6793704366536, 999.6793714066391, '10111.011110001101110111011011', '-1001.0000111100100000011', '50', '60'], [999.6878968594276, 999.6755793863497, 999.6755809970124, '10111.011110001101110111011011', '-1001.0000111100100000011', '50', '61'], [999.6878968594276, 999.6796955193098, 999.6796966733177, '10111.011110001101110111011011', '-1001.0000111100100000011', '50', '62'], [999.6878968594276, 999.6741370144323, 999.6741388662466, '10111.011110001101110111011011', '-1001.0000111100100000011', '50', '63'], [999.6878968594276, 999.6736499910093, 999.6736519115801, '10111.011110001101110111011011', '-1001.0000111100100000011', '50', '64'], [999.6878968594276, 999.671031204179, 999.6710338693571, '10111.011110001101110111011011', '-1001.0000111100100000011', '50', '65'], [999.6878968594276, 999.6661412877334, 999.6661441831093, '10111.011110001101110111011011', '-1001.0000111100100000011', '50', '66'], [999.6878968594276, 999.6650956562007, 999.6650985934577, '10111.011110001101110111011011', '-1001.0000111100100000011', '50', '67'], [999.6878968594276, 999.6602681179965, 999.6602715060505, '10111.011110001101110111011011', '-1001.0000111100100000011', '50', '68'], [999.6878968594276, 999.6687694502904, 999.6687720423246, '10111.011110001101110111011011', '-1001.0000111100100000011', '50', '69'], [999.6878968594276, 999.6877202355879, 999.6877202362745, '10111.011110001101110111011011', '-1001.0000111100100000011', '50', '70'], [999.6878968594276, 999.6630221453545, 999.6630258759901, '10111.011110001101110111011011', '-1001.0000111100100000011', '50', '71'], [999.6878968594276, 999.6551938258592, 999.6551983777823, '10111.011110001101110111011011', '-1001.0000111100100000011', '50', '72'], [999.6878968594276, 999.6728220992762, 999.6728239378239, '10111.011110001101110111111011', '-1001.0000111100100000111', '50', '73'], [999.6878968594276, 999.6639597643745, 999.6639628481975, '10111.011110001101110111111111', '-1001.0000111100100000111', '50', '74'], [999.6878968594276, 999.6719479833497, 999.6719498092802, '10111.011110001101110111111111', '-1001.0000111100100000111', '50', '75'], [999.6878968594276, 999.6618929006315, 999.6618966634885, '10111.011110001101110111111111', '-1001.0000111100100000111', '50', '76'], [999.6878968594276, 999.6697385471238, 999.6697411494961, '10111.011110001101110111111111', '-1001.0000111100100000111', '50', '77'], [999.6878968594276, 999.6693023986346, 999.6693046373729, '10111.011110001101110111111111', '-1001.0000111100100000111', '50', '78'], [999.6878968594276, 999.6721282683131, 999.6721303316148, '10111.011110001101110111111111', '-1001.0000111100100000111', '50', '79'], [999.6878968594276, 999.6652591918441, 999.6652621279163, '10111.011110001101110111111111', '-1001.0000111100100000111', '50', '80'], [999.6878968594276, 999.6768809592625, 999.6768824011984, '10111.011110001101110111111111', '-1001.0000111100100000111', '50', '81'], [999.6878968594276, 999.6646700654911, 999.6646731087553, '10111.011110001101110111111111', '-1001.0000111100100000111', '50', '82'], [999.6878968594276, 999.6652898102964, 999.665292717289, '10111.011110001101110111111111', '-1001.0000111100100000111', '50', '83'], [999.6878968594276, 999.6590223777764, 999.6590261022542, '10111.011110001101110111111111', '-1001.0000111100100000111', '50', '84'], [999.6878968594276, 999.6720761430327, 999.6720781505142, '10111.011110001101110111111111', '-1001.0000111100100000111', '50', '85'], [999.6878968594276, 999.6708282159406, 999.6708307565932, '10111.011110001101110111111111', '-1001.0000111100100000111', '50', '86'], [999.6878968594276, 999.6786322471293, 999.6786335350438, '10111.011110001101110111111111', '-1001.0000111100100000111', '50', '87'], [999.6878968594276, 999.6705502080745, 999.6705525462352, '10111.011110001101110111111111', '-1001.0000111100100000111', '50', '88'], [999.6878968594276, 999.6733558435163, 999.6733578660389, '10111.011110001101110111111111', '-1001.0000111100100000111', '50', '89'], [999.6878968594276, 999.6647669025892, 999.6647701528194, '10111.011110001101110111111111', '-1001.0000111100100000111', '50', '90'], [999.6878968594276, 999.6637718138106, 999.6637750563322, '10111.011110001101110111111111', '-1001.0000111100100000111', '50', '91'], [999.6878968594276, 999.6702059379244, 999.6702088069798, '10111.011110001101110111111111', '-1001.0000111100100000111', '50', '92'], [999.6878968594276, 999.6687775107825, 999.6687802569869, '10111.011110001101110111111111', '-1001.0000111100100000111', '50', '93'], [999.6878968594276, 999.6624347881049, 999.6624382564946, '10111.011110001101110111111111', '-1001.0000111100100000111', '50', '94'], [999.6878968594276, 999.6596444722741, 999.6596485096564, '10111.011110001101110111111111', '-1001.0000111100100000111', '50', '95'], [999.6878968594276, 999.6722319737632, 999.6722345087489, '10111.011110001101110111111111', '-1001.0000111100100000111', '50', '96'], [999.6878968594276, 999.6619993921432, 999.6620030672873, '10111.011110001101110111111111', '-1001.0000111100100000111', '50', '97'], [999.6878968594276, 999.6767364740043, 999.6767381465787, '10111.011110001101110111111111', '-1001.0000111100100000111', '50', '98'], [999.6878968594276, 999.6674371363, 999.6674397163673, '10111.011110001101110111111111', '-1001.0000111100100000111', '50', '99'], [999.6878968594276, 999.6818107105054, 999.6818115173727, '10111.011110001101110111111111', '-1001.0000111100100000111', '50', '100']]]] fitness = [] media = [] desvio = [] experimento_plot = [] from matplotlib import pyplot as plt import numpy as np for index, experimento in enumerate(ensaio): for populacao in experimento: for x, individuo in enumerate(populacao): fitness.append(individuo[0]) media.append(individuo[1]) desvio.append(individuo[2]) x = np.arange(1, fitness.__len__() + 1) plt.plot(x, fitness) experimento_plot.append([fitness, media, desvio]) fitness = [] media = [] desvio = [] plt.show()
23,441.172414
676,649
0.776381
0
0
0
0
0
0
0
0
346,369
0.509521
130f0d527db89218f9714b016db75a6b60750779
2,721
py
Python
setup.py
Ms2ger/python-zstandard
b8ea1f6722a710e252b452554442b84c81049439
[ "BSD-3-Clause" ]
null
null
null
setup.py
Ms2ger/python-zstandard
b8ea1f6722a710e252b452554442b84c81049439
[ "BSD-3-Clause" ]
null
null
null
setup.py
Ms2ger/python-zstandard
b8ea1f6722a710e252b452554442b84c81049439
[ "BSD-3-Clause" ]
null
null
null
#!/usr/bin/env python # Copyright (c) 2016-present, Gregory Szorc # All rights reserved. # # This software may be modified and distributed under the terms # of the BSD license. See the LICENSE file for details. import os import sys from setuptools import setup try: import cffi except ImportError: cffi = None import setup_zstd SUPPORT_LEGACY = False SYSTEM_ZSTD = False WARNINGS_AS_ERRORS = False if os.environ.get('ZSTD_WARNINGS_AS_ERRORS', ''): WARNINGS_AS_ERRORS = True if '--legacy' in sys.argv: SUPPORT_LEGACY = True sys.argv.remove('--legacy') if '--system-zstd' in sys.argv: SYSTEM_ZSTD = True sys.argv.remove('--system-zstd') if '--warnings-as-errors' in sys.argv: WARNINGS_AS_ERRORS = True sys.argv.remote('--warning-as-errors') # Code for obtaining the Extension instance is in its own module to # facilitate reuse in other projects. extensions = [ setup_zstd.get_c_extension(name='zstd', support_legacy=SUPPORT_LEGACY, system_zstd=SYSTEM_ZSTD, warnings_as_errors=WARNINGS_AS_ERRORS), ] install_requires = [] if cffi: import make_cffi extensions.append(make_cffi.ffi.distutils_extension()) # Need change in 1.10 for ffi.from_buffer() to handle all buffer types # (like memoryview). # Need feature in 1.11 for ffi.gc() to declare size of objects so we avoid # garbage collection pitfalls. install_requires.append('cffi>=1.11') version = None with open('c-ext/python-zstandard.h', 'r') as fh: for line in fh: if not line.startswith('#define PYTHON_ZSTANDARD_VERSION'): continue version = line.split()[2][1:-1] break if not version: raise Exception('could not resolve package version; ' 'this should never happen') setup( name='zstandard', version=version, description='Zstandard bindings for Python', long_description=open('README.rst', 'r').read(), url='https://github.com/indygreg/python-zstandard', author='Gregory Szorc', author_email='gregory.szorc@gmail.com', license='BSD', classifiers=[ 'Development Status :: 4 - Beta', 'Intended Audience :: Developers', 'License :: OSI Approved :: BSD License', 'Programming Language :: C', 'Programming Language :: Python :: 2.7', 'Programming Language :: Python :: 3.4', 'Programming Language :: Python :: 3.5', 'Programming Language :: Python :: 3.6', ], keywords='zstandard zstd compression', packages=['zstandard'], ext_modules=extensions, test_suite='tests', install_requires=install_requires, )
27.765306
78
0.655274
0
0
0
0
0
0
0
0
1,249
0.459022
130f1aca25388c2ce8dd308d2bb872e5263f8305
140
py
Python
Escolas/Curso em Video/Back-End/Curso de Python/Mundos/Mundo 01/Exercicio_16.py
c4st1lh0/Projetos-de-Aula
e8abc9f4bce6cc8dbc6d7fb5da0f549ac8ef5302
[ "MIT" ]
null
null
null
Escolas/Curso em Video/Back-End/Curso de Python/Mundos/Mundo 01/Exercicio_16.py
c4st1lh0/Projetos-de-Aula
e8abc9f4bce6cc8dbc6d7fb5da0f549ac8ef5302
[ "MIT" ]
null
null
null
Escolas/Curso em Video/Back-End/Curso de Python/Mundos/Mundo 01/Exercicio_16.py
c4st1lh0/Projetos-de-Aula
e8abc9f4bce6cc8dbc6d7fb5da0f549ac8ef5302
[ "MIT" ]
null
null
null
import math num = float(input('Digite um numero real qualquer: ')) print('O numero: {} tem a parte inteira {}'.format(num, math.trunc(num)))
46.666667
73
0.7
0
0
0
0
0
0
0
0
71
0.507143
13178607e92d499e0a8fa091130826ae93f57d37
757
py
Python
setup.py
Liang813/einops
9edce3d9a2d0a2abc51a6aaf86678eac43ffac0c
[ "MIT" ]
4,738
2018-10-30T08:38:50.000Z
2022-03-31T17:35:50.000Z
setup.py
Liang813/einops
9edce3d9a2d0a2abc51a6aaf86678eac43ffac0c
[ "MIT" ]
120
2018-10-30T09:04:01.000Z
2022-03-27T11:27:30.000Z
setup.py
Liang813/einops
9edce3d9a2d0a2abc51a6aaf86678eac43ffac0c
[ "MIT" ]
216
2018-11-09T02:50:30.000Z
2022-03-30T05:46:44.000Z
__author__ = 'Alex Rogozhnikov' from setuptools import setup setup( name="einops", version='0.3.2', description="A new flavour of deep learning operations", long_description=open('README.md', encoding='utf-8').read(), long_description_content_type='text/markdown', url='https://github.com/arogozhnikov/einops', author='Alex Rogozhnikov', packages=['einops', 'einops.layers'], classifiers=[ 'Intended Audience :: Science/Research', 'Programming Language :: Python :: 3 ', ], keywords='deep learning, neural networks, tensor manipulation, machine learning, ' 'scientific computations, einops', install_requires=[ # no run-time or installation-time dependencies ], )
29.115385
86
0.668428
0
0
0
0
0
0
0
0
420
0.554822
1321da1b77c6741566badad243b4f02ccf184f31
2,510
py
Python
src/plot_timeseries_outstanding_bytes.py
arunksaha/heap_tracker
0755c6b9c3e4e621efda31c144421a1e67e51a9c
[ "BSD-3-Clause" ]
1
2019-07-22T03:43:49.000Z
2019-07-22T03:43:49.000Z
src/plot_timeseries_outstanding_bytes.py
arunksaha/heap_tracker
0755c6b9c3e4e621efda31c144421a1e67e51a9c
[ "BSD-3-Clause" ]
null
null
null
src/plot_timeseries_outstanding_bytes.py
arunksaha/heap_tracker
0755c6b9c3e4e621efda31c144421a1e67e51a9c
[ "BSD-3-Clause" ]
null
null
null
# # Copyright 2018, Arun Saha <arunksaha@gmail.com> # import matplotlib import matplotlib.pyplot as plt import matplotlib.dates as md import datetime as dt import sys import os # Open the file, read the string contents into a list, # and return the list. def GetLinesListFromFile(filename): with open(filename) as f: content = f.readlines() return content # Convert usecs (numeric) to datetime # >>> ts = 1520189090755278 / 1000000.0 # >>> x = datetime.datetime.fromtimestamp(ts) # >>> x.strftime('%Y-%m-%d %H:%M:%S.%f') # '2018-03-04 10:44:50.755278' def ConvertUsecsEpochToDateTime(usecs): secs = usecs / 1000000.0 # Attempt to parse usecs throws: # ValueError: year is out of range # So, using secs instead. REVISIT. # datetimeObj = dt.datetime.fromtimestamp(usecs) datetimeObj = dt.datetime.fromtimestamp(secs) # print usecs, secs, datetimeObj return datetimeObj # Take a list of string tuples (timestamp, metric), # parses them into numerical values and returns # separate lists. def GetTxListFromFile(filename): lineList = GetLinesListFromFile(filename) datetimeList = [] outBytesList = [] for line in lineList: tokens = line.split() # print tokens assert(len(tokens) >= 2) usecs = int(tokens[0]) bytes = int(tokens[1]) datetimeObj = ConvertUsecsEpochToDateTime(usecs) datetimeList.append(datetimeObj) outBytesList.append(bytes) return datetimeList, outBytesList # Plotting driver program. def driver(dataFile): datetimeList, outBytesList = GetTxListFromFile(dataFile) plt.subplots_adjust(bottom = 0.2) plt.xticks(rotation = 25) ax = plt.gca() # Intended to show micro-seconds, but facing some problem, # see REVISIT above. # xfmt = md.DateFormatter('%Y-%m-%d %H:%M:%S.%f') xfmt = md.DateFormatter('%Y-%m-%d %H:%M:%S') ax.xaxis.set_major_formatter(xfmt) # Avoid scientific notatinn, use plain numbers. ax.get_yaxis().get_major_formatter().set_scientific(False) # Make the numbers comma separated. ax.get_yaxis().set_major_formatter( matplotlib.ticker.FuncFormatter(lambda bytes, p: format(int(bytes), ','))) # Intended the y-axis numbers on both sides, but not working. ax.yaxis.set_ticks_position('both') plt.plot(datetimeList, outBytesList) plt.title('Outstanding Bytes Timeseries') plt.ylabel('bytes') plt.xlabel('timestamp') plt.grid(True) plt.show() # main if len(sys.argv) == 1: print "usage: {} <input-text-file>".format(sys.argv[0]) sys.exit(1) driver(sys.argv[1])
28.202247
78
0.712749
0
0
0
0
0
0
0
0
1,036
0.412749
13319b518cfc2b51d7dc1b3515004faa2aab4919
2,170
py
Python
Tools/GAutomator/wpyscripts/uiautomator/uiautomator_manager.py
Aver58/ColaFrameWork
04c6750305ad734b30eceb95b463695b8373845a
[ "MIT" ]
1
2020-12-30T00:33:31.000Z
2020-12-30T00:33:31.000Z
Tools/GAutomator/wpyscripts/uiautomator/uiautomator_manager.py
wtb521thl/ColaFrameWork
0a8cc589740e045ebde668a76c4a35366b38e62e
[ "MIT" ]
null
null
null
Tools/GAutomator/wpyscripts/uiautomator/uiautomator_manager.py
wtb521thl/ColaFrameWork
0a8cc589740e045ebde668a76c4a35366b38e62e
[ "MIT" ]
1
2020-07-27T12:28:56.000Z
2020-07-27T12:28:56.000Z
#-*- coding: UTF-8 -*- """ Tencent is pleased to support the open source community by making GAutomator available. Copyright (C) 2016 THL A29 Limited, a Tencent company. All rights reserved. Licensed under the MIT License (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at http://opensource.org/licenses/MIT 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. """ __author__ = 'minhuaxu wukenaihesos@gmail.com' import time import os import logging from libs.uiauto.uiautomator import AutomatorDevice from wpyscripts.common.adb_process import AdbTool logger=logging.getLogger("wetest") _device_port=9008 _uiautomator_port = os.environ.get("UIAUTOMATOR_PORT","19008") def _init_uiautomator(): """ 初始化uiautomator :return: """ file_path = os.path.split(os.path.realpath(__file__))[0] uiautomator_stub_path = os.path.abspath( os.path.join(file_path, "..","third","libs","uiAutomator","uiautomator-stub.jar")) adb=AdbTool() print(adb.cmd_wait("push",uiautomator_stub_path,"/data/local/tmp")) logger.debug("Start UIAutomator") uiautomator_process=adb.cmd("shell","uiautomator","runtest","uiautomator-stub.jar","-c","com.github.uiautomatorstub.Stub") time.sleep(3) logger.debug("Exit uiautomator") adb.forward(_uiautomator_port,_device_port) def _init(): port = os.environ.get("UIAUTOMATORPORT") if port: return int(port) else: """ 本地,初始化UiAutomator """ _init_uiautomator() return int(_uiautomator_port) def get_uiautomator(): if get_uiautomator.instance: return get_uiautomator.instance else: port=_init() get_uiautomator.instance = AutomatorDevice(None, port, os.environ.get("PLATFORM_IP", "127.0.0.1"), None) return get_uiautomator.instance get_uiautomator.instance=None
35
305
0.723502
0
0
0
0
0
0
0
0
1,105
0.505027
13526b6d17cc702b79611d77af35c9e1a3a2bf4e
278
py
Python
python_work/Chapter5/exe3_alien_color.py
Elektra-2/python_crash_course_2nd
1c8beaddfe037faa3a36e7c384a6ea2f9d560060
[ "MIT" ]
1
2020-08-25T18:42:30.000Z
2020-08-25T18:42:30.000Z
python_work/Chapter5/exe3_alien_color.py
Elektra-2/python_crash_course_2nd
1c8beaddfe037faa3a36e7c384a6ea2f9d560060
[ "MIT" ]
null
null
null
python_work/Chapter5/exe3_alien_color.py
Elektra-2/python_crash_course_2nd
1c8beaddfe037faa3a36e7c384a6ea2f9d560060
[ "MIT" ]
null
null
null
# Creating a elif chain alien_color = 'red' if alien_color == 'green': print('Congratulations! You won 5 points!') elif alien_color == 'yellow': print('Congratulations! You won 10 points!') elif alien_color == 'red': print('Congratulations! You won 15 points!')
25.272727
48
0.683453
0
0
0
0
0
0
0
0
160
0.57554
13539ceb0c44529e049d271d3d684efaaf1e9dee
121
py
Python
oomi/__init__.py
sremes/oomi
312317aa2ef68f1481b2447652a7d47c5f2e3f56
[ "MIT" ]
null
null
null
oomi/__init__.py
sremes/oomi
312317aa2ef68f1481b2447652a7d47c5f2e3f56
[ "MIT" ]
null
null
null
oomi/__init__.py
sremes/oomi
312317aa2ef68f1481b2447652a7d47c5f2e3f56
[ "MIT" ]
null
null
null
"""Utilities for downloading comsumption data from Oomi.""" from oomi.oomi_downloader import OomiDownloader, OomiConfig
30.25
59
0.818182
0
0
0
0
0
0
0
0
59
0.487603
13662d9d6240c63c9a734dfc856cbc7f4107d5e2
160
py
Python
objects/fun_return.py
padmacho/pythontutorial
80c58d2d6efc0c3598f92b627338c6cd9fda1759
[ "Apache-2.0" ]
null
null
null
objects/fun_return.py
padmacho/pythontutorial
80c58d2d6efc0c3598f92b627338c6cd9fda1759
[ "Apache-2.0" ]
null
null
null
objects/fun_return.py
padmacho/pythontutorial
80c58d2d6efc0c3598f92b627338c6cd9fda1759
[ "Apache-2.0" ]
null
null
null
def modify(y): return y # returns same reference. No new object is created x = [1, 2, 3] y = modify(x) print("x == y", x == y) print("x == y", x is y)
26.666667
65
0.55625
0
0
0
0
0
0
0
0
67
0.41875
1366f50a70db89f7b6f66ff4d8a7cc0516afcf2f
6,471
py
Python
edx_gen/_write_comps.py
hberndl70/mooc-generator
58ff77ece12b456887ec24db79d8baa87ecd5621
[ "MIT" ]
null
null
null
edx_gen/_write_comps.py
hberndl70/mooc-generator
58ff77ece12b456887ec24db79d8baa87ecd5621
[ "MIT" ]
null
null
null
edx_gen/_write_comps.py
hberndl70/mooc-generator
58ff77ece12b456887ec24db79d8baa87ecd5621
[ "MIT" ]
null
null
null
import sys, os import tarfile import shutil from edx_gen import _edx_consts from edx_gen import _read_metadata from edx_gen import _write_structure from edx_gen import _write_comps from edx_gen import _write_comp_html from edx_gen import _write_comp_checkboxes from edx_gen import _write_comp_video from edx_gen import _xml_google_doc from edx_gen import _markdown from edx_gen import _util import __SETTINGS__ #-------------------------------------------------------------------------------------------------- # Text strings WARNING = " WARNING:" #-------------------------------------------------------------------------------------------------- # write to either units folder or problems folder, depending on the type def writeCompsForUnit(md_filepath, unit_filename): # print("component_path", component_path) # generate the files in the right folders tree_snippets = _markdown.convertMd(md_filepath) # check we have at least 2 snippets, the header and one component if len(tree_snippets) <= 1: print(WARNING, 'The markdown file does not seem to contain any components:', md_filepath) # get the display name of the unit first_h1_tag = list(tree_snippets[0].iter('h1'))[0] unit_display_name = first_h1_tag.get('display_name') # list to store all files unit_comps = [] # process components for i in range(1, len(tree_snippets)): tree_snippet = tree_snippets[i] # generate the files new_filename = unit_filename + '_c' + str(i) comp_files = _writeFilesForSnippet(md_filepath, new_filename, tree_snippet, unit_filename, unit_display_name) unit_comps.extend(comp_files) # return the result return unit_comps #-------------------------------------------------------------------------------------------------- # write to either units folder or problems folder, depending on the type def _writeFilesForSnippet(md_filepath, comp_filename, tree_snippet, unit_filename, unit_display_name): meta_tag = None comp_type = None # meta_text = None # get the h1 tags h1_tags = list(tree_snippet.iter('h1')) if len(h1_tags) == 0: print(WARNING, 'The snippet does not start with any settings:', md_filepath) return # get the meta tag for the snippet meta_tag = h1_tags[0] # the first h1 the should contain the meta data # # check the meta tag text # meta_text = meta_tag.text.strip() # if meta_text == None or meta_text != 'UNIT': # print(WARNING, 'The markdown file must start with the "UNIT" settings:', component_path) # print(WARNING, 'Make sure that the first line of the markdown file is blank') # get the type for this component comp_type = meta_tag.get('type') if comp_type == None or comp_type not in _edx_consts.METADATA_ENUMS['type']: print(WARNING, 'The "type" setting is not recognised:', md_filepath) print(WARNING, ' Found:', comp_type) print(WARNING, ' Valid options:', _edx_consts.METADATA_ENUMS['type']) # write xml and/or html files if comp_type == 'html': print(" |_ HTML COMP") # get the setting out of the meta_tag settings = _read_metadata.getMetaSettings(md_filepath, meta_tag, _edx_consts.COMP_HTML_REQ, _edx_consts.COMP_HTML_OPT ) # check that we have settings if not settings: print(WARNING, 'There seem to be no settings for this "html" component:', md_filepath) return # remove h1 meta_tag from the tree so it does not end up in the output tree_snippet.remove(meta_tag) # write .html file to COMP_HTML_FOLDER # write .xml file to COMP_HTML_FOLDER # return the list of files return _write_comp_html.writeXmlForHtmlComp( md_filepath, comp_filename, tree_snippet, settings, unit_filename) elif comp_type == 'problem-checkboxes': print(" |_ PROBLEM CHECKBOXES") # get the setting out of the meta_tag settings = _read_metadata.getMetaSettings(md_filepath, meta_tag, _edx_consts.COMP_PROB_QUIZ_REQ, _edx_consts.COMP_PROB_QUIZ_OPT ) # check that we have settings if not settings: print(WARNING, 'There seem to be no settings for this "problem-checkboxes" component:', md_filepath) return # remove h1 meta_tag from the tree so it does not end up in the output tree_snippet.remove(meta_tag) # write .xml file to COMP_PROBS_FOLDER # return the list of files return _write_comp_checkboxes.writeXmlForProbCheckboxesComp( md_filepath, comp_filename, tree_snippet, settings, unit_filename) elif comp_type == 'video': print(" |_ VIDEO COMP") # get the setting out of the meta_tag settings = _read_metadata.getMetaSettings( md_filepath, meta_tag, _edx_consts.COMP_VIDEO_REQ, _edx_consts.COMP_VIDEO_OPT ) # check that we have settings if not settings: print(WARNING, 'There seem to be no settings for this "video" component:', md_filepath) return # remove h1 meta_tag from the tree so it does not end up in the output tree_snippet.remove(meta_tag) # write .xml file to COMP_VIDS_FOLDER # for each language # write .html file to COMP_HTML_FOLDER # write .xml file to COMP_HTML_FOLDER # return the list of files return _write_comp_video.writeXmlForVidComp( md_filepath, comp_filename, settings, unit_filename) elif comp_type == 'google-doc': print(" |_ GOOGLE DOC COMP") # get the setting out of the meta_tag settings = _read_metadata.getMetaSettings(md_filepath, meta_tag, _edx_consts.COMP_GOOGLE_DOC_REQ, _edx_consts.COMP_GOOGLE_DOC_OPT) # check that we have settings if not settings: print(WARNING, 'There seem to be no settings for this "Google Doc" component:', md_filepath) return # in this case, no files are written # we return the component tag instead return _xml_google_doc.tagForGoogleDocComp(comp_filename, settings, unit_filename) else: print(WARNING, 'Component type not recognised:', comp_type, "in", md_filepath) #--------------------------------------------------------------------------------------------------
38.064706
117
0.641323
0
0
0
0
0
0
0
0
2,803
0.433163
1367201e3118f25640a5bbd95836976d130709a4
2,403
py
Python
grading_program.py
ByeonghoonJeon/Student-Grading
eee55638aee4390d7758c1204b85cce7279ccdf7
[ "MIT" ]
null
null
null
grading_program.py
ByeonghoonJeon/Student-Grading
eee55638aee4390d7758c1204b85cce7279ccdf7
[ "MIT" ]
null
null
null
grading_program.py
ByeonghoonJeon/Student-Grading
eee55638aee4390d7758c1204b85cce7279ccdf7
[ "MIT" ]
null
null
null
# 1. Create students score dictionary. students_score = {} # 2. Input student's name and check if input is correct. (Alphabet, period, and blank only.) # 2.1 Creat a function that evaluate the validity of name. def check_name(name): # 2.1.1 Remove period and blank and check it if the name is comprised with only Alphabet. # 2.1.1.1 Make a list of spelling in the name. list_of_spelling = list(name) # 2.1.1.2 Remove period and blank from the list. while "." in list_of_spelling: list_of_spelling.remove(".") while " " in list_of_spelling: list_of_spelling.remove(" ") # 2.1.1.3 Convert the list to a string. list_to_string = "" list_to_string = list_to_string.join(list_of_spelling) # 2.1.1.4 Return if the string is Alphabet. return list_to_string.isalpha() while True: # 2.2 Input student's name. name = input("Please input student's name. \n") check_name(name) # 2.3 Check if the name is alphabet. If not, ask to input correct name again. while check_name(name) != True: name = input("Please input student's name. (Alphabet and period only.)\n") # 3. Input student's score and check if input is correct. (digits only and between zero and 100) score = input(f"Please input {name}'s score.(0 ~ 100)\n") while score.isdigit() == False or int(score) not in range(0, 101): score = input("Please input valid numbers only.(Number from zero to 100.)\n") students_score[name] = score # 4. Ask another student's information. another_student = input( "Do you want to input another student's information as well? (Y/N)\n" ) while another_student.lower() not in ("yes", "y", "n", "no"): # 4.1 Check if the input is valid. another_student = input("Please input Y/N only.\n") if another_student.lower() in ("yes", "y"): continue elif another_student.lower() in ("no", "n"): break for student in students_score: score = students_score[student] score = int(score) if score >= 90: students_score[student] = "A" elif score in range(70, 90): students_score[student] = "B" elif score in range(50, 70): students_score[student] = "C" elif score in range(40, 50): students_score[student] = "D" else: students_score[student] = "F" print(students_score)
36.969231
100
0.646275
0
0
0
0
0
0
0
0
1,095
0.45568
136925370fda5dbcb2e2d6d5e61c676370502bb7
904
py
Python
scripts/VCF/UTILS/select_variants.py
elowy01/igsr_analysis
ffea4885227c2299f886a4f41e70b6e1f6bb43da
[ "Apache-2.0" ]
3
2018-04-20T15:04:34.000Z
2022-03-30T06:36:02.000Z
scripts/VCF/UTILS/select_variants.py
elowy01/igsr_analysis
ffea4885227c2299f886a4f41e70b6e1f6bb43da
[ "Apache-2.0" ]
7
2019-06-06T09:22:20.000Z
2021-11-23T17:41:52.000Z
scripts/VCF/UTILS/select_variants.py
elowy01/igsr_analysis
ffea4885227c2299f886a4f41e70b6e1f6bb43da
[ "Apache-2.0" ]
5
2017-11-02T11:17:35.000Z
2021-12-11T19:34:09.000Z
from VcfFilter import VcfFilter import argparse import os #get command line arguments parser = argparse.ArgumentParser(description='Script to select a certain variant type from a VCF file') #parameters parser.add_argument('--bcftools_folder', type=str, required=True, help='Folder containing the Bcftools binary' ) parser.add_argument('--filename', type=str, required=True, help='Name (without the fullpath) of the VCF file that will be analysed. It assumes that the filename format is for example lc_bams.gatk.xxxx.vcf.gz, where lc_bams is the analysis group and gatk is the method used' ) parser.add_argument('--type', type=str, required=False, help='Type of variant to select. i.e. snps/indels etc' ) args = parser.parse_args() if __name__ == '__main__': vcf_f=VcfFilter(vcf=args.filename,bcftools_folder=args.bcftools_folder) vcf_f.filter_by_variant_type(type=args.type)
39.304348
275
0.766593
0
0
0
0
0
0
0
0
441
0.487832
136b5475110947f42e139d24c848b375d4d0e140
2,144
py
Python
deep_disfluency/feature_extraction/wer_calculation_from_final_asr_results.py
askender/deep_disfluency
bea8403ed954df8eadd3e2b9d98bb7c2b416a665
[ "MIT" ]
null
null
null
deep_disfluency/feature_extraction/wer_calculation_from_final_asr_results.py
askender/deep_disfluency
bea8403ed954df8eadd3e2b9d98bb7c2b416a665
[ "MIT" ]
null
null
null
deep_disfluency/feature_extraction/wer_calculation_from_final_asr_results.py
askender/deep_disfluency
bea8403ed954df8eadd3e2b9d98bb7c2b416a665
[ "MIT" ]
null
null
null
from mumodo.mumodoIO import open_intervalframe_from_textgrid import numpy from deep_disfluency.utils.accuracy import wer final_file = open('wer_test.text', "w") ranges1 = [line.strip() for line in open( "/media/data/jh/simple_rnn_disf/rnn_disf_detection/data/disfluency_detection/swda_divisions_disfluency_detection/SWDisfHeldoutASR_ranges.text")] ranges2 = [line.strip() for line in open( "/media/data/jh/simple_rnn_disf/rnn_disf_detection/data/disfluency_detection/swda_divisions_disfluency_detection/SWDisfTestASR_ranges.text")] for ranges in [ranges1, ranges2]: final_file.write("\n\n") for r in ranges: for s in ["A", "B"]: iframe = open_intervalframe_from_textgrid("{0}{1}.TextGrid" .format(r, s)) hyp = " ".join(iframe['Hyp']['text']) ref = " ".join(iframe['Ref']['text']) wer = wer(ref, hyp) cost = wer(ref, hyp, macro=True) print r, s, wer print>>final_file, r, s, wer, cost final_file.close() # Based on the results, output the 'good' ASR results results = open("wer_test.text") no_ho = 0 no_test = 0 ingood = True file = open("../../../simple_rnn_disf/rnn_disf_detection/data/disfluency_detection/swda_divisions_disfluency_detection/SWDisfHeldoutASRgood_ranges.text", "w") for l in results: # print l if l == "\n": print no_ho no_ho = 0 file.close() file = open( "../../../simple_rnn_disf/rnn_disf_detection/data/disfluency_detection/swda_divisions_disfluency_detection/SWDisfTestASRgood_ranges.text", "w") continue if float(l.strip('\n').split(" ")[ 2]) < 0.4: # both speakers are under 40% error rate- likely half decent separation # print l if ingood and "B" in l.strip("\n").split(" ")[1]: no_ho += 1 #file.write(l.strip('\n').split(" ")[0]+l.strip('\n').split(" ")[1]+"\n") file.write(l.strip('\n').split(" ")[0] + "\n") ingood = True else: ingood = False print no_ho results.close() file.close()
36.965517
158
0.619403
0
0
0
0
0
0
0
0
901
0.420243
136bbda00809274a9f8b16997fd9b06b349771f8
3,754
py
Python
vivo2notld/definitions/person_definition.py
gwu-libraries/vivo2notld
3f579f8aad28c60119864757e1fe66c2d64a0149
[ "MIT" ]
5
2015-09-23T10:05:29.000Z
2016-04-07T17:08:38.000Z
vivo2notld/definitions/person_definition.py
gwu-libraries/vivo2notld
3f579f8aad28c60119864757e1fe66c2d64a0149
[ "MIT" ]
null
null
null
vivo2notld/definitions/person_definition.py
gwu-libraries/vivo2notld
3f579f8aad28c60119864757e1fe66c2d64a0149
[ "MIT" ]
null
null
null
from .document_summary import definition as document_summary_definition from .organization_summary import definition as organization_summmary_definition definition = { "where": "?subj a foaf:Person .", "fields": { "name": { "where": "?subj rdfs:label ?obj ." }, #Contact info "email": { "where": """ ?subj obo:ARG_2000028 ?vc . ?vc a vcard:Kind . ?vc vcard:hasEmail ?vce . ?vce a vcard:Email, vcard:Work . ?vce vcard:email ?obj . """ }, "telephone": { "where": """ ?subj obo:ARG_2000028 ?vc . ?vc a vcard:Kind . ?vc vcard:hasTelephone ?vct . ?vct a vcard:Telephone . ?vct vcard:telephone ?obj . """ }, "address": { "where": """ ?subj obo:ARG_2000028 ?vc . ?vc a vcard:Kind . ?vc vcard:hasAddress ?obj . """, "definition": { "where": "?subj a vcard:Address .", "fields": { "address": { "where": "?subj vcard:streetAddress ?obj ." }, "city": { "where": "?subj vcard:locality ?obj ." }, "state": { "where": "?subj vcard:region ?obj ." }, "zip": { "where": "?subj vcard:postalCode ?obj ." } } } }, "website": { "list": True, "where": """ ?subj obo:ARG_2000028 ?vc . ?vc a vcard:Kind . ?vc vcard:hasURL ?vcu . ?vcu a vcard:URL . ?vcu vcard:url ?obj . """, "optional": True }, "researchArea": { "where": """ ?subj vivo:hasResearchArea ?ra . ?ra rdfs:label ?obj . """, "optional": True, "list": True }, "geographicFocus": { "where": """ ?subj vivo:geographicFocus ?gf . ?gf rdfs:label ?obj . """, "optional": True, "list": True }, "overview": { "where": "?subj vivo:overview ?obj .", "optional": True, }, "positions": { "where": "?subj vivo:relatedBy ?obj .", "definition": { "where": "?subj a vivo:Position .", "fields": { "title": { "where": "?subj rdfs:label ?obj ." }, "organization": { "where": "?subj vivo:relates ?obj .", "definition": organization_summmary_definition } } }, "optional": True, "list": True }, "publications": { "where": """ ?subj vivo:relatedBy ?aship . ?aship a vivo:Authorship . ?aship vivo:relates ?obj . """, "definition": document_summary_definition, "optional": True, "list": True } } }
33.221239
80
0.34017
0
0
0
0
0
0
0
0
2,229
0.593767
136f314f36b3d7d707a24bb2dc1a76fc985f86a7
1,079
py
Python
DPR/setup.py
sophiaalthammer/parm
ecf2dce5ee225b18e1ed3736a86696cc81e0797c
[ "MIT" ]
18
2022-01-06T13:03:40.000Z
2022-03-29T14:24:23.000Z
DPR/setup.py
k-for-code/parm
ecf2dce5ee225b18e1ed3736a86696cc81e0797c
[ "MIT" ]
1
2022-01-20T08:45:19.000Z
2022-01-24T05:18:40.000Z
DPR/setup.py
k-for-code/parm
ecf2dce5ee225b18e1ed3736a86696cc81e0797c
[ "MIT" ]
4
2021-05-27T08:33:18.000Z
2022-02-20T17:45:40.000Z
#!/usr/bin/env python3 # Copyright (c) Facebook, Inc. and its affiliates. # # This source code is licensed under the MIT license found in the # LICENSE file in the root directory of this source tree. from setuptools import setup with open("README.md") as f: readme = f.read() setup( name="dpr", version="0.1.0", description="Facebook AI Research Open Domain Q&A Toolkit", url="https://github.com/facebookresearch/DPR/", classifiers=[ "Intended Audience :: Science/Research", "License :: OSI Approved :: MIT License", "Programming Language :: Python :: 3.6", "Topic :: Scientific/Engineering :: Artificial Intelligence", ], long_description=readme, long_description_content_type="text/markdown", setup_requires=[ "setuptools>=18.0", ], install_requires=[ "cython", "faiss-cpu>=1.6.1", "filelock", "numpy", "regex", "torch>=1.2.0", "transformers>=3.0.0,<3.1.0", "tqdm>=4.27", "wget", "spacy>=2.1.8", ], )
25.690476
69
0.594995
0
0
0
0
0
0
0
0
641
0.594069
137575ac656962b0f9d67245530a471421c965ac
1,657
bzl
Python
junit5/rules.bzl
prashantsharma04/bazel_java_rules
4f80fbe70e1778aa8e3e0ee8aa2f1efc3e44a462
[ "Apache-2.0" ]
1
2020-10-22T06:44:10.000Z
2020-10-22T06:44:10.000Z
junit5/rules.bzl
prashantsharma04/bazel_java_rules
4f80fbe70e1778aa8e3e0ee8aa2f1efc3e44a462
[ "Apache-2.0" ]
5
2020-06-01T22:33:59.000Z
2020-11-01T17:03:06.000Z
junit5/rules.bzl
prashantsharma04/bazel_java_rules
4f80fbe70e1778aa8e3e0ee8aa2f1efc3e44a462
[ "Apache-2.0" ]
1
2020-08-17T07:42:21.000Z
2020-08-17T07:42:21.000Z
load("@rules_jvm_external//:defs.bzl", "artifact") # For more information see # - https://github.com/bmuschko/bazel-examples/blob/master/java/junit5-test/BUILD # - https://github.com/salesforce/bazel-maven-proxy/tree/master/tools/junit5 # - https://github.com/junit-team/junit5-samples/tree/master/junit5-jupiter-starter-bazel def junit5_test(name, srcs, test_package, resources = [], deps = [], runtime_deps = [], **kwargs): """JUnit runner macro""" FILTER_KWARGS = [ "main_class", "use_testrunner", "args", ] for arg in FILTER_KWARGS: if arg in kwargs.keys(): kwargs.pop(arg) junit_console_args = [] if test_package: junit_console_args += ["--select-package", test_package] else: fail("must specify 'test_package'") native.java_test( name = name, srcs = srcs, use_testrunner = False, main_class = "org.junit.platform.console.ConsoleLauncher", args = junit_console_args, deps = deps + [ artifact("org.junit.jupiter:junit-jupiter-api"), artifact("org.junit.jupiter:junit-jupiter-params"), artifact("org.junit.jupiter:junit-jupiter-engine"), artifact("org.hamcrest:hamcrest-library"), artifact("org.hamcrest:hamcrest-core"), artifact("org.hamcrest:hamcrest"), artifact("org.mockito:mockito-core"), ], visibility = ["//java:__subpackages__"], resources = resources, runtime_deps = runtime_deps + [ artifact("org.junit.platform:junit-platform-console"), ], **kwargs )
35.255319
98
0.616174
0
0
0
0
0
0
0
0
755
0.455643
1377f0cfac03b437ee48b39fc8008df7e5dd358b
4,720
py
Python
docs/updatedoc.py
JukeboxPipeline/jukedj
d4159961c819c26792a278981ee68106ee15f3f3
[ "BSD-3-Clause" ]
2
2015-01-22T17:39:05.000Z
2015-02-09T16:47:15.000Z
docs/updatedoc.py
JukeboxPipeline/jukedj
d4159961c819c26792a278981ee68106ee15f3f3
[ "BSD-3-Clause" ]
3
2020-02-12T00:24:58.000Z
2021-06-10T20:05:03.000Z
docs/updatedoc.py
JukeboxPipeline/jukeboxmaya
c8d6318d53cdb5493453c4a6b65ef75bdb2d5f2c
[ "BSD-3-Clause" ]
null
null
null
#!/usr/bin/env python """Builds the documentaion. First it runs gendoc to create rst files for the source code. Then it runs sphinx make. .. Warning:: This will delete the content of the output directory first! So you might loose data. You can use updatedoc.py -nod. Usage, just call:: updatedoc.py -h """ import argparse import os import shutil import sys import gendoc thisdir = os.path.abspath(os.path.dirname(__file__)) def setup_argparse(): """Sets up the argument parser and returns it :returns: the parser :rtype: :class:`argparse.ArgumentParser` :raises: None """ parser = argparse.ArgumentParser( description="Builds the documentaion. First it runs gendoc to create rst files\ for the source code. Then it runs sphinx make.\ WARNING: this will delete the contents of the output dirs. You can use -nod.") ipath = os.path.join(thisdir, '../src') ipath = os.path.abspath(ipath) idefault = [ipath] parser.add_argument('-i', '--input', nargs='+', default=idefault, help='list of input directories. gendoc is called for every\ source dir.\ Default is \'%s\'.' % ', '.join(idefault)) opath = os.path.join(thisdir, 'reference') opath = os.path.abspath(opath) odefault = [opath] parser.add_argument('-o', '--output', nargs='+', default=odefault, help='list of output directories. if you have multiple source\ directories, the corresponding output directorie is used.\ if there are less dirs than for source, the last output dir\ is used for the remaining source dirs.\ WARNING: the output directories are emptied by default. See -nod.\ Default is \'%s\'.' % ', '.join(odefault)) gadefault = ['-T', '-f', '-e', '-o'] parser.add_argument('-ga', '--gendocargs', nargs='*', default=gadefault, help="list of arguments to pass to gendoc. use -gh for info.\ Default is \'%s\'" % ', '.join(gadefault)) parser.add_argument('-nod', '--nodelete', action='store_true', help='Do not empty the output directories first.') parser.add_argument('-gh', '--gendochelp', action='store_true', help='print the help for gendoc and exit') return parser def prepare_dir(directory, delete=True): """Create apidoc dir, delete contents if delete is True. :param directory: the apidoc directory. you can use relative paths here :type directory: str :param delete: if True, deletes the contents of apidoc. This acts like an override switch. :type delete: bool :returns: None :rtype: None :raises: None """ if os.path.exists(directory): if delete: assert directory != thisdir, 'Trying to delete docs! Specify other output dir!' print 'Deleting %s' % directory shutil.rmtree(directory) print 'Creating %s' % directory os.mkdir(directory) else: print 'Creating %s' % directory os.mkdir(directory) def run_gendoc(source, dest, args): """Starts gendoc which reads source and creates rst files in dest with the given args. :param source: The python source directory for gendoc. Can be a relative path. :type source: str :param dest: The destination for the rst files. Can be a relative path. :type dest: str :param args: Arguments for gendoc. See gendoc for more information. :type args: list :returns: None :rtype: None :raises: SystemExit """ args.insert(0, 'gendoc.py') args.append(dest) args.append(source) print 'Running gendoc.main with: %s' % args gendoc.main(args) def main(argv=sys.argv[1:]): """Parse commandline arguments and run the tool :param argv: the commandline arguments. :type argv: list :returns: None :rtype: None :raises: None """ parser = setup_argparse() args = parser.parse_args(argv) if args.gendochelp: sys.argv[0] = 'gendoc.py' genparser = gendoc.setup_parser() genparser.print_help() sys.exit(0) print 'Preparing output directories' print '='*80 for odir in args.output: prepare_dir(odir, not args.nodelete) print '\nRunning gendoc' print '='*80 for i, idir in enumerate(args.input): if i >= len(args.output): odir = args.output[-1] else: odir = args.output[i] run_gendoc(idir, odir, args.gendocargs) if __name__ == '__main__': main()
35.488722
115
0.613559
0
0
0
0
0
0
0
0
2,741
0.58072
13783bd8e2a248d44492c03b9013e0d6c16cfd22
478
py
Python
sort/selectionsort.py
vitormrts/sorting-algorithms
5571ce522a7fd33f976fa05b264ed2c253c221b3
[ "MIT" ]
null
null
null
sort/selectionsort.py
vitormrts/sorting-algorithms
5571ce522a7fd33f976fa05b264ed2c253c221b3
[ "MIT" ]
null
null
null
sort/selectionsort.py
vitormrts/sorting-algorithms
5571ce522a7fd33f976fa05b264ed2c253c221b3
[ "MIT" ]
null
null
null
def selection_sort(A): # O(n^2) n = len(A) for i in range(n-1): # percorre a lista min = i for j in range(i+1, n): # encontra o menor elemento da lista a partir de i + 1 if A[j] < A[min]: min = j A[i], A[min] = A[min], A[i] # insere o elemento na posicao correta return A # 1 + (n-1)*[3 + X] = 1 + 3*(n-1) + X*(n-1) = 1 + 3*(n-1) + (n^2 + n - 2)/2 # = (1 - 3 - 1) + (3n + n/2) + (n^2/2) # The complexity is O(n^2)
36.769231
86
0.464435
0
0
0
0
0
0
0
0
257
0.537657
138645ddd1d47197cec66a63b6f187e4f2176f57
423
py
Python
test/test_substitute.py
sanskrit/padmini
8e7e8946a7d2df9c941f689ea4bc7b6ebb7ca1d0
[ "MIT" ]
1
2022-03-01T05:05:04.000Z
2022-03-01T05:05:04.000Z
test/test_substitute.py
sanskrit/padmini
8e7e8946a7d2df9c941f689ea4bc7b6ebb7ca1d0
[ "MIT" ]
null
null
null
test/test_substitute.py
sanskrit/padmini
8e7e8946a7d2df9c941f689ea4bc7b6ebb7ca1d0
[ "MIT" ]
null
null
null
from padmini import operations as op def test_yatha(): before = ("tAs", "Tas", "Ta", "mip") after = ("tAm", "tam", "ta", "am") for i, b in enumerate(before): assert op.yatha(b, before, after) == after[i] """ def test_ti(): assert S.ti("ta", "e") == "te" assert S.ti("AtAm", "e") == "Ate" def test_antya(): assert S.antya("ti", "u") == "tu" assert S.antya("te", "Am") == "tAm" """
19.227273
53
0.51773
0
0
0
0
0
0
0
0
230
0.543735
1388c9a700adcd34c480eb91c770af0acaf65dde
2,186
py
Python
TVSaffiliations/extractemails_nogui.py
kmhambleton/LSST-TVSSC.github.io
2391fcdeddf83321825532aa7d7682b5dcf567f0
[ "CC-BY-3.0" ]
null
null
null
TVSaffiliations/extractemails_nogui.py
kmhambleton/LSST-TVSSC.github.io
2391fcdeddf83321825532aa7d7682b5dcf567f0
[ "CC-BY-3.0" ]
3
2018-06-15T10:12:39.000Z
2022-03-23T23:43:27.000Z
TVSaffiliations/extractemails_nogui.py
kmhambleton/LSST-TVSSC.github.io
2391fcdeddf83321825532aa7d7682b5dcf567f0
[ "CC-BY-3.0" ]
5
2018-03-27T12:53:55.000Z
2019-07-17T15:54:09.000Z
# coding: utf-8 #just prints the emails of members of a group to stdout, #both primary and secondary members # run as # $python extractemails_nogui.py "Tidal Disruption Events" from __future__ import print_function '__author__' == 'Federica Bianco, NYU - GitHub: fedhere' import sys import pandas as pd from argparse import ArgumentParser from config import tvsfile def parse_args(subglist): """ Use ArgParser to build up the arguments we will use in our script """ stored_args = {} # get the script name without the extension & use it to build up # the json filename parser = ArgumentParser(description='Selecting members by subgroup') parser.add_argument('subgroup', action='store', default=None, help='Choose the subgroup affiliation:' + ' -- '.join([s for s in subglist])) args = parser.parse_args() return args if __name__ == '__main__': if tvsfile is None: print ("Required Argument: Google Doc file identifier (if you do not have it email federica!)") sys.exit() TVSMembers = pd.read_csv('https://docs.google.com/spreadsheets/d/' + tvsfile + '/export?gid=0&format=csv', index_col=0) subgroups = TVSMembers.primary.unique() conf = parse_args([x for x in subgroups if str(x) != 'nan']) primary = conf.subgroup secondary = conf.subgroup emails = TVSMembers[TVSMembers.primary == primary]['email'].values print ("These are the members with primary affiliation with " + primary) print ("") print (' '.join([em + ','for em in emails])) emails = TVSMembers[(TVSMembers.secondary == secondary) | (TVSMembers['secondary.1'] == secondary) | (TVSMembers['secondary.2'] == secondary)]['email'].values print ("\n") print ("These are the members with secondary affiliation with " + secondary) print ("") print (' '.join([em + ','for em in emails])) print ("") print ("If you also want their names and affiliations use: ") print ("$python extractemailsW.py " + conf.subgroup)
35.836066
162
0.627173
0
0
0
0
0
0
0
0
894
0.408966
138922f3a893ab484911754fbdc916b94b521606
1,341
py
Python
tests/input_files/full_sm_UFO/function_library.py
valassi/mg5amc_test
2e04f23353051f64e1604b23105fe3faabd32869
[ "NCSA" ]
1
2016-07-09T00:05:56.000Z
2016-07-09T00:05:56.000Z
tests/input_files/full_sm_UFO/function_library.py
valassi/mg5amc_test
2e04f23353051f64e1604b23105fe3faabd32869
[ "NCSA" ]
4
2022-03-10T09:13:31.000Z
2022-03-30T16:15:01.000Z
tests/input_files/full_sm_UFO/function_library.py
valassi/mg5amc_test
2e04f23353051f64e1604b23105fe3faabd32869
[ "NCSA" ]
1
2016-07-09T00:06:15.000Z
2016-07-09T00:06:15.000Z
# This file is part of the UFO. # # This file contains definitions for functions that # are extensions of the cmath library, and correspond # either to functions that are in cmath, but inconvenient # to access from there (e.g. z.conjugate()), # or functions that are simply not defined. # # from __future__ import absolute_import __date__ = "22 July 2010" __author__ = "claude.duhr@durham.ac.uk" import cmath from .object_library import all_functions, Function # # shortcuts for functions from cmath # complexconjugate = Function(name = 'complexconjugate', arguments = ('z',), expression = 'z.conjugate()') re = Function(name = 're', arguments = ('z',), expression = 'z.real') im = Function(name = 'im', arguments = ('z',), expression = 'z.imag') # New functions (trigonometric) sec = Function(name = 'sec', arguments = ('z',), expression = '1./cmath.cos(z)') asec = Function(name = 'asec', arguments = ('z',), expression = 'cmath.acos(1./z)') csc = Function(name = 'csc', arguments = ('z',), expression = '1./cmath.sin(z)') acsc = Function(name = 'acsc', arguments = ('z',), expression = 'cmath.asin(1./z)')
23.946429
57
0.57047
0
0
0
0
0
0
0
0
561
0.418345
138b01aa9774bbead45a8dac1264c5149cf9f912
568
py
Python
Section 20/2.Document-transfer_files.py
airbornum/-Complete-Python-Scripting-for-Automation
bc053444f8786259086269ca1713bdb10144dd74
[ "MIT" ]
18
2020-04-13T03:14:06.000Z
2022-03-09T18:54:41.000Z
Section 20/2.Document-transfer_files.py
airbornum/-Complete-Python-Scripting-for-Automation
bc053444f8786259086269ca1713bdb10144dd74
[ "MIT" ]
null
null
null
Section 20/2.Document-transfer_files.py
airbornum/-Complete-Python-Scripting-for-Automation
bc053444f8786259086269ca1713bdb10144dd74
[ "MIT" ]
22
2020-04-29T21:12:42.000Z
2022-03-17T18:19:54.000Z
import paramiko ssh = paramiko.SSHClient() ssh.set_missing_host_key_policy(paramiko.AutoAddPolicy()) ssh.connect(hostname='54.165.97.91',username='ec2-user',password='paramiko123',port=22) sftp_client=ssh.open_sftp() #sftp_client.get('/home/ec2-user/paramiko_download.txt','paramiko_downloaded_file.txt') #sftp_client.chdir("/home/ec2-user") #print(sftp_client.getcwd()) #sftp_client.get('demo.txt','C:\\Users\\Automation\\Desktop\\download_file.txt') sftp_client.put("transfer_files.py",'/home/ec2-user/transfer_files.py') sftp_client.close() ssh.close()
43.692308
88
0.769366
0
0
0
0
0
0
0
0
325
0.572183
139af14f3890b6a5fdebd9bc833f815258ac26c3
1,433
py
Python
tests/adv/test_pop_sfrd.py
jlashner/ares
6df2b676ded6bd59082a531641cb1dadd475c8a8
[ "MIT" ]
10
2020-03-26T01:08:10.000Z
2021-12-04T13:02:10.000Z
tests/adv/test_pop_sfrd.py
jlashner/ares
6df2b676ded6bd59082a531641cb1dadd475c8a8
[ "MIT" ]
25
2020-06-08T14:52:28.000Z
2022-03-08T02:30:54.000Z
tests/adv/test_pop_sfrd.py
jlashner/ares
6df2b676ded6bd59082a531641cb1dadd475c8a8
[ "MIT" ]
8
2020-03-24T14:11:25.000Z
2021-11-06T06:32:59.000Z
""" test_pop_models.py Author: Jordan Mirocha Affiliation: UCLA Created on: Fri Jul 15 15:23:11 PDT 2016 Description: """ import ares import matplotlib.pyplot as pl PB = ares.util.ParameterBundle def test(): # Create a simple population pars_1 = PB('pop:fcoll') + PB('sed:bpass') pop_fcoll = ares.populations.GalaxyPopulation(**pars_1) #pop_fcoll_XR = ares.populations.GalaxyPopulation(**pars_1) # Mimic the above population to check our different SFRD/SED techniques sfrd_pars = {'pop_sfr_model': 'sfrd-func'} sfrd_pars['pop_sfrd'] = pop_fcoll.SFRD sfrd_pars['pop_sfrd_units'] = 'internal' sed = PB('sed:toy') sed['pop_Nion'] = pop_fcoll.src.Nion sed['pop_Nlw'] = pop_fcoll.src.Nlw # pop_Ex? sed['pop_ion_src_igm'] = False sed['pop_heat_src_igm'] = False pars_2 = sed + sfrd_pars pop_sfrd = ares.populations.GalaxyPopulation(**pars_2) assert pop_fcoll.SFRD(20.) == pop_sfrd.SFRD(20.), "Error in SFRD." # Check the emissivities too #print(pop_fcoll.PhotonLuminosityDensity(20., Emin=10.2, Emax=13.6)) #print(pop_sfrd.PhotonLuminosityDensity(20., Emin=10.2, Emax=13.6)) #assert pop_fcoll.PhotonLuminosityDensity(20., Emin=10.2, Emax=13.6) \ # == pop_sfrd.PhotonLuminosityDensity(20., Emin=10.2, Emax=13.6), \ # "Error in photon luminosity density." if __name__ == '__main__': test()
25.589286
75
0.669923
0
0
0
0
0
0
0
0
812
0.566643
139f98ba0220830de5e89cabcde17bead64e5fb5
625
py
Python
setup.py
ooreilly/mydocstring
077cebfb86575914d343bd3291b9e6c5e8beef94
[ "MIT" ]
13
2018-12-11T00:34:09.000Z
2022-03-22T20:41:04.000Z
setup.py
ooreilly/mydocstring
077cebfb86575914d343bd3291b9e6c5e8beef94
[ "MIT" ]
13
2018-06-15T19:42:06.000Z
2020-12-18T22:20:02.000Z
setup.py
ooreilly/mydocstring
077cebfb86575914d343bd3291b9e6c5e8beef94
[ "MIT" ]
5
2018-06-16T07:45:49.000Z
2020-12-12T07:12:00.000Z
from setuptools import setup setup(name='mydocstring', version='0.2.7', description="""A tool for extracting and converting Google-style docstrings to plain-text, markdown, and JSON.""", url='http://github.com/ooreilly/mydocstring', author="Ossian O'Reilly", license='MIT', packages=['mydocstring'], install_requires=['mako', 'docopt'], entry_points = { 'console_scripts': [ 'mydocstring=mydocstring.docstring:main', ],}, package_data={'mydocstring': ['templates/google_docstring.md']}, zip_safe=False)
32.894737
84
0.6048
0
0
0
0
0
0
0
0
317
0.5072
13a4eaea9e2402891521cc56201ae27b7976fb0d
4,794
py
Python
src/ezdxf/math/bulge.py
dmtvanzanten/ezdxf
6fe9d0aa961e011c87768aa6511256de21a662dd
[ "MIT" ]
null
null
null
src/ezdxf/math/bulge.py
dmtvanzanten/ezdxf
6fe9d0aa961e011c87768aa6511256de21a662dd
[ "MIT" ]
null
null
null
src/ezdxf/math/bulge.py
dmtvanzanten/ezdxf
6fe9d0aa961e011c87768aa6511256de21a662dd
[ "MIT" ]
null
null
null
# Copyright (c) 2018-2021 Manfred Moitzi # License: MIT License # source: http://www.lee-mac.com/bulgeconversion.html # source: http://www.afralisp.net/archive/lisp/Bulges1.htm from typing import Any, TYPE_CHECKING, Tuple import math from ezdxf.math import Vec2 if TYPE_CHECKING: from ezdxf.eztypes import Vertex __all__ = [ "bulge_to_arc", "bulge_3_points", "bulge_center", "bulge_radius", "arc_to_bulge" ] def polar(p: Any, angle: float, distance: float) -> Vec2: """ Returns the point at a specified `angle` and `distance` from point `p`. Args: p: point as :class:`Vec2` compatible object angle: angle in radians distance: distance """ return Vec2(p) + Vec2.from_angle(angle, distance) def angle(p1: Any, p2: Any) -> float: """ Returns angle a line defined by two endpoints and x-axis in radians. Args: p1: start point as :class:`Vec2` compatible object p2: end point as :class:`Vec2` compatible object """ return (Vec2(p2) - Vec2(p1)).angle def arc_to_bulge(center: 'Vertex', start_angle: float, end_angle: float, radius: float) -> Tuple['Vec2', 'Vec2', float]: """ Returns bulge parameters from arc parameters. Args: center: circle center point as :class:`Vec2` compatible object start_angle: start angle in radians end_angle: end angle in radians radius: circle radius Returns: tuple: (start_point, end_point, bulge) """ start_point = polar(center, start_angle, radius) end_point = polar(center, end_angle, radius) pi2 = math.pi * 2 a = math.fmod((pi2 + (end_angle - start_angle)), pi2) / 4. bulge = math.sin(a) / math.cos(a) return start_point, end_point, bulge def bulge_3_points(start_point: 'Vertex', end_point: 'Vertex', point: 'Vertex') -> float: """ Returns bulge value defined by three points. Based on 3-Points to Bulge by `Lee Mac`_. Args: start_point: start point as :class:`Vec2` compatible object end_point: end point as :class:`Vec2` compatible object point: arbitrary point as :class:`Vec2` compatible object """ a = (math.pi - angle(point, start_point) + angle(point, end_point)) / 2 return math.sin(a) / math.cos(a) def bulge_to_arc(start_point: 'Vertex', end_point: 'Vertex', bulge: float) -> Tuple['Vec2', float, float, float]: """ Returns arc parameters from bulge parameters. The arcs defined by bulge values of :class:`~ezdxf.entities.LWPolyline` and 2D :class:`~ezdxf.entities.Polyline` entities start at the vertex which includes the bulge value and ends at the following vertex. Based on Bulge to Arc by `Lee Mac`_. Args: start_point: start vertex as :class:`Vec2` compatible object end_point: end vertex as :class:`Vec2` compatible object bulge: bulge value Returns: Tuple: (center, start_angle, end_angle, radius) """ r = signed_bulge_radius(start_point, end_point, bulge) a = angle(start_point, end_point) + (math.pi / 2 - math.atan(bulge) * 2) c = polar(start_point, a, r) if bulge < 0: return c, angle(c, end_point), angle(c, start_point), abs(r) else: return c, angle(c, start_point), angle(c, end_point), abs(r) def bulge_center(start_point: 'Vertex', end_point: 'Vertex', bulge: float) -> 'Vec2': """ Returns center of arc described by the given bulge parameters. Based on Bulge Center by `Lee Mac`_. Args: start_point: start point as :class:`Vec2` compatible object end_point: end point as :class:`Vec2` compatible object bulge: bulge value as float """ start_point = Vec2(start_point) a = angle(start_point, end_point) + (math.pi / 2. - math.atan(bulge) * 2.) return start_point + Vec2.from_angle(a, signed_bulge_radius(start_point, end_point, bulge)) def signed_bulge_radius(start_point: 'Vertex', end_point: 'Vertex', bulge: float) -> float: return Vec2(start_point).distance(Vec2(end_point)) * ( 1. + (bulge * bulge)) / 4. / bulge def bulge_radius(start_point: 'Vertex', end_point: 'Vertex', bulge: float) -> float: """ Returns radius of arc defined by the given bulge parameters. Based on Bulge Radius by `Lee Mac`_ Args: start_point: start point as :class:`Vec2` compatible object end_point: end point as :class:`Vec2` compatible object bulge: bulge value """ return abs(signed_bulge_radius(start_point, end_point, bulge))
32.391892
79
0.629954
0
0
0
0
0
0
0
0
2,555
0.532958
13a51bb2dfcddb562cef50eb73654bc85d1b9f01
666
py
Python
Plugins/Aspose.Email Java for Python/tests/ProgrammingEmail/ManageAttachments/ManageAttachments.py
aspose-email/Aspose.Email-for-Java
cf4567e54f7979e7296c99bcae2c6477385d7735
[ "MIT" ]
24
2016-07-29T03:57:35.000Z
2022-01-18T23:42:08.000Z
Plugins/Aspose.Email Java for Python/tests/ProgrammingEmail/ManageAttachments/ManageAttachments.py
asposeemail/Aspose_Email_Java
cf4567e54f7979e7296c99bcae2c6477385d7735
[ "MIT" ]
6
2017-07-24T13:08:43.000Z
2022-01-01T21:51:25.000Z
Plugins/Aspose.Email Java for Python/tests/ProgrammingEmail/ManageAttachments/ManageAttachments.py
aspose-email/Aspose.Email-for-Java
cf4567e54f7979e7296c99bcae2c6477385d7735
[ "MIT" ]
25
2016-04-09T07:24:12.000Z
2021-12-19T13:54:21.000Z
# To change this license header, choose License Headers in Project Properties. # To change this template file, choose Tools | Templates # and open the template in the editor. #if __name__ == "__main__": # print "Hello World" from ProgrammingEmail import ManageAttachments import jpype import os.path asposeapispath = os.path.join(os.path.abspath("./../../../"), "lib/") dataDir = os.path.join(os.path.abspath("./"), "data/") print "You need to put your Aspose.Email for Java APIs .jars in this folder:\n"+asposeapispath #print dataDir jpype.startJVM(jpype.getDefaultJVMPath(), "-Djava.ext.dirs=%s" % asposeapispath) hw = ManageAttachments(dataDir) hw.main()
31.714286
94
0.735736
0
0
0
0
0
0
0
0
360
0.540541
13b73188b11fd452c2465eac91ddbc3efbb01c8c
13,767
py
Python
scripts/common_lib/build_lib.py
Bhaskers-Blu-Org1/wc-devops-utilities
d8131261cb3d67ce872b541c5e2d8ff22fcbf614
[ "Apache-2.0" ]
15
2018-06-26T19:48:08.000Z
2021-01-18T13:29:16.000Z
scripts/common_lib/build_lib.py
Bhaskers-Blu-Org1/wc-devops-utilities
d8131261cb3d67ce872b541c5e2d8ff22fcbf614
[ "Apache-2.0" ]
16
2018-05-29T08:12:38.000Z
2022-02-15T15:25:14.000Z
scripts/common_lib/build_lib.py
IBM/wc-devops-utilities
d8131261cb3d67ce872b541c5e2d8ff22fcbf614
[ "Apache-2.0" ]
21
2018-05-29T11:54:05.000Z
2021-12-20T06:42:54.000Z
#!/usr/bin/env python3.6 import os import subprocess import json import argparse import zipfile import shutil import requests import datetime import re import operator import unicodedata # global list of error messages to keep track of all error msgs errorMessages = [] """ Collection of Common Functions used by Build Scripts A collection of common functions shared by each individual build scripts. """ def get(url, usr, pwd): """ HTTP/HTTPS GET requests using external Python module requests @param url the url of the REST call @param usr the functional username for the docker registry @param pwd the password for the docker registry functional user @return a JSON response """ headers = { 'Accept': 'application/vnd.docker.distribution.manifest.v1+json', } # TEMP: Remove the suppressed verification once the docker cert location # is figured out and we specify it in REQUESTS_CA_BUNDLE return requests.get(url, auth=(usr, pwd), headers=headers, verify=False) def get_latest_tag(registry_path, usr, pwd): """ Retrieve the latest version of an image based on its tags: vX-YYYYMMDD-HHmm. The latest, by definition, is defined to be the one with the highest version number (vX) and the latest timestamp (YYYYMMDD-HHmm). @param registry_path docker registry path @param usr the functional username for the docker registry @param pwd the password for the docker registry functional user @return the latest image tag """ tag_list_url = registry_path + '/tags/list' request = get(tag_list_url, usr, pwd) tag_list = json.loads(request.text) for tag in tag_list['tags']: if '-' not in tag: continue str_version, str_dash, str_timestamp = tag.partition('-') tag_format="%Y%m%d-%H%M" try: dt_timestamp = datetime.datetime.strptime(str_timestamp, tag_format) except ValueError: continue try: latest_version latest_timestamp latest_tag except NameError: latest_version = str_version latest_timestamp = dt_timestamp latest_tag = tag else: if latest_version > str_version: continue elif latest_version < str_version: latest_version = str_version latest_timestamp = dt_timestamp latest_tag = tag else: if latest_timestamp < dt_timestamp: latest_timestamp = dt_timestamp latest_tag = tag return latest_tag def unzip(zip_file, to_dir): """ Generic unzip function for extracting zip files @param zip_file the zip file to be extracted @param to_dir the destination directory to extract the zip file to """ with zipfile.ZipFile(zip_file, "r") as zip_ref: zip_ref.extractall(to_dir) zip_ref.close() def create_dockerfile(dockerfile_parent_dir, docker_url, image_namespace, image_name, image_tag_latest): """ Creates a dockerfile using the correct docker registry URL associated with the datacenter this script is being run on :param str dockerfile_parent_dir: path to the parent directory for the Dockerfile :param str docker_url: the docker registry VIP accessible from the mesos slaves :param str image_namespace: the name of the image :param str image_name: the name of the image :param str image_tag_latest: the latest version tag of the base image :returns: None """ # Form the path for the Dockerfile based on the parent of the caller script dockerfile_path = os.path.join(dockerfile_parent_dir, "Dockerfile") # Create the Dockerfile dockerfile = open(dockerfile_path, "w+") # Format the FROM command dockerfile_from_cmd = "FROM " + docker_url + image_namespace + "/" + image_name + ":" + image_tag_latest # Write the FROM command string to the Dockerfile dockerfile.write(dockerfile_from_cmd) # Close the open file instance dockerfile.close() def set_docker_client_timeout(): """ Sets the DOCKER_CLIENT_TIMEOUT environment variable to 300 """ os.environ['DOCKER_CLIENT_TIMEOUT'] = '300' print("The timeout set for docker client: " + os.environ['DOCKER_CLIENT_TIMEOUT'] + " seconds") # ======================= verify bundle Structure =============================================== def openJSONfile(jsonFile): """ Function to open a JSON file @param jsonFile path to the JSON file @return the loaded JSON file """ try: with open(jsonFile) as json_data_file: data = json.load(json_data_file) except: addToErrorMessages("The specified JSON file is not valid: " + jsonFile) raise return data def directoryToJSON(directory): """ Function to convert objects in a given directory into JSON form. The parent object is always a dict, it may contain children if type=directory. A directory is composed of a list and may contain files and/or directories. @param directory directory to convert @return JSON representation of a directory """ d = {'name': os.path.basename(directory)} # the parent object is dict if os.path.isdir(directory): d['type'] = "directory" # directory may have children # the children in a directory is a list composed of more files/directories d['children'] = [directoryToJSON(os.path.join(directory,x)) for x in os.listdir(directory)] else: d['type'] = "file" return d def verifyBundleStructure(expected, actual, currentPath): """ Function to verify if an uploaded bundle follows IBM defined structure @param expected the JSON representation of the IBM defined structure @param actual the JSON representation of the actual structure of the uploaded bundle @param currentPath the path currently being checked (used to build paths recursively for error msg) @return True if structure of the uploaded bundle follows IBM defined structure. False otherwise. """ isMatched = True if type(expected) is dict: if matches(expected,actual): # a matching file or directory was found if expected['type'] == 'directory': currentPath = currentPath + actual['name'] + "/" if expected['children'] == "_any": isMatched = isMatched & True # if the contents of the directory can be anything then do no further checking else: isMatched = isMatched & verifyBundleStructure(expected['children'], actual['children'], currentPath) # do further checking else: # a matching file or directory was not found if expected['fail-if-not-found'] == "yes": logBundleStructureErrorMessage(expected, currentPath) return False if type(expected) is list: for k in range(0,len(expected)): isMatched = isMatched & verifyActualContainsExpectedElement(actual, expected[k], currentPath, isMatched) return isMatched def logBundleStructureErrorMessage(expected, currentPath): """ Function to adds error messages to the global array. @param expected the expected element @param currentPath the current path we are on that has the missing file or directory """ addToErrorMessages("A "+ expected['type'] +" is missing from the path: \"" + currentPath + "\"") addToErrorMessages(expected['error-message-if-fails']) return def matches(expectedElement, actualElement): """ Function to check if files/directories match. They must have the same name and must both be the same type. @param expectedElement the expected element. May be defined by regular expression @param actualElement the actual element """ ret = False if re.fullmatch(expectedElement['name'], actualElement['name']) is not None and expectedElement['type'] == actualElement['type']: ret = True return ret def verifyActualContainsExpectedElement(actual, expectedElement, currentPath, isMatched): """ Function to verify if an actual list of objects contains an expected element. Helper method to verifyBundleStructure. @param actual list of the actual files and directories in the bundle @param expectedElement the expected element to find in the bundle @param currentPath the path currently being checked (used to build paths recursively for error msg) @param isMatched (only used for recursive calls) @return True if the list of actual objects contain the expected element """ # if actual is a dict then verify it and its children if type(actual) is dict: isMatched = isMatched & verifyBundleStructure(expectedElement,actual, currentPath) # if actual is a list then find out if they match anywhere, if so get the matched position elif type(actual) is list: matchedPosition = -1 for i in range(0, len(actual)): if matches(expectedElement,actual[i]): matchedPosition = i break if matchedPosition != -1: # if they match then verify their children too isMatched = isMatched & verifyBundleStructure(expectedElement, actual[matchedPosition] , currentPath) else : # if they don't match then log the error msg and return false if expectedElement['fail-if-not-found'] == "yes": # log error msg and return false if needed isMatched = False logBundleStructureErrorMessage(expectedElement, currentPath) return isMatched def addToErrorMessages(errorMessage): """ Function to add error messages to the global list of errorMessages @param errorMessage the error message to add """ print(errorMessage) global errorMessges errorMessages.extend([errorMessage]) return def unzipRecursively(zipFileName, directoryToUnzipTo): """ Function to unzip a ZIP file recursively @param zipFileName the zip file to be extracted @param directoryToUnzipTo the destination directory to extract the zip file to """ # update if zipFileName.endswith(".zip"): #check if it's a .zip unzip(zipFileName,directoryToUnzipTo) os.remove(zipFileName) for x in os.listdir(directoryToUnzipTo): subdirectory = os.path.join(directoryToUnzipTo, os.path.splitext(x)[0]) subfile = os.path.join(directoryToUnzipTo, x ) unzipRecursively(subfile, subdirectory) return def zipFileIsGood(filePath): """ Function to test if a ZIP file is good or bad @param filePath the zip file to be tested @return True if the ZIP file is good. False otherwise. """ ret = True try: the_zip_file = zipfile.ZipFile(filePath) badFile = the_zip_file.testzip() if badFile is not None: ret = False else: ret = True except: ret = False return ret def verifyZipFile(zipDirectory, nameOfBundle): """ Function to verify if an uploaded bundle is: 1) a valid zip file 2) follows IBM defined structure @param zipDirectory where the bundle ZIP is located @param nameOfBundle name of the bundle ZIP file """ print ('Validating bundle structure...') bundleIsGood = True bundleZip = os.path.join(zipDirectory, nameOfBundle) if zipFileIsGood(bundleZip): try: # copy bundle into new working directory ----------------------------------------------------------- directoryToUnzipTo = os.path.join(zipDirectory, "temp") if not os.path.exists(directoryToUnzipTo): os.makedirs(directoryToUnzipTo) shutil.copy(bundleZip, os.path.join(directoryToUnzipTo, nameOfBundle)) # unzip the bundle ---------------------------------------------------------------------------------- unzipRecursively(os.path.join(directoryToUnzipTo, nameOfBundle), os.path.join(directoryToUnzipTo, os.path.splitext(nameOfBundle)[0])) # verify structure of bundle ------------------------------------------------------------------------ # check package stucture expectedPackageStructure = openJSONfile(os.path.join(zipDirectory, "bundle-definition.json")) actualBundleStructure = directoryToJSON(directoryToUnzipTo) # convert the unzipped directory to JSON file bundleIsGood = verifyBundleStructure(expectedPackageStructure, actualBundleStructure, "") if not bundleIsGood: addToErrorMessages("The uploaded bundle does not meet predefined structure. Could not proceed with deployment.") # clean up unzipped stuff and package structure Json ------------------------------------------------- shutil.rmtree(directoryToUnzipTo) except: addToErrorMessages("Exception occurred while verifying bundle structure. Could not proceed with deployment.") bundleIsGood = False else: bundleIsGood = False addToErrorMessages("The uploaded bundle could not be unzipped. Could not proceed with deployment.") # out put report value , join all the messages together print ("report=[" + ". ".join(str(x) for x in errorMessages) + "]") return bundleIsGood
36.81016
145
0.648217
0
0
0
0
0
0
0
0
6,866
0.498729
13c18896742aca9b72a3db6ff3b991575fad3170
5,092
py
Python
model_compression_toolkit/keras/quantizer/gradient_ptq/utils.py
eladc-git/model_optimization
46d1c893ca23e61d8ef7597184ad2ba6e2ae6e7a
[ "Apache-2.0" ]
null
null
null
model_compression_toolkit/keras/quantizer/gradient_ptq/utils.py
eladc-git/model_optimization
46d1c893ca23e61d8ef7597184ad2ba6e2ae6e7a
[ "Apache-2.0" ]
null
null
null
model_compression_toolkit/keras/quantizer/gradient_ptq/utils.py
eladc-git/model_optimization
46d1c893ca23e61d8ef7597184ad2ba6e2ae6e7a
[ "Apache-2.0" ]
null
null
null
# Copyright 2021 Sony Semiconductors Israel, Inc. 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. # ============================================================================== import tensorflow as tf from model_compression_toolkit.common.constants import MIN_THRESHOLD, THRESHOLD def ste_ceil(x: tf.Tensor) -> tf.Tensor: """ Return the ceil values of a tensor. """ error = tf.stop_gradient(tf.math.ceil(x) - x) return error + x def ste_round(x: tf.Tensor) -> tf.Tensor: """ Return the rounded values of a tensor. """ error = tf.stop_gradient(tf.math.round(x) - x) return error + x def log2(x: tf.Tensor) -> tf.Tensor: """ Compute log2 of a tensor. """ return tf.math.log(x) / tf.math.log(2.0) def power_of_two_max(max_tensor: tf.Tensor) -> tf.Tensor: """ Compute the power of two threshold for a tensor. """ return tf.math.pow(2.0, ste_ceil(log2(tf.maximum(max_tensor, MIN_THRESHOLD)))) def calculate_delta(max_tensor: tf.Tensor, num_bits: int, signed: bool) -> tf.Tensor: """ Compute the step size for the quantization. """ return max_tensor / (2 ** (num_bits - int(signed))) def adjustable_steps(x: tf.Variable, t: float) -> tf.Tensor: """ A function to gradually quantize a float variable to an integer of values [-1, 0 ,1] Args: x: input float variable t: temperature to control quantization Returns: semi-quantized variable """ return tf.sigmoid(tf.add(x, 1) / t) + tf.sigmoid(tf.add(x, -1) / t) - 1 def ste_clip(x: [tf.Tensor, tf.Variable], max_val=1, min_val=None) -> tf.Tensor: """ clip a variable between fixed values such that min_val<=output<=max_val Args: x: input variable max_val: maximum value for clipping min_val: minimum value for clipping (defaults to -max_val) Returns: clipped variable """ min_val = -max_val if min_val is None else min_val return tf.stop_gradient(tf.math.minimum(tf.math.maximum(x, min_val), max_val) - x) + x def symmetric_quantizer(input_tensor: tf.Tensor, max_tensor: tf.Tensor, num_bits: int, signed: bool, power_of_two: bool) -> tf.Tensor: """ Quantize a tensor symmetrically. Args: input_tensor: Tensor to quantize. max_tensor: Tensor with max values to compute the threshold. num_bits: Num of bits to use. signed: Signedness of the quantization range. power_of_two: Whether the threshold should be constrained or not. Returns: A quantized tensor. """ if power_of_two: max_tensor = power_of_two_max(max_tensor) delta = calculate_delta(max_tensor, num_bits, signed) tensor_q = ste_round(input_tensor / delta) min_int = -int(signed) * (2 ** (num_bits - int(signed))) max_int = (2 ** (num_bits - int(signed))) - 1 return delta * tf.math.minimum(tf.math.maximum(tensor_q, min_int), max_int) def symmetric_constrained_quantizer(input_tensor: tf.Tensor, auxvar_tensor: tf.Variable, max_tensor: tf.Tensor, num_bits: int, signed: bool, power_of_two: bool, max_lsbs_change: int = 1) -> tf.Tensor: """ Quantize a tensor symmetrically with maximum LSBs shift. Args: input_tensor: Tensor to quantize. values of this tensor are not changed during gptq. auxvar_tensor: Tensor that manifests the bit shift the weight due to gptq max_tensor: Tensor with max values to compute the threshold. num_bits: Num of bits to use. signed: Signedness of the quantization range. power_of_two: Whether the threshold should be constrained or not. max_lsbs_change: maximum number of LSBs that the auxvar is allowed to change Returns: A quantized tensor. """ if power_of_two: max_tensor = power_of_two_max(max_tensor) delta = calculate_delta(max_tensor, num_bits, signed) tensor_q = ste_round(tf.stop_gradient(tf.round(input_tensor / delta)) + ste_clip(auxvar_tensor, max_val=max_lsbs_change)) min_int = -int(signed) * (2 ** (num_bits - int(signed))) max_int = (2 ** (num_bits - int(signed))) - 1 return delta * ste_clip(tensor_q, max_val=max_int, min_val=min_int)
34.876712
125
0.626866
0
0
0
0
0
0
0
0
2,460
0.483111
13c55ddf22e3a453950de6b6142214790512cd06
4,269
py
Python
LIM_scripts/func_curry.py
Bhare8972/LOFAR-LIM
89f25be8c02cb8980c2e237da3eaac279d40a06a
[ "MIT" ]
3
2019-04-21T13:13:02.000Z
2020-10-15T12:44:23.000Z
LIM_scripts/func_curry.py
Bhare8972/LOFAR-LIM
89f25be8c02cb8980c2e237da3eaac279d40a06a
[ "MIT" ]
null
null
null
LIM_scripts/func_curry.py
Bhare8972/LOFAR-LIM
89f25be8c02cb8980c2e237da3eaac279d40a06a
[ "MIT" ]
2
2018-11-06T18:34:33.000Z
2019-04-04T14:16:57.000Z
#!/usr/bin/env python3 # Coded by Massimiliano Tomassoli, 2012. # # - Thanks to b49P23TIvg for suggesting that I should use a set operation # instead of repeated membership tests. # - Thanks to Ian Kelly for pointing out that # - "minArgs = None" is better than "minArgs = -1", # - "if args" is better than "if len(args)", and # - I should use "isdisjoint". # def genCur(func, unique = True, minArgs = None): """ Generates a 'curried' version of a function. """ def g(*myArgs, **myKwArgs): def f(*args, **kwArgs): if args or kwArgs: # some more args! # Allocates data to assign to the next 'f'. newArgs = myArgs + args newKwArgs = dict.copy(myKwArgs) # If unique is True, we don't want repeated keyword arguments. if unique and not kwArgs.keys().isdisjoint(newKwArgs): raise ValueError("Repeated kw arg while unique = True") # Adds/updates keyword arguments. newKwArgs.update(kwArgs) # Checks whether it's time to evaluate func. if minArgs is not None and minArgs <= len(newArgs) + len(newKwArgs): return func(*newArgs, **newKwArgs) # time to evaluate func else: return g(*newArgs, **newKwArgs) # returns a new 'f' else: # the evaluation was forced return func(*myArgs, **myKwArgs) return f return g def cur(f, minArgs = None): return genCur(f, True, minArgs) def curr(f, minArgs = None): return genCur(f, False, minArgs) if __name__ == "__main__": # Simple Function. def func(a, b, c, d, e, f, g = 100): print(a, b, c, d, e, f, g) # NOTE: '<====' means "this line prints to the screen". # Example 1. f = cur(func) # f is a "curried" version of func c1 = f(1) c2 = c1(2, d = 4) # Note that c is still unbound c3 = c2(3)(f = 6)(e = 5) # now c = 3 c3() # () forces the evaluation <==== # it prints "1 2 3 4 5 6 100" c4 = c2(30)(f = 60)(e = 50) # now c = 30 c4() # () forces the evaluation <==== # it prints "1 2 30 4 50 60 100" print("\n------\n") # Example 2. f = curr(func) # f is a "curried" version of func # curr = cur with possibly repeated # keyword args c1 = f(1, 2)(3, 4) c2 = c1(e = 5)(f = 6)(e = 10)() # ops... we repeated 'e' because we <==== # changed our mind about it! # again, () forces the evaluation # it prints "1 2 3 4 10 6 100" print("\n------\n") # Example 3. f = cur(func, 6) # forces the evaluation after 6 arguments c1 = f(1, 2, 3) # num args = 3 c2 = c1(4, f = 6) # num args = 5 c3 = c2(5) # num args = 6 ==> evalution <==== # it prints "1 2 3 4 5 6 100" c4 = c2(5, g = -1) # num args = 7 ==> evaluation <==== # we can specify more than 6 arguments, but # 6 are enough to force the evaluation # it prints "1 2 3 4 5 6 -1" print("\n------\n") # Example 4. def printTree(func, level = None): if level is None: printTree(cur(func), 0) elif level == 6: func(g = '')() # or just func('')() else: printTree(func(0), level + 1) printTree(func(1), level + 1) printTree(func) print("\n------\n") def f2(*args): print(", ".join(["%3d"%(x) for x in args])) def stress(f, n): if n: stress(f(n), n - 1) else: f() # enough is enough stress(cur(f2), 100)
38.809091
84
0.444601
0
0
0
0
0
0
0
0
1,741
0.407824
13c7d55115d132308c18e527238726863764f8de
3,883
py
Python
research/gan/image_compression/eval.py
jdavidagudelo/tensorflow-models
6f019beec73b01861363bf717706e27f4210b979
[ "Apache-2.0" ]
1
2021-05-17T01:42:29.000Z
2021-05-17T01:42:29.000Z
research/gan/image_compression/eval.py
jdavidagudelo/tensorflow-models
6f019beec73b01861363bf717706e27f4210b979
[ "Apache-2.0" ]
null
null
null
research/gan/image_compression/eval.py
jdavidagudelo/tensorflow-models
6f019beec73b01861363bf717706e27f4210b979
[ "Apache-2.0" ]
null
null
null
# Copyright 2017 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. # ============================================================================== """Evaluates a TFGAN trained compression model.""" from __future__ import absolute_import from __future__ import division from __future__ import print_function from absl import app import tensorflow as tf from research.gan.image_compression import data_provider from research.gan.image_compression import networks from research.gan.image_compression import summaries FLAGS = tf.app.flags.FLAGS flags = tf.app.flags flags.DEFINE_string('master', '', 'Name of the TensorFlow master to use.') flags.DEFINE_string('checkpoint_dir', '/tmp/compression/', 'Directory where the model was written to.') flags.DEFINE_string('eval_dir', '/tmp/compression/', 'Directory where the results are saved to.') flags.DEFINE_integer('max_number_of_evaluations', None, 'Number of times to run evaluation. If `None`, run ' 'forever.') flags.DEFINE_string('dataset_dir', 'testdata', 'Location of data.') # Compression-specific flags. flags.DEFINE_integer('batch_size', 32, 'The number of images in each batch.') flags.DEFINE_integer('patch_size', 32, 'The size of the patches to train on.') flags.DEFINE_integer('bits_per_patch', 1230, 'The number of bits to produce per patch.') flags.DEFINE_integer('model_depth', 64, 'Number of filters for compression model') def main(_, run_eval_loop=True): with tf.name_scope('inputs'): images = data_provider.provide_data( 'validation', FLAGS.batch_size, dataset_dir=FLAGS.dataset_dir, patch_size=FLAGS.patch_size) # In order for variables to load, use the same variable scope as in the # train job. with tf.variable_scope('generator'): reconstructions, _, prebinary = networks.compression_model( images, num_bits=FLAGS.bits_per_patch, depth=FLAGS.model_depth, is_training=False) summaries.add_reconstruction_summaries(images, reconstructions, prebinary) # Visualize losses. pixel_loss_per_example = tf.reduce_mean( tf.abs(images - reconstructions), axis=[1, 2, 3]) pixel_loss = tf.reduce_mean(pixel_loss_per_example) tf.summary.histogram('pixel_l1_loss_hist', pixel_loss_per_example) tf.summary.scalar('pixel_l1_loss', pixel_loss) # Create ops to write images to disk. uint8_images = data_provider.float_image_to_uint8(images) uint8_reconstructions = data_provider.float_image_to_uint8(reconstructions) uint8_reshaped = summaries.stack_images(uint8_images, uint8_reconstructions) image_write_ops = tf.write_file( '%s/%s' % (FLAGS.eval_dir, 'compression.png'), tf.image.encode_png(uint8_reshaped[0])) # For unit testing, use `run_eval_loop=False`. if not run_eval_loop: return tf.contrib.training.evaluate_repeatedly( FLAGS.checkpoint_dir, master=FLAGS.master, hooks=[tf.contrib.training.SummaryAtEndHook(FLAGS.eval_dir), tf.contrib.training.StopAfterNEvalsHook(1)], eval_ops=image_write_ops, max_number_of_evaluations=FLAGS.max_number_of_evaluations) if __name__ == '__main__': app.run(_)
38.83
80
0.702807
0
0
0
0
0
0
0
0
1,580
0.406902
13c974d988a5a072e9adfbe93d6a9ef5022a8ab3
1,712
py
Python
source/dump_query_results.py
CheyenneNS/metrics
cfeeac6d01d99679897a998b193d630ada169c61
[ "MIT" ]
null
null
null
source/dump_query_results.py
CheyenneNS/metrics
cfeeac6d01d99679897a998b193d630ada169c61
[ "MIT" ]
null
null
null
source/dump_query_results.py
CheyenneNS/metrics
cfeeac6d01d99679897a998b193d630ada169c61
[ "MIT" ]
null
null
null
#!/usr/local/bin/python import os import mysql.connector as mysql metrics_mysql_password = os.environ['METRICS_MYSQL_PWD'] sql_host = os.environ['SQL_HOST'] metrics = os.environ['QUERY_ON'] def dump_query_results(): """ This is a simple SQL table dump of a given query so we can supply users with custom tables. Note that the SQL query itself and column headers portion need to be changed if you want to change the query/results. Otherwise it is good to go. It can be called simply with the bin shell script. Read the README at the top level for an example. """ #connect to mysql db_connection = mysql.connect( host = sql_host,#"mysql1", #"localhost", user = "metrics", #"root", passwd = metrics_mysql_password, database = "metrics" #"datacamp" ) cursor = db_connection.cursor() query = "use "+metrics cursor.execute(query) #CHANGE QUERY HERE query = "select username, display_name, email, orcid, kb_internal_user, institution, country, signup_date, last_signin_date from user_info order by signup_date" #CHANGE COLUMN HEADERS HERE TO MATCH QUERY HEADERS print("username\tdisplay_name\temail\torcid\tkb_internal_user\tinstitution\tcountry\tsignup_date\tlast_signin_date") cursor.execute(query) row_values = list() for (row_values) in cursor: temp_string = "" for i in range(len(row_values) - 1): if row_values[i] is not None: temp_string += str(row_values[i]) temp_string += "\t" if row_values[-1] is not None: temp_string += str(row_values[-1]) print(temp_string) return 1 dump_query_results()
33.568627
164
0.675234
0
0
0
0
0
0
0
0
854
0.498832
13cd2ed4d981d4b892a318dfe3960eb2c118e4ce
3,147
py
Python
test_dataset_model.py
ferrine/PerceptualSimilarity
2ff66e86b12dbfbc337991def71b09e3b86d4b12
[ "BSD-2-Clause" ]
null
null
null
test_dataset_model.py
ferrine/PerceptualSimilarity
2ff66e86b12dbfbc337991def71b09e3b86d4b12
[ "BSD-2-Clause" ]
null
null
null
test_dataset_model.py
ferrine/PerceptualSimilarity
2ff66e86b12dbfbc337991def71b09e3b86d4b12
[ "BSD-2-Clause" ]
null
null
null
import numpy as np from models import dist_model as dm from data import data_loader as dl import argparse from IPython import embed parser = argparse.ArgumentParser() parser.add_argument("--dataset_mode", type=str, default="2afc", help="[2afc,jnd]") parser.add_argument( "--datasets", type=str, nargs="+", default=[ "val/traditional", "val/cnn", "val/superres", "val/deblur", "val/color", "val/frameinterp", ], help="datasets to test - for jnd mode: [val/traditional],[val/cnn]; for 2afc mode: [train/traditional],[train/cnn],[train/mix],[val/traditional],[val/cnn],[val/color],[val/deblur],[val/frameinterp],[val/superres]", ) parser.add_argument( "--model", type=str, default="net-lin", help="distance model type [net-lin] for linearly calibrated net, [net] for off-the-shelf network, [l2] for euclidean distance, [ssim] for Structured Similarity Image Metric", ) parser.add_argument( "--net", type=str, default="alex", help="[squeeze], [alex], or [vgg] for network architectures", ) parser.add_argument( "--colorspace", type=str, default="Lab", help="[Lab] or [RGB] for colorspace to use for l2, ssim model types", ) parser.add_argument( "--batch_size", type=int, default=50, help="batch size to test image patches in" ) parser.add_argument("--use_gpu", action="store_true", help="turn on flag to use GPU") parser.add_argument( "--model_path", type=str, default=None, help="location of model, will default to ./weights/v[version]/[net_name].pth", ) parser.add_argument( "--from_scratch", action="store_true", help="model was initialized from scratch" ) parser.add_argument( "--train_trunk", action="store_true", help="model trunk was trained/tuned" ) parser.add_argument( "--version", type=str, default="0.1", help="v0.1 is latest, v0.0 was original release", ) opt = parser.parse_args() if opt.model in ["l2", "ssim"]: opt.batch_size = 1 # initialize model model = dm.DistModel() # model.initialize(model=opt.model,net=opt.net,colorspace=opt.colorspace,model_path=opt.model_path,use_gpu=opt.use_gpu) model.initialize( model=opt.model, net=opt.net, colorspace=opt.colorspace, model_path=opt.model_path, use_gpu=opt.use_gpu, pnet_rand=opt.from_scratch, pnet_tune=opt.train_trunk, version=opt.version, ) if opt.model in ["net-lin", "net"]: print("Testing model [%s]-[%s]" % (opt.model, opt.net)) elif opt.model in ["l2", "ssim"]: print("Testing model [%s]-[%s]" % (opt.model, opt.colorspace)) # embed() # initialize data loader for dataset in opt.datasets: data_loader = dl.CreateDataLoader( dataset, dataset_mode=opt.dataset_mode, batch_size=opt.batch_size ) # evaluate model on data if opt.dataset_mode == "2afc": (score, results_verbose) = dm.score_2afc_dataset(data_loader, model.forward) elif opt.dataset_mode == "jnd": (score, results_verbose) = dm.score_jnd_dataset(data_loader, model.forward) # print results print(" Dataset [%s]: %.2f" % (dataset, 100.0 * score))
30.553398
218
0.67048
0
0
0
0
0
0
0
0
1,365
0.433746
13cea3eb1b8257abf1a1958d34086a311a9082d4
6,241
py
Python
fusion_net/bilinear_sampler.py
ClovisChen/LearningCNN
cd9102a3d71f602024558d818039f5b759c92fa5
[ "Apache-2.0" ]
null
null
null
fusion_net/bilinear_sampler.py
ClovisChen/LearningCNN
cd9102a3d71f602024558d818039f5b759c92fa5
[ "Apache-2.0" ]
null
null
null
fusion_net/bilinear_sampler.py
ClovisChen/LearningCNN
cd9102a3d71f602024558d818039f5b759c92fa5
[ "Apache-2.0" ]
null
null
null
#!/usr/bin/env python # -*- coding: utf-8 -*-are not covered by the UCLB ACP-A Licence, from __future__ import absolute_import, division, print_function import tensorflow as tf def bilinear_sampler_1d_h(input_images, x_offset, wrap_mode='border', name='bilinear_sampler', **kwargs): ''' 一维双线性采样: x_offset--输入X上偏移量的图 重复函数 : 先将一维的x后面扩展一个维度, 然后在扩展的维度上复制相应的值, 随后将其转成一维的值, exsamples:[1,2,3] --> [1,1,2,2,3,3] ''' def _repeat(x, n_repeats): with tf.variable_scope('_repeat'): rep = tf.tile(tf.expand_dims(x, 1), [1, n_repeats]) return tf.reshape(rep, [-1]) def _interpolate(im, x, y): #插值函数 with tf.variable_scope('_interpolate'): # handle both texture border types _edge_size = 0 # 如果包围方式是border, 那么边界长度是1, 在h和w维两侧加一排0 if _wrap_mode == 'border': _edge_size = 1 im = tf.pad(im, [[0, 0], [1, 1], [1, 1], [0, 0]], mode='CONSTANT') x = x + _edge_size y = y + _edge_size elif _wrap_mode == 'edge': _edge_size = 0 else: return None # 修剪偏移量x, 让它在0到width-1+2*edge_size之间(因为偏移量不能太大,要小于等于padding之后). x = tf.clip_by_value(x, 0.0, _width_f - 1 + 2 * _edge_size) # 向下取整x,y然后x加1向上取整x x0_f = tf.floor(x) y0_f = tf.floor(y) x1_f = x0_f + 1 # 将向下取整的x y变成整数, 向上取整的x不能大于padding之后的宽度减1 # cast: 类型转换 x0 = tf.cast(x0_f, tf.int32) y0 = tf.cast(y0_f, tf.int32) x1 = tf.cast(tf.minimum(x1_f, _width_f - 1 + 2 * _edge_size), tf.int32) # 第二维也就是宽度维的宽是padding之后的宽 dim2 = (_width + 2 * _edge_size) # 第一维也就是图像维的宽是padding之后的分辨率 dim1 = (_width + 2 * _edge_size) * (_height + 2 * _edge_size) # 计算偏移量索引的基,先得到[0,1,2,...,batch],再将它乘宽度,变成 # [0,dim1,2*dim1,...,batch*dim1],然后重复原图分辨率,变成 # [0,0,......,0,dim1,dim1,......,dim1,2*dim1,2*dim1,......,2*dim1 . . batch * dim, batch * dim, ......, batch * dim] # 这样就变成基底了,表达的是有batch个图的基 base = _repeat(tf.range(_num_batch) * dim1, _height * _width) # 将y的偏移乘以dim2,也就是乘以宽度,这样就得到加上y之后的基 # y0是[0,0,...,0,1,1,....,1, . . h + 2 * e, h + 2 * e, ..., h + 2 * e] # 乘了dim2之后变成 # [0, 0, ..., 0, w+2*e, w+2*e, ..., w+2*e, . . (h + 2 * e) * (w + 2 * e), ..., (h + 2 * e) * (w + 2 * e)] # 加上base之后得到了考虑了batch,height之后的索引 base_y0 = base + y0 * dim2 # 这个索引加上向上下取整的x索引和向上取整的x索引就得到了现在点的左侧点和右侧点 idx_l = base_y0 + x0 idx_r = base_y0 + x1 # 将图变成[batch*w*h,channel]的形状 im_flat = tf.reshape(im, tf.stack([-1, _num_channels])) # 利用tf.gather根据左右侧点的索引重新排列图,得到重排之后的左右像素 pix_l = tf.gather(im_flat, idx_l) pix_r = tf.gather(im_flat, idx_r) # 计算双线性差值的系数x1-1和x-x0 weight_l = tf.expand_dims(x1_f - x, 1) weight_r = tf.expand_dims(x - x0_f, 1) # 利用双线性差值方法计算像素值 return weight_l * pix_l + weight_r * pix_r # get_disp函数生成视差图后,调用插值函数获得更好的图. def _transform(input_images, x_offset): ''' 转换函数首先调用meshgrid生成关于X轴和Y轴的索引 exsamples: 假设_width=3,经过linspace(0.0,_width_f-1.0,_width)是[ 0., 1., 2.]。height同理 >>> x = tf.linspace(0.0, 2.0, 3) >>> sess.run(x) array([0., 1., 2. ], dtype = float32) >>> x = tf.linspace(0.0, 2.0, 3) >>> y = tf.linspace(0.0, 4.0, 5) >>> x_t, y_t = tf.meshgrid(x, y) >>> sess.run(x_t) array([0., 1., 2.], [0., 1., 2.], [0., 1., 2.], [0., 1., 2.], [0., 1., 2.]], dtype=float32) >>> sess.run(y_t) array([0., 0., 0.], [1., 1., 1.], [2., 2., 2.], [3., 3., 3.], [4., 4., 4.]], dtype=float32) >>> x_t_flat = tf.reshape(x_t, (1, -1)) >>> y_t_flat = tf.reshape(y_t, (1, -1)) >>> sess.run(x_t_flat) array([[0., 1., 2., 0., 1., 2., 0., 1., 2., 0., 1., 2., 0., 1., 2.]], dtype=float32) >>> sess.run(y_t_flat) array([[0., 0., 0., 1., 1., 1., 2., 2., 2., 3., 3., 3., 4., 4., 4.]], dtype=float32) >>> x_t_flat = tf.tile(x_t_flat, tf.stack([2,1])) >>> sess.run(x_t_flat) arraay([[0., 1., 2., 0., 1., 2., 0., 1., 2., 0., 1., 2., 0., 1., 2.], [0., 1., 2., 0., 1., 2., 0., 1., 2., 0., 1., 2., 0., 1., 2.]], dtype=float32) >>> x_t_flat = tf.reshape(x_t_flat, (1, -1)) >>> sess.run(x_t_flat) array([[0., 1., 2., 0., 1., 2., 0., 1., 2., 0., 1., 2., 0., 1., 2., 0., 1., 2., 0., 1., 2., 0., 1., 2., 0., 1., 2., 0., 1., 2.]], dtype=float32) ''' with tf.variable_scope('transform'): # grid of (x_t, y_t, 1), eq (1) in ref [1] x_t, y_t = tf.meshgrid(tf.linspace(0.0, _width_f - 1.0, _width), tf.linspace(0.0 , _height_f - 1.0 , _height)) x_t_flat = tf.reshape(x_t, (1, -1)) y_t_flat = tf.reshape(y_t, (1, -1)) x_t_flat = tf.tile(x_t_flat, tf.stack([_num_batch, 1])) y_t_flat = tf.tile(y_t_flat, tf.stack([_num_batch, 1])) x_t_flat = tf.reshape(x_t_flat, [-1]) y_t_flat = tf.reshape(y_t_flat, [-1]) x_t_flat = x_t_flat + tf.reshape(x_offset, [-1]) * _width_f input_transformed = _interpolate(input_images, x_t_flat, y_t_flat) output = tf.reshape( input_transformed, tf.stack([_num_batch, _height, _width, _num_channels])) return output with tf.variable_scope(name): ''' [num_batch, height, width, num_channels] ''' _num_batch = tf.shape(input_images)[0] _height = tf.shape(input_images)[1] _width = tf.shape(input_images)[2] _num_channels = tf.shape(input_images)[3] _height_f = tf.cast(_height, tf.float32) _width_f = tf.cast(_width, tf.float32) _wrap_mode = wrap_mode output = _transform(input_images, x_offset) return output
41.331126
155
0.497196
0
0
0
0
0
0
0
0
3,733
0.527037
13e4eede3d6e6a6be8776d50a9b969b677e1d046
5,115
py
Python
packnet_sfm/models/model_utils.py
pection/packnet-sfm
d5673567b649e6bfda292c894cacdeb06aa80913
[ "MIT" ]
1
2022-02-22T06:19:02.000Z
2022-02-22T06:19:02.000Z
packnet_sfm/models/model_utils.py
pection/packnet-sfm
d5673567b649e6bfda292c894cacdeb06aa80913
[ "MIT" ]
null
null
null
packnet_sfm/models/model_utils.py
pection/packnet-sfm
d5673567b649e6bfda292c894cacdeb06aa80913
[ "MIT" ]
null
null
null
# Copyright 2020 Toyota Research Institute. All rights reserved. from packnet_sfm.utils.image import flip_lr, interpolate_scales from packnet_sfm.utils.misc import filter_dict from packnet_sfm.utils.types import is_tensor, is_list, is_numpy def flip(tensor, flip_fn): """ Flip tensors or list of tensors based on a function Parameters ---------- tensor : torch.Tensor or list[torch.Tensor] or list[list[torch.Tensor]] Tensor to be flipped flip_fn : Function Flip function Returns ------- tensor : torch.Tensor or list[torch.Tensor] or list[list[torch.Tensor]] Flipped tensor or list of tensors """ if not is_list(tensor): return flip_fn(tensor) else: if not is_list(tensor[0]): return [flip_fn(val) for val in tensor] else: return [[flip_fn(v) for v in val] for val in tensor] def merge_outputs(*outputs): """ Merges model outputs for logging Parameters ---------- outputs : tuple of dict Outputs to be merged Returns ------- output : dict Dictionary with a "metrics" key containing a dictionary with various metrics and all other keys that are not "loss" (it is handled differently). """ ignore = ['loss'] # Keys to ignore combine = ['metrics'] # Keys to combine merge = {key: {} for key in combine} for output in outputs: # Iterate over all keys for key, val in output.items(): # Combine these keys if key in combine: for sub_key, sub_val in output[key].items(): assert sub_key not in merge[key].keys(), \ 'Combining duplicated key {} to {}'.format(sub_key, key) merge[key][sub_key] = sub_val # Ignore these keys elif key not in ignore: assert key not in merge.keys(), \ 'Adding duplicated key {}'.format(key) merge[key] = val return merge def stack_batch(batch): """ Stack multi-camera batches (B,N,C,H,W becomes BN,C,H,W) Parameters ---------- batch : dict Batch Returns ------- batch : dict Stacked batch """ # If there is multi-camera information if len(batch['rgb'].shape) == 5: assert batch['rgb'].shape[0] == 1, 'Only batch size 1 is supported for multi-cameras' # Loop over all keys for key in batch.keys(): # If list, stack every item if is_list(batch[key]): if is_tensor(batch[key][0]) or is_numpy(batch[key][0]): batch[key] = [sample[0] for sample in batch[key]] # Else, stack single item else: batch[key] = batch[key][0] return batch def flip_batch_input(batch): """ Flip batch input information (copies data first) Parameters ---------- batch : dict Batch information Returns ------- batch : dict Flipped batch """ # Flip tensors for key in filter_dict(batch, [ 'rgb', 'rgb_context', 'input_depth', 'input_depth_context', ]): batch[key] = flip(batch[key], flip_lr) # Flip intrinsics for key in filter_dict(batch, [ 'intrinsics' ]): batch[key] = batch[key].clone() batch[key][:, 0, 2] = batch['rgb'].shape[3] - batch[key][:, 0, 2] # Return flipped batch return batch def flip_output(output): """ Flip output information Parameters ---------- output : dict Dictionary of model outputs (e.g. with keys like 'inv_depths' and 'uncertainty') Returns ------- output : dict Flipped output """ # Flip tensors for key in filter_dict(output, [ 'uncertainty', 'logits_semantic', 'ord_probability', 'inv_depths', 'inv_depths_context', 'inv_depths1', 'inv_depths2', 'pred_depth', 'pred_depth_context', 'pred_depth1', 'pred_depth2', 'pred_inv_depth', 'pred_inv_depth_context', 'pred_inv_depth1', 'pred_inv_depth2', ]): output[key] = flip(output[key], flip_lr) return output def upsample_output(output, mode='nearest', align_corners=None): """ Upsample multi-scale outputs to full resolution. Parameters ---------- output : dict Dictionary of model outputs (e.g. with keys like 'inv_depths' and 'uncertainty') mode : str Which interpolation mode is used align_corners: bool or None Whether corners will be aligned during interpolation Returns ------- output : dict Upsampled output """ for key in filter_dict(output, [ 'inv_depths', 'uncertainty' ]): output[key] = interpolate_scales( output[key], mode=mode, align_corners=align_corners) for key in filter_dict(output, [ 'inv_depths_context' ]): output[key] = [interpolate_scales( val, mode=mode, align_corners=align_corners) for val in output[key]] return output
28.259669
93
0.585728
0
0
0
0
0
0
0
0
2,625
0.513196
13ef6d428251649b315fbe8757c2d7336d7471a8
367
py
Python
compiler-rt/test/asan/TestCases/Windows/lit.local.cfg.py
medismailben/llvm-project
e334a839032fe500c3bba22bf976ab7af13ce1c1
[ "Apache-2.0" ]
2,338
2018-06-19T17:34:51.000Z
2022-03-31T11:00:37.000Z
compiler-rt/test/asan/TestCases/Windows/lit.local.cfg.py
medismailben/llvm-project
e334a839032fe500c3bba22bf976ab7af13ce1c1
[ "Apache-2.0" ]
3,740
2019-01-23T15:36:48.000Z
2022-03-31T22:01:13.000Z
compiler-rt/test/asan/TestCases/Windows/lit.local.cfg.py
medismailben/llvm-project
e334a839032fe500c3bba22bf976ab7af13ce1c1
[ "Apache-2.0" ]
500
2019-01-23T07:49:22.000Z
2022-03-30T02:59:37.000Z
def getRoot(config): if not config.parent: return config return getRoot(config.parent) root = getRoot(config) # We only run a small set of tests on Windows for now. # Override the parent directory's "unsupported" decision until we can handle # all of its tests. if root.host_os in ['Windows']: config.unsupported = False else: config.unsupported = True
24.466667
76
0.73842
0
0
0
0
0
0
0
0
158
0.430518
13f387c5b382d039623c959bbf8db86a94b8f10b
29
py
Python
mezzanine/__init__.py
startupgrind/mezzanine
23d24a07c69bf8f02d60148b0b8da6c76bc5061e
[ "BSD-2-Clause" ]
null
null
null
mezzanine/__init__.py
startupgrind/mezzanine
23d24a07c69bf8f02d60148b0b8da6c76bc5061e
[ "BSD-2-Clause" ]
3
2019-02-18T07:52:41.000Z
2021-03-31T03:51:11.000Z
mezzanine/__init__.py
startupgrind/mezzanine
23d24a07c69bf8f02d60148b0b8da6c76bc5061e
[ "BSD-2-Clause" ]
null
null
null
__version__ = "4.3.1.post1"
9.666667
27
0.655172
0
0
0
0
0
0
0
0
13
0.448276
b9160a13d47cfdacbbfdb45a0590f6674809ddbe
96
py
Python
lib/python/test/__init__.py
woozhijun/cat
3d523202c38e37b1a2244b26d4336ebbea5db001
[ "Apache-2.0" ]
17,318
2015-01-03T03:02:07.000Z
2022-03-31T02:43:28.000Z
lib/python/test/__init__.py
MrCoderYu/cat
674bd9ab70267dd6fc74879e4344af77397f4acd
[ "Apache-2.0" ]
1,162
2015-01-04T08:23:49.000Z
2022-03-31T15:38:04.000Z
lib/python/test/__init__.py
MrCoderYu/cat
674bd9ab70267dd6fc74879e4344af77397f4acd
[ "Apache-2.0" ]
5,520
2015-01-03T03:02:07.000Z
2022-03-31T16:16:56.000Z
#!/usr/bin/env python # encoding: utf-8 import sys reload(sys) sys.setdefaultencoding("utf-8")
13.714286
31
0.729167
0
0
0
0
0
0
0
0
45
0.46875
b918c27f2b168efd69908773e44475244b686dd0
3,379
py
Python
imageproc_OE_IF_quant/2_annotate_extracted_cells.py
hshayya/2022_Shayya_UPR_Guidance
b9a305a147a105c3ac9c0173e06b94f66e4a6102
[ "MIT" ]
null
null
null
imageproc_OE_IF_quant/2_annotate_extracted_cells.py
hshayya/2022_Shayya_UPR_Guidance
b9a305a147a105c3ac9c0173e06b94f66e4a6102
[ "MIT" ]
null
null
null
imageproc_OE_IF_quant/2_annotate_extracted_cells.py
hshayya/2022_Shayya_UPR_Guidance
b9a305a147a105c3ac9c0173e06b94f66e4a6102
[ "MIT" ]
null
null
null
import xml.etree.ElementTree as ET import csv import os import re from ij import IJ from loci.plugins.in import ImporterOptions from loci.plugins import BF from ij.plugin import ImagesToStack from ij import io #Records metadata (x,y location) for cells that were extracted with 1_find_extract_cells.py #metadata will be used in subsequent analysis to cluster cells from similar locations on the section -> semi-quantiative, local, analysis def parse_cellcounter_to_dict(fpath): '''Parse Cell-Counter Xml file to Dictionary Inputs: fpath (str) path to xml file on disk Values: (dict). Keys 'x_cal', 'y_cal' = (float) calibrations in each axis. Keys '1'-'8' = (lists) of tuples containing cell positions in the form (x,y) ''' tree = ET.parse(fpath) cells_dict = {} cells_dict['x_cal'] = float(tree.find('./Image_Properties/X_Calibration').text) cells_dict['y_cal'] = float(tree.find('./Image_Properties/Y_Calibration').text) rt = tree.find('Marker_Data') #re-root the tree for type_ in rt.iter('Marker_Type'): cells = [] for marker_ in type_.iter('Marker'): cells.append((int(marker_[0].text), int(marker_[1].text))) # cells_dict[type_.find('Type').text] = cells return cells_dict #Load Xml Files xml_locs = ['/path/to/xml/files'] #same as used in find_extract_cells xml_files = [os.path.join(base_, f) for base_ in xml_locs for f in os.listdir(base_) if f[-3:] == 'xml' and f[0] != '.'] #Work through each xml file f_out_path = '/path/to/annotation/out.tsv' with open(f_out_path,'w') as fout: fout.write('\t'.join(['cell','x_um','y_um'])) for e,xml_ in enumerate(xml_files): print 'Working on file: ' + os.path.split(xml_)[1] + '...' + str(e+1) + '/' + str(len(xml_files)) #Find the orig .nd2 file, copied from find_extract_cells.py, see that code for more details. orig_f_name = re.search('(?<=CellCounter_).*(?=\\-Downsampled)', os.path.split(xml_)[1]).group() + '.nd2' search_dir = '/'.join(os.path.split(xml_)[0].split('/')[:-1]) files_found = [os.path.join(root, f) for (root, dirs, files) in os.walk(search_dir) for f in files if f == orig_f_name] if len(files_found) == 1: fullres_image = files_found[0] else: print "Could not find fullres image." raise ValueError('Found 0 or >1 matching file') #Generate the original inputs that were passed to extract_cells input_item = (re.search('(?<=_).*',orig_f_name[:-4]).group(), {'fullres':fullres_image, 'counter':parse_cellcounter_to_dict(xml_)}) input_dict = input_item types_of_interest={'7':'tdtom','8':'gfp'} #Copied from the "Extract Cells", recovering positional info and writing to disk instead of extracting cell -> small image. anim, vals = input_dict #Loop through Cells and Annotate. for cell_type, cell_label in types_of_interest.iteritems(): print 'Working on cell_type ' + cell_label for i in range(len(vals['counter'][cell_type])): print 'Iteration ' + str(i+1) + '/' + str(len(vals['counter'][cell_type])) #Convert Px Downsampled -> Px Full Res x_full_px = vals['counter'][cell_type][i][0] * vals['counter']['x_cal'] #in um y_full_px = vals['counter'][cell_type][i][1] * vals['counter']['y_cal'] #in um #Write Information out_title = '_'.join([anim, cell_label, str(i)]) fout.write('\n' + '\t'.join([out_title, str(x_full_px), str(y_full_px)])) #Final tsv of form cell_label,x,y.
40.710843
137
0.693992
0
0
0
0
0
0
0
0
1,494
0.442143
b92a9fd2163ca676afa6df078248d3bd1b2d8259
146
py
Python
tools/scoring/dimensions/__init__.py
ahemphill/digitalbuildings
56a03b0055f9f771c3ed0a962f6bfb2b1d968947
[ "Apache-2.0" ]
null
null
null
tools/scoring/dimensions/__init__.py
ahemphill/digitalbuildings
56a03b0055f9f771c3ed0a962f6bfb2b1d968947
[ "Apache-2.0" ]
null
null
null
tools/scoring/dimensions/__init__.py
ahemphill/digitalbuildings
56a03b0055f9f771c3ed0a962f6bfb2b1d968947
[ "Apache-2.0" ]
null
null
null
""" Enable import """ from os import path import sys sys.path.append( path.abspath(path.join('tools', 'validators', 'instance_validator')))
18.25
73
0.69863
0
0
0
0
0
0
0
0
60
0.410959
b930187de467bdc99d38231d4b217f6589a62613
2,039
py
Python
starteMessung.py
jkerpe/TroubleBubble
813ad797398b9f338f136bcb96c6c92186d92ebf
[ "MIT" ]
null
null
null
starteMessung.py
jkerpe/TroubleBubble
813ad797398b9f338f136bcb96c6c92186d92ebf
[ "MIT" ]
null
null
null
starteMessung.py
jkerpe/TroubleBubble
813ad797398b9f338f136bcb96c6c92186d92ebf
[ "MIT" ]
1
2021-08-09T14:57:57.000Z
2021-08-09T14:57:57.000Z
from datetime import datetime from pypylon import pylon import nimmAuf import smbus2 import os import argparse import bestimmeVolumen from threading import Thread import time programmstart = time.time() # Argumente parsen (bei Aufruf im Terminal z.B. 'starteMessung.py -n 100' eingeben) ap = argparse.ArgumentParser(description="""Skript zum Aufnehmen von Bildern der Teststrecke und der Volumenbestimmung von Luftblasen""") ap.add_argument("-n", "--number", default=400, type=int, help="Anzahl an Frames die aufgenommen werden sollen. Default: 400 Bilder") ap.add_argument("-fr", "--framerate", default=100, type=int, help="Framerate in fps. Richtwerte: <Flow 3 ml/s:50 fps, 3-6ml/s:100 fps, >6ml/s:200 fps; Default: 100 fps") args = vars(ap.parse_args()) # Argumente des Parsers extrahieren numberOfImagesToGrab = args['number'] framerate = args['framerate'] if __name__ == '__main__': startzeit = time.time() #Test ob Kamera angeschlossen ist devices = pylon.TlFactory.GetInstance().EnumerateDevices() if len(devices) == 0: print("Keine Kamera angeschlossen oder Kamera woanders geöffnet.") return False # Test ob Drucksensor angeschlossen ist try: bus = smbus2.SMBus(0) bus.read_i2c_block_data(0x40, 0, 2) # 2 Bytes empfangen except OSError: print("Kein Drucksensor angeschlossen") exit() # Aus der aktuellen Zeit und den Parametern einen individuellen Ordnernamen generieren dirname = f'{datetime.now().strftime("%Y-%m-%d-%H-%M-%S")}' os.mkdir(dirname) # Ordner erstellen print(f"Ordnername: {dirname}") beginn = time.time()-programmstart # Threads zum Aufnehmen und Verarbeiten starten t_aufnahme = Thread(target=nimmAuf.starte, args=(dirname, numberOfImagesToGrab, framerate, startzeit)) t_tracke = Thread(target=bestimmeVolumen.tracke, args=(dirname, numberOfImagesToGrab)) t_aufnahme.start() t_tracke.start() t_aufnahme.join() t_tracke.join()
34.559322
169
0.703776
0
0
0
0
0
0
0
0
897
0.439706
b93839299c30aa23ab066b85969c7c27e043c202
1,143
py
Python
helpers/json_manager.py
Lofi-Lemonade/Python-Discord-Bot-Template
4cb79197c751c88100ad396adb38e88bf2a4d1ed
[ "Apache-2.0" ]
null
null
null
helpers/json_manager.py
Lofi-Lemonade/Python-Discord-Bot-Template
4cb79197c751c88100ad396adb38e88bf2a4d1ed
[ "Apache-2.0" ]
null
null
null
helpers/json_manager.py
Lofi-Lemonade/Python-Discord-Bot-Template
4cb79197c751c88100ad396adb38e88bf2a4d1ed
[ "Apache-2.0" ]
null
null
null
"""" Copyright © Krypton 2022 - https://github.com/kkrypt0nn (https://krypton.ninja) Description: This is a template to create your own discord bot in python. Version: 4.1 """ import json def add_user_to_blacklist(user_id: int) -> None: """ This function will add a user based on its ID in the blacklist.json file. :param user_id: The ID of the user that should be added into the blacklist.json file. """ with open("blacklist.json", "r+") as file: file_data = json.load(file) file_data["ids"].append(user_id) with open("blacklist.json", "w") as file: file.seek(0) json.dump(file_data, file, indent=4) def remove_user_from_blacklist(user_id: int) -> None: """ This function will remove a user based on its ID from the blacklist.json file. :param user_id: The ID of the user that should be removed from the blacklist.json file. """ with open("blacklist.json", "r") as file: file_data = json.load(file) file_data["ids"].remove(user_id) with open("blacklist.json", "w") as file: file.seek(0) json.dump(file_data, file, indent=4)
31.75
91
0.659668
0
0
0
0
0
0
0
0
629
0.549825
b938dd2d4297c0de33a03a4e075f88143c4fb4d8
942
py
Python
setup.py
glibin/natasha
4f5c153f754759c189779f9879decd8d218356af
[ "MIT" ]
1
2020-01-16T14:02:01.000Z
2020-01-16T14:02:01.000Z
setup.py
glibin/natasha
4f5c153f754759c189779f9879decd8d218356af
[ "MIT" ]
null
null
null
setup.py
glibin/natasha
4f5c153f754759c189779f9879decd8d218356af
[ "MIT" ]
null
null
null
from setuptools import setup, find_packages setup( name='natasha', version='0.2.0', description='Named-entity recognition for russian language', url='https://github.com/bureaucratic-labs/natasha', author='Dmitry Veselov', author_email='d.a.veselov@yandex.ru', license='MIT', classifiers=[ 'Development Status :: 3 - Alpha', 'Intended Audience :: Developers', 'License :: OSI Approved :: MIT License', 'Programming Language :: Python :: 3', 'Programming Language :: Python :: 3.3', 'Programming Language :: Python :: 3.4', 'Programming Language :: Python :: 3.5', ], keywords='natural language processing, russian morphology, named entity recognition, tomita', packages=find_packages(), install_requires=[ 'yargy==0.3.0' ], extras_require={ 'web': [ 'ujson', 'aiohttp', ], }, )
29.4375
97
0.59448
0
0
0
0
0
0
0
0
531
0.563694
b93a3daf85b033d7039d8c3747eadb457802db6b
2,814
py
Python
GeneratePassword/generate_password_v2.py
OneScreenfulOfPython/screenfuls
ea4e378c8d9e530edadd4a3315fe9e8acc98460b
[ "Apache-2.0" ]
2
2015-01-19T14:50:55.000Z
2015-01-28T12:45:59.000Z
GeneratePassword/generate_password_v2.py
OneScreenfulOfPython/screenfuls
ea4e378c8d9e530edadd4a3315fe9e8acc98460b
[ "Apache-2.0" ]
null
null
null
GeneratePassword/generate_password_v2.py
OneScreenfulOfPython/screenfuls
ea4e378c8d9e530edadd4a3315fe9e8acc98460b
[ "Apache-2.0" ]
null
null
null
import os, sys import random import string try: # Make Python2 work like Python3 input = raw_input except NameError: # On Python3; already using input pass letters = string.ascii_letters numbers = string.digits punctuation = string.punctuation def generate(password_length, at_least_one_letter, at_least_one_number, at_least_one_punctuation): """Generate a password by include enough random characters to meet the password length restriction. In addition, the user can specify that at least one of the each of the classes of character be used. """ # # Any combination of characters is valid # valid_characters = "" if at_least_one_letter: valid_characters += letters if at_least_one_number: valid_characters += numbers if at_least_one_punctuation: valid_characters += punctuation # # Start with a blank password and then go round enough # times to make a password of the required length. # password = "" for i in range(password_length): # # Each time around, ensure that one of each of the selected # groups is chosen, and then just choose randomly from all # groups. # if at_least_one_letter: character = random.choice(letters) at_least_one_letter = False elif at_least_one_number: character = random.choice(numbers) at_least_one_number = False elif at_least_one_punctuation: character = random.choice(punctuation) at_least_one_punctuation = False else: character = random.choice(valid_characters) password += character # # Finally, shuffle the password so we don't always get a # letter at the beginning, with a number after and some # punctuation. # characters = list(password) # # random.shuffle shuffles a list *in place* # random.shuffle(characters) # # X.join(...) means: return all the strings in (...) joined by X # ", ".join(['Eggs', 'Bacon', 'Beans']) => "Eggs, Bacon, Beans" # But if you want to generate *real* .csv files, use the csv module # because there are lots of corner-cases. # password = "".join(characters) return password if __name__ == '__main__': password_length = int(input("How many letters? ")) at_least_one_letter = "Y" == (input("At least one letter [Y/n]? ").upper() or "Y") at_least_one_number = "Y" == (input("At least one number [Y/n]? ").upper() or "Y") at_least_one_punctuation = "Y" == (input("At least one punctuation [Y/n]? ").upper() or "Y") password = generate(password_length, at_least_one_letter, at_least_one_number, at_least_one_punctuation) print("Your password is: {}".format(password))
33.5
108
0.658138
0
0
0
0
0
0
0
0
1,139
0.404762
b945e094a775936b9b256c03b9ad1404cebcb291
1,312
py
Python
annotate-preprocessed.py
Rajpratik71/devel-scripts
068285719a13b02889b1314361cc5bdb764d9a3a
[ "Apache-2.0" ]
null
null
null
annotate-preprocessed.py
Rajpratik71/devel-scripts
068285719a13b02889b1314361cc5bdb764d9a3a
[ "Apache-2.0" ]
null
null
null
annotate-preprocessed.py
Rajpratik71/devel-scripts
068285719a13b02889b1314361cc5bdb764d9a3a
[ "Apache-2.0" ]
null
null
null
#!/usr/bin/python """Annotates -E preprocessed source input with line numbers. Read std input, then annotate each line with line number based on previous expanded line directives from -E output. Useful in the context of compiler debugging. """ import getopt import os import re import sys import script_utils as u flag_reverse = True def usage(msgarg): """Print usage and exit.""" if msgarg: sys.stderr.write("error: %s\n" % msgarg) print """\ usage: %s [options] < input > output options: -d increase debug msg verbosity level """ % os.path.basename(sys.argv[0]) sys.exit(1) def parse_args(): """Command line argument parsing.""" global flag_reverse try: optlist, _ = getopt.getopt(sys.argv[1:], "dr") except getopt.GetoptError as err: # unrecognized option usage(str(err)) for opt, _ in optlist: if opt == "-d": u.increment_verbosity() elif opt == "-r": flag_reverse = False # Setup u.setdeflanglocale() parse_args() # Read lines = sys.stdin.readlines() lnum = -1 matcher = re.compile(r"^\#\s+(\d+)\s+\"(\S+)\".*$") for line in lines: m = matcher.match(line) if m: lnum = int(m.group(1)) afile = m.group(2) print "<%s:%d>" % (afile, lnum) continue print "%d:%s" % (lnum, line.strip()) lnum += 1
19.014493
74
0.636433
0
0
0
0
0
0
0
0
525
0.400152
b94613d2fb24bf9487b3045eae02b837543d3647
2,547
py
Python
pages/lstm.py
tekeburak/dam-occupancy-model
f39d436bf27088068177245f0180cafaa56ad123
[ "MIT" ]
8
2021-01-24T14:56:23.000Z
2021-03-26T18:10:33.000Z
pages/lstm.py
tekeburak/dam-occupancy-model
f39d436bf27088068177245f0180cafaa56ad123
[ "MIT" ]
null
null
null
pages/lstm.py
tekeburak/dam-occupancy-model
f39d436bf27088068177245f0180cafaa56ad123
[ "MIT" ]
6
2021-01-24T14:44:49.000Z
2021-03-21T17:50:30.000Z
import streamlit as st import tensorflow as tf import numpy from utils.get_owm_data import get_open_weather_map_data from utils.get_date import get_date_list_for_gmt import plotly.graph_objects as go from plotly import tools import plotly.offline as py import plotly.express as px def app(): st.title("LSTM Model") st.subheader('What does LSTM model do?') st.markdown("""<p style='text-align: justify;'>LSTM networks are an extension of recurrent neural networks (RNNs) mainly introduced to handle situations where RNNs fail. It has been so designed that thevanishing gradient problem is almost completely removed, while the training model is left unaltered. Long-time lags in certain problems are bridged using LSTMs where they also handle noise, distributed representations, and continuous values.</p>""", unsafe_allow_html=True) st.subheader('Why we chose LSTM?') st.markdown("""<p style='text-align: justify;'>LSTM is well-suited to classify, process and predict time series given time lags of unknown duration. Relative insensitivity to gap length gives an advantage to LSTM over alternative RNNs, hidden Markov models and other sequence learningmethods. In addition, LSTM works great because LSTM cells have a memory that can store previous timestep information and this is how it learns.</p>""", unsafe_allow_html=True) st.subheader('LSTM model input and output') st.markdown("Model input is 7 days daily weather data from [OpenWeatherAPI](https://openweathermap.org/api). Model input features are *Rain*, *MaxTemp*, *MinTemp*, *AvgWind*, *AvgHumidity* and *AvgPressure*. Model predicts 7 days dam occupancy rate of İstanbul using these features.", unsafe_allow_html=True) LSTM_model_name = 'models/LSTM_model.h5' model_lstm = tf.keras.models.load_model(LSTM_model_name) features = get_open_weather_map_data() prediction_lstm = model_lstm.predict(features) * 100 prediction_lstm = prediction_lstm.ravel() date_list = get_date_list_for_gmt() data = [] layout = go.Layout( title= "<b>LSTM Dam Occupancy Forecasting Plot</b>",paper_bgcolor = 'rgb(248, 248, 255)',plot_bgcolor = 'rgb(248, 248, 255)',barmode = "stack", xaxis = dict(title="Time", linecolor="#BCCCDC",showspikes=True,spikethickness=2,spikedash="dot",spikecolor= "#ffffff",spikemode="across",), yaxis= dict(title="Dam Occupancy Rate (%)",linecolor="#021C1E")) line_chart= go.Scatter(x=date_list, y=prediction_lstm, marker_color='rgb(0, 200, 200)' ) data.append(line_chart) fig= go.Figure(data=data, layout=layout) st.plotly_chart(fig)
50.94
476
0.773852
0
0
0
0
0
0
0
0
1,420
0.5573
b947d963b017c12ec37d222b3722de432bf97da6
8,891
py
Python
BookingScraper-joao_v2/BookingScraper/airbnb.py
joaocamargo/estudos-python
c5fbf59a1f06131d9789dca7dbdfdcf2200d0227
[ "MIT" ]
1
2019-10-09T12:56:13.000Z
2019-10-09T12:56:13.000Z
BookingScraper-joao_v2/BookingScraper/airbnb.py
joaocamargo/estudos-python
c5fbf59a1f06131d9789dca7dbdfdcf2200d0227
[ "MIT" ]
null
null
null
BookingScraper-joao_v2/BookingScraper/airbnb.py
joaocamargo/estudos-python
c5fbf59a1f06131d9789dca7dbdfdcf2200d0227
[ "MIT" ]
null
null
null
#! /usr/bin/env python3.6 import argparse import argcomplete from argcomplete.completers import ChoicesCompleter from argcomplete.completers import EnvironCompleter import requests from bthread import BookingThread from bs4 import BeautifulSoup from file_writer import FileWriter hotels = [] def get_countries(): with open("europa2020.txt", "r") as f: countries = f.read().splitlines() return countries def get_booking_page(session, offset, rooms, country, dest_id, DayIni, DayFim): print('get_booking_page(session, offset, rooms, country, dest_id, DayIni, DayFim):') print(session, offset, rooms, country, dest_id, DayIni, DayFim) diaInicial = str(int(DayIni[0:2])) mesInicial = str(int(DayIni[3:5])) anoInicial = str(int(DayIni[6:10])) diaFinal = str(int(DayFim[0:2])) mesFinal = str(int(DayFim[3:5])) anoFinal = str(int(DayFim[6:10])) ''' Make request to airbnb page and parse html :param offset: :return: html page ''' url = 'https://www.airbnb.com.br/s/Londres/'\ 'homes?refinement_paths%5B%5D=%2Fhomes&current_tab_id=home_tab&selected_tab_id=home_tab&source=mc_search_bar&search_type=unknown'\ '&click_referer=t%3ASEE_ALL%7Csid%3A874f16ee-6196-4289-9717-17dec73e1e5c%7Cst%3AMAGAZINE_HOMES&screen_size=large&hide_dates_and_guests_filters=false'\ '&ne_lat=51.80546533345978&ne_lng=0.4969575708007312&sw_lat=51.17528882051496&sw_lng=-0.8200285131836154&zoom=10&search_by_map=false&checkin={anoInicial}-{mesInicial}-{diaInicial}'\ '&checkout={anoFinal}-{mesFinal}-{diaFinal}&adults={rooms}&property_type_id%5B%5D=1&property_type_id%5B%5D=43&property_type_id%5B%5D=47'\ '&place_id=ChIJdd4hrwug2EcRmSrV3Vo6llI&room_types%5B%5D=Entire%20home%2Fapt'\ '&section_offset=6&items_offset=18'.format(rooms=rooms, country=country.replace(' ', '+'),anoFinal=anoFinal,mesFinal=mesFinal,diaInicial=diaInicial,mesInicial=mesInicial,anoInicial=anoInicial,diaFinal=diaFinal,dest_id=dest_id) + str(offset) r = requests.get(url, headers= {'User-Agent': 'Mozilla/5.0 (Windows NT 6.1; Win64; x64; rv:47.0)' ' Gecko/20100101 Firefox/48.0'}) html = r.content print(url) parsed_html = BeautifulSoup(html, 'lxml') return parsed_html def process_hotels(session, offset, rooms, country, dest_id, DayIni, DayFim): parsed_html = get_booking_page(session, offset, rooms, country, dest_id,DayIni, DayFim) hotel = parsed_html.find_all('div', {'class': 'sr_item'}) for ho in hotel: #print("ho.find('a', {'class': 'jq_tooltip'})") #print(ho.find('a', {'class': 'jq_tooltip'})) #name = ho.find('a', {'class': 'jq_tooltip'})['data-title'] print("ho.find('span', {'class': 'sr-hotel__name'})") #print(ho.find('span', {'class': 'sr-hotel__name'})) if ho.find('span', {'class': 'sr-hotel__name'}) is not None: name = str(ho.find('span', {'class': 'sr-hotel__name'}).text.encode('utf-8')).replace('\\n','').replace("b","").replace("'","").replace('\\','') else: name = '-1' if ho.find('div', {'class': 'bui-price-display__value prco-inline-block-maker-helper'}) is not None: price = ho.find('div', {'class': 'bui-price-display__value prco-inline-block-maker-helper'}).text.replace('\n','').replace("b","").replace("'","") else: price = '-1' if ho.find('span', {'class': '_ky9opu0'}) is not None: nota = str(ho.find('span', {'class': '_ky9opu0'}).text.replace('\n','').replace("b","").replace("'","")) else : nota = '-1' if ho.find('span', {'title': 'This is the straight-line distance on the map. Actual travel distance may vary.'}) is not None: distance = str(ho.find('span', {'title': 'This is the straight-line distance on the map. Actual travel distance may vary.'}).text.encode('utf-8')).replace('\\n','').replace("b","").replace("'","").replace('\\','') else : distance = '-1' # if ho.find('a', {'class': 'bui-link'}) is not None : # result = [str(item) for item in ho.find_all('span', attrs={'data-bui-component' : 'Tooltip'})] # print('TAMANHO TOOLTIP', str(len(result))) # for i in result: # print(i) # for i in result: # if i in 'km': # distance = str(i) # else: # distance = '----' # else: # distance = '----' # if len(result) ==1: # if result[0] in 'km': # distance = result # else: # distance = 'aaaaa' + str(len(result)) # else: # distance = '---' hotels.append(DayIni+';'+DayFim+';'+name + ';' + price + ';' + nota + ';' + distance) #hotels.append(str(len(hotels) + 1) + ' : ' + name + ' : ' + price) def prep_data(rooms=1, country='Macedonia', dest_id='-1', DayIni='01/01/2019', DayFim='02/01/2019', out_format=None): ''' Prepare data for saving :return: hotels: set() ''' offset = 1 session = requests.Session() parsed_html = get_booking_page(session, offset, rooms, country, dest_id, DayIni,DayFim) all_offset = parsed_html.find_all('li', {'class': 'sr_pagination_item'})[-1].get_text().splitlines()[-1] threads = [] for i in range(int(all_offset)): offset += 1 t = BookingThread(session, offset, rooms, country,dest_id,DayIni, DayFim, process_hotels) threads.append(t) for t in threads: t.start() for t in threads: t.join() hotels2 = hotels return hotels2 def get_data(rooms=1, country='Macedonia', dest_id='-1',DayIni='01/01/2019',DayFim='02/01/2019', out_format=None): ''' Get all accomodations in Macedonia and save them in file :return: hotels-in-macedonia.{txt/csv/xlsx} file ''' print('Procurando por',country) hotels_list = prep_data(rooms, country,dest_id, DayIni, DayFim, out_format) save_data(hotels_list , out_format=out_format, country=country) def save_data(data, out_format, country): ''' Saves hotels list in file :param data: hotels list :param out_format: json, csv or excel :return: ''' writer = FileWriter(data, out_format, country) file = writer.output_file() print('All accommodations are saved.') print('You can find them in', file, 'file') if __name__ == "__main__": parser = argparse.ArgumentParser() countries = get_countries() parser.add_argument("--rooms", help='Add the number of rooms to the booking request.', default=1, type=int, nargs='?') parser.add_argument("--country", help='Add the country to the booking request.', default='Macedonia', nargs='?').completer = ChoicesCompleter(countries) parser.add_argument("--dest_id", help='Add the country to the booking request.', default='0', nargs='?') parser.add_argument("--DayIni", help='Data inicial', default='01/01/2019', nargs='?') parser.add_argument("--DayFim", help='Data inicial', default='02/01/2019', nargs='?') parser.add_argument("--out_format", help='Add the format for the output file. Add excel, json or csv.', default='json', choices=['json', 'excel', 'csv'], nargs='?').completer = EnvironCompleter argcomplete.autocomplete(parser) args = parser.parse_args() localidades = [{ 'Pais': 'London', 'dest_id': '-2601889' }, { 'Pais': 'Utrecht', 'dest_id': '-2154382' }, { 'Pais': 'Buzios', 'dest_id': '-626254' }, { 'Pais': '', 'dest_id': '' }] countryAux = [d['Pais'] for d in localidades if args.dest_id in d['dest_id']] if len(countryAux)>0: country = countryAux[0] print('Parametros') print(args.rooms, country,args.dest_id,args.DayIni,args.DayFim, args.out_format) get_data(args.rooms, country,args.dest_id,args.DayIni,args.DayFim, args.out_format) else: country = 'Nao Identificado' locais = [d['Pais'] + ':' + d['dest_id'] for d in localidades if d['Pais'] != ''] print('----------') print('Utilize uma das seguintes localizações') for i in locais: print(i) print('----------')
37.995726
250
0.576313
0
0
0
0
0
0
0
0
3,665
0.412122
b95332c99e63e536863282307e578d423edf7664
644
py
Python
tests/models/test_documents.py
airslate-oss/python-airslate
0f7fe6321b1c2e6875a02dfecb5ffa07a361bb1d
[ "Apache-2.0" ]
3
2021-02-07T20:04:26.000Z
2021-09-22T08:32:26.000Z
tests/models/test_documents.py
airslate-oss/python-airslate
0f7fe6321b1c2e6875a02dfecb5ffa07a361bb1d
[ "Apache-2.0" ]
15
2021-01-21T15:38:37.000Z
2021-02-16T07:52:20.000Z
tests/models/test_documents.py
airslate-oss/python-airslate
0f7fe6321b1c2e6875a02dfecb5ffa07a361bb1d
[ "Apache-2.0" ]
null
null
null
# This file is part of the airslate. # # Copyright (c) 2021 airSlate, Inc. # # For the full copyright and license information, please view # the LICENSE file that was distributed with this source code. from airslate.models.documents import UpdateFields from airslate.entities.fields import Field def test_empty_update_fields__to_dict(): model = UpdateFields() assert model.to_dict() == {'data': []} def test_update_fields__to_dict(): model = UpdateFields(data=[Field('123'), Field('abc')]) assert model.to_dict() == {'data': [ {'id': '123', 'type': 'dictionary'}, {'id': 'abc', 'type': 'dictionary'} ]}
28
62
0.677019
0
0
0
0
0
0
0
0
272
0.42236
b96893ff0c22487256e91c812d37a56c2c479eb3
11,886
py
Python
src/nibetaseries/cli/run.py
ipacheco-uy/NiBetaSeries
3d8716552f22f925524d80af9aace09469c22d4d
[ "MIT" ]
1
2019-10-03T21:20:48.000Z
2019-10-03T21:20:48.000Z
src/nibetaseries/cli/run.py
ipacheco-uy/NiBetaSeries
3d8716552f22f925524d80af9aace09469c22d4d
[ "MIT" ]
null
null
null
src/nibetaseries/cli/run.py
ipacheco-uy/NiBetaSeries
3d8716552f22f925524d80af9aace09469c22d4d
[ "MIT" ]
null
null
null
#!/usr/bin/env python # -*- coding: utf-8 -*- """ Module that contains the command line app. Why does this file exist, and why not put this in __main__? You might be tempted to import things from __main__ later, but that will cause problems: the code will get executed twice: - When you run `python -m nibetaseries` python will execute ``__main__.py`` as a script. That means there won't be any ``nibetaseries.__main__`` in ``sys.modules``. - When you import __main__ it will get executed again (as a module) because there's no ``nibetaseries.__main__`` in ``sys.modules``. Also see (1) from http://click.pocoo.org/5/setuptools/#setuptools-integration """ from __future__ import absolute_import import os import argparse from argparse import RawTextHelpFormatter from glob import glob from multiprocessing import cpu_count from nipype import config as ncfg def get_parser(): """Build parser object""" from ..__init__ import __version__ import sys verstr = 'nibs v{}'.format(__version__) parser = argparse.ArgumentParser(description='NiBetaSeries BIDS arguments', formatter_class=RawTextHelpFormatter) parser.add_argument('bids_dir', help='The directory with the input dataset ' 'formatted according to the BIDS standard.') parser.add_argument('derivatives_pipeline', help='The pipeline that contains ' 'minimally preprocessed img, brainmask, and confounds.tsv') parser.add_argument('output_dir', help='The directory where the output directory ' 'and files should be stored. If you are running group level analysis ' 'this folder should be prepopulated with the results of the' 'participant level analysis.') parser.add_argument('analysis_level', choices=['participant', 'group'], help='Level of the analysis that will be performed ' 'Multiple participant level analyses can be run independently ' '(in parallel) using the same output_dir') parser.add_argument('-v', '--version', action='version', version=verstr) # Atlas Arguments (Required Options) atlas_args = parser.add_argument_group('Required Atlas Arguments') atlas_args.add_argument('-a', '--atlas-img', action='store', required=('-l' in sys.argv or '--atlas-lut' in sys.argv), help='input atlas nifti where each voxel within a "region" ' 'is labeled with the same integer and there is a unique ' 'integer associated with each region of interest.') atlas_args.add_argument('-l', '--atlas-lut', action='store', required=('-a' in sys.argv or '--atlas-img' in sys.argv), help='atlas look up table (tsv) formatted with the columns: ' 'index, regions which correspond to the regions in the ' 'nifti file specified by --atlas-img.') # preprocessing options proc_opts = parser.add_argument_group('Options for processing') proc_opts.add_argument('--estimator', default='lss', choices=['lss', 'lsa'], help='beta series modeling method') proc_opts.add_argument('-sm', '--smoothing-kernel', action='store', type=float, default=6.0, help='select a smoothing kernel (mm)') proc_opts.add_argument('-hp', '--high-pass', action='store', type=float, default=0.0078125, help='high pass filter (Hz)') proc_opts.add_argument('-c', '--confounds', help='The confound column names ' 'that are to be included in nuisance regression. ' 'write the confounds you wish to include separated by a space', nargs="+") proc_opts.add_argument('--hrf-model', default='glover', choices=['glover', 'spm', 'fir', 'glover + derivative', 'glover + derivative + dispersion', 'spm + derivative', 'spm + derivative + dispersion'], help='convolve your regressors ' 'with one of the following hemodynamic response functions') proc_opts.add_argument('--fir-delays', default=None, nargs='+', type=int, help='FIR delays in volumes', metavar='VOL') proc_opts.add_argument('-w', '--work-dir', help='directory where temporary files ' 'are stored (i.e. non-essential files). ' 'This directory can be deleted once you are reasonably ' 'certain nibs finished as expected.') # Image Selection options image_opts = parser.add_argument_group('Options for selecting images') parser.add_argument('--participant-label', nargs="+", help='The label(s) of the participant(s) ' 'that should be analyzed. The label ' 'corresponds to sub-<participant_label> from the BIDS spec ' '(so it does not include "sub-"). If this parameter is not ' 'provided all subjects should be analyzed. Multiple ' 'participants can be specified with a space separated list.') image_opts.add_argument('--session-label', action='store', default=None, help='select a session to analyze') image_opts.add_argument('-t', '--task-label', action='store', default=None, help='select a specific task to be processed') image_opts.add_argument('--run-label', action='store', default=None, help='select a run to analyze') image_opts.add_argument('-sp', '--space-label', action='store', default='MNI152NLin2009cAsym', choices=['MNI152NLin2009cAsym'], help='select a bold derivative in a specific space to be used') image_opts.add_argument('--description-label', action='store', default=None, help='select a bold file with particular ' '`desc` label to process') image_opts.add_argument('--exclude-description-label', action='store_true', default=False, help='exclude this `desc` label from nibetaseries') # performance options g_perfm = parser.add_argument_group('Options to handle performance') g_perfm.add_argument('--nthreads', '-n-cpus', action='store', type=int, help='maximum number of threads across all processes') g_perfm.add_argument('--use-plugin', action='store', default=None, help='nipype plugin configuration file') # misc options misc = parser.add_argument_group('misc options') misc.add_argument('--graph', action='store_true', default=False, help='generates a graph png of the workflow') return parser def main(): from ..workflows.base import init_nibetaseries_participant_wf # get commandline options opts = get_parser().parse_args() # check inputs if (opts.hrf_model == 'fir') and (opts.fir_delays is None): raise ValueError('If the FIR HRF model is selected, ' 'FIR delays must be provided.') # Set up directories # TODO: set up some sort of versioning system bids_dir = os.path.abspath(opts.bids_dir) derivatives_pipeline_dir = os.path.join(bids_dir, 'derivatives', opts.derivatives_pipeline) output_dir = os.path.abspath(opts.output_dir) os.makedirs(output_dir, exist_ok=True) log_dir = os.path.join(output_dir, 'logs') os.makedirs(log_dir, exist_ok=True) if opts.work_dir: work_dir = os.path.abspath(opts.work_dir) else: work_dir = os.path.join(os.getcwd(), 'nibetaseries_work') os.makedirs(work_dir, exist_ok=True) # only for a subset of subjects if opts.participant_label: subject_list = opts.participant_label # for all subjects else: subject_dirs = glob(os.path.join(bids_dir, "sub-*")) subject_list = [subject_dir.split("-")[-1] for subject_dir in subject_dirs] # Nipype plugin configuration # Load base plugin_settings from file if --use-plugin if opts.use_plugin is not None: from yaml import load as loadyml with open(opts.use_plugin) as f: plugin_settings = loadyml(f) plugin_settings.setdefault('plugin_args', {}) else: # Defaults plugin_settings = { 'plugin': 'MultiProc', 'plugin_args': { 'raise_insufficient': False, 'maxtasksperchild': 1, } } # Resource management options # Note that we're making strong assumptions about valid plugin args # This may need to be revisited if people try to use batch plugins nthreads = plugin_settings['plugin_args'].get('n_procs') # Permit overriding plugin config with specific CLI options if nthreads is None or opts.nthreads is not None: nthreads = opts.nthreads if nthreads is None or nthreads < 1: nthreads = cpu_count() plugin_settings['plugin_args']['n_procs'] = nthreads # Nipype config (logs and execution) ncfg.update_config({ 'logging': {'log_directory': log_dir, 'log_to_file': True}, 'execution': {'crashdump_dir': log_dir, 'crashfile_format': 'txt', 'parameterize_dirs': False}, }) # running participant level if opts.analysis_level == "participant": nibetaseries_participant_wf = init_nibetaseries_participant_wf( estimator=opts.estimator, atlas_img=os.path.abspath(opts.atlas_img), atlas_lut=os.path.abspath(opts.atlas_lut), bids_dir=bids_dir, derivatives_pipeline_dir=derivatives_pipeline_dir, exclude_description_label=opts.exclude_description_label, fir_delays=opts.fir_delays, hrf_model=opts.hrf_model, high_pass=opts.high_pass, output_dir=output_dir, run_label=opts.run_label, selected_confounds=opts.confounds, session_label=opts.session_label, smoothing_kernel=opts.smoothing_kernel, space_label=opts.space_label, subject_list=subject_list, task_label=opts.task_label, description_label=opts.description_label, work_dir=work_dir, ) if opts.graph: nibetaseries_participant_wf.write_graph(graph2use='colored', format='svg', simple_form=True) try: nibetaseries_participant_wf.run(**plugin_settings) except RuntimeError as e: if "Workflow did not execute cleanly" in str(e): print("Workflow did not execute cleanly") else: raise e elif opts.analysis_level == "group": raise NotImplementedError('group analysis not currently implemented') def init(): if __name__ == "__main__": raise RuntimeError("NiBetaSeries/cli/run.py should not be run directly;\n" "Please `pip install` NiBetaSeries and use the `nibs` command") init()
46.611765
98
0.595406
0
0
0
0
0
0
0
0
4,930
0.414774
b9697b05a9b44247d80463465fa92118d707fb98
6,465
py
Python
astropy_helpers/git_helpers.py
bsipocz/astropy-helpers
4999df1cfb6a5022347b0cef9caf8a556517c625
[ "PSF-2.0", "BSD-2-Clause", "BSD-3-Clause" ]
9
2019-12-06T13:12:33.000Z
2021-10-05T12:47:15.000Z
astropy_helpers/git_helpers.py
bsipocz/astropy-helpers
4999df1cfb6a5022347b0cef9caf8a556517c625
[ "PSF-2.0", "BSD-2-Clause", "BSD-3-Clause" ]
2
2019-11-28T17:20:27.000Z
2019-12-09T18:44:35.000Z
astropy_helpers/git_helpers.py
bsipocz/astropy-helpers
4999df1cfb6a5022347b0cef9caf8a556517c625
[ "PSF-2.0", "BSD-2-Clause", "BSD-3-Clause" ]
3
2019-11-28T17:04:22.000Z
2021-10-19T13:12:34.000Z
# Licensed under a 3-clause BSD style license - see LICENSE.rst """ Utilities for retrieving revision information from a project's git repository. """ # Do not remove the following comment; it is used by # astropy_helpers.version_helpers to determine the beginning of the code in # this module # BEGIN import locale import os import subprocess import warnings def _decode_stdio(stream): try: stdio_encoding = locale.getdefaultlocale()[1] or 'utf-8' except ValueError: stdio_encoding = 'utf-8' try: text = stream.decode(stdio_encoding) except UnicodeDecodeError: # Final fallback text = stream.decode('latin1') return text def update_git_devstr(version, path=None): """ Updates the git revision string if and only if the path is being imported directly from a git working copy. This ensures that the revision number in the version string is accurate. """ try: # Quick way to determine if we're in git or not - returns '' if not devstr = get_git_devstr(sha=True, show_warning=False, path=path) except OSError: return version if not devstr: # Probably not in git so just pass silently return version if 'dev' in version: # update to the current git revision version_base = version.split('.dev', 1)[0] devstr = get_git_devstr(sha=False, show_warning=False, path=path) return version_base + '.dev' + devstr else: # otherwise it's already the true/release version return version def get_git_devstr(sha=False, show_warning=True, path=None): """ Determines the number of revisions in this repository. Parameters ---------- sha : bool If True, the full SHA1 hash will be returned. Otherwise, the total count of commits in the repository will be used as a "revision number". show_warning : bool If True, issue a warning if git returns an error code, otherwise errors pass silently. path : str or None If a string, specifies the directory to look in to find the git repository. If `None`, the current working directory is used, and must be the root of the git repository. If given a filename it uses the directory containing that file. Returns ------- devversion : str Either a string with the revision number (if `sha` is False), the SHA1 hash of the current commit (if `sha` is True), or an empty string if git version info could not be identified. """ if path is None: path = os.getcwd() if not os.path.isdir(path): path = os.path.abspath(os.path.dirname(path)) if sha: # Faster for getting just the hash of HEAD cmd = ['rev-parse', 'HEAD'] else: cmd = ['rev-list', '--count', 'HEAD'] def run_git(cmd): try: p = subprocess.Popen(['git'] + cmd, cwd=path, stdout=subprocess.PIPE, stderr=subprocess.PIPE, stdin=subprocess.PIPE) stdout, stderr = p.communicate() except OSError as e: if show_warning: warnings.warn('Error running git: ' + str(e)) return (None, b'', b'') if p.returncode == 128: if show_warning: warnings.warn('No git repository present at {0!r}! Using ' 'default dev version.'.format(path)) return (p.returncode, b'', b'') if p.returncode == 129: if show_warning: warnings.warn('Your git looks old (does it support {0}?); ' 'consider upgrading to v1.7.2 or ' 'later.'.format(cmd[0])) return (p.returncode, stdout, stderr) elif p.returncode != 0: if show_warning: warnings.warn('Git failed while determining revision ' 'count: {0}'.format(_decode_stdio(stderr))) return (p.returncode, stdout, stderr) return p.returncode, stdout, stderr returncode, stdout, stderr = run_git(cmd) if not sha and returncode == 128: # git returns 128 if the command is not run from within a git # repository tree. In this case, a warning is produced above but we # return the default dev version of '0'. return '0' elif not sha and returncode == 129: # git returns 129 if a command option failed to parse; in # particular this could happen in git versions older than 1.7.2 # where the --count option is not supported # Also use --abbrev-commit and --abbrev=0 to display the minimum # number of characters needed per-commit (rather than the full hash) cmd = ['rev-list', '--abbrev-commit', '--abbrev=0', 'HEAD'] returncode, stdout, stderr = run_git(cmd) # Fall back on the old method of getting all revisions and counting # the lines if returncode == 0: return str(stdout.count(b'\n')) else: return '' elif sha: return _decode_stdio(stdout)[:40] else: return _decode_stdio(stdout).strip() # This function is tested but it is only ever executed within a subprocess when # creating a fake package, so it doesn't get picked up by coverage metrics. def _get_repo_path(pathname, levels=None): # pragma: no cover """ Given a file or directory name, determine the root of the git repository this path is under. If given, this won't look any higher than ``levels`` (that is, if ``levels=0`` then the given path must be the root of the git repository and is returned if so. Returns `None` if the given path could not be determined to belong to a git repo. """ if os.path.isfile(pathname): current_dir = os.path.abspath(os.path.dirname(pathname)) elif os.path.isdir(pathname): current_dir = os.path.abspath(pathname) else: return None current_level = 0 while levels is None or current_level <= levels: if os.path.exists(os.path.join(current_dir, '.git')): return current_dir current_level += 1 if current_dir == os.path.dirname(current_dir): break current_dir = os.path.dirname(current_dir) return None
33.324742
79
0.612065
0
0
0
0
0
0
0
0
3,176
0.491261
b96b280416f0d557826ffa670a7914f2d45e5fc5
526
py
Python
src/sot_talos_balance/test/test_feet_admittance.py
imaroger/sot-talos-balance
5e56700b4e105273ecf6feb3474789beac469a77
[ "BSD-2-Clause" ]
null
null
null
src/sot_talos_balance/test/test_feet_admittance.py
imaroger/sot-talos-balance
5e56700b4e105273ecf6feb3474789beac469a77
[ "BSD-2-Clause" ]
null
null
null
src/sot_talos_balance/test/test_feet_admittance.py
imaroger/sot-talos-balance
5e56700b4e105273ecf6feb3474789beac469a77
[ "BSD-2-Clause" ]
null
null
null
'''Test feet admittance control''' from sot_talos_balance.utils.run_test_utils import run_ft_calibration, run_test, runCommandClient try: # Python 2 input = raw_input # noqa except NameError: pass run_test('appli_feet_admittance.py') run_ft_calibration('robot.ftc') input("Wait before running the test") print('Set saturation value') runCommandClient('robot.admBF_dqSaturation.sin.value = [0.0, 0.0, 0.01, 0.0, 0.0, 0.0]') input("Wait before dumping the data") runCommandClient('dump_tracer(robot.tracer)')
25.047619
97
0.752852
0
0
0
0
0
0
0
0
266
0.505703
b97884a1b2bbd76cce01bb9efe2744d31832af25
2,182
py
Python
gradefiles-send.py
lapets/bu-gsubmit-grading
69c40a763908be1c954dce3e5e5aab854ac379ff
[ "MIT" ]
3
2016-10-03T15:29:20.000Z
2019-06-28T17:33:06.000Z
gradefiles-send.py
lapets/bu-gsubmit-grading
69c40a763908be1c954dce3e5e5aab854ac379ff
[ "MIT" ]
null
null
null
gradefiles-send.py
lapets/bu-gsubmit-grading
69c40a763908be1c954dce3e5e5aab854ac379ff
[ "MIT" ]
null
null
null
##################################################################### ## ## gradefiles-send.py ## ## Script to send grade files by email to enrolled students; the ## input grade file names should correspond to the user names of ## the students. ## ## from email.mime.text import MIMEText # For creating a message string. from subprocess import Popen, PIPE # For sending email on linux. import sys # For command line arguments. import os # For commands and file manipulation (walk, path, system). ##################################################################### ## Sending a simple email message. ## def send(txt, courseNumber, task, sender, targets): msg = MIMEText(txt) msg["From"] = sender + "@bu.edu" msg["To"] = ",".join([target + "@bu.edu" for target in targets]) msg["Cc"] = sender + "@bu.edu" msg["Subject"] = "CS " + courseNumber + " " + task + " grade" p = Popen(["/usr/sbin/sendmail", "-t"], stdin=PIPE) p.communicate(bytes(msg.as_string(), 'UTF-8')) ##################################################################### ## Process the command line parameters. ## if len(sys.argv) == 6\ and (int(sys.argv[1][0:3]) in range(100,1000))\ and sys.argv[2] in ['Fall', 'Spring']\ and int(sys.argv[3]) in range(2000,2100): courseNumber = sys.argv[1] # Accepts course names like "591 X1." season = sys.argv[2] year = sys.argv[3] task = sys.argv[4] sender = sys.argv[5] else: print('\n Usage:\n\n % python gradefiles-send.py <###> <Fall|Spring> <YYYY> <task> <sender-username>\n') exit() ##################################################################### ## Check for list of files. ## if not os.path.exists('./data'): print('No folder "data" containing grade files found. Exiting.') exit() ##################################################################### ## Send the grade files. ## for curdir, dirs, files in os.walk('./data/'): for file in files: txt = open('./data/'+file, 'r').read() targets = file.split('.')[0].split("_") send(txt, courseNumber, task, sender, targets) print('Sent grade file to ' + str(targets) + '.') #eof
33.569231
112
0.519707
0
0
0
0
0
0
0
0
1,177
0.539413
b97a0b2a9f0b601569ce8973596517ed7d8790ec
3,588
py
Python
tfjs-converter/python/tensorflowjs/converters/graph_rewrite_util.py
djemeljanovs/tfjs
ee4430cd7a04283ec09184a3fe9d3fb27496f1dc
[ "Apache-2.0" ]
null
null
null
tfjs-converter/python/tensorflowjs/converters/graph_rewrite_util.py
djemeljanovs/tfjs
ee4430cd7a04283ec09184a3fe9d3fb27496f1dc
[ "Apache-2.0" ]
null
null
null
tfjs-converter/python/tensorflowjs/converters/graph_rewrite_util.py
djemeljanovs/tfjs
ee4430cd7a04283ec09184a3fe9d3fb27496f1dc
[ "Apache-2.0" ]
null
null
null
# Copyright 2019 Google 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. # ============================================================================== import re from tensorflow.core.framework import graph_pb2 from tensorflow.core.framework import node_def_pb2 from tensorflow.python.framework import tensor_util # Custom op name for fused depthwise conv2d FUSED_DEPTHWISE_CONV2D = 'FusedDepthwiseConv2dNative' # The grappler op name for fused MatMul which starts with '_' FUSED_MATMUL = '_FusedMatMul' def node_from_map(node_map, name): """Pulls a node def from a dictionary for a given name. Args: node_map: Dictionary containing an entry indexed by name for every node. name: Identifies the node we want to find. Returns: NodeDef of the node with the given name. Raises: ValueError: If the node isn't present in the dictionary. """ stripped_name = node_name_from_input(name) if stripped_name not in node_map: raise ValueError("No node named '%s' found in map." % name) return node_map[stripped_name] def values_from_const(node_def): """Extracts the values from a const NodeDef as a numpy ndarray. Args: node_def: Const NodeDef that has the values we want to access. Returns: Numpy ndarray containing the values. Raises: ValueError: If the node isn't a Const. """ if node_def.op != "Const": raise ValueError( "Node named '%s' should be a Const op for values_from_const." % node_def.name) input_tensor = node_def.attr["value"].tensor tensor_value = tensor_util.MakeNdarray(input_tensor) return tensor_value # Whether to scale by gamma after normalization. def scale_after_normalization(node): if node.op == "BatchNormWithGlobalNormalization": return node.attr["scale_after_normalization"].b return True def node_name_from_input(node_name): """Strips off ports and other decorations to get the underlying node name.""" if node_name.startswith("^"): node_name = node_name[1:] m = re.search(r"(.*):\d+$", node_name) if m: node_name = m.group(1) return node_name def cleanup_graph_def(input_graph_def, nodes_to_skip, inputs_to_remove): """Clean up the graph def by removing the skipped nodes and clean up the nodes with inputs that have been removed. Args: input_graph_def: GraphDef object to be cleaned. node_to_skip: Dict with node names to be skipped. inputs_to_remove: List of nodes to be removed from inputs of all nodes. Returns: GraphDef that has been cleaned. """ result_graph_def = graph_pb2.GraphDef() for node in input_graph_def.node: if node.name in nodes_to_skip: continue new_node = node_def_pb2.NodeDef() new_node.CopyFrom(node) for value in inputs_to_remove: for i, input_node in enumerate(new_node.input): if input_node == value.name: new_node.input[i] = value.input[0] result_graph_def.node.extend([new_node]) result_graph_def.library.CopyFrom(input_graph_def.library) result_graph_def.versions.CopyFrom(input_graph_def.versions) return result_graph_def
33.849057
80
0.726031
0
0
0
0
0
0
0
0
2,035
0.567168
b980be1e0d2b8db749e25a4f49c35cdddbdca9d9
1,650
py
Python
tt/urls.py
samiksha-patil/Knowledge-Sharing-Platform
22e61a659d5ad63fe656fa639dc897cbdebad4fe
[ "bzip2-1.0.6" ]
1
2021-05-09T08:18:49.000Z
2021-05-09T08:18:49.000Z
tt/urls.py
samiksha-patil/Knowledge-Sharing-Platform
22e61a659d5ad63fe656fa639dc897cbdebad4fe
[ "bzip2-1.0.6" ]
9
2021-03-19T01:11:35.000Z
2022-03-12T00:20:13.000Z
tt/urls.py
samiksha-patil/Knowledge-Sharing-Platform
22e61a659d5ad63fe656fa639dc897cbdebad4fe
[ "bzip2-1.0.6" ]
null
null
null
""" tt URL Configuration The `urlpatterns` list routes URLs to views. For more information please see: https://docs.djangoproject.com/en/2.1/topics/http/urls/ Examples: Function views 1. Add an import: from my_app import views 2. Add a URL to urlpatterns: path('', views.home, name='home') Class-based views 1. Add an import: from other_app.views import Home 2. Add a URL to urlpatterns: path('', Home.as_view(), name='home') Including another URLconf 1. Import the include() function: from django.urls import include, path 2. Add a URL to urlpatterns: path('blog/', include('blog.urls')) """ # Uncomment next two lines to enable admin: from django.contrib import admin from django.urls import path, include from users import views as user_views from django.contrib.auth import views as auth_views from upload import views as upload_views from django.conf import settings from django.conf.urls.static import static urlpatterns = [ # Uncomment the next line to enable the admin: path('admin/', admin.site.urls), path('', include('blog.urls')), path('register/', user_views.register, name='register'), path('login/',auth_views.LoginView.as_view(template_name='users/login.html'),name='login'), path('logout/',auth_views.LogoutView.as_view(template_name='users/logout.html') ,name='logout'), path('profile/', user_views.profile, name='profile'), path('book/',upload_views.book_list,name='book_list'), path('book/upload',upload_views.upload_book,name='upload_book'), ] if settings.DEBUG: urlpatterns += static(settings.MEDIA_URL, document_root=settings.MEDIA_ROOT)
35.869565
100
0.726061
0
0
0
0
0
0
0
0
890
0.539394