hexsha stringlengths 40 40 | size int64 3 1.03M | ext stringclasses 10
values | lang stringclasses 1
value | max_stars_repo_path stringlengths 3 972 | max_stars_repo_name stringlengths 6 130 | max_stars_repo_head_hexsha stringlengths 40 78 | max_stars_repo_licenses listlengths 1 10 | max_stars_count int64 1 191k ⌀ | 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 972 | max_issues_repo_name stringlengths 6 130 | max_issues_repo_head_hexsha stringlengths 40 78 | max_issues_repo_licenses listlengths 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 972 | max_forks_repo_name stringlengths 6 130 | max_forks_repo_head_hexsha stringlengths 40 78 | max_forks_repo_licenses listlengths 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 3 1.03M | avg_line_length float64 1.13 941k | max_line_length int64 2 941k | alphanum_fraction float64 0 1 |
|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|
ce6a4c03daae6bc47072cddd9cbe2cac05f8e41f | 1,535 | py | Python | lte/gateway/python/magma/pipelined/qos/tc_ops.py | rdefosse/magma | d12ac827d0cdb39f499ce202e9e1196cc50b68d7 | [
"BSD-3-Clause"
] | 1 | 2021-11-03T21:37:26.000Z | 2021-11-03T21:37:26.000Z | lte/gateway/python/magma/pipelined/qos/tc_ops.py | rdefosse/magma | d12ac827d0cdb39f499ce202e9e1196cc50b68d7 | [
"BSD-3-Clause"
] | 143 | 2020-09-08T06:24:23.000Z | 2022-03-29T05:56:53.000Z | lte/gateway/python/magma/pipelined/qos/tc_ops.py | hixio-mh/magma | 2602de5cecd590c1f30a1c798feb2e78b58f5de7 | [
"BSD-3-Clause"
] | 2 | 2021-05-27T18:15:16.000Z | 2021-05-27T18:41:39.000Z | """
Copyright 2021 The Magma Authors.
This source code is licensed under the BSD-style license found in the
LICENSE file in the root directory of this source tree.
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 (
absolute_import,
division,
print_function,
unicode_literals,
)
from abc import ABC, abstractmethod
class TcOpsBase(ABC):
"""
Implements TC lower level operations to create scheduler and filters.
Each function has all argments required to create TC object.
There is minimal state maintained in object.
"""
@abstractmethod
def create_htb(self, iface: str, qid: str, max_bw: str, rate:str,
parent_qid: str = None) -> int:
"""
Create HTB scheduler
"""
...
@abstractmethod
def del_htb(self, iface: str, qid: str) -> int:
"""
Delete HTB scheduler
"""
...
@abstractmethod
def create_filter(self, iface: str, mark: str, qid: str, proto: int = 3) -> int:
"""
Create FW filter
"""
...
@abstractmethod
def del_filter(self, iface: str, mark: str, qid: str, proto: int = 3) -> int:
"""
Delete FW filter
"""
...
| 26.016949 | 84 | 0.63127 |
1f14a844461fbfff4f907ba4992117b196bea35c | 3,771 | py | Python | tests/test_threading.py | lotapp/loguru | 19ec234db32a05c46bfe837d71eabaa28bac5577 | [
"MIT"
] | null | null | null | tests/test_threading.py | lotapp/loguru | 19ec234db32a05c46bfe837d71eabaa28bac5577 | [
"MIT"
] | null | null | null | tests/test_threading.py | lotapp/loguru | 19ec234db32a05c46bfe837d71eabaa28bac5577 | [
"MIT"
] | 1 | 2019-04-03T03:06:29.000Z | 2019-04-03T03:06:29.000Z | from threading import Thread, Barrier
import itertools
from loguru import logger
import time
class NonSafeSink:
def __init__(self, sleep_time):
self.sleep_time = sleep_time
self.written = ""
self.stopped = False
def write(self, message):
if self.stopped:
raise RuntimeError("Can't write on stopped sink")
length = len(message)
self.written += message[:length]
time.sleep(self.sleep_time)
self.written += message[length:]
def stop(self):
self.stopped = True
def test_safe_logging():
barrier = Barrier(2)
counter = itertools.count()
sink = NonSafeSink(1)
logger.add(sink, format="{message}", catch=False)
def threaded():
barrier.wait()
logger.info("___{}___", next(counter))
threads = [Thread(target=threaded) for _ in range(2)]
for thread in threads:
thread.start()
for thread in threads:
thread.join()
logger.stop()
assert sink.written in ("___0___\n___1___\n", "___1___\n___0___\n")
def test_safe_adding_while_logging(writer):
barrier = Barrier(2)
counter = itertools.count()
sink_1 = NonSafeSink(1)
sink_2 = NonSafeSink(1)
logger.add(sink_1, format="{message}", catch=False)
def thread_1():
barrier.wait()
logger.info("aaa{}bbb", next(counter))
def thread_2():
barrier.wait()
time.sleep(0.5)
logger.add(sink_2, format="{message}", catch=False)
logger.info("ccc{}ddd", next(counter))
threads = [Thread(target=thread_1), Thread(target=thread_2)]
for thread in threads:
thread.start()
for thread in threads:
thread.join()
logger.stop()
assert sink_1.written == "aaa0bbb\nccc1ddd\n"
assert sink_2.written == "ccc1ddd\n"
def test_safe_removing_while_logging():
barrier = Barrier(2)
counter = itertools.count()
sink_1 = NonSafeSink(1)
sink_2 = NonSafeSink(1)
a = logger.add(sink_1, format="{message}", catch=False)
b = logger.add(sink_2, format="{message}", catch=False)
def thread_1():
barrier.wait()
logger.info("aaa{}bbb", next(counter))
def thread_2():
barrier.wait()
time.sleep(0.5)
logger.remove(a)
logger.info("ccc{}ddd", next(counter))
threads = [Thread(target=thread_1), Thread(target=thread_2)]
for thread in threads:
thread.start()
for thread in threads:
thread.join()
logger.stop()
assert sink_1.written == "aaa0bbb\n"
assert sink_2.written == "aaa0bbb\nccc1ddd\n"
def test_safe_writing_after_removing(capsys):
barrier = Barrier(2)
i = logger.add(NonSafeSink(1), format="{message}", catch=False)
j = logger.add(NonSafeSink(1), format="{message}", catch=False)
def write():
barrier.wait()
logger.info("Writing")
def remove():
barrier.wait()
time.sleep(0.5)
logger.remove(j)
threads = [Thread(target=write), Thread(target=remove)]
for thread in threads:
thread.start()
for thread in threads:
thread.join()
logger.stop()
out, err = capsys.readouterr()
assert out == ""
assert err == ""
def test_heavily_threaded_logging(capsys):
logger.remove()
def function():
i = logger.add(NonSafeSink(0.1), format="{message}", catch=False)
logger.debug("AAA")
logger.info("BBB")
logger.success("CCC")
logger.remove(i)
threads = [Thread(target=function) for _ in range(10)]
for thread in threads:
thread.start()
for thread in threads:
thread.join()
logger.stop()
out, err = capsys.readouterr()
assert out == ""
assert err == ""
| 22.446429 | 73 | 0.612304 |
d6e53f5295e615030a860afc4b2e9b24fa416d4a | 8,073 | py | Python | SC101_Projects/SC101_Assignment2/breakoutgraphics.py | TobyCCC/MystanCodeProJects | fac747e681875777b5d40bac3bcfebe204ca44f8 | [
"MIT"
] | null | null | null | SC101_Projects/SC101_Assignment2/breakoutgraphics.py | TobyCCC/MystanCodeProJects | fac747e681875777b5d40bac3bcfebe204ca44f8 | [
"MIT"
] | null | null | null | SC101_Projects/SC101_Assignment2/breakoutgraphics.py | TobyCCC/MystanCodeProJects | fac747e681875777b5d40bac3bcfebe204ca44f8 | [
"MIT"
] | null | null | null | """
stanCode Breakout Project
Adapted from Eric Roberts's Breakout by
Sonja Johnson-Yu, Kylie Jue, Nick Bowman,
and Jerry Liao
YOUR DESCRIPTION HERE
"""
from campy.graphics.gwindow import GWindow
from campy.graphics.gobjects import GOval, GRect, GLabel
from campy.gui.events.mouse import onmouseclicked, onmousemoved
import random
BRICK_SPACING = 5 # Space between bricks (in pixels). This space is used for horizontal and vertical spacing.
BRICK_WIDTH = 40 # Height of a brick (in pixels).
BRICK_HEIGHT = 15 # Height of a brick (in pixels).
BRICK_ROWS = 10 # Number of rows of bricks.
BRICK_COLS = 10 # Number of columns of bricks.
BRICK_OFFSET = 50 # Vertical offset of the topmost brick from the window top (in pixels).
BALL_RADIUS = 10 # Radius of the ball (in pixels).
PADDLE_WIDTH = 75 # Width of the paddle (in pixels).
PADDLE_HEIGHT = 15 # Height of the paddle (in pixels).
PADDLE_OFFSET = 50 # Vertical offset of the paddle from the window bottom (in pixels).
INITIAL_Y_SPEED = 7 # Initial vertical speed for the ball.
MAX_X_SPEED = 5 # Maximum initial horizontal speed for the ball.
class BreakoutGraphics:
def __init__(self, ball_radius = BALL_RADIUS, paddle_width = PADDLE_WIDTH,
paddle_height = PADDLE_HEIGHT, paddle_offset = PADDLE_OFFSET,
brick_rows = BRICK_ROWS, brick_cols = BRICK_COLS,
brick_width = BRICK_WIDTH, brick_height = BRICK_HEIGHT,
brick_offset = BRICK_OFFSET, brick_spacing = BRICK_SPACING,
title='Breakout'):
# Create a graphical window, with some extra space
window_width = brick_rows * (brick_width + brick_spacing) - brick_spacing
window_height = brick_offset + 3 * (brick_cols * (brick_height + brick_spacing) - brick_spacing)
self.window = GWindow(width=window_width, height=window_height, title=title)
# Create a paddle
self.paddle = GRect(paddle_width, paddle_height)
self.paddle.filled = True
self.window.add(self.paddle, (window_width-paddle_width)/2, window_height-paddle_offset-paddle_height)
# Center a filled ball in the graphical window
self.ball = GOval(ball_radius*2, ball_radius*2)
self.ball.filled = True
self.window.add(self.ball, window_width/2-ball_radius, window_height/2-ball_radius)
# Default initial velocity for the ball
self.__dx, self.__dy = self.v_set()
# Initialize our mouse listeners
self.__game_start = False # 判斷遊戲是否開始
onmousemoved(self.mouse_move)
onmouseclicked(self.on_set)
# Draw bricks
self._brick_offset = brick_offset
self._brick_width = brick_width
self._brick_height = brick_height
self._brick_spacing = brick_spacing
self.brick_rows = brick_rows
self.brick_cols = brick_cols
self.__build_brick_col()
# Create score board
self.score = 0
self.score_board = GLabel(f"Score : {self.score}")
self.score_board.font = "Comic Sans MS-15"
self.window.add(self.score_board, 3, self.score_board.height+15)
@staticmethod
def v_set():
"""
設定速度
:return:(dx, dy), int
"""
vx = random.randint(1, MAX_X_SPEED)
if random.random() > 0.5:
vx *= -1
vy = INITIAL_Y_SPEED
return vx, vy
def get_speed(self):
"""
回傳給user端dx和dy
:return: (dx, dy), int
"""
return self.__dx, self.__dy
def game_start(self):
"""
回報遊戲是否開始
"""
return self.__game_start
def mouse_move(self, mouse):
position = mouse.x - self.paddle.width / 2 # 由滑鼠位置反推paddle的位置
if position <= 0:
self.paddle.x = 0
elif position >= self.window.width-self.paddle.width:
self.paddle.x = self.window.width-self.paddle.width
else:
self.paddle.x = position
def on_set(self, mouse):
self.__game_start = True # 回傳遊戲開始
def __build_brick_col(self):
"""
由上至下建造所有的brick
"""
for i in range(0, self.brick_cols):
color = i * 255 // (self.brick_cols + 1) # 設定灰階顏色
self.__build_brick_row(self._brick_offset + i * (self._brick_spacing + self._brick_height),
color)
def __build_brick_row(self, build_height, gray_scale):
"""
build_height: int, 建造的高度
gray_scale: int, RGB值
"""
for i in range(0, self.brick_rows):
a_brick = self.__build_a_brick(gray_scale)
self.window.add(a_brick, i*(self._brick_width+self._brick_spacing), build_height)
def __build_a_brick(self, gray_scale):
"""
gray_scale: int, RGB值
:return: obj, 建造好的brick
"""
brick = GRect(self._brick_width, self._brick_height)
brick.filled = True
brick.color = (gray_scale, gray_scale, gray_scale)
brick.fill_color = (gray_scale, gray_scale, gray_scale)
return brick
def reset_ball_position(self):
"""
把球重置到畫面中央,速度重設
"""
self.ball.x = (self.window.width-self.ball.width)/2
self.ball.y = (self.window.height-self.ball.height)/2
self.__dx, self.__dy = self.v_set()
def hit_paddle(self):
"""
判斷是否打到paddle
:return: boolean
"""
maybe_paddle = self.window.get_object_at(self.ball.x, self.ball.y+self.ball.height)
if maybe_paddle is not None and maybe_paddle == self.paddle:
return True
else:
maybe_paddle = self.window.get_object_at(self.ball.x + self.ball.width, self.ball.y + self.ball.height)
if maybe_paddle is not None and maybe_paddle == self.paddle:
return True
else:
return False
def rebound_x(self):
"""
將dx變號
"""
self.__dx *= -1
def rebound_y(self):
"""
將dy變號
"""
self.__dy *= -1
def hit_block(self):
"""
判斷是否打到block,並且設定打到磚塊後的反彈速度
:return: boolean
"""
# 判斷是否打到磚塊
maybe_block = self.window.get_object_at(self.ball.x, self.ball.y)
if maybe_block is None or maybe_block == self.paddle or maybe_block == self.score_board:
maybe_block = self.window.get_object_at(self.ball.x+self.ball.width, self.ball.y)
if maybe_block is None or maybe_block == self.paddle or maybe_block == self.score_board:
maybe_block = self.window.get_object_at(self.ball.x, self.ball.y+self.ball.height)
if maybe_block is None or maybe_block == self.paddle or maybe_block == self.score_board:
maybe_block = self.window.get_object_at(self.ball.x+self.ball.width, self.ball.y + self.ball.height)
if maybe_block is None or maybe_block == self.paddle or maybe_block == self.score_board:
return False
# 判斷打到磚塊的何處,計算反彈
ball_on_top = maybe_block.y - self.ball.y > self.ball.height-INITIAL_Y_SPEED and maybe_block.y - self.ball.y <= self.ball.height
ball_under_buttom = self.ball.y-maybe_block.y > self._brick_height-INITIAL_Y_SPEED and self.ball.y-maybe_block.y <= self._brick_height
ball_is_left = maybe_block.x - self.ball.x > self.ball.width-abs(self.__dx) and maybe_block.x - self.ball.x <= self.ball.width
ball_is_right = self.ball.x-maybe_block.x > self._brick_width-abs(self.__dx) and self.ball.x-maybe_block.x <= self._brick_width
if ball_on_top or ball_under_buttom:
self.rebound_y()
if ball_is_left or ball_is_right: # 也可用elif會比較正常,因為大部分是打到磚塊上下
self.rebound_x()
self.window.remove(maybe_block)
self.score += 10 # 打到磚塊後的得分
return True
| 39.18932 | 142 | 0.616871 |
ccd0b7dc72bf45066e97e2a5d6a06d5ba7a0e501 | 1,204 | py | Python | 20201005/homework.py | ObukhovVladislav/python-basics | 268af015fdd3392fd77783b38ef74be2ca6db7da | [
"Apache-2.0"
] | null | null | null | 20201005/homework.py | ObukhovVladislav/python-basics | 268af015fdd3392fd77783b38ef74be2ca6db7da | [
"Apache-2.0"
] | null | null | null | 20201005/homework.py | ObukhovVladislav/python-basics | 268af015fdd3392fd77783b38ef74be2ca6db7da | [
"Apache-2.0"
] | null | null | null | class Student:
def __init__(self):
self.name = None
self.surname = None
self.patronymic = None
self.group_number = None
self.student_card = None
self.gradebook = None
class Teacher:
def __init__(self):
self.name = None
self.surname = None
self.patronymic = None
self.discipline = None
class StudyGroup:
def __init__(self):
self.number = None
self.number_of_students = None
self.specialty = None
self.curator = None
class College:
def __init__(self):
self.college_name = None
self.administration = None
self.number_of_students = None
self.specialties = None
class Exam:
def __init__(self):
self.mark = None
self.teacher = None
self.discipline = None
self.student = None
class StudentOnTheExam:
def __init__(self):
self.mark = None
self.teacher = None
self.discipline = None
self.gradebook = None
class Car:
def __init__(self):
self.engine = None
self.color = None
self.brand = None
self.mark = None
self.type = None
| 20.40678 | 38 | 0.584718 |
8ee4ba7a3f42df59cf603e31442f01323788919a | 847 | py | Python | imsearch/repository/__init__.py | x0rzkov/imsearch | d39d08ef77c48435c9f333134cafe41a9ca95da9 | [
"Apache-2.0"
] | 64 | 2019-01-16T10:06:37.000Z | 2022-03-24T03:17:48.000Z | imsearch/repository/__init__.py | x0rzkov/imsearch | d39d08ef77c48435c9f333134cafe41a9ca95da9 | [
"Apache-2.0"
] | 8 | 2020-03-08T18:18:56.000Z | 2020-09-09T03:20:21.000Z | imsearch/repository/__init__.py | x0rzkov/imsearch | d39d08ef77c48435c9f333134cafe41a9ca95da9 | [
"Apache-2.0"
] | 13 | 2020-01-30T09:37:57.000Z | 2022-03-09T08:20:45.000Z | from ..exception import InvalidAttributeError
from .mongo import MongoRepository
def get_repository(index_name, repo_type):
repo = MongoRepository(index_name)
return RepositoryWrapper(repo)
class RepositoryWrapper:
def __init__(self, repo):
self.db = repo
def clean(self):
self.db.clean()
def insert(self, data):
if isinstance(data, dict):
return self.db.insert_one(data)
if isinstance(data, list):
return self.db.insert_many(data)
raise InvalidAttributeError(
data, 'data of type dict or list expected, got {}'.format(type(data)))
def find(self, query, many=False):
if many:
return self.db.find(query)
else:
return self.db.find_one(query)
def dump(self):
return self.db.find({})
| 23.527778 | 82 | 0.624557 |
cc0f22d969e0e63a7f63d237edc68a7fbcd15000 | 32,453 | gyp | Python | chrome/test/data/nacl/nacl_test_data.gyp | iplo/Chain | 8bc8943d66285d5258fffc41bed7c840516c4422 | [
"BSD-3-Clause-No-Nuclear-License-2014",
"BSD-3-Clause"
] | 231 | 2015-01-08T09:04:44.000Z | 2021-12-30T03:03:10.000Z | chrome/test/data/nacl/nacl_test_data.gyp | JasonEric/chromium | c7361d39be8abd1574e6ce8957c8dbddd4c6ccf7 | [
"BSD-3-Clause-No-Nuclear-License-2014",
"BSD-3-Clause"
] | 1 | 2017-02-14T21:55:58.000Z | 2017-02-14T21:55:58.000Z | chrome/test/data/nacl/nacl_test_data.gyp | JasonEric/chromium | c7361d39be8abd1574e6ce8957c8dbddd4c6ccf7 | [
"BSD-3-Clause-No-Nuclear-License-2014",
"BSD-3-Clause"
] | 268 | 2015-01-21T05:53:28.000Z | 2022-03-25T22:09:01.000Z | # Copyright (c) 2012 The Chromium Authors. All rights reserved.
# Use of this source code is governed by a BSD-style license that can be
# found in the LICENSE file.
{
'includes': [
'../../../../ppapi/ppapi_nacl_test_common.gypi',
],
'targets': [
{
'target_name': 'shared_test_files',
'type': 'none',
'variables': {
'build_newlib': 1,
'build_glibc': 1,
'build_pnacl_newlib': 1,
'nexe_destination_dir': 'nacl_test_data',
'test_files': [
# TODO(ncbray) move into chrome/test/data/nacl when all tests are
# converted.
'<(DEPTH)/ppapi/native_client/tests/ppapi_browser/progress_event_listener.js',
'<(DEPTH)/ppapi/native_client/tools/browser_tester/browserdata/nacltest.js',
# Files that aren't assosiated with any particular executable.
'bad/ppapi_bad.html',
'bad/ppapi_bad.js',
'bad/ppapi_bad_native.html',
'bad/ppapi_bad_doesnotexist.nmf',
'bad/ppapi_bad_magic.nmf',
'bad/ppapi_bad_manifest_uses_nexes.nmf',
'bad/ppapi_bad_manifest_bad_files.nmf',
'bad/ppapi_bad_manifest_nexe_arch.nmf',
'crash/ppapi_crash.html',
'manifest_file/test_file.txt',
],
},
},
{
'target_name': 'simple_test',
'type': 'none',
'variables': {
'nexe_target': 'simple',
'build_newlib': 1,
'build_glibc': 1,
'build_pnacl_newlib': 1,
'nexe_destination_dir': 'nacl_test_data',
'sources': [
'simple.cc',
],
'test_files': [
'nacl_load_test.html',
],
},
},
{
'target_name': 'exit_status_test',
'type': 'none',
'variables': {
'nexe_target': 'pm_exit_status_test',
'build_newlib': 1,
'build_glibc': 1,
'build_pnacl_newlib': 1,
'nexe_destination_dir': 'nacl_test_data',
'sources': [
'exit_status/pm_exit_status_test.cc',
],
'test_files': [
'exit_status/pm_exit_status_test.html',
],
},
},
{
'target_name': 'sysconf_nprocessors_onln_test',
'type': 'none',
'variables': {
'nexe_target': 'sysconf_nprocessors_onln_test',
'build_newlib': 1,
'build_glibc': 1,
'build_pnacl_newlib': 1,
'nexe_destination_dir': 'nacl_test_data',
'sources': [
'sysconf_nprocessors_onln/sysconf_nprocessors_onln_test.cc',
],
'test_files': [
'sysconf_nprocessors_onln/sysconf_nprocessors_onln_test.html',
],
},
},
{
'target_name': 'ppapi_test_lib',
'type': 'none',
'variables': {
'nlib_target': 'libppapi_test_lib.a',
'nso_target': 'libppapi_test_lib.so',
'build_newlib': 1,
'build_glibc': 1,
'build_pnacl_newlib': 1,
'nexe_destination_dir': 'nacl_test_data',
'sources': [
# TODO(ncbray) move these files once SCons no longer depends on them.
'../../../../ppapi/native_client/tests/ppapi_test_lib/get_browser_interface.cc',
'../../../../ppapi/native_client/tests/ppapi_test_lib/internal_utils.cc',
'../../../../ppapi/native_client/tests/ppapi_test_lib/module_instance.cc',
'../../../../ppapi/native_client/tests/ppapi_test_lib/testable_callback.cc',
'../../../../ppapi/native_client/tests/ppapi_test_lib/test_interface.cc',
]
},
'dependencies': [
'<(DEPTH)/native_client/tools.gyp:prep_toolchain',
],
},
{
'target_name': 'nacl_ppapi_util',
'type': 'none',
'variables': {
'nlib_target': 'libnacl_ppapi_util.a',
'nso_target': 'libnacl_ppapi_util.so',
'build_newlib': 1,
'build_glibc': 1,
'build_pnacl_newlib': 1,
'nexe_destination_dir': 'nacl_test_data',
'sources': [
# TODO(ncbray) move these files once SCons no longer depends on them.
'../../../../ppapi/native_client/src/untrusted/nacl_ppapi_util/string_buffer.cc',
'../../../../ppapi/native_client/src/untrusted/nacl_ppapi_util/nacl_ppapi_util.cc',
'../../../../ppapi/native_client/src/untrusted/nacl_ppapi_util/ppapi_srpc_main.c',
]
},
'dependencies': [
'<(DEPTH)/native_client/tools.gyp:prep_toolchain',
],
},
{
'target_name': 'ppapi_progress_events',
'type': 'none',
'variables': {
'nexe_target': 'ppapi_progress_events',
'build_newlib': 1,
'build_glibc': 1,
'build_pnacl_newlib': 1,
'nexe_destination_dir': 'nacl_test_data',
'link_flags': [
'-lppapi',
'-lppapi_test_lib',
'-lplatform',
'-lgio',
],
'sources': [
'progress_events/ppapi_progress_events.cc',
],
'test_files': [
'progress_events/ppapi_progress_events.html',
],
},
'dependencies': [
'<(DEPTH)/native_client/tools.gyp:prep_toolchain',
'<(DEPTH)/native_client/src/shared/platform/platform.gyp:platform_lib',
'<(DEPTH)/native_client/src/shared/gio/gio.gyp:gio_lib',
'<(DEPTH)/ppapi/native_client/native_client.gyp:ppapi_lib',
'<(DEPTH)/ppapi/ppapi_untrusted.gyp:ppapi_cpp_lib',
'ppapi_test_lib',
],
},
{
'target_name': 'ppapi_bad_ppp_initialize',
'type': 'none',
'variables': {
'nexe_target': 'ppapi_bad_ppp_initialize',
'build_newlib': 1,
'build_glibc': 0,
'build_pnacl_newlib': 0,
'nexe_destination_dir': 'nacl_test_data',
'link_flags': [
'-lppapi',
'-lplatform',
'-lgio',
],
'sources': [
'bad/ppapi_bad_ppp_initialize.cc',
],
},
'dependencies': [
'<(DEPTH)/native_client/tools.gyp:prep_toolchain',
'<(DEPTH)/native_client/src/shared/platform/platform.gyp:platform_lib',
'<(DEPTH)/native_client/src/shared/gio/gio.gyp:gio_lib',
'<(DEPTH)/ppapi/native_client/native_client.gyp:ppapi_lib',
],
},
{
'target_name': 'ppapi_bad_ppp_initialize_crash',
'type': 'none',
'variables': {
'nexe_target': 'ppapi_bad_ppp_initialize_crash',
'build_newlib': 1,
'build_glibc': 0,
'build_pnacl_newlib': 0,
'nexe_destination_dir': 'nacl_test_data',
'link_flags': [
'-lppapi',
'-lplatform',
'-lgio',
],
'sources': [
'bad/ppapi_bad_ppp_initialize_crash.cc',
],
},
'dependencies': [
'<(DEPTH)/native_client/tools.gyp:prep_toolchain',
'<(DEPTH)/native_client/src/shared/platform/platform.gyp:platform_lib',
'<(DEPTH)/native_client/src/shared/gio/gio.gyp:gio_lib',
'<(DEPTH)/ppapi/native_client/native_client.gyp:ppapi_lib',
],
},
{
'target_name': 'ppapi_bad_no_ppp_instance',
'type': 'none',
'variables': {
'nexe_target': 'ppapi_bad_no_ppp_instance',
'build_newlib': 1,
'build_glibc': 0,
'build_pnacl_newlib': 0,
'nexe_destination_dir': 'nacl_test_data',
'link_flags': [
'-lppapi',
'-lplatform',
'-lgio',
],
'sources': [
'bad/ppapi_bad_no_ppp_instance.cc',
],
},
'dependencies': [
'<(DEPTH)/native_client/tools.gyp:prep_toolchain',
'<(DEPTH)/native_client/src/shared/platform/platform.gyp:platform_lib',
'<(DEPTH)/native_client/src/shared/gio/gio.gyp:gio_lib',
'<(DEPTH)/ppapi/native_client/native_client.gyp:ppapi_lib',
],
},
{
'target_name': 'ppapi_bad_get_ppp_instance_crash',
'type': 'none',
'variables': {
'nexe_target': 'ppapi_bad_get_ppp_instance_crash',
'build_newlib': 1,
'build_glibc': 0,
'build_pnacl_newlib': 0,
'nexe_destination_dir': 'nacl_test_data',
'link_flags': [
'-lppapi',
'-lplatform',
'-lgio',
],
'sources': [
'bad/ppapi_bad_get_ppp_instance_crash.cc',
],
},
'dependencies': [
'<(DEPTH)/native_client/tools.gyp:prep_toolchain',
'<(DEPTH)/native_client/src/shared/platform/platform.gyp:platform_lib',
'<(DEPTH)/native_client/src/shared/gio/gio.gyp:gio_lib',
'<(DEPTH)/ppapi/native_client/native_client.gyp:ppapi_lib',
],
},
{
'target_name': 'ppapi_bad_ppp_instance_didcreate',
'type': 'none',
'variables': {
'nexe_target': 'ppapi_bad_ppp_instance_didcreate',
'build_newlib': 1,
'build_glibc': 0,
'build_pnacl_newlib': 0,
'nexe_destination_dir': 'nacl_test_data',
'link_flags': [
'-lppapi',
'-lplatform',
'-lgio',
],
'sources': [
'bad/ppapi_bad_ppp_instance_didcreate.cc',
],
},
'dependencies': [
'<(DEPTH)/native_client/tools.gyp:prep_toolchain',
'<(DEPTH)/native_client/src/shared/platform/platform.gyp:platform_lib',
'<(DEPTH)/native_client/src/shared/gio/gio.gyp:gio_lib',
'<(DEPTH)/ppapi/native_client/native_client.gyp:ppapi_lib',
],
},
{
'target_name': 'ppapi_bad_ppp_instance_didcreate_crash',
'type': 'none',
'variables': {
'nexe_target': 'ppapi_bad_ppp_instance_didcreate_crash',
'build_newlib': 1,
'build_glibc': 0,
'build_pnacl_newlib': 0,
'nexe_destination_dir': 'nacl_test_data',
'link_flags': [
'-lppapi',
'-lplatform',
'-lgio',
],
'sources': [
'bad/ppapi_bad_ppp_instance_didcreate_crash.cc',
],
},
'dependencies': [
'<(DEPTH)/native_client/tools.gyp:prep_toolchain',
'<(DEPTH)/native_client/src/shared/platform/platform.gyp:platform_lib',
'<(DEPTH)/native_client/src/shared/gio/gio.gyp:gio_lib',
'<(DEPTH)/ppapi/native_client/native_client.gyp:ppapi_lib',
],
},
{
'target_name': 'ppapi_crash_via_check_failure',
'type': 'none',
'variables': {
'nexe_target': 'ppapi_crash_via_check_failure',
'build_newlib': 1,
'build_glibc': 1,
'build_pnacl_newlib': 1,
'nexe_destination_dir': 'nacl_test_data',
'link_flags': [
'-lppapi',
'-lppapi_test_lib',
'-lplatform',
'-lgio',
],
'sources': [
'crash/ppapi_crash_via_check_failure.cc',
],
},
'dependencies': [
'<(DEPTH)/native_client/tools.gyp:prep_toolchain',
'<(DEPTH)/native_client/src/shared/platform/platform.gyp:platform_lib',
'<(DEPTH)/native_client/src/shared/gio/gio.gyp:gio_lib',
'<(DEPTH)/ppapi/native_client/native_client.gyp:ppapi_lib',
'<(DEPTH)/ppapi/ppapi_untrusted.gyp:ppapi_cpp_lib',
'ppapi_test_lib',
],
},
{
'target_name': 'ppapi_crash_via_exit_call',
'type': 'none',
'variables': {
'nexe_target': 'ppapi_crash_via_exit_call',
'build_newlib': 1,
'build_glibc': 1,
'build_pnacl_newlib': 1,
'nexe_destination_dir': 'nacl_test_data',
'link_flags': [
'-lppapi',
'-lppapi_test_lib',
'-lplatform',
'-lgio',
],
'sources': [
'crash/ppapi_crash_via_exit_call.cc',
],
},
'dependencies': [
'<(DEPTH)/native_client/tools.gyp:prep_toolchain',
'<(DEPTH)/native_client/src/shared/platform/platform.gyp:platform_lib',
'<(DEPTH)/native_client/src/shared/gio/gio.gyp:gio_lib',
'<(DEPTH)/ppapi/native_client/native_client.gyp:ppapi_lib',
'<(DEPTH)/ppapi/ppapi_untrusted.gyp:ppapi_cpp_lib',
'ppapi_test_lib',
],
},
{
'target_name': 'ppapi_crash_in_callback',
'type': 'none',
'variables': {
'nexe_target': 'ppapi_crash_in_callback',
'build_newlib': 1,
'build_glibc': 1,
'build_pnacl_newlib': 1,
'nexe_destination_dir': 'nacl_test_data',
'link_flags': [
'-lppapi',
'-lppapi_test_lib',
'-lplatform',
'-lgio',
],
'sources': [
'crash/ppapi_crash_in_callback.cc',
],
},
'dependencies': [
'<(DEPTH)/native_client/tools.gyp:prep_toolchain',
'<(DEPTH)/native_client/src/shared/platform/platform.gyp:platform_lib',
'<(DEPTH)/native_client/src/shared/gio/gio.gyp:gio_lib',
'<(DEPTH)/ppapi/native_client/native_client.gyp:ppapi_lib',
'<(DEPTH)/ppapi/ppapi_untrusted.gyp:ppapi_cpp_lib',
'ppapi_test_lib',
],
},
{
'target_name': 'ppapi_crash_off_main_thread',
'type': 'none',
'variables': {
'nexe_target': 'ppapi_crash_off_main_thread',
'build_newlib': 1,
'build_glibc': 1,
'build_pnacl_newlib': 1,
'nexe_destination_dir': 'nacl_test_data',
'link_flags': [
'-lppapi',
'-lppapi_test_lib',
'-lplatform',
'-lgio',
],
'sources': [
'crash/ppapi_crash_off_main_thread.cc',
],
},
'dependencies': [
'<(DEPTH)/native_client/tools.gyp:prep_toolchain',
'<(DEPTH)/native_client/src/shared/platform/platform.gyp:platform_lib',
'<(DEPTH)/native_client/src/shared/gio/gio.gyp:gio_lib',
'<(DEPTH)/ppapi/native_client/native_client.gyp:ppapi_lib',
'<(DEPTH)/ppapi/ppapi_untrusted.gyp:ppapi_cpp_lib',
'ppapi_test_lib',
],
},
{
'target_name': 'ppapi_crash_ppapi_off_main_thread',
'type': 'none',
'variables': {
'nexe_target': 'ppapi_crash_ppapi_off_main_thread',
'build_newlib': 1,
'build_glibc': 1,
'build_pnacl_newlib': 1,
'nexe_destination_dir': 'nacl_test_data',
'link_flags': [
'-lppapi',
'-lppapi_test_lib',
'-lplatform',
'-lgio',
],
'sources': [
'crash/ppapi_crash_ppapi_off_main_thread.cc',
],
},
'dependencies': [
'<(DEPTH)/native_client/tools.gyp:prep_toolchain',
'<(DEPTH)/native_client/src/shared/platform/platform.gyp:platform_lib',
'<(DEPTH)/native_client/src/shared/gio/gio.gyp:gio_lib',
'<(DEPTH)/ppapi/native_client/native_client.gyp:ppapi_lib',
'<(DEPTH)/ppapi/ppapi_untrusted.gyp:ppapi_cpp_lib',
'ppapi_test_lib',
],
},
{
'target_name': 'pm_redir_test',
'type': 'none',
'variables': {
'nexe_target': 'pm_redir_test',
'build_newlib': 1,
'build_glibc': 1,
'build_pnacl_newlib': 1,
'nexe_destination_dir': 'nacl_test_data',
'link_flags': [
'-lppapi',
'-lplatform',
'-lgio',
],
'sources': [
'postmessage_redir/pm_redir_test.cc',
],
'test_files': [
'postmessage_redir/pm_redir_test.html',
],
},
'dependencies': [
'<(DEPTH)/native_client/tools.gyp:prep_toolchain',
'<(DEPTH)/native_client/src/shared/platform/platform.gyp:platform_lib',
'<(DEPTH)/native_client/src/shared/gio/gio.gyp:gio_lib',
'<(DEPTH)/ppapi/native_client/native_client.gyp:ppapi_lib',
'<(DEPTH)/ppapi/ppapi_untrusted.gyp:ppapi_cpp_lib',
],
},
{
'target_name': 'pm_manifest_file',
'type': 'none',
'variables': {
'nexe_target': 'pm_manifest_file',
'build_newlib': 1,
'build_glibc': 1,
# TODO(ncbray) support file injection into PNaCl manifest.
'build_pnacl_newlib': 0,
'nexe_destination_dir': 'nacl_test_data',
'link_flags': [
'-lnacl_ppapi_util',
'-lppapi_cpp',
'-lppapi',
'-lsrpc',
'-lplatform',
'-lgio',
'-limc',
'-limc_syscalls',
'-lweak_ref',
],
'sources': [
'manifest_file/pm_manifest_file_test.cc',
],
'create_nmf_args_portable': [
'-xtest_file:test_file.txt',
'-xnmf says hello world:test_file.txt',
],
'test_files': [
'manifest_file/pm_manifest_file_test.html',
],
},
'dependencies': [
'<(DEPTH)/native_client/tools.gyp:prep_toolchain',
'<(DEPTH)/ppapi/ppapi_untrusted.gyp:ppapi_cpp_lib',
'<(DEPTH)/ppapi/native_client/native_client.gyp:ppapi_lib',
'<(DEPTH)/native_client/src/shared/srpc/srpc.gyp:srpc_lib',
'<(DEPTH)/native_client/src/shared/platform/platform.gyp:platform_lib',
'<(DEPTH)/native_client/src/shared/gio/gio.gyp:gio_lib',
'<(DEPTH)/native_client/src/shared/imc/imc.gyp:imc_lib',
'<(DEPTH)/native_client/src/untrusted/nacl/nacl.gyp:imc_syscalls_lib',
'<(DEPTH)/native_client/src/trusted/weak_ref/weak_ref.gyp:weak_ref_lib',
'nacl_ppapi_util',
],
},
{
'target_name': 'pm_pre_init_manifest_file',
'type': 'none',
'variables': {
'nexe_target': 'pm_pre_init_manifest_file',
'build_newlib': 1,
'build_glibc': 1,
# TODO(ncbray) support file injection into PNaCl manifest.
'build_pnacl_newlib': 0,
'nexe_destination_dir': 'nacl_test_data',
'link_flags': [
'-lnacl_ppapi_util',
'-lppapi_cpp',
'-lppapi',
'-lsrpc',
'-lplatform',
'-lgio',
'-limc',
'-limc_syscalls',
'-lweak_ref',
],
'sources': [
'manifest_file/pm_pre_init_manifest_file_test.cc',
],
'create_nmf_args_portable': [
'-xtest_file:test_file.txt',
'-xnmf says hello world:test_file.txt',
],
'test_files': [
'manifest_file/pm_pre_init_manifest_file_test.html',
],
},
'dependencies': [
'<(DEPTH)/native_client/tools.gyp:prep_toolchain',
'<(DEPTH)/ppapi/ppapi_untrusted.gyp:ppapi_cpp_lib',
'<(DEPTH)/ppapi/native_client/native_client.gyp:ppapi_lib',
'<(DEPTH)/native_client/src/shared/srpc/srpc.gyp:srpc_lib',
'<(DEPTH)/native_client/src/shared/platform/platform.gyp:platform_lib',
'<(DEPTH)/native_client/src/shared/gio/gio.gyp:gio_lib',
'<(DEPTH)/native_client/src/shared/imc/imc.gyp:imc_lib',
'<(DEPTH)/native_client/src/untrusted/nacl/nacl.gyp:imc_syscalls_lib',
'<(DEPTH)/native_client/src/trusted/weak_ref/weak_ref.gyp:weak_ref_lib',
'nacl_ppapi_util',
],
},
{
'target_name': 'irt_manifest_file',
'type': 'none',
'variables': {
'nexe_target': 'irt_manifest_file',
'build_newlib': 1,
# Linking problems - can't find __nacl_irt_query.
'build_glibc': 0,
# TODO(ncbray) support file injection into PNaCl manifest.
'build_pnacl_newlib': 0,
'nexe_destination_dir': 'nacl_test_data',
'link_flags': [
'-lnacl_ppapi_util',
'-lppapi_cpp',
'-lppapi',
'-lsrpc',
'-lplatform',
'-lgio',
'-limc',
'-limc_syscalls',
'-lweak_ref',
'-lnacl',
],
'sources': [
'manifest_file/irt_manifest_file_test.cc',
],
'create_nmf_args_portable': [
'-xtest_file:test_file.txt',
'-xnmf says hello world:test_file.txt',
],
'test_files': [
'manifest_file/irt_manifest_file_test.html',
],
},
'dependencies': [
'<(DEPTH)/native_client/tools.gyp:prep_toolchain',
'<(DEPTH)/ppapi/ppapi_untrusted.gyp:ppapi_cpp_lib',
'<(DEPTH)/ppapi/native_client/native_client.gyp:ppapi_lib',
'<(DEPTH)/native_client/src/shared/srpc/srpc.gyp:srpc_lib',
'<(DEPTH)/native_client/src/shared/platform/platform.gyp:platform_lib',
'<(DEPTH)/native_client/src/shared/gio/gio.gyp:gio_lib',
'<(DEPTH)/native_client/src/shared/imc/imc.gyp:imc_lib',
'<(DEPTH)/native_client/src/untrusted/nacl/nacl.gyp:imc_syscalls_lib',
'<(DEPTH)/native_client/src/untrusted/nacl/nacl.gyp:nacl_lib',
'<(DEPTH)/native_client/src/trusted/weak_ref/weak_ref.gyp:weak_ref_lib',
'nacl_ppapi_util',
],
},
{
'target_name': 'pm_nameservice_test',
'type': 'none',
'variables': {
'nexe_target': 'pm_nameservice_test',
'build_newlib': 1,
'build_glibc': 1,
'build_pnacl_newlib': 1,
'nexe_destination_dir': 'nacl_test_data',
'link_flags': [
'-lnacl_ppapi_util',
'-lppapi_cpp',
'-lppapi',
'-lsrpc',
'-lplatform',
'-lgio',
'-limc',
'-limc_syscalls',
'-lweak_ref',
],
'sources': [
'nameservice/pm_nameservice_test.cc',
],
'test_files': [
'nameservice/pm_nameservice_test.html',
],
},
'dependencies': [
'<(DEPTH)/native_client/tools.gyp:prep_toolchain',
'<(DEPTH)/ppapi/ppapi_untrusted.gyp:ppapi_cpp_lib',
'<(DEPTH)/ppapi/native_client/native_client.gyp:ppapi_lib',
'<(DEPTH)/native_client/src/shared/srpc/srpc.gyp:srpc_lib',
'<(DEPTH)/native_client/src/shared/platform/platform.gyp:platform_lib',
'<(DEPTH)/native_client/src/shared/gio/gio.gyp:gio_lib',
'<(DEPTH)/native_client/src/shared/imc/imc.gyp:imc_lib',
'<(DEPTH)/native_client/src/untrusted/nacl/nacl.gyp:imc_syscalls_lib',
'<(DEPTH)/native_client/src/trusted/weak_ref/weak_ref.gyp:weak_ref_lib',
'nacl_ppapi_util',
],
},
{
'target_name': 'ppapi_extension_mime_handler',
'type': 'none',
'variables': {
'nexe_target': 'ppapi_extension_mime_handler',
'build_newlib': 1,
'build_glibc': 0,
'build_pnacl_newlib': 0,
'nexe_destination_dir': 'nacl_test_data',
'link_flags': [
'-lppapi',
'-lppapi_test_lib',
'-lplatform',
'-lgio',
],
'sources': [
'extension_mime_handler/ppapi_extension_mime_handler.cc',
],
'test_files': [
'extension_mime_handler/ppapi_extension_mime_handler.html',
'extension_mime_handler/mime_test_data.dat',
# For faking the file's MIME type.
'extension_mime_handler/mime_test_data.dat.mock-http-headers',
# Turns the test data directory into an extension. Hackish.
# Note that the .nexe names are embedded in this file.
'extension_mime_handler/manifest.json',
],
},
'dependencies': [
'<(DEPTH)/native_client/tools.gyp:prep_toolchain',
'<(DEPTH)/ppapi/native_client/native_client.gyp:ppapi_lib',
'<(DEPTH)/native_client/src/shared/platform/platform.gyp:platform_lib',
'<(DEPTH)/native_client/src/shared/gio/gio.gyp:gio_lib',
'ppapi_test_lib',
],
},
{
'target_name': 'pnacl_error_handling_test',
'type': 'none',
'variables': {
'build_pnacl_newlib': 1,
'nexe_destination_dir': 'nacl_test_data',
# No need to translate AOT.
'enable_x86_32': 0,
'enable_x86_64': 0,
'enable_arm': 0,
# Use prebuilt NMF files.
'generate_nmf': 0,
'test_files': [
'pnacl_error_handling/pnacl_error_handling.html',
'pnacl_error_handling/bad.pexe',
'pnacl_error_handling/pnacl_bad_pexe.nmf',
'pnacl_error_handling/pnacl_bad_doesnotexist.nmf',
'pnacl_error_handling/pnacl_illformed_manifest.nmf',
],
},
'dependencies': [
'<(DEPTH)/native_client/tools.gyp:prep_toolchain',
]
},
{
'target_name': 'pnacl_mime_type_test',
'type': 'none',
'variables': {
'build_newlib': 1,
'build_glibc': 1,
'build_pnacl_newlib': 1,
'nexe_destination_dir': 'nacl_test_data',
# No need to translate AOT.
'enable_x86_32': 0,
'enable_x86_64': 0,
'enable_arm': 0,
'test_files': [
'pnacl_mime_type/pnacl_mime_type.html',
],
},
},
{
'target_name': 'pnacl_options_test',
'type': 'none',
'variables': {
'nexe_target': 'pnacl_options',
'build_pnacl_newlib': 1,
'nexe_destination_dir': 'nacl_test_data',
# No need to translate these AOT, when we just need the pexe.
'enable_x86_32': 0,
'enable_x86_64': 0,
'enable_arm': 0,
'sources': [
'simple.cc',
],
'test_files': [
'pnacl_nmf_options/pnacl_options.html',
'pnacl_nmf_options/pnacl_o_0.nmf',
'pnacl_nmf_options/pnacl_o_2.nmf',
'pnacl_nmf_options/pnacl_o_large.nmf',
],
},
'dependencies': [
'<(DEPTH)/native_client/tools.gyp:prep_toolchain',
]
},
{
'target_name': 'pnacl_dyncode_syscall_disabled_test',
'type': 'none',
'variables': {
# This tests that nexes produced by translation in the browser are not
# able to use the dyncode syscalls. Pre-translated nexes are not
# subject to this constraint, so we do not test them.
'enable_x86_32': 0,
'enable_x86_64': 0,
'enable_arm': 0,
'nexe_target': 'pnacl_dyncode_syscall_disabled',
'build_pnacl_newlib': 1,
'nexe_destination_dir': 'nacl_test_data',
'link_flags': [
'-lppapi',
'-lppapi_test_lib',
'-lplatform',
'-lgio',
# The "_private" variant of the library calls the syscalls
# directly, which allows us to test the syscalls directly,
# even when the dyncode IRT interface is also disabled under
# PNaCl.
'-lnacl_dyncode_private',
],
'sources': [
'pnacl_dyncode_syscall_disabled/pnacl_dyncode_syscall_disabled.cc',
],
'test_files': [
'pnacl_dyncode_syscall_disabled/pnacl_dyncode_syscall_disabled.html',
],
},
'dependencies': [
'<(DEPTH)/native_client/src/shared/gio/gio.gyp:gio_lib',
'<(DEPTH)/native_client/src/shared/platform/platform.gyp:platform_lib',
'<(DEPTH)/native_client/src/untrusted/nacl/nacl.gyp:nacl_dyncode_private_lib',
'<(DEPTH)/native_client/tools.gyp:prep_toolchain',
'<(DEPTH)/ppapi/native_client/native_client.gyp:ppapi_lib',
'<(DEPTH)/ppapi/ppapi_untrusted.gyp:ppapi_cpp_lib',
'ppapi_test_lib',
],
},
{
'target_name': 'pnacl_exception_handling_disabled_test',
'type': 'none',
'variables': {
# This tests that nexes produced by translation in the browser are not
# able to use hardware exception handling. Pre-translated nexes are
# not subject to this constraint, so we do not test them.
'enable_x86_32': 0,
'enable_x86_64': 0,
'enable_arm': 0,
'nexe_target': 'pnacl_exception_handling_disabled',
'build_pnacl_newlib': 1,
'nexe_destination_dir': 'nacl_test_data',
'link_flags': [
'-lppapi',
'-lppapi_test_lib',
'-lplatform',
'-lgio',
# The "_private" variant of the library calls the syscalls
# directly, which allows us to test the syscalls directly,
# even when the exception-handling IRT interface is also
# disabled under PNaCl.
'-lnacl_exception_private',
],
'sources': [
'pnacl_exception_handling_disabled/pnacl_exception_handling_disabled.cc',
],
'test_files': [
'pnacl_exception_handling_disabled/pnacl_exception_handling_disabled.html',
],
},
'dependencies': [
'<(DEPTH)/native_client/src/shared/gio/gio.gyp:gio_lib',
'<(DEPTH)/native_client/src/shared/platform/platform.gyp:platform_lib',
'<(DEPTH)/native_client/src/untrusted/nacl/nacl.gyp:nacl_exception_private_lib',
'<(DEPTH)/native_client/tools.gyp:prep_toolchain',
'<(DEPTH)/ppapi/native_client/native_client.gyp:ppapi_lib',
'<(DEPTH)/ppapi/ppapi_untrusted.gyp:ppapi_cpp_lib',
'ppapi_test_lib',
],
},
# Legacy NaCl PPAPI interface tests being here.
{
'target_name': 'ppapi_ppb_core',
'type': 'none',
'variables': {
'nexe_target': 'ppapi_ppb_core',
'build_newlib': 1,
'build_glibc': 1,
'build_pnacl_newlib': 1,
'nexe_destination_dir': 'nacl_test_data',
'link_flags': [
'-lppapi',
'-lppapi_test_lib',
'-lplatform',
'-lgio',
],
'sources': [
'ppapi/ppb_core/ppapi_ppb_core.cc',
],
'test_files': [
'ppapi/ppb_core/ppapi_ppb_core.html',
],
},
'dependencies': [
'<(DEPTH)/native_client/tools.gyp:prep_toolchain',
'<(DEPTH)/native_client/src/shared/platform/platform.gyp:platform_lib',
'<(DEPTH)/native_client/src/shared/gio/gio.gyp:gio_lib',
'<(DEPTH)/ppapi/native_client/native_client.gyp:ppapi_lib',
'<(DEPTH)/ppapi/ppapi_untrusted.gyp:ppapi_cpp_lib',
'ppapi_test_lib',
],
},
{
'target_name': 'ppapi_ppb_instance',
'type': 'none',
'variables': {
'nexe_target': 'ppapi_ppb_instance',
'build_newlib': 1,
'build_glibc': 1,
'build_pnacl_newlib': 1,
'nexe_destination_dir': 'nacl_test_data',
'link_flags': [
'-lppapi',
'-lppapi_test_lib',
'-lplatform',
'-lgio',
],
'sources': [
'ppapi/ppb_instance/ppapi_ppb_instance.cc',
],
'test_files': [
'ppapi/ppb_instance/ppapi_ppb_instance.html',
],
},
'dependencies': [
'<(DEPTH)/native_client/tools.gyp:prep_toolchain',
'<(DEPTH)/native_client/src/shared/platform/platform.gyp:platform_lib',
'<(DEPTH)/native_client/src/shared/gio/gio.gyp:gio_lib',
'<(DEPTH)/ppapi/native_client/native_client.gyp:ppapi_lib',
'<(DEPTH)/ppapi/ppapi_untrusted.gyp:ppapi_cpp_lib',
'ppapi_test_lib',
],
},
{
'target_name': 'ppapi_ppp_instance',
'type': 'none',
'variables': {
'nexe_target': 'ppapi_ppp_instance',
'build_newlib': 1,
'build_glibc': 1,
'build_pnacl_newlib': 1,
'nexe_destination_dir': 'nacl_test_data',
'link_flags': [
'-lppapi',
'-lppapi_test_lib',
'-lplatform',
'-lgio',
],
'sources': [
'ppapi/ppp_instance/ppapi_ppp_instance.cc',
],
'test_files': [
'ppapi/ppp_instance/ppapi_ppp_instance.html',
'ppapi/ppp_instance/ppapi_ppp_instance.js',
],
},
'dependencies': [
'<(DEPTH)/native_client/tools.gyp:prep_toolchain',
'<(DEPTH)/native_client/src/shared/platform/platform.gyp:platform_lib',
'<(DEPTH)/native_client/src/shared/gio/gio.gyp:gio_lib',
'<(DEPTH)/ppapi/native_client/native_client.gyp:ppapi_lib',
'<(DEPTH)/ppapi/ppapi_untrusted.gyp:ppapi_cpp_lib',
'ppapi_test_lib',
],
},
],
'conditions': [
['target_arch!="arm"', {
# Source file does not have asm for ARM.
'targets': [
{
'target_name': 'partly_invalid',
'type': 'none',
'variables': {
'nexe_target': 'partly_invalid',
'build_newlib': 1,
'build_glibc': 0,
'build_pnacl_newlib': 0,
'nexe_destination_dir': 'nacl_test_data',
'sources': [
'<(DEPTH)/native_client/tests/stubout_mode/partly_invalid.c',
],
},
'dependencies': [
'<(DEPTH)/native_client/tools.gyp:prep_toolchain',
],
},
],
}],
],
}
| 33.630052 | 93 | 0.569901 |
b9aa8ae90cf761411e286acb5db9370e4e2d9254 | 2,419 | py | Python | src/selfdroid/api/v1/APIv1Authenticator.py | vitlabuda/selfdroid-web-app | 9eac9ee2c34038de13e179b6afb3d530a086e7b2 | [
"Apache-2.0",
"BSD-3-Clause"
] | 1 | 2022-03-13T14:57:04.000Z | 2022-03-13T14:57:04.000Z | src/selfdroid/api/v1/APIv1Authenticator.py | vitlabuda/selfdroid-web-app | 9eac9ee2c34038de13e179b6afb3d530a086e7b2 | [
"Apache-2.0",
"BSD-3-Clause"
] | null | null | null | src/selfdroid/api/v1/APIv1Authenticator.py | vitlabuda/selfdroid-web-app | 9eac9ee2c34038de13e179b6afb3d530a086e7b2 | [
"Apache-2.0",
"BSD-3-Clause"
] | null | null | null | # SPDX-License-Identifier: BSD-3-Clause
#
# Copyright (c) 2021 Vít Labuda. All rights reserved.
#
# Redistribution and use in source and binary forms, with or without modification, are permitted provided that the
# following conditions are met:
# 1. Redistributions of source code must retain the above copyright notice, this list of conditions and the following
# disclaimer.
# 2. Redistributions in binary form must reproduce the above copyright notice, this list of conditions and the
# following disclaimer in the documentation and/or other materials provided with the distribution.
# 3. Neither the name of the copyright holder nor the names of its contributors may be used to endorse or promote
# products derived from this software without specific prior written permission.
#
# THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES,
# INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE
# DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
# SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR
# SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
# WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
# OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
import base64
import flask
from selfdroid.AuthenticatorBase import AuthenticatorBase
from selfdroid.SelfdroidRuntimeError import SelfdroidRuntimeError
class APIv1Authenticator(AuthenticatorBase):
_HEADER_KEY_PASSWORD: str = "X-SelfdroidAPI-Password"
def check_user_password_from_headers(self) -> bool:
password_base64 = flask.request.headers.get(APIv1Authenticator._HEADER_KEY_PASSWORD, default="", type=str)
try:
password = base64.b64decode(password_base64, validate=True).decode("utf-8")
except ValueError:
return False
return self.check_user_password(password)
def check_admin_password(self, password: str) -> bool:
"""
API endpoints mustn't require admin access!
"""
raise SelfdroidRuntimeError("Admin access is forbidden via the API!")
| 50.395833 | 118 | 0.767259 |
8f6706bb381910caf81378ac6ec0346eec78d7e3 | 857 | py | Python | xlsxwriter/test/comparison/test_hyperlink38.py | dthadi3/XlsxWriter | f1801e82240aa9c746ce14948ef95990b83162cf | [
"BSD-2-Clause-FreeBSD"
] | 1 | 2020-07-01T07:24:37.000Z | 2020-07-01T07:24:37.000Z | xlsxwriter/test/comparison/test_hyperlink38.py | dthadi3/XlsxWriter | f1801e82240aa9c746ce14948ef95990b83162cf | [
"BSD-2-Clause-FreeBSD"
] | null | null | null | xlsxwriter/test/comparison/test_hyperlink38.py | dthadi3/XlsxWriter | f1801e82240aa9c746ce14948ef95990b83162cf | [
"BSD-2-Clause-FreeBSD"
] | null | null | null | ###############################################################################
#
# Tests for XlsxWriter.
#
# Copyright (c), 2013-2020, John McNamara, jmcnamara@cpan.org
#
from ..excel_comparison_test import ExcelComparisonTest
from ...workbook import Workbook
class TestCompareXLSXFiles(ExcelComparisonTest):
"""
Test file created by XlsxWriter against a file created by Excel.
"""
def setUp(self):
self.set_filename('hyperlink38.xlsx')
def test_create_file(self):
"""Test the creation of a simple XlsxWriter file with image(s)."""
workbook = Workbook(self.got_filename)
worksheet = workbook.add_worksheet()
worksheet.insert_image('E9', self.image_dir + 'red.png',
{'url': 'internal:Sheet1!A1'})
workbook.close()
self.assertExcelEqual()
| 24.485714 | 79 | 0.591599 |
0cecab4059e239235cb28f12c2441abd617659bd | 656,316 | py | Python | template_container_mouse/labels/slice_137.py | lkondratova/Brainplot | 3c8a88c1995dedeaa5cbd88ee71499c7cf9c571d | [
"MIT"
] | null | null | null | template_container_mouse/labels/slice_137.py | lkondratova/Brainplot | 3c8a88c1995dedeaa5cbd88ee71499c7cf9c571d | [
"MIT"
] | null | null | null | template_container_mouse/labels/slice_137.py | lkondratova/Brainplot | 3c8a88c1995dedeaa5cbd88ee71499c7cf9c571d | [
"MIT"
] | null | null | null | coordinates_00FFBF = ((321, 191),
(321, 192), (322, 190), (322, 193), (323, 190), (323, 192), (323, 194), (324, 190), (324, 194), (325, 191), (325, 194), (326, 192), (326, 195), (327, 193), (327, 195), (328, 194), (328, 195), (329, 195), )
coordinates_00FFDF = ((108, 163),
(108, 164), (108, 165), (109, 159), (109, 161), (109, 162), (109, 163), (109, 166), (109, 168), (110, 157), (110, 158), (110, 163), (110, 164), (110, 165), (110, 166), (110, 170), (111, 154), (111, 155), (111, 159), (111, 160), (111, 161), (111, 162), (111, 163), (111, 164), (111, 165), (111, 166), (111, 167), (111, 168), (111, 172), (111, 173), (112, 143), (112, 145), (112, 146), (112, 147), (112, 148), (112, 149), (112, 150), (112, 151), (112, 152), (112, 153), (112, 156), (112, 157), (112, 158), (112, 159), (112, 160), (112, 161), (112, 162), (112, 163), (112, 164), (112, 165), (112, 166), (112, 167), (112, 168), (112, 169), (112, 170), (112, 174), (112, 175), (113, 141), (113, 154), (113, 155), (113, 156), (113, 157), (113, 158), (113, 159), (113, 160), (113, 161), (113, 162), (113, 163), (113, 164), (113, 165), (113, 166), (113, 167), (113, 168),
(113, 169), (113, 170), (113, 171), (113, 172), (113, 173), (113, 176), (113, 177), (114, 139), (114, 143), (114, 144), (114, 145), (114, 146), (114, 147), (114, 148), (114, 149), (114, 150), (114, 151), (114, 152), (114, 153), (114, 154), (114, 155), (114, 156), (114, 157), (114, 158), (114, 159), (114, 160), (114, 161), (114, 162), (114, 163), (114, 164), (114, 165), (114, 166), (114, 167), (114, 168), (114, 169), (114, 170), (114, 171), (114, 172), (114, 173), (114, 174), (114, 175), (114, 179), (114, 180), (115, 138), (115, 141), (115, 142), (115, 143), (115, 144), (115, 145), (115, 146), (115, 147), (115, 148), (115, 149), (115, 150), (115, 151), (115, 152), (115, 153), (115, 154), (115, 155), (115, 156), (115, 157), (115, 158), (115, 159), (115, 160), (115, 161), (115, 162), (115, 163), (115, 164), (115, 165), (115, 166), (115, 167), (115, 168),
(115, 169), (115, 170), (115, 171), (115, 172), (115, 173), (115, 174), (115, 175), (115, 176), (115, 177), (115, 178), (115, 182), (116, 137), (116, 139), (116, 140), (116, 141), (116, 142), (116, 143), (116, 144), (116, 145), (116, 146), (116, 147), (116, 148), (116, 149), (116, 150), (116, 151), (116, 152), (116, 153), (116, 154), (116, 155), (116, 156), (116, 157), (116, 158), (116, 159), (116, 160), (116, 161), (116, 162), (116, 163), (116, 164), (116, 165), (116, 166), (116, 167), (116, 168), (116, 169), (116, 170), (116, 171), (116, 172), (116, 173), (116, 174), (116, 175), (116, 176), (116, 177), (116, 178), (116, 179), (116, 180), (116, 184), (117, 136), (117, 138), (117, 139), (117, 140), (117, 141), (117, 142), (117, 143), (117, 144), (117, 145), (117, 146), (117, 147), (117, 148), (117, 149), (117, 150), (117, 151), (117, 152), (117, 153),
(117, 154), (117, 155), (117, 156), (117, 157), (117, 158), (117, 159), (117, 160), (117, 161), (117, 162), (117, 163), (117, 164), (117, 165), (117, 166), (117, 167), (117, 168), (117, 169), (117, 170), (117, 171), (117, 172), (117, 173), (117, 174), (117, 175), (117, 176), (117, 177), (117, 178), (117, 179), (117, 180), (117, 181), (117, 182), (117, 186), (118, 135), (118, 137), (118, 138), (118, 139), (118, 140), (118, 141), (118, 142), (118, 143), (118, 144), (118, 145), (118, 146), (118, 147), (118, 148), (118, 149), (118, 150), (118, 151), (118, 152), (118, 153), (118, 154), (118, 155), (118, 156), (118, 157), (118, 158), (118, 159), (118, 160), (118, 161), (118, 162), (118, 163), (118, 164), (118, 165), (118, 166), (118, 167), (118, 168), (118, 169), (118, 170), (118, 171), (118, 172), (118, 173), (118, 174), (118, 175), (118, 176), (118, 177),
(118, 178), (118, 179), (118, 180), (118, 181), (118, 182), (118, 183), (118, 184), (118, 188), (119, 134), (119, 136), (119, 137), (119, 138), (119, 139), (119, 140), (119, 141), (119, 142), (119, 143), (119, 144), (119, 145), (119, 146), (119, 147), (119, 148), (119, 149), (119, 150), (119, 151), (119, 152), (119, 153), (119, 154), (119, 155), (119, 156), (119, 157), (119, 158), (119, 159), (119, 160), (119, 161), (119, 162), (119, 163), (119, 164), (119, 165), (119, 166), (119, 167), (119, 168), (119, 169), (119, 170), (119, 171), (119, 172), (119, 173), (119, 174), (119, 175), (119, 176), (119, 177), (119, 178), (119, 179), (119, 180), (119, 181), (119, 182), (119, 183), (119, 184), (119, 185), (119, 186), (119, 189), (119, 190), (120, 133), (120, 135), (120, 136), (120, 137), (120, 138), (120, 139), (120, 140), (120, 141), (120, 142), (120, 143),
(120, 144), (120, 145), (120, 146), (120, 147), (120, 148), (120, 149), (120, 150), (120, 151), (120, 152), (120, 153), (120, 154), (120, 155), (120, 156), (120, 157), (120, 158), (120, 159), (120, 160), (120, 161), (120, 162), (120, 163), (120, 164), (120, 165), (120, 166), (120, 167), (120, 168), (120, 169), (120, 170), (120, 171), (120, 172), (120, 173), (120, 174), (120, 175), (120, 176), (120, 177), (120, 178), (120, 179), (120, 180), (120, 181), (120, 182), (120, 183), (120, 184), (120, 185), (120, 186), (120, 187), (120, 188), (120, 191), (121, 132), (121, 134), (121, 135), (121, 136), (121, 137), (121, 138), (121, 139), (121, 140), (121, 141), (121, 142), (121, 143), (121, 144), (121, 145), (121, 146), (121, 147), (121, 148), (121, 149), (121, 150), (121, 151), (121, 152), (121, 153), (121, 154), (121, 155), (121, 156), (121, 157), (121, 158),
(121, 159), (121, 160), (121, 161), (121, 162), (121, 163), (121, 164), (121, 165), (121, 166), (121, 167), (121, 168), (121, 169), (121, 170), (121, 171), (121, 172), (121, 173), (121, 174), (121, 175), (121, 176), (121, 177), (121, 178), (121, 179), (121, 180), (121, 181), (121, 182), (121, 183), (121, 184), (121, 185), (121, 186), (121, 187), (121, 188), (121, 189), (121, 190), (121, 192), (122, 131), (122, 133), (122, 134), (122, 135), (122, 136), (122, 137), (122, 138), (122, 139), (122, 140), (122, 141), (122, 142), (122, 143), (122, 144), (122, 145), (122, 146), (122, 147), (122, 148), (122, 149), (122, 150), (122, 151), (122, 152), (122, 153), (122, 154), (122, 155), (122, 156), (122, 157), (122, 158), (122, 159), (122, 160), (122, 161), (122, 162), (122, 163), (122, 164), (122, 165), (122, 166), (122, 167), (122, 168), (122, 169), (122, 170),
(122, 171), (122, 172), (122, 173), (122, 174), (122, 175), (122, 176), (122, 177), (122, 178), (122, 179), (122, 180), (122, 181), (122, 182), (122, 183), (122, 184), (122, 185), (122, 186), (122, 187), (122, 188), (122, 189), (122, 190), (122, 191), (122, 194), (123, 130), (123, 132), (123, 133), (123, 134), (123, 135), (123, 136), (123, 137), (123, 138), (123, 139), (123, 140), (123, 141), (123, 142), (123, 143), (123, 144), (123, 145), (123, 146), (123, 147), (123, 148), (123, 149), (123, 150), (123, 151), (123, 152), (123, 153), (123, 154), (123, 155), (123, 156), (123, 157), (123, 158), (123, 159), (123, 160), (123, 161), (123, 162), (123, 163), (123, 164), (123, 165), (123, 166), (123, 167), (123, 168), (123, 169), (123, 170), (123, 171), (123, 172), (123, 173), (123, 174), (123, 175), (123, 176), (123, 177), (123, 178), (123, 179), (123, 180),
(123, 181), (123, 182), (123, 183), (123, 184), (123, 185), (123, 186), (123, 187), (123, 188), (123, 189), (123, 190), (123, 191), (123, 192), (123, 195), (124, 129), (124, 131), (124, 132), (124, 133), (124, 134), (124, 135), (124, 136), (124, 137), (124, 138), (124, 139), (124, 140), (124, 141), (124, 142), (124, 143), (124, 144), (124, 145), (124, 146), (124, 147), (124, 148), (124, 149), (124, 150), (124, 151), (124, 152), (124, 153), (124, 154), (124, 155), (124, 156), (124, 157), (124, 158), (124, 159), (124, 160), (124, 161), (124, 162), (124, 163), (124, 164), (124, 165), (124, 166), (124, 167), (124, 168), (124, 169), (124, 170), (124, 171), (124, 172), (124, 173), (124, 174), (124, 175), (124, 176), (124, 177), (124, 178), (124, 179), (124, 180), (124, 181), (124, 182), (124, 183), (124, 184), (124, 185), (124, 186), (124, 187), (124, 188),
(124, 189), (124, 190), (124, 191), (124, 192), (124, 193), (124, 196), (125, 128), (125, 130), (125, 131), (125, 132), (125, 133), (125, 134), (125, 135), (125, 136), (125, 137), (125, 138), (125, 139), (125, 140), (125, 141), (125, 142), (125, 143), (125, 144), (125, 145), (125, 146), (125, 147), (125, 148), (125, 149), (125, 150), (125, 151), (125, 152), (125, 153), (125, 154), (125, 155), (125, 156), (125, 157), (125, 158), (125, 159), (125, 160), (125, 161), (125, 162), (125, 163), (125, 164), (125, 165), (125, 166), (125, 167), (125, 168), (125, 169), (125, 170), (125, 171), (125, 172), (125, 173), (125, 174), (125, 175), (125, 176), (125, 177), (125, 178), (125, 179), (125, 180), (125, 181), (125, 182), (125, 183), (125, 184), (125, 185), (125, 186), (125, 187), (125, 188), (125, 189), (125, 190), (125, 191), (125, 192), (125, 193), (125, 194),
(126, 127), (126, 129), (126, 130), (126, 131), (126, 132), (126, 133), (126, 134), (126, 135), (126, 136), (126, 137), (126, 138), (126, 139), (126, 140), (126, 141), (126, 142), (126, 143), (126, 144), (126, 145), (126, 146), (126, 147), (126, 148), (126, 149), (126, 150), (126, 151), (126, 152), (126, 153), (126, 154), (126, 155), (126, 156), (126, 157), (126, 158), (126, 159), (126, 160), (126, 161), (126, 162), (126, 163), (126, 164), (126, 165), (126, 166), (126, 167), (126, 168), (126, 169), (126, 170), (126, 171), (126, 172), (126, 173), (126, 174), (126, 175), (126, 176), (126, 177), (126, 178), (126, 179), (126, 180), (126, 181), (126, 182), (126, 183), (126, 184), (126, 185), (126, 186), (126, 187), (126, 188), (126, 189), (126, 190), (126, 191), (126, 192), (126, 193), (126, 194), (126, 195), (126, 197), (127, 126), (127, 129), (127, 130),
(127, 131), (127, 132), (127, 133), (127, 134), (127, 135), (127, 136), (127, 137), (127, 138), (127, 139), (127, 140), (127, 141), (127, 142), (127, 143), (127, 144), (127, 145), (127, 146), (127, 147), (127, 148), (127, 149), (127, 150), (127, 151), (127, 152), (127, 153), (127, 154), (127, 155), (127, 156), (127, 157), (127, 158), (127, 159), (127, 160), (127, 161), (127, 162), (127, 163), (127, 164), (127, 165), (127, 166), (127, 167), (127, 168), (127, 169), (127, 170), (127, 171), (127, 172), (127, 173), (127, 174), (127, 175), (127, 176), (127, 177), (127, 178), (127, 179), (127, 180), (127, 181), (127, 182), (127, 183), (127, 184), (127, 185), (127, 186), (127, 187), (127, 188), (127, 189), (127, 190), (127, 191), (127, 192), (127, 193), (127, 194), (127, 195), (127, 196), (127, 198), (128, 126), (128, 128), (128, 129), (128, 130), (128, 131),
(128, 132), (128, 133), (128, 134), (128, 135), (128, 136), (128, 137), (128, 138), (128, 139), (128, 140), (128, 141), (128, 142), (128, 143), (128, 144), (128, 145), (128, 146), (128, 147), (128, 148), (128, 149), (128, 150), (128, 151), (128, 152), (128, 153), (128, 154), (128, 155), (128, 156), (128, 157), (128, 158), (128, 159), (128, 160), (128, 161), (128, 162), (128, 163), (128, 164), (128, 165), (128, 166), (128, 167), (128, 168), (128, 169), (128, 170), (128, 171), (128, 172), (128, 173), (128, 174), (128, 175), (128, 176), (128, 177), (128, 178), (128, 179), (128, 180), (128, 181), (128, 182), (128, 183), (128, 184), (128, 185), (128, 186), (128, 187), (128, 188), (128, 189), (128, 190), (128, 191), (128, 192), (128, 193), (128, 194), (128, 195), (128, 196), (128, 198), (129, 125), (129, 127), (129, 128), (129, 129), (129, 130), (129, 131),
(129, 132), (129, 133), (129, 134), (129, 135), (129, 136), (129, 137), (129, 138), (129, 139), (129, 140), (129, 141), (129, 142), (129, 143), (129, 144), (129, 145), (129, 146), (129, 147), (129, 148), (129, 149), (129, 150), (129, 151), (129, 152), (129, 153), (129, 154), (129, 155), (129, 156), (129, 157), (129, 158), (129, 159), (129, 160), (129, 161), (129, 162), (129, 163), (129, 164), (129, 165), (129, 166), (129, 167), (129, 168), (129, 169), (129, 170), (129, 171), (129, 172), (129, 173), (129, 174), (129, 175), (129, 176), (129, 177), (129, 178), (129, 179), (129, 180), (129, 181), (129, 182), (129, 183), (129, 184), (129, 185), (129, 186), (129, 187), (129, 188), (129, 189), (129, 190), (129, 191), (129, 192), (129, 193), (129, 194), (129, 195), (129, 196), (129, 197), (130, 124), (130, 126), (130, 127), (130, 128), (130, 129), (130, 130),
(130, 131), (130, 132), (130, 133), (130, 134), (130, 135), (130, 136), (130, 137), (130, 138), (130, 139), (130, 140), (130, 141), (130, 142), (130, 143), (130, 144), (130, 145), (130, 146), (130, 147), (130, 148), (130, 149), (130, 150), (130, 151), (130, 152), (130, 153), (130, 154), (130, 155), (130, 156), (130, 157), (130, 158), (130, 159), (130, 160), (130, 161), (130, 162), (130, 163), (130, 164), (130, 165), (130, 166), (130, 167), (130, 168), (130, 169), (130, 170), (130, 171), (130, 172), (130, 173), (130, 174), (130, 175), (130, 176), (130, 177), (130, 178), (130, 179), (130, 180), (130, 181), (130, 182), (130, 183), (130, 184), (130, 185), (130, 186), (130, 187), (130, 188), (130, 189), (130, 190), (130, 191), (130, 192), (130, 193), (130, 194), (130, 195), (130, 196), (130, 197), (130, 198), (130, 201), (131, 123), (131, 125), (131, 126),
(131, 127), (131, 128), (131, 129), (131, 130), (131, 131), (131, 132), (131, 133), (131, 134), (131, 135), (131, 136), (131, 137), (131, 138), (131, 139), (131, 140), (131, 141), (131, 142), (131, 143), (131, 144), (131, 145), (131, 146), (131, 147), (131, 148), (131, 149), (131, 150), (131, 151), (131, 152), (131, 153), (131, 154), (131, 155), (131, 156), (131, 157), (131, 158), (131, 159), (131, 160), (131, 161), (131, 162), (131, 163), (131, 164), (131, 165), (131, 166), (131, 167), (131, 168), (131, 169), (131, 170), (131, 171), (131, 172), (131, 173), (131, 174), (131, 175), (131, 176), (131, 177), (131, 178), (131, 179), (131, 180), (131, 181), (131, 182), (131, 183), (131, 184), (131, 185), (131, 186), (131, 187), (131, 188), (131, 189), (131, 190), (131, 191), (131, 192), (131, 193), (131, 194), (131, 195), (131, 196), (131, 197), (131, 198),
(131, 199), (131, 200), (131, 203), (131, 205), (132, 122), (132, 124), (132, 125), (132, 126), (132, 127), (132, 128), (132, 129), (132, 130), (132, 131), (132, 132), (132, 133), (132, 134), (132, 135), (132, 136), (132, 137), (132, 138), (132, 139), (132, 140), (132, 141), (132, 142), (132, 143), (132, 144), (132, 145), (132, 146), (132, 147), (132, 148), (132, 149), (132, 150), (132, 151), (132, 152), (132, 153), (132, 154), (132, 155), (132, 156), (132, 157), (132, 158), (132, 159), (132, 160), (132, 161), (132, 162), (132, 163), (132, 164), (132, 165), (132, 166), (132, 167), (132, 168), (132, 169), (132, 170), (132, 171), (132, 172), (132, 173), (132, 174), (132, 175), (132, 176), (132, 177), (132, 178), (132, 179), (132, 180), (132, 181), (132, 182), (132, 183), (132, 184), (132, 185), (132, 186), (132, 187), (132, 188), (132, 189), (132, 190),
(132, 191), (132, 192), (132, 193), (132, 194), (132, 195), (132, 196), (132, 197), (132, 198), (132, 199), (132, 200), (132, 201), (132, 202), (132, 207), (133, 121), (133, 123), (133, 124), (133, 125), (133, 126), (133, 127), (133, 128), (133, 129), (133, 130), (133, 131), (133, 132), (133, 133), (133, 134), (133, 135), (133, 136), (133, 137), (133, 138), (133, 139), (133, 140), (133, 141), (133, 142), (133, 143), (133, 144), (133, 145), (133, 146), (133, 147), (133, 148), (133, 149), (133, 150), (133, 151), (133, 152), (133, 153), (133, 154), (133, 155), (133, 156), (133, 157), (133, 158), (133, 159), (133, 160), (133, 161), (133, 162), (133, 163), (133, 164), (133, 165), (133, 166), (133, 167), (133, 168), (133, 169), (133, 170), (133, 171), (133, 172), (133, 173), (133, 174), (133, 175), (133, 176), (133, 177), (133, 178), (133, 179), (133, 180),
(133, 181), (133, 182), (133, 183), (133, 184), (133, 185), (133, 186), (133, 187), (133, 188), (133, 189), (133, 190), (133, 191), (133, 192), (133, 193), (133, 194), (133, 195), (133, 196), (133, 197), (133, 198), (133, 199), (133, 200), (133, 201), (133, 202), (133, 203), (133, 204), (133, 205), (133, 207), (134, 121), (134, 123), (134, 124), (134, 125), (134, 126), (134, 127), (134, 128), (134, 129), (134, 130), (134, 131), (134, 132), (134, 133), (134, 134), (134, 135), (134, 136), (134, 137), (134, 138), (134, 139), (134, 140), (134, 141), (134, 142), (134, 143), (134, 144), (134, 145), (134, 146), (134, 147), (134, 148), (134, 149), (134, 150), (134, 151), (134, 152), (134, 153), (134, 154), (134, 155), (134, 156), (134, 157), (134, 158), (134, 159), (134, 160), (134, 161), (134, 162), (134, 163), (134, 164), (134, 165), (134, 166), (134, 167),
(134, 168), (134, 169), (134, 170), (134, 171), (134, 172), (134, 173), (134, 174), (134, 175), (134, 176), (134, 177), (134, 178), (134, 179), (134, 180), (134, 181), (134, 182), (134, 183), (134, 184), (134, 185), (134, 186), (134, 187), (134, 188), (134, 189), (134, 190), (134, 191), (134, 192), (134, 193), (134, 194), (134, 195), (134, 196), (134, 197), (134, 198), (134, 199), (134, 200), (134, 201), (134, 202), (134, 203), (134, 204), (134, 205), (134, 207), (135, 120), (135, 122), (135, 123), (135, 124), (135, 125), (135, 126), (135, 127), (135, 128), (135, 129), (135, 130), (135, 131), (135, 132), (135, 133), (135, 134), (135, 135), (135, 136), (135, 137), (135, 138), (135, 139), (135, 140), (135, 141), (135, 142), (135, 143), (135, 144), (135, 145), (135, 146), (135, 147), (135, 148), (135, 149), (135, 150), (135, 151), (135, 152), (135, 153),
(135, 154), (135, 155), (135, 156), (135, 157), (135, 158), (135, 159), (135, 160), (135, 161), (135, 162), (135, 163), (135, 164), (135, 165), (135, 166), (135, 167), (135, 168), (135, 169), (135, 170), (135, 171), (135, 172), (135, 173), (135, 174), (135, 175), (135, 176), (135, 177), (135, 178), (135, 179), (135, 180), (135, 181), (135, 182), (135, 183), (135, 184), (135, 185), (135, 186), (135, 187), (135, 188), (135, 189), (135, 190), (135, 191), (135, 192), (135, 193), (135, 194), (135, 195), (135, 196), (135, 197), (135, 198), (135, 199), (135, 200), (135, 201), (135, 202), (135, 203), (135, 204), (135, 205), (135, 206), (135, 208), (136, 119), (136, 121), (136, 122), (136, 123), (136, 124), (136, 125), (136, 126), (136, 127), (136, 128), (136, 129), (136, 130), (136, 131), (136, 132), (136, 133), (136, 134), (136, 135), (136, 136), (136, 137),
(136, 138), (136, 139), (136, 140), (136, 141), (136, 142), (136, 143), (136, 144), (136, 145), (136, 146), (136, 147), (136, 148), (136, 149), (136, 150), (136, 151), (136, 152), (136, 153), (136, 154), (136, 155), (136, 156), (136, 157), (136, 158), (136, 159), (136, 160), (136, 161), (136, 162), (136, 163), (136, 164), (136, 165), (136, 166), (136, 167), (136, 168), (136, 169), (136, 170), (136, 171), (136, 172), (136, 173), (136, 174), (136, 175), (136, 176), (136, 177), (136, 178), (136, 179), (136, 180), (136, 181), (136, 182), (136, 183), (136, 184), (136, 185), (136, 186), (136, 187), (136, 188), (136, 189), (136, 190), (136, 191), (136, 192), (136, 193), (136, 194), (136, 195), (136, 196), (136, 197), (136, 198), (136, 199), (136, 200), (136, 201), (136, 202), (136, 203), (136, 204), (136, 205), (136, 206), (136, 208), (137, 118), (137, 120),
(137, 121), (137, 122), (137, 123), (137, 124), (137, 125), (137, 126), (137, 127), (137, 128), (137, 129), (137, 130), (137, 131), (137, 132), (137, 133), (137, 134), (137, 135), (137, 136), (137, 137), (137, 138), (137, 139), (137, 140), (137, 141), (137, 142), (137, 143), (137, 144), (137, 145), (137, 146), (137, 147), (137, 148), (137, 149), (137, 150), (137, 151), (137, 152), (137, 153), (137, 154), (137, 155), (137, 156), (137, 157), (137, 158), (137, 159), (137, 160), (137, 161), (137, 162), (137, 163), (137, 164), (137, 165), (137, 166), (137, 167), (137, 168), (137, 169), (137, 170), (137, 171), (137, 172), (137, 173), (137, 174), (137, 175), (137, 176), (137, 177), (137, 178), (137, 179), (137, 180), (137, 181), (137, 182), (137, 183), (137, 184), (137, 185), (137, 186), (137, 187), (137, 188), (137, 189), (137, 190), (137, 191), (137, 192),
(137, 193), (137, 194), (137, 195), (137, 196), (137, 197), (137, 198), (137, 199), (137, 200), (137, 201), (137, 202), (137, 203), (137, 204), (137, 205), (137, 206), (137, 208), (138, 118), (138, 120), (138, 121), (138, 122), (138, 123), (138, 124), (138, 125), (138, 126), (138, 127), (138, 128), (138, 129), (138, 130), (138, 131), (138, 132), (138, 133), (138, 134), (138, 135), (138, 136), (138, 137), (138, 138), (138, 139), (138, 140), (138, 141), (138, 142), (138, 143), (138, 144), (138, 145), (138, 146), (138, 147), (138, 148), (138, 149), (138, 150), (138, 151), (138, 152), (138, 153), (138, 154), (138, 155), (138, 156), (138, 157), (138, 158), (138, 159), (138, 160), (138, 161), (138, 162), (138, 163), (138, 164), (138, 165), (138, 166), (138, 167), (138, 168), (138, 169), (138, 170), (138, 171), (138, 172), (138, 173), (138, 174), (138, 175),
(138, 176), (138, 177), (138, 178), (138, 179), (138, 180), (138, 181), (138, 182), (138, 183), (138, 184), (138, 185), (138, 186), (138, 187), (138, 188), (138, 189), (138, 190), (138, 191), (138, 192), (138, 193), (138, 194), (138, 195), (138, 196), (138, 197), (138, 198), (138, 199), (138, 200), (138, 201), (138, 202), (138, 203), (138, 204), (138, 205), (138, 206), (138, 207), (138, 209), (139, 117), (139, 119), (139, 120), (139, 121), (139, 122), (139, 123), (139, 124), (139, 125), (139, 126), (139, 127), (139, 128), (139, 129), (139, 130), (139, 131), (139, 132), (139, 133), (139, 134), (139, 135), (139, 136), (139, 137), (139, 138), (139, 139), (139, 140), (139, 141), (139, 142), (139, 143), (139, 144), (139, 145), (139, 146), (139, 147), (139, 148), (139, 149), (139, 150), (139, 151), (139, 152), (139, 153), (139, 154), (139, 155), (139, 156),
(139, 157), (139, 158), (139, 159), (139, 160), (139, 161), (139, 162), (139, 163), (139, 164), (139, 165), (139, 166), (139, 167), (139, 168), (139, 169), (139, 170), (139, 171), (139, 172), (139, 173), (139, 174), (139, 175), (139, 176), (139, 177), (139, 178), (139, 179), (139, 180), (139, 181), (139, 182), (139, 183), (139, 184), (139, 185), (139, 186), (139, 187), (139, 188), (139, 189), (139, 190), (139, 191), (139, 192), (139, 193), (139, 194), (139, 195), (139, 196), (139, 197), (139, 198), (139, 199), (139, 200), (139, 201), (139, 202), (139, 203), (139, 204), (139, 205), (139, 206), (139, 207), (139, 209), (140, 116), (140, 118), (140, 119), (140, 120), (140, 121), (140, 122), (140, 123), (140, 124), (140, 125), (140, 126), (140, 127), (140, 128), (140, 129), (140, 130), (140, 131), (140, 132), (140, 133), (140, 134), (140, 135), (140, 136),
(140, 137), (140, 138), (140, 139), (140, 140), (140, 141), (140, 142), (140, 143), (140, 144), (140, 145), (140, 146), (140, 147), (140, 148), (140, 149), (140, 150), (140, 151), (140, 152), (140, 153), (140, 154), (140, 155), (140, 156), (140, 157), (140, 158), (140, 159), (140, 160), (140, 161), (140, 162), (140, 163), (140, 164), (140, 165), (140, 166), (140, 167), (140, 168), (140, 169), (140, 170), (140, 171), (140, 172), (140, 173), (140, 174), (140, 175), (140, 176), (140, 177), (140, 178), (140, 179), (140, 180), (140, 181), (140, 182), (140, 183), (140, 184), (140, 185), (140, 186), (140, 187), (140, 188), (140, 189), (140, 190), (140, 191), (140, 192), (140, 193), (140, 194), (140, 195), (140, 196), (140, 197), (140, 198), (140, 199), (140, 200), (140, 201), (140, 202), (140, 203), (140, 204), (140, 205), (140, 206), (140, 207), (140, 208),
(140, 210), (141, 116), (141, 118), (141, 119), (141, 120), (141, 121), (141, 122), (141, 123), (141, 124), (141, 125), (141, 126), (141, 127), (141, 128), (141, 129), (141, 130), (141, 131), (141, 132), (141, 133), (141, 134), (141, 135), (141, 136), (141, 137), (141, 138), (141, 139), (141, 140), (141, 141), (141, 142), (141, 143), (141, 144), (141, 145), (141, 146), (141, 147), (141, 148), (141, 149), (141, 150), (141, 151), (141, 152), (141, 153), (141, 154), (141, 155), (141, 156), (141, 157), (141, 158), (141, 159), (141, 160), (141, 161), (141, 162), (141, 163), (141, 164), (141, 165), (141, 166), (141, 167), (141, 168), (141, 169), (141, 170), (141, 171), (141, 172), (141, 173), (141, 174), (141, 175), (141, 176), (141, 177), (141, 178), (141, 179), (141, 180), (141, 181), (141, 182), (141, 183), (141, 184), (141, 185), (141, 186), (141, 187),
(141, 188), (141, 189), (141, 190), (141, 191), (141, 192), (141, 193), (141, 194), (141, 195), (141, 196), (141, 197), (141, 198), (141, 199), (141, 200), (141, 201), (141, 202), (141, 203), (141, 204), (141, 205), (141, 206), (141, 207), (141, 208), (141, 210), (142, 115), (142, 117), (142, 118), (142, 119), (142, 120), (142, 121), (142, 122), (142, 123), (142, 124), (142, 125), (142, 126), (142, 127), (142, 128), (142, 129), (142, 130), (142, 131), (142, 132), (142, 133), (142, 134), (142, 135), (142, 136), (142, 137), (142, 138), (142, 139), (142, 140), (142, 141), (142, 142), (142, 143), (142, 144), (142, 145), (142, 146), (142, 147), (142, 148), (142, 149), (142, 150), (142, 151), (142, 152), (142, 153), (142, 154), (142, 155), (142, 156), (142, 157), (142, 158), (142, 159), (142, 160), (142, 161), (142, 162), (142, 163), (142, 164), (142, 165),
(142, 166), (142, 167), (142, 168), (142, 169), (142, 170), (142, 171), (142, 172), (142, 173), (142, 174), (142, 175), (142, 176), (142, 177), (142, 178), (142, 179), (142, 180), (142, 181), (142, 182), (142, 183), (142, 184), (142, 185), (142, 186), (142, 187), (142, 188), (142, 189), (142, 190), (142, 191), (142, 192), (142, 193), (142, 194), (142, 195), (142, 196), (142, 197), (142, 198), (142, 199), (142, 200), (142, 201), (142, 202), (142, 203), (142, 204), (142, 205), (142, 206), (142, 207), (142, 208), (142, 210), (143, 114), (143, 116), (143, 117), (143, 118), (143, 119), (143, 120), (143, 121), (143, 122), (143, 123), (143, 124), (143, 125), (143, 126), (143, 127), (143, 128), (143, 129), (143, 130), (143, 131), (143, 132), (143, 133), (143, 134), (143, 135), (143, 136), (143, 137), (143, 138), (143, 139), (143, 140), (143, 141), (143, 142),
(143, 143), (143, 144), (143, 145), (143, 146), (143, 147), (143, 148), (143, 149), (143, 150), (143, 151), (143, 152), (143, 153), (143, 154), (143, 155), (143, 156), (143, 157), (143, 158), (143, 159), (143, 160), (143, 161), (143, 162), (143, 163), (143, 164), (143, 165), (143, 166), (143, 167), (143, 168), (143, 169), (143, 170), (143, 171), (143, 172), (143, 173), (143, 174), (143, 175), (143, 176), (143, 177), (143, 178), (143, 179), (143, 180), (143, 181), (143, 182), (143, 183), (143, 184), (143, 185), (143, 186), (143, 187), (143, 188), (143, 189), (143, 190), (143, 191), (143, 192), (143, 193), (143, 194), (143, 195), (143, 196), (143, 197), (143, 198), (143, 199), (143, 200), (143, 201), (143, 202), (143, 203), (143, 204), (143, 205), (143, 206), (143, 207), (143, 209), (144, 114), (144, 116), (144, 117), (144, 118), (144, 119), (144, 120),
(144, 121), (144, 122), (144, 123), (144, 124), (144, 125), (144, 126), (144, 127), (144, 128), (144, 129), (144, 130), (144, 131), (144, 132), (144, 133), (144, 134), (144, 135), (144, 136), (144, 137), (144, 138), (144, 139), (144, 140), (144, 141), (144, 142), (144, 143), (144, 144), (144, 145), (144, 146), (144, 147), (144, 148), (144, 149), (144, 150), (144, 151), (144, 152), (144, 153), (144, 154), (144, 155), (144, 156), (144, 157), (144, 158), (144, 159), (144, 160), (144, 161), (144, 162), (144, 163), (144, 164), (144, 165), (144, 166), (144, 167), (144, 168), (144, 169), (144, 170), (144, 171), (144, 172), (144, 173), (144, 174), (144, 175), (144, 176), (144, 177), (144, 178), (144, 179), (144, 180), (144, 181), (144, 182), (144, 183), (144, 184), (144, 185), (144, 186), (144, 187), (144, 188), (144, 189), (144, 190), (144, 191), (144, 192),
(144, 193), (144, 194), (144, 195), (144, 196), (144, 197), (144, 198), (144, 199), (144, 200), (144, 201), (144, 202), (144, 203), (144, 204), (144, 205), (144, 206), (144, 208), (145, 113), (145, 115), (145, 116), (145, 117), (145, 118), (145, 119), (145, 120), (145, 121), (145, 122), (145, 123), (145, 124), (145, 125), (145, 126), (145, 127), (145, 128), (145, 129), (145, 130), (145, 131), (145, 132), (145, 133), (145, 134), (145, 135), (145, 136), (145, 137), (145, 138), (145, 139), (145, 140), (145, 141), (145, 142), (145, 143), (145, 144), (145, 145), (145, 146), (145, 147), (145, 148), (145, 149), (145, 150), (145, 151), (145, 152), (145, 153), (145, 154), (145, 155), (145, 156), (145, 157), (145, 158), (145, 159), (145, 160), (145, 161), (145, 162), (145, 163), (145, 164), (145, 165), (145, 166), (145, 167), (145, 168), (145, 169), (145, 170),
(145, 171), (145, 172), (145, 173), (145, 174), (145, 175), (145, 176), (145, 177), (145, 178), (145, 179), (145, 180), (145, 181), (145, 182), (145, 183), (145, 184), (145, 185), (145, 186), (145, 187), (145, 188), (145, 189), (145, 190), (145, 191), (145, 192), (145, 193), (145, 194), (145, 195), (145, 196), (145, 197), (145, 198), (145, 199), (145, 200), (145, 201), (145, 202), (145, 203), (145, 204), (145, 205), (145, 207), (146, 112), (146, 114), (146, 115), (146, 116), (146, 117), (146, 118), (146, 119), (146, 120), (146, 121), (146, 122), (146, 123), (146, 124), (146, 125), (146, 126), (146, 127), (146, 128), (146, 129), (146, 130), (146, 131), (146, 132), (146, 133), (146, 134), (146, 135), (146, 136), (146, 137), (146, 138), (146, 139), (146, 140), (146, 141), (146, 142), (146, 143), (146, 144), (146, 145), (146, 146), (146, 147), (146, 148),
(146, 149), (146, 150), (146, 151), (146, 152), (146, 153), (146, 154), (146, 155), (146, 156), (146, 157), (146, 158), (146, 159), (146, 160), (146, 161), (146, 162), (146, 163), (146, 164), (146, 165), (146, 166), (146, 167), (146, 168), (146, 169), (146, 170), (146, 171), (146, 172), (146, 173), (146, 174), (146, 175), (146, 176), (146, 177), (146, 178), (146, 179), (146, 180), (146, 181), (146, 182), (146, 183), (146, 184), (146, 185), (146, 186), (146, 187), (146, 188), (146, 189), (146, 190), (146, 191), (146, 192), (146, 193), (146, 194), (146, 195), (146, 196), (146, 197), (146, 198), (146, 199), (146, 200), (146, 201), (146, 202), (146, 203), (146, 204), (146, 205), (146, 207), (147, 112), (147, 114), (147, 115), (147, 116), (147, 117), (147, 118), (147, 119), (147, 120), (147, 121), (147, 122), (147, 123), (147, 124), (147, 125), (147, 126),
(147, 127), (147, 128), (147, 129), (147, 130), (147, 131), (147, 132), (147, 133), (147, 134), (147, 135), (147, 136), (147, 137), (147, 138), (147, 139), (147, 140), (147, 141), (147, 142), (147, 143), (147, 144), (147, 145), (147, 146), (147, 147), (147, 148), (147, 149), (147, 150), (147, 151), (147, 152), (147, 153), (147, 154), (147, 155), (147, 156), (147, 157), (147, 158), (147, 159), (147, 160), (147, 161), (147, 162), (147, 163), (147, 164), (147, 165), (147, 166), (147, 167), (147, 168), (147, 169), (147, 170), (147, 171), (147, 172), (147, 173), (147, 174), (147, 175), (147, 176), (147, 177), (147, 178), (147, 179), (147, 180), (147, 181), (147, 182), (147, 183), (147, 184), (147, 185), (147, 186), (147, 187), (147, 188), (147, 189), (147, 190), (147, 191), (147, 192), (147, 193), (147, 194), (147, 195), (147, 196), (147, 197), (147, 198),
(147, 199), (147, 200), (147, 201), (147, 202), (147, 203), (147, 204), (147, 205), (147, 207), (148, 111), (148, 113), (148, 114), (148, 115), (148, 116), (148, 117), (148, 118), (148, 119), (148, 120), (148, 121), (148, 122), (148, 123), (148, 124), (148, 125), (148, 126), (148, 127), (148, 128), (148, 129), (148, 130), (148, 131), (148, 132), (148, 133), (148, 134), (148, 135), (148, 136), (148, 137), (148, 138), (148, 139), (148, 140), (148, 141), (148, 142), (148, 143), (148, 144), (148, 145), (148, 146), (148, 147), (148, 148), (148, 149), (148, 150), (148, 151), (148, 152), (148, 153), (148, 154), (148, 155), (148, 156), (148, 157), (148, 158), (148, 159), (148, 160), (148, 161), (148, 162), (148, 163), (148, 164), (148, 165), (148, 166), (148, 167), (148, 168), (148, 169), (148, 170), (148, 171), (148, 172), (148, 173), (148, 174), (148, 175),
(148, 176), (148, 177), (148, 178), (148, 179), (148, 180), (148, 181), (148, 182), (148, 183), (148, 184), (148, 185), (148, 186), (148, 187), (148, 188), (148, 189), (148, 190), (148, 191), (148, 192), (148, 193), (148, 194), (148, 195), (148, 196), (148, 197), (148, 198), (148, 199), (148, 200), (148, 201), (148, 202), (148, 203), (148, 204), (148, 205), (148, 207), (149, 111), (149, 113), (149, 114), (149, 115), (149, 116), (149, 117), (149, 118), (149, 119), (149, 120), (149, 121), (149, 122), (149, 123), (149, 124), (149, 125), (149, 126), (149, 127), (149, 128), (149, 129), (149, 130), (149, 131), (149, 132), (149, 133), (149, 134), (149, 135), (149, 136), (149, 137), (149, 138), (149, 139), (149, 140), (149, 141), (149, 142), (149, 143), (149, 144), (149, 145), (149, 146), (149, 147), (149, 148), (149, 149), (149, 150), (149, 151), (149, 152),
(149, 153), (149, 154), (149, 155), (149, 156), (149, 157), (149, 158), (149, 159), (149, 160), (149, 161), (149, 162), (149, 163), (149, 164), (149, 165), (149, 166), (149, 167), (149, 168), (149, 169), (149, 170), (149, 171), (149, 172), (149, 173), (149, 174), (149, 175), (149, 176), (149, 177), (149, 178), (149, 179), (149, 180), (149, 181), (149, 182), (149, 183), (149, 184), (149, 185), (149, 186), (149, 187), (149, 188), (149, 189), (149, 190), (149, 191), (149, 192), (149, 193), (149, 194), (149, 195), (149, 196), (149, 197), (149, 198), (149, 199), (149, 200), (149, 201), (149, 202), (149, 203), (149, 204), (149, 205), (149, 207), (150, 111), (150, 113), (150, 114), (150, 115), (150, 116), (150, 117), (150, 118), (150, 119), (150, 120), (150, 121), (150, 122), (150, 123), (150, 124), (150, 125), (150, 126), (150, 127), (150, 128), (150, 129),
(150, 130), (150, 131), (150, 132), (150, 133), (150, 134), (150, 135), (150, 136), (150, 137), (150, 138), (150, 139), (150, 140), (150, 141), (150, 142), (150, 143), (150, 144), (150, 145), (150, 146), (150, 147), (150, 148), (150, 149), (150, 150), (150, 151), (150, 152), (150, 153), (150, 154), (150, 155), (150, 156), (150, 157), (150, 158), (150, 159), (150, 160), (150, 161), (150, 162), (150, 163), (150, 164), (150, 165), (150, 166), (150, 167), (150, 168), (150, 169), (150, 170), (150, 171), (150, 172), (150, 173), (150, 174), (150, 175), (150, 176), (150, 177), (150, 178), (150, 179), (150, 180), (150, 181), (150, 182), (150, 183), (150, 184), (150, 185), (150, 186), (150, 187), (150, 188), (150, 189), (150, 190), (150, 191), (150, 192), (150, 193), (150, 194), (150, 195), (150, 196), (150, 197), (150, 198), (150, 199), (150, 200), (150, 201),
(150, 202), (150, 203), (150, 204), (150, 206), (151, 111), (151, 113), (151, 114), (151, 115), (151, 116), (151, 117), (151, 118), (151, 119), (151, 120), (151, 121), (151, 122), (151, 123), (151, 124), (151, 125), (151, 126), (151, 127), (151, 128), (151, 129), (151, 130), (151, 131), (151, 132), (151, 133), (151, 134), (151, 135), (151, 136), (151, 137), (151, 138), (151, 139), (151, 140), (151, 141), (151, 142), (151, 143), (151, 144), (151, 145), (151, 146), (151, 147), (151, 148), (151, 149), (151, 150), (151, 151), (151, 152), (151, 153), (151, 154), (151, 155), (151, 156), (151, 157), (151, 158), (151, 159), (151, 160), (151, 161), (151, 162), (151, 163), (151, 164), (151, 165), (151, 166), (151, 167), (151, 168), (151, 169), (151, 170), (151, 171), (151, 172), (151, 173), (151, 174), (151, 175), (151, 176), (151, 177), (151, 178), (151, 179),
(151, 180), (151, 181), (151, 182), (151, 183), (151, 184), (151, 185), (151, 186), (151, 187), (151, 188), (151, 189), (151, 190), (151, 191), (151, 192), (151, 193), (151, 194), (151, 195), (151, 196), (151, 197), (151, 198), (151, 199), (151, 200), (151, 201), (151, 202), (151, 203), (151, 204), (151, 206), (152, 111), (152, 113), (152, 114), (152, 115), (152, 116), (152, 117), (152, 118), (152, 119), (152, 120), (152, 121), (152, 122), (152, 123), (152, 124), (152, 125), (152, 126), (152, 127), (152, 128), (152, 129), (152, 130), (152, 131), (152, 132), (152, 133), (152, 134), (152, 135), (152, 136), (152, 137), (152, 138), (152, 139), (152, 140), (152, 141), (152, 142), (152, 143), (152, 144), (152, 145), (152, 146), (152, 147), (152, 148), (152, 149), (152, 150), (152, 151), (152, 152), (152, 153), (152, 154), (152, 155), (152, 156), (152, 157),
(152, 158), (152, 159), (152, 160), (152, 161), (152, 162), (152, 163), (152, 164), (152, 165), (152, 166), (152, 167), (152, 168), (152, 169), (152, 170), (152, 171), (152, 172), (152, 173), (152, 174), (152, 175), (152, 176), (152, 177), (152, 178), (152, 179), (152, 180), (152, 181), (152, 182), (152, 183), (152, 184), (152, 185), (152, 186), (152, 187), (152, 188), (152, 189), (152, 190), (152, 191), (152, 192), (152, 193), (152, 194), (152, 195), (152, 196), (152, 197), (152, 198), (152, 199), (152, 200), (152, 201), (152, 202), (152, 203), (152, 204), (152, 206), (153, 111), (153, 113), (153, 114), (153, 115), (153, 116), (153, 117), (153, 118), (153, 119), (153, 120), (153, 121), (153, 122), (153, 123), (153, 124), (153, 125), (153, 126), (153, 127), (153, 128), (153, 129), (153, 130), (153, 131), (153, 132), (153, 133), (153, 134), (153, 135),
(153, 136), (153, 137), (153, 138), (153, 139), (153, 140), (153, 141), (153, 142), (153, 143), (153, 144), (153, 145), (153, 146), (153, 147), (153, 148), (153, 149), (153, 150), (153, 151), (153, 152), (153, 153), (153, 154), (153, 155), (153, 156), (153, 157), (153, 158), (153, 159), (153, 160), (153, 161), (153, 162), (153, 163), (153, 164), (153, 165), (153, 166), (153, 167), (153, 168), (153, 169), (153, 170), (153, 171), (153, 172), (153, 173), (153, 174), (153, 175), (153, 176), (153, 177), (153, 178), (153, 179), (153, 180), (153, 181), (153, 182), (153, 183), (153, 184), (153, 185), (153, 186), (153, 187), (153, 188), (153, 189), (153, 190), (153, 191), (153, 192), (153, 193), (153, 194), (153, 195), (153, 196), (153, 197), (153, 198), (153, 199), (153, 200), (153, 201), (153, 202), (153, 203), (153, 204), (153, 206), (154, 111), (154, 113),
(154, 114), (154, 115), (154, 116), (154, 117), (154, 118), (154, 119), (154, 120), (154, 121), (154, 122), (154, 123), (154, 124), (154, 125), (154, 126), (154, 127), (154, 128), (154, 129), (154, 130), (154, 131), (154, 132), (154, 133), (154, 134), (154, 135), (154, 136), (154, 137), (154, 138), (154, 139), (154, 140), (154, 141), (154, 142), (154, 143), (154, 144), (154, 145), (154, 146), (154, 147), (154, 148), (154, 149), (154, 150), (154, 151), (154, 152), (154, 153), (154, 154), (154, 155), (154, 156), (154, 157), (154, 158), (154, 159), (154, 160), (154, 161), (154, 162), (154, 163), (154, 164), (154, 165), (154, 166), (154, 167), (154, 168), (154, 169), (154, 170), (154, 171), (154, 172), (154, 173), (154, 174), (154, 175), (154, 176), (154, 177), (154, 178), (154, 179), (154, 180), (154, 181), (154, 182), (154, 183), (154, 184), (154, 185),
(154, 186), (154, 187), (154, 188), (154, 189), (154, 190), (154, 191), (154, 192), (154, 193), (154, 194), (154, 195), (154, 196), (154, 197), (154, 198), (154, 199), (154, 200), (154, 201), (154, 202), (154, 203), (154, 204), (154, 206), (155, 110), (155, 112), (155, 113), (155, 114), (155, 115), (155, 116), (155, 117), (155, 118), (155, 119), (155, 120), (155, 121), (155, 122), (155, 123), (155, 124), (155, 125), (155, 126), (155, 127), (155, 128), (155, 129), (155, 130), (155, 131), (155, 132), (155, 133), (155, 134), (155, 135), (155, 136), (155, 137), (155, 138), (155, 139), (155, 140), (155, 141), (155, 142), (155, 143), (155, 144), (155, 145), (155, 146), (155, 147), (155, 148), (155, 149), (155, 150), (155, 151), (155, 152), (155, 153), (155, 154), (155, 155), (155, 156), (155, 157), (155, 158), (155, 159), (155, 160), (155, 161), (155, 162),
(155, 163), (155, 164), (155, 165), (155, 166), (155, 167), (155, 168), (155, 169), (155, 170), (155, 171), (155, 172), (155, 173), (155, 174), (155, 175), (155, 176), (155, 177), (155, 178), (155, 179), (155, 180), (155, 181), (155, 182), (155, 183), (155, 184), (155, 185), (155, 186), (155, 187), (155, 188), (155, 189), (155, 190), (155, 191), (155, 192), (155, 193), (155, 194), (155, 195), (155, 196), (155, 197), (155, 198), (155, 199), (155, 200), (155, 201), (155, 202), (155, 203), (155, 205), (156, 110), (156, 112), (156, 113), (156, 114), (156, 115), (156, 116), (156, 117), (156, 118), (156, 119), (156, 120), (156, 121), (156, 122), (156, 123), (156, 124), (156, 125), (156, 126), (156, 127), (156, 128), (156, 129), (156, 130), (156, 131), (156, 132), (156, 133), (156, 134), (156, 135), (156, 136), (156, 137), (156, 138), (156, 139), (156, 140),
(156, 141), (156, 142), (156, 143), (156, 144), (156, 145), (156, 146), (156, 147), (156, 148), (156, 149), (156, 150), (156, 151), (156, 152), (156, 153), (156, 154), (156, 155), (156, 156), (156, 157), (156, 158), (156, 159), (156, 160), (156, 161), (156, 162), (156, 163), (156, 164), (156, 165), (156, 166), (156, 167), (156, 168), (156, 169), (156, 170), (156, 171), (156, 172), (156, 173), (156, 174), (156, 175), (156, 176), (156, 177), (156, 178), (156, 179), (156, 180), (156, 181), (156, 182), (156, 183), (156, 184), (156, 185), (156, 186), (156, 187), (156, 188), (156, 189), (156, 190), (156, 191), (156, 192), (156, 193), (156, 194), (156, 195), (156, 196), (156, 197), (156, 198), (156, 199), (156, 200), (156, 201), (156, 202), (156, 203), (156, 205), (157, 110), (157, 112), (157, 113), (157, 114), (157, 115), (157, 116), (157, 117), (157, 118),
(157, 119), (157, 120), (157, 121), (157, 122), (157, 123), (157, 124), (157, 125), (157, 126), (157, 127), (157, 128), (157, 129), (157, 130), (157, 131), (157, 132), (157, 133), (157, 134), (157, 135), (157, 136), (157, 137), (157, 138), (157, 139), (157, 140), (157, 141), (157, 142), (157, 143), (157, 144), (157, 145), (157, 146), (157, 147), (157, 148), (157, 149), (157, 150), (157, 151), (157, 152), (157, 153), (157, 154), (157, 155), (157, 156), (157, 157), (157, 158), (157, 159), (157, 160), (157, 161), (157, 162), (157, 163), (157, 164), (157, 165), (157, 166), (157, 167), (157, 168), (157, 169), (157, 170), (157, 171), (157, 172), (157, 173), (157, 174), (157, 175), (157, 176), (157, 177), (157, 178), (157, 179), (157, 180), (157, 181), (157, 182), (157, 183), (157, 184), (157, 185), (157, 186), (157, 187), (157, 188), (157, 189), (157, 190),
(157, 191), (157, 192), (157, 193), (157, 194), (157, 195), (157, 196), (157, 197), (157, 198), (157, 199), (157, 200), (157, 201), (157, 202), (157, 204), (158, 109), (158, 111), (158, 112), (158, 113), (158, 114), (158, 115), (158, 116), (158, 117), (158, 118), (158, 119), (158, 120), (158, 121), (158, 122), (158, 123), (158, 124), (158, 125), (158, 126), (158, 127), (158, 128), (158, 129), (158, 130), (158, 131), (158, 132), (158, 133), (158, 134), (158, 135), (158, 136), (158, 137), (158, 138), (158, 139), (158, 140), (158, 141), (158, 142), (158, 143), (158, 144), (158, 145), (158, 146), (158, 147), (158, 148), (158, 149), (158, 150), (158, 151), (158, 152), (158, 153), (158, 154), (158, 155), (158, 156), (158, 157), (158, 158), (158, 159), (158, 160), (158, 161), (158, 162), (158, 163), (158, 164), (158, 165), (158, 166), (158, 167), (158, 168),
(158, 169), (158, 170), (158, 171), (158, 172), (158, 173), (158, 174), (158, 175), (158, 176), (158, 177), (158, 178), (158, 179), (158, 180), (158, 181), (158, 182), (158, 183), (158, 184), (158, 185), (158, 186), (158, 187), (158, 188), (158, 189), (158, 190), (158, 191), (158, 192), (158, 193), (158, 194), (158, 195), (158, 196), (158, 197), (158, 198), (158, 199), (158, 200), (158, 201), (158, 202), (158, 204), (159, 109), (159, 111), (159, 112), (159, 113), (159, 114), (159, 115), (159, 116), (159, 117), (159, 118), (159, 119), (159, 120), (159, 121), (159, 122), (159, 123), (159, 124), (159, 125), (159, 126), (159, 127), (159, 128), (159, 129), (159, 130), (159, 131), (159, 132), (159, 133), (159, 134), (159, 135), (159, 136), (159, 137), (159, 138), (159, 139), (159, 140), (159, 141), (159, 142), (159, 143), (159, 144), (159, 145), (159, 146),
(159, 147), (159, 148), (159, 149), (159, 150), (159, 151), (159, 152), (159, 153), (159, 154), (159, 155), (159, 156), (159, 157), (159, 158), (159, 159), (159, 160), (159, 161), (159, 162), (159, 163), (159, 164), (159, 165), (159, 166), (159, 167), (159, 168), (159, 169), (159, 170), (159, 171), (159, 172), (159, 173), (159, 174), (159, 175), (159, 176), (159, 177), (159, 178), (159, 179), (159, 180), (159, 181), (159, 182), (159, 183), (159, 184), (159, 185), (159, 186), (159, 187), (159, 188), (159, 189), (159, 190), (159, 191), (159, 192), (159, 193), (159, 194), (159, 195), (159, 196), (159, 197), (159, 198), (159, 199), (159, 200), (159, 201), (159, 203), (160, 109), (160, 111), (160, 112), (160, 113), (160, 114), (160, 115), (160, 116), (160, 117), (160, 118), (160, 119), (160, 120), (160, 121), (160, 122), (160, 123), (160, 124), (160, 125),
(160, 126), (160, 127), (160, 128), (160, 129), (160, 130), (160, 131), (160, 132), (160, 133), (160, 134), (160, 135), (160, 136), (160, 137), (160, 138), (160, 139), (160, 140), (160, 141), (160, 142), (160, 143), (160, 144), (160, 145), (160, 146), (160, 147), (160, 148), (160, 149), (160, 150), (160, 151), (160, 152), (160, 153), (160, 154), (160, 155), (160, 156), (160, 157), (160, 158), (160, 159), (160, 160), (160, 161), (160, 162), (160, 163), (160, 164), (160, 165), (160, 166), (160, 167), (160, 168), (160, 169), (160, 170), (160, 171), (160, 172), (160, 173), (160, 174), (160, 175), (160, 176), (160, 177), (160, 178), (160, 179), (160, 180), (160, 181), (160, 182), (160, 183), (160, 184), (160, 185), (160, 186), (160, 187), (160, 188), (160, 189), (160, 190), (160, 191), (160, 192), (160, 193), (160, 194), (160, 195), (160, 196), (160, 197),
(160, 198), (160, 199), (160, 200), (160, 203), (161, 108), (161, 110), (161, 111), (161, 112), (161, 113), (161, 114), (161, 115), (161, 116), (161, 117), (161, 118), (161, 119), (161, 120), (161, 121), (161, 122), (161, 123), (161, 124), (161, 125), (161, 126), (161, 127), (161, 128), (161, 129), (161, 130), (161, 131), (161, 132), (161, 133), (161, 134), (161, 135), (161, 136), (161, 137), (161, 138), (161, 139), (161, 140), (161, 141), (161, 142), (161, 143), (161, 144), (161, 145), (161, 146), (161, 147), (161, 148), (161, 149), (161, 150), (161, 151), (161, 152), (161, 153), (161, 154), (161, 155), (161, 156), (161, 157), (161, 158), (161, 159), (161, 160), (161, 161), (161, 162), (161, 163), (161, 164), (161, 165), (161, 166), (161, 167), (161, 168), (161, 169), (161, 170), (161, 171), (161, 172), (161, 173), (161, 174), (161, 175), (161, 176),
(161, 177), (161, 178), (161, 179), (161, 180), (161, 181), (161, 182), (161, 183), (161, 184), (161, 185), (161, 186), (161, 187), (161, 188), (161, 189), (161, 190), (161, 191), (161, 192), (161, 193), (161, 194), (161, 195), (161, 196), (161, 197), (161, 198), (161, 199), (161, 200), (161, 202), (162, 108), (162, 110), (162, 111), (162, 112), (162, 113), (162, 114), (162, 115), (162, 116), (162, 117), (162, 118), (162, 119), (162, 120), (162, 121), (162, 122), (162, 123), (162, 124), (162, 125), (162, 126), (162, 127), (162, 128), (162, 129), (162, 130), (162, 131), (162, 132), (162, 133), (162, 134), (162, 135), (162, 136), (162, 137), (162, 138), (162, 139), (162, 140), (162, 141), (162, 142), (162, 143), (162, 144), (162, 145), (162, 146), (162, 147), (162, 148), (162, 149), (162, 150), (162, 151), (162, 152), (162, 153), (162, 154), (162, 155),
(162, 156), (162, 157), (162, 158), (162, 159), (162, 160), (162, 161), (162, 162), (162, 163), (162, 164), (162, 165), (162, 166), (162, 167), (162, 168), (162, 169), (162, 170), (162, 171), (162, 172), (162, 173), (162, 174), (162, 175), (162, 176), (162, 177), (162, 178), (162, 179), (162, 180), (162, 181), (162, 182), (162, 183), (162, 184), (162, 185), (162, 186), (162, 187), (162, 188), (162, 189), (162, 190), (162, 191), (162, 192), (162, 193), (162, 194), (162, 195), (162, 196), (162, 197), (162, 198), (162, 199), (162, 200), (163, 108), (163, 110), (163, 111), (163, 112), (163, 113), (163, 114), (163, 115), (163, 116), (163, 117), (163, 118), (163, 119), (163, 120), (163, 121), (163, 122), (163, 123), (163, 124), (163, 125), (163, 126), (163, 127), (163, 128), (163, 129), (163, 130), (163, 131), (163, 132), (163, 133), (163, 134), (163, 135),
(163, 136), (163, 137), (163, 138), (163, 139), (163, 140), (163, 141), (163, 142), (163, 143), (163, 144), (163, 145), (163, 146), (163, 147), (163, 148), (163, 149), (163, 150), (163, 151), (163, 152), (163, 153), (163, 154), (163, 155), (163, 156), (163, 157), (163, 158), (163, 159), (163, 160), (163, 161), (163, 162), (163, 163), (163, 164), (163, 165), (163, 166), (163, 167), (163, 168), (163, 169), (163, 170), (163, 171), (163, 172), (163, 173), (163, 174), (163, 175), (163, 176), (163, 177), (163, 178), (163, 179), (163, 180), (163, 181), (163, 182), (163, 183), (163, 184), (163, 185), (163, 186), (163, 187), (163, 188), (163, 189), (163, 190), (163, 191), (163, 192), (163, 193), (163, 194), (163, 195), (163, 196), (163, 197), (163, 198), (163, 200), (164, 108), (164, 110), (164, 111), (164, 112), (164, 113), (164, 114), (164, 115), (164, 116),
(164, 117), (164, 118), (164, 119), (164, 120), (164, 121), (164, 122), (164, 123), (164, 124), (164, 125), (164, 126), (164, 127), (164, 128), (164, 129), (164, 130), (164, 131), (164, 132), (164, 133), (164, 134), (164, 135), (164, 136), (164, 137), (164, 138), (164, 139), (164, 140), (164, 141), (164, 142), (164, 143), (164, 144), (164, 145), (164, 146), (164, 147), (164, 148), (164, 149), (164, 150), (164, 151), (164, 152), (164, 153), (164, 154), (164, 155), (164, 156), (164, 157), (164, 158), (164, 159), (164, 160), (164, 161), (164, 162), (164, 163), (164, 164), (164, 165), (164, 166), (164, 167), (164, 168), (164, 169), (164, 170), (164, 171), (164, 172), (164, 173), (164, 174), (164, 175), (164, 176), (164, 177), (164, 178), (164, 179), (164, 180), (164, 181), (164, 182), (164, 183), (164, 184), (164, 185), (164, 186), (164, 187), (164, 188),
(164, 189), (164, 190), (164, 191), (164, 192), (164, 193), (164, 194), (164, 195), (164, 196), (164, 197), (164, 198), (164, 200), (165, 108), (165, 110), (165, 111), (165, 112), (165, 113), (165, 114), (165, 115), (165, 116), (165, 117), (165, 118), (165, 119), (165, 120), (165, 121), (165, 122), (165, 123), (165, 124), (165, 125), (165, 126), (165, 127), (165, 128), (165, 129), (165, 130), (165, 131), (165, 132), (165, 133), (165, 134), (165, 135), (165, 136), (165, 137), (165, 138), (165, 139), (165, 140), (165, 141), (165, 142), (165, 143), (165, 144), (165, 145), (165, 146), (165, 147), (165, 148), (165, 149), (165, 150), (165, 151), (165, 152), (165, 153), (165, 154), (165, 155), (165, 156), (165, 157), (165, 158), (165, 159), (165, 160), (165, 161), (165, 162), (165, 163), (165, 164), (165, 165), (165, 166), (165, 167), (165, 168), (165, 169),
(165, 170), (165, 171), (165, 172), (165, 173), (165, 174), (165, 175), (165, 176), (165, 177), (165, 178), (165, 179), (165, 180), (165, 181), (165, 182), (165, 183), (165, 184), (165, 185), (165, 186), (165, 187), (165, 188), (165, 189), (165, 190), (165, 191), (165, 192), (165, 193), (165, 194), (165, 195), (165, 196), (165, 197), (165, 198), (165, 200), (166, 107), (166, 109), (166, 110), (166, 111), (166, 112), (166, 113), (166, 114), (166, 115), (166, 116), (166, 117), (166, 118), (166, 119), (166, 120), (166, 121), (166, 122), (166, 123), (166, 124), (166, 125), (166, 126), (166, 127), (166, 128), (166, 129), (166, 130), (166, 131), (166, 132), (166, 133), (166, 134), (166, 135), (166, 136), (166, 137), (166, 138), (166, 139), (166, 140), (166, 141), (166, 142), (166, 143), (166, 144), (166, 145), (166, 146), (166, 147), (166, 148), (166, 149),
(166, 150), (166, 151), (166, 152), (166, 153), (166, 154), (166, 155), (166, 156), (166, 157), (166, 158), (166, 159), (166, 160), (166, 161), (166, 162), (166, 163), (166, 164), (166, 165), (166, 166), (166, 167), (166, 168), (166, 169), (166, 170), (166, 171), (166, 172), (166, 173), (166, 174), (166, 175), (166, 176), (166, 177), (166, 178), (166, 179), (166, 180), (166, 181), (166, 182), (166, 183), (166, 184), (166, 185), (166, 186), (166, 187), (166, 188), (166, 189), (166, 190), (166, 191), (166, 192), (166, 193), (166, 194), (166, 195), (166, 196), (166, 197), (166, 199), (167, 107), (167, 109), (167, 110), (167, 111), (167, 112), (167, 113), (167, 114), (167, 115), (167, 116), (167, 117), (167, 118), (167, 119), (167, 120), (167, 121), (167, 122), (167, 123), (167, 124), (167, 125), (167, 126), (167, 127), (167, 128), (167, 129), (167, 130),
(167, 131), (167, 132), (167, 133), (167, 134), (167, 135), (167, 136), (167, 137), (167, 138), (167, 139), (167, 140), (167, 141), (167, 142), (167, 143), (167, 144), (167, 145), (167, 146), (167, 147), (167, 148), (167, 149), (167, 150), (167, 151), (167, 152), (167, 153), (167, 154), (167, 155), (167, 156), (167, 157), (167, 158), (167, 159), (167, 160), (167, 161), (167, 162), (167, 163), (167, 164), (167, 165), (167, 166), (167, 167), (167, 168), (167, 169), (167, 170), (167, 171), (167, 172), (167, 173), (167, 174), (167, 175), (167, 176), (167, 177), (167, 178), (167, 179), (167, 180), (167, 181), (167, 182), (167, 183), (167, 184), (167, 185), (167, 186), (167, 187), (167, 188), (167, 189), (167, 190), (167, 191), (167, 192), (167, 193), (167, 194), (167, 195), (167, 196), (167, 198), (168, 107), (168, 109), (168, 110), (168, 111), (168, 112),
(168, 113), (168, 114), (168, 115), (168, 116), (168, 117), (168, 118), (168, 119), (168, 120), (168, 121), (168, 122), (168, 123), (168, 124), (168, 125), (168, 126), (168, 127), (168, 128), (168, 129), (168, 130), (168, 131), (168, 132), (168, 133), (168, 134), (168, 135), (168, 136), (168, 137), (168, 138), (168, 139), (168, 140), (168, 141), (168, 142), (168, 143), (168, 144), (168, 145), (168, 146), (168, 147), (168, 148), (168, 149), (168, 150), (168, 151), (168, 152), (168, 153), (168, 154), (168, 155), (168, 156), (168, 157), (168, 158), (168, 159), (168, 160), (168, 161), (168, 162), (168, 163), (168, 164), (168, 165), (168, 166), (168, 167), (168, 168), (168, 169), (168, 170), (168, 171), (168, 172), (168, 173), (168, 174), (168, 175), (168, 176), (168, 177), (168, 178), (168, 179), (168, 180), (168, 181), (168, 182), (168, 183), (168, 184),
(168, 185), (168, 186), (168, 187), (168, 188), (168, 189), (168, 190), (168, 191), (168, 192), (168, 193), (168, 194), (168, 195), (168, 196), (168, 197), (168, 198), (169, 107), (169, 109), (169, 110), (169, 111), (169, 112), (169, 113), (169, 114), (169, 115), (169, 116), (169, 117), (169, 118), (169, 119), (169, 120), (169, 121), (169, 122), (169, 123), (169, 124), (169, 125), (169, 126), (169, 127), (169, 128), (169, 129), (169, 130), (169, 131), (169, 132), (169, 133), (169, 134), (169, 135), (169, 136), (169, 137), (169, 138), (169, 139), (169, 140), (169, 141), (169, 142), (169, 143), (169, 144), (169, 145), (169, 146), (169, 147), (169, 148), (169, 149), (169, 150), (169, 151), (169, 152), (169, 153), (169, 154), (169, 155), (169, 156), (169, 157), (169, 158), (169, 159), (169, 160), (169, 161), (169, 162), (169, 163), (169, 164), (169, 165),
(169, 166), (169, 167), (169, 168), (169, 169), (169, 170), (169, 171), (169, 172), (169, 173), (169, 174), (169, 175), (169, 176), (169, 177), (169, 178), (169, 179), (169, 180), (169, 181), (169, 182), (169, 183), (169, 184), (169, 185), (169, 186), (169, 187), (169, 188), (169, 189), (169, 190), (169, 191), (169, 192), (169, 193), (169, 194), (169, 195), (169, 197), (170, 107), (170, 109), (170, 110), (170, 111), (170, 112), (170, 113), (170, 114), (170, 115), (170, 116), (170, 117), (170, 118), (170, 119), (170, 120), (170, 121), (170, 122), (170, 123), (170, 124), (170, 125), (170, 126), (170, 127), (170, 128), (170, 129), (170, 130), (170, 131), (170, 132), (170, 133), (170, 134), (170, 135), (170, 136), (170, 137), (170, 138), (170, 139), (170, 140), (170, 141), (170, 142), (170, 143), (170, 144), (170, 145), (170, 146), (170, 147), (170, 148),
(170, 149), (170, 150), (170, 151), (170, 152), (170, 153), (170, 154), (170, 155), (170, 156), (170, 157), (170, 158), (170, 159), (170, 160), (170, 161), (170, 162), (170, 163), (170, 164), (170, 165), (170, 166), (170, 167), (170, 168), (170, 169), (170, 170), (170, 171), (170, 172), (170, 173), (170, 174), (170, 175), (170, 176), (170, 177), (170, 178), (170, 179), (170, 180), (170, 181), (170, 182), (170, 183), (170, 184), (170, 185), (170, 186), (170, 187), (170, 188), (170, 189), (170, 190), (170, 191), (170, 192), (170, 193), (170, 194), (170, 195), (170, 196), (170, 198), (171, 106), (171, 108), (171, 109), (171, 110), (171, 111), (171, 112), (171, 113), (171, 114), (171, 115), (171, 116), (171, 117), (171, 118), (171, 119), (171, 120), (171, 121), (171, 122), (171, 123), (171, 124), (171, 125), (171, 126), (171, 127), (171, 128), (171, 129),
(171, 130), (171, 131), (171, 132), (171, 133), (171, 134), (171, 135), (171, 136), (171, 137), (171, 138), (171, 139), (171, 140), (171, 141), (171, 142), (171, 143), (171, 144), (171, 145), (171, 146), (171, 147), (171, 148), (171, 149), (171, 150), (171, 151), (171, 152), (171, 153), (171, 154), (171, 155), (171, 156), (171, 157), (171, 158), (171, 159), (171, 160), (171, 161), (171, 162), (171, 163), (171, 164), (171, 165), (171, 166), (171, 167), (171, 168), (171, 169), (171, 170), (171, 171), (171, 172), (171, 173), (171, 174), (171, 175), (171, 176), (171, 177), (171, 178), (171, 179), (171, 180), (171, 181), (171, 182), (171, 183), (171, 184), (171, 185), (171, 186), (171, 187), (171, 188), (171, 189), (171, 190), (171, 191), (171, 192), (171, 193), (171, 194), (171, 195), (171, 196), (171, 198), (172, 106), (172, 108), (172, 109), (172, 110),
(172, 111), (172, 112), (172, 113), (172, 114), (172, 115), (172, 116), (172, 117), (172, 118), (172, 119), (172, 120), (172, 121), (172, 122), (172, 123), (172, 124), (172, 125), (172, 126), (172, 127), (172, 128), (172, 129), (172, 130), (172, 131), (172, 132), (172, 133), (172, 134), (172, 135), (172, 136), (172, 137), (172, 138), (172, 139), (172, 140), (172, 141), (172, 142), (172, 143), (172, 144), (172, 145), (172, 146), (172, 147), (172, 148), (172, 149), (172, 150), (172, 151), (172, 152), (172, 153), (172, 154), (172, 155), (172, 156), (172, 157), (172, 158), (172, 159), (172, 160), (172, 161), (172, 162), (172, 163), (172, 164), (172, 165), (172, 166), (172, 167), (172, 168), (172, 169), (172, 170), (172, 171), (172, 172), (172, 173), (172, 174), (172, 175), (172, 176), (172, 177), (172, 178), (172, 179), (172, 180), (172, 181), (172, 182),
(172, 183), (172, 184), (172, 185), (172, 186), (172, 187), (172, 188), (172, 189), (172, 190), (172, 191), (172, 192), (172, 193), (172, 194), (172, 195), (172, 196), (172, 197), (172, 199), (173, 106), (173, 108), (173, 109), (173, 110), (173, 111), (173, 112), (173, 113), (173, 114), (173, 115), (173, 116), (173, 117), (173, 118), (173, 119), (173, 120), (173, 121), (173, 122), (173, 123), (173, 124), (173, 125), (173, 126), (173, 127), (173, 128), (173, 129), (173, 130), (173, 131), (173, 132), (173, 133), (173, 134), (173, 135), (173, 136), (173, 137), (173, 138), (173, 139), (173, 140), (173, 141), (173, 142), (173, 143), (173, 144), (173, 145), (173, 146), (173, 147), (173, 148), (173, 149), (173, 150), (173, 151), (173, 152), (173, 153), (173, 154), (173, 155), (173, 156), (173, 157), (173, 158), (173, 159), (173, 160), (173, 161), (173, 162),
(173, 163), (173, 164), (173, 165), (173, 166), (173, 167), (173, 168), (173, 169), (173, 170), (173, 171), (173, 172), (173, 173), (173, 174), (173, 175), (173, 176), (173, 177), (173, 178), (173, 179), (173, 180), (173, 181), (173, 182), (173, 183), (173, 184), (173, 185), (173, 186), (173, 187), (173, 188), (173, 189), (173, 190), (173, 191), (173, 192), (173, 193), (173, 194), (173, 195), (173, 196), (173, 197), (173, 199), (174, 106), (174, 108), (174, 109), (174, 110), (174, 111), (174, 112), (174, 113), (174, 114), (174, 115), (174, 116), (174, 117), (174, 118), (174, 119), (174, 120), (174, 121), (174, 122), (174, 123), (174, 124), (174, 125), (174, 126), (174, 127), (174, 128), (174, 129), (174, 130), (174, 131), (174, 132), (174, 133), (174, 134), (174, 135), (174, 136), (174, 137), (174, 138), (174, 139), (174, 140), (174, 141), (174, 142),
(174, 143), (174, 144), (174, 145), (174, 146), (174, 147), (174, 148), (174, 149), (174, 150), (174, 151), (174, 152), (174, 153), (174, 154), (174, 155), (174, 156), (174, 157), (174, 158), (174, 159), (174, 160), (174, 161), (174, 162), (174, 163), (174, 164), (174, 165), (174, 166), (174, 167), (174, 168), (174, 169), (174, 170), (174, 171), (174, 172), (174, 173), (174, 174), (174, 175), (174, 176), (174, 177), (174, 178), (174, 179), (174, 180), (174, 181), (174, 182), (174, 183), (174, 184), (174, 185), (174, 186), (174, 187), (174, 188), (174, 189), (174, 190), (174, 191), (174, 192), (174, 193), (174, 194), (174, 195), (174, 196), (174, 197), (174, 199), (175, 106), (175, 108), (175, 109), (175, 110), (175, 111), (175, 112), (175, 113), (175, 114), (175, 115), (175, 116), (175, 117), (175, 118), (175, 119), (175, 120), (175, 121), (175, 122),
(175, 123), (175, 124), (175, 125), (175, 126), (175, 127), (175, 128), (175, 129), (175, 130), (175, 131), (175, 132), (175, 133), (175, 134), (175, 135), (175, 136), (175, 137), (175, 138), (175, 139), (175, 140), (175, 141), (175, 142), (175, 143), (175, 144), (175, 145), (175, 146), (175, 147), (175, 148), (175, 149), (175, 150), (175, 151), (175, 152), (175, 153), (175, 154), (175, 155), (175, 156), (175, 157), (175, 158), (175, 159), (175, 160), (175, 161), (175, 162), (175, 163), (175, 164), (175, 165), (175, 166), (175, 167), (175, 168), (175, 169), (175, 170), (175, 171), (175, 172), (175, 173), (175, 174), (175, 175), (175, 176), (175, 177), (175, 178), (175, 179), (175, 180), (175, 181), (175, 182), (175, 183), (175, 184), (175, 185), (175, 186), (175, 187), (175, 188), (175, 189), (175, 190), (175, 191), (175, 192), (175, 193), (175, 194),
(175, 195), (175, 196), (175, 197), (175, 199), (176, 105), (176, 107), (176, 108), (176, 109), (176, 110), (176, 111), (176, 112), (176, 113), (176, 114), (176, 115), (176, 116), (176, 117), (176, 118), (176, 119), (176, 120), (176, 121), (176, 122), (176, 123), (176, 124), (176, 125), (176, 126), (176, 127), (176, 128), (176, 129), (176, 130), (176, 131), (176, 132), (176, 133), (176, 134), (176, 135), (176, 136), (176, 137), (176, 138), (176, 139), (176, 140), (176, 141), (176, 142), (176, 143), (176, 144), (176, 145), (176, 146), (176, 147), (176, 148), (176, 149), (176, 150), (176, 151), (176, 152), (176, 153), (176, 154), (176, 155), (176, 156), (176, 157), (176, 158), (176, 159), (176, 160), (176, 161), (176, 162), (176, 163), (176, 164), (176, 165), (176, 166), (176, 167), (176, 168), (176, 169), (176, 170), (176, 171), (176, 172), (176, 173),
(176, 174), (176, 175), (176, 176), (176, 177), (176, 178), (176, 179), (176, 180), (176, 181), (176, 182), (176, 183), (176, 184), (176, 185), (176, 186), (176, 187), (176, 188), (176, 189), (176, 190), (176, 191), (176, 192), (176, 195), (176, 196), (176, 197), (176, 199), (177, 105), (177, 107), (177, 108), (177, 109), (177, 110), (177, 111), (177, 112), (177, 113), (177, 114), (177, 115), (177, 116), (177, 117), (177, 118), (177, 119), (177, 120), (177, 121), (177, 122), (177, 123), (177, 124), (177, 125), (177, 126), (177, 127), (177, 128), (177, 129), (177, 130), (177, 131), (177, 132), (177, 133), (177, 134), (177, 135), (177, 136), (177, 137), (177, 138), (177, 139), (177, 140), (177, 141), (177, 142), (177, 143), (177, 144), (177, 145), (177, 146), (177, 147), (177, 148), (177, 149), (177, 150), (177, 151), (177, 152), (177, 153), (177, 154),
(177, 155), (177, 156), (177, 157), (177, 158), (177, 159), (177, 160), (177, 161), (177, 162), (177, 163), (177, 164), (177, 165), (177, 166), (177, 167), (177, 168), (177, 169), (177, 170), (177, 171), (177, 172), (177, 173), (177, 174), (177, 175), (177, 176), (177, 177), (177, 178), (177, 179), (177, 180), (177, 181), (177, 182), (177, 183), (177, 184), (177, 185), (177, 186), (177, 187), (177, 188), (177, 189), (177, 190), (177, 191), (177, 192), (177, 193), (177, 196), (177, 197), (177, 199), (178, 105), (178, 107), (178, 108), (178, 109), (178, 110), (178, 111), (178, 112), (178, 113), (178, 114), (178, 115), (178, 116), (178, 117), (178, 118), (178, 119), (178, 120), (178, 121), (178, 122), (178, 123), (178, 124), (178, 125), (178, 126), (178, 127), (178, 128), (178, 129), (178, 130), (178, 131), (178, 132), (178, 133), (178, 134), (178, 135),
(178, 136), (178, 137), (178, 138), (178, 139), (178, 140), (178, 141), (178, 142), (178, 143), (178, 144), (178, 145), (178, 146), (178, 147), (178, 148), (178, 149), (178, 150), (178, 151), (178, 152), (178, 153), (178, 154), (178, 155), (178, 156), (178, 157), (178, 158), (178, 159), (178, 160), (178, 161), (178, 162), (178, 163), (178, 164), (178, 165), (178, 166), (178, 167), (178, 168), (178, 169), (178, 170), (178, 171), (178, 172), (178, 173), (178, 174), (178, 175), (178, 176), (178, 177), (178, 178), (178, 179), (178, 180), (178, 181), (178, 182), (178, 183), (178, 184), (178, 185), (178, 186), (178, 187), (178, 188), (178, 189), (178, 190), (178, 191), (178, 195), (178, 197), (178, 199), (179, 104), (179, 105), (179, 106), (179, 107), (179, 108), (179, 109), (179, 110), (179, 111), (179, 112), (179, 113), (179, 114), (179, 115), (179, 116),
(179, 117), (179, 118), (179, 119), (179, 120), (179, 121), (179, 122), (179, 123), (179, 124), (179, 125), (179, 126), (179, 127), (179, 128), (179, 129), (179, 130), (179, 131), (179, 132), (179, 133), (179, 134), (179, 135), (179, 136), (179, 137), (179, 138), (179, 139), (179, 140), (179, 141), (179, 142), (179, 143), (179, 144), (179, 145), (179, 146), (179, 147), (179, 148), (179, 149), (179, 150), (179, 151), (179, 152), (179, 153), (179, 154), (179, 155), (179, 156), (179, 157), (179, 158), (179, 159), (179, 160), (179, 161), (179, 162), (179, 163), (179, 164), (179, 165), (179, 166), (179, 167), (179, 168), (179, 169), (179, 170), (179, 171), (179, 172), (179, 173), (179, 174), (179, 175), (179, 176), (179, 177), (179, 178), (179, 179), (179, 180), (179, 181), (179, 182), (179, 183), (179, 184), (179, 185), (179, 186), (179, 187), (179, 188),
(179, 189), (179, 191), (179, 196), (179, 199), (180, 104), (180, 106), (180, 107), (180, 108), (180, 109), (180, 110), (180, 111), (180, 112), (180, 113), (180, 114), (180, 115), (180, 116), (180, 117), (180, 118), (180, 119), (180, 120), (180, 121), (180, 122), (180, 123), (180, 124), (180, 125), (180, 126), (180, 127), (180, 128), (180, 129), (180, 130), (180, 131), (180, 132), (180, 133), (180, 134), (180, 135), (180, 136), (180, 137), (180, 138), (180, 139), (180, 140), (180, 141), (180, 142), (180, 143), (180, 144), (180, 145), (180, 146), (180, 147), (180, 148), (180, 149), (180, 150), (180, 151), (180, 152), (180, 153), (180, 154), (180, 155), (180, 156), (180, 157), (180, 158), (180, 159), (180, 160), (180, 161), (180, 162), (180, 163), (180, 164), (180, 165), (180, 166), (180, 167), (180, 168), (180, 169), (180, 170), (180, 171), (180, 172),
(180, 173), (180, 174), (180, 175), (180, 176), (180, 177), (180, 178), (180, 179), (180, 180), (180, 181), (180, 182), (180, 183), (180, 184), (180, 185), (180, 186), (180, 187), (180, 188), (180, 189), (180, 190), (180, 192), (180, 196), (180, 199), (181, 104), (181, 106), (181, 107), (181, 108), (181, 109), (181, 110), (181, 111), (181, 112), (181, 113), (181, 114), (181, 115), (181, 116), (181, 117), (181, 118), (181, 119), (181, 120), (181, 121), (181, 122), (181, 123), (181, 124), (181, 125), (181, 126), (181, 127), (181, 128), (181, 129), (181, 130), (181, 131), (181, 132), (181, 133), (181, 134), (181, 135), (181, 136), (181, 137), (181, 138), (181, 139), (181, 140), (181, 141), (181, 142), (181, 143), (181, 144), (181, 145), (181, 146), (181, 147), (181, 148), (181, 149), (181, 150), (181, 151), (181, 152), (181, 153), (181, 154), (181, 155),
(181, 156), (181, 157), (181, 158), (181, 159), (181, 160), (181, 161), (181, 162), (181, 163), (181, 164), (181, 165), (181, 166), (181, 167), (181, 168), (181, 169), (181, 170), (181, 171), (181, 172), (181, 173), (181, 174), (181, 175), (181, 176), (181, 177), (181, 178), (181, 179), (181, 180), (181, 181), (181, 182), (181, 183), (181, 184), (181, 185), (181, 186), (181, 187), (181, 188), (181, 189), (181, 190), (181, 192), (181, 195), (181, 196), (181, 197), (181, 199), (182, 103), (182, 105), (182, 106), (182, 107), (182, 108), (182, 109), (182, 110), (182, 111), (182, 112), (182, 113), (182, 114), (182, 115), (182, 116), (182, 117), (182, 118), (182, 119), (182, 120), (182, 121), (182, 122), (182, 123), (182, 124), (182, 125), (182, 126), (182, 127), (182, 128), (182, 129), (182, 130), (182, 131), (182, 132), (182, 133), (182, 134), (182, 135),
(182, 136), (182, 137), (182, 138), (182, 139), (182, 140), (182, 141), (182, 142), (182, 143), (182, 144), (182, 145), (182, 146), (182, 147), (182, 148), (182, 149), (182, 150), (182, 151), (182, 152), (182, 153), (182, 154), (182, 155), (182, 156), (182, 157), (182, 158), (182, 159), (182, 160), (182, 161), (182, 162), (182, 163), (182, 164), (182, 165), (182, 166), (182, 167), (182, 168), (182, 169), (182, 170), (182, 171), (182, 172), (182, 173), (182, 174), (182, 175), (182, 176), (182, 177), (182, 178), (182, 179), (182, 180), (182, 181), (182, 182), (182, 183), (182, 184), (182, 185), (182, 186), (182, 187), (182, 188), (182, 189), (182, 190), (182, 191), (182, 192), (182, 194), (182, 196), (182, 197), (182, 199), (183, 103), (183, 105), (183, 106), (183, 107), (183, 108), (183, 109), (183, 110), (183, 111), (183, 112), (183, 113), (183, 114),
(183, 115), (183, 116), (183, 117), (183, 118), (183, 119), (183, 120), (183, 121), (183, 122), (183, 123), (183, 124), (183, 125), (183, 126), (183, 127), (183, 128), (183, 129), (183, 130), (183, 131), (183, 132), (183, 133), (183, 134), (183, 135), (183, 136), (183, 137), (183, 138), (183, 139), (183, 140), (183, 141), (183, 142), (183, 143), (183, 144), (183, 145), (183, 146), (183, 147), (183, 148), (183, 149), (183, 150), (183, 151), (183, 152), (183, 153), (183, 154), (183, 155), (183, 156), (183, 157), (183, 158), (183, 159), (183, 160), (183, 161), (183, 162), (183, 163), (183, 164), (183, 165), (183, 166), (183, 167), (183, 168), (183, 169), (183, 170), (183, 171), (183, 172), (183, 173), (183, 174), (183, 175), (183, 176), (183, 177), (183, 178), (183, 179), (183, 180), (183, 181), (183, 182), (183, 183), (183, 184), (183, 185), (183, 186),
(183, 187), (183, 188), (183, 189), (183, 190), (183, 191), (183, 192), (183, 195), (183, 196), (183, 197), (183, 199), (184, 102), (184, 104), (184, 105), (184, 106), (184, 107), (184, 108), (184, 109), (184, 110), (184, 111), (184, 112), (184, 113), (184, 114), (184, 115), (184, 116), (184, 117), (184, 118), (184, 119), (184, 120), (184, 121), (184, 122), (184, 123), (184, 124), (184, 125), (184, 126), (184, 127), (184, 128), (184, 129), (184, 130), (184, 131), (184, 132), (184, 133), (184, 134), (184, 135), (184, 136), (184, 137), (184, 138), (184, 139), (184, 140), (184, 141), (184, 142), (184, 143), (184, 144), (184, 145), (184, 146), (184, 147), (184, 148), (184, 149), (184, 150), (184, 151), (184, 152), (184, 153), (184, 154), (184, 155), (184, 156), (184, 157), (184, 158), (184, 159), (184, 160), (184, 161), (184, 162), (184, 163), (184, 164),
(184, 165), (184, 166), (184, 167), (184, 168), (184, 169), (184, 170), (184, 171), (184, 172), (184, 173), (184, 174), (184, 175), (184, 176), (184, 177), (184, 178), (184, 179), (184, 180), (184, 181), (184, 182), (184, 183), (184, 184), (184, 185), (184, 186), (184, 187), (184, 188), (184, 189), (184, 190), (184, 191), (184, 192), (184, 193), (184, 194), (184, 195), (184, 196), (184, 197), (184, 199), (185, 101), (185, 103), (185, 104), (185, 105), (185, 106), (185, 107), (185, 108), (185, 109), (185, 110), (185, 111), (185, 112), (185, 113), (185, 114), (185, 115), (185, 116), (185, 117), (185, 118), (185, 119), (185, 120), (185, 121), (185, 122), (185, 123), (185, 124), (185, 125), (185, 126), (185, 127), (185, 128), (185, 129), (185, 130), (185, 131), (185, 132), (185, 133), (185, 134), (185, 135), (185, 136), (185, 137), (185, 138), (185, 139),
(185, 140), (185, 141), (185, 142), (185, 143), (185, 144), (185, 145), (185, 146), (185, 147), (185, 148), (185, 149), (185, 150), (185, 151), (185, 152), (185, 153), (185, 154), (185, 155), (185, 156), (185, 157), (185, 158), (185, 159), (185, 160), (185, 161), (185, 162), (185, 163), (185, 164), (185, 165), (185, 166), (185, 167), (185, 168), (185, 169), (185, 170), (185, 171), (185, 172), (185, 173), (185, 174), (185, 175), (185, 176), (185, 177), (185, 178), (185, 179), (185, 180), (185, 181), (185, 182), (185, 183), (185, 184), (185, 185), (185, 186), (185, 187), (185, 188), (185, 189), (185, 190), (185, 191), (185, 192), (185, 193), (185, 194), (185, 195), (185, 196), (185, 197), (185, 199), (186, 101), (186, 103), (186, 104), (186, 105), (186, 106), (186, 107), (186, 108), (186, 109), (186, 110), (186, 111), (186, 112), (186, 113), (186, 114),
(186, 115), (186, 116), (186, 117), (186, 118), (186, 119), (186, 120), (186, 121), (186, 122), (186, 123), (186, 124), (186, 125), (186, 126), (186, 127), (186, 128), (186, 129), (186, 130), (186, 131), (186, 132), (186, 133), (186, 134), (186, 135), (186, 136), (186, 137), (186, 138), (186, 139), (186, 140), (186, 141), (186, 142), (186, 143), (186, 144), (186, 145), (186, 146), (186, 147), (186, 148), (186, 149), (186, 150), (186, 151), (186, 152), (186, 153), (186, 154), (186, 155), (186, 156), (186, 157), (186, 158), (186, 159), (186, 160), (186, 161), (186, 162), (186, 163), (186, 164), (186, 165), (186, 166), (186, 167), (186, 168), (186, 169), (186, 170), (186, 171), (186, 172), (186, 173), (186, 174), (186, 175), (186, 176), (186, 177), (186, 178), (186, 179), (186, 180), (186, 181), (186, 182), (186, 183), (186, 184), (186, 185), (186, 186),
(186, 187), (186, 188), (186, 189), (186, 190), (186, 191), (186, 192), (186, 193), (186, 194), (186, 195), (186, 196), (186, 197), (186, 199), (187, 100), (187, 102), (187, 103), (187, 104), (187, 105), (187, 106), (187, 107), (187, 108), (187, 109), (187, 110), (187, 111), (187, 112), (187, 113), (187, 114), (187, 115), (187, 116), (187, 117), (187, 118), (187, 119), (187, 120), (187, 121), (187, 122), (187, 123), (187, 124), (187, 125), (187, 126), (187, 127), (187, 128), (187, 129), (187, 130), (187, 131), (187, 132), (187, 133), (187, 134), (187, 135), (187, 136), (187, 137), (187, 138), (187, 139), (187, 140), (187, 141), (187, 142), (187, 143), (187, 144), (187, 145), (187, 146), (187, 147), (187, 148), (187, 149), (187, 150), (187, 151), (187, 152), (187, 153), (187, 154), (187, 155), (187, 156), (187, 157), (187, 158), (187, 159), (187, 160),
(187, 161), (187, 162), (187, 163), (187, 164), (187, 165), (187, 166), (187, 167), (187, 168), (187, 169), (187, 170), (187, 171), (187, 172), (187, 173), (187, 174), (187, 175), (187, 176), (187, 177), (187, 178), (187, 179), (187, 180), (187, 181), (187, 182), (187, 183), (187, 184), (187, 185), (187, 186), (187, 187), (187, 188), (187, 189), (187, 190), (187, 191), (187, 192), (187, 193), (187, 194), (187, 195), (187, 196), (187, 197), (187, 199), (188, 99), (188, 101), (188, 102), (188, 103), (188, 104), (188, 105), (188, 106), (188, 107), (188, 108), (188, 109), (188, 110), (188, 111), (188, 112), (188, 113), (188, 114), (188, 115), (188, 116), (188, 117), (188, 118), (188, 119), (188, 120), (188, 121), (188, 122), (188, 123), (188, 124), (188, 125), (188, 126), (188, 127), (188, 128), (188, 129), (188, 130), (188, 131), (188, 132), (188, 133),
(188, 134), (188, 135), (188, 136), (188, 137), (188, 138), (188, 139), (188, 140), (188, 141), (188, 142), (188, 143), (188, 144), (188, 145), (188, 146), (188, 147), (188, 148), (188, 149), (188, 150), (188, 151), (188, 152), (188, 153), (188, 154), (188, 155), (188, 156), (188, 157), (188, 158), (188, 159), (188, 160), (188, 161), (188, 162), (188, 163), (188, 164), (188, 165), (188, 166), (188, 167), (188, 168), (188, 169), (188, 170), (188, 171), (188, 172), (188, 173), (188, 174), (188, 175), (188, 176), (188, 177), (188, 178), (188, 179), (188, 180), (188, 181), (188, 182), (188, 183), (188, 184), (188, 185), (188, 186), (188, 187), (188, 188), (188, 189), (188, 190), (188, 191), (188, 192), (188, 193), (188, 194), (188, 195), (188, 196), (188, 197), (188, 199), (189, 99), (189, 101), (189, 102), (189, 103), (189, 104), (189, 105), (189, 106),
(189, 107), (189, 108), (189, 109), (189, 110), (189, 111), (189, 112), (189, 113), (189, 114), (189, 115), (189, 116), (189, 117), (189, 118), (189, 119), (189, 120), (189, 121), (189, 122), (189, 123), (189, 124), (189, 125), (189, 126), (189, 127), (189, 128), (189, 129), (189, 130), (189, 131), (189, 132), (189, 133), (189, 134), (189, 135), (189, 136), (189, 137), (189, 138), (189, 139), (189, 140), (189, 141), (189, 142), (189, 143), (189, 144), (189, 145), (189, 146), (189, 147), (189, 148), (189, 149), (189, 150), (189, 151), (189, 152), (189, 153), (189, 154), (189, 155), (189, 156), (189, 157), (189, 158), (189, 159), (189, 160), (189, 161), (189, 162), (189, 163), (189, 164), (189, 165), (189, 166), (189, 167), (189, 168), (189, 169), (189, 170), (189, 171), (189, 172), (189, 173), (189, 174), (189, 175), (189, 176), (189, 177), (189, 178),
(189, 179), (189, 180), (189, 181), (189, 182), (189, 183), (189, 184), (189, 185), (189, 186), (189, 187), (189, 188), (189, 189), (189, 190), (189, 191), (189, 192), (189, 193), (189, 194), (189, 195), (189, 196), (189, 197), (189, 199), (190, 98), (190, 100), (190, 101), (190, 102), (190, 103), (190, 104), (190, 105), (190, 106), (190, 107), (190, 108), (190, 109), (190, 110), (190, 111), (190, 112), (190, 113), (190, 114), (190, 115), (190, 116), (190, 117), (190, 118), (190, 119), (190, 120), (190, 121), (190, 122), (190, 123), (190, 124), (190, 125), (190, 126), (190, 127), (190, 128), (190, 129), (190, 130), (190, 131), (190, 132), (190, 133), (190, 134), (190, 135), (190, 136), (190, 137), (190, 138), (190, 139), (190, 140), (190, 141), (190, 142), (190, 143), (190, 144), (190, 145), (190, 146), (190, 147), (190, 148), (190, 149), (190, 150),
(190, 151), (190, 152), (190, 153), (190, 154), (190, 155), (190, 156), (190, 157), (190, 158), (190, 159), (190, 160), (190, 161), (190, 162), (190, 163), (190, 164), (190, 165), (190, 166), (190, 167), (190, 168), (190, 169), (190, 170), (190, 171), (190, 172), (190, 173), (190, 174), (190, 175), (190, 176), (190, 177), (190, 178), (190, 179), (190, 180), (190, 181), (190, 182), (190, 183), (190, 184), (190, 185), (190, 186), (190, 187), (190, 188), (190, 189), (190, 190), (190, 191), (190, 192), (190, 193), (190, 194), (190, 195), (190, 196), (190, 197), (190, 199), (191, 97), (191, 99), (191, 100), (191, 101), (191, 102), (191, 103), (191, 104), (191, 105), (191, 106), (191, 107), (191, 108), (191, 109), (191, 110), (191, 111), (191, 112), (191, 113), (191, 114), (191, 115), (191, 116), (191, 117), (191, 118), (191, 119), (191, 120), (191, 121),
(191, 122), (191, 123), (191, 124), (191, 125), (191, 126), (191, 127), (191, 128), (191, 129), (191, 130), (191, 131), (191, 132), (191, 133), (191, 134), (191, 135), (191, 136), (191, 137), (191, 138), (191, 139), (191, 140), (191, 141), (191, 142), (191, 143), (191, 144), (191, 145), (191, 146), (191, 147), (191, 148), (191, 149), (191, 150), (191, 151), (191, 152), (191, 153), (191, 154), (191, 155), (191, 156), (191, 157), (191, 158), (191, 159), (191, 160), (191, 161), (191, 162), (191, 163), (191, 164), (191, 165), (191, 166), (191, 167), (191, 168), (191, 169), (191, 170), (191, 171), (191, 172), (191, 173), (191, 174), (191, 175), (191, 176), (191, 177), (191, 178), (191, 179), (191, 180), (191, 181), (191, 182), (191, 183), (191, 184), (191, 185), (191, 186), (191, 187), (191, 188), (191, 189), (191, 190), (191, 191), (191, 192), (191, 193),
(191, 194), (191, 195), (191, 196), (191, 197), (191, 199), (192, 96), (192, 98), (192, 99), (192, 100), (192, 101), (192, 102), (192, 103), (192, 104), (192, 105), (192, 106), (192, 107), (192, 108), (192, 109), (192, 110), (192, 111), (192, 112), (192, 113), (192, 114), (192, 115), (192, 116), (192, 117), (192, 118), (192, 119), (192, 120), (192, 121), (192, 122), (192, 123), (192, 124), (192, 125), (192, 126), (192, 127), (192, 128), (192, 129), (192, 130), (192, 131), (192, 132), (192, 133), (192, 134), (192, 135), (192, 136), (192, 137), (192, 138), (192, 139), (192, 140), (192, 141), (192, 142), (192, 143), (192, 144), (192, 145), (192, 146), (192, 147), (192, 148), (192, 149), (192, 150), (192, 151), (192, 152), (192, 153), (192, 154), (192, 155), (192, 156), (192, 157), (192, 158), (192, 159), (192, 160), (192, 161), (192, 162), (192, 163),
(192, 164), (192, 165), (192, 166), (192, 167), (192, 168), (192, 169), (192, 170), (192, 171), (192, 172), (192, 173), (192, 174), (192, 175), (192, 176), (192, 177), (192, 178), (192, 179), (192, 180), (192, 181), (192, 182), (192, 183), (192, 184), (192, 185), (192, 186), (192, 187), (192, 188), (192, 189), (192, 190), (192, 191), (192, 192), (192, 193), (192, 194), (192, 195), (192, 196), (192, 197), (192, 199), (193, 96), (193, 98), (193, 99), (193, 100), (193, 101), (193, 102), (193, 103), (193, 104), (193, 105), (193, 106), (193, 107), (193, 108), (193, 109), (193, 110), (193, 111), (193, 112), (193, 113), (193, 114), (193, 115), (193, 116), (193, 117), (193, 118), (193, 119), (193, 120), (193, 121), (193, 122), (193, 123), (193, 124), (193, 125), (193, 126), (193, 127), (193, 128), (193, 129), (193, 130), (193, 131), (193, 132), (193, 133),
(193, 134), (193, 135), (193, 136), (193, 137), (193, 138), (193, 139), (193, 140), (193, 141), (193, 142), (193, 143), (193, 144), (193, 145), (193, 146), (193, 147), (193, 148), (193, 149), (193, 150), (193, 151), (193, 152), (193, 153), (193, 154), (193, 155), (193, 156), (193, 157), (193, 158), (193, 159), (193, 160), (193, 161), (193, 162), (193, 163), (193, 164), (193, 165), (193, 166), (193, 167), (193, 168), (193, 169), (193, 170), (193, 171), (193, 172), (193, 173), (193, 174), (193, 175), (193, 176), (193, 177), (193, 178), (193, 179), (193, 180), (193, 181), (193, 182), (193, 183), (193, 184), (193, 185), (193, 186), (193, 187), (193, 188), (193, 189), (193, 190), (193, 191), (193, 192), (193, 193), (193, 194), (193, 195), (193, 196), (193, 197), (193, 199), (194, 95), (194, 97), (194, 98), (194, 99), (194, 100), (194, 101), (194, 102),
(194, 103), (194, 104), (194, 105), (194, 106), (194, 107), (194, 108), (194, 109), (194, 110), (194, 111), (194, 112), (194, 113), (194, 114), (194, 115), (194, 116), (194, 117), (194, 118), (194, 119), (194, 120), (194, 121), (194, 122), (194, 123), (194, 124), (194, 125), (194, 126), (194, 127), (194, 128), (194, 129), (194, 130), (194, 131), (194, 132), (194, 133), (194, 134), (194, 135), (194, 136), (194, 137), (194, 138), (194, 139), (194, 140), (194, 141), (194, 142), (194, 143), (194, 144), (194, 145), (194, 146), (194, 147), (194, 148), (194, 149), (194, 150), (194, 151), (194, 152), (194, 153), (194, 154), (194, 155), (194, 156), (194, 157), (194, 158), (194, 159), (194, 160), (194, 161), (194, 162), (194, 163), (194, 164), (194, 165), (194, 166), (194, 167), (194, 168), (194, 169), (194, 170), (194, 171), (194, 172), (194, 173), (194, 174),
(194, 175), (194, 176), (194, 177), (194, 178), (194, 179), (194, 180), (194, 181), (194, 182), (194, 183), (194, 184), (194, 185), (194, 186), (194, 187), (194, 188), (194, 189), (194, 190), (194, 191), (194, 192), (194, 193), (194, 194), (194, 195), (194, 196), (194, 197), (194, 199), (195, 94), (195, 96), (195, 97), (195, 98), (195, 99), (195, 100), (195, 101), (195, 102), (195, 103), (195, 104), (195, 105), (195, 106), (195, 107), (195, 108), (195, 109), (195, 110), (195, 111), (195, 112), (195, 113), (195, 114), (195, 115), (195, 116), (195, 117), (195, 118), (195, 119), (195, 120), (195, 121), (195, 122), (195, 123), (195, 124), (195, 125), (195, 126), (195, 127), (195, 128), (195, 129), (195, 130), (195, 131), (195, 132), (195, 133), (195, 134), (195, 135), (195, 136), (195, 137), (195, 138), (195, 139), (195, 140), (195, 141), (195, 142),
(195, 143), (195, 144), (195, 145), (195, 146), (195, 147), (195, 148), (195, 149), (195, 150), (195, 151), (195, 152), (195, 153), (195, 154), (195, 155), (195, 156), (195, 157), (195, 158), (195, 159), (195, 160), (195, 161), (195, 162), (195, 163), (195, 164), (195, 165), (195, 166), (195, 167), (195, 168), (195, 169), (195, 170), (195, 171), (195, 172), (195, 173), (195, 174), (195, 175), (195, 176), (195, 177), (195, 178), (195, 179), (195, 180), (195, 181), (195, 182), (195, 183), (195, 184), (195, 185), (195, 186), (195, 187), (195, 188), (195, 189), (195, 190), (195, 191), (195, 192), (195, 193), (195, 194), (195, 195), (195, 196), (195, 197), (195, 199), (196, 94), (196, 96), (196, 97), (196, 98), (196, 99), (196, 100), (196, 101), (196, 102), (196, 103), (196, 104), (196, 105), (196, 106), (196, 107), (196, 108), (196, 109), (196, 110),
(196, 111), (196, 112), (196, 113), (196, 114), (196, 115), (196, 116), (196, 117), (196, 118), (196, 119), (196, 120), (196, 121), (196, 122), (196, 123), (196, 124), (196, 125), (196, 126), (196, 127), (196, 128), (196, 129), (196, 130), (196, 131), (196, 132), (196, 133), (196, 134), (196, 135), (196, 136), (196, 137), (196, 138), (196, 139), (196, 140), (196, 141), (196, 142), (196, 143), (196, 144), (196, 145), (196, 146), (196, 147), (196, 148), (196, 149), (196, 150), (196, 151), (196, 152), (196, 153), (196, 154), (196, 155), (196, 156), (196, 157), (196, 158), (196, 159), (196, 160), (196, 161), (196, 162), (196, 163), (196, 164), (196, 165), (196, 166), (196, 167), (196, 168), (196, 169), (196, 170), (196, 171), (196, 172), (196, 173), (196, 174), (196, 175), (196, 176), (196, 177), (196, 178), (196, 179), (196, 180), (196, 181), (196, 182),
(196, 183), (196, 184), (196, 185), (196, 186), (196, 187), (196, 188), (196, 189), (196, 190), (196, 191), (196, 192), (196, 193), (196, 194), (196, 195), (196, 196), (196, 197), (196, 199), (197, 93), (197, 95), (197, 96), (197, 97), (197, 98), (197, 99), (197, 100), (197, 101), (197, 102), (197, 103), (197, 104), (197, 105), (197, 106), (197, 107), (197, 108), (197, 109), (197, 110), (197, 111), (197, 112), (197, 113), (197, 114), (197, 115), (197, 116), (197, 117), (197, 118), (197, 119), (197, 120), (197, 121), (197, 122), (197, 123), (197, 124), (197, 125), (197, 126), (197, 127), (197, 128), (197, 129), (197, 130), (197, 131), (197, 132), (197, 133), (197, 134), (197, 135), (197, 136), (197, 137), (197, 138), (197, 139), (197, 140), (197, 141), (197, 142), (197, 143), (197, 144), (197, 145), (197, 146), (197, 147), (197, 148), (197, 149),
(197, 150), (197, 151), (197, 152), (197, 153), (197, 154), (197, 155), (197, 156), (197, 157), (197, 158), (197, 159), (197, 160), (197, 161), (197, 162), (197, 163), (197, 164), (197, 165), (197, 166), (197, 167), (197, 168), (197, 169), (197, 170), (197, 171), (197, 172), (197, 173), (197, 174), (197, 175), (197, 176), (197, 177), (197, 178), (197, 179), (197, 180), (197, 181), (197, 182), (197, 183), (197, 184), (197, 185), (197, 186), (197, 187), (197, 188), (197, 189), (197, 190), (197, 191), (197, 192), (197, 193), (197, 194), (197, 195), (197, 196), (197, 197), (197, 199), (198, 92), (198, 94), (198, 95), (198, 96), (198, 97), (198, 98), (198, 99), (198, 100), (198, 101), (198, 102), (198, 103), (198, 104), (198, 105), (198, 106), (198, 107), (198, 108), (198, 109), (198, 110), (198, 111), (198, 112), (198, 113), (198, 114), (198, 115),
(198, 116), (198, 117), (198, 118), (198, 119), (198, 120), (198, 121), (198, 122), (198, 123), (198, 124), (198, 125), (198, 126), (198, 127), (198, 128), (198, 129), (198, 130), (198, 131), (198, 132), (198, 133), (198, 134), (198, 135), (198, 136), (198, 137), (198, 138), (198, 139), (198, 140), (198, 141), (198, 142), (198, 143), (198, 144), (198, 145), (198, 146), (198, 147), (198, 148), (198, 149), (198, 150), (198, 151), (198, 152), (198, 153), (198, 154), (198, 155), (198, 156), (198, 157), (198, 158), (198, 159), (198, 160), (198, 161), (198, 162), (198, 163), (198, 164), (198, 165), (198, 166), (198, 167), (198, 168), (198, 169), (198, 170), (198, 171), (198, 172), (198, 173), (198, 174), (198, 175), (198, 176), (198, 177), (198, 178), (198, 179), (198, 180), (198, 181), (198, 182), (198, 183), (198, 184), (198, 185), (198, 186), (198, 187),
(198, 188), (198, 189), (198, 190), (198, 191), (198, 192), (198, 193), (198, 194), (198, 195), (198, 196), (198, 197), (198, 199), (199, 91), (199, 93), (199, 94), (199, 95), (199, 96), (199, 97), (199, 98), (199, 99), (199, 100), (199, 101), (199, 102), (199, 103), (199, 104), (199, 105), (199, 106), (199, 107), (199, 108), (199, 109), (199, 110), (199, 111), (199, 112), (199, 113), (199, 114), (199, 115), (199, 116), (199, 117), (199, 118), (199, 119), (199, 120), (199, 121), (199, 122), (199, 123), (199, 124), (199, 125), (199, 126), (199, 127), (199, 128), (199, 129), (199, 130), (199, 131), (199, 132), (199, 133), (199, 134), (199, 135), (199, 136), (199, 137), (199, 138), (199, 139), (199, 140), (199, 141), (199, 142), (199, 143), (199, 144), (199, 145), (199, 146), (199, 147), (199, 148), (199, 149), (199, 150), (199, 151), (199, 152),
(199, 153), (199, 154), (199, 155), (199, 156), (199, 157), (199, 158), (199, 159), (199, 160), (199, 161), (199, 162), (199, 163), (199, 164), (199, 165), (199, 166), (199, 167), (199, 168), (199, 169), (199, 170), (199, 171), (199, 172), (199, 173), (199, 174), (199, 175), (199, 176), (199, 177), (199, 178), (199, 179), (199, 180), (199, 181), (199, 182), (199, 183), (199, 184), (199, 185), (199, 186), (199, 187), (199, 188), (199, 189), (199, 190), (199, 191), (199, 192), (199, 193), (199, 194), (199, 195), (199, 196), (199, 197), (199, 199), (200, 91), (200, 93), (200, 94), (200, 95), (200, 96), (200, 97), (200, 98), (200, 99), (200, 100), (200, 101), (200, 102), (200, 103), (200, 104), (200, 105), (200, 106), (200, 107), (200, 108), (200, 109), (200, 110), (200, 111), (200, 112), (200, 113), (200, 114), (200, 115), (200, 116), (200, 117),
(200, 118), (200, 119), (200, 120), (200, 121), (200, 122), (200, 123), (200, 124), (200, 125), (200, 126), (200, 127), (200, 128), (200, 129), (200, 130), (200, 131), (200, 132), (200, 133), (200, 134), (200, 135), (200, 136), (200, 137), (200, 138), (200, 139), (200, 140), (200, 141), (200, 142), (200, 143), (200, 144), (200, 145), (200, 146), (200, 147), (200, 148), (200, 149), (200, 150), (200, 151), (200, 152), (200, 153), (200, 154), (200, 155), (200, 156), (200, 157), (200, 158), (200, 159), (200, 160), (200, 161), (200, 162), (200, 163), (200, 164), (200, 165), (200, 166), (200, 167), (200, 168), (200, 169), (200, 170), (200, 171), (200, 172), (200, 173), (200, 174), (200, 175), (200, 176), (200, 177), (200, 178), (200, 179), (200, 180), (200, 181), (200, 182), (200, 183), (200, 184), (200, 185), (200, 186), (200, 187), (200, 188), (200, 189),
(200, 190), (200, 191), (200, 192), (200, 193), (200, 194), (200, 195), (200, 196), (200, 197), (200, 199), (201, 90), (201, 92), (201, 93), (201, 94), (201, 95), (201, 96), (201, 97), (201, 98), (201, 99), (201, 100), (201, 101), (201, 102), (201, 103), (201, 104), (201, 105), (201, 106), (201, 107), (201, 108), (201, 109), (201, 110), (201, 111), (201, 112), (201, 113), (201, 114), (201, 115), (201, 116), (201, 117), (201, 118), (201, 119), (201, 120), (201, 121), (201, 122), (201, 123), (201, 124), (201, 125), (201, 126), (201, 127), (201, 128), (201, 129), (201, 130), (201, 131), (201, 132), (201, 133), (201, 134), (201, 135), (201, 136), (201, 137), (201, 138), (201, 139), (201, 140), (201, 141), (201, 142), (201, 143), (201, 144), (201, 145), (201, 146), (201, 147), (201, 148), (201, 149), (201, 150), (201, 151), (201, 152), (201, 153),
(201, 154), (201, 155), (201, 156), (201, 157), (201, 158), (201, 159), (201, 160), (201, 161), (201, 162), (201, 163), (201, 164), (201, 165), (201, 166), (201, 167), (201, 168), (201, 169), (201, 170), (201, 171), (201, 172), (201, 173), (201, 174), (201, 175), (201, 176), (201, 177), (201, 178), (201, 179), (201, 180), (201, 181), (201, 182), (201, 183), (201, 184), (201, 185), (201, 186), (201, 187), (201, 188), (201, 189), (201, 190), (201, 191), (201, 192), (201, 193), (201, 194), (201, 195), (201, 196), (201, 197), (201, 199), (202, 89), (202, 91), (202, 92), (202, 93), (202, 94), (202, 95), (202, 96), (202, 97), (202, 98), (202, 99), (202, 100), (202, 101), (202, 102), (202, 103), (202, 104), (202, 105), (202, 106), (202, 107), (202, 108), (202, 109), (202, 110), (202, 111), (202, 112), (202, 113), (202, 114), (202, 115), (202, 116),
(202, 117), (202, 118), (202, 119), (202, 120), (202, 121), (202, 122), (202, 123), (202, 124), (202, 125), (202, 126), (202, 127), (202, 128), (202, 129), (202, 130), (202, 131), (202, 132), (202, 133), (202, 134), (202, 135), (202, 136), (202, 137), (202, 138), (202, 139), (202, 140), (202, 141), (202, 142), (202, 143), (202, 144), (202, 145), (202, 146), (202, 147), (202, 148), (202, 149), (202, 150), (202, 151), (202, 152), (202, 153), (202, 154), (202, 155), (202, 156), (202, 157), (202, 158), (202, 159), (202, 160), (202, 161), (202, 162), (202, 163), (202, 164), (202, 165), (202, 166), (202, 167), (202, 168), (202, 169), (202, 170), (202, 171), (202, 172), (202, 173), (202, 174), (202, 175), (202, 176), (202, 177), (202, 178), (202, 179), (202, 180), (202, 181), (202, 182), (202, 183), (202, 184), (202, 185), (202, 186), (202, 187), (202, 188),
(202, 189), (202, 190), (202, 191), (202, 192), (202, 193), (202, 194), (202, 195), (202, 196), (202, 197), (202, 199), (203, 89), (203, 91), (203, 92), (203, 93), (203, 94), (203, 95), (203, 96), (203, 97), (203, 98), (203, 99), (203, 100), (203, 101), (203, 102), (203, 103), (203, 104), (203, 105), (203, 106), (203, 107), (203, 108), (203, 109), (203, 110), (203, 111), (203, 112), (203, 113), (203, 114), (203, 115), (203, 116), (203, 117), (203, 118), (203, 119), (203, 120), (203, 121), (203, 122), (203, 123), (203, 124), (203, 125), (203, 126), (203, 127), (203, 128), (203, 129), (203, 130), (203, 131), (203, 132), (203, 133), (203, 134), (203, 135), (203, 136), (203, 137), (203, 138), (203, 139), (203, 140), (203, 141), (203, 142), (203, 143), (203, 144), (203, 145), (203, 146), (203, 147), (203, 148), (203, 149), (203, 150), (203, 151),
(203, 152), (203, 153), (203, 154), (203, 155), (203, 156), (203, 157), (203, 158), (203, 159), (203, 160), (203, 161), (203, 162), (203, 163), (203, 164), (203, 165), (203, 166), (203, 167), (203, 168), (203, 169), (203, 170), (203, 171), (203, 172), (203, 173), (203, 174), (203, 175), (203, 176), (203, 177), (203, 178), (203, 179), (203, 180), (203, 181), (203, 182), (203, 183), (203, 184), (203, 185), (203, 186), (203, 187), (203, 188), (203, 189), (203, 190), (203, 191), (203, 192), (203, 193), (203, 194), (203, 195), (203, 196), (203, 197), (203, 199), (204, 88), (204, 90), (204, 91), (204, 92), (204, 93), (204, 94), (204, 95), (204, 96), (204, 97), (204, 98), (204, 99), (204, 100), (204, 101), (204, 102), (204, 103), (204, 104), (204, 105), (204, 106), (204, 107), (204, 108), (204, 109), (204, 110), (204, 111), (204, 112), (204, 113),
(204, 114), (204, 115), (204, 116), (204, 117), (204, 118), (204, 119), (204, 120), (204, 121), (204, 122), (204, 123), (204, 124), (204, 125), (204, 126), (204, 127), (204, 128), (204, 129), (204, 130), (204, 131), (204, 132), (204, 133), (204, 134), (204, 135), (204, 136), (204, 137), (204, 138), (204, 139), (204, 140), (204, 141), (204, 142), (204, 143), (204, 144), (204, 145), (204, 146), (204, 147), (204, 148), (204, 149), (204, 150), (204, 151), (204, 152), (204, 153), (204, 154), (204, 155), (204, 156), (204, 157), (204, 158), (204, 159), (204, 160), (204, 161), (204, 162), (204, 163), (204, 164), (204, 165), (204, 166), (204, 167), (204, 168), (204, 169), (204, 170), (204, 171), (204, 172), (204, 173), (204, 174), (204, 175), (204, 176), (204, 177), (204, 178), (204, 179), (204, 180), (204, 181), (204, 182), (204, 183), (204, 184), (204, 185),
(204, 186), (204, 187), (204, 188), (204, 189), (204, 190), (204, 191), (204, 192), (204, 193), (204, 194), (204, 195), (204, 196), (204, 197), (204, 199), (205, 87), (205, 89), (205, 90), (205, 91), (205, 92), (205, 93), (205, 94), (205, 95), (205, 96), (205, 97), (205, 98), (205, 99), (205, 100), (205, 101), (205, 102), (205, 103), (205, 104), (205, 105), (205, 106), (205, 107), (205, 108), (205, 109), (205, 110), (205, 111), (205, 112), (205, 113), (205, 114), (205, 115), (205, 116), (205, 117), (205, 118), (205, 119), (205, 120), (205, 121), (205, 122), (205, 123), (205, 124), (205, 125), (205, 126), (205, 127), (205, 128), (205, 129), (205, 130), (205, 131), (205, 132), (205, 133), (205, 134), (205, 135), (205, 136), (205, 137), (205, 138), (205, 139), (205, 140), (205, 141), (205, 142), (205, 143), (205, 144), (205, 145), (205, 146),
(205, 147), (205, 148), (205, 149), (205, 150), (205, 151), (205, 152), (205, 153), (205, 154), (205, 155), (205, 156), (205, 157), (205, 158), (205, 159), (205, 160), (205, 161), (205, 162), (205, 163), (205, 164), (205, 165), (205, 166), (205, 167), (205, 168), (205, 169), (205, 170), (205, 171), (205, 172), (205, 173), (205, 174), (205, 175), (205, 176), (205, 177), (205, 178), (205, 179), (205, 180), (205, 181), (205, 182), (205, 183), (205, 184), (205, 185), (205, 186), (205, 187), (205, 188), (205, 189), (205, 190), (205, 191), (205, 192), (205, 193), (205, 194), (205, 195), (205, 196), (205, 197), (205, 199), (206, 87), (206, 89), (206, 90), (206, 91), (206, 92), (206, 93), (206, 94), (206, 95), (206, 96), (206, 97), (206, 98), (206, 99), (206, 100), (206, 101), (206, 102), (206, 103), (206, 104), (206, 105), (206, 106), (206, 107),
(206, 108), (206, 109), (206, 110), (206, 111), (206, 112), (206, 113), (206, 114), (206, 115), (206, 116), (206, 117), (206, 118), (206, 119), (206, 120), (206, 121), (206, 122), (206, 123), (206, 124), (206, 125), (206, 126), (206, 127), (206, 128), (206, 129), (206, 130), (206, 131), (206, 132), (206, 133), (206, 134), (206, 135), (206, 136), (206, 137), (206, 138), (206, 139), (206, 140), (206, 141), (206, 142), (206, 143), (206, 144), (206, 145), (206, 146), (206, 147), (206, 148), (206, 149), (206, 150), (206, 151), (206, 152), (206, 153), (206, 154), (206, 155), (206, 156), (206, 157), (206, 158), (206, 159), (206, 160), (206, 161), (206, 162), (206, 163), (206, 164), (206, 165), (206, 166), (206, 167), (206, 168), (206, 169), (206, 170), (206, 171), (206, 172), (206, 173), (206, 174), (206, 175), (206, 176), (206, 177), (206, 178), (206, 179),
(206, 180), (206, 181), (206, 182), (206, 183), (206, 184), (206, 185), (206, 186), (206, 187), (206, 188), (206, 189), (206, 190), (206, 191), (206, 192), (206, 193), (206, 194), (206, 195), (206, 196), (206, 197), (206, 199), (207, 87), (207, 89), (207, 90), (207, 91), (207, 92), (207, 93), (207, 94), (207, 95), (207, 96), (207, 97), (207, 98), (207, 99), (207, 100), (207, 101), (207, 102), (207, 103), (207, 104), (207, 105), (207, 106), (207, 107), (207, 108), (207, 109), (207, 110), (207, 111), (207, 112), (207, 113), (207, 114), (207, 115), (207, 116), (207, 117), (207, 118), (207, 119), (207, 120), (207, 121), (207, 122), (207, 123), (207, 124), (207, 125), (207, 126), (207, 127), (207, 128), (207, 129), (207, 130), (207, 131), (207, 132), (207, 133), (207, 134), (207, 135), (207, 136), (207, 137), (207, 138), (207, 139), (207, 140),
(207, 141), (207, 142), (207, 143), (207, 144), (207, 145), (207, 146), (207, 147), (207, 148), (207, 149), (207, 150), (207, 151), (207, 152), (207, 153), (207, 154), (207, 155), (207, 156), (207, 157), (207, 158), (207, 159), (207, 160), (207, 161), (207, 162), (207, 163), (207, 164), (207, 165), (207, 166), (207, 167), (207, 168), (207, 169), (207, 170), (207, 171), (207, 172), (207, 173), (207, 174), (207, 175), (207, 176), (207, 177), (207, 178), (207, 179), (207, 180), (207, 181), (207, 182), (207, 183), (207, 184), (207, 185), (207, 186), (207, 187), (207, 188), (207, 189), (207, 190), (207, 191), (207, 192), (207, 193), (207, 194), (207, 195), (207, 196), (207, 197), (207, 199), (208, 86), (208, 88), (208, 89), (208, 90), (208, 91), (208, 92), (208, 93), (208, 94), (208, 95), (208, 96), (208, 97), (208, 98), (208, 99), (208, 100),
(208, 101), (208, 102), (208, 103), (208, 104), (208, 105), (208, 106), (208, 107), (208, 108), (208, 109), (208, 110), (208, 111), (208, 112), (208, 113), (208, 114), (208, 115), (208, 116), (208, 117), (208, 118), (208, 119), (208, 120), (208, 121), (208, 122), (208, 123), (208, 124), (208, 125), (208, 126), (208, 127), (208, 128), (208, 129), (208, 130), (208, 131), (208, 132), (208, 133), (208, 134), (208, 135), (208, 136), (208, 137), (208, 138), (208, 139), (208, 140), (208, 141), (208, 142), (208, 143), (208, 144), (208, 145), (208, 146), (208, 147), (208, 148), (208, 149), (208, 150), (208, 151), (208, 152), (208, 153), (208, 154), (208, 155), (208, 156), (208, 157), (208, 158), (208, 159), (208, 160), (208, 161), (208, 162), (208, 163), (208, 164), (208, 165), (208, 166), (208, 167), (208, 168), (208, 169), (208, 170), (208, 171), (208, 172),
(208, 173), (208, 174), (208, 175), (208, 176), (208, 177), (208, 178), (208, 179), (208, 180), (208, 181), (208, 182), (208, 183), (208, 184), (208, 185), (208, 186), (208, 187), (208, 188), (208, 189), (208, 190), (208, 191), (208, 192), (208, 193), (208, 194), (208, 195), (208, 196), (208, 197), (208, 199), (209, 86), (209, 88), (209, 89), (209, 90), (209, 91), (209, 92), (209, 93), (209, 94), (209, 95), (209, 96), (209, 97), (209, 98), (209, 99), (209, 100), (209, 101), (209, 102), (209, 103), (209, 104), (209, 105), (209, 106), (209, 107), (209, 108), (209, 109), (209, 110), (209, 111), (209, 112), (209, 113), (209, 114), (209, 115), (209, 116), (209, 117), (209, 118), (209, 119), (209, 120), (209, 121), (209, 122), (209, 123), (209, 124), (209, 125), (209, 126), (209, 127), (209, 128), (209, 129), (209, 130), (209, 131), (209, 132),
(209, 133), (209, 134), (209, 135), (209, 136), (209, 137), (209, 138), (209, 139), (209, 140), (209, 141), (209, 142), (209, 143), (209, 144), (209, 145), (209, 146), (209, 147), (209, 148), (209, 149), (209, 150), (209, 151), (209, 152), (209, 153), (209, 154), (209, 155), (209, 156), (209, 157), (209, 158), (209, 159), (209, 160), (209, 161), (209, 162), (209, 163), (209, 164), (209, 165), (209, 166), (209, 167), (209, 168), (209, 169), (209, 170), (209, 171), (209, 172), (209, 173), (209, 174), (209, 175), (209, 176), (209, 177), (209, 178), (209, 179), (209, 180), (209, 181), (209, 182), (209, 183), (209, 184), (209, 185), (209, 186), (209, 187), (209, 188), (209, 189), (209, 190), (209, 191), (209, 192), (209, 193), (209, 194), (209, 195), (209, 196), (209, 197), (209, 199), (210, 85), (210, 87), (210, 88), (210, 89), (210, 90), (210, 91),
(210, 92), (210, 93), (210, 94), (210, 95), (210, 96), (210, 97), (210, 98), (210, 99), (210, 100), (210, 101), (210, 102), (210, 103), (210, 104), (210, 105), (210, 106), (210, 107), (210, 108), (210, 109), (210, 110), (210, 111), (210, 112), (210, 113), (210, 114), (210, 115), (210, 116), (210, 117), (210, 118), (210, 119), (210, 120), (210, 121), (210, 122), (210, 123), (210, 124), (210, 125), (210, 126), (210, 127), (210, 128), (210, 129), (210, 130), (210, 131), (210, 132), (210, 133), (210, 134), (210, 135), (210, 136), (210, 137), (210, 138), (210, 139), (210, 140), (210, 141), (210, 142), (210, 143), (210, 144), (210, 145), (210, 146), (210, 147), (210, 148), (210, 149), (210, 150), (210, 151), (210, 152), (210, 153), (210, 154), (210, 155), (210, 156), (210, 157), (210, 158), (210, 159), (210, 160), (210, 161), (210, 162), (210, 163),
(210, 164), (210, 165), (210, 166), (210, 167), (210, 168), (210, 169), (210, 170), (210, 171), (210, 172), (210, 173), (210, 174), (210, 175), (210, 176), (210, 177), (210, 178), (210, 179), (210, 180), (210, 181), (210, 182), (210, 183), (210, 184), (210, 185), (210, 186), (210, 187), (210, 188), (210, 189), (210, 190), (210, 191), (210, 192), (210, 193), (210, 194), (210, 195), (210, 196), (210, 197), (210, 199), (211, 85), (211, 87), (211, 88), (211, 89), (211, 90), (211, 91), (211, 92), (211, 93), (211, 94), (211, 95), (211, 96), (211, 97), (211, 98), (211, 99), (211, 100), (211, 101), (211, 102), (211, 103), (211, 104), (211, 105), (211, 106), (211, 107), (211, 108), (211, 109), (211, 110), (211, 111), (211, 112), (211, 113), (211, 114), (211, 115), (211, 116), (211, 117), (211, 118), (211, 119), (211, 120), (211, 121), (211, 122),
(211, 123), (211, 124), (211, 125), (211, 126), (211, 127), (211, 128), (211, 129), (211, 130), (211, 131), (211, 132), (211, 133), (211, 134), (211, 135), (211, 136), (211, 137), (211, 138), (211, 139), (211, 140), (211, 141), (211, 142), (211, 143), (211, 144), (211, 145), (211, 146), (211, 147), (211, 148), (211, 149), (211, 150), (211, 151), (211, 152), (211, 153), (211, 154), (211, 155), (211, 156), (211, 157), (211, 158), (211, 159), (211, 160), (211, 161), (211, 162), (211, 163), (211, 164), (211, 165), (211, 166), (211, 167), (211, 168), (211, 169), (211, 170), (211, 171), (211, 172), (211, 173), (211, 174), (211, 175), (211, 176), (211, 177), (211, 178), (211, 179), (211, 180), (211, 181), (211, 182), (211, 183), (211, 184), (211, 185), (211, 186), (211, 187), (211, 188), (211, 189), (211, 190), (211, 191), (211, 192), (211, 193), (211, 194),
(211, 195), (211, 196), (211, 197), (211, 199), (212, 84), (212, 85), (212, 86), (212, 87), (212, 88), (212, 89), (212, 90), (212, 91), (212, 92), (212, 93), (212, 94), (212, 95), (212, 96), (212, 97), (212, 98), (212, 99), (212, 100), (212, 101), (212, 102), (212, 103), (212, 104), (212, 105), (212, 106), (212, 107), (212, 108), (212, 109), (212, 110), (212, 111), (212, 112), (212, 113), (212, 114), (212, 115), (212, 116), (212, 117), (212, 118), (212, 119), (212, 120), (212, 121), (212, 122), (212, 123), (212, 124), (212, 125), (212, 126), (212, 127), (212, 128), (212, 129), (212, 130), (212, 131), (212, 132), (212, 133), (212, 134), (212, 135), (212, 136), (212, 137), (212, 138), (212, 139), (212, 140), (212, 141), (212, 142), (212, 143), (212, 144), (212, 145), (212, 146), (212, 147), (212, 148), (212, 149), (212, 150), (212, 151),
(212, 152), (212, 153), (212, 154), (212, 155), (212, 156), (212, 157), (212, 158), (212, 159), (212, 160), (212, 161), (212, 162), (212, 163), (212, 164), (212, 165), (212, 166), (212, 167), (212, 168), (212, 169), (212, 170), (212, 171), (212, 172), (212, 173), (212, 174), (212, 175), (212, 176), (212, 177), (212, 178), (212, 179), (212, 180), (212, 181), (212, 182), (212, 183), (212, 184), (212, 185), (212, 186), (212, 187), (212, 188), (212, 189), (212, 190), (212, 191), (212, 192), (212, 193), (212, 194), (212, 195), (212, 196), (212, 197), (212, 199), (213, 84), (213, 86), (213, 87), (213, 88), (213, 89), (213, 90), (213, 91), (213, 92), (213, 93), (213, 94), (213, 95), (213, 96), (213, 97), (213, 98), (213, 99), (213, 100), (213, 101), (213, 102), (213, 103), (213, 104), (213, 105), (213, 106), (213, 107), (213, 108), (213, 109),
(213, 110), (213, 111), (213, 112), (213, 113), (213, 114), (213, 115), (213, 116), (213, 117), (213, 118), (213, 119), (213, 120), (213, 121), (213, 122), (213, 123), (213, 124), (213, 125), (213, 126), (213, 127), (213, 128), (213, 129), (213, 130), (213, 131), (213, 132), (213, 133), (213, 134), (213, 135), (213, 136), (213, 137), (213, 138), (213, 139), (213, 140), (213, 141), (213, 142), (213, 143), (213, 144), (213, 145), (213, 146), (213, 147), (213, 148), (213, 149), (213, 150), (213, 151), (213, 152), (213, 153), (213, 154), (213, 155), (213, 156), (213, 157), (213, 158), (213, 159), (213, 160), (213, 161), (213, 162), (213, 163), (213, 164), (213, 165), (213, 166), (213, 167), (213, 168), (213, 169), (213, 170), (213, 171), (213, 172), (213, 173), (213, 174), (213, 175), (213, 176), (213, 177), (213, 178), (213, 179), (213, 180), (213, 181),
(213, 182), (213, 183), (213, 184), (213, 185), (213, 186), (213, 187), (213, 188), (213, 189), (213, 190), (213, 191), (213, 192), (213, 193), (213, 194), (213, 195), (213, 196), (213, 197), (213, 199), (214, 84), (214, 86), (214, 87), (214, 88), (214, 89), (214, 90), (214, 91), (214, 92), (214, 93), (214, 94), (214, 95), (214, 96), (214, 97), (214, 98), (214, 99), (214, 100), (214, 101), (214, 102), (214, 103), (214, 104), (214, 105), (214, 106), (214, 107), (214, 108), (214, 109), (214, 110), (214, 111), (214, 112), (214, 113), (214, 114), (214, 115), (214, 116), (214, 117), (214, 118), (214, 119), (214, 120), (214, 121), (214, 122), (214, 123), (214, 124), (214, 125), (214, 126), (214, 127), (214, 128), (214, 129), (214, 130), (214, 131), (214, 132), (214, 133), (214, 134), (214, 135), (214, 136), (214, 137), (214, 138), (214, 139),
(214, 140), (214, 141), (214, 142), (214, 143), (214, 144), (214, 145), (214, 146), (214, 147), (214, 148), (214, 149), (214, 150), (214, 151), (214, 152), (214, 153), (214, 154), (214, 155), (214, 156), (214, 157), (214, 158), (214, 159), (214, 160), (214, 161), (214, 162), (214, 163), (214, 164), (214, 165), (214, 166), (214, 167), (214, 168), (214, 169), (214, 170), (214, 171), (214, 172), (214, 173), (214, 174), (214, 175), (214, 176), (214, 177), (214, 178), (214, 179), (214, 180), (214, 181), (214, 182), (214, 183), (214, 184), (214, 185), (214, 186), (214, 187), (214, 188), (214, 189), (214, 190), (214, 191), (214, 192), (214, 193), (214, 194), (214, 195), (214, 196), (214, 197), (214, 199), (215, 83), (215, 85), (215, 86), (215, 87), (215, 88), (215, 89), (215, 90), (215, 91), (215, 92), (215, 93), (215, 94), (215, 95), (215, 96),
(215, 97), (215, 98), (215, 99), (215, 100), (215, 101), (215, 102), (215, 103), (215, 104), (215, 105), (215, 106), (215, 107), (215, 108), (215, 109), (215, 110), (215, 111), (215, 112), (215, 113), (215, 114), (215, 115), (215, 116), (215, 117), (215, 118), (215, 119), (215, 120), (215, 121), (215, 122), (215, 123), (215, 124), (215, 125), (215, 126), (215, 127), (215, 128), (215, 129), (215, 130), (215, 131), (215, 132), (215, 133), (215, 134), (215, 135), (215, 136), (215, 137), (215, 138), (215, 139), (215, 140), (215, 141), (215, 142), (215, 143), (215, 144), (215, 145), (215, 146), (215, 147), (215, 148), (215, 149), (215, 150), (215, 151), (215, 152), (215, 153), (215, 154), (215, 155), (215, 156), (215, 157), (215, 158), (215, 159), (215, 160), (215, 161), (215, 162), (215, 163), (215, 164), (215, 165), (215, 166), (215, 167), (215, 168),
(215, 169), (215, 170), (215, 171), (215, 172), (215, 173), (215, 174), (215, 175), (215, 176), (215, 177), (215, 178), (215, 179), (215, 180), (215, 181), (215, 182), (215, 183), (215, 184), (215, 185), (215, 186), (215, 187), (215, 188), (215, 189), (215, 190), (215, 191), (215, 192), (215, 193), (215, 194), (215, 195), (215, 196), (215, 197), (215, 199), (216, 83), (216, 85), (216, 86), (216, 87), (216, 88), (216, 89), (216, 90), (216, 91), (216, 92), (216, 93), (216, 94), (216, 95), (216, 96), (216, 97), (216, 98), (216, 99), (216, 100), (216, 101), (216, 102), (216, 103), (216, 104), (216, 105), (216, 106), (216, 107), (216, 108), (216, 109), (216, 110), (216, 111), (216, 112), (216, 113), (216, 114), (216, 115), (216, 116), (216, 117), (216, 118), (216, 119), (216, 120), (216, 121), (216, 122), (216, 123), (216, 124), (216, 125),
(216, 126), (216, 127), (216, 128), (216, 129), (216, 130), (216, 131), (216, 132), (216, 133), (216, 134), (216, 135), (216, 136), (216, 137), (216, 138), (216, 139), (216, 140), (216, 141), (216, 142), (216, 143), (216, 144), (216, 145), (216, 146), (216, 147), (216, 148), (216, 149), (216, 150), (216, 151), (216, 152), (216, 153), (216, 154), (216, 155), (216, 156), (216, 157), (216, 158), (216, 159), (216, 160), (216, 161), (216, 162), (216, 163), (216, 164), (216, 165), (216, 166), (216, 167), (216, 168), (216, 169), (216, 170), (216, 171), (216, 172), (216, 173), (216, 174), (216, 175), (216, 176), (216, 177), (216, 178), (216, 179), (216, 180), (216, 181), (216, 182), (216, 183), (216, 184), (216, 185), (216, 186), (216, 187), (216, 188), (216, 189), (216, 190), (216, 191), (216, 192), (216, 193), (216, 194), (216, 195), (216, 196), (216, 197),
(216, 199), (217, 82), (217, 84), (217, 85), (217, 86), (217, 87), (217, 88), (217, 89), (217, 90), (217, 91), (217, 92), (217, 93), (217, 94), (217, 95), (217, 96), (217, 97), (217, 98), (217, 99), (217, 100), (217, 101), (217, 102), (217, 103), (217, 104), (217, 105), (217, 106), (217, 107), (217, 108), (217, 109), (217, 110), (217, 111), (217, 112), (217, 113), (217, 114), (217, 115), (217, 116), (217, 117), (217, 118), (217, 119), (217, 120), (217, 121), (217, 122), (217, 123), (217, 124), (217, 125), (217, 126), (217, 127), (217, 128), (217, 129), (217, 130), (217, 131), (217, 132), (217, 133), (217, 134), (217, 135), (217, 136), (217, 137), (217, 138), (217, 139), (217, 140), (217, 141), (217, 142), (217, 143), (217, 144), (217, 145), (217, 146), (217, 147), (217, 148), (217, 149), (217, 150), (217, 151), (217, 152), (217, 153),
(217, 154), (217, 155), (217, 156), (217, 157), (217, 158), (217, 159), (217, 160), (217, 161), (217, 162), (217, 163), (217, 164), (217, 165), (217, 166), (217, 167), (217, 168), (217, 169), (217, 170), (217, 171), (217, 172), (217, 173), (217, 174), (217, 175), (217, 176), (217, 177), (217, 178), (217, 179), (217, 180), (217, 181), (217, 182), (217, 183), (217, 184), (217, 185), (217, 186), (217, 187), (217, 188), (217, 189), (217, 190), (217, 191), (217, 192), (217, 193), (217, 194), (217, 195), (217, 196), (217, 197), (217, 199), (218, 82), (218, 84), (218, 85), (218, 86), (218, 87), (218, 88), (218, 89), (218, 90), (218, 91), (218, 92), (218, 93), (218, 94), (218, 95), (218, 96), (218, 97), (218, 98), (218, 99), (218, 100), (218, 101), (218, 102), (218, 103), (218, 104), (218, 105), (218, 106), (218, 107), (218, 108), (218, 109),
(218, 110), (218, 111), (218, 112), (218, 113), (218, 114), (218, 115), (218, 116), (218, 117), (218, 118), (218, 119), (218, 120), (218, 121), (218, 122), (218, 123), (218, 124), (218, 125), (218, 126), (218, 127), (218, 128), (218, 129), (218, 130), (218, 131), (218, 132), (218, 133), (218, 134), (218, 135), (218, 136), (218, 137), (218, 138), (218, 139), (218, 140), (218, 141), (218, 142), (218, 143), (218, 144), (218, 145), (218, 146), (218, 147), (218, 148), (218, 149), (218, 150), (218, 151), (218, 152), (218, 153), (218, 154), (218, 155), (218, 156), (218, 157), (218, 158), (218, 159), (218, 160), (218, 161), (218, 162), (218, 163), (218, 164), (218, 165), (218, 166), (218, 167), (218, 168), (218, 169), (218, 170), (218, 171), (218, 172), (218, 173), (218, 174), (218, 175), (218, 176), (218, 177), (218, 178), (218, 179), (218, 180), (218, 181),
(218, 182), (218, 183), (218, 184), (218, 185), (218, 186), (218, 187), (218, 188), (218, 189), (218, 190), (218, 191), (218, 192), (218, 193), (218, 194), (218, 195), (218, 196), (218, 197), (218, 199), (219, 82), (219, 84), (219, 85), (219, 86), (219, 87), (219, 88), (219, 89), (219, 90), (219, 91), (219, 92), (219, 93), (219, 94), (219, 95), (219, 96), (219, 97), (219, 98), (219, 99), (219, 100), (219, 101), (219, 102), (219, 103), (219, 104), (219, 105), (219, 106), (219, 107), (219, 108), (219, 109), (219, 110), (219, 111), (219, 112), (219, 113), (219, 114), (219, 115), (219, 116), (219, 117), (219, 118), (219, 119), (219, 120), (219, 121), (219, 122), (219, 123), (219, 124), (219, 125), (219, 126), (219, 127), (219, 128), (219, 129), (219, 130), (219, 131), (219, 132), (219, 133), (219, 134), (219, 135), (219, 136), (219, 137),
(219, 138), (219, 139), (219, 140), (219, 141), (219, 142), (219, 143), (219, 144), (219, 145), (219, 146), (219, 147), (219, 148), (219, 149), (219, 150), (219, 151), (219, 152), (219, 153), (219, 154), (219, 155), (219, 156), (219, 157), (219, 158), (219, 159), (219, 160), (219, 161), (219, 162), (219, 163), (219, 164), (219, 165), (219, 166), (219, 167), (219, 168), (219, 169), (219, 170), (219, 171), (219, 172), (219, 173), (219, 174), (219, 175), (219, 176), (219, 177), (219, 178), (219, 179), (219, 180), (219, 181), (219, 182), (219, 183), (219, 184), (219, 185), (219, 186), (219, 187), (219, 188), (219, 189), (219, 190), (219, 191), (219, 192), (219, 193), (219, 194), (219, 195), (219, 196), (219, 197), (219, 199), (220, 81), (220, 83), (220, 84), (220, 85), (220, 86), (220, 87), (220, 88), (220, 89), (220, 90), (220, 91), (220, 92),
(220, 93), (220, 94), (220, 95), (220, 96), (220, 97), (220, 98), (220, 99), (220, 100), (220, 101), (220, 102), (220, 103), (220, 104), (220, 105), (220, 106), (220, 107), (220, 108), (220, 109), (220, 110), (220, 111), (220, 112), (220, 113), (220, 114), (220, 115), (220, 116), (220, 117), (220, 118), (220, 119), (220, 120), (220, 121), (220, 122), (220, 123), (220, 124), (220, 125), (220, 126), (220, 127), (220, 128), (220, 129), (220, 130), (220, 131), (220, 132), (220, 133), (220, 134), (220, 135), (220, 136), (220, 137), (220, 138), (220, 139), (220, 140), (220, 141), (220, 142), (220, 143), (220, 144), (220, 145), (220, 146), (220, 147), (220, 148), (220, 149), (220, 150), (220, 151), (220, 152), (220, 153), (220, 154), (220, 155), (220, 156), (220, 157), (220, 158), (220, 159), (220, 160), (220, 161), (220, 162), (220, 163), (220, 164),
(220, 165), (220, 166), (220, 167), (220, 168), (220, 169), (220, 170), (220, 171), (220, 172), (220, 173), (220, 174), (220, 175), (220, 176), (220, 177), (220, 178), (220, 179), (220, 180), (220, 181), (220, 182), (220, 183), (220, 184), (220, 185), (220, 186), (220, 187), (220, 188), (220, 189), (220, 190), (220, 191), (220, 192), (220, 193), (220, 194), (220, 195), (220, 196), (220, 197), (220, 199), (221, 81), (221, 83), (221, 84), (221, 85), (221, 86), (221, 87), (221, 88), (221, 89), (221, 90), (221, 91), (221, 92), (221, 93), (221, 94), (221, 95), (221, 96), (221, 97), (221, 98), (221, 99), (221, 100), (221, 101), (221, 102), (221, 103), (221, 104), (221, 105), (221, 106), (221, 107), (221, 108), (221, 109), (221, 110), (221, 111), (221, 112), (221, 113), (221, 114), (221, 115), (221, 116), (221, 117), (221, 118), (221, 119),
(221, 120), (221, 121), (221, 122), (221, 123), (221, 124), (221, 125), (221, 126), (221, 127), (221, 128), (221, 129), (221, 130), (221, 131), (221, 132), (221, 133), (221, 134), (221, 135), (221, 136), (221, 137), (221, 138), (221, 139), (221, 140), (221, 141), (221, 142), (221, 143), (221, 144), (221, 145), (221, 146), (221, 147), (221, 148), (221, 149), (221, 150), (221, 151), (221, 152), (221, 153), (221, 154), (221, 155), (221, 156), (221, 157), (221, 158), (221, 159), (221, 160), (221, 161), (221, 162), (221, 163), (221, 164), (221, 165), (221, 166), (221, 167), (221, 168), (221, 169), (221, 170), (221, 171), (221, 172), (221, 173), (221, 174), (221, 175), (221, 176), (221, 177), (221, 178), (221, 179), (221, 180), (221, 181), (221, 182), (221, 183), (221, 184), (221, 185), (221, 186), (221, 187), (221, 188), (221, 189), (221, 190), (221, 191),
(221, 192), (221, 193), (221, 194), (221, 195), (221, 196), (221, 197), (221, 199), (222, 81), (222, 83), (222, 84), (222, 85), (222, 86), (222, 87), (222, 88), (222, 89), (222, 90), (222, 91), (222, 92), (222, 93), (222, 94), (222, 95), (222, 96), (222, 97), (222, 98), (222, 99), (222, 100), (222, 101), (222, 102), (222, 103), (222, 104), (222, 105), (222, 106), (222, 107), (222, 108), (222, 109), (222, 110), (222, 111), (222, 112), (222, 113), (222, 114), (222, 115), (222, 116), (222, 117), (222, 118), (222, 119), (222, 120), (222, 121), (222, 122), (222, 123), (222, 124), (222, 125), (222, 126), (222, 127), (222, 128), (222, 129), (222, 130), (222, 131), (222, 132), (222, 133), (222, 134), (222, 135), (222, 136), (222, 137), (222, 138), (222, 139), (222, 140), (222, 141), (222, 142), (222, 143), (222, 144), (222, 145), (222, 146),
(222, 147), (222, 148), (222, 149), (222, 150), (222, 151), (222, 152), (222, 153), (222, 154), (222, 155), (222, 156), (222, 157), (222, 158), (222, 159), (222, 160), (222, 161), (222, 162), (222, 163), (222, 164), (222, 165), (222, 166), (222, 167), (222, 168), (222, 169), (222, 170), (222, 171), (222, 172), (222, 173), (222, 174), (222, 175), (222, 176), (222, 177), (222, 178), (222, 179), (222, 180), (222, 181), (222, 182), (222, 183), (222, 184), (222, 185), (222, 186), (222, 187), (222, 188), (222, 189), (222, 190), (222, 191), (222, 192), (222, 193), (222, 194), (222, 195), (222, 196), (222, 197), (222, 199), (223, 81), (223, 83), (223, 84), (223, 85), (223, 86), (223, 87), (223, 88), (223, 89), (223, 90), (223, 91), (223, 92), (223, 93), (223, 94), (223, 95), (223, 96), (223, 97), (223, 98), (223, 99), (223, 100), (223, 101),
(223, 102), (223, 103), (223, 104), (223, 105), (223, 106), (223, 107), (223, 108), (223, 109), (223, 110), (223, 111), (223, 112), (223, 113), (223, 114), (223, 115), (223, 116), (223, 117), (223, 118), (223, 119), (223, 120), (223, 121), (223, 122), (223, 123), (223, 124), (223, 125), (223, 126), (223, 127), (223, 128), (223, 129), (223, 130), (223, 131), (223, 132), (223, 133), (223, 134), (223, 135), (223, 136), (223, 137), (223, 138), (223, 139), (223, 140), (223, 141), (223, 142), (223, 143), (223, 144), (223, 145), (223, 146), (223, 147), (223, 148), (223, 149), (223, 150), (223, 151), (223, 152), (223, 153), (223, 154), (223, 155), (223, 156), (223, 157), (223, 158), (223, 159), (223, 160), (223, 161), (223, 162), (223, 163), (223, 164), (223, 165), (223, 166), (223, 167), (223, 168), (223, 169), (223, 170), (223, 171), (223, 172), (223, 173),
(223, 174), (223, 175), (223, 176), (223, 177), (223, 178), (223, 179), (223, 180), (223, 181), (223, 182), (223, 183), (223, 184), (223, 185), (223, 186), (223, 187), (223, 188), (223, 189), (223, 190), (223, 191), (223, 192), (223, 193), (223, 194), (223, 195), (223, 196), (223, 197), (223, 199), (224, 80), (224, 81), (224, 82), (224, 83), (224, 84), (224, 85), (224, 86), (224, 87), (224, 88), (224, 89), (224, 90), (224, 91), (224, 92), (224, 93), (224, 94), (224, 95), (224, 96), (224, 97), (224, 98), (224, 99), (224, 100), (224, 101), (224, 102), (224, 103), (224, 104), (224, 105), (224, 106), (224, 107), (224, 108), (224, 109), (224, 110), (224, 111), (224, 112), (224, 113), (224, 114), (224, 115), (224, 116), (224, 117), (224, 118), (224, 119), (224, 120), (224, 121), (224, 122), (224, 123), (224, 124), (224, 125), (224, 126),
(224, 127), (224, 128), (224, 129), (224, 130), (224, 131), (224, 132), (224, 133), (224, 134), (224, 135), (224, 136), (224, 137), (224, 138), (224, 139), (224, 140), (224, 141), (224, 142), (224, 143), (224, 144), (224, 145), (224, 146), (224, 147), (224, 148), (224, 149), (224, 150), (224, 151), (224, 152), (224, 153), (224, 154), (224, 155), (224, 156), (224, 157), (224, 158), (224, 159), (224, 160), (224, 161), (224, 162), (224, 163), (224, 164), (224, 165), (224, 166), (224, 167), (224, 168), (224, 169), (224, 170), (224, 171), (224, 172), (224, 173), (224, 174), (224, 175), (224, 176), (224, 177), (224, 178), (224, 179), (224, 180), (224, 181), (224, 182), (224, 183), (224, 184), (224, 185), (224, 186), (224, 187), (224, 188), (224, 189), (224, 190), (224, 191), (224, 192), (224, 193), (224, 194), (224, 195), (224, 196), (224, 197), (224, 199),
(225, 80), (225, 82), (225, 83), (225, 84), (225, 85), (225, 86), (225, 87), (225, 88), (225, 89), (225, 90), (225, 91), (225, 92), (225, 93), (225, 94), (225, 95), (225, 96), (225, 97), (225, 98), (225, 99), (225, 100), (225, 101), (225, 102), (225, 103), (225, 104), (225, 105), (225, 106), (225, 107), (225, 108), (225, 109), (225, 110), (225, 111), (225, 112), (225, 113), (225, 114), (225, 115), (225, 116), (225, 117), (225, 118), (225, 119), (225, 120), (225, 121), (225, 122), (225, 123), (225, 124), (225, 125), (225, 126), (225, 127), (225, 128), (225, 129), (225, 130), (225, 131), (225, 132), (225, 133), (225, 134), (225, 135), (225, 136), (225, 137), (225, 138), (225, 139), (225, 140), (225, 141), (225, 142), (225, 143), (225, 144), (225, 145), (225, 146), (225, 147), (225, 148), (225, 149), (225, 150), (225, 151), (225, 152),
(225, 153), (225, 154), (225, 155), (225, 156), (225, 157), (225, 158), (225, 159), (225, 160), (225, 161), (225, 162), (225, 163), (225, 164), (225, 165), (225, 166), (225, 167), (225, 168), (225, 169), (225, 170), (225, 171), (225, 172), (225, 173), (225, 174), (225, 175), (225, 176), (225, 177), (225, 178), (225, 179), (225, 180), (225, 181), (225, 182), (225, 183), (225, 184), (225, 185), (225, 186), (225, 187), (225, 188), (225, 189), (225, 190), (225, 191), (225, 192), (225, 193), (225, 194), (225, 195), (225, 196), (225, 197), (225, 199), (226, 80), (226, 82), (226, 83), (226, 84), (226, 85), (226, 86), (226, 87), (226, 88), (226, 89), (226, 90), (226, 91), (226, 92), (226, 93), (226, 94), (226, 95), (226, 96), (226, 97), (226, 98), (226, 99), (226, 100), (226, 101), (226, 102), (226, 103), (226, 104), (226, 105), (226, 106),
(226, 107), (226, 108), (226, 109), (226, 110), (226, 111), (226, 112), (226, 113), (226, 114), (226, 115), (226, 116), (226, 117), (226, 118), (226, 119), (226, 120), (226, 121), (226, 122), (226, 123), (226, 124), (226, 125), (226, 126), (226, 127), (226, 128), (226, 129), (226, 130), (226, 131), (226, 132), (226, 133), (226, 134), (226, 135), (226, 136), (226, 137), (226, 138), (226, 139), (226, 140), (226, 141), (226, 142), (226, 143), (226, 144), (226, 145), (226, 146), (226, 147), (226, 148), (226, 149), (226, 150), (226, 151), (226, 152), (226, 153), (226, 154), (226, 155), (226, 156), (226, 157), (226, 158), (226, 159), (226, 160), (226, 161), (226, 162), (226, 163), (226, 164), (226, 165), (226, 166), (226, 167), (226, 168), (226, 169), (226, 170), (226, 171), (226, 172), (226, 173), (226, 174), (226, 175), (226, 176), (226, 177), (226, 178),
(226, 179), (226, 180), (226, 181), (226, 182), (226, 183), (226, 184), (226, 185), (226, 186), (226, 187), (226, 188), (226, 189), (226, 190), (226, 191), (226, 192), (226, 193), (226, 194), (226, 195), (226, 196), (226, 197), (226, 199), (227, 80), (227, 82), (227, 83), (227, 84), (227, 85), (227, 86), (227, 87), (227, 88), (227, 89), (227, 90), (227, 91), (227, 92), (227, 93), (227, 94), (227, 95), (227, 96), (227, 97), (227, 98), (227, 99), (227, 100), (227, 101), (227, 102), (227, 103), (227, 104), (227, 105), (227, 106), (227, 107), (227, 108), (227, 109), (227, 110), (227, 111), (227, 112), (227, 113), (227, 114), (227, 115), (227, 116), (227, 117), (227, 118), (227, 119), (227, 120), (227, 121), (227, 122), (227, 123), (227, 124), (227, 125), (227, 126), (227, 127), (227, 128), (227, 129), (227, 130), (227, 131), (227, 132),
(227, 133), (227, 134), (227, 135), (227, 136), (227, 137), (227, 138), (227, 139), (227, 140), (227, 141), (227, 142), (227, 143), (227, 144), (227, 145), (227, 146), (227, 147), (227, 148), (227, 149), (227, 150), (227, 151), (227, 152), (227, 153), (227, 154), (227, 155), (227, 156), (227, 157), (227, 158), (227, 159), (227, 160), (227, 161), (227, 162), (227, 163), (227, 164), (227, 165), (227, 166), (227, 167), (227, 168), (227, 169), (227, 170), (227, 171), (227, 172), (227, 173), (227, 174), (227, 175), (227, 176), (227, 177), (227, 178), (227, 179), (227, 180), (227, 181), (227, 182), (227, 183), (227, 184), (227, 185), (227, 186), (227, 187), (227, 188), (227, 189), (227, 190), (227, 191), (227, 192), (227, 193), (227, 194), (227, 195), (227, 196), (227, 197), (227, 199), (228, 80), (228, 82), (228, 83), (228, 84), (228, 85), (228, 86),
(228, 87), (228, 88), (228, 89), (228, 90), (228, 91), (228, 92), (228, 93), (228, 94), (228, 95), (228, 96), (228, 97), (228, 98), (228, 99), (228, 100), (228, 101), (228, 102), (228, 103), (228, 104), (228, 105), (228, 106), (228, 107), (228, 108), (228, 109), (228, 110), (228, 111), (228, 112), (228, 113), (228, 114), (228, 115), (228, 116), (228, 117), (228, 118), (228, 119), (228, 120), (228, 121), (228, 122), (228, 123), (228, 124), (228, 125), (228, 126), (228, 127), (228, 128), (228, 129), (228, 130), (228, 131), (228, 132), (228, 133), (228, 134), (228, 135), (228, 136), (228, 137), (228, 138), (228, 139), (228, 140), (228, 141), (228, 142), (228, 143), (228, 144), (228, 145), (228, 146), (228, 147), (228, 148), (228, 149), (228, 150), (228, 151), (228, 152), (228, 153), (228, 154), (228, 155), (228, 156), (228, 157), (228, 158),
(228, 159), (228, 160), (228, 161), (228, 162), (228, 163), (228, 164), (228, 165), (228, 166), (228, 167), (228, 168), (228, 169), (228, 170), (228, 171), (228, 172), (228, 173), (228, 174), (228, 175), (228, 176), (228, 177), (228, 178), (228, 179), (228, 180), (228, 181), (228, 182), (228, 183), (228, 184), (228, 185), (228, 186), (228, 187), (228, 188), (228, 189), (228, 190), (228, 191), (228, 192), (228, 193), (228, 194), (228, 195), (228, 196), (228, 197), (228, 199), (229, 80), (229, 82), (229, 83), (229, 84), (229, 85), (229, 86), (229, 87), (229, 88), (229, 89), (229, 90), (229, 91), (229, 92), (229, 93), (229, 94), (229, 95), (229, 96), (229, 97), (229, 98), (229, 99), (229, 100), (229, 101), (229, 102), (229, 103), (229, 104), (229, 105), (229, 106), (229, 107), (229, 108), (229, 109), (229, 110), (229, 111), (229, 112),
(229, 113), (229, 114), (229, 115), (229, 116), (229, 117), (229, 118), (229, 119), (229, 120), (229, 121), (229, 122), (229, 123), (229, 124), (229, 125), (229, 126), (229, 127), (229, 128), (229, 129), (229, 130), (229, 131), (229, 132), (229, 133), (229, 134), (229, 135), (229, 136), (229, 137), (229, 138), (229, 139), (229, 140), (229, 141), (229, 142), (229, 143), (229, 144), (229, 145), (229, 146), (229, 147), (229, 148), (229, 149), (229, 150), (229, 151), (229, 152), (229, 153), (229, 154), (229, 155), (229, 156), (229, 157), (229, 158), (229, 159), (229, 160), (229, 161), (229, 162), (229, 163), (229, 164), (229, 165), (229, 166), (229, 167), (229, 168), (229, 169), (229, 170), (229, 171), (229, 172), (229, 173), (229, 174), (229, 175), (229, 176), (229, 177), (229, 178), (229, 179), (229, 180), (229, 181), (229, 182), (229, 183), (229, 184),
(229, 185), (229, 186), (229, 187), (229, 188), (229, 189), (229, 190), (229, 191), (229, 192), (229, 193), (229, 194), (229, 195), (229, 196), (229, 197), (229, 199), (230, 80), (230, 82), (230, 83), (230, 84), (230, 85), (230, 86), (230, 87), (230, 88), (230, 89), (230, 90), (230, 91), (230, 92), (230, 93), (230, 94), (230, 95), (230, 96), (230, 97), (230, 98), (230, 99), (230, 100), (230, 101), (230, 102), (230, 103), (230, 104), (230, 105), (230, 106), (230, 107), (230, 108), (230, 109), (230, 110), (230, 111), (230, 112), (230, 113), (230, 114), (230, 115), (230, 116), (230, 117), (230, 118), (230, 119), (230, 120), (230, 121), (230, 122), (230, 123), (230, 124), (230, 125), (230, 126), (230, 127), (230, 128), (230, 129), (230, 130), (230, 131), (230, 132), (230, 133), (230, 134), (230, 135), (230, 136), (230, 137), (230, 138),
(230, 139), (230, 140), (230, 141), (230, 142), (230, 143), (230, 144), (230, 145), (230, 146), (230, 147), (230, 148), (230, 149), (230, 150), (230, 151), (230, 152), (230, 153), (230, 154), (230, 155), (230, 156), (230, 157), (230, 158), (230, 159), (230, 160), (230, 161), (230, 162), (230, 163), (230, 164), (230, 165), (230, 166), (230, 167), (230, 168), (230, 169), (230, 170), (230, 171), (230, 172), (230, 173), (230, 174), (230, 175), (230, 176), (230, 177), (230, 178), (230, 179), (230, 180), (230, 181), (230, 182), (230, 183), (230, 184), (230, 185), (230, 186), (230, 187), (230, 188), (230, 189), (230, 190), (230, 191), (230, 192), (230, 193), (230, 194), (230, 195), (230, 196), (230, 197), (230, 199), (231, 80), (231, 82), (231, 83), (231, 84), (231, 85), (231, 86), (231, 87), (231, 88), (231, 89), (231, 90), (231, 91), (231, 92),
(231, 93), (231, 94), (231, 95), (231, 96), (231, 97), (231, 98), (231, 99), (231, 100), (231, 101), (231, 102), (231, 103), (231, 104), (231, 105), (231, 106), (231, 107), (231, 108), (231, 109), (231, 110), (231, 111), (231, 112), (231, 113), (231, 114), (231, 115), (231, 116), (231, 117), (231, 118), (231, 119), (231, 120), (231, 121), (231, 122), (231, 123), (231, 124), (231, 125), (231, 126), (231, 127), (231, 128), (231, 129), (231, 130), (231, 131), (231, 132), (231, 133), (231, 134), (231, 135), (231, 136), (231, 137), (231, 138), (231, 139), (231, 140), (231, 141), (231, 142), (231, 143), (231, 144), (231, 145), (231, 146), (231, 147), (231, 148), (231, 149), (231, 150), (231, 151), (231, 152), (231, 153), (231, 154), (231, 155), (231, 156), (231, 157), (231, 158), (231, 159), (231, 160), (231, 161), (231, 162), (231, 163), (231, 164),
(231, 165), (231, 166), (231, 167), (231, 168), (231, 169), (231, 170), (231, 171), (231, 172), (231, 173), (231, 174), (231, 175), (231, 176), (231, 177), (231, 178), (231, 179), (231, 180), (231, 181), (231, 182), (231, 183), (231, 184), (231, 185), (231, 186), (231, 187), (231, 188), (231, 189), (231, 190), (231, 191), (231, 192), (231, 193), (231, 194), (231, 195), (231, 196), (231, 197), (231, 199), (232, 80), (232, 82), (232, 83), (232, 84), (232, 85), (232, 86), (232, 87), (232, 88), (232, 89), (232, 90), (232, 91), (232, 92), (232, 93), (232, 94), (232, 95), (232, 96), (232, 97), (232, 98), (232, 99), (232, 100), (232, 101), (232, 102), (232, 103), (232, 104), (232, 105), (232, 106), (232, 107), (232, 108), (232, 109), (232, 110), (232, 111), (232, 112), (232, 113), (232, 114), (232, 115), (232, 116), (232, 117), (232, 118),
(232, 119), (232, 120), (232, 121), (232, 122), (232, 123), (232, 124), (232, 125), (232, 126), (232, 127), (232, 128), (232, 129), (232, 130), (232, 131), (232, 132), (232, 133), (232, 134), (232, 135), (232, 136), (232, 137), (232, 138), (232, 139), (232, 140), (232, 141), (232, 142), (232, 143), (232, 144), (232, 145), (232, 146), (232, 147), (232, 148), (232, 149), (232, 150), (232, 151), (232, 152), (232, 153), (232, 154), (232, 155), (232, 156), (232, 157), (232, 158), (232, 159), (232, 160), (232, 161), (232, 162), (232, 163), (232, 164), (232, 165), (232, 166), (232, 167), (232, 168), (232, 169), (232, 170), (232, 171), (232, 172), (232, 173), (232, 174), (232, 175), (232, 176), (232, 177), (232, 178), (232, 179), (232, 180), (232, 181), (232, 182), (232, 183), (232, 184), (232, 185), (232, 186), (232, 187), (232, 188), (232, 189), (232, 190),
(232, 191), (232, 192), (232, 193), (232, 194), (232, 195), (232, 196), (232, 197), (232, 199), (233, 80), (233, 82), (233, 83), (233, 84), (233, 85), (233, 86), (233, 87), (233, 88), (233, 89), (233, 90), (233, 91), (233, 92), (233, 93), (233, 94), (233, 95), (233, 96), (233, 97), (233, 98), (233, 99), (233, 100), (233, 101), (233, 102), (233, 103), (233, 104), (233, 105), (233, 106), (233, 107), (233, 108), (233, 109), (233, 110), (233, 111), (233, 112), (233, 113), (233, 114), (233, 115), (233, 116), (233, 117), (233, 118), (233, 119), (233, 120), (233, 121), (233, 122), (233, 123), (233, 124), (233, 125), (233, 126), (233, 127), (233, 128), (233, 129), (233, 130), (233, 131), (233, 132), (233, 133), (233, 134), (233, 135), (233, 136), (233, 137), (233, 138), (233, 139), (233, 140), (233, 141), (233, 142), (233, 143), (233, 144),
(233, 145), (233, 146), (233, 147), (233, 148), (233, 149), (233, 150), (233, 151), (233, 152), (233, 153), (233, 154), (233, 155), (233, 156), (233, 157), (233, 158), (233, 159), (233, 160), (233, 161), (233, 162), (233, 163), (233, 164), (233, 165), (233, 166), (233, 167), (233, 168), (233, 169), (233, 170), (233, 171), (233, 172), (233, 173), (233, 174), (233, 175), (233, 176), (233, 177), (233, 178), (233, 179), (233, 180), (233, 181), (233, 182), (233, 183), (233, 184), (233, 185), (233, 186), (233, 187), (233, 188), (233, 189), (233, 190), (233, 191), (233, 192), (233, 193), (233, 194), (233, 195), (233, 196), (233, 197), (233, 199), (234, 80), (234, 82), (234, 83), (234, 84), (234, 85), (234, 86), (234, 87), (234, 88), (234, 89), (234, 90), (234, 91), (234, 92), (234, 93), (234, 94), (234, 95), (234, 96), (234, 97), (234, 98),
(234, 99), (234, 100), (234, 101), (234, 102), (234, 103), (234, 104), (234, 105), (234, 106), (234, 107), (234, 108), (234, 109), (234, 110), (234, 111), (234, 112), (234, 113), (234, 114), (234, 115), (234, 116), (234, 117), (234, 118), (234, 119), (234, 120), (234, 121), (234, 122), (234, 123), (234, 124), (234, 125), (234, 126), (234, 127), (234, 128), (234, 129), (234, 130), (234, 131), (234, 132), (234, 133), (234, 134), (234, 135), (234, 136), (234, 137), (234, 138), (234, 139), (234, 140), (234, 141), (234, 142), (234, 143), (234, 144), (234, 145), (234, 146), (234, 147), (234, 148), (234, 149), (234, 150), (234, 151), (234, 152), (234, 153), (234, 154), (234, 155), (234, 156), (234, 157), (234, 158), (234, 159), (234, 160), (234, 161), (234, 162), (234, 163), (234, 164), (234, 165), (234, 166), (234, 167), (234, 168), (234, 169), (234, 170),
(234, 171), (234, 172), (234, 173), (234, 174), (234, 175), (234, 176), (234, 177), (234, 178), (234, 179), (234, 180), (234, 181), (234, 182), (234, 183), (234, 184), (234, 185), (234, 186), (234, 187), (234, 188), (234, 189), (234, 190), (234, 191), (234, 192), (234, 193), (234, 194), (234, 195), (234, 196), (234, 197), (234, 199), (235, 80), (235, 82), (235, 83), (235, 84), (235, 85), (235, 86), (235, 87), (235, 88), (235, 89), (235, 90), (235, 91), (235, 92), (235, 93), (235, 94), (235, 95), (235, 96), (235, 97), (235, 98), (235, 99), (235, 100), (235, 101), (235, 102), (235, 103), (235, 104), (235, 105), (235, 106), (235, 107), (235, 108), (235, 109), (235, 110), (235, 111), (235, 112), (235, 113), (235, 114), (235, 115), (235, 116), (235, 117), (235, 118), (235, 119), (235, 120), (235, 121), (235, 122), (235, 123), (235, 124),
(235, 125), (235, 126), (235, 127), (235, 128), (235, 129), (235, 130), (235, 131), (235, 132), (235, 133), (235, 134), (235, 135), (235, 136), (235, 137), (235, 138), (235, 139), (235, 140), (235, 141), (235, 142), (235, 143), (235, 144), (235, 145), (235, 146), (235, 147), (235, 148), (235, 149), (235, 150), (235, 151), (235, 152), (235, 153), (235, 154), (235, 155), (235, 156), (235, 157), (235, 158), (235, 159), (235, 160), (235, 161), (235, 162), (235, 163), (235, 164), (235, 165), (235, 166), (235, 167), (235, 168), (235, 169), (235, 170), (235, 171), (235, 172), (235, 173), (235, 174), (235, 175), (235, 176), (235, 177), (235, 178), (235, 179), (235, 180), (235, 181), (235, 182), (235, 183), (235, 184), (235, 185), (235, 186), (235, 187), (235, 188), (235, 189), (235, 190), (235, 191), (235, 192), (235, 193), (235, 194), (235, 195), (235, 196),
(235, 197), (235, 199), (236, 80), (236, 82), (236, 83), (236, 84), (236, 85), (236, 86), (236, 87), (236, 88), (236, 89), (236, 90), (236, 91), (236, 92), (236, 93), (236, 94), (236, 95), (236, 96), (236, 97), (236, 98), (236, 99), (236, 100), (236, 101), (236, 102), (236, 103), (236, 104), (236, 105), (236, 106), (236, 107), (236, 108), (236, 109), (236, 110), (236, 111), (236, 112), (236, 113), (236, 114), (236, 115), (236, 116), (236, 117), (236, 118), (236, 119), (236, 120), (236, 121), (236, 122), (236, 123), (236, 124), (236, 125), (236, 126), (236, 127), (236, 128), (236, 129), (236, 130), (236, 131), (236, 132), (236, 133), (236, 134), (236, 135), (236, 136), (236, 137), (236, 138), (236, 139), (236, 140), (236, 141), (236, 142), (236, 143), (236, 144), (236, 145), (236, 146), (236, 147), (236, 148), (236, 149), (236, 150),
(236, 151), (236, 152), (236, 153), (236, 154), (236, 155), (236, 156), (236, 157), (236, 158), (236, 159), (236, 160), (236, 161), (236, 162), (236, 163), (236, 164), (236, 165), (236, 166), (236, 167), (236, 168), (236, 169), (236, 170), (236, 171), (236, 172), (236, 173), (236, 174), (236, 175), (236, 176), (236, 177), (236, 178), (236, 179), (236, 180), (236, 181), (236, 182), (236, 183), (236, 184), (236, 185), (236, 186), (236, 187), (236, 188), (236, 189), (236, 190), (236, 191), (236, 192), (236, 193), (236, 194), (236, 195), (236, 196), (236, 197), (236, 199), (237, 80), (237, 82), (237, 83), (237, 84), (237, 85), (237, 86), (237, 87), (237, 88), (237, 89), (237, 90), (237, 91), (237, 92), (237, 93), (237, 94), (237, 95), (237, 96), (237, 97), (237, 98), (237, 99), (237, 100), (237, 101), (237, 102), (237, 103), (237, 104),
(237, 105), (237, 106), (237, 107), (237, 108), (237, 109), (237, 110), (237, 111), (237, 112), (237, 113), (237, 114), (237, 115), (237, 116), (237, 117), (237, 118), (237, 119), (237, 120), (237, 121), (237, 122), (237, 123), (237, 124), (237, 125), (237, 126), (237, 127), (237, 128), (237, 129), (237, 130), (237, 131), (237, 132), (237, 133), (237, 134), (237, 135), (237, 136), (237, 137), (237, 138), (237, 139), (237, 140), (237, 141), (237, 142), (237, 143), (237, 144), (237, 145), (237, 146), (237, 147), (237, 148), (237, 149), (237, 150), (237, 151), (237, 152), (237, 153), (237, 154), (237, 155), (237, 156), (237, 157), (237, 158), (237, 159), (237, 160), (237, 161), (237, 162), (237, 163), (237, 164), (237, 165), (237, 166), (237, 167), (237, 168), (237, 169), (237, 170), (237, 171), (237, 172), (237, 173), (237, 174), (237, 175), (237, 176),
(237, 177), (237, 178), (237, 179), (237, 180), (237, 181), (237, 182), (237, 183), (237, 184), (237, 185), (237, 186), (237, 187), (237, 188), (237, 189), (237, 190), (237, 191), (237, 192), (237, 193), (237, 194), (237, 195), (237, 196), (237, 197), (237, 199), (238, 80), (238, 82), (238, 83), (238, 84), (238, 85), (238, 86), (238, 87), (238, 88), (238, 89), (238, 90), (238, 91), (238, 92), (238, 93), (238, 94), (238, 95), (238, 96), (238, 97), (238, 98), (238, 99), (238, 100), (238, 101), (238, 102), (238, 103), (238, 104), (238, 105), (238, 106), (238, 107), (238, 108), (238, 109), (238, 110), (238, 111), (238, 112), (238, 113), (238, 114), (238, 115), (238, 116), (238, 117), (238, 118), (238, 119), (238, 120), (238, 121), (238, 122), (238, 123), (238, 124), (238, 125), (238, 126), (238, 127), (238, 128), (238, 129), (238, 130),
(238, 131), (238, 132), (238, 133), (238, 134), (238, 135), (238, 136), (238, 137), (238, 138), (238, 139), (238, 140), (238, 141), (238, 142), (238, 143), (238, 144), (238, 145), (238, 146), (238, 147), (238, 148), (238, 149), (238, 150), (238, 151), (238, 152), (238, 153), (238, 154), (238, 155), (238, 156), (238, 157), (238, 158), (238, 159), (238, 160), (238, 161), (238, 162), (238, 163), (238, 164), (238, 165), (238, 166), (238, 167), (238, 168), (238, 169), (238, 170), (238, 171), (238, 172), (238, 173), (238, 174), (238, 175), (238, 176), (238, 177), (238, 178), (238, 179), (238, 180), (238, 181), (238, 182), (238, 183), (238, 184), (238, 185), (238, 186), (238, 187), (238, 188), (238, 189), (238, 190), (238, 191), (238, 192), (238, 193), (238, 194), (238, 195), (238, 196), (238, 197), (238, 199), (239, 80), (239, 82), (239, 83), (239, 84),
(239, 85), (239, 86), (239, 87), (239, 88), (239, 89), (239, 90), (239, 91), (239, 92), (239, 93), (239, 94), (239, 95), (239, 96), (239, 97), (239, 98), (239, 99), (239, 100), (239, 101), (239, 102), (239, 103), (239, 104), (239, 105), (239, 106), (239, 107), (239, 108), (239, 109), (239, 110), (239, 111), (239, 112), (239, 113), (239, 114), (239, 115), (239, 116), (239, 117), (239, 118), (239, 119), (239, 120), (239, 121), (239, 122), (239, 123), (239, 124), (239, 125), (239, 126), (239, 127), (239, 128), (239, 129), (239, 130), (239, 131), (239, 132), (239, 133), (239, 134), (239, 135), (239, 136), (239, 137), (239, 138), (239, 139), (239, 140), (239, 141), (239, 142), (239, 143), (239, 144), (239, 145), (239, 146), (239, 147), (239, 148), (239, 149), (239, 150), (239, 151), (239, 152), (239, 153), (239, 154), (239, 155), (239, 156),
(239, 157), (239, 158), (239, 159), (239, 160), (239, 161), (239, 162), (239, 163), (239, 164), (239, 165), (239, 166), (239, 167), (239, 168), (239, 169), (239, 170), (239, 171), (239, 172), (239, 173), (239, 174), (239, 175), (239, 176), (239, 177), (239, 178), (239, 179), (239, 180), (239, 181), (239, 182), (239, 183), (239, 184), (239, 185), (239, 186), (239, 187), (239, 188), (239, 189), (239, 190), (239, 191), (239, 192), (239, 193), (239, 194), (239, 195), (239, 196), (239, 197), (239, 199), (240, 79), (240, 80), (240, 82), (240, 83), (240, 84), (240, 85), (240, 86), (240, 87), (240, 88), (240, 89), (240, 90), (240, 91), (240, 92), (240, 93), (240, 94), (240, 95), (240, 96), (240, 97), (240, 98), (240, 99), (240, 100), (240, 101), (240, 102), (240, 103), (240, 104), (240, 105), (240, 106), (240, 107), (240, 108), (240, 109),
(240, 110), (240, 111), (240, 112), (240, 113), (240, 114), (240, 115), (240, 116), (240, 117), (240, 118), (240, 119), (240, 120), (240, 121), (240, 122), (240, 123), (240, 124), (240, 125), (240, 126), (240, 127), (240, 128), (240, 129), (240, 130), (240, 131), (240, 132), (240, 133), (240, 134), (240, 135), (240, 136), (240, 137), (240, 138), (240, 139), (240, 140), (240, 141), (240, 142), (240, 143), (240, 144), (240, 145), (240, 146), (240, 147), (240, 148), (240, 149), (240, 150), (240, 151), (240, 152), (240, 153), (240, 154), (240, 155), (240, 156), (240, 157), (240, 158), (240, 159), (240, 160), (240, 161), (240, 162), (240, 163), (240, 164), (240, 165), (240, 166), (240, 167), (240, 168), (240, 169), (240, 170), (240, 171), (240, 172), (240, 173), (240, 174), (240, 175), (240, 176), (240, 177), (240, 178), (240, 179), (240, 180), (240, 181),
(240, 182), (240, 183), (240, 184), (240, 185), (240, 186), (240, 187), (240, 188), (240, 189), (240, 190), (240, 191), (240, 192), (240, 193), (240, 194), (240, 195), (240, 196), (240, 197), (240, 199), (241, 79), (241, 81), (241, 82), (241, 83), (241, 84), (241, 85), (241, 86), (241, 87), (241, 88), (241, 89), (241, 90), (241, 91), (241, 92), (241, 93), (241, 94), (241, 95), (241, 96), (241, 97), (241, 98), (241, 99), (241, 100), (241, 101), (241, 102), (241, 103), (241, 104), (241, 105), (241, 106), (241, 107), (241, 108), (241, 109), (241, 110), (241, 111), (241, 112), (241, 113), (241, 114), (241, 115), (241, 116), (241, 117), (241, 118), (241, 119), (241, 120), (241, 121), (241, 122), (241, 123), (241, 124), (241, 125), (241, 126), (241, 127), (241, 128), (241, 129), (241, 130), (241, 131), (241, 132), (241, 133), (241, 134),
(241, 135), (241, 136), (241, 137), (241, 138), (241, 139), (241, 140), (241, 141), (241, 142), (241, 143), (241, 144), (241, 145), (241, 146), (241, 147), (241, 148), (241, 149), (241, 150), (241, 151), (241, 152), (241, 153), (241, 154), (241, 155), (241, 156), (241, 157), (241, 158), (241, 159), (241, 160), (241, 161), (241, 162), (241, 163), (241, 164), (241, 165), (241, 166), (241, 167), (241, 168), (241, 169), (241, 170), (241, 171), (241, 172), (241, 173), (241, 174), (241, 175), (241, 176), (241, 177), (241, 178), (241, 179), (241, 180), (241, 181), (241, 182), (241, 183), (241, 184), (241, 185), (241, 186), (241, 187), (241, 188), (241, 189), (241, 190), (241, 191), (241, 192), (241, 193), (241, 194), (241, 195), (241, 196), (241, 197), (241, 199), (242, 79), (242, 81), (242, 82), (242, 83), (242, 84), (242, 85), (242, 86), (242, 87),
(242, 88), (242, 89), (242, 90), (242, 91), (242, 92), (242, 93), (242, 94), (242, 95), (242, 96), (242, 97), (242, 98), (242, 99), (242, 100), (242, 101), (242, 102), (242, 103), (242, 104), (242, 105), (242, 106), (242, 107), (242, 108), (242, 109), (242, 110), (242, 111), (242, 112), (242, 113), (242, 114), (242, 115), (242, 116), (242, 117), (242, 118), (242, 119), (242, 120), (242, 121), (242, 122), (242, 123), (242, 124), (242, 125), (242, 126), (242, 127), (242, 128), (242, 129), (242, 130), (242, 131), (242, 132), (242, 133), (242, 134), (242, 135), (242, 136), (242, 137), (242, 138), (242, 139), (242, 140), (242, 141), (242, 142), (242, 143), (242, 144), (242, 145), (242, 146), (242, 147), (242, 148), (242, 149), (242, 150), (242, 151), (242, 152), (242, 153), (242, 154), (242, 155), (242, 156), (242, 157), (242, 158), (242, 159),
(242, 160), (242, 161), (242, 162), (242, 163), (242, 164), (242, 165), (242, 166), (242, 167), (242, 168), (242, 169), (242, 170), (242, 171), (242, 172), (242, 173), (242, 174), (242, 175), (242, 176), (242, 177), (242, 178), (242, 179), (242, 180), (242, 181), (242, 182), (242, 183), (242, 184), (242, 185), (242, 186), (242, 187), (242, 188), (242, 189), (242, 190), (242, 191), (242, 192), (242, 193), (242, 194), (242, 195), (242, 196), (242, 197), (242, 199), (243, 79), (243, 81), (243, 82), (243, 83), (243, 84), (243, 85), (243, 86), (243, 87), (243, 88), (243, 89), (243, 90), (243, 91), (243, 92), (243, 93), (243, 94), (243, 95), (243, 96), (243, 97), (243, 98), (243, 99), (243, 100), (243, 101), (243, 102), (243, 103), (243, 104), (243, 105), (243, 106), (243, 107), (243, 108), (243, 109), (243, 110), (243, 111), (243, 112),
(243, 113), (243, 114), (243, 115), (243, 116), (243, 117), (243, 118), (243, 119), (243, 120), (243, 121), (243, 122), (243, 123), (243, 124), (243, 125), (243, 126), (243, 127), (243, 128), (243, 129), (243, 130), (243, 131), (243, 132), (243, 133), (243, 134), (243, 135), (243, 136), (243, 137), (243, 138), (243, 139), (243, 140), (243, 141), (243, 142), (243, 143), (243, 144), (243, 145), (243, 146), (243, 147), (243, 148), (243, 149), (243, 150), (243, 151), (243, 152), (243, 153), (243, 154), (243, 155), (243, 156), (243, 157), (243, 158), (243, 159), (243, 160), (243, 161), (243, 162), (243, 163), (243, 164), (243, 165), (243, 166), (243, 167), (243, 168), (243, 169), (243, 170), (243, 171), (243, 172), (243, 173), (243, 174), (243, 175), (243, 176), (243, 177), (243, 178), (243, 179), (243, 180), (243, 181), (243, 182), (243, 183), (243, 184),
(243, 185), (243, 186), (243, 187), (243, 188), (243, 189), (243, 190), (243, 191), (243, 192), (243, 193), (243, 194), (243, 195), (243, 196), (243, 197), (243, 199), (244, 79), (244, 81), (244, 82), (244, 83), (244, 84), (244, 85), (244, 86), (244, 87), (244, 88), (244, 89), (244, 90), (244, 91), (244, 92), (244, 93), (244, 94), (244, 95), (244, 96), (244, 97), (244, 98), (244, 99), (244, 100), (244, 101), (244, 102), (244, 103), (244, 104), (244, 105), (244, 106), (244, 107), (244, 108), (244, 109), (244, 110), (244, 111), (244, 112), (244, 113), (244, 114), (244, 115), (244, 116), (244, 117), (244, 118), (244, 119), (244, 120), (244, 121), (244, 122), (244, 123), (244, 124), (244, 125), (244, 126), (244, 127), (244, 128), (244, 129), (244, 130), (244, 131), (244, 132), (244, 133), (244, 134), (244, 135), (244, 136), (244, 137),
(244, 138), (244, 139), (244, 140), (244, 141), (244, 142), (244, 143), (244, 144), (244, 145), (244, 146), (244, 147), (244, 148), (244, 149), (244, 150), (244, 151), (244, 152), (244, 153), (244, 154), (244, 155), (244, 156), (244, 157), (244, 158), (244, 159), (244, 160), (244, 161), (244, 162), (244, 163), (244, 164), (244, 165), (244, 166), (244, 167), (244, 168), (244, 169), (244, 170), (244, 171), (244, 172), (244, 173), (244, 174), (244, 175), (244, 176), (244, 177), (244, 178), (244, 179), (244, 180), (244, 181), (244, 182), (244, 183), (244, 184), (244, 185), (244, 186), (244, 187), (244, 188), (244, 189), (244, 190), (244, 191), (244, 192), (244, 193), (244, 194), (244, 195), (244, 196), (244, 198), (245, 79), (245, 81), (245, 82), (245, 83), (245, 84), (245, 85), (245, 86), (245, 87), (245, 88), (245, 89), (245, 90), (245, 91),
(245, 92), (245, 93), (245, 94), (245, 95), (245, 96), (245, 97), (245, 98), (245, 99), (245, 100), (245, 101), (245, 102), (245, 103), (245, 104), (245, 105), (245, 106), (245, 107), (245, 108), (245, 109), (245, 110), (245, 111), (245, 112), (245, 113), (245, 114), (245, 115), (245, 116), (245, 117), (245, 118), (245, 119), (245, 120), (245, 121), (245, 122), (245, 123), (245, 124), (245, 125), (245, 126), (245, 127), (245, 128), (245, 129), (245, 130), (245, 131), (245, 132), (245, 133), (245, 134), (245, 135), (245, 136), (245, 137), (245, 138), (245, 139), (245, 140), (245, 141), (245, 142), (245, 143), (245, 144), (245, 145), (245, 146), (245, 147), (245, 148), (245, 149), (245, 150), (245, 151), (245, 152), (245, 153), (245, 154), (245, 155), (245, 156), (245, 157), (245, 158), (245, 159), (245, 160), (245, 161), (245, 162), (245, 163),
(245, 164), (245, 165), (245, 166), (245, 167), (245, 168), (245, 169), (245, 170), (245, 171), (245, 172), (245, 173), (245, 174), (245, 175), (245, 176), (245, 177), (245, 178), (245, 179), (245, 180), (245, 181), (245, 182), (245, 183), (245, 184), (245, 185), (245, 186), (245, 187), (245, 188), (245, 189), (245, 190), (245, 191), (245, 192), (245, 193), (245, 194), (245, 195), (245, 196), (245, 198), (246, 79), (246, 81), (246, 82), (246, 83), (246, 84), (246, 85), (246, 86), (246, 87), (246, 88), (246, 89), (246, 90), (246, 91), (246, 92), (246, 93), (246, 94), (246, 95), (246, 96), (246, 97), (246, 98), (246, 99), (246, 100), (246, 101), (246, 102), (246, 103), (246, 104), (246, 105), (246, 106), (246, 107), (246, 108), (246, 109), (246, 110), (246, 111), (246, 112), (246, 113), (246, 114), (246, 115), (246, 116), (246, 117),
(246, 118), (246, 119), (246, 120), (246, 121), (246, 122), (246, 123), (246, 124), (246, 125), (246, 126), (246, 127), (246, 128), (246, 129), (246, 130), (246, 131), (246, 132), (246, 133), (246, 134), (246, 135), (246, 136), (246, 137), (246, 138), (246, 139), (246, 140), (246, 141), (246, 142), (246, 143), (246, 144), (246, 145), (246, 146), (246, 147), (246, 148), (246, 149), (246, 150), (246, 151), (246, 152), (246, 153), (246, 154), (246, 155), (246, 156), (246, 157), (246, 158), (246, 159), (246, 160), (246, 161), (246, 162), (246, 163), (246, 164), (246, 165), (246, 166), (246, 167), (246, 168), (246, 169), (246, 170), (246, 171), (246, 172), (246, 173), (246, 174), (246, 175), (246, 176), (246, 177), (246, 178), (246, 179), (246, 180), (246, 181), (246, 182), (246, 183), (246, 184), (246, 185), (246, 186), (246, 187), (246, 188), (246, 189),
(246, 190), (246, 191), (246, 192), (246, 193), (246, 194), (246, 195), (246, 197), (247, 78), (247, 80), (247, 81), (247, 82), (247, 83), (247, 84), (247, 85), (247, 86), (247, 87), (247, 88), (247, 89), (247, 90), (247, 91), (247, 92), (247, 93), (247, 94), (247, 95), (247, 96), (247, 97), (247, 98), (247, 99), (247, 100), (247, 101), (247, 102), (247, 103), (247, 104), (247, 105), (247, 106), (247, 107), (247, 108), (247, 109), (247, 110), (247, 111), (247, 112), (247, 113), (247, 114), (247, 115), (247, 116), (247, 117), (247, 118), (247, 119), (247, 120), (247, 121), (247, 122), (247, 123), (247, 124), (247, 125), (247, 126), (247, 127), (247, 128), (247, 129), (247, 130), (247, 131), (247, 132), (247, 133), (247, 134), (247, 135), (247, 136), (247, 137), (247, 138), (247, 139), (247, 140), (247, 141), (247, 142), (247, 143),
(247, 144), (247, 145), (247, 146), (247, 147), (247, 148), (247, 149), (247, 150), (247, 151), (247, 152), (247, 153), (247, 154), (247, 155), (247, 156), (247, 157), (247, 158), (247, 159), (247, 160), (247, 161), (247, 162), (247, 163), (247, 164), (247, 165), (247, 166), (247, 167), (247, 168), (247, 169), (247, 170), (247, 171), (247, 172), (247, 173), (247, 174), (247, 175), (247, 176), (247, 177), (247, 178), (247, 179), (247, 180), (247, 181), (247, 182), (247, 183), (247, 184), (247, 185), (247, 186), (247, 187), (247, 188), (247, 189), (247, 190), (247, 191), (247, 192), (247, 193), (247, 194), (247, 195), (247, 196), (247, 198), (248, 78), (248, 80), (248, 81), (248, 82), (248, 83), (248, 84), (248, 85), (248, 86), (248, 87), (248, 88), (248, 89), (248, 90), (248, 91), (248, 92), (248, 93), (248, 94), (248, 95), (248, 96),
(248, 97), (248, 98), (248, 99), (248, 100), (248, 101), (248, 102), (248, 103), (248, 104), (248, 105), (248, 106), (248, 107), (248, 108), (248, 109), (248, 110), (248, 111), (248, 112), (248, 113), (248, 114), (248, 115), (248, 116), (248, 117), (248, 118), (248, 119), (248, 120), (248, 121), (248, 122), (248, 123), (248, 124), (248, 125), (248, 126), (248, 127), (248, 128), (248, 129), (248, 130), (248, 131), (248, 132), (248, 133), (248, 134), (248, 135), (248, 136), (248, 137), (248, 138), (248, 139), (248, 140), (248, 141), (248, 142), (248, 143), (248, 144), (248, 145), (248, 146), (248, 147), (248, 148), (248, 149), (248, 150), (248, 151), (248, 152), (248, 153), (248, 154), (248, 155), (248, 156), (248, 157), (248, 158), (248, 159), (248, 160), (248, 161), (248, 162), (248, 163), (248, 164), (248, 165), (248, 166), (248, 167), (248, 168),
(248, 169), (248, 170), (248, 171), (248, 172), (248, 173), (248, 174), (248, 175), (248, 176), (248, 177), (248, 178), (248, 179), (248, 180), (248, 181), (248, 182), (248, 183), (248, 184), (248, 185), (248, 186), (248, 187), (248, 188), (248, 189), (248, 190), (248, 191), (248, 192), (248, 193), (248, 194), (248, 195), (248, 196), (248, 198), (249, 78), (249, 80), (249, 81), (249, 82), (249, 83), (249, 84), (249, 85), (249, 86), (249, 87), (249, 88), (249, 89), (249, 90), (249, 91), (249, 92), (249, 93), (249, 94), (249, 95), (249, 96), (249, 97), (249, 98), (249, 99), (249, 100), (249, 101), (249, 102), (249, 103), (249, 104), (249, 105), (249, 106), (249, 107), (249, 108), (249, 109), (249, 110), (249, 111), (249, 112), (249, 113), (249, 114), (249, 115), (249, 116), (249, 117), (249, 118), (249, 119), (249, 120), (249, 121),
(249, 122), (249, 123), (249, 124), (249, 125), (249, 126), (249, 127), (249, 128), (249, 129), (249, 130), (249, 131), (249, 132), (249, 133), (249, 134), (249, 135), (249, 136), (249, 137), (249, 138), (249, 139), (249, 140), (249, 141), (249, 142), (249, 143), (249, 144), (249, 145), (249, 146), (249, 147), (249, 148), (249, 149), (249, 150), (249, 151), (249, 152), (249, 153), (249, 154), (249, 155), (249, 156), (249, 157), (249, 158), (249, 159), (249, 160), (249, 161), (249, 162), (249, 163), (249, 164), (249, 165), (249, 166), (249, 167), (249, 168), (249, 169), (249, 170), (249, 171), (249, 172), (249, 173), (249, 174), (249, 175), (249, 176), (249, 177), (249, 178), (249, 179), (249, 180), (249, 181), (249, 182), (249, 183), (249, 184), (249, 185), (249, 186), (249, 187), (249, 188), (249, 189), (249, 190), (249, 191), (249, 192), (249, 193),
(249, 194), (249, 195), (249, 196), (249, 198), (250, 77), (250, 79), (250, 80), (250, 81), (250, 82), (250, 83), (250, 84), (250, 85), (250, 86), (250, 87), (250, 88), (250, 89), (250, 90), (250, 91), (250, 92), (250, 93), (250, 94), (250, 95), (250, 96), (250, 97), (250, 98), (250, 99), (250, 100), (250, 101), (250, 102), (250, 103), (250, 104), (250, 105), (250, 106), (250, 107), (250, 108), (250, 109), (250, 110), (250, 111), (250, 112), (250, 113), (250, 114), (250, 115), (250, 116), (250, 117), (250, 118), (250, 119), (250, 120), (250, 121), (250, 122), (250, 123), (250, 124), (250, 125), (250, 126), (250, 127), (250, 128), (250, 129), (250, 130), (250, 131), (250, 132), (250, 133), (250, 134), (250, 135), (250, 136), (250, 137), (250, 138), (250, 139), (250, 140), (250, 141), (250, 142), (250, 143), (250, 144), (250, 145),
(250, 146), (250, 147), (250, 148), (250, 149), (250, 150), (250, 151), (250, 152), (250, 153), (250, 154), (250, 155), (250, 156), (250, 157), (250, 158), (250, 159), (250, 160), (250, 161), (250, 162), (250, 163), (250, 164), (250, 165), (250, 166), (250, 167), (250, 168), (250, 169), (250, 170), (250, 171), (250, 172), (250, 173), (250, 174), (250, 175), (250, 176), (250, 177), (250, 178), (250, 179), (250, 180), (250, 181), (250, 182), (250, 183), (250, 184), (250, 185), (250, 186), (250, 187), (250, 188), (250, 189), (250, 190), (250, 191), (250, 192), (250, 193), (250, 194), (250, 195), (250, 196), (250, 198), (251, 77), (251, 79), (251, 80), (251, 81), (251, 82), (251, 83), (251, 84), (251, 85), (251, 86), (251, 87), (251, 88), (251, 89), (251, 90), (251, 91), (251, 92), (251, 93), (251, 94), (251, 95), (251, 96), (251, 97),
(251, 98), (251, 99), (251, 100), (251, 101), (251, 102), (251, 103), (251, 104), (251, 105), (251, 106), (251, 107), (251, 108), (251, 109), (251, 110), (251, 111), (251, 112), (251, 113), (251, 114), (251, 115), (251, 116), (251, 117), (251, 118), (251, 119), (251, 120), (251, 121), (251, 122), (251, 123), (251, 124), (251, 125), (251, 126), (251, 127), (251, 128), (251, 129), (251, 130), (251, 131), (251, 132), (251, 133), (251, 134), (251, 135), (251, 136), (251, 137), (251, 138), (251, 139), (251, 140), (251, 141), (251, 142), (251, 143), (251, 144), (251, 145), (251, 146), (251, 147), (251, 148), (251, 149), (251, 150), (251, 151), (251, 152), (251, 153), (251, 154), (251, 155), (251, 156), (251, 157), (251, 158), (251, 159), (251, 160), (251, 161), (251, 162), (251, 163), (251, 164), (251, 165), (251, 166), (251, 167), (251, 168), (251, 169),
(251, 170), (251, 171), (251, 172), (251, 173), (251, 174), (251, 175), (251, 176), (251, 177), (251, 178), (251, 179), (251, 180), (251, 181), (251, 182), (251, 183), (251, 184), (251, 185), (251, 186), (251, 187), (251, 188), (251, 189), (251, 190), (251, 191), (251, 192), (251, 193), (251, 194), (251, 195), (251, 196), (251, 197), (251, 199), (252, 76), (252, 78), (252, 79), (252, 80), (252, 81), (252, 82), (252, 83), (252, 84), (252, 85), (252, 86), (252, 87), (252, 88), (252, 89), (252, 90), (252, 91), (252, 92), (252, 93), (252, 94), (252, 95), (252, 96), (252, 97), (252, 98), (252, 99), (252, 100), (252, 101), (252, 102), (252, 103), (252, 104), (252, 105), (252, 106), (252, 107), (252, 108), (252, 109), (252, 110), (252, 111), (252, 112), (252, 113), (252, 114), (252, 115), (252, 116), (252, 117), (252, 118), (252, 119),
(252, 120), (252, 121), (252, 122), (252, 123), (252, 124), (252, 125), (252, 126), (252, 127), (252, 128), (252, 129), (252, 130), (252, 131), (252, 132), (252, 133), (252, 134), (252, 135), (252, 136), (252, 137), (252, 138), (252, 139), (252, 140), (252, 141), (252, 142), (252, 143), (252, 144), (252, 145), (252, 146), (252, 147), (252, 148), (252, 149), (252, 150), (252, 151), (252, 152), (252, 153), (252, 154), (252, 155), (252, 156), (252, 157), (252, 158), (252, 159), (252, 160), (252, 161), (252, 162), (252, 163), (252, 164), (252, 165), (252, 166), (252, 167), (252, 168), (252, 169), (252, 170), (252, 171), (252, 172), (252, 173), (252, 174), (252, 175), (252, 176), (252, 177), (252, 178), (252, 179), (252, 180), (252, 181), (252, 182), (252, 183), (252, 184), (252, 185), (252, 186), (252, 187), (252, 188), (252, 189), (252, 190), (252, 191),
(252, 192), (252, 193), (252, 194), (252, 195), (252, 196), (252, 197), (252, 199), (253, 76), (253, 78), (253, 79), (253, 80), (253, 81), (253, 82), (253, 83), (253, 84), (253, 85), (253, 86), (253, 87), (253, 88), (253, 89), (253, 90), (253, 91), (253, 92), (253, 93), (253, 94), (253, 95), (253, 96), (253, 97), (253, 98), (253, 99), (253, 100), (253, 101), (253, 102), (253, 103), (253, 104), (253, 105), (253, 106), (253, 107), (253, 108), (253, 109), (253, 110), (253, 111), (253, 112), (253, 113), (253, 114), (253, 115), (253, 116), (253, 117), (253, 118), (253, 119), (253, 120), (253, 121), (253, 122), (253, 123), (253, 124), (253, 125), (253, 126), (253, 127), (253, 128), (253, 129), (253, 130), (253, 131), (253, 132), (253, 133), (253, 134), (253, 135), (253, 136), (253, 137), (253, 138), (253, 139), (253, 140), (253, 141),
(253, 142), (253, 143), (253, 144), (253, 145), (253, 146), (253, 147), (253, 148), (253, 149), (253, 150), (253, 151), (253, 152), (253, 153), (253, 154), (253, 155), (253, 156), (253, 157), (253, 158), (253, 159), (253, 160), (253, 161), (253, 162), (253, 163), (253, 164), (253, 165), (253, 166), (253, 167), (253, 168), (253, 169), (253, 170), (253, 171), (253, 172), (253, 173), (253, 174), (253, 175), (253, 176), (253, 177), (253, 178), (253, 179), (253, 180), (253, 181), (253, 182), (253, 183), (253, 184), (253, 185), (253, 186), (253, 187), (253, 188), (253, 189), (253, 190), (253, 191), (253, 192), (253, 193), (253, 194), (253, 195), (253, 196), (253, 197), (253, 199), (254, 76), (254, 78), (254, 79), (254, 80), (254, 81), (254, 82), (254, 83), (254, 84), (254, 85), (254, 86), (254, 87), (254, 88), (254, 89), (254, 90), (254, 91),
(254, 92), (254, 93), (254, 94), (254, 95), (254, 96), (254, 97), (254, 98), (254, 99), (254, 100), (254, 101), (254, 102), (254, 103), (254, 104), (254, 105), (254, 106), (254, 107), (254, 108), (254, 109), (254, 110), (254, 111), (254, 112), (254, 113), (254, 114), (254, 115), (254, 116), (254, 117), (254, 118), (254, 119), (254, 120), (254, 121), (254, 122), (254, 123), (254, 124), (254, 125), (254, 126), (254, 127), (254, 128), (254, 129), (254, 130), (254, 131), (254, 132), (254, 133), (254, 134), (254, 135), (254, 136), (254, 137), (254, 138), (254, 139), (254, 140), (254, 141), (254, 142), (254, 143), (254, 144), (254, 145), (254, 146), (254, 147), (254, 148), (254, 149), (254, 150), (254, 151), (254, 152), (254, 153), (254, 154), (254, 155), (254, 156), (254, 157), (254, 158), (254, 159), (254, 160), (254, 161), (254, 162), (254, 163),
(254, 164), (254, 165), (254, 166), (254, 167), (254, 168), (254, 169), (254, 170), (254, 171), (254, 172), (254, 173), (254, 174), (254, 175), (254, 176), (254, 177), (254, 178), (254, 179), (254, 180), (254, 181), (254, 182), (254, 183), (254, 184), (254, 185), (254, 186), (254, 187), (254, 188), (254, 189), (254, 190), (254, 191), (254, 192), (254, 193), (254, 194), (254, 195), (254, 196), (254, 197), (254, 199), (255, 76), (255, 78), (255, 79), (255, 80), (255, 81), (255, 82), (255, 83), (255, 84), (255, 85), (255, 86), (255, 87), (255, 88), (255, 89), (255, 90), (255, 91), (255, 92), (255, 93), (255, 94), (255, 95), (255, 96), (255, 97), (255, 98), (255, 99), (255, 100), (255, 101), (255, 102), (255, 103), (255, 104), (255, 105), (255, 106), (255, 107), (255, 108), (255, 109), (255, 110), (255, 111), (255, 112), (255, 113),
(255, 114), (255, 115), (255, 116), (255, 117), (255, 118), (255, 119), (255, 120), (255, 121), (255, 122), (255, 123), (255, 124), (255, 125), (255, 126), (255, 127), (255, 128), (255, 129), (255, 130), (255, 131), (255, 132), (255, 133), (255, 134), (255, 135), (255, 136), (255, 137), (255, 138), (255, 139), (255, 140), (255, 141), (255, 142), (255, 143), (255, 144), (255, 145), (255, 146), (255, 147), (255, 148), (255, 149), (255, 150), (255, 151), (255, 152), (255, 153), (255, 154), (255, 155), (255, 156), (255, 157), (255, 158), (255, 159), (255, 160), (255, 161), (255, 162), (255, 163), (255, 164), (255, 165), (255, 166), (255, 167), (255, 168), (255, 169), (255, 170), (255, 171), (255, 172), (255, 173), (255, 174), (255, 175), (255, 176), (255, 177), (255, 178), (255, 179), (255, 180), (255, 181), (255, 182), (255, 183), (255, 184), (255, 185),
(255, 186), (255, 187), (255, 188), (255, 189), (255, 190), (255, 191), (255, 192), (255, 193), (255, 194), (255, 195), (255, 196), (255, 197), (255, 199), (256, 76), (256, 78), (256, 79), (256, 80), (256, 81), (256, 82), (256, 83), (256, 84), (256, 85), (256, 86), (256, 87), (256, 88), (256, 89), (256, 90), (256, 91), (256, 92), (256, 93), (256, 94), (256, 95), (256, 96), (256, 97), (256, 98), (256, 99), (256, 100), (256, 101), (256, 102), (256, 103), (256, 104), (256, 105), (256, 106), (256, 107), (256, 108), (256, 109), (256, 110), (256, 111), (256, 112), (256, 113), (256, 114), (256, 115), (256, 116), (256, 117), (256, 118), (256, 119), (256, 120), (256, 121), (256, 122), (256, 123), (256, 124), (256, 125), (256, 126), (256, 127), (256, 128), (256, 129), (256, 130), (256, 131), (256, 132), (256, 133), (256, 134), (256, 135),
(256, 136), (256, 137), (256, 138), (256, 139), (256, 140), (256, 141), (256, 142), (256, 143), (256, 144), (256, 145), (256, 146), (256, 147), (256, 148), (256, 149), (256, 150), (256, 151), (256, 152), (256, 153), (256, 154), (256, 155), (256, 156), (256, 157), (256, 158), (256, 159), (256, 160), (256, 161), (256, 162), (256, 163), (256, 164), (256, 165), (256, 166), (256, 167), (256, 168), (256, 169), (256, 170), (256, 171), (256, 172), (256, 173), (256, 174), (256, 175), (256, 176), (256, 177), (256, 178), (256, 179), (256, 180), (256, 181), (256, 182), (256, 183), (256, 184), (256, 185), (256, 186), (256, 187), (256, 188), (256, 189), (256, 190), (256, 191), (256, 192), (256, 193), (256, 194), (256, 195), (256, 196), (256, 197), (256, 199), (257, 76), (257, 78), (257, 79), (257, 80), (257, 81), (257, 82), (257, 83), (257, 84), (257, 85),
(257, 86), (257, 87), (257, 88), (257, 89), (257, 90), (257, 91), (257, 92), (257, 93), (257, 94), (257, 95), (257, 96), (257, 97), (257, 98), (257, 99), (257, 100), (257, 101), (257, 102), (257, 103), (257, 104), (257, 105), (257, 106), (257, 107), (257, 108), (257, 109), (257, 110), (257, 111), (257, 112), (257, 113), (257, 114), (257, 115), (257, 116), (257, 117), (257, 118), (257, 119), (257, 120), (257, 121), (257, 122), (257, 123), (257, 124), (257, 125), (257, 126), (257, 127), (257, 128), (257, 129), (257, 130), (257, 131), (257, 132), (257, 133), (257, 134), (257, 135), (257, 136), (257, 137), (257, 138), (257, 139), (257, 140), (257, 141), (257, 142), (257, 143), (257, 144), (257, 145), (257, 146), (257, 147), (257, 148), (257, 149), (257, 150), (257, 151), (257, 152), (257, 153), (257, 154), (257, 155), (257, 156), (257, 157),
(257, 158), (257, 159), (257, 160), (257, 161), (257, 162), (257, 163), (257, 164), (257, 165), (257, 166), (257, 167), (257, 168), (257, 169), (257, 170), (257, 171), (257, 172), (257, 173), (257, 174), (257, 175), (257, 176), (257, 177), (257, 178), (257, 179), (257, 180), (257, 181), (257, 182), (257, 183), (257, 184), (257, 185), (257, 186), (257, 187), (257, 188), (257, 189), (257, 190), (257, 191), (257, 192), (257, 193), (257, 194), (257, 195), (257, 196), (257, 197), (257, 199), (258, 76), (258, 78), (258, 79), (258, 80), (258, 81), (258, 82), (258, 83), (258, 84), (258, 85), (258, 86), (258, 87), (258, 88), (258, 89), (258, 90), (258, 91), (258, 92), (258, 93), (258, 94), (258, 95), (258, 96), (258, 97), (258, 98), (258, 99), (258, 100), (258, 101), (258, 102), (258, 103), (258, 104), (258, 105), (258, 106), (258, 107),
(258, 108), (258, 109), (258, 110), (258, 111), (258, 112), (258, 113), (258, 114), (258, 115), (258, 116), (258, 117), (258, 118), (258, 119), (258, 120), (258, 121), (258, 122), (258, 123), (258, 124), (258, 125), (258, 126), (258, 127), (258, 128), (258, 129), (258, 130), (258, 131), (258, 132), (258, 133), (258, 134), (258, 135), (258, 136), (258, 137), (258, 138), (258, 139), (258, 140), (258, 141), (258, 142), (258, 143), (258, 144), (258, 145), (258, 146), (258, 147), (258, 148), (258, 149), (258, 150), (258, 151), (258, 152), (258, 153), (258, 154), (258, 155), (258, 156), (258, 157), (258, 158), (258, 159), (258, 160), (258, 161), (258, 162), (258, 163), (258, 164), (258, 165), (258, 166), (258, 167), (258, 168), (258, 169), (258, 170), (258, 171), (258, 172), (258, 173), (258, 174), (258, 175), (258, 176), (258, 177), (258, 178), (258, 179),
(258, 180), (258, 181), (258, 182), (258, 183), (258, 184), (258, 185), (258, 186), (258, 187), (258, 188), (258, 189), (258, 190), (258, 191), (258, 192), (258, 193), (258, 194), (258, 195), (258, 196), (258, 197), (258, 198), (258, 199), (258, 200), (259, 76), (259, 78), (259, 79), (259, 80), (259, 81), (259, 82), (259, 83), (259, 84), (259, 85), (259, 86), (259, 87), (259, 88), (259, 89), (259, 90), (259, 91), (259, 92), (259, 93), (259, 94), (259, 95), (259, 96), (259, 97), (259, 98), (259, 99), (259, 100), (259, 101), (259, 102), (259, 103), (259, 104), (259, 105), (259, 106), (259, 107), (259, 108), (259, 109), (259, 110), (259, 111), (259, 112), (259, 113), (259, 114), (259, 115), (259, 116), (259, 117), (259, 118), (259, 119), (259, 120), (259, 121), (259, 122), (259, 123), (259, 124), (259, 125), (259, 126), (259, 127),
(259, 128), (259, 129), (259, 130), (259, 131), (259, 132), (259, 133), (259, 134), (259, 135), (259, 136), (259, 137), (259, 138), (259, 139), (259, 140), (259, 141), (259, 142), (259, 143), (259, 144), (259, 145), (259, 146), (259, 147), (259, 148), (259, 149), (259, 150), (259, 151), (259, 152), (259, 153), (259, 154), (259, 155), (259, 156), (259, 157), (259, 158), (259, 159), (259, 160), (259, 161), (259, 162), (259, 163), (259, 164), (259, 165), (259, 166), (259, 167), (259, 168), (259, 169), (259, 170), (259, 171), (259, 172), (259, 173), (259, 174), (259, 175), (259, 176), (259, 177), (259, 178), (259, 179), (259, 180), (259, 181), (259, 182), (259, 183), (259, 184), (259, 185), (259, 186), (259, 187), (259, 188), (259, 189), (259, 190), (259, 191), (259, 192), (259, 193), (259, 194), (259, 195), (259, 196), (259, 197), (259, 198), (259, 200),
(260, 76), (260, 78), (260, 79), (260, 80), (260, 81), (260, 82), (260, 83), (260, 84), (260, 85), (260, 86), (260, 87), (260, 88), (260, 89), (260, 90), (260, 91), (260, 92), (260, 93), (260, 94), (260, 95), (260, 96), (260, 97), (260, 98), (260, 99), (260, 100), (260, 101), (260, 102), (260, 103), (260, 104), (260, 105), (260, 106), (260, 107), (260, 108), (260, 109), (260, 110), (260, 111), (260, 112), (260, 113), (260, 114), (260, 115), (260, 116), (260, 117), (260, 118), (260, 119), (260, 120), (260, 121), (260, 122), (260, 123), (260, 124), (260, 125), (260, 126), (260, 127), (260, 128), (260, 129), (260, 130), (260, 131), (260, 132), (260, 133), (260, 134), (260, 135), (260, 136), (260, 137), (260, 138), (260, 139), (260, 140), (260, 141), (260, 142), (260, 143), (260, 144), (260, 145), (260, 146), (260, 147), (260, 148),
(260, 149), (260, 150), (260, 151), (260, 152), (260, 153), (260, 154), (260, 155), (260, 156), (260, 157), (260, 158), (260, 159), (260, 160), (260, 161), (260, 162), (260, 163), (260, 164), (260, 165), (260, 166), (260, 167), (260, 168), (260, 169), (260, 170), (260, 171), (260, 172), (260, 173), (260, 174), (260, 175), (260, 176), (260, 177), (260, 178), (260, 179), (260, 180), (260, 181), (260, 182), (260, 183), (260, 184), (260, 185), (260, 186), (260, 187), (260, 188), (260, 189), (260, 190), (260, 191), (260, 192), (260, 193), (260, 194), (260, 195), (260, 196), (260, 197), (260, 198), (260, 200), (261, 76), (261, 78), (261, 79), (261, 80), (261, 81), (261, 82), (261, 83), (261, 84), (261, 85), (261, 86), (261, 87), (261, 88), (261, 89), (261, 90), (261, 91), (261, 92), (261, 93), (261, 94), (261, 95), (261, 96), (261, 97),
(261, 98), (261, 99), (261, 100), (261, 101), (261, 102), (261, 103), (261, 104), (261, 105), (261, 106), (261, 107), (261, 108), (261, 109), (261, 110), (261, 111), (261, 112), (261, 113), (261, 114), (261, 115), (261, 116), (261, 117), (261, 118), (261, 119), (261, 120), (261, 121), (261, 122), (261, 123), (261, 124), (261, 125), (261, 126), (261, 127), (261, 128), (261, 129), (261, 130), (261, 131), (261, 132), (261, 133), (261, 134), (261, 135), (261, 136), (261, 137), (261, 138), (261, 139), (261, 140), (261, 141), (261, 142), (261, 143), (261, 144), (261, 145), (261, 146), (261, 147), (261, 148), (261, 149), (261, 150), (261, 151), (261, 152), (261, 153), (261, 154), (261, 155), (261, 156), (261, 157), (261, 158), (261, 159), (261, 160), (261, 161), (261, 162), (261, 163), (261, 164), (261, 165), (261, 166), (261, 167), (261, 168), (261, 169),
(261, 170), (261, 171), (261, 172), (261, 173), (261, 174), (261, 175), (261, 176), (261, 177), (261, 178), (261, 179), (261, 180), (261, 181), (261, 182), (261, 183), (261, 184), (261, 185), (261, 186), (261, 187), (261, 188), (261, 189), (261, 190), (261, 191), (261, 192), (261, 193), (261, 194), (261, 195), (261, 196), (261, 197), (261, 198), (261, 200), (262, 76), (262, 78), (262, 79), (262, 80), (262, 81), (262, 82), (262, 83), (262, 84), (262, 85), (262, 86), (262, 87), (262, 88), (262, 89), (262, 90), (262, 91), (262, 92), (262, 93), (262, 94), (262, 95), (262, 96), (262, 97), (262, 98), (262, 99), (262, 100), (262, 101), (262, 102), (262, 103), (262, 104), (262, 105), (262, 106), (262, 107), (262, 108), (262, 109), (262, 110), (262, 111), (262, 112), (262, 113), (262, 114), (262, 115), (262, 116), (262, 117), (262, 118),
(262, 119), (262, 120), (262, 121), (262, 122), (262, 123), (262, 124), (262, 125), (262, 126), (262, 127), (262, 128), (262, 129), (262, 130), (262, 131), (262, 132), (262, 133), (262, 134), (262, 135), (262, 136), (262, 137), (262, 138), (262, 139), (262, 140), (262, 141), (262, 142), (262, 143), (262, 144), (262, 145), (262, 146), (262, 147), (262, 148), (262, 149), (262, 150), (262, 151), (262, 152), (262, 153), (262, 154), (262, 155), (262, 156), (262, 157), (262, 158), (262, 159), (262, 160), (262, 161), (262, 162), (262, 163), (262, 164), (262, 165), (262, 166), (262, 167), (262, 168), (262, 169), (262, 170), (262, 171), (262, 172), (262, 173), (262, 174), (262, 175), (262, 176), (262, 177), (262, 178), (262, 179), (262, 180), (262, 181), (262, 182), (262, 183), (262, 184), (262, 185), (262, 186), (262, 187), (262, 188), (262, 189), (262, 190),
(262, 191), (262, 192), (262, 193), (262, 194), (262, 195), (262, 196), (262, 197), (262, 198), (262, 200), (263, 76), (263, 78), (263, 79), (263, 80), (263, 81), (263, 82), (263, 83), (263, 84), (263, 85), (263, 86), (263, 87), (263, 88), (263, 89), (263, 90), (263, 91), (263, 92), (263, 93), (263, 94), (263, 95), (263, 96), (263, 97), (263, 98), (263, 99), (263, 100), (263, 101), (263, 102), (263, 103), (263, 104), (263, 105), (263, 106), (263, 107), (263, 108), (263, 109), (263, 110), (263, 111), (263, 112), (263, 113), (263, 114), (263, 115), (263, 116), (263, 117), (263, 118), (263, 119), (263, 120), (263, 121), (263, 122), (263, 123), (263, 124), (263, 125), (263, 126), (263, 127), (263, 128), (263, 129), (263, 130), (263, 131), (263, 132), (263, 133), (263, 134), (263, 135), (263, 136), (263, 137), (263, 138), (263, 139),
(263, 140), (263, 141), (263, 142), (263, 143), (263, 144), (263, 145), (263, 146), (263, 147), (263, 148), (263, 149), (263, 150), (263, 151), (263, 152), (263, 153), (263, 154), (263, 155), (263, 156), (263, 157), (263, 158), (263, 159), (263, 160), (263, 161), (263, 162), (263, 163), (263, 164), (263, 165), (263, 166), (263, 167), (263, 168), (263, 169), (263, 170), (263, 171), (263, 172), (263, 173), (263, 174), (263, 175), (263, 176), (263, 177), (263, 178), (263, 179), (263, 180), (263, 181), (263, 182), (263, 183), (263, 184), (263, 185), (263, 186), (263, 187), (263, 188), (263, 189), (263, 190), (263, 191), (263, 192), (263, 193), (263, 194), (263, 195), (263, 196), (263, 197), (263, 198), (263, 200), (264, 77), (264, 79), (264, 80), (264, 81), (264, 82), (264, 83), (264, 84), (264, 85), (264, 86), (264, 87), (264, 88), (264, 89),
(264, 90), (264, 91), (264, 92), (264, 93), (264, 94), (264, 95), (264, 96), (264, 97), (264, 98), (264, 99), (264, 100), (264, 101), (264, 102), (264, 103), (264, 104), (264, 105), (264, 106), (264, 107), (264, 108), (264, 109), (264, 110), (264, 111), (264, 112), (264, 113), (264, 114), (264, 115), (264, 116), (264, 117), (264, 118), (264, 119), (264, 120), (264, 121), (264, 122), (264, 123), (264, 124), (264, 125), (264, 126), (264, 127), (264, 128), (264, 129), (264, 130), (264, 131), (264, 132), (264, 133), (264, 134), (264, 135), (264, 136), (264, 137), (264, 138), (264, 139), (264, 140), (264, 141), (264, 142), (264, 143), (264, 144), (264, 145), (264, 146), (264, 147), (264, 148), (264, 149), (264, 150), (264, 151), (264, 152), (264, 153), (264, 154), (264, 155), (264, 156), (264, 157), (264, 158), (264, 159), (264, 160), (264, 161),
(264, 162), (264, 163), (264, 164), (264, 165), (264, 166), (264, 167), (264, 168), (264, 169), (264, 170), (264, 171), (264, 172), (264, 173), (264, 174), (264, 175), (264, 176), (264, 177), (264, 178), (264, 179), (264, 180), (264, 181), (264, 182), (264, 183), (264, 184), (264, 185), (264, 186), (264, 187), (264, 188), (264, 189), (264, 190), (264, 191), (264, 192), (264, 193), (264, 194), (264, 195), (264, 196), (264, 197), (264, 198), (264, 200), (265, 77), (265, 79), (265, 80), (265, 81), (265, 82), (265, 83), (265, 84), (265, 85), (265, 86), (265, 87), (265, 88), (265, 89), (265, 90), (265, 91), (265, 92), (265, 93), (265, 94), (265, 95), (265, 96), (265, 97), (265, 98), (265, 99), (265, 100), (265, 101), (265, 102), (265, 103), (265, 104), (265, 105), (265, 106), (265, 107), (265, 108), (265, 109), (265, 110), (265, 111),
(265, 112), (265, 113), (265, 114), (265, 115), (265, 116), (265, 117), (265, 118), (265, 119), (265, 120), (265, 121), (265, 122), (265, 123), (265, 124), (265, 125), (265, 126), (265, 127), (265, 128), (265, 129), (265, 130), (265, 131), (265, 132), (265, 133), (265, 134), (265, 135), (265, 136), (265, 137), (265, 138), (265, 139), (265, 140), (265, 141), (265, 142), (265, 143), (265, 144), (265, 145), (265, 146), (265, 147), (265, 148), (265, 149), (265, 150), (265, 151), (265, 152), (265, 153), (265, 154), (265, 155), (265, 156), (265, 157), (265, 158), (265, 159), (265, 160), (265, 161), (265, 162), (265, 163), (265, 164), (265, 165), (265, 166), (265, 167), (265, 168), (265, 169), (265, 170), (265, 171), (265, 172), (265, 173), (265, 174), (265, 175), (265, 176), (265, 177), (265, 178), (265, 179), (265, 180), (265, 181), (265, 182), (265, 183),
(265, 184), (265, 185), (265, 186), (265, 187), (265, 188), (265, 189), (265, 190), (265, 191), (265, 192), (265, 193), (265, 194), (265, 195), (265, 196), (265, 197), (265, 198), (265, 200), (266, 77), (266, 79), (266, 80), (266, 81), (266, 82), (266, 83), (266, 84), (266, 85), (266, 86), (266, 87), (266, 88), (266, 89), (266, 90), (266, 91), (266, 92), (266, 93), (266, 94), (266, 95), (266, 96), (266, 97), (266, 98), (266, 99), (266, 100), (266, 101), (266, 102), (266, 103), (266, 104), (266, 105), (266, 106), (266, 107), (266, 108), (266, 109), (266, 110), (266, 111), (266, 112), (266, 113), (266, 114), (266, 115), (266, 116), (266, 117), (266, 118), (266, 119), (266, 120), (266, 121), (266, 122), (266, 123), (266, 124), (266, 125), (266, 126), (266, 127), (266, 128), (266, 129), (266, 130), (266, 131), (266, 132), (266, 133),
(266, 134), (266, 135), (266, 136), (266, 137), (266, 138), (266, 139), (266, 140), (266, 141), (266, 142), (266, 143), (266, 144), (266, 145), (266, 146), (266, 147), (266, 148), (266, 149), (266, 150), (266, 151), (266, 152), (266, 153), (266, 154), (266, 155), (266, 156), (266, 157), (266, 158), (266, 159), (266, 160), (266, 161), (266, 162), (266, 163), (266, 164), (266, 165), (266, 166), (266, 167), (266, 168), (266, 169), (266, 170), (266, 171), (266, 172), (266, 173), (266, 174), (266, 175), (266, 176), (266, 177), (266, 178), (266, 179), (266, 180), (266, 181), (266, 182), (266, 183), (266, 184), (266, 185), (266, 186), (266, 187), (266, 188), (266, 189), (266, 190), (266, 191), (266, 192), (266, 193), (266, 194), (266, 195), (266, 196), (266, 197), (266, 198), (266, 200), (267, 77), (267, 79), (267, 80), (267, 81), (267, 82), (267, 83),
(267, 84), (267, 85), (267, 86), (267, 87), (267, 88), (267, 89), (267, 90), (267, 91), (267, 92), (267, 93), (267, 94), (267, 95), (267, 96), (267, 97), (267, 98), (267, 99), (267, 100), (267, 101), (267, 102), (267, 103), (267, 104), (267, 105), (267, 106), (267, 107), (267, 108), (267, 109), (267, 110), (267, 111), (267, 112), (267, 113), (267, 114), (267, 115), (267, 116), (267, 117), (267, 118), (267, 119), (267, 120), (267, 121), (267, 122), (267, 123), (267, 124), (267, 125), (267, 126), (267, 127), (267, 128), (267, 129), (267, 130), (267, 131), (267, 132), (267, 133), (267, 134), (267, 135), (267, 136), (267, 137), (267, 138), (267, 139), (267, 140), (267, 141), (267, 142), (267, 143), (267, 144), (267, 145), (267, 146), (267, 147), (267, 148), (267, 149), (267, 150), (267, 151), (267, 152), (267, 153), (267, 154), (267, 155),
(267, 156), (267, 157), (267, 158), (267, 159), (267, 160), (267, 161), (267, 162), (267, 163), (267, 164), (267, 165), (267, 166), (267, 167), (267, 168), (267, 169), (267, 170), (267, 171), (267, 172), (267, 173), (267, 174), (267, 175), (267, 176), (267, 177), (267, 178), (267, 179), (267, 180), (267, 181), (267, 182), (267, 183), (267, 184), (267, 185), (267, 186), (267, 187), (267, 188), (267, 189), (267, 190), (267, 191), (267, 192), (267, 193), (267, 194), (267, 195), (267, 196), (267, 197), (267, 198), (267, 200), (268, 77), (268, 79), (268, 80), (268, 81), (268, 82), (268, 83), (268, 84), (268, 85), (268, 86), (268, 87), (268, 88), (268, 89), (268, 90), (268, 91), (268, 92), (268, 93), (268, 94), (268, 95), (268, 96), (268, 97), (268, 98), (268, 99), (268, 100), (268, 101), (268, 102), (268, 103), (268, 104), (268, 105),
(268, 106), (268, 107), (268, 108), (268, 109), (268, 110), (268, 111), (268, 112), (268, 113), (268, 114), (268, 115), (268, 116), (268, 117), (268, 118), (268, 119), (268, 120), (268, 121), (268, 122), (268, 123), (268, 124), (268, 125), (268, 126), (268, 127), (268, 128), (268, 129), (268, 130), (268, 131), (268, 132), (268, 133), (268, 134), (268, 135), (268, 136), (268, 137), (268, 138), (268, 139), (268, 140), (268, 141), (268, 142), (268, 143), (268, 144), (268, 145), (268, 146), (268, 147), (268, 148), (268, 149), (268, 150), (268, 151), (268, 152), (268, 153), (268, 154), (268, 155), (268, 156), (268, 157), (268, 158), (268, 159), (268, 160), (268, 161), (268, 162), (268, 163), (268, 164), (268, 165), (268, 166), (268, 167), (268, 168), (268, 169), (268, 170), (268, 171), (268, 172), (268, 173), (268, 174), (268, 175), (268, 176), (268, 177),
(268, 178), (268, 179), (268, 180), (268, 181), (268, 182), (268, 183), (268, 184), (268, 185), (268, 186), (268, 187), (268, 188), (268, 189), (268, 190), (268, 191), (268, 192), (268, 193), (268, 194), (268, 195), (268, 196), (268, 197), (268, 198), (268, 200), (269, 78), (269, 80), (269, 81), (269, 82), (269, 83), (269, 84), (269, 85), (269, 86), (269, 87), (269, 88), (269, 89), (269, 90), (269, 91), (269, 92), (269, 93), (269, 94), (269, 95), (269, 96), (269, 97), (269, 98), (269, 99), (269, 100), (269, 101), (269, 102), (269, 103), (269, 104), (269, 105), (269, 106), (269, 107), (269, 108), (269, 109), (269, 110), (269, 111), (269, 112), (269, 113), (269, 114), (269, 115), (269, 116), (269, 117), (269, 118), (269, 119), (269, 120), (269, 121), (269, 122), (269, 123), (269, 124), (269, 125), (269, 126), (269, 127), (269, 128),
(269, 129), (269, 130), (269, 131), (269, 132), (269, 133), (269, 134), (269, 135), (269, 136), (269, 137), (269, 138), (269, 139), (269, 140), (269, 141), (269, 142), (269, 143), (269, 144), (269, 145), (269, 146), (269, 147), (269, 148), (269, 149), (269, 150), (269, 151), (269, 152), (269, 153), (269, 154), (269, 155), (269, 156), (269, 157), (269, 158), (269, 159), (269, 160), (269, 161), (269, 162), (269, 163), (269, 164), (269, 165), (269, 166), (269, 167), (269, 168), (269, 169), (269, 170), (269, 171), (269, 172), (269, 173), (269, 174), (269, 175), (269, 176), (269, 177), (269, 178), (269, 179), (269, 180), (269, 181), (269, 182), (269, 183), (269, 184), (269, 185), (269, 186), (269, 187), (269, 188), (269, 189), (269, 190), (269, 191), (269, 192), (269, 193), (269, 194), (269, 195), (269, 196), (269, 197), (269, 198), (269, 200), (270, 78),
(270, 80), (270, 81), (270, 82), (270, 83), (270, 84), (270, 85), (270, 86), (270, 87), (270, 88), (270, 89), (270, 90), (270, 91), (270, 92), (270, 93), (270, 94), (270, 95), (270, 96), (270, 97), (270, 98), (270, 99), (270, 100), (270, 101), (270, 102), (270, 103), (270, 104), (270, 105), (270, 106), (270, 107), (270, 108), (270, 109), (270, 110), (270, 111), (270, 112), (270, 113), (270, 114), (270, 115), (270, 116), (270, 117), (270, 118), (270, 119), (270, 120), (270, 121), (270, 122), (270, 123), (270, 124), (270, 125), (270, 126), (270, 127), (270, 128), (270, 129), (270, 130), (270, 131), (270, 132), (270, 133), (270, 134), (270, 135), (270, 136), (270, 137), (270, 138), (270, 139), (270, 140), (270, 141), (270, 142), (270, 143), (270, 144), (270, 145), (270, 146), (270, 147), (270, 148), (270, 149), (270, 150), (270, 151),
(270, 152), (270, 153), (270, 154), (270, 155), (270, 156), (270, 157), (270, 158), (270, 159), (270, 160), (270, 161), (270, 162), (270, 163), (270, 164), (270, 165), (270, 166), (270, 167), (270, 168), (270, 169), (270, 170), (270, 171), (270, 172), (270, 173), (270, 174), (270, 175), (270, 176), (270, 177), (270, 178), (270, 179), (270, 180), (270, 181), (270, 182), (270, 183), (270, 184), (270, 185), (270, 186), (270, 187), (270, 188), (270, 189), (270, 190), (270, 191), (270, 192), (270, 193), (270, 194), (270, 195), (270, 196), (270, 197), (270, 198), (270, 200), (271, 78), (271, 80), (271, 81), (271, 82), (271, 83), (271, 84), (271, 85), (271, 86), (271, 87), (271, 88), (271, 89), (271, 90), (271, 91), (271, 92), (271, 93), (271, 94), (271, 95), (271, 96), (271, 97), (271, 98), (271, 99), (271, 100), (271, 101), (271, 102),
(271, 103), (271, 104), (271, 105), (271, 106), (271, 107), (271, 108), (271, 109), (271, 110), (271, 111), (271, 112), (271, 113), (271, 114), (271, 115), (271, 116), (271, 117), (271, 118), (271, 119), (271, 120), (271, 121), (271, 122), (271, 123), (271, 124), (271, 125), (271, 126), (271, 127), (271, 128), (271, 129), (271, 130), (271, 131), (271, 132), (271, 133), (271, 134), (271, 135), (271, 136), (271, 137), (271, 138), (271, 139), (271, 140), (271, 141), (271, 142), (271, 143), (271, 144), (271, 145), (271, 146), (271, 147), (271, 148), (271, 149), (271, 150), (271, 151), (271, 152), (271, 153), (271, 154), (271, 155), (271, 156), (271, 157), (271, 158), (271, 159), (271, 160), (271, 161), (271, 162), (271, 163), (271, 164), (271, 165), (271, 166), (271, 167), (271, 168), (271, 169), (271, 170), (271, 171), (271, 172), (271, 173), (271, 174),
(271, 175), (271, 176), (271, 177), (271, 178), (271, 179), (271, 180), (271, 181), (271, 182), (271, 183), (271, 184), (271, 185), (271, 186), (271, 187), (271, 188), (271, 189), (271, 190), (271, 191), (271, 192), (271, 193), (271, 194), (271, 195), (271, 196), (271, 197), (271, 198), (271, 200), (272, 78), (272, 80), (272, 81), (272, 82), (272, 83), (272, 84), (272, 85), (272, 86), (272, 87), (272, 88), (272, 89), (272, 90), (272, 91), (272, 92), (272, 93), (272, 94), (272, 95), (272, 96), (272, 97), (272, 98), (272, 99), (272, 100), (272, 101), (272, 102), (272, 103), (272, 104), (272, 105), (272, 106), (272, 107), (272, 108), (272, 109), (272, 110), (272, 111), (272, 112), (272, 113), (272, 114), (272, 115), (272, 116), (272, 117), (272, 118), (272, 119), (272, 120), (272, 121), (272, 122), (272, 123), (272, 124), (272, 125),
(272, 126), (272, 127), (272, 128), (272, 129), (272, 130), (272, 131), (272, 132), (272, 133), (272, 134), (272, 135), (272, 136), (272, 137), (272, 138), (272, 139), (272, 140), (272, 141), (272, 142), (272, 143), (272, 144), (272, 145), (272, 146), (272, 147), (272, 148), (272, 149), (272, 150), (272, 151), (272, 152), (272, 153), (272, 154), (272, 155), (272, 156), (272, 157), (272, 158), (272, 159), (272, 160), (272, 161), (272, 162), (272, 163), (272, 164), (272, 165), (272, 166), (272, 167), (272, 168), (272, 169), (272, 170), (272, 171), (272, 172), (272, 173), (272, 174), (272, 175), (272, 176), (272, 177), (272, 178), (272, 179), (272, 180), (272, 181), (272, 182), (272, 183), (272, 184), (272, 185), (272, 186), (272, 187), (272, 188), (272, 189), (272, 190), (272, 191), (272, 192), (272, 193), (272, 194), (272, 195), (272, 196), (272, 197),
(272, 198), (272, 200), (273, 79), (273, 81), (273, 82), (273, 83), (273, 84), (273, 85), (273, 86), (273, 87), (273, 88), (273, 89), (273, 90), (273, 91), (273, 92), (273, 93), (273, 94), (273, 95), (273, 96), (273, 97), (273, 98), (273, 99), (273, 100), (273, 101), (273, 102), (273, 103), (273, 104), (273, 105), (273, 106), (273, 107), (273, 108), (273, 109), (273, 110), (273, 111), (273, 112), (273, 113), (273, 114), (273, 115), (273, 116), (273, 117), (273, 118), (273, 119), (273, 120), (273, 121), (273, 122), (273, 123), (273, 124), (273, 125), (273, 126), (273, 127), (273, 128), (273, 129), (273, 130), (273, 131), (273, 132), (273, 133), (273, 134), (273, 135), (273, 136), (273, 137), (273, 138), (273, 139), (273, 140), (273, 141), (273, 142), (273, 143), (273, 144), (273, 145), (273, 146), (273, 147), (273, 148), (273, 149),
(273, 150), (273, 151), (273, 152), (273, 153), (273, 154), (273, 155), (273, 156), (273, 157), (273, 158), (273, 159), (273, 160), (273, 161), (273, 162), (273, 163), (273, 164), (273, 165), (273, 166), (273, 167), (273, 168), (273, 169), (273, 170), (273, 171), (273, 172), (273, 173), (273, 174), (273, 175), (273, 176), (273, 177), (273, 178), (273, 179), (273, 180), (273, 181), (273, 182), (273, 183), (273, 184), (273, 185), (273, 186), (273, 187), (273, 188), (273, 189), (273, 190), (273, 191), (273, 192), (273, 193), (273, 194), (273, 195), (273, 196), (273, 197), (273, 198), (273, 200), (274, 79), (274, 81), (274, 82), (274, 83), (274, 84), (274, 85), (274, 86), (274, 87), (274, 88), (274, 89), (274, 90), (274, 91), (274, 92), (274, 93), (274, 94), (274, 95), (274, 96), (274, 97), (274, 98), (274, 99), (274, 100), (274, 101),
(274, 102), (274, 103), (274, 104), (274, 105), (274, 106), (274, 107), (274, 108), (274, 109), (274, 110), (274, 111), (274, 112), (274, 113), (274, 114), (274, 115), (274, 116), (274, 117), (274, 118), (274, 119), (274, 120), (274, 121), (274, 122), (274, 123), (274, 124), (274, 125), (274, 126), (274, 127), (274, 128), (274, 129), (274, 130), (274, 131), (274, 132), (274, 133), (274, 134), (274, 135), (274, 136), (274, 137), (274, 138), (274, 139), (274, 140), (274, 141), (274, 142), (274, 143), (274, 144), (274, 145), (274, 146), (274, 147), (274, 148), (274, 149), (274, 150), (274, 151), (274, 152), (274, 153), (274, 154), (274, 155), (274, 156), (274, 157), (274, 158), (274, 159), (274, 160), (274, 161), (274, 162), (274, 163), (274, 164), (274, 165), (274, 166), (274, 167), (274, 168), (274, 169), (274, 170), (274, 171), (274, 172), (274, 173),
(274, 174), (274, 175), (274, 176), (274, 177), (274, 178), (274, 179), (274, 180), (274, 181), (274, 182), (274, 183), (274, 184), (274, 185), (274, 186), (274, 187), (274, 188), (274, 189), (274, 190), (274, 191), (274, 192), (274, 193), (274, 194), (274, 195), (274, 196), (274, 197), (274, 198), (274, 200), (275, 79), (275, 81), (275, 82), (275, 83), (275, 84), (275, 85), (275, 86), (275, 87), (275, 88), (275, 89), (275, 90), (275, 91), (275, 92), (275, 93), (275, 94), (275, 95), (275, 96), (275, 97), (275, 98), (275, 99), (275, 100), (275, 101), (275, 102), (275, 103), (275, 104), (275, 105), (275, 106), (275, 107), (275, 108), (275, 109), (275, 110), (275, 111), (275, 112), (275, 113), (275, 114), (275, 115), (275, 116), (275, 117), (275, 118), (275, 119), (275, 120), (275, 121), (275, 122), (275, 123), (275, 124), (275, 125),
(275, 126), (275, 127), (275, 128), (275, 129), (275, 130), (275, 131), (275, 132), (275, 133), (275, 134), (275, 135), (275, 136), (275, 137), (275, 138), (275, 139), (275, 140), (275, 141), (275, 142), (275, 143), (275, 144), (275, 145), (275, 146), (275, 147), (275, 148), (275, 149), (275, 150), (275, 151), (275, 152), (275, 153), (275, 154), (275, 155), (275, 156), (275, 157), (275, 158), (275, 159), (275, 160), (275, 161), (275, 162), (275, 163), (275, 164), (275, 165), (275, 166), (275, 167), (275, 168), (275, 169), (275, 170), (275, 171), (275, 172), (275, 173), (275, 174), (275, 175), (275, 176), (275, 177), (275, 178), (275, 179), (275, 180), (275, 181), (275, 182), (275, 183), (275, 184), (275, 185), (275, 186), (275, 187), (275, 188), (275, 189), (275, 190), (275, 191), (275, 192), (275, 193), (275, 194), (275, 195), (275, 196), (275, 197),
(275, 198), (275, 200), (276, 80), (276, 82), (276, 83), (276, 84), (276, 85), (276, 86), (276, 87), (276, 88), (276, 89), (276, 90), (276, 91), (276, 92), (276, 93), (276, 94), (276, 95), (276, 96), (276, 97), (276, 98), (276, 99), (276, 100), (276, 101), (276, 102), (276, 103), (276, 104), (276, 105), (276, 106), (276, 107), (276, 108), (276, 109), (276, 110), (276, 111), (276, 112), (276, 113), (276, 114), (276, 115), (276, 116), (276, 117), (276, 118), (276, 119), (276, 120), (276, 121), (276, 122), (276, 123), (276, 124), (276, 125), (276, 126), (276, 127), (276, 128), (276, 129), (276, 130), (276, 131), (276, 132), (276, 133), (276, 134), (276, 135), (276, 136), (276, 137), (276, 138), (276, 139), (276, 140), (276, 141), (276, 142), (276, 143), (276, 144), (276, 145), (276, 146), (276, 147), (276, 148), (276, 149), (276, 150),
(276, 151), (276, 152), (276, 153), (276, 154), (276, 155), (276, 156), (276, 157), (276, 158), (276, 159), (276, 160), (276, 161), (276, 162), (276, 163), (276, 164), (276, 165), (276, 166), (276, 167), (276, 168), (276, 169), (276, 170), (276, 171), (276, 172), (276, 173), (276, 174), (276, 175), (276, 176), (276, 177), (276, 178), (276, 179), (276, 180), (276, 181), (276, 182), (276, 183), (276, 184), (276, 185), (276, 186), (276, 187), (276, 188), (276, 189), (276, 190), (276, 191), (276, 192), (276, 193), (276, 194), (276, 195), (276, 196), (276, 197), (276, 199), (277, 80), (277, 82), (277, 83), (277, 84), (277, 85), (277, 86), (277, 87), (277, 88), (277, 89), (277, 90), (277, 91), (277, 92), (277, 93), (277, 94), (277, 95), (277, 96), (277, 97), (277, 98), (277, 99), (277, 100), (277, 101), (277, 102), (277, 103), (277, 104),
(277, 105), (277, 106), (277, 107), (277, 108), (277, 109), (277, 110), (277, 111), (277, 112), (277, 113), (277, 114), (277, 115), (277, 116), (277, 117), (277, 118), (277, 119), (277, 120), (277, 121), (277, 122), (277, 123), (277, 124), (277, 125), (277, 126), (277, 127), (277, 128), (277, 129), (277, 130), (277, 131), (277, 132), (277, 133), (277, 134), (277, 135), (277, 136), (277, 137), (277, 138), (277, 139), (277, 140), (277, 141), (277, 142), (277, 143), (277, 144), (277, 145), (277, 146), (277, 147), (277, 148), (277, 149), (277, 150), (277, 151), (277, 152), (277, 153), (277, 154), (277, 155), (277, 156), (277, 157), (277, 158), (277, 159), (277, 160), (277, 161), (277, 162), (277, 163), (277, 164), (277, 165), (277, 166), (277, 167), (277, 168), (277, 169), (277, 170), (277, 171), (277, 172), (277, 173), (277, 174), (277, 175), (277, 176),
(277, 177), (277, 178), (277, 179), (277, 180), (277, 181), (277, 182), (277, 183), (277, 184), (277, 185), (277, 186), (277, 187), (277, 188), (277, 189), (277, 190), (277, 191), (277, 192), (277, 193), (277, 194), (277, 195), (277, 196), (277, 197), (277, 199), (278, 80), (278, 82), (278, 83), (278, 84), (278, 85), (278, 86), (278, 87), (278, 88), (278, 89), (278, 90), (278, 91), (278, 92), (278, 93), (278, 94), (278, 95), (278, 96), (278, 97), (278, 98), (278, 99), (278, 100), (278, 101), (278, 102), (278, 103), (278, 104), (278, 105), (278, 106), (278, 107), (278, 108), (278, 109), (278, 110), (278, 111), (278, 112), (278, 113), (278, 114), (278, 115), (278, 116), (278, 117), (278, 118), (278, 119), (278, 120), (278, 121), (278, 122), (278, 123), (278, 124), (278, 125), (278, 126), (278, 127), (278, 128), (278, 129), (278, 130),
(278, 131), (278, 132), (278, 133), (278, 134), (278, 135), (278, 136), (278, 137), (278, 138), (278, 139), (278, 140), (278, 141), (278, 142), (278, 143), (278, 144), (278, 145), (278, 146), (278, 147), (278, 148), (278, 149), (278, 150), (278, 151), (278, 152), (278, 153), (278, 154), (278, 155), (278, 156), (278, 157), (278, 158), (278, 159), (278, 160), (278, 161), (278, 162), (278, 163), (278, 164), (278, 165), (278, 166), (278, 167), (278, 168), (278, 169), (278, 170), (278, 171), (278, 172), (278, 173), (278, 174), (278, 175), (278, 176), (278, 177), (278, 178), (278, 179), (278, 180), (278, 181), (278, 182), (278, 183), (278, 184), (278, 185), (278, 186), (278, 187), (278, 188), (278, 189), (278, 190), (278, 191), (278, 192), (278, 193), (278, 194), (278, 195), (278, 196), (278, 198), (279, 81), (279, 83), (279, 84), (279, 85), (279, 86),
(279, 87), (279, 88), (279, 89), (279, 90), (279, 91), (279, 92), (279, 93), (279, 94), (279, 95), (279, 96), (279, 97), (279, 98), (279, 99), (279, 100), (279, 101), (279, 102), (279, 103), (279, 104), (279, 105), (279, 106), (279, 107), (279, 108), (279, 109), (279, 110), (279, 111), (279, 112), (279, 113), (279, 114), (279, 115), (279, 116), (279, 117), (279, 118), (279, 119), (279, 120), (279, 121), (279, 122), (279, 123), (279, 124), (279, 125), (279, 126), (279, 127), (279, 128), (279, 129), (279, 130), (279, 131), (279, 132), (279, 133), (279, 134), (279, 135), (279, 136), (279, 137), (279, 138), (279, 139), (279, 140), (279, 141), (279, 142), (279, 143), (279, 144), (279, 145), (279, 146), (279, 147), (279, 148), (279, 149), (279, 150), (279, 151), (279, 152), (279, 153), (279, 154), (279, 155), (279, 156), (279, 157), (279, 158),
(279, 159), (279, 160), (279, 161), (279, 162), (279, 163), (279, 164), (279, 165), (279, 166), (279, 167), (279, 168), (279, 169), (279, 170), (279, 171), (279, 172), (279, 173), (279, 174), (279, 175), (279, 176), (279, 177), (279, 178), (279, 179), (279, 180), (279, 181), (279, 182), (279, 183), (279, 184), (279, 185), (279, 186), (279, 187), (279, 188), (279, 189), (279, 190), (279, 191), (279, 192), (279, 193), (279, 194), (279, 195), (279, 196), (279, 198), (280, 81), (280, 83), (280, 84), (280, 85), (280, 86), (280, 87), (280, 88), (280, 89), (280, 90), (280, 91), (280, 92), (280, 93), (280, 94), (280, 95), (280, 96), (280, 97), (280, 98), (280, 99), (280, 100), (280, 101), (280, 102), (280, 103), (280, 104), (280, 105), (280, 106), (280, 107), (280, 108), (280, 109), (280, 110), (280, 111), (280, 112), (280, 113), (280, 114),
(280, 115), (280, 116), (280, 117), (280, 118), (280, 119), (280, 120), (280, 121), (280, 122), (280, 123), (280, 124), (280, 125), (280, 126), (280, 127), (280, 128), (280, 129), (280, 130), (280, 131), (280, 132), (280, 133), (280, 134), (280, 135), (280, 136), (280, 137), (280, 138), (280, 139), (280, 140), (280, 141), (280, 142), (280, 143), (280, 144), (280, 145), (280, 146), (280, 147), (280, 148), (280, 149), (280, 150), (280, 151), (280, 152), (280, 153), (280, 154), (280, 155), (280, 156), (280, 157), (280, 158), (280, 159), (280, 160), (280, 161), (280, 162), (280, 163), (280, 164), (280, 165), (280, 166), (280, 167), (280, 168), (280, 169), (280, 170), (280, 171), (280, 172), (280, 173), (280, 174), (280, 175), (280, 176), (280, 177), (280, 178), (280, 179), (280, 180), (280, 181), (280, 182), (280, 183), (280, 184), (280, 185), (280, 186),
(280, 187), (280, 188), (280, 189), (280, 190), (280, 191), (280, 192), (280, 193), (280, 194), (280, 195), (280, 197), (281, 81), (281, 83), (281, 84), (281, 85), (281, 86), (281, 87), (281, 88), (281, 89), (281, 90), (281, 91), (281, 92), (281, 93), (281, 94), (281, 95), (281, 96), (281, 97), (281, 98), (281, 99), (281, 100), (281, 101), (281, 102), (281, 103), (281, 104), (281, 105), (281, 106), (281, 107), (281, 108), (281, 109), (281, 110), (281, 111), (281, 112), (281, 113), (281, 114), (281, 115), (281, 116), (281, 117), (281, 118), (281, 119), (281, 120), (281, 121), (281, 122), (281, 123), (281, 124), (281, 125), (281, 126), (281, 127), (281, 128), (281, 129), (281, 130), (281, 131), (281, 132), (281, 133), (281, 134), (281, 135), (281, 136), (281, 137), (281, 138), (281, 139), (281, 140), (281, 141), (281, 142), (281, 143),
(281, 144), (281, 145), (281, 146), (281, 147), (281, 148), (281, 149), (281, 150), (281, 151), (281, 152), (281, 153), (281, 154), (281, 155), (281, 156), (281, 157), (281, 158), (281, 159), (281, 160), (281, 161), (281, 162), (281, 163), (281, 164), (281, 165), (281, 166), (281, 167), (281, 168), (281, 169), (281, 170), (281, 171), (281, 172), (281, 173), (281, 174), (281, 175), (281, 176), (281, 177), (281, 178), (281, 179), (281, 180), (281, 181), (281, 182), (281, 183), (281, 184), (281, 185), (281, 186), (281, 187), (281, 188), (281, 189), (281, 190), (281, 191), (281, 192), (281, 193), (281, 194), (281, 196), (282, 82), (282, 84), (282, 85), (282, 86), (282, 87), (282, 88), (282, 89), (282, 90), (282, 91), (282, 92), (282, 93), (282, 94), (282, 95), (282, 96), (282, 97), (282, 98), (282, 99), (282, 100), (282, 101), (282, 102),
(282, 103), (282, 104), (282, 105), (282, 106), (282, 107), (282, 108), (282, 109), (282, 110), (282, 111), (282, 112), (282, 113), (282, 114), (282, 115), (282, 116), (282, 117), (282, 118), (282, 119), (282, 120), (282, 121), (282, 122), (282, 123), (282, 124), (282, 125), (282, 126), (282, 127), (282, 128), (282, 129), (282, 130), (282, 131), (282, 132), (282, 133), (282, 134), (282, 135), (282, 136), (282, 137), (282, 138), (282, 139), (282, 140), (282, 141), (282, 142), (282, 143), (282, 144), (282, 145), (282, 146), (282, 147), (282, 148), (282, 149), (282, 150), (282, 151), (282, 152), (282, 153), (282, 154), (282, 155), (282, 156), (282, 157), (282, 158), (282, 159), (282, 160), (282, 161), (282, 162), (282, 163), (282, 164), (282, 165), (282, 166), (282, 167), (282, 168), (282, 169), (282, 170), (282, 171), (282, 172), (282, 173), (282, 174),
(282, 175), (282, 176), (282, 177), (282, 178), (282, 179), (282, 180), (282, 181), (282, 182), (282, 183), (282, 184), (282, 185), (282, 186), (282, 187), (282, 188), (282, 189), (282, 190), (282, 191), (282, 192), (282, 193), (282, 195), (283, 82), (283, 84), (283, 85), (283, 86), (283, 87), (283, 88), (283, 89), (283, 90), (283, 91), (283, 92), (283, 93), (283, 94), (283, 95), (283, 96), (283, 97), (283, 98), (283, 99), (283, 100), (283, 101), (283, 102), (283, 103), (283, 104), (283, 105), (283, 106), (283, 107), (283, 108), (283, 109), (283, 110), (283, 111), (283, 112), (283, 113), (283, 114), (283, 115), (283, 116), (283, 117), (283, 118), (283, 119), (283, 120), (283, 121), (283, 122), (283, 123), (283, 124), (283, 125), (283, 126), (283, 127), (283, 128), (283, 129), (283, 130), (283, 131), (283, 132), (283, 133), (283, 134),
(283, 135), (283, 136), (283, 137), (283, 138), (283, 139), (283, 140), (283, 141), (283, 142), (283, 143), (283, 144), (283, 145), (283, 146), (283, 147), (283, 148), (283, 149), (283, 150), (283, 151), (283, 152), (283, 153), (283, 154), (283, 155), (283, 156), (283, 157), (283, 158), (283, 159), (283, 160), (283, 161), (283, 162), (283, 163), (283, 164), (283, 165), (283, 166), (283, 167), (283, 168), (283, 169), (283, 170), (283, 171), (283, 172), (283, 173), (283, 174), (283, 175), (283, 176), (283, 177), (283, 178), (283, 179), (283, 180), (283, 181), (283, 182), (283, 183), (283, 184), (283, 185), (283, 186), (283, 187), (283, 188), (283, 189), (283, 190), (283, 191), (283, 192), (283, 194), (284, 82), (284, 83), (284, 84), (284, 85), (284, 86), (284, 87), (284, 88), (284, 89), (284, 90), (284, 91), (284, 92), (284, 93), (284, 94),
(284, 95), (284, 96), (284, 97), (284, 98), (284, 99), (284, 100), (284, 101), (284, 102), (284, 103), (284, 104), (284, 105), (284, 106), (284, 107), (284, 108), (284, 109), (284, 110), (284, 111), (284, 112), (284, 113), (284, 114), (284, 115), (284, 116), (284, 117), (284, 118), (284, 119), (284, 120), (284, 121), (284, 122), (284, 123), (284, 124), (284, 125), (284, 126), (284, 127), (284, 128), (284, 129), (284, 130), (284, 131), (284, 132), (284, 133), (284, 134), (284, 135), (284, 136), (284, 137), (284, 138), (284, 139), (284, 140), (284, 141), (284, 142), (284, 143), (284, 144), (284, 145), (284, 146), (284, 147), (284, 148), (284, 149), (284, 150), (284, 151), (284, 152), (284, 153), (284, 154), (284, 155), (284, 156), (284, 157), (284, 158), (284, 159), (284, 160), (284, 161), (284, 162), (284, 163), (284, 164), (284, 165), (284, 166),
(284, 167), (284, 168), (284, 169), (284, 170), (284, 171), (284, 172), (284, 173), (284, 174), (284, 175), (284, 176), (284, 177), (284, 178), (284, 179), (284, 180), (284, 181), (284, 182), (284, 183), (284, 184), (284, 185), (284, 186), (284, 187), (284, 188), (284, 189), (284, 190), (284, 191), (284, 192), (284, 194), (285, 83), (285, 85), (285, 86), (285, 87), (285, 88), (285, 89), (285, 90), (285, 91), (285, 92), (285, 93), (285, 94), (285, 95), (285, 96), (285, 97), (285, 98), (285, 99), (285, 100), (285, 101), (285, 102), (285, 103), (285, 104), (285, 105), (285, 106), (285, 107), (285, 108), (285, 109), (285, 110), (285, 111), (285, 112), (285, 113), (285, 114), (285, 115), (285, 116), (285, 117), (285, 118), (285, 119), (285, 120), (285, 121), (285, 122), (285, 123), (285, 124), (285, 125), (285, 126), (285, 127), (285, 128),
(285, 129), (285, 130), (285, 131), (285, 132), (285, 133), (285, 134), (285, 135), (285, 136), (285, 137), (285, 138), (285, 139), (285, 140), (285, 141), (285, 142), (285, 143), (285, 144), (285, 145), (285, 146), (285, 147), (285, 148), (285, 149), (285, 150), (285, 151), (285, 152), (285, 153), (285, 154), (285, 155), (285, 156), (285, 157), (285, 158), (285, 159), (285, 160), (285, 161), (285, 162), (285, 163), (285, 164), (285, 165), (285, 166), (285, 167), (285, 168), (285, 169), (285, 170), (285, 171), (285, 172), (285, 173), (285, 174), (285, 175), (285, 176), (285, 177), (285, 178), (285, 179), (285, 180), (285, 181), (285, 182), (285, 183), (285, 184), (285, 185), (285, 186), (285, 187), (285, 188), (285, 189), (285, 190), (285, 191), (285, 193), (286, 83), (286, 85), (286, 86), (286, 87), (286, 88), (286, 89), (286, 90), (286, 91),
(286, 92), (286, 93), (286, 94), (286, 95), (286, 96), (286, 97), (286, 98), (286, 99), (286, 100), (286, 101), (286, 102), (286, 103), (286, 104), (286, 105), (286, 106), (286, 107), (286, 108), (286, 109), (286, 110), (286, 111), (286, 112), (286, 113), (286, 114), (286, 115), (286, 116), (286, 117), (286, 118), (286, 119), (286, 120), (286, 121), (286, 122), (286, 123), (286, 124), (286, 125), (286, 126), (286, 127), (286, 128), (286, 129), (286, 130), (286, 131), (286, 132), (286, 133), (286, 134), (286, 135), (286, 136), (286, 137), (286, 138), (286, 139), (286, 140), (286, 141), (286, 142), (286, 143), (286, 144), (286, 145), (286, 146), (286, 147), (286, 148), (286, 149), (286, 150), (286, 151), (286, 152), (286, 153), (286, 154), (286, 155), (286, 156), (286, 157), (286, 158), (286, 159), (286, 160), (286, 161), (286, 162), (286, 163),
(286, 164), (286, 165), (286, 166), (286, 167), (286, 168), (286, 169), (286, 170), (286, 171), (286, 172), (286, 173), (286, 174), (286, 175), (286, 176), (286, 177), (286, 178), (286, 179), (286, 180), (286, 181), (286, 182), (286, 183), (286, 184), (286, 185), (286, 186), (286, 187), (286, 188), (286, 189), (286, 190), (286, 192), (287, 84), (287, 86), (287, 87), (287, 88), (287, 89), (287, 90), (287, 91), (287, 92), (287, 93), (287, 94), (287, 95), (287, 96), (287, 97), (287, 98), (287, 99), (287, 100), (287, 101), (287, 102), (287, 103), (287, 104), (287, 105), (287, 106), (287, 107), (287, 108), (287, 109), (287, 110), (287, 111), (287, 112), (287, 113), (287, 114), (287, 115), (287, 116), (287, 117), (287, 118), (287, 119), (287, 120), (287, 121), (287, 122), (287, 123), (287, 124), (287, 125), (287, 126), (287, 127), (287, 128),
(287, 129), (287, 130), (287, 131), (287, 132), (287, 133), (287, 134), (287, 135), (287, 136), (287, 137), (287, 138), (287, 139), (287, 140), (287, 141), (287, 142), (287, 143), (287, 144), (287, 145), (287, 146), (287, 147), (287, 148), (287, 149), (287, 150), (287, 151), (287, 152), (287, 153), (287, 154), (287, 155), (287, 156), (287, 157), (287, 158), (287, 159), (287, 160), (287, 161), (287, 162), (287, 163), (287, 164), (287, 165), (287, 166), (287, 167), (287, 168), (287, 169), (287, 170), (287, 171), (287, 172), (287, 173), (287, 174), (287, 175), (287, 176), (287, 177), (287, 178), (287, 179), (287, 180), (287, 181), (287, 182), (287, 183), (287, 184), (287, 185), (287, 186), (287, 187), (287, 188), (287, 189), (287, 191), (288, 84), (288, 86), (288, 87), (288, 88), (288, 89), (288, 90), (288, 91), (288, 92), (288, 93), (288, 94),
(288, 95), (288, 96), (288, 97), (288, 98), (288, 99), (288, 100), (288, 101), (288, 102), (288, 103), (288, 104), (288, 105), (288, 106), (288, 107), (288, 108), (288, 109), (288, 110), (288, 111), (288, 112), (288, 113), (288, 114), (288, 115), (288, 116), (288, 117), (288, 118), (288, 119), (288, 120), (288, 121), (288, 122), (288, 123), (288, 124), (288, 125), (288, 126), (288, 127), (288, 128), (288, 129), (288, 130), (288, 131), (288, 132), (288, 133), (288, 134), (288, 135), (288, 136), (288, 137), (288, 138), (288, 139), (288, 140), (288, 141), (288, 142), (288, 143), (288, 144), (288, 145), (288, 146), (288, 147), (288, 148), (288, 149), (288, 150), (288, 151), (288, 152), (288, 153), (288, 154), (288, 155), (288, 156), (288, 157), (288, 158), (288, 159), (288, 160), (288, 161), (288, 162), (288, 163), (288, 164), (288, 165), (288, 166),
(288, 167), (288, 168), (288, 169), (288, 170), (288, 171), (288, 172), (288, 173), (288, 174), (288, 175), (288, 176), (288, 177), (288, 178), (288, 179), (288, 180), (288, 181), (288, 182), (288, 183), (288, 184), (288, 185), (288, 186), (288, 187), (288, 188), (288, 189), (288, 191), (289, 85), (289, 87), (289, 88), (289, 89), (289, 90), (289, 91), (289, 92), (289, 93), (289, 94), (289, 95), (289, 96), (289, 97), (289, 98), (289, 99), (289, 100), (289, 101), (289, 102), (289, 103), (289, 104), (289, 105), (289, 106), (289, 107), (289, 108), (289, 109), (289, 110), (289, 111), (289, 112), (289, 113), (289, 114), (289, 115), (289, 116), (289, 117), (289, 118), (289, 119), (289, 120), (289, 121), (289, 122), (289, 123), (289, 124), (289, 125), (289, 126), (289, 127), (289, 128), (289, 129), (289, 130), (289, 131), (289, 132), (289, 133),
(289, 134), (289, 135), (289, 136), (289, 137), (289, 138), (289, 139), (289, 140), (289, 141), (289, 142), (289, 143), (289, 144), (289, 145), (289, 146), (289, 147), (289, 148), (289, 149), (289, 150), (289, 151), (289, 152), (289, 153), (289, 154), (289, 155), (289, 156), (289, 157), (289, 158), (289, 159), (289, 160), (289, 161), (289, 162), (289, 163), (289, 164), (289, 165), (289, 166), (289, 167), (289, 168), (289, 169), (289, 170), (289, 171), (289, 172), (289, 173), (289, 174), (289, 175), (289, 176), (289, 177), (289, 178), (289, 179), (289, 180), (289, 181), (289, 182), (289, 183), (289, 184), (289, 185), (289, 186), (289, 187), (289, 188), (289, 190), (290, 86), (290, 88), (290, 89), (290, 90), (290, 91), (290, 92), (290, 93), (290, 94), (290, 95), (290, 96), (290, 97), (290, 98), (290, 99), (290, 100), (290, 101), (290, 102),
(290, 103), (290, 104), (290, 105), (290, 106), (290, 107), (290, 108), (290, 109), (290, 110), (290, 111), (290, 112), (290, 113), (290, 114), (290, 115), (290, 116), (290, 117), (290, 118), (290, 119), (290, 120), (290, 121), (290, 122), (290, 123), (290, 124), (290, 125), (290, 126), (290, 127), (290, 128), (290, 129), (290, 130), (290, 131), (290, 132), (290, 133), (290, 134), (290, 135), (290, 136), (290, 137), (290, 138), (290, 139), (290, 140), (290, 141), (290, 142), (290, 143), (290, 144), (290, 145), (290, 146), (290, 147), (290, 148), (290, 149), (290, 150), (290, 151), (290, 152), (290, 153), (290, 154), (290, 155), (290, 156), (290, 157), (290, 158), (290, 159), (290, 160), (290, 161), (290, 162), (290, 163), (290, 164), (290, 165), (290, 166), (290, 167), (290, 168), (290, 169), (290, 170), (290, 171), (290, 172), (290, 173), (290, 174),
(290, 175), (290, 176), (290, 177), (290, 178), (290, 179), (290, 180), (290, 181), (290, 182), (290, 183), (290, 184), (290, 185), (290, 186), (290, 187), (290, 189), (291, 87), (291, 89), (291, 90), (291, 91), (291, 92), (291, 93), (291, 94), (291, 95), (291, 96), (291, 97), (291, 98), (291, 99), (291, 100), (291, 101), (291, 102), (291, 103), (291, 104), (291, 105), (291, 106), (291, 107), (291, 108), (291, 109), (291, 110), (291, 111), (291, 112), (291, 113), (291, 114), (291, 115), (291, 116), (291, 117), (291, 118), (291, 119), (291, 120), (291, 121), (291, 122), (291, 123), (291, 124), (291, 125), (291, 126), (291, 127), (291, 128), (291, 129), (291, 130), (291, 131), (291, 132), (291, 133), (291, 134), (291, 135), (291, 136), (291, 137), (291, 138), (291, 139), (291, 140), (291, 141), (291, 142), (291, 143), (291, 144), (291, 145),
(291, 146), (291, 147), (291, 148), (291, 149), (291, 150), (291, 151), (291, 152), (291, 153), (291, 154), (291, 155), (291, 156), (291, 157), (291, 158), (291, 159), (291, 160), (291, 161), (291, 162), (291, 163), (291, 164), (291, 165), (291, 166), (291, 167), (291, 168), (291, 169), (291, 170), (291, 171), (291, 172), (291, 173), (291, 174), (291, 175), (291, 176), (291, 177), (291, 178), (291, 179), (291, 180), (291, 181), (291, 182), (291, 183), (291, 184), (291, 185), (291, 186), (291, 187), (291, 189), (292, 88), (292, 90), (292, 91), (292, 92), (292, 93), (292, 94), (292, 95), (292, 96), (292, 97), (292, 98), (292, 99), (292, 100), (292, 101), (292, 102), (292, 103), (292, 104), (292, 105), (292, 106), (292, 107), (292, 108), (292, 109), (292, 110), (292, 111), (292, 112), (292, 113), (292, 114), (292, 115), (292, 116), (292, 117),
(292, 118), (292, 119), (292, 120), (292, 121), (292, 122), (292, 123), (292, 124), (292, 125), (292, 126), (292, 127), (292, 128), (292, 129), (292, 130), (292, 131), (292, 132), (292, 133), (292, 134), (292, 135), (292, 136), (292, 137), (292, 138), (292, 139), (292, 140), (292, 141), (292, 142), (292, 143), (292, 144), (292, 145), (292, 146), (292, 147), (292, 148), (292, 149), (292, 150), (292, 151), (292, 152), (292, 153), (292, 154), (292, 155), (292, 156), (292, 157), (292, 158), (292, 159), (292, 160), (292, 161), (292, 162), (292, 163), (292, 164), (292, 165), (292, 166), (292, 167), (292, 168), (292, 169), (292, 170), (292, 171), (292, 172), (292, 173), (292, 174), (292, 175), (292, 176), (292, 177), (292, 178), (292, 179), (292, 180), (292, 181), (292, 182), (292, 183), (292, 184), (292, 185), (292, 186), (292, 187), (292, 189), (293, 89),
(293, 91), (293, 92), (293, 93), (293, 94), (293, 95), (293, 96), (293, 97), (293, 98), (293, 99), (293, 100), (293, 101), (293, 102), (293, 103), (293, 104), (293, 105), (293, 106), (293, 107), (293, 108), (293, 109), (293, 110), (293, 111), (293, 112), (293, 113), (293, 114), (293, 115), (293, 116), (293, 117), (293, 118), (293, 119), (293, 120), (293, 121), (293, 122), (293, 123), (293, 124), (293, 125), (293, 126), (293, 127), (293, 128), (293, 129), (293, 130), (293, 131), (293, 132), (293, 133), (293, 134), (293, 135), (293, 136), (293, 137), (293, 138), (293, 139), (293, 140), (293, 141), (293, 142), (293, 143), (293, 144), (293, 145), (293, 146), (293, 147), (293, 148), (293, 149), (293, 150), (293, 151), (293, 152), (293, 153), (293, 154), (293, 155), (293, 156), (293, 157), (293, 158), (293, 159), (293, 160), (293, 161), (293, 162),
(293, 163), (293, 164), (293, 165), (293, 166), (293, 167), (293, 168), (293, 169), (293, 170), (293, 171), (293, 172), (293, 173), (293, 174), (293, 175), (293, 176), (293, 177), (293, 178), (293, 179), (293, 180), (293, 181), (293, 182), (293, 183), (293, 184), (293, 185), (293, 186), (293, 187), (293, 189), (294, 90), (294, 92), (294, 93), (294, 94), (294, 95), (294, 96), (294, 97), (294, 98), (294, 99), (294, 100), (294, 101), (294, 102), (294, 103), (294, 104), (294, 105), (294, 106), (294, 107), (294, 108), (294, 109), (294, 110), (294, 111), (294, 112), (294, 113), (294, 114), (294, 115), (294, 116), (294, 117), (294, 118), (294, 119), (294, 120), (294, 121), (294, 122), (294, 123), (294, 124), (294, 125), (294, 126), (294, 127), (294, 128), (294, 129), (294, 130), (294, 131), (294, 132), (294, 133), (294, 134), (294, 135), (294, 136),
(294, 137), (294, 138), (294, 139), (294, 140), (294, 141), (294, 142), (294, 143), (294, 144), (294, 145), (294, 146), (294, 147), (294, 148), (294, 149), (294, 150), (294, 151), (294, 152), (294, 153), (294, 154), (294, 155), (294, 156), (294, 157), (294, 158), (294, 159), (294, 160), (294, 161), (294, 162), (294, 163), (294, 164), (294, 165), (294, 166), (294, 167), (294, 168), (294, 169), (294, 170), (294, 171), (294, 172), (294, 173), (294, 174), (294, 175), (294, 176), (294, 177), (294, 178), (294, 179), (294, 180), (294, 181), (294, 182), (294, 183), (294, 184), (294, 185), (294, 186), (294, 187), (294, 189), (295, 90), (295, 92), (295, 93), (295, 94), (295, 95), (295, 96), (295, 97), (295, 98), (295, 99), (295, 100), (295, 101), (295, 102), (295, 103), (295, 104), (295, 105), (295, 106), (295, 107), (295, 108), (295, 109), (295, 110),
(295, 111), (295, 112), (295, 113), (295, 114), (295, 115), (295, 116), (295, 117), (295, 118), (295, 119), (295, 120), (295, 121), (295, 122), (295, 123), (295, 124), (295, 125), (295, 126), (295, 127), (295, 128), (295, 129), (295, 130), (295, 131), (295, 132), (295, 133), (295, 134), (295, 135), (295, 136), (295, 137), (295, 138), (295, 139), (295, 140), (295, 141), (295, 142), (295, 143), (295, 144), (295, 145), (295, 146), (295, 147), (295, 148), (295, 149), (295, 150), (295, 151), (295, 152), (295, 153), (295, 154), (295, 155), (295, 156), (295, 157), (295, 158), (295, 159), (295, 160), (295, 161), (295, 162), (295, 163), (295, 164), (295, 165), (295, 166), (295, 167), (295, 168), (295, 169), (295, 170), (295, 171), (295, 172), (295, 173), (295, 174), (295, 175), (295, 176), (295, 177), (295, 178), (295, 179), (295, 180), (295, 181), (295, 182),
(295, 183), (295, 184), (295, 185), (295, 186), (295, 187), (295, 189), (296, 91), (296, 93), (296, 94), (296, 95), (296, 96), (296, 97), (296, 98), (296, 99), (296, 100), (296, 101), (296, 102), (296, 103), (296, 104), (296, 105), (296, 106), (296, 107), (296, 108), (296, 109), (296, 110), (296, 111), (296, 112), (296, 113), (296, 114), (296, 115), (296, 116), (296, 117), (296, 118), (296, 119), (296, 120), (296, 121), (296, 122), (296, 123), (296, 124), (296, 125), (296, 126), (296, 127), (296, 128), (296, 129), (296, 130), (296, 131), (296, 132), (296, 133), (296, 134), (296, 135), (296, 136), (296, 137), (296, 138), (296, 139), (296, 140), (296, 141), (296, 142), (296, 143), (296, 144), (296, 145), (296, 146), (296, 147), (296, 148), (296, 149), (296, 150), (296, 151), (296, 152), (296, 153), (296, 154), (296, 155), (296, 156), (296, 157),
(296, 158), (296, 159), (296, 160), (296, 161), (296, 162), (296, 163), (296, 164), (296, 165), (296, 166), (296, 167), (296, 168), (296, 169), (296, 170), (296, 171), (296, 172), (296, 173), (296, 174), (296, 175), (296, 176), (296, 177), (296, 178), (296, 179), (296, 180), (296, 181), (296, 182), (296, 183), (296, 184), (296, 185), (296, 186), (296, 187), (296, 189), (297, 91), (297, 93), (297, 94), (297, 95), (297, 96), (297, 97), (297, 98), (297, 99), (297, 100), (297, 101), (297, 102), (297, 103), (297, 104), (297, 105), (297, 106), (297, 107), (297, 108), (297, 109), (297, 110), (297, 111), (297, 112), (297, 113), (297, 114), (297, 115), (297, 116), (297, 117), (297, 118), (297, 119), (297, 120), (297, 121), (297, 122), (297, 123), (297, 124), (297, 125), (297, 126), (297, 127), (297, 128), (297, 129), (297, 130), (297, 131), (297, 132),
(297, 133), (297, 134), (297, 135), (297, 136), (297, 137), (297, 138), (297, 139), (297, 140), (297, 141), (297, 142), (297, 143), (297, 144), (297, 145), (297, 146), (297, 147), (297, 148), (297, 149), (297, 150), (297, 151), (297, 152), (297, 153), (297, 154), (297, 155), (297, 156), (297, 157), (297, 158), (297, 159), (297, 160), (297, 161), (297, 162), (297, 163), (297, 164), (297, 165), (297, 166), (297, 167), (297, 168), (297, 169), (297, 170), (297, 171), (297, 172), (297, 173), (297, 174), (297, 175), (297, 176), (297, 177), (297, 178), (297, 179), (297, 180), (297, 181), (297, 182), (297, 183), (297, 184), (297, 185), (297, 186), (297, 187), (297, 189), (298, 92), (298, 94), (298, 95), (298, 96), (298, 97), (298, 98), (298, 99), (298, 100), (298, 101), (298, 102), (298, 103), (298, 104), (298, 105), (298, 106), (298, 107), (298, 108),
(298, 109), (298, 110), (298, 111), (298, 112), (298, 113), (298, 114), (298, 115), (298, 116), (298, 117), (298, 118), (298, 119), (298, 120), (298, 121), (298, 122), (298, 123), (298, 124), (298, 125), (298, 126), (298, 127), (298, 128), (298, 129), (298, 130), (298, 131), (298, 132), (298, 133), (298, 134), (298, 135), (298, 136), (298, 137), (298, 138), (298, 139), (298, 140), (298, 141), (298, 142), (298, 143), (298, 144), (298, 145), (298, 146), (298, 147), (298, 148), (298, 149), (298, 150), (298, 151), (298, 152), (298, 153), (298, 154), (298, 155), (298, 156), (298, 157), (298, 158), (298, 159), (298, 160), (298, 161), (298, 162), (298, 163), (298, 164), (298, 165), (298, 166), (298, 167), (298, 168), (298, 169), (298, 170), (298, 171), (298, 172), (298, 173), (298, 174), (298, 175), (298, 176), (298, 177), (298, 178), (298, 179), (298, 180),
(298, 181), (298, 182), (298, 183), (298, 184), (298, 185), (298, 186), (298, 187), (298, 189), (299, 92), (299, 94), (299, 95), (299, 96), (299, 97), (299, 98), (299, 99), (299, 100), (299, 101), (299, 102), (299, 103), (299, 104), (299, 105), (299, 106), (299, 107), (299, 108), (299, 109), (299, 110), (299, 111), (299, 112), (299, 113), (299, 114), (299, 115), (299, 116), (299, 117), (299, 118), (299, 119), (299, 120), (299, 121), (299, 122), (299, 123), (299, 124), (299, 125), (299, 126), (299, 127), (299, 128), (299, 129), (299, 130), (299, 131), (299, 132), (299, 133), (299, 134), (299, 135), (299, 136), (299, 137), (299, 138), (299, 139), (299, 140), (299, 141), (299, 142), (299, 143), (299, 144), (299, 145), (299, 146), (299, 147), (299, 148), (299, 149), (299, 150), (299, 151), (299, 152), (299, 153), (299, 154), (299, 155), (299, 156),
(299, 157), (299, 158), (299, 159), (299, 160), (299, 161), (299, 162), (299, 163), (299, 164), (299, 165), (299, 166), (299, 167), (299, 168), (299, 169), (299, 170), (299, 171), (299, 172), (299, 173), (299, 174), (299, 175), (299, 176), (299, 177), (299, 178), (299, 179), (299, 180), (299, 181), (299, 182), (299, 183), (299, 184), (299, 185), (299, 186), (299, 187), (299, 189), (300, 92), (300, 94), (300, 95), (300, 96), (300, 97), (300, 98), (300, 99), (300, 100), (300, 101), (300, 102), (300, 103), (300, 104), (300, 105), (300, 106), (300, 107), (300, 108), (300, 109), (300, 110), (300, 111), (300, 112), (300, 113), (300, 114), (300, 115), (300, 116), (300, 117), (300, 118), (300, 119), (300, 120), (300, 121), (300, 122), (300, 123), (300, 124), (300, 125), (300, 126), (300, 127), (300, 128), (300, 129), (300, 130), (300, 131), (300, 132),
(300, 133), (300, 134), (300, 135), (300, 136), (300, 137), (300, 138), (300, 139), (300, 140), (300, 141), (300, 142), (300, 143), (300, 144), (300, 145), (300, 146), (300, 147), (300, 148), (300, 149), (300, 150), (300, 151), (300, 152), (300, 153), (300, 154), (300, 155), (300, 156), (300, 157), (300, 158), (300, 159), (300, 160), (300, 161), (300, 162), (300, 163), (300, 164), (300, 165), (300, 166), (300, 167), (300, 168), (300, 169), (300, 170), (300, 171), (300, 172), (300, 173), (300, 174), (300, 175), (300, 176), (300, 177), (300, 178), (300, 179), (300, 180), (300, 181), (300, 182), (300, 183), (300, 184), (300, 185), (300, 186), (300, 187), (300, 189), (301, 92), (301, 94), (301, 95), (301, 96), (301, 97), (301, 98), (301, 99), (301, 100), (301, 101), (301, 102), (301, 103), (301, 104), (301, 105), (301, 106), (301, 107), (301, 108),
(301, 109), (301, 110), (301, 111), (301, 112), (301, 113), (301, 114), (301, 115), (301, 116), (301, 117), (301, 118), (301, 119), (301, 120), (301, 121), (301, 122), (301, 123), (301, 124), (301, 125), (301, 126), (301, 127), (301, 128), (301, 129), (301, 130), (301, 131), (301, 132), (301, 133), (301, 134), (301, 135), (301, 136), (301, 137), (301, 138), (301, 139), (301, 140), (301, 141), (301, 142), (301, 143), (301, 144), (301, 145), (301, 146), (301, 147), (301, 148), (301, 149), (301, 150), (301, 151), (301, 152), (301, 153), (301, 154), (301, 155), (301, 156), (301, 157), (301, 158), (301, 159), (301, 160), (301, 161), (301, 162), (301, 163), (301, 164), (301, 165), (301, 166), (301, 167), (301, 168), (301, 169), (301, 170), (301, 171), (301, 172), (301, 173), (301, 174), (301, 175), (301, 176), (301, 177), (301, 178), (301, 179), (301, 180),
(301, 181), (301, 182), (301, 183), (301, 184), (301, 185), (301, 186), (301, 187), (301, 189), (302, 92), (302, 94), (302, 95), (302, 96), (302, 97), (302, 98), (302, 99), (302, 100), (302, 101), (302, 102), (302, 103), (302, 104), (302, 105), (302, 106), (302, 107), (302, 108), (302, 109), (302, 110), (302, 111), (302, 112), (302, 113), (302, 114), (302, 115), (302, 116), (302, 117), (302, 118), (302, 119), (302, 120), (302, 121), (302, 122), (302, 123), (302, 124), (302, 125), (302, 126), (302, 127), (302, 128), (302, 129), (302, 130), (302, 131), (302, 132), (302, 133), (302, 134), (302, 135), (302, 136), (302, 137), (302, 138), (302, 139), (302, 140), (302, 141), (302, 142), (302, 143), (302, 144), (302, 145), (302, 146), (302, 147), (302, 148), (302, 149), (302, 150), (302, 151), (302, 152), (302, 153), (302, 154), (302, 155), (302, 156),
(302, 157), (302, 158), (302, 159), (302, 160), (302, 161), (302, 162), (302, 163), (302, 164), (302, 165), (302, 166), (302, 167), (302, 168), (302, 169), (302, 170), (302, 171), (302, 172), (302, 173), (302, 174), (302, 175), (302, 176), (302, 177), (302, 178), (302, 179), (302, 180), (302, 181), (302, 182), (302, 183), (302, 184), (302, 185), (302, 186), (302, 187), (302, 189), (303, 92), (303, 94), (303, 95), (303, 96), (303, 97), (303, 98), (303, 99), (303, 100), (303, 101), (303, 102), (303, 103), (303, 104), (303, 105), (303, 106), (303, 107), (303, 108), (303, 109), (303, 110), (303, 111), (303, 112), (303, 113), (303, 114), (303, 115), (303, 116), (303, 117), (303, 118), (303, 119), (303, 120), (303, 121), (303, 122), (303, 123), (303, 124), (303, 125), (303, 126), (303, 127), (303, 128), (303, 129), (303, 130), (303, 131), (303, 132),
(303, 133), (303, 134), (303, 135), (303, 136), (303, 137), (303, 138), (303, 139), (303, 140), (303, 141), (303, 142), (303, 143), (303, 144), (303, 145), (303, 146), (303, 147), (303, 148), (303, 149), (303, 150), (303, 151), (303, 152), (303, 153), (303, 154), (303, 155), (303, 156), (303, 157), (303, 158), (303, 159), (303, 160), (303, 161), (303, 162), (303, 163), (303, 164), (303, 165), (303, 166), (303, 167), (303, 168), (303, 169), (303, 170), (303, 171), (303, 172), (303, 173), (303, 174), (303, 175), (303, 176), (303, 177), (303, 178), (303, 179), (303, 180), (303, 181), (303, 182), (303, 183), (303, 184), (303, 185), (303, 186), (303, 187), (303, 189), (304, 92), (304, 94), (304, 95), (304, 96), (304, 97), (304, 98), (304, 99), (304, 100), (304, 101), (304, 102), (304, 103), (304, 104), (304, 105), (304, 106), (304, 107), (304, 108),
(304, 109), (304, 110), (304, 111), (304, 112), (304, 113), (304, 114), (304, 115), (304, 116), (304, 117), (304, 118), (304, 119), (304, 120), (304, 121), (304, 122), (304, 123), (304, 124), (304, 125), (304, 126), (304, 127), (304, 128), (304, 129), (304, 130), (304, 131), (304, 132), (304, 133), (304, 134), (304, 135), (304, 136), (304, 137), (304, 138), (304, 139), (304, 140), (304, 141), (304, 142), (304, 143), (304, 144), (304, 145), (304, 146), (304, 147), (304, 148), (304, 149), (304, 150), (304, 151), (304, 152), (304, 153), (304, 154), (304, 155), (304, 156), (304, 157), (304, 158), (304, 159), (304, 160), (304, 161), (304, 162), (304, 163), (304, 164), (304, 165), (304, 166), (304, 167), (304, 168), (304, 169), (304, 170), (304, 171), (304, 172), (304, 173), (304, 174), (304, 175), (304, 176), (304, 177), (304, 178), (304, 179), (304, 180),
(304, 181), (304, 182), (304, 183), (304, 184), (304, 185), (304, 186), (304, 187), (304, 189), (305, 92), (305, 94), (305, 95), (305, 96), (305, 97), (305, 98), (305, 99), (305, 100), (305, 101), (305, 102), (305, 103), (305, 104), (305, 105), (305, 106), (305, 107), (305, 108), (305, 109), (305, 110), (305, 111), (305, 112), (305, 113), (305, 114), (305, 115), (305, 116), (305, 117), (305, 118), (305, 119), (305, 120), (305, 121), (305, 122), (305, 123), (305, 124), (305, 125), (305, 126), (305, 127), (305, 128), (305, 129), (305, 130), (305, 131), (305, 132), (305, 133), (305, 134), (305, 135), (305, 136), (305, 137), (305, 138), (305, 139), (305, 140), (305, 141), (305, 142), (305, 143), (305, 144), (305, 145), (305, 146), (305, 147), (305, 148), (305, 149), (305, 150), (305, 151), (305, 152), (305, 153), (305, 154), (305, 155), (305, 156),
(305, 157), (305, 158), (305, 159), (305, 160), (305, 161), (305, 162), (305, 163), (305, 164), (305, 165), (305, 166), (305, 167), (305, 168), (305, 169), (305, 170), (305, 171), (305, 172), (305, 173), (305, 174), (305, 175), (305, 176), (305, 177), (305, 178), (305, 179), (305, 180), (305, 181), (305, 182), (305, 183), (305, 184), (305, 185), (305, 186), (305, 187), (305, 189), (306, 91), (306, 92), (306, 94), (306, 95), (306, 96), (306, 97), (306, 98), (306, 99), (306, 100), (306, 101), (306, 102), (306, 103), (306, 104), (306, 105), (306, 106), (306, 107), (306, 108), (306, 109), (306, 110), (306, 111), (306, 112), (306, 113), (306, 114), (306, 115), (306, 116), (306, 117), (306, 118), (306, 119), (306, 120), (306, 121), (306, 122), (306, 123), (306, 124), (306, 125), (306, 126), (306, 127), (306, 128), (306, 129), (306, 130), (306, 131),
(306, 132), (306, 133), (306, 134), (306, 135), (306, 136), (306, 137), (306, 138), (306, 139), (306, 140), (306, 141), (306, 142), (306, 143), (306, 144), (306, 145), (306, 146), (306, 147), (306, 148), (306, 149), (306, 150), (306, 151), (306, 152), (306, 153), (306, 154), (306, 155), (306, 156), (306, 157), (306, 158), (306, 159), (306, 160), (306, 161), (306, 162), (306, 163), (306, 164), (306, 165), (306, 166), (306, 167), (306, 168), (306, 169), (306, 170), (306, 171), (306, 172), (306, 173), (306, 174), (306, 175), (306, 176), (306, 177), (306, 178), (306, 179), (306, 180), (306, 181), (306, 182), (306, 183), (306, 184), (306, 185), (306, 186), (306, 187), (306, 189), (307, 91), (307, 93), (307, 94), (307, 95), (307, 96), (307, 97), (307, 98), (307, 99), (307, 100), (307, 101), (307, 102), (307, 103), (307, 104), (307, 105), (307, 106),
(307, 107), (307, 108), (307, 109), (307, 110), (307, 111), (307, 112), (307, 113), (307, 114), (307, 115), (307, 116), (307, 117), (307, 118), (307, 119), (307, 120), (307, 121), (307, 122), (307, 123), (307, 124), (307, 125), (307, 126), (307, 127), (307, 128), (307, 129), (307, 130), (307, 131), (307, 132), (307, 133), (307, 134), (307, 135), (307, 136), (307, 137), (307, 138), (307, 139), (307, 140), (307, 141), (307, 142), (307, 143), (307, 144), (307, 145), (307, 146), (307, 147), (307, 148), (307, 149), (307, 150), (307, 151), (307, 152), (307, 153), (307, 154), (307, 155), (307, 156), (307, 157), (307, 158), (307, 159), (307, 160), (307, 161), (307, 162), (307, 163), (307, 164), (307, 165), (307, 166), (307, 167), (307, 168), (307, 169), (307, 170), (307, 171), (307, 172), (307, 173), (307, 174), (307, 175), (307, 176), (307, 177), (307, 178),
(307, 179), (307, 180), (307, 181), (307, 182), (307, 183), (307, 184), (307, 185), (307, 186), (307, 187), (307, 189), (308, 91), (308, 93), (308, 94), (308, 95), (308, 96), (308, 97), (308, 98), (308, 99), (308, 100), (308, 101), (308, 102), (308, 103), (308, 104), (308, 105), (308, 106), (308, 107), (308, 108), (308, 109), (308, 110), (308, 111), (308, 112), (308, 113), (308, 114), (308, 115), (308, 116), (308, 117), (308, 118), (308, 119), (308, 120), (308, 121), (308, 122), (308, 123), (308, 124), (308, 125), (308, 126), (308, 127), (308, 128), (308, 129), (308, 130), (308, 131), (308, 132), (308, 133), (308, 134), (308, 135), (308, 136), (308, 137), (308, 138), (308, 139), (308, 140), (308, 141), (308, 142), (308, 143), (308, 144), (308, 145), (308, 146), (308, 147), (308, 148), (308, 149), (308, 150), (308, 151), (308, 152), (308, 153),
(308, 154), (308, 155), (308, 156), (308, 157), (308, 158), (308, 159), (308, 160), (308, 161), (308, 162), (308, 163), (308, 164), (308, 165), (308, 166), (308, 167), (308, 168), (308, 169), (308, 170), (308, 171), (308, 172), (308, 173), (308, 174), (308, 175), (308, 176), (308, 177), (308, 178), (308, 179), (308, 180), (308, 181), (308, 182), (308, 183), (308, 184), (308, 185), (308, 186), (308, 187), (308, 189), (309, 91), (309, 93), (309, 94), (309, 95), (309, 96), (309, 97), (309, 98), (309, 99), (309, 100), (309, 101), (309, 102), (309, 103), (309, 104), (309, 105), (309, 106), (309, 107), (309, 108), (309, 109), (309, 110), (309, 111), (309, 112), (309, 113), (309, 114), (309, 115), (309, 116), (309, 117), (309, 118), (309, 119), (309, 120), (309, 121), (309, 122), (309, 123), (309, 124), (309, 125), (309, 126), (309, 127), (309, 128),
(309, 129), (309, 130), (309, 131), (309, 132), (309, 133), (309, 134), (309, 135), (309, 136), (309, 137), (309, 138), (309, 139), (309, 140), (309, 141), (309, 142), (309, 143), (309, 144), (309, 145), (309, 146), (309, 147), (309, 148), (309, 149), (309, 150), (309, 151), (309, 152), (309, 153), (309, 154), (309, 155), (309, 156), (309, 157), (309, 158), (309, 159), (309, 160), (309, 161), (309, 162), (309, 163), (309, 164), (309, 165), (309, 166), (309, 167), (309, 168), (309, 169), (309, 170), (309, 171), (309, 172), (309, 173), (309, 174), (309, 175), (309, 176), (309, 177), (309, 178), (309, 179), (309, 180), (309, 181), (309, 182), (309, 183), (309, 184), (309, 185), (309, 186), (309, 187), (309, 189), (310, 91), (310, 93), (310, 94), (310, 95), (310, 96), (310, 97), (310, 98), (310, 99), (310, 100), (310, 101), (310, 102), (310, 103),
(310, 104), (310, 105), (310, 106), (310, 107), (310, 108), (310, 109), (310, 110), (310, 111), (310, 112), (310, 113), (310, 114), (310, 115), (310, 116), (310, 117), (310, 118), (310, 119), (310, 120), (310, 121), (310, 122), (310, 123), (310, 124), (310, 125), (310, 126), (310, 127), (310, 128), (310, 129), (310, 130), (310, 131), (310, 132), (310, 133), (310, 134), (310, 135), (310, 136), (310, 137), (310, 138), (310, 139), (310, 140), (310, 141), (310, 142), (310, 143), (310, 144), (310, 145), (310, 146), (310, 147), (310, 148), (310, 149), (310, 150), (310, 151), (310, 152), (310, 153), (310, 154), (310, 155), (310, 156), (310, 157), (310, 158), (310, 159), (310, 160), (310, 161), (310, 162), (310, 163), (310, 164), (310, 165), (310, 166), (310, 167), (310, 168), (310, 169), (310, 170), (310, 171), (310, 172), (310, 173), (310, 174), (310, 175),
(310, 176), (310, 177), (310, 178), (310, 179), (310, 180), (310, 181), (310, 182), (310, 183), (310, 184), (310, 185), (310, 186), (310, 187), (310, 189), (311, 90), (311, 92), (311, 93), (311, 94), (311, 95), (311, 96), (311, 97), (311, 98), (311, 99), (311, 100), (311, 101), (311, 102), (311, 103), (311, 104), (311, 105), (311, 106), (311, 107), (311, 108), (311, 109), (311, 110), (311, 111), (311, 112), (311, 113), (311, 114), (311, 115), (311, 116), (311, 117), (311, 118), (311, 119), (311, 120), (311, 121), (311, 122), (311, 123), (311, 124), (311, 125), (311, 126), (311, 127), (311, 128), (311, 129), (311, 130), (311, 131), (311, 132), (311, 133), (311, 134), (311, 135), (311, 136), (311, 137), (311, 138), (311, 139), (311, 140), (311, 141), (311, 142), (311, 143), (311, 144), (311, 145), (311, 146), (311, 147), (311, 148), (311, 149),
(311, 150), (311, 151), (311, 152), (311, 153), (311, 154), (311, 155), (311, 156), (311, 157), (311, 158), (311, 159), (311, 160), (311, 161), (311, 162), (311, 163), (311, 164), (311, 165), (311, 166), (311, 167), (311, 168), (311, 169), (311, 170), (311, 171), (311, 172), (311, 173), (311, 174), (311, 175), (311, 176), (311, 177), (311, 178), (311, 179), (311, 180), (311, 181), (311, 182), (311, 183), (311, 184), (311, 185), (311, 186), (311, 187), (311, 189), (312, 90), (312, 92), (312, 93), (312, 94), (312, 95), (312, 96), (312, 97), (312, 98), (312, 99), (312, 100), (312, 101), (312, 102), (312, 103), (312, 104), (312, 105), (312, 106), (312, 107), (312, 108), (312, 109), (312, 110), (312, 111), (312, 112), (312, 113), (312, 114), (312, 115), (312, 116), (312, 117), (312, 118), (312, 119), (312, 120), (312, 121), (312, 122), (312, 123),
(312, 124), (312, 125), (312, 126), (312, 127), (312, 128), (312, 129), (312, 130), (312, 131), (312, 132), (312, 133), (312, 134), (312, 135), (312, 136), (312, 137), (312, 138), (312, 139), (312, 140), (312, 141), (312, 142), (312, 143), (312, 144), (312, 145), (312, 146), (312, 147), (312, 148), (312, 149), (312, 150), (312, 151), (312, 152), (312, 153), (312, 154), (312, 155), (312, 156), (312, 157), (312, 158), (312, 159), (312, 160), (312, 161), (312, 162), (312, 163), (312, 164), (312, 165), (312, 166), (312, 167), (312, 168), (312, 169), (312, 170), (312, 171), (312, 172), (312, 173), (312, 174), (312, 175), (312, 176), (312, 177), (312, 178), (312, 179), (312, 180), (312, 181), (312, 182), (312, 183), (312, 184), (312, 185), (312, 186), (312, 187), (312, 189), (313, 90), (313, 92), (313, 93), (313, 94), (313, 95), (313, 96), (313, 97),
(313, 98), (313, 99), (313, 100), (313, 101), (313, 102), (313, 103), (313, 104), (313, 105), (313, 106), (313, 107), (313, 108), (313, 109), (313, 110), (313, 111), (313, 112), (313, 113), (313, 114), (313, 115), (313, 116), (313, 117), (313, 118), (313, 119), (313, 120), (313, 121), (313, 122), (313, 123), (313, 124), (313, 125), (313, 126), (313, 127), (313, 128), (313, 129), (313, 130), (313, 131), (313, 132), (313, 133), (313, 134), (313, 135), (313, 136), (313, 137), (313, 138), (313, 139), (313, 140), (313, 141), (313, 142), (313, 143), (313, 144), (313, 145), (313, 146), (313, 147), (313, 148), (313, 149), (313, 150), (313, 151), (313, 152), (313, 153), (313, 154), (313, 155), (313, 156), (313, 157), (313, 158), (313, 159), (313, 160), (313, 161), (313, 162), (313, 163), (313, 164), (313, 165), (313, 166), (313, 167), (313, 168), (313, 169),
(313, 170), (313, 171), (313, 172), (313, 173), (313, 174), (313, 175), (313, 176), (313, 177), (313, 178), (313, 179), (313, 180), (313, 181), (313, 182), (313, 183), (313, 184), (313, 185), (313, 186), (313, 187), (313, 189), (314, 90), (314, 92), (314, 93), (314, 94), (314, 95), (314, 96), (314, 97), (314, 98), (314, 99), (314, 100), (314, 101), (314, 102), (314, 103), (314, 104), (314, 105), (314, 106), (314, 107), (314, 108), (314, 109), (314, 110), (314, 111), (314, 112), (314, 113), (314, 114), (314, 115), (314, 116), (314, 117), (314, 118), (314, 119), (314, 120), (314, 121), (314, 122), (314, 123), (314, 124), (314, 125), (314, 126), (314, 127), (314, 128), (314, 129), (314, 130), (314, 131), (314, 132), (314, 133), (314, 134), (314, 135), (314, 136), (314, 137), (314, 138), (314, 139), (314, 140), (314, 141), (314, 142), (314, 143),
(314, 144), (314, 145), (314, 146), (314, 147), (314, 148), (314, 149), (314, 150), (314, 151), (314, 152), (314, 153), (314, 154), (314, 155), (314, 156), (314, 157), (314, 158), (314, 159), (314, 160), (314, 161), (314, 162), (314, 163), (314, 164), (314, 165), (314, 166), (314, 167), (314, 168), (314, 169), (314, 170), (314, 171), (314, 172), (314, 173), (314, 174), (314, 175), (314, 176), (314, 177), (314, 178), (314, 179), (314, 180), (314, 181), (314, 182), (314, 183), (314, 184), (314, 185), (314, 186), (314, 187), (314, 189), (315, 89), (315, 91), (315, 92), (315, 93), (315, 94), (315, 95), (315, 96), (315, 97), (315, 98), (315, 99), (315, 100), (315, 101), (315, 102), (315, 103), (315, 104), (315, 105), (315, 106), (315, 107), (315, 108), (315, 109), (315, 110), (315, 111), (315, 112), (315, 113), (315, 114), (315, 115), (315, 116),
(315, 117), (315, 118), (315, 119), (315, 120), (315, 121), (315, 122), (315, 123), (315, 124), (315, 125), (315, 126), (315, 127), (315, 128), (315, 129), (315, 130), (315, 131), (315, 132), (315, 133), (315, 134), (315, 135), (315, 136), (315, 137), (315, 138), (315, 139), (315, 140), (315, 141), (315, 142), (315, 143), (315, 144), (315, 145), (315, 146), (315, 147), (315, 148), (315, 149), (315, 150), (315, 151), (315, 152), (315, 153), (315, 154), (315, 155), (315, 156), (315, 157), (315, 158), (315, 159), (315, 160), (315, 161), (315, 162), (315, 163), (315, 164), (315, 165), (315, 166), (315, 167), (315, 168), (315, 169), (315, 170), (315, 171), (315, 172), (315, 173), (315, 174), (315, 175), (315, 176), (315, 177), (315, 178), (315, 179), (315, 180), (315, 181), (315, 182), (315, 183), (315, 184), (315, 185), (315, 186), (315, 187), (315, 189),
(316, 89), (316, 91), (316, 92), (316, 93), (316, 94), (316, 95), (316, 96), (316, 97), (316, 98), (316, 99), (316, 100), (316, 101), (316, 102), (316, 103), (316, 104), (316, 105), (316, 106), (316, 107), (316, 108), (316, 109), (316, 110), (316, 111), (316, 112), (316, 113), (316, 114), (316, 115), (316, 116), (316, 117), (316, 118), (316, 119), (316, 120), (316, 121), (316, 122), (316, 123), (316, 124), (316, 125), (316, 126), (316, 127), (316, 128), (316, 129), (316, 130), (316, 131), (316, 132), (316, 133), (316, 134), (316, 135), (316, 136), (316, 137), (316, 138), (316, 139), (316, 140), (316, 141), (316, 142), (316, 143), (316, 144), (316, 145), (316, 146), (316, 147), (316, 148), (316, 149), (316, 150), (316, 151), (316, 152), (316, 153), (316, 154), (316, 155), (316, 156), (316, 157), (316, 158), (316, 159), (316, 160), (316, 161),
(316, 162), (316, 163), (316, 164), (316, 165), (316, 166), (316, 167), (316, 168), (316, 169), (316, 170), (316, 171), (316, 172), (316, 173), (316, 174), (316, 175), (316, 176), (316, 177), (316, 178), (316, 179), (316, 180), (316, 181), (316, 182), (316, 183), (316, 184), (316, 185), (316, 186), (316, 187), (316, 189), (317, 89), (317, 91), (317, 92), (317, 93), (317, 94), (317, 95), (317, 96), (317, 97), (317, 98), (317, 99), (317, 100), (317, 101), (317, 102), (317, 103), (317, 104), (317, 105), (317, 106), (317, 107), (317, 108), (317, 109), (317, 110), (317, 111), (317, 112), (317, 113), (317, 114), (317, 115), (317, 116), (317, 117), (317, 118), (317, 119), (317, 120), (317, 121), (317, 122), (317, 123), (317, 124), (317, 125), (317, 126), (317, 127), (317, 128), (317, 129), (317, 130), (317, 131), (317, 132), (317, 133), (317, 134),
(317, 135), (317, 136), (317, 137), (317, 138), (317, 139), (317, 140), (317, 141), (317, 142), (317, 143), (317, 144), (317, 145), (317, 146), (317, 147), (317, 148), (317, 149), (317, 150), (317, 151), (317, 152), (317, 153), (317, 154), (317, 155), (317, 156), (317, 157), (317, 158), (317, 159), (317, 160), (317, 161), (317, 162), (317, 163), (317, 164), (317, 165), (317, 166), (317, 167), (317, 168), (317, 169), (317, 170), (317, 171), (317, 172), (317, 173), (317, 174), (317, 175), (317, 176), (317, 177), (317, 178), (317, 179), (317, 180), (317, 181), (317, 182), (317, 183), (317, 184), (317, 185), (317, 186), (317, 187), (317, 189), (318, 89), (318, 91), (318, 92), (318, 93), (318, 94), (318, 95), (318, 96), (318, 97), (318, 98), (318, 99), (318, 100), (318, 101), (318, 102), (318, 103), (318, 104), (318, 105), (318, 106), (318, 107),
(318, 108), (318, 109), (318, 110), (318, 111), (318, 112), (318, 113), (318, 114), (318, 115), (318, 116), (318, 117), (318, 118), (318, 119), (318, 120), (318, 121), (318, 122), (318, 123), (318, 124), (318, 125), (318, 126), (318, 127), (318, 128), (318, 129), (318, 130), (318, 131), (318, 132), (318, 133), (318, 134), (318, 135), (318, 136), (318, 137), (318, 138), (318, 139), (318, 140), (318, 141), (318, 142), (318, 143), (318, 144), (318, 145), (318, 146), (318, 147), (318, 148), (318, 149), (318, 150), (318, 151), (318, 152), (318, 153), (318, 154), (318, 155), (318, 156), (318, 157), (318, 158), (318, 159), (318, 160), (318, 161), (318, 162), (318, 163), (318, 164), (318, 165), (318, 166), (318, 167), (318, 168), (318, 169), (318, 170), (318, 171), (318, 172), (318, 173), (318, 174), (318, 175), (318, 176), (318, 177), (318, 178), (318, 179),
(318, 180), (318, 181), (318, 182), (318, 183), (318, 184), (318, 185), (318, 186), (318, 187), (318, 189), (319, 89), (319, 91), (319, 92), (319, 93), (319, 94), (319, 95), (319, 96), (319, 97), (319, 98), (319, 99), (319, 100), (319, 101), (319, 102), (319, 103), (319, 104), (319, 105), (319, 106), (319, 107), (319, 108), (319, 109), (319, 110), (319, 111), (319, 112), (319, 113), (319, 114), (319, 115), (319, 116), (319, 117), (319, 118), (319, 119), (319, 120), (319, 121), (319, 122), (319, 123), (319, 124), (319, 125), (319, 126), (319, 127), (319, 128), (319, 129), (319, 130), (319, 131), (319, 132), (319, 133), (319, 134), (319, 135), (319, 136), (319, 137), (319, 138), (319, 139), (319, 140), (319, 141), (319, 142), (319, 143), (319, 144), (319, 145), (319, 146), (319, 147), (319, 148), (319, 149), (319, 150), (319, 151), (319, 152),
(319, 153), (319, 154), (319, 155), (319, 156), (319, 157), (319, 158), (319, 159), (319, 160), (319, 161), (319, 162), (319, 163), (319, 164), (319, 165), (319, 166), (319, 167), (319, 168), (319, 169), (319, 170), (319, 171), (319, 172), (319, 173), (319, 174), (319, 175), (319, 176), (319, 177), (319, 178), (319, 179), (319, 180), (319, 181), (319, 182), (319, 183), (319, 184), (319, 185), (319, 186), (319, 187), (319, 189), (320, 88), (320, 90), (320, 91), (320, 92), (320, 93), (320, 94), (320, 95), (320, 96), (320, 97), (320, 98), (320, 99), (320, 100), (320, 101), (320, 102), (320, 103), (320, 104), (320, 105), (320, 106), (320, 107), (320, 108), (320, 109), (320, 110), (320, 111), (320, 112), (320, 113), (320, 114), (320, 115), (320, 116), (320, 117), (320, 118), (320, 119), (320, 120), (320, 121), (320, 122), (320, 123), (320, 124),
(320, 125), (320, 126), (320, 127), (320, 128), (320, 129), (320, 130), (320, 131), (320, 132), (320, 133), (320, 134), (320, 135), (320, 136), (320, 137), (320, 138), (320, 139), (320, 140), (320, 141), (320, 142), (320, 143), (320, 144), (320, 145), (320, 146), (320, 147), (320, 148), (320, 149), (320, 150), (320, 151), (320, 152), (320, 153), (320, 154), (320, 155), (320, 156), (320, 157), (320, 158), (320, 159), (320, 160), (320, 161), (320, 162), (320, 163), (320, 164), (320, 165), (320, 166), (320, 167), (320, 168), (320, 169), (320, 170), (320, 171), (320, 172), (320, 173), (320, 174), (320, 175), (320, 176), (320, 177), (320, 178), (320, 179), (320, 180), (320, 181), (320, 182), (320, 183), (320, 184), (320, 185), (320, 186), (320, 187), (320, 189), (321, 88), (321, 90), (321, 91), (321, 92), (321, 93), (321, 94), (321, 95), (321, 96),
(321, 97), (321, 98), (321, 99), (321, 100), (321, 101), (321, 102), (321, 103), (321, 104), (321, 105), (321, 106), (321, 107), (321, 108), (321, 109), (321, 110), (321, 111), (321, 112), (321, 113), (321, 114), (321, 115), (321, 116), (321, 117), (321, 118), (321, 119), (321, 120), (321, 121), (321, 122), (321, 123), (321, 124), (321, 125), (321, 126), (321, 127), (321, 128), (321, 129), (321, 130), (321, 131), (321, 132), (321, 133), (321, 134), (321, 135), (321, 136), (321, 137), (321, 138), (321, 139), (321, 140), (321, 141), (321, 142), (321, 143), (321, 144), (321, 145), (321, 146), (321, 147), (321, 148), (321, 149), (321, 150), (321, 151), (321, 152), (321, 153), (321, 154), (321, 155), (321, 156), (321, 157), (321, 158), (321, 159), (321, 160), (321, 161), (321, 162), (321, 163), (321, 164), (321, 165), (321, 166), (321, 167), (321, 168),
(321, 169), (321, 170), (321, 171), (321, 172), (321, 173), (321, 174), (321, 175), (321, 176), (321, 177), (321, 178), (321, 179), (321, 180), (321, 181), (321, 182), (321, 183), (321, 184), (321, 185), (321, 186), (321, 187), (321, 189), (322, 88), (322, 90), (322, 91), (322, 92), (322, 93), (322, 94), (322, 95), (322, 96), (322, 97), (322, 98), (322, 99), (322, 100), (322, 101), (322, 102), (322, 103), (322, 104), (322, 105), (322, 106), (322, 107), (322, 108), (322, 109), (322, 110), (322, 111), (322, 112), (322, 113), (322, 114), (322, 115), (322, 116), (322, 117), (322, 118), (322, 119), (322, 120), (322, 121), (322, 122), (322, 123), (322, 124), (322, 125), (322, 126), (322, 127), (322, 128), (322, 129), (322, 130), (322, 131), (322, 132), (322, 133), (322, 134), (322, 135), (322, 136), (322, 137), (322, 138), (322, 139), (322, 140),
(322, 141), (322, 142), (322, 143), (322, 144), (322, 145), (322, 146), (322, 147), (322, 148), (322, 149), (322, 150), (322, 151), (322, 152), (322, 153), (322, 154), (322, 155), (322, 156), (322, 157), (322, 158), (322, 159), (322, 160), (322, 161), (322, 162), (322, 163), (322, 164), (322, 165), (322, 166), (322, 167), (322, 168), (322, 169), (322, 170), (322, 171), (322, 172), (322, 173), (322, 174), (322, 175), (322, 176), (322, 177), (322, 178), (322, 179), (322, 180), (322, 181), (322, 182), (322, 183), (322, 184), (322, 185), (322, 186), (322, 188), (323, 88), (323, 90), (323, 91), (323, 92), (323, 93), (323, 94), (323, 95), (323, 96), (323, 97), (323, 98), (323, 99), (323, 100), (323, 101), (323, 102), (323, 103), (323, 104), (323, 105), (323, 106), (323, 107), (323, 108), (323, 109), (323, 110), (323, 111), (323, 112), (323, 113),
(323, 114), (323, 115), (323, 116), (323, 117), (323, 118), (323, 119), (323, 120), (323, 121), (323, 122), (323, 123), (323, 124), (323, 125), (323, 126), (323, 127), (323, 128), (323, 129), (323, 130), (323, 131), (323, 132), (323, 133), (323, 134), (323, 135), (323, 136), (323, 137), (323, 138), (323, 139), (323, 140), (323, 141), (323, 142), (323, 143), (323, 144), (323, 145), (323, 146), (323, 147), (323, 148), (323, 149), (323, 150), (323, 151), (323, 152), (323, 153), (323, 154), (323, 155), (323, 156), (323, 157), (323, 158), (323, 159), (323, 160), (323, 161), (323, 162), (323, 163), (323, 164), (323, 165), (323, 166), (323, 167), (323, 168), (323, 169), (323, 170), (323, 171), (323, 172), (323, 173), (323, 174), (323, 175), (323, 176), (323, 177), (323, 178), (323, 179), (323, 180), (323, 181), (323, 182), (323, 183), (323, 184), (323, 185),
(323, 187), (324, 88), (324, 90), (324, 91), (324, 92), (324, 93), (324, 94), (324, 95), (324, 96), (324, 97), (324, 98), (324, 99), (324, 100), (324, 101), (324, 102), (324, 103), (324, 104), (324, 105), (324, 106), (324, 107), (324, 108), (324, 109), (324, 110), (324, 111), (324, 112), (324, 113), (324, 114), (324, 115), (324, 116), (324, 117), (324, 118), (324, 119), (324, 120), (324, 121), (324, 122), (324, 123), (324, 124), (324, 125), (324, 126), (324, 127), (324, 128), (324, 129), (324, 130), (324, 131), (324, 132), (324, 133), (324, 134), (324, 135), (324, 136), (324, 137), (324, 138), (324, 139), (324, 140), (324, 141), (324, 142), (324, 143), (324, 144), (324, 145), (324, 146), (324, 147), (324, 148), (324, 149), (324, 150), (324, 151), (324, 152), (324, 153), (324, 154), (324, 155), (324, 156), (324, 157), (324, 158), (324, 159),
(324, 160), (324, 161), (324, 162), (324, 163), (324, 164), (324, 165), (324, 166), (324, 167), (324, 168), (324, 169), (324, 170), (324, 171), (324, 172), (324, 173), (324, 174), (324, 175), (324, 176), (324, 177), (324, 178), (324, 179), (324, 180), (324, 181), (324, 182), (324, 183), (324, 184), (324, 185), (324, 186), (324, 188), (325, 88), (325, 90), (325, 91), (325, 92), (325, 93), (325, 94), (325, 95), (325, 96), (325, 97), (325, 98), (325, 99), (325, 100), (325, 101), (325, 102), (325, 103), (325, 104), (325, 105), (325, 106), (325, 107), (325, 108), (325, 109), (325, 110), (325, 111), (325, 112), (325, 113), (325, 114), (325, 115), (325, 116), (325, 117), (325, 118), (325, 119), (325, 120), (325, 121), (325, 122), (325, 123), (325, 124), (325, 125), (325, 126), (325, 127), (325, 128), (325, 129), (325, 130), (325, 131), (325, 132),
(325, 133), (325, 134), (325, 135), (325, 136), (325, 137), (325, 138), (325, 139), (325, 140), (325, 141), (325, 142), (325, 143), (325, 144), (325, 145), (325, 146), (325, 147), (325, 148), (325, 149), (325, 150), (325, 151), (325, 152), (325, 153), (325, 154), (325, 155), (325, 156), (325, 157), (325, 158), (325, 159), (325, 160), (325, 161), (325, 162), (325, 163), (325, 164), (325, 165), (325, 166), (325, 167), (325, 168), (325, 169), (325, 170), (325, 171), (325, 172), (325, 173), (325, 174), (325, 175), (325, 176), (325, 177), (325, 178), (325, 179), (325, 180), (325, 181), (325, 182), (325, 183), (325, 184), (325, 185), (325, 186), (325, 187), (325, 189), (326, 88), (326, 90), (326, 91), (326, 92), (326, 93), (326, 94), (326, 95), (326, 96), (326, 97), (326, 98), (326, 99), (326, 100), (326, 101), (326, 102), (326, 103), (326, 104),
(326, 105), (326, 106), (326, 107), (326, 108), (326, 109), (326, 110), (326, 111), (326, 112), (326, 113), (326, 114), (326, 115), (326, 116), (326, 117), (326, 118), (326, 119), (326, 120), (326, 121), (326, 122), (326, 123), (326, 124), (326, 125), (326, 126), (326, 127), (326, 128), (326, 129), (326, 130), (326, 131), (326, 132), (326, 133), (326, 134), (326, 135), (326, 136), (326, 137), (326, 138), (326, 139), (326, 140), (326, 141), (326, 142), (326, 143), (326, 144), (326, 145), (326, 146), (326, 147), (326, 148), (326, 149), (326, 150), (326, 151), (326, 152), (326, 153), (326, 154), (326, 155), (326, 156), (326, 157), (326, 158), (326, 159), (326, 160), (326, 161), (326, 162), (326, 163), (326, 164), (326, 165), (326, 166), (326, 167), (326, 168), (326, 169), (326, 170), (326, 171), (326, 172), (326, 173), (326, 174), (326, 175), (326, 176),
(326, 177), (326, 178), (326, 179), (326, 180), (326, 181), (326, 182), (326, 183), (326, 184), (326, 185), (326, 186), (326, 187), (326, 188), (326, 190), (327, 88), (327, 90), (327, 91), (327, 92), (327, 93), (327, 94), (327, 95), (327, 96), (327, 97), (327, 98), (327, 99), (327, 100), (327, 101), (327, 102), (327, 103), (327, 104), (327, 105), (327, 106), (327, 107), (327, 108), (327, 109), (327, 110), (327, 111), (327, 112), (327, 113), (327, 114), (327, 115), (327, 116), (327, 117), (327, 118), (327, 119), (327, 120), (327, 121), (327, 122), (327, 123), (327, 124), (327, 125), (327, 126), (327, 127), (327, 128), (327, 129), (327, 130), (327, 131), (327, 132), (327, 133), (327, 134), (327, 135), (327, 136), (327, 137), (327, 138), (327, 139), (327, 140), (327, 141), (327, 142), (327, 143), (327, 144), (327, 145), (327, 146), (327, 147),
(327, 148), (327, 149), (327, 150), (327, 151), (327, 152), (327, 153), (327, 154), (327, 155), (327, 156), (327, 157), (327, 158), (327, 159), (327, 160), (327, 161), (327, 162), (327, 163), (327, 164), (327, 165), (327, 166), (327, 167), (327, 168), (327, 169), (327, 170), (327, 171), (327, 172), (327, 173), (327, 174), (327, 175), (327, 176), (327, 177), (327, 178), (327, 179), (327, 180), (327, 181), (327, 182), (327, 183), (327, 184), (327, 185), (327, 186), (327, 187), (327, 188), (327, 191), (328, 88), (328, 90), (328, 91), (328, 92), (328, 93), (328, 94), (328, 95), (328, 96), (328, 97), (328, 98), (328, 99), (328, 100), (328, 101), (328, 102), (328, 103), (328, 104), (328, 105), (328, 106), (328, 107), (328, 108), (328, 109), (328, 110), (328, 111), (328, 112), (328, 113), (328, 114), (328, 115), (328, 116), (328, 117), (328, 118),
(328, 119), (328, 120), (328, 121), (328, 122), (328, 123), (328, 124), (328, 125), (328, 126), (328, 127), (328, 128), (328, 129), (328, 130), (328, 131), (328, 132), (328, 133), (328, 134), (328, 135), (328, 136), (328, 137), (328, 138), (328, 139), (328, 140), (328, 141), (328, 142), (328, 143), (328, 144), (328, 145), (328, 146), (328, 147), (328, 148), (328, 149), (328, 150), (328, 151), (328, 152), (328, 153), (328, 154), (328, 155), (328, 156), (328, 157), (328, 158), (328, 159), (328, 160), (328, 161), (328, 162), (328, 163), (328, 164), (328, 165), (328, 166), (328, 167), (328, 168), (328, 169), (328, 170), (328, 171), (328, 172), (328, 173), (328, 174), (328, 175), (328, 176), (328, 177), (328, 178), (328, 179), (328, 180), (328, 181), (328, 182), (328, 183), (328, 184), (328, 185), (328, 186), (328, 187), (328, 188), (328, 189), (328, 192),
(329, 88), (329, 90), (329, 91), (329, 92), (329, 93), (329, 94), (329, 95), (329, 96), (329, 97), (329, 98), (329, 99), (329, 100), (329, 101), (329, 102), (329, 103), (329, 104), (329, 105), (329, 106), (329, 107), (329, 108), (329, 109), (329, 110), (329, 111), (329, 112), (329, 113), (329, 114), (329, 115), (329, 116), (329, 117), (329, 118), (329, 119), (329, 120), (329, 121), (329, 122), (329, 123), (329, 124), (329, 125), (329, 126), (329, 127), (329, 128), (329, 129), (329, 130), (329, 131), (329, 132), (329, 133), (329, 134), (329, 135), (329, 136), (329, 137), (329, 138), (329, 139), (329, 140), (329, 141), (329, 142), (329, 143), (329, 144), (329, 145), (329, 146), (329, 147), (329, 148), (329, 149), (329, 150), (329, 151), (329, 152), (329, 153), (329, 154), (329, 155), (329, 156), (329, 157), (329, 158), (329, 159), (329, 160),
(329, 161), (329, 162), (329, 163), (329, 164), (329, 165), (329, 166), (329, 167), (329, 168), (329, 169), (329, 170), (329, 171), (329, 172), (329, 173), (329, 174), (329, 175), (329, 176), (329, 177), (329, 178), (329, 179), (329, 180), (329, 181), (329, 182), (329, 183), (329, 184), (329, 185), (329, 186), (329, 187), (329, 188), (329, 189), (329, 190), (330, 88), (330, 90), (330, 91), (330, 92), (330, 93), (330, 94), (330, 95), (330, 96), (330, 97), (330, 98), (330, 99), (330, 100), (330, 101), (330, 102), (330, 103), (330, 104), (330, 105), (330, 106), (330, 107), (330, 108), (330, 109), (330, 110), (330, 111), (330, 112), (330, 113), (330, 114), (330, 115), (330, 116), (330, 117), (330, 118), (330, 119), (330, 120), (330, 121), (330, 122), (330, 123), (330, 124), (330, 125), (330, 126), (330, 127), (330, 128), (330, 129), (330, 130),
(330, 131), (330, 132), (330, 133), (330, 134), (330, 135), (330, 136), (330, 137), (330, 138), (330, 139), (330, 140), (330, 141), (330, 142), (330, 143), (330, 144), (330, 145), (330, 146), (330, 147), (330, 148), (330, 149), (330, 150), (330, 151), (330, 152), (330, 153), (330, 154), (330, 155), (330, 156), (330, 157), (330, 158), (330, 159), (330, 160), (330, 161), (330, 162), (330, 163), (330, 164), (330, 165), (330, 166), (330, 167), (330, 168), (330, 169), (330, 170), (330, 171), (330, 172), (330, 173), (330, 174), (330, 175), (330, 176), (330, 177), (330, 178), (330, 179), (330, 180), (330, 181), (330, 182), (330, 183), (330, 184), (330, 185), (330, 186), (330, 187), (330, 188), (330, 189), (330, 190), (330, 191), (331, 88), (331, 90), (331, 91), (331, 92), (331, 93), (331, 94), (331, 95), (331, 96), (331, 97), (331, 98), (331, 99),
(331, 100), (331, 101), (331, 102), (331, 103), (331, 104), (331, 105), (331, 106), (331, 107), (331, 108), (331, 109), (331, 110), (331, 111), (331, 112), (331, 113), (331, 114), (331, 115), (331, 116), (331, 117), (331, 118), (331, 119), (331, 120), (331, 121), (331, 122), (331, 123), (331, 124), (331, 125), (331, 126), (331, 127), (331, 128), (331, 129), (331, 130), (331, 131), (331, 132), (331, 133), (331, 134), (331, 135), (331, 136), (331, 137), (331, 138), (331, 139), (331, 140), (331, 141), (331, 142), (331, 143), (331, 144), (331, 145), (331, 146), (331, 147), (331, 148), (331, 149), (331, 150), (331, 151), (331, 152), (331, 153), (331, 154), (331, 155), (331, 156), (331, 157), (331, 158), (331, 159), (331, 160), (331, 161), (331, 162), (331, 163), (331, 164), (331, 165), (331, 166), (331, 167), (331, 168), (331, 169), (331, 170), (331, 171),
(331, 172), (331, 173), (331, 174), (331, 175), (331, 176), (331, 177), (331, 178), (331, 179), (331, 180), (331, 181), (331, 182), (331, 183), (331, 184), (331, 185), (331, 186), (331, 187), (331, 188), (331, 189), (331, 190), (331, 191), (331, 192), (331, 194), (332, 89), (332, 91), (332, 92), (332, 93), (332, 94), (332, 95), (332, 96), (332, 97), (332, 98), (332, 99), (332, 100), (332, 101), (332, 102), (332, 103), (332, 104), (332, 105), (332, 106), (332, 107), (332, 108), (332, 109), (332, 110), (332, 111), (332, 112), (332, 113), (332, 114), (332, 115), (332, 116), (332, 117), (332, 118), (332, 119), (332, 120), (332, 121), (332, 122), (332, 123), (332, 124), (332, 125), (332, 126), (332, 127), (332, 128), (332, 129), (332, 130), (332, 131), (332, 132), (332, 133), (332, 134), (332, 135), (332, 136), (332, 137), (332, 138), (332, 139),
(332, 140), (332, 141), (332, 142), (332, 143), (332, 144), (332, 145), (332, 146), (332, 147), (332, 148), (332, 149), (332, 150), (332, 151), (332, 152), (332, 153), (332, 154), (332, 155), (332, 156), (332, 157), (332, 158), (332, 159), (332, 160), (332, 161), (332, 162), (332, 163), (332, 164), (332, 165), (332, 166), (332, 167), (332, 168), (332, 169), (332, 170), (332, 171), (332, 172), (332, 173), (332, 174), (332, 175), (332, 176), (332, 177), (332, 178), (332, 179), (332, 180), (332, 181), (332, 182), (332, 183), (332, 184), (332, 185), (332, 186), (332, 187), (332, 188), (332, 189), (332, 190), (332, 191), (332, 192), (332, 193), (332, 195), (333, 89), (333, 91), (333, 92), (333, 93), (333, 94), (333, 95), (333, 96), (333, 97), (333, 98), (333, 99), (333, 100), (333, 101), (333, 102), (333, 103), (333, 104), (333, 105), (333, 106),
(333, 107), (333, 108), (333, 109), (333, 110), (333, 111), (333, 112), (333, 113), (333, 114), (333, 115), (333, 116), (333, 117), (333, 118), (333, 119), (333, 120), (333, 121), (333, 122), (333, 123), (333, 124), (333, 125), (333, 126), (333, 127), (333, 128), (333, 129), (333, 130), (333, 131), (333, 132), (333, 133), (333, 134), (333, 135), (333, 136), (333, 137), (333, 138), (333, 139), (333, 140), (333, 141), (333, 142), (333, 143), (333, 144), (333, 145), (333, 146), (333, 147), (333, 148), (333, 149), (333, 150), (333, 151), (333, 152), (333, 153), (333, 154), (333, 155), (333, 156), (333, 157), (333, 158), (333, 159), (333, 160), (333, 161), (333, 162), (333, 163), (333, 164), (333, 165), (333, 166), (333, 167), (333, 168), (333, 169), (333, 170), (333, 171), (333, 172), (333, 173), (333, 174), (333, 175), (333, 176), (333, 177), (333, 178),
(333, 179), (333, 180), (333, 181), (333, 182), (333, 183), (333, 184), (333, 185), (333, 186), (333, 187), (333, 188), (333, 189), (333, 190), (333, 191), (333, 192), (333, 193), (333, 195), (334, 90), (334, 92), (334, 93), (334, 94), (334, 95), (334, 96), (334, 97), (334, 98), (334, 99), (334, 100), (334, 101), (334, 102), (334, 103), (334, 104), (334, 105), (334, 106), (334, 107), (334, 108), (334, 109), (334, 110), (334, 111), (334, 112), (334, 113), (334, 114), (334, 115), (334, 116), (334, 117), (334, 118), (334, 119), (334, 120), (334, 121), (334, 122), (334, 123), (334, 124), (334, 125), (334, 126), (334, 127), (334, 128), (334, 129), (334, 130), (334, 131), (334, 132), (334, 133), (334, 134), (334, 135), (334, 136), (334, 137), (334, 138), (334, 139), (334, 140), (334, 141), (334, 142), (334, 143), (334, 144), (334, 145), (334, 146),
(334, 147), (334, 148), (334, 149), (334, 150), (334, 151), (334, 152), (334, 153), (334, 154), (334, 155), (334, 156), (334, 157), (334, 158), (334, 159), (334, 160), (334, 161), (334, 162), (334, 163), (334, 164), (334, 165), (334, 166), (334, 167), (334, 168), (334, 169), (334, 170), (334, 171), (334, 172), (334, 173), (334, 174), (334, 175), (334, 176), (334, 177), (334, 178), (334, 179), (334, 180), (334, 181), (334, 182), (334, 183), (334, 184), (334, 185), (334, 186), (334, 187), (334, 188), (334, 189), (334, 190), (334, 191), (334, 192), (334, 193), (334, 195), (335, 90), (335, 92), (335, 93), (335, 94), (335, 95), (335, 96), (335, 97), (335, 98), (335, 99), (335, 100), (335, 101), (335, 102), (335, 103), (335, 104), (335, 105), (335, 106), (335, 107), (335, 108), (335, 109), (335, 110), (335, 111), (335, 112), (335, 113), (335, 114),
(335, 115), (335, 116), (335, 117), (335, 118), (335, 119), (335, 120), (335, 121), (335, 122), (335, 123), (335, 124), (335, 125), (335, 126), (335, 127), (335, 128), (335, 129), (335, 130), (335, 131), (335, 132), (335, 133), (335, 134), (335, 135), (335, 136), (335, 137), (335, 138), (335, 139), (335, 140), (335, 141), (335, 142), (335, 143), (335, 144), (335, 145), (335, 146), (335, 147), (335, 148), (335, 149), (335, 150), (335, 151), (335, 152), (335, 153), (335, 154), (335, 155), (335, 156), (335, 157), (335, 158), (335, 159), (335, 160), (335, 161), (335, 162), (335, 163), (335, 164), (335, 165), (335, 166), (335, 167), (335, 168), (335, 169), (335, 170), (335, 171), (335, 172), (335, 173), (335, 174), (335, 175), (335, 176), (335, 177), (335, 178), (335, 179), (335, 180), (335, 181), (335, 182), (335, 183), (335, 184), (335, 185), (335, 186),
(335, 187), (335, 188), (335, 189), (335, 190), (335, 191), (335, 192), (335, 193), (335, 194), (335, 196), (336, 90), (336, 92), (336, 93), (336, 94), (336, 95), (336, 96), (336, 97), (336, 98), (336, 99), (336, 100), (336, 101), (336, 102), (336, 103), (336, 104), (336, 105), (336, 106), (336, 107), (336, 108), (336, 109), (336, 110), (336, 111), (336, 112), (336, 113), (336, 114), (336, 115), (336, 116), (336, 117), (336, 118), (336, 119), (336, 120), (336, 121), (336, 122), (336, 123), (336, 124), (336, 125), (336, 126), (336, 127), (336, 128), (336, 129), (336, 130), (336, 131), (336, 132), (336, 133), (336, 134), (336, 135), (336, 136), (336, 137), (336, 138), (336, 139), (336, 140), (336, 141), (336, 142), (336, 143), (336, 144), (336, 145), (336, 146), (336, 147), (336, 148), (336, 149), (336, 150), (336, 151), (336, 152), (336, 153),
(336, 154), (336, 155), (336, 156), (336, 157), (336, 158), (336, 159), (336, 160), (336, 161), (336, 162), (336, 163), (336, 164), (336, 165), (336, 166), (336, 167), (336, 168), (336, 169), (336, 170), (336, 171), (336, 172), (336, 173), (336, 174), (336, 175), (336, 176), (336, 177), (336, 178), (336, 179), (336, 180), (336, 181), (336, 182), (336, 183), (336, 184), (336, 185), (336, 186), (336, 187), (336, 188), (336, 189), (336, 190), (336, 191), (336, 192), (336, 193), (336, 194), (336, 196), (337, 90), (337, 92), (337, 93), (337, 94), (337, 95), (337, 96), (337, 97), (337, 98), (337, 99), (337, 100), (337, 101), (337, 102), (337, 103), (337, 104), (337, 105), (337, 106), (337, 107), (337, 108), (337, 109), (337, 110), (337, 111), (337, 112), (337, 113), (337, 114), (337, 115), (337, 116), (337, 117), (337, 118), (337, 119), (337, 120),
(337, 121), (337, 122), (337, 123), (337, 124), (337, 125), (337, 126), (337, 127), (337, 128), (337, 129), (337, 130), (337, 131), (337, 132), (337, 133), (337, 134), (337, 135), (337, 136), (337, 137), (337, 138), (337, 139), (337, 140), (337, 141), (337, 142), (337, 143), (337, 144), (337, 145), (337, 146), (337, 147), (337, 148), (337, 149), (337, 150), (337, 151), (337, 152), (337, 153), (337, 154), (337, 155), (337, 156), (337, 157), (337, 158), (337, 159), (337, 160), (337, 161), (337, 162), (337, 163), (337, 164), (337, 165), (337, 166), (337, 167), (337, 168), (337, 169), (337, 170), (337, 171), (337, 172), (337, 173), (337, 174), (337, 175), (337, 176), (337, 177), (337, 178), (337, 179), (337, 180), (337, 181), (337, 182), (337, 183), (337, 184), (337, 185), (337, 186), (337, 187), (337, 188), (337, 189), (337, 190), (337, 191), (337, 192),
(337, 193), (337, 194), (337, 196), (338, 91), (338, 93), (338, 94), (338, 95), (338, 96), (338, 97), (338, 98), (338, 99), (338, 100), (338, 101), (338, 102), (338, 103), (338, 104), (338, 105), (338, 106), (338, 107), (338, 108), (338, 109), (338, 110), (338, 111), (338, 112), (338, 113), (338, 114), (338, 115), (338, 116), (338, 117), (338, 118), (338, 119), (338, 120), (338, 121), (338, 122), (338, 123), (338, 124), (338, 125), (338, 126), (338, 127), (338, 128), (338, 129), (338, 130), (338, 131), (338, 132), (338, 133), (338, 134), (338, 135), (338, 136), (338, 137), (338, 138), (338, 139), (338, 140), (338, 141), (338, 142), (338, 143), (338, 144), (338, 145), (338, 146), (338, 147), (338, 148), (338, 149), (338, 150), (338, 151), (338, 152), (338, 153), (338, 154), (338, 155), (338, 156), (338, 157), (338, 158), (338, 159), (338, 160),
(338, 161), (338, 162), (338, 163), (338, 164), (338, 165), (338, 166), (338, 167), (338, 168), (338, 169), (338, 170), (338, 171), (338, 172), (338, 173), (338, 174), (338, 175), (338, 176), (338, 177), (338, 178), (338, 179), (338, 180), (338, 181), (338, 182), (338, 183), (338, 184), (338, 185), (338, 186), (338, 187), (338, 188), (338, 189), (338, 190), (338, 191), (338, 192), (338, 193), (338, 194), (338, 196), (339, 91), (339, 93), (339, 94), (339, 95), (339, 96), (339, 97), (339, 98), (339, 99), (339, 100), (339, 101), (339, 102), (339, 103), (339, 104), (339, 105), (339, 106), (339, 107), (339, 108), (339, 109), (339, 110), (339, 111), (339, 112), (339, 113), (339, 114), (339, 115), (339, 116), (339, 117), (339, 118), (339, 119), (339, 120), (339, 121), (339, 122), (339, 123), (339, 124), (339, 125), (339, 126), (339, 127), (339, 128),
(339, 129), (339, 130), (339, 131), (339, 132), (339, 133), (339, 134), (339, 135), (339, 136), (339, 137), (339, 138), (339, 139), (339, 140), (339, 141), (339, 142), (339, 143), (339, 144), (339, 145), (339, 146), (339, 147), (339, 148), (339, 149), (339, 150), (339, 151), (339, 152), (339, 153), (339, 154), (339, 155), (339, 156), (339, 157), (339, 158), (339, 159), (339, 160), (339, 161), (339, 162), (339, 163), (339, 164), (339, 165), (339, 166), (339, 167), (339, 168), (339, 169), (339, 170), (339, 171), (339, 172), (339, 173), (339, 174), (339, 175), (339, 176), (339, 177), (339, 178), (339, 179), (339, 180), (339, 181), (339, 182), (339, 183), (339, 184), (339, 185), (339, 186), (339, 187), (339, 188), (339, 189), (339, 190), (339, 191), (339, 192), (339, 193), (339, 194), (339, 196), (340, 91), (340, 93), (340, 94), (340, 95), (340, 96),
(340, 97), (340, 98), (340, 99), (340, 100), (340, 101), (340, 102), (340, 103), (340, 104), (340, 105), (340, 106), (340, 107), (340, 108), (340, 109), (340, 110), (340, 111), (340, 112), (340, 113), (340, 114), (340, 115), (340, 116), (340, 117), (340, 118), (340, 119), (340, 120), (340, 121), (340, 122), (340, 123), (340, 124), (340, 125), (340, 126), (340, 127), (340, 128), (340, 129), (340, 130), (340, 131), (340, 132), (340, 133), (340, 134), (340, 135), (340, 136), (340, 137), (340, 138), (340, 139), (340, 140), (340, 141), (340, 142), (340, 143), (340, 144), (340, 145), (340, 146), (340, 147), (340, 148), (340, 149), (340, 150), (340, 151), (340, 152), (340, 153), (340, 154), (340, 155), (340, 156), (340, 157), (340, 158), (340, 159), (340, 160), (340, 161), (340, 162), (340, 163), (340, 164), (340, 165), (340, 166), (340, 167), (340, 168),
(340, 169), (340, 170), (340, 171), (340, 172), (340, 173), (340, 174), (340, 175), (340, 176), (340, 177), (340, 178), (340, 179), (340, 180), (340, 181), (340, 182), (340, 183), (340, 184), (340, 185), (340, 186), (340, 187), (340, 188), (340, 189), (340, 190), (340, 191), (340, 192), (340, 193), (340, 194), (340, 195), (340, 197), (341, 91), (341, 93), (341, 94), (341, 95), (341, 96), (341, 97), (341, 98), (341, 99), (341, 100), (341, 101), (341, 102), (341, 103), (341, 104), (341, 105), (341, 106), (341, 107), (341, 108), (341, 109), (341, 110), (341, 111), (341, 112), (341, 113), (341, 114), (341, 115), (341, 116), (341, 117), (341, 118), (341, 119), (341, 120), (341, 121), (341, 122), (341, 123), (341, 124), (341, 125), (341, 126), (341, 127), (341, 128), (341, 129), (341, 130), (341, 131), (341, 132), (341, 133), (341, 134), (341, 135),
(341, 136), (341, 137), (341, 138), (341, 139), (341, 140), (341, 141), (341, 142), (341, 143), (341, 144), (341, 145), (341, 146), (341, 147), (341, 148), (341, 149), (341, 150), (341, 151), (341, 152), (341, 153), (341, 154), (341, 155), (341, 156), (341, 157), (341, 158), (341, 159), (341, 160), (341, 161), (341, 162), (341, 163), (341, 164), (341, 165), (341, 166), (341, 167), (341, 168), (341, 169), (341, 170), (341, 171), (341, 172), (341, 173), (341, 174), (341, 175), (341, 176), (341, 177), (341, 178), (341, 179), (341, 180), (341, 181), (341, 182), (341, 183), (341, 184), (341, 185), (341, 186), (341, 187), (341, 188), (341, 189), (341, 190), (341, 191), (341, 192), (341, 193), (341, 194), (341, 195), (341, 197), (342, 91), (342, 92), (342, 93), (342, 94), (342, 95), (342, 96), (342, 97), (342, 98), (342, 99), (342, 100), (342, 101),
(342, 102), (342, 103), (342, 104), (342, 105), (342, 106), (342, 107), (342, 108), (342, 109), (342, 110), (342, 111), (342, 112), (342, 113), (342, 114), (342, 115), (342, 116), (342, 117), (342, 118), (342, 119), (342, 120), (342, 121), (342, 122), (342, 123), (342, 124), (342, 125), (342, 126), (342, 127), (342, 128), (342, 129), (342, 130), (342, 131), (342, 132), (342, 133), (342, 134), (342, 135), (342, 136), (342, 137), (342, 138), (342, 139), (342, 140), (342, 141), (342, 142), (342, 143), (342, 144), (342, 145), (342, 146), (342, 147), (342, 148), (342, 149), (342, 150), (342, 151), (342, 152), (342, 153), (342, 154), (342, 155), (342, 156), (342, 157), (342, 158), (342, 159), (342, 160), (342, 161), (342, 162), (342, 163), (342, 164), (342, 165), (342, 166), (342, 167), (342, 168), (342, 169), (342, 170), (342, 171), (342, 172), (342, 173),
(342, 174), (342, 175), (342, 176), (342, 177), (342, 178), (342, 179), (342, 180), (342, 181), (342, 182), (342, 183), (342, 184), (342, 185), (342, 186), (342, 187), (342, 188), (342, 189), (342, 190), (342, 191), (342, 192), (342, 193), (342, 194), (342, 195), (342, 197), (343, 92), (343, 94), (343, 95), (343, 96), (343, 97), (343, 98), (343, 99), (343, 100), (343, 101), (343, 102), (343, 103), (343, 104), (343, 105), (343, 106), (343, 107), (343, 108), (343, 109), (343, 110), (343, 111), (343, 112), (343, 113), (343, 114), (343, 115), (343, 116), (343, 117), (343, 118), (343, 119), (343, 120), (343, 121), (343, 122), (343, 123), (343, 124), (343, 125), (343, 126), (343, 127), (343, 128), (343, 129), (343, 130), (343, 131), (343, 132), (343, 133), (343, 134), (343, 135), (343, 136), (343, 137), (343, 138), (343, 139), (343, 140), (343, 141),
(343, 142), (343, 143), (343, 144), (343, 145), (343, 146), (343, 147), (343, 148), (343, 149), (343, 150), (343, 151), (343, 152), (343, 153), (343, 154), (343, 155), (343, 156), (343, 157), (343, 158), (343, 159), (343, 160), (343, 161), (343, 162), (343, 163), (343, 164), (343, 165), (343, 166), (343, 167), (343, 168), (343, 169), (343, 170), (343, 171), (343, 172), (343, 173), (343, 174), (343, 175), (343, 176), (343, 177), (343, 178), (343, 179), (343, 180), (343, 181), (343, 182), (343, 183), (343, 184), (343, 185), (343, 186), (343, 187), (343, 188), (343, 189), (343, 190), (343, 191), (343, 192), (343, 193), (343, 194), (343, 195), (343, 196), (343, 198), (344, 92), (344, 94), (344, 95), (344, 96), (344, 97), (344, 98), (344, 99), (344, 100), (344, 101), (344, 102), (344, 103), (344, 104), (344, 105), (344, 106), (344, 107), (344, 108),
(344, 109), (344, 110), (344, 111), (344, 112), (344, 113), (344, 114), (344, 115), (344, 116), (344, 117), (344, 118), (344, 119), (344, 120), (344, 121), (344, 122), (344, 123), (344, 124), (344, 125), (344, 126), (344, 127), (344, 128), (344, 129), (344, 130), (344, 131), (344, 132), (344, 133), (344, 134), (344, 135), (344, 136), (344, 137), (344, 138), (344, 139), (344, 140), (344, 141), (344, 142), (344, 143), (344, 144), (344, 145), (344, 146), (344, 147), (344, 148), (344, 149), (344, 150), (344, 151), (344, 152), (344, 153), (344, 154), (344, 155), (344, 156), (344, 157), (344, 158), (344, 159), (344, 160), (344, 161), (344, 162), (344, 163), (344, 164), (344, 165), (344, 166), (344, 167), (344, 168), (344, 169), (344, 170), (344, 171), (344, 172), (344, 173), (344, 174), (344, 175), (344, 176), (344, 177), (344, 178), (344, 179), (344, 180),
(344, 181), (344, 182), (344, 183), (344, 184), (344, 185), (344, 186), (344, 187), (344, 188), (344, 189), (344, 190), (344, 191), (344, 192), (344, 193), (344, 194), (344, 195), (344, 196), (344, 198), (345, 92), (345, 94), (345, 95), (345, 96), (345, 97), (345, 98), (345, 99), (345, 100), (345, 101), (345, 102), (345, 103), (345, 104), (345, 105), (345, 106), (345, 107), (345, 108), (345, 109), (345, 110), (345, 111), (345, 112), (345, 113), (345, 114), (345, 115), (345, 116), (345, 117), (345, 118), (345, 119), (345, 120), (345, 121), (345, 122), (345, 123), (345, 124), (345, 125), (345, 126), (345, 127), (345, 128), (345, 129), (345, 130), (345, 131), (345, 132), (345, 133), (345, 134), (345, 135), (345, 136), (345, 137), (345, 138), (345, 139), (345, 140), (345, 141), (345, 142), (345, 143), (345, 144), (345, 145), (345, 146), (345, 147),
(345, 148), (345, 149), (345, 150), (345, 151), (345, 152), (345, 153), (345, 154), (345, 155), (345, 156), (345, 157), (345, 158), (345, 159), (345, 160), (345, 161), (345, 162), (345, 163), (345, 164), (345, 165), (345, 166), (345, 167), (345, 168), (345, 169), (345, 170), (345, 171), (345, 172), (345, 173), (345, 174), (345, 175), (345, 176), (345, 177), (345, 178), (345, 179), (345, 180), (345, 181), (345, 182), (345, 183), (345, 184), (345, 185), (345, 186), (345, 187), (345, 188), (345, 189), (345, 190), (345, 191), (345, 192), (345, 193), (345, 194), (345, 195), (345, 196), (345, 198), (346, 93), (346, 95), (346, 96), (346, 97), (346, 98), (346, 99), (346, 100), (346, 101), (346, 102), (346, 103), (346, 104), (346, 105), (346, 106), (346, 107), (346, 108), (346, 109), (346, 110), (346, 111), (346, 112), (346, 113), (346, 114), (346, 115),
(346, 116), (346, 117), (346, 118), (346, 119), (346, 120), (346, 121), (346, 122), (346, 123), (346, 124), (346, 125), (346, 126), (346, 127), (346, 128), (346, 129), (346, 130), (346, 131), (346, 132), (346, 133), (346, 134), (346, 135), (346, 136), (346, 137), (346, 138), (346, 139), (346, 140), (346, 141), (346, 142), (346, 143), (346, 144), (346, 145), (346, 146), (346, 147), (346, 148), (346, 149), (346, 150), (346, 151), (346, 152), (346, 153), (346, 154), (346, 155), (346, 156), (346, 157), (346, 158), (346, 159), (346, 160), (346, 161), (346, 162), (346, 163), (346, 164), (346, 165), (346, 166), (346, 167), (346, 168), (346, 169), (346, 170), (346, 171), (346, 172), (346, 173), (346, 174), (346, 175), (346, 176), (346, 177), (346, 178), (346, 179), (346, 180), (346, 181), (346, 182), (346, 183), (346, 184), (346, 185), (346, 186), (346, 187),
(346, 188), (346, 189), (346, 190), (346, 191), (346, 192), (346, 193), (346, 194), (346, 195), (346, 196), (346, 197), (346, 199), (347, 93), (347, 95), (347, 96), (347, 97), (347, 98), (347, 99), (347, 100), (347, 101), (347, 102), (347, 103), (347, 104), (347, 105), (347, 106), (347, 107), (347, 108), (347, 109), (347, 110), (347, 111), (347, 112), (347, 113), (347, 114), (347, 115), (347, 116), (347, 117), (347, 118), (347, 119), (347, 120), (347, 121), (347, 122), (347, 123), (347, 124), (347, 125), (347, 126), (347, 127), (347, 128), (347, 129), (347, 130), (347, 131), (347, 132), (347, 133), (347, 134), (347, 135), (347, 136), (347, 137), (347, 138), (347, 139), (347, 140), (347, 141), (347, 142), (347, 143), (347, 144), (347, 145), (347, 146), (347, 147), (347, 148), (347, 149), (347, 150), (347, 151), (347, 152), (347, 153), (347, 154),
(347, 155), (347, 156), (347, 157), (347, 158), (347, 159), (347, 160), (347, 161), (347, 162), (347, 163), (347, 164), (347, 165), (347, 166), (347, 167), (347, 168), (347, 169), (347, 170), (347, 171), (347, 172), (347, 173), (347, 174), (347, 175), (347, 176), (347, 177), (347, 178), (347, 179), (347, 180), (347, 181), (347, 182), (347, 183), (347, 184), (347, 185), (347, 186), (347, 187), (347, 188), (347, 189), (347, 190), (347, 191), (347, 192), (347, 193), (347, 194), (347, 195), (347, 196), (347, 197), (347, 199), (348, 94), (348, 96), (348, 97), (348, 98), (348, 99), (348, 100), (348, 101), (348, 102), (348, 103), (348, 104), (348, 105), (348, 106), (348, 107), (348, 108), (348, 109), (348, 110), (348, 111), (348, 112), (348, 113), (348, 114), (348, 115), (348, 116), (348, 117), (348, 118), (348, 119), (348, 120), (348, 121), (348, 122),
(348, 123), (348, 124), (348, 125), (348, 126), (348, 127), (348, 128), (348, 129), (348, 130), (348, 131), (348, 132), (348, 133), (348, 134), (348, 135), (348, 136), (348, 137), (348, 138), (348, 139), (348, 140), (348, 141), (348, 142), (348, 143), (348, 144), (348, 145), (348, 146), (348, 147), (348, 148), (348, 149), (348, 150), (348, 151), (348, 152), (348, 153), (348, 154), (348, 155), (348, 156), (348, 157), (348, 158), (348, 159), (348, 160), (348, 161), (348, 162), (348, 163), (348, 164), (348, 165), (348, 166), (348, 167), (348, 168), (348, 169), (348, 170), (348, 171), (348, 172), (348, 173), (348, 174), (348, 175), (348, 176), (348, 177), (348, 178), (348, 179), (348, 180), (348, 181), (348, 182), (348, 183), (348, 184), (348, 185), (348, 186), (348, 187), (348, 188), (348, 189), (348, 190), (348, 191), (348, 192), (348, 193), (348, 194),
(348, 195), (348, 196), (348, 197), (348, 199), (349, 94), (349, 96), (349, 97), (349, 98), (349, 99), (349, 100), (349, 101), (349, 102), (349, 103), (349, 104), (349, 105), (349, 106), (349, 107), (349, 108), (349, 109), (349, 110), (349, 111), (349, 112), (349, 113), (349, 114), (349, 115), (349, 116), (349, 117), (349, 118), (349, 119), (349, 120), (349, 121), (349, 122), (349, 123), (349, 124), (349, 125), (349, 126), (349, 127), (349, 128), (349, 129), (349, 130), (349, 131), (349, 132), (349, 133), (349, 134), (349, 135), (349, 136), (349, 137), (349, 138), (349, 139), (349, 140), (349, 141), (349, 142), (349, 143), (349, 144), (349, 145), (349, 146), (349, 147), (349, 148), (349, 149), (349, 150), (349, 151), (349, 152), (349, 153), (349, 154), (349, 155), (349, 156), (349, 157), (349, 158), (349, 159), (349, 160), (349, 161), (349, 162),
(349, 163), (349, 164), (349, 165), (349, 166), (349, 167), (349, 168), (349, 169), (349, 170), (349, 171), (349, 172), (349, 173), (349, 174), (349, 175), (349, 176), (349, 177), (349, 178), (349, 179), (349, 180), (349, 181), (349, 182), (349, 183), (349, 184), (349, 185), (349, 186), (349, 187), (349, 188), (349, 189), (349, 190), (349, 191), (349, 192), (349, 193), (349, 194), (349, 195), (349, 196), (349, 197), (349, 198), (349, 200), (350, 95), (350, 97), (350, 98), (350, 99), (350, 100), (350, 101), (350, 102), (350, 103), (350, 104), (350, 105), (350, 106), (350, 107), (350, 108), (350, 109), (350, 110), (350, 111), (350, 112), (350, 113), (350, 114), (350, 115), (350, 116), (350, 117), (350, 118), (350, 119), (350, 120), (350, 121), (350, 122), (350, 123), (350, 124), (350, 125), (350, 126), (350, 127), (350, 128), (350, 129), (350, 130),
(350, 131), (350, 132), (350, 133), (350, 134), (350, 135), (350, 136), (350, 137), (350, 138), (350, 139), (350, 140), (350, 141), (350, 142), (350, 143), (350, 144), (350, 145), (350, 146), (350, 147), (350, 148), (350, 149), (350, 150), (350, 151), (350, 152), (350, 153), (350, 154), (350, 155), (350, 156), (350, 157), (350, 158), (350, 159), (350, 160), (350, 161), (350, 162), (350, 163), (350, 164), (350, 165), (350, 166), (350, 167), (350, 168), (350, 169), (350, 170), (350, 171), (350, 172), (350, 173), (350, 174), (350, 175), (350, 176), (350, 177), (350, 178), (350, 179), (350, 180), (350, 181), (350, 182), (350, 183), (350, 184), (350, 185), (350, 186), (350, 187), (350, 188), (350, 189), (350, 190), (350, 191), (350, 192), (350, 193), (350, 194), (350, 195), (350, 196), (350, 197), (350, 198), (350, 200), (351, 95), (351, 97), (351, 98),
(351, 99), (351, 100), (351, 101), (351, 102), (351, 103), (351, 104), (351, 105), (351, 106), (351, 107), (351, 108), (351, 109), (351, 110), (351, 111), (351, 112), (351, 113), (351, 114), (351, 115), (351, 116), (351, 117), (351, 118), (351, 119), (351, 120), (351, 121), (351, 122), (351, 123), (351, 124), (351, 125), (351, 126), (351, 127), (351, 128), (351, 129), (351, 130), (351, 131), (351, 132), (351, 133), (351, 134), (351, 135), (351, 136), (351, 137), (351, 138), (351, 139), (351, 140), (351, 141), (351, 142), (351, 143), (351, 144), (351, 145), (351, 146), (351, 147), (351, 148), (351, 149), (351, 150), (351, 151), (351, 152), (351, 153), (351, 154), (351, 155), (351, 156), (351, 157), (351, 158), (351, 159), (351, 160), (351, 161), (351, 162), (351, 163), (351, 164), (351, 165), (351, 166), (351, 167), (351, 168), (351, 169), (351, 170),
(351, 171), (351, 172), (351, 173), (351, 174), (351, 175), (351, 176), (351, 177), (351, 178), (351, 179), (351, 180), (351, 181), (351, 182), (351, 183), (351, 184), (351, 185), (351, 186), (351, 187), (351, 188), (351, 189), (351, 190), (351, 191), (351, 192), (351, 193), (351, 194), (351, 195), (351, 196), (351, 197), (351, 198), (351, 200), (352, 96), (352, 98), (352, 99), (352, 100), (352, 101), (352, 102), (352, 103), (352, 104), (352, 105), (352, 106), (352, 107), (352, 108), (352, 109), (352, 110), (352, 111), (352, 112), (352, 113), (352, 114), (352, 115), (352, 116), (352, 117), (352, 118), (352, 119), (352, 120), (352, 121), (352, 122), (352, 123), (352, 124), (352, 125), (352, 126), (352, 127), (352, 128), (352, 129), (352, 130), (352, 131), (352, 132), (352, 133), (352, 134), (352, 135), (352, 136), (352, 137), (352, 138), (352, 139),
(352, 140), (352, 141), (352, 142), (352, 143), (352, 144), (352, 145), (352, 146), (352, 147), (352, 148), (352, 149), (352, 150), (352, 151), (352, 152), (352, 153), (352, 154), (352, 155), (352, 156), (352, 157), (352, 158), (352, 159), (352, 160), (352, 161), (352, 162), (352, 163), (352, 164), (352, 165), (352, 166), (352, 167), (352, 168), (352, 169), (352, 170), (352, 171), (352, 172), (352, 173), (352, 174), (352, 175), (352, 176), (352, 177), (352, 178), (352, 179), (352, 180), (352, 181), (352, 182), (352, 183), (352, 184), (352, 185), (352, 186), (352, 187), (352, 188), (352, 189), (352, 190), (352, 191), (352, 192), (352, 193), (352, 194), (352, 195), (352, 196), (352, 197), (352, 198), (352, 200), (353, 96), (353, 98), (353, 99), (353, 100), (353, 101), (353, 102), (353, 103), (353, 104), (353, 105), (353, 106), (353, 107), (353, 108),
(353, 109), (353, 110), (353, 111), (353, 112), (353, 113), (353, 114), (353, 115), (353, 116), (353, 117), (353, 118), (353, 119), (353, 120), (353, 121), (353, 122), (353, 123), (353, 124), (353, 125), (353, 126), (353, 127), (353, 128), (353, 129), (353, 130), (353, 131), (353, 132), (353, 133), (353, 134), (353, 135), (353, 136), (353, 137), (353, 138), (353, 139), (353, 140), (353, 141), (353, 142), (353, 143), (353, 144), (353, 145), (353, 146), (353, 147), (353, 148), (353, 149), (353, 150), (353, 151), (353, 152), (353, 153), (353, 154), (353, 155), (353, 156), (353, 157), (353, 158), (353, 159), (353, 160), (353, 161), (353, 162), (353, 163), (353, 164), (353, 165), (353, 166), (353, 167), (353, 168), (353, 169), (353, 170), (353, 171), (353, 172), (353, 173), (353, 174), (353, 175), (353, 176), (353, 177), (353, 178), (353, 179), (353, 180),
(353, 181), (353, 182), (353, 183), (353, 184), (353, 185), (353, 186), (353, 187), (353, 188), (353, 189), (353, 190), (353, 191), (353, 192), (353, 193), (353, 194), (353, 195), (353, 196), (353, 197), (353, 200), (354, 97), (354, 99), (354, 100), (354, 101), (354, 102), (354, 103), (354, 104), (354, 105), (354, 106), (354, 107), (354, 108), (354, 109), (354, 110), (354, 111), (354, 112), (354, 113), (354, 114), (354, 115), (354, 116), (354, 117), (354, 118), (354, 119), (354, 120), (354, 121), (354, 122), (354, 123), (354, 124), (354, 125), (354, 126), (354, 127), (354, 128), (354, 129), (354, 130), (354, 131), (354, 132), (354, 133), (354, 134), (354, 135), (354, 136), (354, 137), (354, 138), (354, 139), (354, 140), (354, 141), (354, 142), (354, 143), (354, 144), (354, 145), (354, 146), (354, 147), (354, 148), (354, 149), (354, 150), (354, 151),
(354, 152), (354, 153), (354, 154), (354, 155), (354, 156), (354, 157), (354, 158), (354, 159), (354, 160), (354, 161), (354, 162), (354, 163), (354, 164), (354, 165), (354, 166), (354, 167), (354, 168), (354, 169), (354, 170), (354, 171), (354, 172), (354, 173), (354, 174), (354, 175), (354, 176), (354, 177), (354, 178), (354, 179), (354, 180), (354, 181), (354, 182), (354, 183), (354, 184), (354, 185), (354, 186), (354, 187), (354, 188), (354, 189), (354, 190), (354, 191), (354, 192), (354, 193), (354, 194), (354, 195), (354, 196), (354, 198), (355, 98), (355, 100), (355, 101), (355, 102), (355, 103), (355, 104), (355, 105), (355, 106), (355, 107), (355, 108), (355, 109), (355, 110), (355, 111), (355, 112), (355, 113), (355, 114), (355, 115), (355, 116), (355, 117), (355, 118), (355, 119), (355, 120), (355, 121), (355, 122), (355, 123), (355, 124),
(355, 125), (355, 126), (355, 127), (355, 128), (355, 129), (355, 130), (355, 131), (355, 132), (355, 133), (355, 134), (355, 135), (355, 136), (355, 137), (355, 138), (355, 139), (355, 140), (355, 141), (355, 142), (355, 143), (355, 144), (355, 145), (355, 146), (355, 147), (355, 148), (355, 149), (355, 150), (355, 151), (355, 152), (355, 153), (355, 154), (355, 155), (355, 156), (355, 157), (355, 158), (355, 159), (355, 160), (355, 161), (355, 162), (355, 163), (355, 164), (355, 165), (355, 166), (355, 167), (355, 168), (355, 169), (355, 170), (355, 171), (355, 172), (355, 173), (355, 174), (355, 175), (355, 176), (355, 177), (355, 178), (355, 179), (355, 180), (355, 181), (355, 182), (355, 183), (355, 184), (355, 185), (355, 186), (355, 187), (355, 188), (355, 189), (355, 190), (355, 191), (355, 192), (355, 193), (355, 194), (355, 195), (355, 197),
(356, 98), (356, 100), (356, 101), (356, 102), (356, 103), (356, 104), (356, 105), (356, 106), (356, 107), (356, 108), (356, 109), (356, 110), (356, 111), (356, 112), (356, 113), (356, 114), (356, 115), (356, 116), (356, 117), (356, 118), (356, 119), (356, 120), (356, 121), (356, 122), (356, 123), (356, 124), (356, 125), (356, 126), (356, 127), (356, 128), (356, 129), (356, 130), (356, 131), (356, 132), (356, 133), (356, 134), (356, 135), (356, 136), (356, 137), (356, 138), (356, 139), (356, 140), (356, 141), (356, 142), (356, 143), (356, 144), (356, 145), (356, 146), (356, 147), (356, 148), (356, 149), (356, 150), (356, 151), (356, 152), (356, 153), (356, 154), (356, 155), (356, 156), (356, 157), (356, 158), (356, 159), (356, 160), (356, 161), (356, 162), (356, 163), (356, 164), (356, 165), (356, 166), (356, 167), (356, 168), (356, 169), (356, 170),
(356, 171), (356, 172), (356, 173), (356, 174), (356, 175), (356, 176), (356, 177), (356, 178), (356, 179), (356, 180), (356, 181), (356, 182), (356, 183), (356, 184), (356, 185), (356, 186), (356, 187), (356, 188), (356, 189), (356, 190), (356, 191), (356, 192), (356, 193), (356, 194), (356, 196), (357, 99), (357, 101), (357, 102), (357, 103), (357, 104), (357, 105), (357, 106), (357, 107), (357, 108), (357, 109), (357, 110), (357, 111), (357, 112), (357, 113), (357, 114), (357, 115), (357, 116), (357, 117), (357, 118), (357, 119), (357, 120), (357, 121), (357, 122), (357, 123), (357, 124), (357, 125), (357, 126), (357, 127), (357, 128), (357, 129), (357, 130), (357, 131), (357, 132), (357, 133), (357, 134), (357, 135), (357, 136), (357, 137), (357, 138), (357, 139), (357, 140), (357, 141), (357, 142), (357, 143), (357, 144), (357, 145), (357, 146),
(357, 147), (357, 148), (357, 149), (357, 150), (357, 151), (357, 152), (357, 153), (357, 154), (357, 155), (357, 156), (357, 157), (357, 158), (357, 159), (357, 160), (357, 161), (357, 162), (357, 163), (357, 164), (357, 165), (357, 166), (357, 167), (357, 168), (357, 169), (357, 170), (357, 171), (357, 172), (357, 173), (357, 174), (357, 175), (357, 176), (357, 177), (357, 178), (357, 179), (357, 180), (357, 181), (357, 182), (357, 183), (357, 184), (357, 185), (357, 186), (357, 187), (357, 188), (357, 189), (357, 190), (357, 191), (357, 192), (357, 193), (357, 195), (358, 99), (358, 101), (358, 102), (358, 103), (358, 104), (358, 105), (358, 106), (358, 107), (358, 108), (358, 109), (358, 110), (358, 111), (358, 112), (358, 113), (358, 114), (358, 115), (358, 116), (358, 117), (358, 118), (358, 119), (358, 120), (358, 121), (358, 122), (358, 123),
(358, 124), (358, 125), (358, 126), (358, 127), (358, 128), (358, 129), (358, 130), (358, 131), (358, 132), (358, 133), (358, 134), (358, 135), (358, 136), (358, 137), (358, 138), (358, 139), (358, 140), (358, 141), (358, 142), (358, 143), (358, 144), (358, 145), (358, 146), (358, 147), (358, 148), (358, 149), (358, 150), (358, 151), (358, 152), (358, 153), (358, 154), (358, 155), (358, 156), (358, 157), (358, 158), (358, 159), (358, 160), (358, 161), (358, 162), (358, 163), (358, 164), (358, 165), (358, 166), (358, 167), (358, 168), (358, 169), (358, 170), (358, 171), (358, 172), (358, 173), (358, 174), (358, 175), (358, 176), (358, 177), (358, 178), (358, 179), (358, 180), (358, 181), (358, 182), (358, 183), (358, 184), (358, 185), (358, 186), (358, 187), (358, 188), (358, 189), (358, 190), (358, 191), (358, 192), (358, 193), (358, 195), (359, 100),
(359, 102), (359, 103), (359, 104), (359, 105), (359, 106), (359, 107), (359, 108), (359, 109), (359, 110), (359, 111), (359, 112), (359, 113), (359, 114), (359, 115), (359, 116), (359, 117), (359, 118), (359, 119), (359, 120), (359, 121), (359, 122), (359, 123), (359, 124), (359, 125), (359, 126), (359, 127), (359, 128), (359, 129), (359, 130), (359, 131), (359, 132), (359, 133), (359, 134), (359, 135), (359, 136), (359, 137), (359, 138), (359, 139), (359, 140), (359, 141), (359, 142), (359, 143), (359, 144), (359, 145), (359, 146), (359, 147), (359, 148), (359, 149), (359, 150), (359, 151), (359, 152), (359, 153), (359, 154), (359, 155), (359, 156), (359, 157), (359, 158), (359, 159), (359, 160), (359, 161), (359, 162), (359, 163), (359, 164), (359, 165), (359, 166), (359, 167), (359, 168), (359, 169), (359, 170), (359, 171), (359, 172), (359, 173),
(359, 174), (359, 175), (359, 176), (359, 177), (359, 178), (359, 179), (359, 180), (359, 181), (359, 182), (359, 183), (359, 184), (359, 185), (359, 186), (359, 187), (359, 188), (359, 189), (359, 190), (359, 191), (359, 192), (359, 193), (359, 195), (360, 100), (360, 102), (360, 103), (360, 104), (360, 105), (360, 106), (360, 107), (360, 108), (360, 109), (360, 110), (360, 111), (360, 112), (360, 113), (360, 114), (360, 115), (360, 116), (360, 117), (360, 118), (360, 119), (360, 120), (360, 121), (360, 122), (360, 123), (360, 124), (360, 125), (360, 126), (360, 127), (360, 128), (360, 129), (360, 130), (360, 131), (360, 132), (360, 133), (360, 134), (360, 135), (360, 136), (360, 137), (360, 138), (360, 139), (360, 140), (360, 141), (360, 142), (360, 143), (360, 144), (360, 145), (360, 146), (360, 147), (360, 148), (360, 149), (360, 150), (360, 151),
(360, 152), (360, 153), (360, 154), (360, 155), (360, 156), (360, 157), (360, 158), (360, 159), (360, 160), (360, 161), (360, 162), (360, 163), (360, 164), (360, 165), (360, 166), (360, 167), (360, 168), (360, 169), (360, 170), (360, 171), (360, 172), (360, 173), (360, 174), (360, 175), (360, 176), (360, 177), (360, 178), (360, 179), (360, 180), (360, 181), (360, 182), (360, 183), (360, 184), (360, 185), (360, 186), (360, 187), (360, 188), (360, 189), (360, 190), (360, 191), (360, 192), (360, 194), (361, 101), (361, 103), (361, 104), (361, 105), (361, 106), (361, 107), (361, 108), (361, 109), (361, 110), (361, 111), (361, 112), (361, 113), (361, 114), (361, 115), (361, 116), (361, 117), (361, 118), (361, 119), (361, 120), (361, 121), (361, 122), (361, 123), (361, 124), (361, 125), (361, 126), (361, 127), (361, 128), (361, 129), (361, 130), (361, 131),
(361, 132), (361, 133), (361, 134), (361, 135), (361, 136), (361, 137), (361, 138), (361, 139), (361, 140), (361, 141), (361, 142), (361, 143), (361, 144), (361, 145), (361, 146), (361, 147), (361, 148), (361, 149), (361, 150), (361, 151), (361, 152), (361, 153), (361, 154), (361, 155), (361, 156), (361, 157), (361, 158), (361, 159), (361, 160), (361, 161), (361, 162), (361, 163), (361, 164), (361, 165), (361, 166), (361, 167), (361, 168), (361, 169), (361, 170), (361, 171), (361, 172), (361, 173), (361, 174), (361, 175), (361, 176), (361, 177), (361, 178), (361, 179), (361, 180), (361, 181), (361, 182), (361, 183), (361, 184), (361, 185), (361, 186), (361, 187), (361, 188), (361, 189), (361, 190), (361, 191), (361, 192), (361, 194), (362, 101), (362, 103), (362, 104), (362, 105), (362, 106), (362, 107), (362, 108), (362, 109), (362, 110), (362, 111),
(362, 112), (362, 113), (362, 114), (362, 115), (362, 116), (362, 117), (362, 118), (362, 119), (362, 120), (362, 121), (362, 122), (362, 123), (362, 124), (362, 125), (362, 126), (362, 127), (362, 128), (362, 129), (362, 130), (362, 131), (362, 132), (362, 133), (362, 134), (362, 135), (362, 136), (362, 137), (362, 138), (362, 139), (362, 140), (362, 141), (362, 142), (362, 143), (362, 144), (362, 145), (362, 146), (362, 147), (362, 148), (362, 149), (362, 150), (362, 151), (362, 152), (362, 153), (362, 154), (362, 155), (362, 156), (362, 157), (362, 158), (362, 159), (362, 160), (362, 161), (362, 162), (362, 163), (362, 164), (362, 165), (362, 166), (362, 167), (362, 168), (362, 169), (362, 170), (362, 171), (362, 172), (362, 173), (362, 174), (362, 175), (362, 176), (362, 177), (362, 178), (362, 179), (362, 180), (362, 181), (362, 182), (362, 183),
(362, 184), (362, 185), (362, 186), (362, 187), (362, 188), (362, 189), (362, 190), (362, 191), (362, 192), (362, 194), (363, 102), (363, 105), (363, 106), (363, 107), (363, 108), (363, 109), (363, 110), (363, 111), (363, 112), (363, 113), (363, 114), (363, 115), (363, 116), (363, 117), (363, 118), (363, 119), (363, 120), (363, 121), (363, 122), (363, 123), (363, 124), (363, 125), (363, 126), (363, 127), (363, 128), (363, 129), (363, 130), (363, 131), (363, 132), (363, 133), (363, 134), (363, 135), (363, 136), (363, 137), (363, 138), (363, 139), (363, 140), (363, 141), (363, 142), (363, 143), (363, 144), (363, 145), (363, 146), (363, 147), (363, 148), (363, 149), (363, 150), (363, 151), (363, 152), (363, 153), (363, 154), (363, 155), (363, 156), (363, 157), (363, 158), (363, 159), (363, 160), (363, 161), (363, 162), (363, 163), (363, 164), (363, 165),
(363, 166), (363, 167), (363, 168), (363, 169), (363, 170), (363, 171), (363, 172), (363, 173), (363, 174), (363, 175), (363, 176), (363, 177), (363, 178), (363, 179), (363, 180), (363, 181), (363, 182), (363, 183), (363, 184), (363, 185), (363, 186), (363, 187), (363, 188), (363, 189), (363, 190), (363, 191), (363, 192), (363, 194), (364, 103), (364, 106), (364, 107), (364, 108), (364, 109), (364, 110), (364, 111), (364, 112), (364, 113), (364, 114), (364, 115), (364, 116), (364, 117), (364, 118), (364, 119), (364, 120), (364, 121), (364, 122), (364, 123), (364, 124), (364, 125), (364, 126), (364, 127), (364, 128), (364, 129), (364, 130), (364, 131), (364, 132), (364, 133), (364, 134), (364, 135), (364, 136), (364, 137), (364, 138), (364, 139), (364, 140), (364, 141), (364, 142), (364, 143), (364, 144), (364, 145), (364, 146), (364, 147), (364, 148),
(364, 149), (364, 150), (364, 151), (364, 152), (364, 153), (364, 154), (364, 155), (364, 156), (364, 157), (364, 158), (364, 159), (364, 160), (364, 161), (364, 162), (364, 163), (364, 164), (364, 165), (364, 166), (364, 167), (364, 168), (364, 169), (364, 170), (364, 171), (364, 172), (364, 173), (364, 174), (364, 175), (364, 176), (364, 177), (364, 178), (364, 179), (364, 180), (364, 181), (364, 182), (364, 183), (364, 184), (364, 185), (364, 186), (364, 187), (364, 188), (364, 189), (364, 190), (364, 191), (364, 192), (364, 194), (365, 105), (365, 108), (365, 109), (365, 110), (365, 111), (365, 112), (365, 113), (365, 114), (365, 115), (365, 116), (365, 117), (365, 118), (365, 119), (365, 120), (365, 121), (365, 122), (365, 123), (365, 124), (365, 125), (365, 126), (365, 127), (365, 128), (365, 129), (365, 130), (365, 131), (365, 132), (365, 133),
(365, 134), (365, 135), (365, 136), (365, 137), (365, 138), (365, 139), (365, 140), (365, 141), (365, 142), (365, 143), (365, 144), (365, 145), (365, 146), (365, 147), (365, 148), (365, 149), (365, 150), (365, 151), (365, 152), (365, 153), (365, 154), (365, 155), (365, 156), (365, 157), (365, 158), (365, 159), (365, 160), (365, 161), (365, 162), (365, 163), (365, 164), (365, 165), (365, 166), (365, 167), (365, 168), (365, 169), (365, 170), (365, 171), (365, 172), (365, 173), (365, 174), (365, 175), (365, 176), (365, 177), (365, 178), (365, 179), (365, 180), (365, 181), (365, 182), (365, 183), (365, 184), (365, 185), (365, 186), (365, 187), (365, 188), (365, 189), (365, 190), (365, 191), (365, 192), (365, 194), (366, 106), (366, 110), (366, 111), (366, 112), (366, 113), (366, 114), (366, 115), (366, 116), (366, 117), (366, 118), (366, 119), (366, 120),
(366, 121), (366, 122), (366, 123), (366, 124), (366, 125), (366, 126), (366, 127), (366, 128), (366, 129), (366, 130), (366, 131), (366, 132), (366, 133), (366, 134), (366, 135), (366, 136), (366, 137), (366, 138), (366, 139), (366, 140), (366, 141), (366, 142), (366, 143), (366, 144), (366, 145), (366, 146), (366, 147), (366, 148), (366, 149), (366, 150), (366, 151), (366, 152), (366, 153), (366, 154), (366, 155), (366, 156), (366, 157), (366, 158), (366, 159), (366, 160), (366, 161), (366, 162), (366, 163), (366, 164), (366, 165), (366, 166), (366, 167), (366, 168), (366, 169), (366, 170), (366, 171), (366, 172), (366, 173), (366, 174), (366, 175), (366, 176), (366, 177), (366, 178), (366, 179), (366, 180), (366, 181), (366, 182), (366, 183), (366, 184), (366, 185), (366, 186), (366, 187), (366, 188), (366, 189), (366, 190), (366, 191), (366, 192),
(366, 194), (367, 108), (367, 111), (367, 112), (367, 113), (367, 114), (367, 115), (367, 116), (367, 117), (367, 118), (367, 119), (367, 120), (367, 121), (367, 122), (367, 123), (367, 124), (367, 125), (367, 126), (367, 127), (367, 128), (367, 129), (367, 130), (367, 131), (367, 132), (367, 133), (367, 134), (367, 135), (367, 136), (367, 137), (367, 138), (367, 139), (367, 140), (367, 141), (367, 142), (367, 143), (367, 144), (367, 145), (367, 146), (367, 147), (367, 148), (367, 149), (367, 150), (367, 151), (367, 152), (367, 153), (367, 154), (367, 155), (367, 156), (367, 157), (367, 158), (367, 159), (367, 160), (367, 161), (367, 162), (367, 163), (367, 164), (367, 165), (367, 166), (367, 167), (367, 168), (367, 169), (367, 170), (367, 171), (367, 172), (367, 173), (367, 174), (367, 175), (367, 176), (367, 177), (367, 178), (367, 179), (367, 180),
(367, 181), (367, 182), (367, 183), (367, 184), (367, 185), (367, 186), (367, 187), (367, 188), (367, 189), (367, 190), (367, 191), (367, 192), (367, 194), (368, 110), (368, 112), (368, 113), (368, 114), (368, 115), (368, 116), (368, 117), (368, 118), (368, 119), (368, 120), (368, 121), (368, 122), (368, 123), (368, 124), (368, 125), (368, 126), (368, 127), (368, 128), (368, 129), (368, 130), (368, 131), (368, 132), (368, 133), (368, 134), (368, 135), (368, 136), (368, 137), (368, 138), (368, 139), (368, 140), (368, 141), (368, 142), (368, 143), (368, 144), (368, 145), (368, 146), (368, 147), (368, 148), (368, 149), (368, 150), (368, 151), (368, 152), (368, 153), (368, 154), (368, 155), (368, 156), (368, 157), (368, 158), (368, 159), (368, 160), (368, 161), (368, 162), (368, 163), (368, 164), (368, 165), (368, 166), (368, 167), (368, 168), (368, 169),
(368, 170), (368, 171), (368, 172), (368, 173), (368, 174), (368, 175), (368, 176), (368, 177), (368, 178), (368, 179), (368, 180), (368, 181), (368, 182), (368, 183), (368, 184), (368, 185), (368, 186), (368, 187), (368, 188), (368, 189), (368, 190), (368, 191), (368, 192), (368, 194), (369, 111), (369, 113), (369, 114), (369, 115), (369, 116), (369, 117), (369, 118), (369, 119), (369, 120), (369, 121), (369, 122), (369, 123), (369, 124), (369, 125), (369, 126), (369, 127), (369, 128), (369, 129), (369, 130), (369, 131), (369, 132), (369, 133), (369, 134), (369, 135), (369, 136), (369, 137), (369, 138), (369, 139), (369, 140), (369, 141), (369, 142), (369, 143), (369, 144), (369, 145), (369, 146), (369, 147), (369, 148), (369, 149), (369, 150), (369, 151), (369, 152), (369, 153), (369, 154), (369, 155), (369, 156), (369, 157), (369, 158), (369, 159),
(369, 160), (369, 161), (369, 162), (369, 163), (369, 164), (369, 165), (369, 166), (369, 167), (369, 168), (369, 169), (369, 170), (369, 171), (369, 172), (369, 173), (369, 174), (369, 175), (369, 176), (369, 177), (369, 178), (369, 179), (369, 180), (369, 181), (369, 182), (369, 183), (369, 184), (369, 185), (369, 186), (369, 187), (369, 188), (369, 189), (369, 190), (369, 191), (369, 192), (369, 194), (370, 112), (370, 114), (370, 115), (370, 116), (370, 117), (370, 118), (370, 119), (370, 120), (370, 121), (370, 122), (370, 123), (370, 124), (370, 125), (370, 126), (370, 127), (370, 128), (370, 129), (370, 130), (370, 131), (370, 132), (370, 133), (370, 134), (370, 135), (370, 136), (370, 137), (370, 138), (370, 139), (370, 140), (370, 141), (370, 142), (370, 143), (370, 144), (370, 145), (370, 146), (370, 147), (370, 148), (370, 149), (370, 150),
(370, 151), (370, 152), (370, 153), (370, 154), (370, 155), (370, 156), (370, 157), (370, 158), (370, 159), (370, 160), (370, 161), (370, 162), (370, 163), (370, 164), (370, 165), (370, 166), (370, 167), (370, 168), (370, 169), (370, 170), (370, 171), (370, 172), (370, 173), (370, 174), (370, 175), (370, 176), (370, 177), (370, 178), (370, 179), (370, 180), (370, 181), (370, 182), (370, 183), (370, 184), (370, 185), (370, 186), (370, 187), (370, 188), (370, 189), (370, 190), (370, 191), (370, 192), (370, 194), (371, 113), (371, 115), (371, 116), (371, 117), (371, 118), (371, 119), (371, 120), (371, 121), (371, 122), (371, 123), (371, 124), (371, 125), (371, 126), (371, 127), (371, 128), (371, 129), (371, 130), (371, 131), (371, 132), (371, 133), (371, 134), (371, 135), (371, 136), (371, 137), (371, 138), (371, 139), (371, 140), (371, 141), (371, 142),
(371, 143), (371, 144), (371, 145), (371, 146), (371, 147), (371, 148), (371, 149), (371, 150), (371, 151), (371, 152), (371, 153), (371, 154), (371, 155), (371, 156), (371, 157), (371, 158), (371, 159), (371, 160), (371, 161), (371, 162), (371, 163), (371, 164), (371, 165), (371, 166), (371, 167), (371, 168), (371, 169), (371, 170), (371, 171), (371, 172), (371, 173), (371, 174), (371, 175), (371, 176), (371, 177), (371, 178), (371, 179), (371, 180), (371, 181), (371, 182), (371, 183), (371, 184), (371, 185), (371, 186), (371, 187), (371, 188), (371, 189), (371, 190), (371, 191), (371, 192), (371, 194), (372, 113), (372, 115), (372, 116), (372, 117), (372, 118), (372, 119), (372, 120), (372, 121), (372, 122), (372, 123), (372, 124), (372, 125), (372, 126), (372, 127), (372, 128), (372, 129), (372, 130), (372, 131), (372, 132), (372, 133), (372, 134),
(372, 135), (372, 136), (372, 137), (372, 138), (372, 139), (372, 140), (372, 141), (372, 142), (372, 143), (372, 144), (372, 145), (372, 146), (372, 147), (372, 148), (372, 149), (372, 150), (372, 151), (372, 152), (372, 153), (372, 154), (372, 155), (372, 156), (372, 157), (372, 158), (372, 159), (372, 160), (372, 161), (372, 162), (372, 163), (372, 164), (372, 165), (372, 166), (372, 167), (372, 168), (372, 169), (372, 170), (372, 171), (372, 172), (372, 173), (372, 174), (372, 175), (372, 176), (372, 177), (372, 178), (372, 179), (372, 180), (372, 181), (372, 182), (372, 183), (372, 184), (372, 185), (372, 186), (372, 187), (372, 188), (372, 189), (372, 190), (372, 191), (372, 192), (372, 194), (373, 114), (373, 116), (373, 117), (373, 118), (373, 119), (373, 120), (373, 121), (373, 122), (373, 123), (373, 124), (373, 125), (373, 126), (373, 127),
(373, 128), (373, 129), (373, 130), (373, 131), (373, 132), (373, 133), (373, 134), (373, 135), (373, 136), (373, 137), (373, 138), (373, 139), (373, 140), (373, 141), (373, 142), (373, 143), (373, 144), (373, 145), (373, 146), (373, 147), (373, 148), (373, 149), (373, 150), (373, 151), (373, 152), (373, 153), (373, 154), (373, 155), (373, 156), (373, 157), (373, 158), (373, 159), (373, 160), (373, 161), (373, 162), (373, 163), (373, 164), (373, 165), (373, 166), (373, 167), (373, 168), (373, 169), (373, 170), (373, 171), (373, 172), (373, 173), (373, 174), (373, 175), (373, 176), (373, 177), (373, 178), (373, 179), (373, 180), (373, 181), (373, 182), (373, 183), (373, 184), (373, 185), (373, 186), (373, 187), (373, 188), (373, 189), (373, 190), (373, 191), (373, 192), (373, 194), (374, 114), (374, 116), (374, 117), (374, 118), (374, 119), (374, 120),
(374, 121), (374, 122), (374, 123), (374, 124), (374, 125), (374, 126), (374, 127), (374, 128), (374, 129), (374, 130), (374, 131), (374, 132), (374, 133), (374, 134), (374, 135), (374, 136), (374, 137), (374, 138), (374, 139), (374, 140), (374, 141), (374, 142), (374, 143), (374, 144), (374, 145), (374, 146), (374, 147), (374, 148), (374, 149), (374, 150), (374, 151), (374, 152), (374, 153), (374, 154), (374, 155), (374, 156), (374, 157), (374, 158), (374, 159), (374, 160), (374, 161), (374, 162), (374, 163), (374, 164), (374, 165), (374, 166), (374, 167), (374, 168), (374, 169), (374, 170), (374, 171), (374, 172), (374, 173), (374, 174), (374, 175), (374, 176), (374, 177), (374, 178), (374, 179), (374, 180), (374, 181), (374, 182), (374, 183), (374, 184), (374, 185), (374, 186), (374, 187), (374, 188), (374, 189), (374, 190), (374, 191), (374, 192),
(374, 194), (375, 115), (375, 117), (375, 118), (375, 119), (375, 120), (375, 121), (375, 122), (375, 123), (375, 124), (375, 125), (375, 126), (375, 127), (375, 128), (375, 129), (375, 130), (375, 131), (375, 132), (375, 133), (375, 134), (375, 135), (375, 136), (375, 137), (375, 138), (375, 139), (375, 140), (375, 141), (375, 142), (375, 143), (375, 144), (375, 145), (375, 146), (375, 147), (375, 148), (375, 149), (375, 150), (375, 151), (375, 152), (375, 153), (375, 154), (375, 155), (375, 156), (375, 157), (375, 158), (375, 159), (375, 160), (375, 161), (375, 162), (375, 163), (375, 164), (375, 165), (375, 166), (375, 167), (375, 168), (375, 169), (375, 170), (375, 171), (375, 172), (375, 173), (375, 174), (375, 175), (375, 176), (375, 177), (375, 178), (375, 179), (375, 180), (375, 181), (375, 182), (375, 183), (375, 184), (375, 185), (375, 186),
(375, 187), (375, 188), (375, 189), (375, 190), (375, 191), (375, 192), (375, 193), (375, 195), (376, 115), (376, 117), (376, 118), (376, 119), (376, 120), (376, 121), (376, 122), (376, 123), (376, 124), (376, 125), (376, 126), (376, 127), (376, 128), (376, 129), (376, 130), (376, 131), (376, 132), (376, 133), (376, 134), (376, 135), (376, 136), (376, 137), (376, 138), (376, 139), (376, 140), (376, 141), (376, 142), (376, 143), (376, 144), (376, 145), (376, 146), (376, 147), (376, 148), (376, 149), (376, 150), (376, 151), (376, 152), (376, 153), (376, 154), (376, 155), (376, 156), (376, 157), (376, 158), (376, 159), (376, 160), (376, 161), (376, 162), (376, 163), (376, 164), (376, 165), (376, 166), (376, 167), (376, 168), (376, 169), (376, 170), (376, 171), (376, 172), (376, 173), (376, 174), (376, 175), (376, 176), (376, 177), (376, 178), (376, 179),
(376, 180), (376, 181), (376, 182), (376, 183), (376, 184), (376, 185), (376, 186), (376, 187), (376, 188), (376, 189), (376, 190), (376, 191), (376, 192), (376, 193), (376, 195), (377, 116), (377, 117), (377, 118), (377, 119), (377, 120), (377, 121), (377, 122), (377, 123), (377, 124), (377, 125), (377, 126), (377, 127), (377, 128), (377, 129), (377, 130), (377, 131), (377, 132), (377, 133), (377, 134), (377, 135), (377, 136), (377, 137), (377, 138), (377, 139), (377, 140), (377, 141), (377, 142), (377, 143), (377, 144), (377, 145), (377, 146), (377, 147), (377, 148), (377, 149), (377, 150), (377, 151), (377, 152), (377, 153), (377, 154), (377, 155), (377, 156), (377, 157), (377, 158), (377, 159), (377, 160), (377, 161), (377, 162), (377, 163), (377, 164), (377, 165), (377, 166), (377, 167), (377, 168), (377, 169), (377, 170), (377, 171), (377, 172),
(377, 173), (377, 174), (377, 175), (377, 176), (377, 177), (377, 178), (377, 179), (377, 180), (377, 181), (377, 182), (377, 183), (377, 184), (377, 185), (377, 186), (377, 187), (377, 188), (377, 189), (377, 190), (377, 191), (377, 192), (377, 193), (377, 195), (378, 116), (378, 118), (378, 119), (378, 120), (378, 121), (378, 122), (378, 123), (378, 124), (378, 125), (378, 126), (378, 127), (378, 128), (378, 129), (378, 130), (378, 131), (378, 132), (378, 133), (378, 134), (378, 135), (378, 136), (378, 137), (378, 138), (378, 139), (378, 140), (378, 141), (378, 142), (378, 143), (378, 144), (378, 145), (378, 146), (378, 147), (378, 148), (378, 149), (378, 150), (378, 151), (378, 152), (378, 153), (378, 154), (378, 155), (378, 156), (378, 157), (378, 158), (378, 159), (378, 160), (378, 161), (378, 162), (378, 163), (378, 164), (378, 165), (378, 166),
(378, 167), (378, 168), (378, 169), (378, 170), (378, 171), (378, 172), (378, 173), (378, 174), (378, 175), (378, 176), (378, 177), (378, 178), (378, 179), (378, 180), (378, 181), (378, 182), (378, 183), (378, 184), (378, 185), (378, 186), (378, 187), (378, 188), (378, 189), (378, 190), (378, 191), (378, 192), (378, 193), (378, 195), (379, 116), (379, 118), (379, 119), (379, 120), (379, 121), (379, 122), (379, 123), (379, 124), (379, 125), (379, 126), (379, 127), (379, 128), (379, 129), (379, 130), (379, 131), (379, 132), (379, 133), (379, 134), (379, 135), (379, 136), (379, 137), (379, 138), (379, 139), (379, 140), (379, 141), (379, 142), (379, 143), (379, 144), (379, 145), (379, 146), (379, 147), (379, 148), (379, 149), (379, 150), (379, 151), (379, 152), (379, 153), (379, 154), (379, 155), (379, 156), (379, 157), (379, 158), (379, 159), (379, 160),
(379, 161), (379, 162), (379, 163), (379, 164), (379, 165), (379, 166), (379, 167), (379, 168), (379, 169), (379, 170), (379, 171), (379, 172), (379, 173), (379, 174), (379, 175), (379, 176), (379, 177), (379, 178), (379, 179), (379, 180), (379, 181), (379, 182), (379, 183), (379, 184), (379, 185), (379, 186), (379, 187), (379, 188), (379, 189), (379, 190), (379, 191), (379, 192), (379, 193), (379, 195), (380, 117), (380, 119), (380, 120), (380, 121), (380, 122), (380, 123), (380, 124), (380, 125), (380, 126), (380, 127), (380, 128), (380, 129), (380, 130), (380, 131), (380, 132), (380, 133), (380, 134), (380, 135), (380, 136), (380, 137), (380, 138), (380, 139), (380, 140), (380, 141), (380, 142), (380, 143), (380, 144), (380, 145), (380, 146), (380, 147), (380, 148), (380, 149), (380, 150), (380, 151), (380, 152), (380, 153), (380, 154), (380, 155),
(380, 156), (380, 157), (380, 158), (380, 159), (380, 160), (380, 161), (380, 162), (380, 163), (380, 164), (380, 165), (380, 166), (380, 167), (380, 168), (380, 169), (380, 170), (380, 171), (380, 172), (380, 173), (380, 174), (380, 175), (380, 176), (380, 177), (380, 178), (380, 179), (380, 180), (380, 181), (380, 182), (380, 183), (380, 184), (380, 185), (380, 186), (380, 187), (380, 188), (380, 189), (380, 190), (380, 191), (380, 192), (380, 193), (380, 195), (381, 117), (381, 119), (381, 120), (381, 121), (381, 122), (381, 123), (381, 124), (381, 125), (381, 126), (381, 127), (381, 128), (381, 129), (381, 130), (381, 131), (381, 132), (381, 133), (381, 134), (381, 135), (381, 136), (381, 137), (381, 138), (381, 139), (381, 140), (381, 141), (381, 142), (381, 143), (381, 144), (381, 145), (381, 146), (381, 147), (381, 148), (381, 149), (381, 150),
(381, 151), (381, 152), (381, 153), (381, 154), (381, 155), (381, 156), (381, 157), (381, 158), (381, 159), (381, 160), (381, 161), (381, 162), (381, 163), (381, 164), (381, 165), (381, 166), (381, 167), (381, 168), (381, 169), (381, 170), (381, 171), (381, 172), (381, 173), (381, 174), (381, 175), (381, 176), (381, 177), (381, 178), (381, 179), (381, 180), (381, 181), (381, 182), (381, 183), (381, 184), (381, 185), (381, 186), (381, 187), (381, 188), (381, 189), (381, 190), (381, 191), (381, 192), (381, 193), (381, 195), (382, 118), (382, 120), (382, 121), (382, 122), (382, 123), (382, 124), (382, 125), (382, 126), (382, 127), (382, 128), (382, 129), (382, 130), (382, 131), (382, 132), (382, 133), (382, 134), (382, 135), (382, 136), (382, 137), (382, 138), (382, 139), (382, 140), (382, 141), (382, 142), (382, 143), (382, 144), (382, 145), (382, 146),
(382, 147), (382, 148), (382, 149), (382, 150), (382, 151), (382, 152), (382, 153), (382, 154), (382, 155), (382, 156), (382, 157), (382, 158), (382, 159), (382, 160), (382, 161), (382, 162), (382, 163), (382, 164), (382, 165), (382, 166), (382, 167), (382, 168), (382, 169), (382, 170), (382, 171), (382, 172), (382, 173), (382, 174), (382, 175), (382, 176), (382, 177), (382, 178), (382, 179), (382, 180), (382, 181), (382, 182), (382, 183), (382, 184), (382, 185), (382, 186), (382, 187), (382, 188), (382, 189), (382, 190), (382, 191), (382, 192), (382, 194), (383, 119), (383, 121), (383, 122), (383, 123), (383, 124), (383, 125), (383, 126), (383, 127), (383, 128), (383, 129), (383, 130), (383, 131), (383, 132), (383, 133), (383, 134), (383, 135), (383, 136), (383, 137), (383, 138), (383, 139), (383, 140), (383, 141), (383, 142), (383, 143), (383, 144),
(383, 145), (383, 146), (383, 147), (383, 148), (383, 149), (383, 150), (383, 151), (383, 152), (383, 153), (383, 154), (383, 155), (383, 156), (383, 157), (383, 158), (383, 159), (383, 160), (383, 161), (383, 162), (383, 163), (383, 164), (383, 165), (383, 166), (383, 167), (383, 168), (383, 169), (383, 170), (383, 171), (383, 172), (383, 173), (383, 174), (383, 175), (383, 176), (383, 177), (383, 178), (383, 179), (383, 180), (383, 181), (383, 182), (383, 183), (383, 184), (383, 185), (383, 186), (383, 187), (383, 188), (383, 189), (383, 190), (383, 191), (384, 119), (384, 120), (384, 124), (384, 125), (384, 126), (384, 127), (384, 128), (384, 129), (384, 130), (384, 131), (384, 132), (384, 133), (384, 134), (384, 135), (384, 136), (384, 137), (384, 138), (384, 139), (384, 140), (384, 141), (384, 142), (384, 143), (384, 144), (384, 145), (384, 146),
(384, 147), (384, 148), (384, 149), (384, 150), (384, 151), (384, 152), (384, 153), (384, 154), (384, 155), (384, 156), (384, 157), (384, 158), (384, 159), (384, 160), (384, 161), (384, 162), (384, 163), (384, 164), (384, 165), (384, 166), (384, 167), (384, 168), (384, 169), (384, 170), (384, 171), (384, 172), (384, 173), (384, 174), (384, 175), (384, 176), (384, 177), (384, 178), (384, 179), (384, 180), (384, 181), (384, 182), (384, 183), (384, 184), (384, 185), (384, 186), (384, 187), (384, 188), (384, 189), (384, 190), (384, 193), (385, 121), (385, 123), (385, 127), (385, 128), (385, 129), (385, 130), (385, 131), (385, 132), (385, 133), (385, 134), (385, 135), (385, 136), (385, 137), (385, 138), (385, 139), (385, 140), (385, 141), (385, 142), (385, 143), (385, 144), (385, 145), (385, 146), (385, 147), (385, 148), (385, 149), (385, 150), (385, 151),
(385, 152), (385, 153), (385, 154), (385, 155), (385, 156), (385, 157), (385, 158), (385, 159), (385, 160), (385, 161), (385, 162), (385, 163), (385, 164), (385, 165), (385, 166), (385, 167), (385, 168), (385, 169), (385, 170), (385, 171), (385, 172), (385, 173), (385, 174), (385, 175), (385, 176), (385, 177), (385, 178), (385, 179), (385, 180), (385, 181), (385, 182), (385, 183), (385, 184), (385, 185), (385, 186), (385, 187), (385, 188), (385, 189), (385, 192), (386, 124), (386, 125), (386, 126), (386, 130), (386, 131), (386, 132), (386, 133), (386, 134), (386, 135), (386, 136), (386, 137), (386, 138), (386, 139), (386, 140), (386, 141), (386, 142), (386, 143), (386, 144), (386, 145), (386, 146), (386, 147), (386, 148), (386, 149), (386, 150), (386, 151), (386, 152), (386, 153), (386, 154), (386, 155), (386, 156), (386, 157), (386, 158), (386, 159),
(386, 160), (386, 161), (386, 162), (386, 163), (386, 164), (386, 165), (386, 166), (386, 167), (386, 168), (386, 169), (386, 170), (386, 171), (386, 172), (386, 173), (386, 174), (386, 175), (386, 176), (386, 177), (386, 178), (386, 179), (386, 180), (386, 181), (386, 182), (386, 183), (386, 184), (386, 185), (386, 186), (386, 187), (386, 191), (387, 127), (387, 128), (387, 129), (387, 133), (387, 134), (387, 135), (387, 136), (387, 137), (387, 138), (387, 139), (387, 140), (387, 141), (387, 142), (387, 143), (387, 144), (387, 145), (387, 146), (387, 147), (387, 148), (387, 149), (387, 150), (387, 151), (387, 152), (387, 153), (387, 154), (387, 155), (387, 156), (387, 157), (387, 158), (387, 159), (387, 160), (387, 161), (387, 162), (387, 163), (387, 164), (387, 165), (387, 166), (387, 167), (387, 168), (387, 169), (387, 170), (387, 171), (387, 172),
(387, 173), (387, 174), (387, 175), (387, 176), (387, 177), (387, 178), (387, 179), (387, 180), (387, 181), (387, 182), (387, 183), (387, 184), (387, 189), (388, 130), (388, 131), (388, 135), (388, 136), (388, 137), (388, 138), (388, 139), (388, 140), (388, 141), (388, 142), (388, 143), (388, 144), (388, 145), (388, 146), (388, 147), (388, 148), (388, 149), (388, 150), (388, 151), (388, 152), (388, 153), (388, 154), (388, 155), (388, 156), (388, 157), (388, 158), (388, 159), (388, 160), (388, 161), (388, 162), (388, 163), (388, 164), (388, 165), (388, 166), (388, 167), (388, 168), (388, 169), (388, 170), (388, 171), (388, 172), (388, 173), (388, 174), (388, 175), (388, 176), (388, 177), (388, 178), (388, 179), (388, 180), (388, 181), (388, 185), (388, 187), (389, 133), (389, 134), (389, 144), (389, 145), (389, 146), (389, 147), (389, 148), (389, 149),
(389, 150), (389, 151), (389, 152), (389, 153), (389, 154), (389, 155), (389, 156), (389, 157), (389, 158), (389, 159), (389, 160), (389, 161), (389, 162), (389, 163), (389, 164), (389, 165), (389, 166), (389, 167), (389, 168), (389, 169), (389, 170), (389, 171), (389, 172), (389, 173), (389, 174), (389, 175), (389, 176), (389, 182), (389, 183), (389, 184), (390, 135), (390, 137), (390, 138), (390, 139), (390, 140), (390, 141), (390, 142), (390, 143), (390, 148), (390, 149), (390, 150), (390, 151), (390, 152), (390, 153), (390, 154), (390, 155), (390, 156), (390, 157), (390, 158), (390, 159), (390, 160), (390, 161), (390, 162), (390, 163), (390, 164), (390, 165), (390, 166), (390, 167), (390, 168), (390, 169), (390, 170), (390, 171), (390, 172), (390, 177), (390, 178), (390, 179), (390, 180), (391, 144), (391, 145), (391, 146), (391, 147), (391, 152),
(391, 153), (391, 154), (391, 155), (391, 156), (391, 157), (391, 158), (391, 159), (391, 160), (391, 161), (391, 162), (391, 163), (391, 164), (391, 165), (391, 166), (391, 167), (391, 168), (391, 169), (391, 173), (391, 174), (391, 175), (391, 176), (392, 148), (392, 149), (392, 150), (392, 151), (392, 158), (392, 159), (392, 160), (392, 161), (392, 162), (392, 163), (392, 164), (392, 165), (392, 166), (392, 167), (392, 171), (392, 172), (393, 152), (393, 153), (393, 154), (393, 155), (393, 156), (393, 157), (393, 168), (393, 169), (394, 158), (394, 159), (394, 160), (394, 161), (394, 162), (394, 163), (394, 164), (394, 165), (394, 166), (394, 167), )
coordinates_FFBF00 = ((121, 242),
(121, 243), (121, 244), (121, 245), (121, 246), (121, 247), (121, 248), (121, 249), (121, 250), (121, 251), (121, 252), (121, 253), (122, 236), (122, 237), (122, 238), (122, 239), (122, 240), (122, 241), (122, 242), (122, 254), (122, 255), (122, 256), (122, 257), (122, 258), (122, 259), (122, 260), (122, 261), (122, 262), (123, 233), (123, 235), (123, 242), (123, 243), (123, 244), (123, 245), (123, 246), (123, 247), (123, 248), (123, 249), (123, 250), (123, 251), (123, 252), (123, 253), (123, 263), (123, 264), (123, 265), (123, 266), (123, 267), (123, 268), (124, 231), (124, 236), (124, 237), (124, 238), (124, 239), (124, 240), (124, 241), (124, 242), (124, 243), (124, 244), (124, 245), (124, 246), (124, 247), (124, 248), (124, 249), (124, 250), (124, 251), (124, 252), (124, 253), (124, 254), (124, 255), (124, 256), (124, 257), (124, 258), (124, 259),
(124, 260), (124, 261), (124, 262), (124, 269), (124, 270), (124, 271), (124, 272), (125, 230), (125, 233), (125, 234), (125, 235), (125, 236), (125, 237), (125, 238), (125, 239), (125, 240), (125, 241), (125, 242), (125, 243), (125, 244), (125, 245), (125, 246), (125, 247), (125, 248), (125, 249), (125, 250), (125, 251), (125, 252), (125, 253), (125, 254), (125, 255), (125, 256), (125, 257), (125, 258), (125, 259), (125, 260), (125, 261), (125, 262), (125, 263), (125, 264), (125, 265), (125, 266), (125, 267), (125, 268), (125, 273), (125, 274), (125, 275), (126, 229), (126, 231), (126, 232), (126, 233), (126, 234), (126, 235), (126, 236), (126, 237), (126, 238), (126, 239), (126, 240), (126, 241), (126, 242), (126, 243), (126, 244), (126, 245), (126, 246), (126, 247), (126, 248), (126, 249), (126, 250), (126, 251), (126, 252), (126, 253), (126, 254),
(126, 255), (126, 256), (126, 257), (126, 258), (126, 259), (126, 260), (126, 261), (126, 262), (126, 263), (126, 264), (126, 265), (126, 266), (126, 267), (126, 268), (126, 269), (126, 270), (126, 271), (126, 272), (126, 277), (126, 278), (127, 228), (127, 230), (127, 231), (127, 232), (127, 233), (127, 234), (127, 235), (127, 236), (127, 237), (127, 238), (127, 239), (127, 240), (127, 241), (127, 242), (127, 243), (127, 244), (127, 245), (127, 246), (127, 247), (127, 248), (127, 249), (127, 250), (127, 251), (127, 252), (127, 253), (127, 254), (127, 255), (127, 256), (127, 257), (127, 258), (127, 259), (127, 260), (127, 261), (127, 262), (127, 263), (127, 264), (127, 265), (127, 266), (127, 267), (127, 268), (127, 269), (127, 270), (127, 271), (127, 272), (127, 273), (127, 274), (127, 275), (127, 276), (127, 281), (128, 227), (128, 229), (128, 230),
(128, 231), (128, 232), (128, 233), (128, 234), (128, 235), (128, 236), (128, 237), (128, 238), (128, 239), (128, 240), (128, 241), (128, 242), (128, 243), (128, 244), (128, 245), (128, 246), (128, 247), (128, 248), (128, 249), (128, 250), (128, 251), (128, 252), (128, 253), (128, 254), (128, 255), (128, 256), (128, 257), (128, 258), (128, 259), (128, 260), (128, 261), (128, 262), (128, 263), (128, 264), (128, 265), (128, 266), (128, 267), (128, 268), (128, 269), (128, 270), (128, 271), (128, 272), (128, 273), (128, 274), (128, 275), (128, 276), (128, 277), (128, 278), (128, 279), (128, 283), (129, 226), (129, 228), (129, 229), (129, 230), (129, 231), (129, 232), (129, 233), (129, 234), (129, 235), (129, 236), (129, 237), (129, 238), (129, 239), (129, 240), (129, 241), (129, 242), (129, 243), (129, 244), (129, 245), (129, 246), (129, 247), (129, 248),
(129, 249), (129, 250), (129, 251), (129, 252), (129, 253), (129, 254), (129, 255), (129, 256), (129, 257), (129, 258), (129, 259), (129, 260), (129, 261), (129, 262), (129, 263), (129, 264), (129, 265), (129, 266), (129, 267), (129, 268), (129, 269), (129, 270), (129, 271), (129, 272), (129, 273), (129, 274), (129, 275), (129, 276), (129, 277), (129, 278), (129, 279), (129, 280), (129, 281), (129, 285), (130, 225), (130, 227), (130, 228), (130, 229), (130, 230), (130, 231), (130, 232), (130, 233), (130, 234), (130, 235), (130, 236), (130, 237), (130, 238), (130, 239), (130, 240), (130, 241), (130, 242), (130, 243), (130, 244), (130, 245), (130, 246), (130, 247), (130, 248), (130, 249), (130, 250), (130, 251), (130, 252), (130, 253), (130, 254), (130, 255), (130, 256), (130, 257), (130, 258), (130, 259), (130, 260), (130, 261), (130, 262), (130, 263),
(130, 264), (130, 265), (130, 266), (130, 267), (130, 268), (130, 269), (130, 270), (130, 271), (130, 272), (130, 273), (130, 274), (130, 275), (130, 276), (130, 277), (130, 278), (130, 279), (130, 280), (130, 281), (130, 282), (130, 283), (130, 286), (131, 224), (131, 226), (131, 227), (131, 228), (131, 229), (131, 230), (131, 231), (131, 232), (131, 233), (131, 234), (131, 235), (131, 236), (131, 237), (131, 238), (131, 239), (131, 240), (131, 241), (131, 242), (131, 243), (131, 244), (131, 245), (131, 246), (131, 247), (131, 248), (131, 249), (131, 250), (131, 251), (131, 252), (131, 253), (131, 254), (131, 255), (131, 256), (131, 257), (131, 258), (131, 259), (131, 260), (131, 261), (131, 262), (131, 263), (131, 264), (131, 265), (131, 266), (131, 267), (131, 268), (131, 269), (131, 270), (131, 271), (131, 272), (131, 273), (131, 274), (131, 275),
(131, 276), (131, 277), (131, 278), (131, 279), (131, 280), (131, 281), (131, 282), (131, 283), (131, 284), (131, 285), (131, 288), (132, 224), (132, 226), (132, 227), (132, 228), (132, 229), (132, 230), (132, 231), (132, 232), (132, 233), (132, 234), (132, 235), (132, 236), (132, 237), (132, 238), (132, 239), (132, 240), (132, 241), (132, 242), (132, 243), (132, 244), (132, 245), (132, 246), (132, 247), (132, 248), (132, 249), (132, 250), (132, 251), (132, 252), (132, 253), (132, 254), (132, 255), (132, 256), (132, 257), (132, 258), (132, 259), (132, 260), (132, 261), (132, 262), (132, 263), (132, 264), (132, 265), (132, 266), (132, 267), (132, 268), (132, 269), (132, 270), (132, 271), (132, 272), (132, 273), (132, 274), (132, 275), (132, 276), (132, 277), (132, 278), (132, 279), (132, 280), (132, 281), (132, 282), (132, 283), (132, 284), (132, 285),
(132, 286), (132, 289), (132, 290), (133, 223), (133, 225), (133, 226), (133, 227), (133, 228), (133, 229), (133, 230), (133, 231), (133, 232), (133, 233), (133, 234), (133, 235), (133, 236), (133, 237), (133, 238), (133, 239), (133, 240), (133, 241), (133, 242), (133, 243), (133, 244), (133, 245), (133, 246), (133, 247), (133, 248), (133, 249), (133, 250), (133, 251), (133, 252), (133, 253), (133, 254), (133, 255), (133, 256), (133, 257), (133, 258), (133, 259), (133, 260), (133, 261), (133, 262), (133, 263), (133, 264), (133, 265), (133, 266), (133, 267), (133, 268), (133, 269), (133, 270), (133, 271), (133, 272), (133, 273), (133, 274), (133, 275), (133, 276), (133, 277), (133, 278), (133, 279), (133, 280), (133, 281), (133, 282), (133, 283), (133, 284), (133, 285), (133, 286), (133, 287), (133, 288), (133, 291), (134, 222), (134, 224), (134, 225),
(134, 226), (134, 227), (134, 228), (134, 229), (134, 230), (134, 231), (134, 232), (134, 233), (134, 234), (134, 235), (134, 236), (134, 237), (134, 238), (134, 239), (134, 240), (134, 241), (134, 242), (134, 243), (134, 244), (134, 245), (134, 246), (134, 247), (134, 248), (134, 249), (134, 250), (134, 251), (134, 252), (134, 253), (134, 254), (134, 255), (134, 256), (134, 257), (134, 258), (134, 259), (134, 260), (134, 261), (134, 262), (134, 263), (134, 264), (134, 265), (134, 266), (134, 267), (134, 268), (134, 269), (134, 270), (134, 271), (134, 272), (134, 273), (134, 274), (134, 275), (134, 276), (134, 277), (134, 278), (134, 279), (134, 280), (134, 281), (134, 282), (134, 283), (134, 284), (134, 285), (134, 286), (134, 287), (134, 288), (134, 289), (134, 290), (134, 293), (135, 221), (135, 223), (135, 224), (135, 225), (135, 226), (135, 227),
(135, 228), (135, 229), (135, 230), (135, 231), (135, 232), (135, 233), (135, 234), (135, 235), (135, 236), (135, 237), (135, 238), (135, 239), (135, 240), (135, 241), (135, 242), (135, 243), (135, 244), (135, 245), (135, 246), (135, 247), (135, 248), (135, 249), (135, 250), (135, 251), (135, 252), (135, 253), (135, 254), (135, 255), (135, 256), (135, 257), (135, 258), (135, 259), (135, 260), (135, 261), (135, 262), (135, 263), (135, 264), (135, 265), (135, 266), (135, 267), (135, 268), (135, 269), (135, 270), (135, 271), (135, 272), (135, 273), (135, 274), (135, 275), (135, 276), (135, 277), (135, 278), (135, 279), (135, 280), (135, 281), (135, 282), (135, 283), (135, 284), (135, 285), (135, 286), (135, 287), (135, 288), (135, 289), (135, 290), (135, 291), (135, 294), (136, 210), (136, 220), (136, 222), (136, 223), (136, 224), (136, 225), (136, 226),
(136, 227), (136, 228), (136, 229), (136, 230), (136, 231), (136, 232), (136, 233), (136, 234), (136, 235), (136, 236), (136, 237), (136, 238), (136, 239), (136, 240), (136, 241), (136, 242), (136, 243), (136, 244), (136, 245), (136, 246), (136, 247), (136, 248), (136, 249), (136, 250), (136, 251), (136, 252), (136, 253), (136, 254), (136, 255), (136, 256), (136, 257), (136, 258), (136, 259), (136, 260), (136, 261), (136, 262), (136, 263), (136, 264), (136, 265), (136, 266), (136, 267), (136, 268), (136, 269), (136, 270), (136, 271), (136, 272), (136, 273), (136, 274), (136, 275), (136, 276), (136, 277), (136, 278), (136, 279), (136, 280), (136, 281), (136, 282), (136, 283), (136, 284), (136, 285), (136, 286), (136, 287), (136, 288), (136, 289), (136, 290), (136, 291), (136, 292), (136, 293), (136, 296), (137, 219), (137, 221), (137, 222), (137, 223),
(137, 224), (137, 225), (137, 226), (137, 227), (137, 228), (137, 229), (137, 230), (137, 231), (137, 232), (137, 233), (137, 234), (137, 235), (137, 236), (137, 237), (137, 238), (137, 239), (137, 240), (137, 241), (137, 242), (137, 243), (137, 244), (137, 245), (137, 246), (137, 247), (137, 248), (137, 249), (137, 250), (137, 251), (137, 252), (137, 253), (137, 254), (137, 255), (137, 256), (137, 257), (137, 258), (137, 259), (137, 260), (137, 261), (137, 262), (137, 263), (137, 264), (137, 265), (137, 266), (137, 267), (137, 268), (137, 269), (137, 270), (137, 271), (137, 272), (137, 273), (137, 274), (137, 275), (137, 276), (137, 277), (137, 278), (137, 279), (137, 280), (137, 281), (137, 282), (137, 283), (137, 284), (137, 285), (137, 286), (137, 287), (137, 288), (137, 289), (137, 290), (137, 291), (137, 292), (137, 293), (137, 294), (137, 297),
(138, 211), (138, 217), (138, 220), (138, 221), (138, 222), (138, 223), (138, 224), (138, 225), (138, 226), (138, 227), (138, 228), (138, 229), (138, 230), (138, 231), (138, 232), (138, 233), (138, 234), (138, 235), (138, 236), (138, 237), (138, 238), (138, 239), (138, 240), (138, 241), (138, 242), (138, 243), (138, 244), (138, 245), (138, 246), (138, 247), (138, 248), (138, 249), (138, 250), (138, 251), (138, 252), (138, 253), (138, 254), (138, 255), (138, 256), (138, 257), (138, 258), (138, 259), (138, 260), (138, 261), (138, 262), (138, 263), (138, 264), (138, 265), (138, 266), (138, 267), (138, 268), (138, 269), (138, 270), (138, 271), (138, 272), (138, 273), (138, 274), (138, 275), (138, 276), (138, 277), (138, 278), (138, 279), (138, 280), (138, 281), (138, 282), (138, 283), (138, 284), (138, 285), (138, 286), (138, 287), (138, 288), (138, 289),
(138, 290), (138, 291), (138, 292), (138, 293), (138, 294), (138, 295), (138, 296), (138, 298), (139, 216), (139, 219), (139, 220), (139, 221), (139, 222), (139, 223), (139, 224), (139, 225), (139, 226), (139, 227), (139, 228), (139, 229), (139, 230), (139, 231), (139, 232), (139, 233), (139, 234), (139, 235), (139, 236), (139, 237), (139, 238), (139, 239), (139, 240), (139, 241), (139, 242), (139, 243), (139, 244), (139, 245), (139, 246), (139, 247), (139, 248), (139, 249), (139, 250), (139, 251), (139, 252), (139, 253), (139, 254), (139, 255), (139, 256), (139, 257), (139, 258), (139, 259), (139, 260), (139, 261), (139, 262), (139, 263), (139, 264), (139, 265), (139, 266), (139, 267), (139, 268), (139, 269), (139, 270), (139, 271), (139, 272), (139, 273), (139, 274), (139, 275), (139, 276), (139, 277), (139, 278), (139, 279), (139, 280), (139, 281),
(139, 282), (139, 283), (139, 284), (139, 285), (139, 286), (139, 287), (139, 288), (139, 289), (139, 290), (139, 291), (139, 292), (139, 293), (139, 294), (139, 295), (139, 296), (139, 297), (139, 300), (140, 213), (140, 214), (140, 215), (140, 218), (140, 219), (140, 220), (140, 221), (140, 222), (140, 223), (140, 224), (140, 225), (140, 226), (140, 227), (140, 228), (140, 229), (140, 230), (140, 231), (140, 232), (140, 233), (140, 234), (140, 235), (140, 236), (140, 237), (140, 238), (140, 239), (140, 240), (140, 241), (140, 242), (140, 243), (140, 244), (140, 245), (140, 246), (140, 247), (140, 248), (140, 249), (140, 250), (140, 251), (140, 252), (140, 253), (140, 254), (140, 255), (140, 256), (140, 257), (140, 258), (140, 259), (140, 260), (140, 261), (140, 262), (140, 263), (140, 264), (140, 265), (140, 266), (140, 267), (140, 268), (140, 269),
(140, 270), (140, 271), (140, 272), (140, 273), (140, 274), (140, 275), (140, 276), (140, 277), (140, 278), (140, 279), (140, 280), (140, 281), (140, 282), (140, 283), (140, 284), (140, 285), (140, 286), (140, 287), (140, 288), (140, 289), (140, 290), (140, 291), (140, 292), (140, 293), (140, 294), (140, 295), (140, 296), (140, 297), (140, 298), (140, 301), (141, 213), (141, 216), (141, 217), (141, 218), (141, 219), (141, 220), (141, 221), (141, 222), (141, 223), (141, 224), (141, 225), (141, 226), (141, 227), (141, 228), (141, 229), (141, 230), (141, 231), (141, 232), (141, 233), (141, 234), (141, 235), (141, 236), (141, 237), (141, 238), (141, 239), (141, 240), (141, 241), (141, 242), (141, 243), (141, 244), (141, 245), (141, 246), (141, 247), (141, 248), (141, 249), (141, 250), (141, 251), (141, 252), (141, 253), (141, 254), (141, 255), (141, 256),
(141, 257), (141, 258), (141, 259), (141, 260), (141, 261), (141, 262), (141, 263), (141, 264), (141, 265), (141, 266), (141, 267), (141, 268), (141, 269), (141, 270), (141, 271), (141, 272), (141, 273), (141, 274), (141, 275), (141, 276), (141, 277), (141, 278), (141, 279), (141, 280), (141, 281), (141, 282), (141, 283), (141, 284), (141, 285), (141, 286), (141, 287), (141, 288), (141, 289), (141, 290), (141, 291), (141, 292), (141, 293), (141, 294), (141, 295), (141, 296), (141, 297), (141, 298), (141, 299), (141, 300), (141, 302), (142, 212), (142, 213), (142, 215), (142, 216), (142, 217), (142, 218), (142, 219), (142, 220), (142, 221), (142, 222), (142, 223), (142, 224), (142, 225), (142, 226), (142, 227), (142, 228), (142, 229), (142, 230), (142, 231), (142, 232), (142, 233), (142, 234), (142, 235), (142, 236), (142, 237), (142, 238), (142, 239),
(142, 240), (142, 241), (142, 242), (142, 243), (142, 244), (142, 245), (142, 246), (142, 247), (142, 248), (142, 249), (142, 250), (142, 251), (142, 252), (142, 253), (142, 254), (142, 255), (142, 256), (142, 257), (142, 258), (142, 259), (142, 260), (142, 261), (142, 262), (142, 263), (142, 264), (142, 265), (142, 266), (142, 267), (142, 268), (142, 269), (142, 270), (142, 271), (142, 272), (142, 273), (142, 274), (142, 275), (142, 276), (142, 277), (142, 278), (142, 279), (142, 280), (142, 281), (142, 282), (142, 283), (142, 284), (142, 285), (142, 286), (142, 287), (142, 288), (142, 289), (142, 290), (142, 291), (142, 292), (142, 293), (142, 294), (142, 295), (142, 296), (142, 297), (142, 298), (142, 299), (142, 300), (142, 301), (142, 304), (143, 211), (143, 212), (143, 213), (143, 214), (143, 215), (143, 216), (143, 217), (143, 218), (143, 219),
(143, 220), (143, 221), (143, 222), (143, 223), (143, 224), (143, 225), (143, 226), (143, 227), (143, 228), (143, 229), (143, 230), (143, 231), (143, 232), (143, 233), (143, 234), (143, 235), (143, 236), (143, 237), (143, 238), (143, 239), (143, 240), (143, 241), (143, 242), (143, 243), (143, 244), (143, 245), (143, 246), (143, 247), (143, 248), (143, 249), (143, 250), (143, 251), (143, 252), (143, 253), (143, 254), (143, 255), (143, 256), (143, 257), (143, 258), (143, 259), (143, 260), (143, 261), (143, 262), (143, 263), (143, 264), (143, 265), (143, 266), (143, 267), (143, 268), (143, 269), (143, 270), (143, 271), (143, 272), (143, 273), (143, 274), (143, 275), (143, 276), (143, 277), (143, 278), (143, 279), (143, 280), (143, 281), (143, 282), (143, 283), (143, 284), (143, 285), (143, 286), (143, 287), (143, 288), (143, 289), (143, 290), (143, 291),
(143, 292), (143, 293), (143, 294), (143, 295), (143, 296), (143, 297), (143, 298), (143, 299), (143, 300), (143, 301), (143, 302), (143, 305), (144, 210), (144, 213), (144, 214), (144, 215), (144, 216), (144, 217), (144, 218), (144, 219), (144, 220), (144, 221), (144, 222), (144, 223), (144, 224), (144, 225), (144, 226), (144, 227), (144, 228), (144, 229), (144, 230), (144, 231), (144, 232), (144, 233), (144, 234), (144, 235), (144, 236), (144, 237), (144, 238), (144, 239), (144, 240), (144, 241), (144, 242), (144, 243), (144, 244), (144, 245), (144, 246), (144, 247), (144, 248), (144, 249), (144, 250), (144, 251), (144, 252), (144, 253), (144, 254), (144, 255), (144, 256), (144, 257), (144, 258), (144, 259), (144, 260), (144, 261), (144, 262), (144, 263), (144, 264), (144, 265), (144, 266), (144, 267), (144, 268), (144, 269), (144, 270), (144, 271),
(144, 272), (144, 273), (144, 274), (144, 275), (144, 276), (144, 277), (144, 278), (144, 279), (144, 280), (144, 281), (144, 282), (144, 283), (144, 284), (144, 285), (144, 286), (144, 287), (144, 288), (144, 289), (144, 290), (144, 291), (144, 292), (144, 293), (144, 294), (144, 295), (144, 296), (144, 297), (144, 298), (144, 299), (144, 300), (144, 301), (144, 302), (144, 303), (144, 304), (144, 306), (145, 210), (145, 212), (145, 213), (145, 214), (145, 215), (145, 216), (145, 217), (145, 218), (145, 219), (145, 220), (145, 221), (145, 222), (145, 223), (145, 224), (145, 225), (145, 226), (145, 227), (145, 228), (145, 229), (145, 230), (145, 231), (145, 232), (145, 233), (145, 234), (145, 235), (145, 236), (145, 237), (145, 238), (145, 239), (145, 240), (145, 241), (145, 242), (145, 243), (145, 244), (145, 245), (145, 246), (145, 247), (145, 248),
(145, 249), (145, 250), (145, 251), (145, 252), (145, 253), (145, 254), (145, 255), (145, 256), (145, 257), (145, 258), (145, 259), (145, 260), (145, 261), (145, 262), (145, 263), (145, 264), (145, 265), (145, 266), (145, 267), (145, 268), (145, 269), (145, 270), (145, 271), (145, 272), (145, 273), (145, 274), (145, 275), (145, 276), (145, 277), (145, 278), (145, 279), (145, 280), (145, 281), (145, 282), (145, 283), (145, 284), (145, 285), (145, 286), (145, 287), (145, 288), (145, 289), (145, 290), (145, 291), (145, 292), (145, 293), (145, 294), (145, 295), (145, 296), (145, 297), (145, 298), (145, 299), (145, 300), (145, 301), (145, 302), (145, 303), (145, 304), (146, 210), (146, 211), (146, 212), (146, 213), (146, 214), (146, 215), (146, 216), (146, 217), (146, 218), (146, 219), (146, 220), (146, 221), (146, 222), (146, 223), (146, 224), (146, 225),
(146, 226), (146, 227), (146, 228), (146, 229), (146, 230), (146, 231), (146, 232), (146, 233), (146, 234), (146, 235), (146, 236), (146, 237), (146, 238), (146, 239), (146, 240), (146, 241), (146, 242), (146, 243), (146, 244), (146, 245), (146, 246), (146, 247), (146, 248), (146, 249), (146, 250), (146, 251), (146, 252), (146, 253), (146, 254), (146, 255), (146, 256), (146, 257), (146, 258), (146, 259), (146, 260), (146, 261), (146, 262), (146, 263), (146, 264), (146, 265), (146, 266), (146, 267), (146, 268), (146, 269), (146, 270), (146, 271), (146, 272), (146, 273), (146, 274), (146, 275), (146, 276), (146, 277), (146, 278), (146, 279), (146, 280), (146, 281), (146, 282), (146, 283), (146, 284), (146, 285), (146, 286), (146, 287), (146, 288), (146, 289), (146, 290), (146, 291), (146, 292), (146, 293), (146, 294), (146, 295), (146, 296), (146, 297),
(146, 298), (146, 299), (146, 300), (146, 301), (146, 302), (146, 303), (146, 304), (146, 305), (146, 307), (147, 209), (147, 211), (147, 212), (147, 213), (147, 214), (147, 215), (147, 216), (147, 217), (147, 218), (147, 219), (147, 220), (147, 221), (147, 222), (147, 223), (147, 224), (147, 225), (147, 226), (147, 227), (147, 228), (147, 229), (147, 230), (147, 231), (147, 232), (147, 233), (147, 234), (147, 235), (147, 236), (147, 237), (147, 238), (147, 239), (147, 240), (147, 241), (147, 242), (147, 243), (147, 244), (147, 245), (147, 246), (147, 247), (147, 248), (147, 249), (147, 250), (147, 251), (147, 252), (147, 253), (147, 254), (147, 255), (147, 256), (147, 257), (147, 258), (147, 259), (147, 260), (147, 261), (147, 262), (147, 263), (147, 264), (147, 265), (147, 266), (147, 267), (147, 268), (147, 269), (147, 270), (147, 271), (147, 272),
(147, 273), (147, 274), (147, 275), (147, 276), (147, 277), (147, 278), (147, 279), (147, 280), (147, 281), (147, 282), (147, 283), (147, 284), (147, 285), (147, 286), (147, 287), (147, 288), (147, 289), (147, 290), (147, 291), (147, 292), (147, 293), (147, 294), (147, 295), (147, 296), (147, 297), (147, 298), (147, 299), (147, 300), (147, 301), (147, 302), (147, 303), (147, 304), (147, 305), (147, 307), (148, 209), (148, 211), (148, 212), (148, 213), (148, 214), (148, 215), (148, 216), (148, 217), (148, 218), (148, 219), (148, 220), (148, 221), (148, 222), (148, 223), (148, 224), (148, 225), (148, 226), (148, 227), (148, 228), (148, 229), (148, 230), (148, 231), (148, 232), (148, 233), (148, 234), (148, 235), (148, 236), (148, 237), (148, 238), (148, 239), (148, 240), (148, 241), (148, 242), (148, 243), (148, 244), (148, 245), (148, 246), (148, 247),
(148, 248), (148, 249), (148, 250), (148, 251), (148, 252), (148, 253), (148, 254), (148, 255), (148, 256), (148, 257), (148, 258), (148, 259), (148, 260), (148, 261), (148, 262), (148, 263), (148, 264), (148, 265), (148, 266), (148, 267), (148, 268), (148, 269), (148, 270), (148, 271), (148, 272), (148, 273), (148, 274), (148, 275), (148, 276), (148, 277), (148, 278), (148, 279), (148, 280), (148, 281), (148, 282), (148, 283), (148, 284), (148, 285), (148, 286), (148, 287), (148, 288), (148, 289), (148, 290), (148, 291), (148, 292), (148, 293), (148, 294), (148, 295), (148, 296), (148, 297), (148, 298), (148, 299), (148, 300), (148, 301), (148, 302), (148, 303), (148, 304), (148, 305), (148, 306), (148, 308), (149, 209), (149, 211), (149, 212), (149, 213), (149, 214), (149, 215), (149, 216), (149, 217), (149, 218), (149, 219), (149, 220), (149, 221),
(149, 222), (149, 223), (149, 228), (149, 229), (149, 230), (149, 231), (149, 232), (149, 233), (149, 234), (149, 235), (149, 236), (149, 237), (149, 238), (149, 239), (149, 240), (149, 241), (149, 242), (149, 243), (149, 244), (149, 245), (149, 246), (149, 247), (149, 248), (149, 249), (149, 250), (149, 251), (149, 252), (149, 253), (149, 254), (149, 255), (149, 256), (149, 257), (149, 258), (149, 259), (149, 260), (149, 261), (149, 262), (149, 263), (149, 264), (149, 265), (149, 266), (149, 267), (149, 268), (149, 269), (149, 270), (149, 271), (149, 272), (149, 273), (149, 274), (149, 275), (149, 276), (149, 277), (149, 278), (149, 279), (149, 280), (149, 281), (149, 282), (149, 283), (149, 284), (149, 285), (149, 286), (149, 287), (149, 288), (149, 289), (149, 290), (149, 291), (149, 292), (149, 293), (149, 294), (149, 295), (149, 296), (149, 297),
(149, 298), (149, 299), (149, 300), (149, 301), (149, 302), (149, 303), (149, 304), (149, 305), (149, 306), (149, 308), (150, 209), (150, 211), (150, 212), (150, 213), (150, 214), (150, 215), (150, 216), (150, 217), (150, 218), (150, 219), (150, 220), (150, 221), (150, 224), (150, 225), (150, 226), (150, 229), (150, 230), (150, 231), (150, 232), (150, 233), (150, 234), (150, 235), (150, 236), (150, 237), (150, 238), (150, 239), (150, 240), (150, 241), (150, 242), (150, 243), (150, 244), (150, 245), (150, 246), (150, 247), (150, 248), (150, 249), (150, 250), (150, 251), (150, 252), (150, 253), (150, 254), (150, 255), (150, 256), (150, 257), (150, 258), (150, 259), (150, 260), (150, 261), (150, 262), (150, 263), (150, 264), (150, 265), (150, 266), (150, 267), (150, 268), (150, 269), (150, 270), (150, 271), (150, 272), (150, 273), (150, 274), (150, 275),
(150, 276), (150, 277), (150, 278), (150, 279), (150, 280), (150, 281), (150, 282), (150, 283), (150, 284), (150, 285), (150, 286), (150, 287), (150, 288), (150, 289), (150, 290), (150, 291), (150, 292), (150, 293), (150, 294), (150, 295), (150, 296), (150, 297), (150, 298), (150, 299), (150, 300), (150, 301), (150, 302), (150, 303), (150, 304), (150, 305), (150, 306), (150, 307), (150, 309), (151, 209), (151, 211), (151, 212), (151, 213), (151, 214), (151, 215), (151, 216), (151, 217), (151, 218), (151, 219), (151, 220), (151, 223), (151, 228), (151, 229), (151, 230), (151, 231), (151, 232), (151, 233), (151, 234), (151, 235), (151, 236), (151, 237), (151, 238), (151, 239), (151, 240), (151, 241), (151, 242), (151, 243), (151, 244), (151, 245), (151, 246), (151, 247), (151, 248), (151, 249), (151, 250), (151, 251), (151, 252), (151, 253), (151, 254),
(151, 255), (151, 256), (151, 257), (151, 258), (151, 259), (151, 260), (151, 261), (151, 262), (151, 263), (151, 264), (151, 265), (151, 266), (151, 267), (151, 268), (151, 269), (151, 270), (151, 271), (151, 272), (151, 273), (151, 274), (151, 275), (151, 276), (151, 277), (151, 278), (151, 279), (151, 280), (151, 281), (151, 282), (151, 283), (151, 284), (151, 285), (151, 286), (151, 287), (151, 288), (151, 289), (151, 290), (151, 291), (151, 292), (151, 293), (151, 294), (151, 295), (151, 296), (151, 297), (151, 298), (151, 299), (151, 300), (151, 301), (151, 302), (151, 303), (151, 304), (151, 305), (151, 306), (151, 307), (151, 309), (152, 208), (152, 210), (152, 211), (152, 212), (152, 213), (152, 214), (152, 215), (152, 216), (152, 217), (152, 218), (152, 219), (152, 220), (152, 229), (152, 231), (152, 232), (152, 233), (152, 234), (152, 235),
(152, 236), (152, 237), (152, 238), (152, 239), (152, 240), (152, 241), (152, 242), (152, 243), (152, 244), (152, 245), (152, 246), (152, 247), (152, 248), (152, 249), (152, 250), (152, 251), (152, 252), (152, 253), (152, 254), (152, 255), (152, 256), (152, 257), (152, 258), (152, 259), (152, 260), (152, 261), (152, 262), (152, 263), (152, 264), (152, 265), (152, 266), (152, 267), (152, 268), (152, 269), (152, 270), (152, 271), (152, 272), (152, 273), (152, 274), (152, 275), (152, 276), (152, 277), (152, 278), (152, 279), (152, 280), (152, 281), (152, 282), (152, 283), (152, 284), (152, 285), (152, 286), (152, 287), (152, 288), (152, 289), (152, 290), (152, 291), (152, 292), (152, 293), (152, 294), (152, 295), (152, 296), (152, 297), (152, 298), (152, 299), (152, 300), (152, 301), (152, 302), (152, 303), (152, 304), (152, 305), (152, 306), (152, 307),
(152, 308), (152, 310), (153, 208), (153, 210), (153, 211), (153, 212), (153, 213), (153, 214), (153, 215), (153, 216), (153, 217), (153, 218), (153, 219), (153, 221), (153, 230), (153, 232), (153, 233), (153, 234), (153, 235), (153, 236), (153, 237), (153, 238), (153, 239), (153, 240), (153, 241), (153, 242), (153, 243), (153, 244), (153, 245), (153, 246), (153, 247), (153, 248), (153, 249), (153, 250), (153, 251), (153, 252), (153, 253), (153, 254), (153, 255), (153, 256), (153, 257), (153, 258), (153, 259), (153, 260), (153, 261), (153, 262), (153, 263), (153, 264), (153, 265), (153, 266), (153, 267), (153, 268), (153, 269), (153, 270), (153, 271), (153, 272), (153, 273), (153, 274), (153, 275), (153, 276), (153, 277), (153, 278), (153, 279), (153, 280), (153, 281), (153, 282), (153, 283), (153, 284), (153, 285), (153, 286), (153, 287), (153, 288),
(153, 289), (153, 290), (153, 291), (153, 292), (153, 293), (153, 294), (153, 295), (153, 296), (153, 297), (153, 298), (153, 299), (153, 300), (153, 301), (153, 302), (153, 303), (153, 304), (153, 305), (153, 306), (153, 307), (153, 308), (153, 310), (154, 208), (154, 210), (154, 211), (154, 212), (154, 213), (154, 214), (154, 215), (154, 216), (154, 217), (154, 218), (154, 220), (154, 229), (154, 230), (154, 231), (154, 232), (154, 233), (154, 234), (154, 235), (154, 236), (154, 237), (154, 238), (154, 239), (154, 240), (154, 241), (154, 242), (154, 243), (154, 244), (154, 245), (154, 246), (154, 247), (154, 248), (154, 249), (154, 250), (154, 251), (154, 252), (154, 253), (154, 254), (154, 255), (154, 256), (154, 257), (154, 258), (154, 259), (154, 260), (154, 261), (154, 262), (154, 263), (154, 264), (154, 265), (154, 266), (154, 267), (154, 268),
(154, 269), (154, 270), (154, 271), (154, 272), (154, 273), (154, 274), (154, 275), (154, 276), (154, 277), (154, 278), (154, 279), (154, 280), (154, 281), (154, 282), (154, 283), (154, 284), (154, 285), (154, 286), (154, 287), (154, 288), (154, 289), (154, 290), (154, 291), (154, 292), (154, 293), (154, 294), (154, 295), (154, 296), (154, 297), (154, 298), (154, 299), (154, 300), (154, 301), (154, 302), (154, 303), (154, 304), (154, 305), (154, 306), (154, 307), (154, 308), (154, 309), (154, 311), (155, 208), (155, 210), (155, 211), (155, 212), (155, 213), (155, 214), (155, 215), (155, 216), (155, 217), (155, 219), (155, 229), (155, 231), (155, 232), (155, 233), (155, 234), (155, 235), (155, 236), (155, 237), (155, 238), (155, 239), (155, 240), (155, 241), (155, 242), (155, 243), (155, 244), (155, 245), (155, 246), (155, 247), (155, 248), (155, 249),
(155, 250), (155, 251), (155, 252), (155, 253), (155, 254), (155, 255), (155, 256), (155, 257), (155, 258), (155, 259), (155, 260), (155, 261), (155, 262), (155, 263), (155, 264), (155, 265), (155, 266), (155, 267), (155, 268), (155, 269), (155, 270), (155, 271), (155, 272), (155, 273), (155, 274), (155, 275), (155, 276), (155, 277), (155, 278), (155, 279), (155, 280), (155, 281), (155, 282), (155, 283), (155, 284), (155, 285), (155, 286), (155, 287), (155, 288), (155, 289), (155, 290), (155, 291), (155, 292), (155, 293), (155, 294), (155, 295), (155, 296), (155, 297), (155, 298), (155, 299), (155, 300), (155, 301), (155, 302), (155, 303), (155, 304), (155, 305), (155, 306), (155, 307), (155, 308), (155, 309), (155, 311), (156, 207), (156, 209), (156, 210), (156, 211), (156, 212), (156, 213), (156, 214), (156, 215), (156, 216), (156, 217), (156, 219),
(156, 229), (156, 231), (156, 232), (156, 233), (156, 234), (156, 235), (156, 236), (156, 237), (156, 238), (156, 239), (156, 240), (156, 241), (156, 242), (156, 243), (156, 244), (156, 245), (156, 246), (156, 247), (156, 248), (156, 249), (156, 250), (156, 251), (156, 252), (156, 253), (156, 254), (156, 255), (156, 256), (156, 257), (156, 258), (156, 259), (156, 260), (156, 261), (156, 262), (156, 263), (156, 264), (156, 265), (156, 266), (156, 267), (156, 268), (156, 269), (156, 270), (156, 271), (156, 272), (156, 273), (156, 274), (156, 275), (156, 276), (156, 277), (156, 278), (156, 279), (156, 280), (156, 281), (156, 282), (156, 283), (156, 284), (156, 285), (156, 286), (156, 287), (156, 288), (156, 289), (156, 290), (156, 291), (156, 292), (156, 293), (156, 294), (156, 295), (156, 296), (156, 297), (156, 298), (156, 299), (156, 300), (156, 301),
(156, 302), (156, 303), (156, 304), (156, 305), (156, 306), (156, 307), (156, 308), (156, 309), (156, 310), (156, 312), (157, 207), (157, 209), (157, 210), (157, 211), (157, 212), (157, 213), (157, 214), (157, 215), (157, 216), (157, 218), (157, 229), (157, 231), (157, 232), (157, 233), (157, 234), (157, 235), (157, 236), (157, 237), (157, 238), (157, 239), (157, 240), (157, 241), (157, 242), (157, 243), (157, 244), (157, 245), (157, 246), (157, 247), (157, 248), (157, 249), (157, 250), (157, 251), (157, 252), (157, 253), (157, 254), (157, 255), (157, 256), (157, 257), (157, 258), (157, 259), (157, 260), (157, 261), (157, 262), (157, 263), (157, 264), (157, 265), (157, 266), (157, 267), (157, 268), (157, 269), (157, 270), (157, 271), (157, 272), (157, 273), (157, 274), (157, 275), (157, 276), (157, 277), (157, 278), (157, 279), (157, 280), (157, 281),
(157, 282), (157, 283), (157, 284), (157, 285), (157, 286), (157, 287), (157, 288), (157, 289), (157, 290), (157, 291), (157, 292), (157, 293), (157, 294), (157, 295), (157, 296), (157, 297), (157, 298), (157, 299), (157, 300), (157, 301), (157, 302), (157, 303), (157, 304), (157, 305), (157, 306), (157, 307), (157, 308), (157, 309), (157, 310), (157, 312), (158, 206), (158, 208), (158, 209), (158, 210), (158, 211), (158, 212), (158, 213), (158, 214), (158, 215), (158, 216), (158, 218), (158, 229), (158, 231), (158, 232), (158, 233), (158, 234), (158, 235), (158, 236), (158, 237), (158, 238), (158, 239), (158, 240), (158, 241), (158, 242), (158, 243), (158, 244), (158, 245), (158, 246), (158, 247), (158, 248), (158, 249), (158, 250), (158, 251), (158, 252), (158, 253), (158, 254), (158, 255), (158, 256), (158, 257), (158, 258), (158, 259), (158, 260),
(158, 261), (158, 262), (158, 263), (158, 264), (158, 265), (158, 266), (158, 267), (158, 268), (158, 269), (158, 270), (158, 271), (158, 272), (158, 273), (158, 274), (158, 275), (158, 276), (158, 277), (158, 278), (158, 279), (158, 280), (158, 281), (158, 282), (158, 283), (158, 284), (158, 285), (158, 286), (158, 287), (158, 288), (158, 289), (158, 290), (158, 291), (158, 292), (158, 293), (158, 294), (158, 295), (158, 296), (158, 297), (158, 298), (158, 299), (158, 300), (158, 301), (158, 302), (158, 303), (158, 304), (158, 305), (158, 306), (158, 307), (158, 308), (158, 309), (158, 310), (158, 311), (158, 313), (159, 205), (159, 207), (159, 208), (159, 209), (159, 210), (159, 211), (159, 212), (159, 213), (159, 214), (159, 215), (159, 216), (159, 218), (159, 229), (159, 231), (159, 232), (159, 233), (159, 234), (159, 235), (159, 236), (159, 237),
(159, 238), (159, 239), (159, 240), (159, 241), (159, 242), (159, 243), (159, 244), (159, 245), (159, 246), (159, 247), (159, 248), (159, 249), (159, 250), (159, 251), (159, 252), (159, 253), (159, 254), (159, 255), (159, 256), (159, 257), (159, 258), (159, 259), (159, 260), (159, 261), (159, 262), (159, 263), (159, 264), (159, 265), (159, 266), (159, 267), (159, 268), (159, 269), (159, 270), (159, 271), (159, 272), (159, 273), (159, 274), (159, 275), (159, 276), (159, 277), (159, 278), (159, 279), (159, 280), (159, 281), (159, 282), (159, 283), (159, 284), (159, 285), (159, 286), (159, 287), (159, 288), (159, 289), (159, 290), (159, 291), (159, 292), (159, 293), (159, 294), (159, 295), (159, 296), (159, 297), (159, 298), (159, 299), (159, 300), (159, 301), (159, 302), (159, 303), (159, 304), (159, 305), (159, 306), (159, 307), (159, 308), (159, 309),
(159, 310), (159, 311), (159, 313), (160, 205), (160, 207), (160, 208), (160, 209), (160, 210), (160, 211), (160, 212), (160, 213), (160, 214), (160, 215), (160, 217), (160, 229), (160, 231), (160, 232), (160, 233), (160, 234), (160, 235), (160, 236), (160, 237), (160, 238), (160, 239), (160, 240), (160, 241), (160, 242), (160, 243), (160, 244), (160, 245), (160, 246), (160, 247), (160, 248), (160, 249), (160, 250), (160, 251), (160, 252), (160, 253), (160, 254), (160, 255), (160, 256), (160, 257), (160, 258), (160, 259), (160, 260), (160, 261), (160, 262), (160, 263), (160, 264), (160, 265), (160, 266), (160, 267), (160, 268), (160, 269), (160, 270), (160, 271), (160, 272), (160, 273), (160, 274), (160, 275), (160, 276), (160, 277), (160, 278), (160, 279), (160, 280), (160, 281), (160, 282), (160, 283), (160, 284), (160, 285), (160, 286), (160, 287),
(160, 288), (160, 289), (160, 290), (160, 291), (160, 292), (160, 293), (160, 294), (160, 295), (160, 296), (160, 297), (160, 298), (160, 299), (160, 300), (160, 301), (160, 302), (160, 303), (160, 304), (160, 305), (160, 306), (160, 307), (160, 308), (160, 309), (160, 310), (160, 311), (160, 312), (160, 314), (161, 204), (161, 206), (161, 207), (161, 208), (161, 209), (161, 210), (161, 211), (161, 212), (161, 213), (161, 214), (161, 215), (161, 217), (161, 229), (161, 231), (161, 232), (161, 233), (161, 234), (161, 235), (161, 236), (161, 237), (161, 238), (161, 239), (161, 240), (161, 241), (161, 242), (161, 243), (161, 244), (161, 245), (161, 246), (161, 247), (161, 248), (161, 249), (161, 250), (161, 251), (161, 252), (161, 253), (161, 254), (161, 255), (161, 256), (161, 257), (161, 258), (161, 259), (161, 260), (161, 261), (161, 262), (161, 263),
(161, 264), (161, 265), (161, 266), (161, 267), (161, 268), (161, 269), (161, 270), (161, 271), (161, 272), (161, 273), (161, 274), (161, 275), (161, 276), (161, 277), (161, 278), (161, 279), (161, 280), (161, 281), (161, 282), (161, 283), (161, 284), (161, 285), (161, 286), (161, 287), (161, 288), (161, 289), (161, 290), (161, 291), (161, 292), (161, 293), (161, 294), (161, 295), (161, 296), (161, 297), (161, 298), (161, 299), (161, 300), (161, 301), (161, 302), (161, 303), (161, 304), (161, 305), (161, 306), (161, 307), (161, 308), (161, 309), (161, 310), (161, 311), (161, 312), (161, 314), (162, 204), (162, 206), (162, 207), (162, 208), (162, 209), (162, 210), (162, 211), (162, 212), (162, 213), (162, 214), (162, 215), (162, 217), (162, 229), (162, 231), (162, 232), (162, 233), (162, 234), (162, 235), (162, 236), (162, 237), (162, 238), (162, 239),
(162, 240), (162, 241), (162, 242), (162, 243), (162, 244), (162, 245), (162, 246), (162, 247), (162, 248), (162, 249), (162, 250), (162, 251), (162, 252), (162, 253), (162, 254), (162, 255), (162, 256), (162, 257), (162, 258), (162, 259), (162, 260), (162, 261), (162, 262), (162, 263), (162, 264), (162, 265), (162, 266), (162, 267), (162, 268), (162, 269), (162, 270), (162, 271), (162, 272), (162, 273), (162, 274), (162, 275), (162, 276), (162, 277), (162, 278), (162, 279), (162, 280), (162, 281), (162, 282), (162, 283), (162, 284), (162, 285), (162, 286), (162, 287), (162, 288), (162, 289), (162, 290), (162, 291), (162, 292), (162, 293), (162, 294), (162, 295), (162, 296), (162, 297), (162, 298), (162, 299), (162, 300), (162, 301), (162, 302), (162, 303), (162, 304), (162, 305), (162, 306), (162, 307), (162, 308), (162, 309), (162, 310), (162, 311),
(162, 312), (162, 313), (162, 314), (163, 204), (163, 207), (163, 208), (163, 209), (163, 210), (163, 211), (163, 212), (163, 213), (163, 214), (163, 216), (163, 229), (163, 231), (163, 232), (163, 233), (163, 234), (163, 235), (163, 236), (163, 237), (163, 238), (163, 239), (163, 240), (163, 241), (163, 242), (163, 243), (163, 244), (163, 245), (163, 246), (163, 247), (163, 248), (163, 249), (163, 250), (163, 251), (163, 252), (163, 253), (163, 254), (163, 255), (163, 256), (163, 257), (163, 258), (163, 259), (163, 260), (163, 261), (163, 262), (163, 263), (163, 264), (163, 265), (163, 266), (163, 267), (163, 268), (163, 269), (163, 270), (163, 271), (163, 272), (163, 273), (163, 274), (163, 275), (163, 276), (163, 277), (163, 278), (163, 279), (163, 280), (163, 281), (163, 282), (163, 283), (163, 284), (163, 285), (163, 286), (163, 287), (163, 288),
(163, 289), (163, 290), (163, 291), (163, 292), (163, 293), (163, 294), (163, 295), (163, 296), (163, 297), (163, 298), (163, 299), (163, 300), (163, 301), (163, 302), (163, 303), (163, 304), (163, 305), (163, 306), (163, 307), (163, 308), (163, 309), (163, 310), (163, 311), (163, 312), (163, 313), (163, 315), (164, 204), (164, 206), (164, 207), (164, 208), (164, 209), (164, 210), (164, 211), (164, 212), (164, 213), (164, 214), (164, 216), (164, 229), (164, 231), (164, 232), (164, 233), (164, 234), (164, 235), (164, 236), (164, 237), (164, 238), (164, 239), (164, 240), (164, 241), (164, 242), (164, 243), (164, 244), (164, 245), (164, 246), (164, 247), (164, 248), (164, 249), (164, 250), (164, 251), (164, 252), (164, 253), (164, 254), (164, 255), (164, 256), (164, 257), (164, 258), (164, 259), (164, 260), (164, 261), (164, 262), (164, 263), (164, 264),
(164, 265), (164, 266), (164, 267), (164, 268), (164, 269), (164, 270), (164, 271), (164, 272), (164, 273), (164, 274), (164, 275), (164, 276), (164, 277), (164, 278), (164, 279), (164, 280), (164, 281), (164, 282), (164, 283), (164, 284), (164, 285), (164, 286), (164, 287), (164, 288), (164, 289), (164, 290), (164, 291), (164, 292), (164, 293), (164, 294), (164, 295), (164, 296), (164, 297), (164, 298), (164, 299), (164, 300), (164, 301), (164, 302), (164, 303), (164, 304), (164, 305), (164, 306), (164, 307), (164, 308), (164, 309), (164, 310), (164, 311), (164, 312), (164, 313), (164, 315), (165, 208), (165, 209), (165, 210), (165, 211), (165, 212), (165, 213), (165, 229), (165, 231), (165, 232), (165, 233), (165, 234), (165, 235), (165, 236), (165, 237), (165, 238), (165, 239), (165, 240), (165, 241), (165, 242), (165, 243), (165, 244), (165, 245),
(165, 246), (165, 247), (165, 248), (165, 249), (165, 250), (165, 251), (165, 252), (165, 253), (165, 254), (165, 255), (165, 256), (165, 257), (165, 258), (165, 259), (165, 260), (165, 261), (165, 262), (165, 263), (165, 264), (165, 265), (165, 266), (165, 267), (165, 268), (165, 269), (165, 270), (165, 271), (165, 272), (165, 273), (165, 274), (165, 275), (165, 276), (165, 277), (165, 278), (165, 279), (165, 280), (165, 281), (165, 282), (165, 283), (165, 284), (165, 285), (165, 286), (165, 287), (165, 288), (165, 289), (165, 290), (165, 291), (165, 292), (165, 293), (165, 294), (165, 295), (165, 296), (165, 297), (165, 298), (165, 299), (165, 300), (165, 301), (165, 302), (165, 303), (165, 304), (165, 305), (165, 306), (165, 307), (165, 308), (165, 309), (165, 310), (165, 311), (165, 312), (165, 313), (165, 314), (165, 316), (166, 208), (166, 210),
(166, 211), (166, 212), (166, 213), (166, 215), (166, 229), (166, 231), (166, 232), (166, 233), (166, 234), (166, 235), (166, 236), (166, 237), (166, 238), (166, 239), (166, 240), (166, 241), (166, 242), (166, 243), (166, 244), (166, 245), (166, 246), (166, 247), (166, 248), (166, 249), (166, 250), (166, 251), (166, 252), (166, 253), (166, 254), (166, 255), (166, 256), (166, 257), (166, 258), (166, 259), (166, 260), (166, 261), (166, 262), (166, 263), (166, 264), (166, 265), (166, 266), (166, 267), (166, 268), (166, 269), (166, 270), (166, 271), (166, 272), (166, 273), (166, 274), (166, 275), (166, 276), (166, 277), (166, 278), (166, 279), (166, 280), (166, 281), (166, 282), (166, 283), (166, 284), (166, 285), (166, 286), (166, 287), (166, 288), (166, 289), (166, 290), (166, 291), (166, 292), (166, 293), (166, 294), (166, 295), (166, 296), (166, 297),
(166, 298), (166, 299), (166, 300), (166, 301), (166, 302), (166, 303), (166, 304), (166, 305), (166, 306), (166, 307), (166, 308), (166, 309), (166, 310), (166, 311), (166, 312), (166, 313), (166, 314), (166, 316), (167, 207), (167, 209), (167, 210), (167, 211), (167, 212), (167, 214), (167, 229), (167, 231), (167, 232), (167, 233), (167, 234), (167, 235), (167, 236), (167, 237), (167, 238), (167, 239), (167, 240), (167, 241), (167, 242), (167, 243), (167, 244), (167, 245), (167, 246), (167, 247), (167, 248), (167, 249), (167, 250), (167, 251), (167, 252), (167, 253), (167, 254), (167, 255), (167, 256), (167, 257), (167, 258), (167, 259), (167, 260), (167, 261), (167, 262), (167, 263), (167, 264), (167, 265), (167, 266), (167, 267), (167, 268), (167, 269), (167, 270), (167, 271), (167, 272), (167, 273), (167, 274), (167, 275), (167, 276), (167, 277),
(167, 278), (167, 279), (167, 280), (167, 281), (167, 282), (167, 283), (167, 284), (167, 285), (167, 286), (167, 287), (167, 288), (167, 289), (167, 290), (167, 291), (167, 292), (167, 293), (167, 294), (167, 295), (167, 296), (167, 297), (167, 298), (167, 299), (167, 300), (167, 301), (167, 302), (167, 303), (167, 304), (167, 305), (167, 306), (167, 307), (167, 308), (167, 309), (167, 310), (167, 311), (167, 312), (167, 313), (167, 314), (167, 316), (168, 207), (168, 209), (168, 210), (168, 211), (168, 212), (168, 214), (168, 229), (168, 230), (168, 231), (168, 232), (168, 233), (168, 234), (168, 235), (168, 236), (168, 237), (168, 238), (168, 239), (168, 240), (168, 241), (168, 242), (168, 243), (168, 244), (168, 245), (168, 246), (168, 247), (168, 248), (168, 249), (168, 250), (168, 251), (168, 252), (168, 253), (168, 254), (168, 255), (168, 256),
(168, 257), (168, 258), (168, 259), (168, 260), (168, 261), (168, 262), (168, 263), (168, 264), (168, 265), (168, 266), (168, 267), (168, 268), (168, 269), (168, 270), (168, 271), (168, 272), (168, 273), (168, 274), (168, 275), (168, 276), (168, 277), (168, 278), (168, 279), (168, 280), (168, 281), (168, 282), (168, 283), (168, 284), (168, 285), (168, 286), (168, 287), (168, 288), (168, 289), (168, 290), (168, 291), (168, 292), (168, 293), (168, 294), (168, 295), (168, 296), (168, 297), (168, 298), (168, 299), (168, 300), (168, 301), (168, 302), (168, 303), (168, 304), (168, 305), (168, 306), (168, 307), (168, 308), (168, 309), (168, 310), (168, 311), (168, 312), (168, 313), (168, 314), (168, 316), (169, 207), (169, 209), (169, 210), (169, 211), (169, 212), (169, 214), (169, 229), (169, 230), (169, 231), (169, 232), (169, 233), (169, 234), (169, 235),
(169, 236), (169, 237), (169, 238), (169, 239), (169, 240), (169, 241), (169, 242), (169, 243), (169, 244), (169, 245), (169, 246), (169, 247), (169, 248), (169, 249), (169, 250), (169, 251), (169, 252), (169, 253), (169, 254), (169, 255), (169, 256), (169, 257), (169, 258), (169, 259), (169, 260), (169, 261), (169, 262), (169, 263), (169, 264), (169, 265), (169, 266), (169, 267), (169, 268), (169, 269), (169, 270), (169, 271), (169, 272), (169, 273), (169, 274), (169, 275), (169, 276), (169, 277), (169, 278), (169, 279), (169, 280), (169, 281), (169, 282), (169, 283), (169, 284), (169, 285), (169, 286), (169, 287), (169, 288), (169, 289), (169, 290), (169, 291), (169, 292), (169, 293), (169, 294), (169, 295), (169, 296), (169, 297), (169, 298), (169, 299), (169, 300), (169, 301), (169, 302), (169, 303), (169, 304), (169, 305), (169, 306), (169, 307),
(169, 308), (169, 309), (169, 310), (169, 311), (169, 312), (169, 313), (169, 314), (169, 316), (170, 200), (170, 201), (170, 207), (170, 209), (170, 210), (170, 211), (170, 212), (170, 214), (170, 229), (170, 231), (170, 232), (170, 233), (170, 234), (170, 235), (170, 236), (170, 237), (170, 238), (170, 239), (170, 240), (170, 241), (170, 242), (170, 243), (170, 244), (170, 245), (170, 246), (170, 247), (170, 248), (170, 249), (170, 250), (170, 251), (170, 252), (170, 253), (170, 254), (170, 255), (170, 256), (170, 257), (170, 258), (170, 259), (170, 260), (170, 261), (170, 262), (170, 263), (170, 264), (170, 265), (170, 266), (170, 267), (170, 268), (170, 269), (170, 270), (170, 271), (170, 272), (170, 273), (170, 274), (170, 275), (170, 276), (170, 277), (170, 278), (170, 279), (170, 280), (170, 281), (170, 282), (170, 283), (170, 284), (170, 285),
(170, 286), (170, 287), (170, 288), (170, 289), (170, 290), (170, 291), (170, 292), (170, 293), (170, 294), (170, 295), (170, 296), (170, 297), (170, 298), (170, 299), (170, 300), (170, 301), (170, 302), (170, 303), (170, 304), (170, 305), (170, 306), (170, 307), (170, 308), (170, 309), (170, 310), (170, 311), (170, 312), (170, 313), (170, 314), (170, 316), (171, 201), (171, 207), (171, 209), (171, 210), (171, 211), (171, 212), (171, 214), (171, 229), (171, 231), (171, 232), (171, 233), (171, 234), (171, 235), (171, 236), (171, 237), (171, 238), (171, 239), (171, 240), (171, 241), (171, 242), (171, 243), (171, 244), (171, 245), (171, 246), (171, 247), (171, 248), (171, 249), (171, 250), (171, 251), (171, 252), (171, 253), (171, 254), (171, 255), (171, 256), (171, 257), (171, 258), (171, 259), (171, 260), (171, 261), (171, 262), (171, 263), (171, 264),
(171, 265), (171, 266), (171, 267), (171, 268), (171, 269), (171, 270), (171, 271), (171, 272), (171, 273), (171, 274), (171, 275), (171, 276), (171, 277), (171, 278), (171, 279), (171, 280), (171, 281), (171, 282), (171, 283), (171, 284), (171, 285), (171, 286), (171, 287), (171, 288), (171, 289), (171, 290), (171, 291), (171, 292), (171, 293), (171, 294), (171, 295), (171, 296), (171, 297), (171, 298), (171, 299), (171, 300), (171, 301), (171, 302), (171, 303), (171, 304), (171, 305), (171, 306), (171, 307), (171, 308), (171, 309), (171, 310), (171, 311), (171, 312), (171, 313), (171, 314), (171, 316), (172, 201), (172, 206), (172, 208), (172, 209), (172, 210), (172, 211), (172, 212), (172, 214), (172, 229), (172, 231), (172, 232), (172, 233), (172, 234), (172, 235), (172, 236), (172, 237), (172, 238), (172, 239), (172, 240), (172, 241), (172, 242),
(172, 243), (172, 244), (172, 245), (172, 246), (172, 247), (172, 248), (172, 249), (172, 250), (172, 251), (172, 252), (172, 253), (172, 254), (172, 255), (172, 256), (172, 257), (172, 258), (172, 259), (172, 260), (172, 261), (172, 262), (172, 263), (172, 264), (172, 265), (172, 266), (172, 267), (172, 268), (172, 269), (172, 270), (172, 271), (172, 272), (172, 273), (172, 274), (172, 275), (172, 276), (172, 277), (172, 278), (172, 279), (172, 280), (172, 281), (172, 282), (172, 283), (172, 284), (172, 285), (172, 286), (172, 287), (172, 288), (172, 289), (172, 290), (172, 291), (172, 292), (172, 293), (172, 294), (172, 295), (172, 296), (172, 297), (172, 298), (172, 299), (172, 300), (172, 301), (172, 302), (172, 303), (172, 304), (172, 305), (172, 306), (172, 307), (172, 308), (172, 309), (172, 310), (172, 311), (172, 312), (172, 313), (172, 314),
(172, 316), (173, 206), (173, 208), (173, 209), (173, 210), (173, 211), (173, 212), (173, 214), (173, 229), (173, 230), (173, 231), (173, 232), (173, 233), (173, 234), (173, 235), (173, 236), (173, 237), (173, 238), (173, 239), (173, 240), (173, 241), (173, 242), (173, 243), (173, 244), (173, 245), (173, 246), (173, 247), (173, 248), (173, 249), (173, 250), (173, 251), (173, 252), (173, 253), (173, 254), (173, 255), (173, 256), (173, 257), (173, 258), (173, 259), (173, 260), (173, 261), (173, 262), (173, 263), (173, 264), (173, 265), (173, 266), (173, 267), (173, 268), (173, 269), (173, 270), (173, 271), (173, 272), (173, 273), (173, 274), (173, 275), (173, 276), (173, 277), (173, 278), (173, 279), (173, 280), (173, 281), (173, 282), (173, 283), (173, 284), (173, 285), (173, 286), (173, 287), (173, 288), (173, 289), (173, 290), (173, 291), (173, 292),
(173, 293), (173, 294), (173, 295), (173, 296), (173, 297), (173, 298), (173, 299), (173, 300), (173, 301), (173, 302), (173, 303), (173, 304), (173, 305), (173, 306), (173, 307), (173, 308), (173, 309), (173, 310), (173, 311), (173, 312), (173, 313), (173, 314), (173, 316), (174, 205), (174, 207), (174, 208), (174, 209), (174, 210), (174, 211), (174, 212), (174, 213), (174, 215), (174, 226), (174, 229), (174, 230), (174, 231), (174, 232), (174, 233), (174, 234), (174, 235), (174, 236), (174, 237), (174, 238), (174, 239), (174, 240), (174, 241), (174, 242), (174, 243), (174, 244), (174, 245), (174, 246), (174, 247), (174, 248), (174, 249), (174, 250), (174, 251), (174, 252), (174, 253), (174, 254), (174, 255), (174, 256), (174, 257), (174, 258), (174, 259), (174, 260), (174, 261), (174, 262), (174, 263), (174, 264), (174, 265), (174, 266), (174, 267),
(174, 268), (174, 269), (174, 270), (174, 271), (174, 272), (174, 273), (174, 274), (174, 275), (174, 276), (174, 277), (174, 278), (174, 279), (174, 280), (174, 281), (174, 282), (174, 283), (174, 284), (174, 285), (174, 286), (174, 287), (174, 288), (174, 289), (174, 290), (174, 291), (174, 292), (174, 293), (174, 294), (174, 295), (174, 296), (174, 297), (174, 298), (174, 299), (174, 300), (174, 301), (174, 302), (174, 303), (174, 304), (174, 305), (174, 306), (174, 307), (174, 308), (174, 309), (174, 310), (174, 311), (174, 312), (174, 313), (174, 314), (174, 316), (175, 204), (175, 206), (175, 207), (175, 208), (175, 209), (175, 210), (175, 211), (175, 212), (175, 213), (175, 215), (175, 224), (175, 228), (175, 229), (175, 230), (175, 231), (175, 232), (175, 233), (175, 234), (175, 235), (175, 236), (175, 237), (175, 238), (175, 239), (175, 240),
(175, 241), (175, 242), (175, 243), (175, 244), (175, 245), (175, 246), (175, 247), (175, 248), (175, 249), (175, 250), (175, 251), (175, 252), (175, 253), (175, 254), (175, 255), (175, 256), (175, 257), (175, 258), (175, 259), (175, 260), (175, 261), (175, 262), (175, 263), (175, 264), (175, 265), (175, 266), (175, 267), (175, 268), (175, 269), (175, 270), (175, 271), (175, 272), (175, 273), (175, 274), (175, 275), (175, 276), (175, 277), (175, 278), (175, 279), (175, 280), (175, 281), (175, 282), (175, 283), (175, 284), (175, 285), (175, 286), (175, 287), (175, 288), (175, 289), (175, 290), (175, 291), (175, 292), (175, 293), (175, 294), (175, 295), (175, 296), (175, 297), (175, 298), (175, 299), (175, 300), (175, 301), (175, 302), (175, 303), (175, 304), (175, 305), (175, 306), (175, 307), (175, 308), (175, 309), (175, 310), (175, 311), (175, 312),
(175, 313), (175, 314), (175, 316), (176, 202), (176, 205), (176, 206), (176, 207), (176, 208), (176, 209), (176, 210), (176, 211), (176, 212), (176, 213), (176, 214), (176, 216), (176, 223), (176, 226), (176, 227), (176, 228), (176, 229), (176, 230), (176, 231), (176, 232), (176, 233), (176, 234), (176, 235), (176, 236), (176, 237), (176, 238), (176, 239), (176, 240), (176, 241), (176, 242), (176, 243), (176, 244), (176, 245), (176, 246), (176, 247), (176, 248), (176, 249), (176, 250), (176, 251), (176, 252), (176, 253), (176, 254), (176, 255), (176, 256), (176, 257), (176, 258), (176, 259), (176, 260), (176, 261), (176, 262), (176, 263), (176, 264), (176, 265), (176, 266), (176, 267), (176, 268), (176, 269), (176, 270), (176, 271), (176, 272), (176, 273), (176, 274), (176, 275), (176, 276), (176, 277), (176, 278), (176, 279), (176, 280), (176, 281),
(176, 282), (176, 283), (176, 284), (176, 285), (176, 286), (176, 287), (176, 288), (176, 289), (176, 290), (176, 291), (176, 292), (176, 293), (176, 294), (176, 295), (176, 296), (176, 297), (176, 298), (176, 299), (176, 300), (176, 301), (176, 302), (176, 303), (176, 304), (176, 305), (176, 306), (176, 307), (176, 308), (176, 309), (176, 310), (176, 311), (176, 312), (176, 313), (176, 314), (176, 316), (177, 202), (177, 204), (177, 205), (177, 206), (177, 207), (177, 208), (177, 209), (177, 210), (177, 211), (177, 212), (177, 213), (177, 214), (177, 215), (177, 217), (177, 222), (177, 224), (177, 225), (177, 226), (177, 227), (177, 228), (177, 229), (177, 230), (177, 231), (177, 232), (177, 233), (177, 234), (177, 235), (177, 236), (177, 237), (177, 238), (177, 239), (177, 240), (177, 241), (177, 242), (177, 243), (177, 244), (177, 245), (177, 246),
(177, 247), (177, 248), (177, 249), (177, 250), (177, 251), (177, 252), (177, 253), (177, 254), (177, 255), (177, 256), (177, 257), (177, 258), (177, 259), (177, 260), (177, 261), (177, 262), (177, 263), (177, 264), (177, 265), (177, 266), (177, 267), (177, 268), (177, 269), (177, 270), (177, 271), (177, 272), (177, 273), (177, 274), (177, 275), (177, 276), (177, 277), (177, 278), (177, 279), (177, 280), (177, 281), (177, 282), (177, 283), (177, 284), (177, 285), (177, 286), (177, 287), (177, 288), (177, 289), (177, 290), (177, 291), (177, 292), (177, 293), (177, 294), (177, 295), (177, 296), (177, 297), (177, 298), (177, 299), (177, 300), (177, 301), (177, 302), (177, 303), (177, 304), (177, 305), (177, 306), (177, 307), (177, 308), (177, 309), (177, 310), (177, 311), (177, 312), (177, 313), (177, 314), (177, 316), (178, 202), (178, 204), (178, 205),
(178, 206), (178, 207), (178, 208), (178, 209), (178, 210), (178, 211), (178, 212), (178, 213), (178, 214), (178, 215), (178, 216), (178, 218), (178, 221), (178, 223), (178, 224), (178, 225), (178, 226), (178, 227), (178, 228), (178, 229), (178, 230), (178, 231), (178, 232), (178, 233), (178, 234), (178, 235), (178, 236), (178, 237), (178, 238), (178, 239), (178, 240), (178, 241), (178, 242), (178, 243), (178, 244), (178, 245), (178, 246), (178, 247), (178, 248), (178, 249), (178, 250), (178, 251), (178, 252), (178, 253), (178, 254), (178, 255), (178, 256), (178, 257), (178, 258), (178, 259), (178, 260), (178, 261), (178, 262), (178, 263), (178, 264), (178, 265), (178, 266), (178, 267), (178, 268), (178, 269), (178, 270), (178, 271), (178, 272), (178, 273), (178, 274), (178, 275), (178, 276), (178, 277), (178, 278), (178, 279), (178, 280), (178, 281),
(178, 282), (178, 283), (178, 284), (178, 285), (178, 286), (178, 287), (178, 288), (178, 289), (178, 290), (178, 291), (178, 292), (178, 293), (178, 294), (178, 295), (178, 296), (178, 297), (178, 298), (178, 299), (178, 300), (178, 301), (178, 302), (178, 303), (178, 304), (178, 305), (178, 306), (178, 307), (178, 308), (178, 309), (178, 310), (178, 311), (178, 312), (178, 313), (178, 314), (178, 316), (179, 202), (179, 204), (179, 205), (179, 206), (179, 207), (179, 208), (179, 209), (179, 210), (179, 211), (179, 212), (179, 213), (179, 214), (179, 215), (179, 216), (179, 217), (179, 219), (179, 220), (179, 222), (179, 223), (179, 224), (179, 225), (179, 226), (179, 227), (179, 228), (179, 229), (179, 230), (179, 231), (179, 232), (179, 233), (179, 234), (179, 235), (179, 236), (179, 237), (179, 238), (179, 239), (179, 240), (179, 241), (179, 242),
(179, 243), (179, 244), (179, 245), (179, 246), (179, 247), (179, 248), (179, 249), (179, 250), (179, 251), (179, 252), (179, 253), (179, 254), (179, 255), (179, 256), (179, 257), (179, 258), (179, 259), (179, 260), (179, 261), (179, 262), (179, 263), (179, 264), (179, 265), (179, 266), (179, 267), (179, 268), (179, 269), (179, 270), (179, 271), (179, 272), (179, 273), (179, 274), (179, 275), (179, 276), (179, 277), (179, 278), (179, 279), (179, 280), (179, 281), (179, 282), (179, 283), (179, 284), (179, 285), (179, 286), (179, 287), (179, 288), (179, 289), (179, 290), (179, 291), (179, 292), (179, 293), (179, 294), (179, 295), (179, 296), (179, 297), (179, 298), (179, 299), (179, 300), (179, 301), (179, 302), (179, 303), (179, 304), (179, 305), (179, 306), (179, 307), (179, 308), (179, 309), (179, 310), (179, 311), (179, 312), (179, 313), (179, 314),
(179, 316), (180, 202), (180, 204), (180, 205), (180, 206), (180, 207), (180, 208), (180, 209), (180, 210), (180, 211), (180, 212), (180, 213), (180, 214), (180, 215), (180, 216), (180, 217), (180, 218), (180, 221), (180, 222), (180, 223), (180, 224), (180, 225), (180, 226), (180, 227), (180, 228), (180, 229), (180, 230), (180, 231), (180, 232), (180, 233), (180, 234), (180, 235), (180, 236), (180, 237), (180, 238), (180, 239), (180, 240), (180, 241), (180, 242), (180, 243), (180, 244), (180, 245), (180, 246), (180, 247), (180, 248), (180, 249), (180, 250), (180, 251), (180, 252), (180, 253), (180, 254), (180, 255), (180, 256), (180, 257), (180, 258), (180, 259), (180, 260), (180, 261), (180, 262), (180, 263), (180, 264), (180, 265), (180, 266), (180, 267), (180, 268), (180, 269), (180, 270), (180, 271), (180, 272), (180, 273), (180, 274), (180, 275),
(180, 276), (180, 277), (180, 278), (180, 279), (180, 280), (180, 281), (180, 282), (180, 283), (180, 284), (180, 285), (180, 286), (180, 287), (180, 288), (180, 289), (180, 290), (180, 291), (180, 292), (180, 293), (180, 294), (180, 295), (180, 296), (180, 297), (180, 298), (180, 299), (180, 300), (180, 301), (180, 302), (180, 303), (180, 304), (180, 305), (180, 306), (180, 307), (180, 308), (180, 309), (180, 310), (180, 311), (180, 312), (180, 313), (180, 314), (180, 316), (181, 202), (181, 204), (181, 205), (181, 206), (181, 207), (181, 208), (181, 209), (181, 210), (181, 211), (181, 212), (181, 213), (181, 214), (181, 215), (181, 216), (181, 217), (181, 218), (181, 219), (181, 220), (181, 221), (181, 222), (181, 223), (181, 224), (181, 225), (181, 226), (181, 227), (181, 228), (181, 229), (181, 230), (181, 231), (181, 232), (181, 233), (181, 234),
(181, 235), (181, 236), (181, 237), (181, 238), (181, 239), (181, 240), (181, 241), (181, 242), (181, 243), (181, 244), (181, 245), (181, 246), (181, 247), (181, 248), (181, 249), (181, 250), (181, 251), (181, 252), (181, 253), (181, 254), (181, 255), (181, 256), (181, 257), (181, 258), (181, 259), (181, 260), (181, 261), (181, 262), (181, 263), (181, 264), (181, 265), (181, 266), (181, 267), (181, 268), (181, 269), (181, 270), (181, 271), (181, 272), (181, 273), (181, 274), (181, 275), (181, 276), (181, 277), (181, 278), (181, 279), (181, 280), (181, 281), (181, 282), (181, 283), (181, 284), (181, 285), (181, 286), (181, 287), (181, 288), (181, 289), (181, 290), (181, 291), (181, 292), (181, 293), (181, 294), (181, 295), (181, 296), (181, 297), (181, 298), (181, 299), (181, 300), (181, 301), (181, 302), (181, 303), (181, 304), (181, 305), (181, 306),
(181, 307), (181, 308), (181, 309), (181, 310), (181, 311), (181, 312), (181, 313), (181, 314), (181, 316), (182, 202), (182, 204), (182, 205), (182, 206), (182, 207), (182, 208), (182, 209), (182, 210), (182, 211), (182, 212), (182, 213), (182, 214), (182, 215), (182, 216), (182, 217), (182, 218), (182, 219), (182, 220), (182, 221), (182, 222), (182, 223), (182, 224), (182, 225), (182, 226), (182, 227), (182, 228), (182, 229), (182, 230), (182, 231), (182, 232), (182, 233), (182, 234), (182, 235), (182, 236), (182, 237), (182, 238), (182, 239), (182, 240), (182, 241), (182, 242), (182, 243), (182, 244), (182, 245), (182, 246), (182, 247), (182, 248), (182, 249), (182, 250), (182, 251), (182, 252), (182, 253), (182, 254), (182, 255), (182, 256), (182, 257), (182, 258), (182, 259), (182, 260), (182, 261), (182, 262), (182, 263), (182, 264), (182, 265),
(182, 266), (182, 267), (182, 268), (182, 269), (182, 270), (182, 271), (182, 272), (182, 273), (182, 274), (182, 275), (182, 276), (182, 277), (182, 278), (182, 279), (182, 280), (182, 281), (182, 282), (182, 283), (182, 284), (182, 285), (182, 286), (182, 287), (182, 288), (182, 289), (182, 290), (182, 291), (182, 292), (182, 293), (182, 294), (182, 295), (182, 296), (182, 297), (182, 298), (182, 299), (182, 300), (182, 301), (182, 302), (182, 303), (182, 304), (182, 305), (182, 306), (182, 307), (182, 308), (182, 309), (182, 310), (182, 311), (182, 312), (182, 313), (182, 314), (182, 316), (183, 202), (183, 204), (183, 205), (183, 206), (183, 207), (183, 208), (183, 209), (183, 210), (183, 211), (183, 212), (183, 213), (183, 214), (183, 215), (183, 216), (183, 217), (183, 218), (183, 219), (183, 220), (183, 221), (183, 222), (183, 223), (183, 224),
(183, 225), (183, 226), (183, 227), (183, 228), (183, 229), (183, 230), (183, 231), (183, 232), (183, 233), (183, 234), (183, 235), (183, 236), (183, 237), (183, 238), (183, 239), (183, 240), (183, 241), (183, 242), (183, 243), (183, 244), (183, 245), (183, 246), (183, 247), (183, 248), (183, 249), (183, 250), (183, 251), (183, 252), (183, 253), (183, 254), (183, 255), (183, 256), (183, 257), (183, 258), (183, 259), (183, 260), (183, 261), (183, 262), (183, 263), (183, 264), (183, 265), (183, 266), (183, 267), (183, 268), (183, 269), (183, 270), (183, 271), (183, 272), (183, 273), (183, 274), (183, 275), (183, 276), (183, 277), (183, 278), (183, 279), (183, 280), (183, 281), (183, 282), (183, 283), (183, 284), (183, 285), (183, 286), (183, 287), (183, 288), (183, 289), (183, 290), (183, 291), (183, 292), (183, 293), (183, 294), (183, 295), (183, 296),
(183, 297), (183, 298), (183, 299), (183, 300), (183, 301), (183, 302), (183, 303), (183, 304), (183, 305), (183, 306), (183, 307), (183, 308), (183, 309), (183, 310), (183, 311), (183, 312), (183, 313), (183, 314), (183, 315), (183, 317), (184, 202), (184, 204), (184, 205), (184, 206), (184, 207), (184, 208), (184, 209), (184, 210), (184, 211), (184, 212), (184, 213), (184, 214), (184, 215), (184, 216), (184, 217), (184, 218), (184, 219), (184, 220), (184, 221), (184, 222), (184, 223), (184, 224), (184, 225), (184, 226), (184, 227), (184, 228), (184, 229), (184, 230), (184, 231), (184, 232), (184, 233), (184, 234), (184, 235), (184, 236), (184, 237), (184, 238), (184, 239), (184, 240), (184, 241), (184, 242), (184, 243), (184, 244), (184, 245), (184, 246), (184, 247), (184, 248), (184, 249), (184, 250), (184, 251), (184, 252), (184, 253), (184, 254),
(184, 255), (184, 256), (184, 257), (184, 258), (184, 259), (184, 260), (184, 261), (184, 262), (184, 263), (184, 264), (184, 265), (184, 266), (184, 267), (184, 268), (184, 269), (184, 270), (184, 271), (184, 272), (184, 273), (184, 274), (184, 275), (184, 276), (184, 277), (184, 278), (184, 279), (184, 280), (184, 281), (184, 282), (184, 283), (184, 284), (184, 285), (184, 286), (184, 287), (184, 288), (184, 289), (184, 290), (184, 291), (184, 292), (184, 293), (184, 294), (184, 295), (184, 296), (184, 297), (184, 298), (184, 299), (184, 300), (184, 301), (184, 302), (184, 303), (184, 304), (184, 305), (184, 306), (184, 307), (184, 308), (184, 309), (184, 310), (184, 311), (184, 312), (184, 313), (184, 314), (184, 315), (184, 316), (184, 318), (185, 202), (185, 204), (185, 205), (185, 206), (185, 207), (185, 208), (185, 209), (185, 210), (185, 211),
(185, 212), (185, 213), (185, 214), (185, 215), (185, 216), (185, 217), (185, 218), (185, 219), (185, 220), (185, 221), (185, 222), (185, 223), (185, 224), (185, 225), (185, 226), (185, 227), (185, 228), (185, 229), (185, 230), (185, 231), (185, 232), (185, 233), (185, 234), (185, 235), (185, 236), (185, 237), (185, 238), (185, 239), (185, 240), (185, 241), (185, 242), (185, 243), (185, 244), (185, 245), (185, 246), (185, 247), (185, 248), (185, 249), (185, 250), (185, 251), (185, 252), (185, 253), (185, 254), (185, 255), (185, 256), (185, 257), (185, 258), (185, 259), (185, 260), (185, 261), (185, 262), (185, 263), (185, 264), (185, 265), (185, 266), (185, 267), (185, 268), (185, 269), (185, 270), (185, 271), (185, 272), (185, 273), (185, 274), (185, 275), (185, 276), (185, 277), (185, 278), (185, 279), (185, 280), (185, 281), (185, 282), (185, 283),
(185, 284), (185, 285), (185, 286), (185, 287), (185, 288), (185, 289), (185, 290), (185, 291), (185, 292), (185, 293), (185, 294), (185, 295), (185, 296), (185, 297), (185, 298), (185, 299), (185, 300), (185, 301), (185, 302), (185, 303), (185, 304), (185, 305), (185, 306), (185, 307), (185, 308), (185, 309), (185, 310), (185, 311), (185, 312), (185, 313), (185, 314), (185, 315), (185, 316), (185, 318), (186, 202), (186, 204), (186, 205), (186, 206), (186, 207), (186, 208), (186, 209), (186, 210), (186, 211), (186, 212), (186, 213), (186, 214), (186, 215), (186, 216), (186, 217), (186, 218), (186, 219), (186, 220), (186, 221), (186, 222), (186, 223), (186, 224), (186, 225), (186, 226), (186, 227), (186, 228), (186, 229), (186, 230), (186, 231), (186, 232), (186, 233), (186, 234), (186, 235), (186, 236), (186, 237), (186, 238), (186, 239), (186, 240),
(186, 241), (186, 242), (186, 243), (186, 244), (186, 245), (186, 246), (186, 247), (186, 248), (186, 249), (186, 250), (186, 251), (186, 252), (186, 253), (186, 254), (186, 255), (186, 256), (186, 257), (186, 258), (186, 259), (186, 260), (186, 261), (186, 262), (186, 263), (186, 264), (186, 265), (186, 266), (186, 267), (186, 268), (186, 269), (186, 270), (186, 271), (186, 272), (186, 273), (186, 274), (186, 275), (186, 276), (186, 277), (186, 278), (186, 279), (186, 280), (186, 281), (186, 282), (186, 283), (186, 284), (186, 285), (186, 286), (186, 287), (186, 288), (186, 289), (186, 290), (186, 291), (186, 292), (186, 293), (186, 294), (186, 295), (186, 296), (186, 297), (186, 298), (186, 299), (186, 300), (186, 301), (186, 302), (186, 303), (186, 304), (186, 305), (186, 306), (186, 307), (186, 308), (186, 309), (186, 310), (186, 311), (186, 312),
(186, 313), (186, 314), (186, 315), (186, 316), (186, 317), (186, 319), (187, 202), (187, 204), (187, 205), (187, 206), (187, 207), (187, 208), (187, 209), (187, 210), (187, 211), (187, 212), (187, 213), (187, 214), (187, 215), (187, 216), (187, 217), (187, 218), (187, 219), (187, 220), (187, 221), (187, 222), (187, 223), (187, 224), (187, 225), (187, 226), (187, 227), (187, 228), (187, 229), (187, 230), (187, 231), (187, 232), (187, 233), (187, 234), (187, 235), (187, 236), (187, 237), (187, 238), (187, 239), (187, 240), (187, 241), (187, 242), (187, 243), (187, 244), (187, 245), (187, 246), (187, 247), (187, 248), (187, 249), (187, 250), (187, 251), (187, 252), (187, 253), (187, 254), (187, 255), (187, 256), (187, 257), (187, 258), (187, 259), (187, 260), (187, 261), (187, 262), (187, 263), (187, 264), (187, 265), (187, 266), (187, 267), (187, 268),
(187, 269), (187, 270), (187, 271), (187, 272), (187, 273), (187, 274), (187, 275), (187, 276), (187, 277), (187, 278), (187, 279), (187, 280), (187, 281), (187, 282), (187, 283), (187, 284), (187, 285), (187, 286), (187, 287), (187, 288), (187, 289), (187, 290), (187, 291), (187, 292), (187, 293), (187, 294), (187, 295), (187, 296), (187, 297), (187, 298), (187, 299), (187, 300), (187, 301), (187, 302), (187, 303), (187, 304), (187, 305), (187, 306), (187, 307), (187, 308), (187, 309), (187, 310), (187, 311), (187, 312), (187, 313), (187, 314), (187, 315), (187, 316), (187, 317), (187, 319), (188, 202), (188, 204), (188, 205), (188, 206), (188, 207), (188, 208), (188, 209), (188, 210), (188, 211), (188, 212), (188, 213), (188, 214), (188, 215), (188, 216), (188, 217), (188, 218), (188, 219), (188, 220), (188, 221), (188, 222), (188, 223), (188, 224),
(188, 225), (188, 226), (188, 227), (188, 228), (188, 229), (188, 230), (188, 231), (188, 232), (188, 233), (188, 234), (188, 235), (188, 236), (188, 237), (188, 238), (188, 239), (188, 240), (188, 241), (188, 242), (188, 243), (188, 244), (188, 245), (188, 246), (188, 247), (188, 248), (188, 249), (188, 250), (188, 251), (188, 252), (188, 253), (188, 254), (188, 255), (188, 256), (188, 257), (188, 258), (188, 259), (188, 260), (188, 261), (188, 262), (188, 263), (188, 264), (188, 265), (188, 266), (188, 267), (188, 268), (188, 269), (188, 270), (188, 271), (188, 272), (188, 273), (188, 274), (188, 275), (188, 276), (188, 277), (188, 278), (188, 279), (188, 280), (188, 281), (188, 282), (188, 283), (188, 284), (188, 285), (188, 286), (188, 287), (188, 288), (188, 289), (188, 290), (188, 291), (188, 292), (188, 293), (188, 294), (188, 295), (188, 296),
(188, 297), (188, 298), (188, 299), (188, 300), (188, 301), (188, 302), (188, 303), (188, 304), (188, 305), (188, 306), (188, 307), (188, 308), (188, 309), (188, 310), (188, 311), (188, 312), (188, 313), (188, 314), (188, 315), (188, 316), (188, 317), (188, 318), (188, 320), (189, 202), (189, 204), (189, 205), (189, 206), (189, 207), (189, 208), (189, 209), (189, 210), (189, 211), (189, 212), (189, 213), (189, 214), (189, 215), (189, 216), (189, 217), (189, 218), (189, 219), (189, 220), (189, 221), (189, 222), (189, 223), (189, 224), (189, 225), (189, 226), (189, 227), (189, 228), (189, 229), (189, 230), (189, 231), (189, 232), (189, 233), (189, 234), (189, 235), (189, 236), (189, 237), (189, 238), (189, 239), (189, 240), (189, 241), (189, 242), (189, 243), (189, 244), (189, 245), (189, 246), (189, 247), (189, 248), (189, 249), (189, 250), (189, 251),
(189, 252), (189, 253), (189, 254), (189, 255), (189, 256), (189, 257), (189, 258), (189, 259), (189, 260), (189, 261), (189, 262), (189, 263), (189, 264), (189, 265), (189, 266), (189, 267), (189, 268), (189, 269), (189, 270), (189, 271), (189, 272), (189, 273), (189, 274), (189, 275), (189, 276), (189, 277), (189, 278), (189, 279), (189, 280), (189, 281), (189, 282), (189, 283), (189, 284), (189, 285), (189, 286), (189, 287), (189, 288), (189, 289), (189, 290), (189, 291), (189, 292), (189, 293), (189, 294), (189, 295), (189, 296), (189, 297), (189, 298), (189, 299), (189, 300), (189, 301), (189, 302), (189, 303), (189, 304), (189, 305), (189, 306), (189, 307), (189, 308), (189, 309), (189, 310), (189, 311), (189, 312), (189, 313), (189, 314), (189, 315), (189, 316), (189, 317), (189, 318), (189, 320), (190, 202), (190, 204), (190, 205), (190, 206),
(190, 207), (190, 208), (190, 209), (190, 210), (190, 211), (190, 212), (190, 213), (190, 214), (190, 215), (190, 216), (190, 217), (190, 218), (190, 219), (190, 220), (190, 221), (190, 222), (190, 223), (190, 224), (190, 225), (190, 226), (190, 227), (190, 228), (190, 229), (190, 230), (190, 231), (190, 232), (190, 233), (190, 234), (190, 235), (190, 236), (190, 237), (190, 238), (190, 239), (190, 240), (190, 241), (190, 242), (190, 243), (190, 244), (190, 245), (190, 246), (190, 247), (190, 248), (190, 249), (190, 250), (190, 251), (190, 252), (190, 253), (190, 254), (190, 255), (190, 256), (190, 257), (190, 258), (190, 259), (190, 260), (190, 261), (190, 262), (190, 263), (190, 264), (190, 265), (190, 266), (190, 267), (190, 268), (190, 269), (190, 270), (190, 271), (190, 272), (190, 273), (190, 274), (190, 275), (190, 276), (190, 277), (190, 278),
(190, 279), (190, 280), (190, 281), (190, 282), (190, 283), (190, 284), (190, 285), (190, 286), (190, 287), (190, 288), (190, 289), (190, 290), (190, 291), (190, 292), (190, 293), (190, 294), (190, 295), (190, 296), (190, 297), (190, 298), (190, 299), (190, 300), (190, 301), (190, 302), (190, 303), (190, 304), (190, 305), (190, 306), (190, 307), (190, 308), (190, 309), (190, 310), (190, 311), (190, 312), (190, 313), (190, 314), (190, 315), (190, 316), (190, 317), (190, 318), (190, 320), (191, 202), (191, 204), (191, 205), (191, 206), (191, 207), (191, 208), (191, 209), (191, 210), (191, 211), (191, 212), (191, 213), (191, 214), (191, 215), (191, 216), (191, 217), (191, 218), (191, 219), (191, 220), (191, 221), (191, 222), (191, 223), (191, 224), (191, 225), (191, 226), (191, 227), (191, 228), (191, 229), (191, 230), (191, 231), (191, 232), (191, 233),
(191, 234), (191, 235), (191, 236), (191, 237), (191, 238), (191, 239), (191, 240), (191, 241), (191, 242), (191, 243), (191, 244), (191, 245), (191, 246), (191, 247), (191, 248), (191, 249), (191, 250), (191, 251), (191, 252), (191, 253), (191, 254), (191, 255), (191, 256), (191, 257), (191, 258), (191, 259), (191, 260), (191, 261), (191, 262), (191, 263), (191, 264), (191, 265), (191, 266), (191, 267), (191, 268), (191, 269), (191, 270), (191, 271), (191, 272), (191, 273), (191, 274), (191, 275), (191, 276), (191, 277), (191, 278), (191, 279), (191, 280), (191, 281), (191, 282), (191, 283), (191, 284), (191, 285), (191, 286), (191, 287), (191, 288), (191, 289), (191, 290), (191, 291), (191, 292), (191, 293), (191, 294), (191, 295), (191, 296), (191, 297), (191, 298), (191, 299), (191, 300), (191, 301), (191, 302), (191, 303), (191, 304), (191, 305),
(191, 306), (191, 307), (191, 308), (191, 309), (191, 310), (191, 311), (191, 312), (191, 313), (191, 314), (191, 315), (191, 316), (191, 317), (191, 318), (191, 320), (192, 202), (192, 204), (192, 205), (192, 206), (192, 207), (192, 208), (192, 209), (192, 210), (192, 211), (192, 212), (192, 213), (192, 214), (192, 215), (192, 216), (192, 217), (192, 218), (192, 219), (192, 220), (192, 221), (192, 222), (192, 223), (192, 224), (192, 225), (192, 226), (192, 227), (192, 228), (192, 229), (192, 230), (192, 231), (192, 232), (192, 233), (192, 234), (192, 235), (192, 236), (192, 237), (192, 238), (192, 239), (192, 240), (192, 241), (192, 242), (192, 243), (192, 244), (192, 245), (192, 246), (192, 247), (192, 248), (192, 249), (192, 250), (192, 251), (192, 252), (192, 253), (192, 254), (192, 255), (192, 256), (192, 257), (192, 258), (192, 259), (192, 260),
(192, 261), (192, 262), (192, 263), (192, 264), (192, 265), (192, 266), (192, 267), (192, 268), (192, 269), (192, 270), (192, 271), (192, 272), (192, 273), (192, 274), (192, 275), (192, 276), (192, 277), (192, 278), (192, 279), (192, 280), (192, 281), (192, 282), (192, 283), (192, 284), (192, 285), (192, 286), (192, 287), (192, 288), (192, 289), (192, 290), (192, 291), (192, 292), (192, 293), (192, 294), (192, 295), (192, 296), (192, 297), (192, 298), (192, 299), (192, 300), (192, 301), (192, 302), (192, 303), (192, 304), (192, 305), (192, 306), (192, 307), (192, 308), (192, 309), (192, 310), (192, 311), (192, 312), (192, 313), (192, 314), (192, 315), (192, 316), (192, 317), (192, 318), (192, 320), (193, 202), (193, 204), (193, 205), (193, 206), (193, 207), (193, 208), (193, 209), (193, 210), (193, 211), (193, 212), (193, 213), (193, 214), (193, 215),
(193, 216), (193, 217), (193, 218), (193, 219), (193, 220), (193, 221), (193, 222), (193, 223), (193, 224), (193, 225), (193, 226), (193, 227), (193, 228), (193, 229), (193, 230), (193, 231), (193, 232), (193, 233), (193, 234), (193, 235), (193, 236), (193, 237), (193, 238), (193, 239), (193, 240), (193, 241), (193, 242), (193, 243), (193, 244), (193, 245), (193, 246), (193, 247), (193, 248), (193, 249), (193, 250), (193, 251), (193, 252), (193, 253), (193, 254), (193, 255), (193, 256), (193, 257), (193, 258), (193, 259), (193, 260), (193, 261), (193, 262), (193, 263), (193, 264), (193, 265), (193, 266), (193, 267), (193, 268), (193, 269), (193, 270), (193, 271), (193, 272), (193, 273), (193, 274), (193, 275), (193, 276), (193, 277), (193, 278), (193, 279), (193, 280), (193, 281), (193, 282), (193, 283), (193, 284), (193, 285), (193, 286), (193, 287),
(193, 288), (193, 289), (193, 290), (193, 291), (193, 292), (193, 293), (193, 294), (193, 295), (193, 296), (193, 297), (193, 298), (193, 299), (193, 300), (193, 301), (193, 302), (193, 303), (193, 304), (193, 305), (193, 306), (193, 307), (193, 308), (193, 309), (193, 310), (193, 311), (193, 312), (193, 313), (193, 314), (193, 315), (193, 316), (193, 317), (193, 318), (193, 320), (194, 202), (194, 204), (194, 205), (194, 206), (194, 207), (194, 208), (194, 209), (194, 210), (194, 211), (194, 212), (194, 213), (194, 214), (194, 215), (194, 216), (194, 217), (194, 218), (194, 219), (194, 220), (194, 221), (194, 222), (194, 223), (194, 224), (194, 225), (194, 226), (194, 227), (194, 228), (194, 229), (194, 230), (194, 231), (194, 232), (194, 233), (194, 234), (194, 235), (194, 236), (194, 237), (194, 238), (194, 239), (194, 240), (194, 241), (194, 242),
(194, 243), (194, 244), (194, 245), (194, 246), (194, 247), (194, 248), (194, 249), (194, 250), (194, 251), (194, 252), (194, 253), (194, 254), (194, 255), (194, 256), (194, 257), (194, 258), (194, 259), (194, 260), (194, 261), (194, 262), (194, 263), (194, 264), (194, 265), (194, 266), (194, 267), (194, 268), (194, 269), (194, 270), (194, 271), (194, 272), (194, 273), (194, 274), (194, 275), (194, 276), (194, 277), (194, 278), (194, 279), (194, 280), (194, 281), (194, 282), (194, 283), (194, 284), (194, 285), (194, 286), (194, 287), (194, 288), (194, 289), (194, 290), (194, 291), (194, 292), (194, 293), (194, 294), (194, 295), (194, 296), (194, 297), (194, 298), (194, 299), (194, 300), (194, 301), (194, 302), (194, 303), (194, 304), (194, 305), (194, 306), (194, 307), (194, 308), (194, 309), (194, 310), (194, 311), (194, 312), (194, 313), (194, 314),
(194, 315), (194, 316), (194, 317), (194, 318), (194, 320), (195, 202), (195, 204), (195, 205), (195, 206), (195, 207), (195, 208), (195, 209), (195, 210), (195, 211), (195, 212), (195, 213), (195, 214), (195, 215), (195, 216), (195, 217), (195, 218), (195, 219), (195, 220), (195, 221), (195, 222), (195, 223), (195, 224), (195, 225), (195, 226), (195, 227), (195, 228), (195, 229), (195, 230), (195, 231), (195, 232), (195, 233), (195, 234), (195, 235), (195, 236), (195, 237), (195, 238), (195, 239), (195, 240), (195, 241), (195, 242), (195, 243), (195, 244), (195, 245), (195, 246), (195, 247), (195, 248), (195, 249), (195, 250), (195, 251), (195, 252), (195, 253), (195, 254), (195, 255), (195, 256), (195, 257), (195, 258), (195, 259), (195, 260), (195, 261), (195, 262), (195, 263), (195, 264), (195, 265), (195, 266), (195, 267), (195, 268), (195, 269),
(195, 270), (195, 271), (195, 272), (195, 273), (195, 274), (195, 275), (195, 276), (195, 277), (195, 278), (195, 279), (195, 280), (195, 281), (195, 282), (195, 283), (195, 284), (195, 285), (195, 286), (195, 287), (195, 288), (195, 289), (195, 290), (195, 291), (195, 292), (195, 293), (195, 294), (195, 295), (195, 296), (195, 297), (195, 298), (195, 299), (195, 300), (195, 301), (195, 302), (195, 303), (195, 304), (195, 305), (195, 306), (195, 307), (195, 308), (195, 309), (195, 310), (195, 311), (195, 312), (195, 313), (195, 314), (195, 315), (195, 316), (195, 317), (195, 318), (195, 320), (196, 202), (196, 204), (196, 205), (196, 206), (196, 207), (196, 208), (196, 209), (196, 210), (196, 211), (196, 212), (196, 213), (196, 214), (196, 215), (196, 216), (196, 217), (196, 218), (196, 219), (196, 220), (196, 221), (196, 222), (196, 223), (196, 224),
(196, 225), (196, 226), (196, 227), (196, 228), (196, 229), (196, 230), (196, 231), (196, 232), (196, 233), (196, 234), (196, 235), (196, 236), (196, 237), (196, 238), (196, 239), (196, 240), (196, 241), (196, 242), (196, 243), (196, 244), (196, 245), (196, 246), (196, 247), (196, 248), (196, 249), (196, 250), (196, 251), (196, 252), (196, 253), (196, 254), (196, 255), (196, 256), (196, 257), (196, 258), (196, 259), (196, 260), (196, 261), (196, 262), (196, 263), (196, 264), (196, 265), (196, 266), (196, 267), (196, 268), (196, 269), (196, 270), (196, 271), (196, 272), (196, 273), (196, 274), (196, 275), (196, 276), (196, 277), (196, 278), (196, 279), (196, 280), (196, 281), (196, 282), (196, 283), (196, 284), (196, 285), (196, 286), (196, 287), (196, 288), (196, 289), (196, 290), (196, 291), (196, 292), (196, 293), (196, 294), (196, 295), (196, 296),
(196, 297), (196, 298), (196, 299), (196, 300), (196, 301), (196, 302), (196, 303), (196, 304), (196, 305), (196, 306), (196, 307), (196, 308), (196, 309), (196, 310), (196, 311), (196, 312), (196, 313), (196, 314), (196, 315), (196, 316), (196, 317), (196, 318), (196, 320), (197, 202), (197, 204), (197, 205), (197, 206), (197, 207), (197, 208), (197, 209), (197, 210), (197, 211), (197, 212), (197, 213), (197, 214), (197, 215), (197, 216), (197, 217), (197, 218), (197, 219), (197, 220), (197, 221), (197, 222), (197, 223), (197, 224), (197, 225), (197, 226), (197, 227), (197, 228), (197, 229), (197, 230), (197, 231), (197, 232), (197, 233), (197, 234), (197, 235), (197, 236), (197, 237), (197, 238), (197, 239), (197, 240), (197, 241), (197, 242), (197, 243), (197, 244), (197, 245), (197, 246), (197, 247), (197, 248), (197, 249), (197, 250), (197, 251),
(197, 252), (197, 253), (197, 254), (197, 255), (197, 256), (197, 257), (197, 258), (197, 259), (197, 260), (197, 261), (197, 262), (197, 263), (197, 264), (197, 265), (197, 266), (197, 267), (197, 268), (197, 269), (197, 270), (197, 271), (197, 272), (197, 273), (197, 274), (197, 275), (197, 276), (197, 277), (197, 278), (197, 279), (197, 280), (197, 281), (197, 282), (197, 283), (197, 284), (197, 285), (197, 286), (197, 287), (197, 288), (197, 289), (197, 290), (197, 291), (197, 292), (197, 293), (197, 294), (197, 295), (197, 296), (197, 297), (197, 298), (197, 299), (197, 300), (197, 301), (197, 302), (197, 303), (197, 304), (197, 305), (197, 306), (197, 307), (197, 308), (197, 309), (197, 310), (197, 311), (197, 312), (197, 313), (197, 314), (197, 315), (197, 316), (197, 317), (197, 318), (197, 320), (198, 202), (198, 204), (198, 205), (198, 206),
(198, 207), (198, 208), (198, 209), (198, 210), (198, 211), (198, 212), (198, 213), (198, 214), (198, 215), (198, 216), (198, 217), (198, 218), (198, 219), (198, 220), (198, 221), (198, 222), (198, 223), (198, 224), (198, 225), (198, 226), (198, 227), (198, 228), (198, 229), (198, 230), (198, 231), (198, 232), (198, 233), (198, 234), (198, 235), (198, 236), (198, 237), (198, 238), (198, 239), (198, 240), (198, 241), (198, 242), (198, 243), (198, 244), (198, 245), (198, 246), (198, 247), (198, 248), (198, 249), (198, 250), (198, 251), (198, 252), (198, 253), (198, 254), (198, 255), (198, 256), (198, 257), (198, 258), (198, 259), (198, 260), (198, 261), (198, 262), (198, 263), (198, 264), (198, 265), (198, 266), (198, 267), (198, 268), (198, 269), (198, 270), (198, 271), (198, 272), (198, 273), (198, 274), (198, 275), (198, 276), (198, 277), (198, 278),
(198, 279), (198, 280), (198, 281), (198, 282), (198, 283), (198, 284), (198, 285), (198, 286), (198, 287), (198, 288), (198, 289), (198, 290), (198, 291), (198, 292), (198, 293), (198, 294), (198, 295), (198, 296), (198, 297), (198, 298), (198, 299), (198, 300), (198, 301), (198, 302), (198, 303), (198, 304), (198, 305), (198, 306), (198, 307), (198, 308), (198, 309), (198, 310), (198, 311), (198, 312), (198, 313), (198, 314), (198, 315), (198, 316), (198, 317), (198, 318), (198, 320), (199, 202), (199, 204), (199, 205), (199, 206), (199, 207), (199, 208), (199, 209), (199, 210), (199, 211), (199, 212), (199, 213), (199, 214), (199, 215), (199, 216), (199, 217), (199, 218), (199, 219), (199, 220), (199, 221), (199, 222), (199, 223), (199, 224), (199, 225), (199, 226), (199, 227), (199, 228), (199, 229), (199, 230), (199, 231), (199, 232), (199, 233),
(199, 234), (199, 235), (199, 236), (199, 237), (199, 238), (199, 239), (199, 240), (199, 241), (199, 242), (199, 243), (199, 244), (199, 245), (199, 246), (199, 247), (199, 248), (199, 249), (199, 250), (199, 251), (199, 252), (199, 253), (199, 254), (199, 255), (199, 256), (199, 257), (199, 258), (199, 259), (199, 260), (199, 261), (199, 262), (199, 263), (199, 264), (199, 265), (199, 266), (199, 267), (199, 268), (199, 269), (199, 270), (199, 271), (199, 272), (199, 273), (199, 274), (199, 275), (199, 276), (199, 277), (199, 278), (199, 279), (199, 280), (199, 281), (199, 282), (199, 283), (199, 284), (199, 285), (199, 286), (199, 287), (199, 288), (199, 289), (199, 290), (199, 291), (199, 292), (199, 293), (199, 294), (199, 295), (199, 296), (199, 297), (199, 298), (199, 299), (199, 300), (199, 301), (199, 302), (199, 303), (199, 304), (199, 305),
(199, 306), (199, 307), (199, 308), (199, 309), (199, 310), (199, 311), (199, 312), (199, 313), (199, 314), (199, 315), (199, 316), (199, 317), (199, 318), (199, 320), (200, 202), (200, 204), (200, 205), (200, 206), (200, 207), (200, 208), (200, 209), (200, 210), (200, 211), (200, 212), (200, 213), (200, 214), (200, 215), (200, 216), (200, 217), (200, 218), (200, 219), (200, 220), (200, 221), (200, 222), (200, 223), (200, 224), (200, 225), (200, 226), (200, 227), (200, 228), (200, 229), (200, 230), (200, 231), (200, 232), (200, 233), (200, 234), (200, 235), (200, 236), (200, 237), (200, 238), (200, 239), (200, 240), (200, 241), (200, 242), (200, 243), (200, 244), (200, 245), (200, 246), (200, 247), (200, 248), (200, 249), (200, 250), (200, 251), (200, 252), (200, 253), (200, 254), (200, 255), (200, 256), (200, 257), (200, 258), (200, 259), (200, 260),
(200, 261), (200, 262), (200, 263), (200, 264), (200, 265), (200, 266), (200, 267), (200, 268), (200, 269), (200, 270), (200, 271), (200, 272), (200, 273), (200, 274), (200, 275), (200, 276), (200, 277), (200, 278), (200, 279), (200, 280), (200, 281), (200, 282), (200, 283), (200, 284), (200, 285), (200, 286), (200, 287), (200, 288), (200, 289), (200, 290), (200, 291), (200, 292), (200, 293), (200, 294), (200, 295), (200, 296), (200, 297), (200, 298), (200, 299), (200, 300), (200, 301), (200, 302), (200, 303), (200, 304), (200, 305), (200, 306), (200, 307), (200, 308), (200, 309), (200, 310), (200, 311), (200, 312), (200, 313), (200, 314), (200, 315), (200, 316), (200, 317), (200, 318), (200, 319), (200, 321), (201, 202), (201, 204), (201, 205), (201, 206), (201, 207), (201, 208), (201, 209), (201, 210), (201, 211), (201, 212), (201, 213), (201, 214),
(201, 215), (201, 216), (201, 217), (201, 218), (201, 219), (201, 220), (201, 221), (201, 222), (201, 223), (201, 224), (201, 225), (201, 226), (201, 227), (201, 228), (201, 229), (201, 230), (201, 231), (201, 232), (201, 233), (201, 234), (201, 235), (201, 236), (201, 237), (201, 238), (201, 239), (201, 240), (201, 241), (201, 242), (201, 243), (201, 244), (201, 245), (201, 246), (201, 247), (201, 248), (201, 249), (201, 250), (201, 251), (201, 252), (201, 253), (201, 254), (201, 255), (201, 256), (201, 257), (201, 258), (201, 259), (201, 260), (201, 261), (201, 262), (201, 263), (201, 264), (201, 265), (201, 266), (201, 267), (201, 268), (201, 269), (201, 270), (201, 271), (201, 272), (201, 273), (201, 274), (201, 275), (201, 276), (201, 277), (201, 278), (201, 279), (201, 280), (201, 281), (201, 282), (201, 283), (201, 284), (201, 285), (201, 286),
(201, 287), (201, 288), (201, 289), (201, 290), (201, 291), (201, 292), (201, 293), (201, 294), (201, 295), (201, 296), (201, 297), (201, 298), (201, 299), (201, 300), (201, 301), (201, 302), (201, 303), (201, 304), (201, 305), (201, 306), (201, 307), (201, 308), (201, 309), (201, 310), (201, 311), (201, 312), (201, 313), (201, 314), (201, 315), (201, 316), (201, 317), (201, 318), (201, 319), (201, 321), (202, 202), (202, 204), (202, 205), (202, 206), (202, 207), (202, 208), (202, 209), (202, 210), (202, 211), (202, 212), (202, 213), (202, 214), (202, 215), (202, 216), (202, 217), (202, 218), (202, 219), (202, 220), (202, 221), (202, 222), (202, 223), (202, 224), (202, 225), (202, 226), (202, 227), (202, 228), (202, 229), (202, 230), (202, 231), (202, 232), (202, 233), (202, 234), (202, 235), (202, 236), (202, 237), (202, 238), (202, 239), (202, 240),
(202, 241), (202, 242), (202, 243), (202, 244), (202, 245), (202, 246), (202, 247), (202, 248), (202, 249), (202, 250), (202, 251), (202, 252), (202, 253), (202, 254), (202, 255), (202, 256), (202, 257), (202, 258), (202, 259), (202, 260), (202, 261), (202, 262), (202, 263), (202, 264), (202, 265), (202, 266), (202, 267), (202, 268), (202, 269), (202, 270), (202, 271), (202, 272), (202, 273), (202, 274), (202, 275), (202, 276), (202, 277), (202, 278), (202, 279), (202, 280), (202, 281), (202, 282), (202, 283), (202, 284), (202, 285), (202, 286), (202, 287), (202, 288), (202, 289), (202, 290), (202, 291), (202, 292), (202, 293), (202, 294), (202, 295), (202, 296), (202, 297), (202, 298), (202, 299), (202, 300), (202, 301), (202, 302), (202, 303), (202, 304), (202, 305), (202, 306), (202, 307), (202, 308), (202, 309), (202, 310), (202, 311), (202, 312),
(202, 313), (202, 314), (202, 315), (202, 316), (202, 317), (202, 318), (202, 319), (202, 321), (203, 202), (203, 204), (203, 205), (203, 206), (203, 207), (203, 208), (203, 209), (203, 210), (203, 211), (203, 212), (203, 213), (203, 214), (203, 215), (203, 216), (203, 217), (203, 218), (203, 219), (203, 220), (203, 221), (203, 222), (203, 223), (203, 224), (203, 225), (203, 226), (203, 227), (203, 228), (203, 229), (203, 230), (203, 231), (203, 232), (203, 233), (203, 234), (203, 235), (203, 236), (203, 237), (203, 238), (203, 239), (203, 240), (203, 241), (203, 242), (203, 243), (203, 244), (203, 245), (203, 246), (203, 247), (203, 248), (203, 249), (203, 250), (203, 251), (203, 252), (203, 253), (203, 254), (203, 255), (203, 256), (203, 257), (203, 258), (203, 259), (203, 260), (203, 261), (203, 262), (203, 263), (203, 264), (203, 265), (203, 266),
(203, 267), (203, 268), (203, 269), (203, 270), (203, 271), (203, 272), (203, 273), (203, 274), (203, 275), (203, 276), (203, 277), (203, 278), (203, 279), (203, 280), (203, 281), (203, 282), (203, 283), (203, 284), (203, 285), (203, 286), (203, 287), (203, 288), (203, 289), (203, 290), (203, 291), (203, 292), (203, 293), (203, 294), (203, 295), (203, 296), (203, 297), (203, 298), (203, 299), (203, 300), (203, 301), (203, 302), (203, 303), (203, 304), (203, 305), (203, 306), (203, 307), (203, 308), (203, 309), (203, 310), (203, 311), (203, 312), (203, 313), (203, 314), (203, 315), (203, 316), (203, 317), (203, 318), (203, 319), (203, 320), (203, 322), (204, 202), (204, 204), (204, 205), (204, 206), (204, 207), (204, 208), (204, 209), (204, 210), (204, 211), (204, 212), (204, 213), (204, 214), (204, 215), (204, 216), (204, 217), (204, 218), (204, 219),
(204, 220), (204, 221), (204, 222), (204, 223), (204, 224), (204, 225), (204, 226), (204, 227), (204, 228), (204, 229), (204, 230), (204, 231), (204, 232), (204, 233), (204, 234), (204, 235), (204, 236), (204, 237), (204, 238), (204, 239), (204, 240), (204, 241), (204, 242), (204, 243), (204, 244), (204, 245), (204, 246), (204, 247), (204, 248), (204, 249), (204, 250), (204, 251), (204, 252), (204, 253), (204, 254), (204, 255), (204, 256), (204, 257), (204, 258), (204, 259), (204, 260), (204, 261), (204, 262), (204, 263), (204, 264), (204, 265), (204, 266), (204, 267), (204, 268), (204, 269), (204, 270), (204, 271), (204, 272), (204, 273), (204, 274), (204, 275), (204, 276), (204, 277), (204, 278), (204, 279), (204, 280), (204, 281), (204, 282), (204, 283), (204, 284), (204, 285), (204, 286), (204, 287), (204, 288), (204, 289), (204, 290), (204, 291),
(204, 292), (204, 293), (204, 294), (204, 295), (204, 296), (204, 297), (204, 298), (204, 299), (204, 300), (204, 301), (204, 302), (204, 303), (204, 304), (204, 305), (204, 306), (204, 307), (204, 308), (204, 309), (204, 310), (204, 311), (204, 312), (204, 313), (204, 314), (204, 315), (204, 316), (204, 317), (204, 318), (204, 319), (204, 320), (204, 322), (205, 202), (205, 204), (205, 205), (205, 206), (205, 207), (205, 208), (205, 209), (205, 210), (205, 211), (205, 212), (205, 213), (205, 214), (205, 215), (205, 216), (205, 217), (205, 218), (205, 219), (205, 220), (205, 221), (205, 222), (205, 223), (205, 224), (205, 225), (205, 226), (205, 227), (205, 228), (205, 229), (205, 230), (205, 231), (205, 232), (205, 233), (205, 234), (205, 235), (205, 236), (205, 237), (205, 238), (205, 239), (205, 240), (205, 241), (205, 242), (205, 243), (205, 244),
(205, 245), (205, 246), (205, 247), (205, 248), (205, 249), (205, 250), (205, 251), (205, 252), (205, 253), (205, 254), (205, 255), (205, 256), (205, 257), (205, 258), (205, 259), (205, 260), (205, 261), (205, 262), (205, 263), (205, 264), (205, 265), (205, 266), (205, 267), (205, 268), (205, 269), (205, 270), (205, 271), (205, 272), (205, 273), (205, 274), (205, 275), (205, 276), (205, 277), (205, 278), (205, 279), (205, 280), (205, 281), (205, 282), (205, 283), (205, 284), (205, 285), (205, 286), (205, 287), (205, 288), (205, 289), (205, 290), (205, 291), (205, 292), (205, 293), (205, 294), (205, 295), (205, 296), (205, 297), (205, 298), (205, 299), (205, 300), (205, 301), (205, 302), (205, 303), (205, 304), (205, 305), (205, 306), (205, 307), (205, 308), (205, 309), (205, 310), (205, 311), (205, 312), (205, 313), (205, 314), (205, 315), (205, 316),
(205, 317), (205, 318), (205, 319), (205, 320), (205, 322), (206, 202), (206, 204), (206, 205), (206, 206), (206, 207), (206, 208), (206, 209), (206, 210), (206, 211), (206, 212), (206, 213), (206, 214), (206, 215), (206, 216), (206, 217), (206, 218), (206, 219), (206, 220), (206, 221), (206, 222), (206, 223), (206, 224), (206, 225), (206, 226), (206, 227), (206, 228), (206, 229), (206, 230), (206, 231), (206, 232), (206, 233), (206, 234), (206, 235), (206, 236), (206, 237), (206, 238), (206, 239), (206, 240), (206, 241), (206, 242), (206, 243), (206, 244), (206, 245), (206, 246), (206, 247), (206, 248), (206, 249), (206, 250), (206, 251), (206, 252), (206, 253), (206, 254), (206, 255), (206, 256), (206, 257), (206, 258), (206, 259), (206, 260), (206, 261), (206, 262), (206, 263), (206, 264), (206, 265), (206, 266), (206, 267), (206, 268), (206, 269),
(206, 270), (206, 271), (206, 272), (206, 273), (206, 274), (206, 275), (206, 276), (206, 277), (206, 278), (206, 279), (206, 280), (206, 281), (206, 282), (206, 283), (206, 284), (206, 285), (206, 286), (206, 287), (206, 288), (206, 289), (206, 290), (206, 291), (206, 292), (206, 293), (206, 294), (206, 295), (206, 296), (206, 297), (206, 298), (206, 299), (206, 300), (206, 301), (206, 302), (206, 303), (206, 304), (206, 305), (206, 306), (206, 307), (206, 308), (206, 309), (206, 310), (206, 311), (206, 312), (206, 313), (206, 314), (206, 315), (206, 316), (206, 317), (206, 318), (206, 319), (206, 320), (206, 322), (207, 202), (207, 204), (207, 205), (207, 206), (207, 207), (207, 208), (207, 209), (207, 210), (207, 211), (207, 212), (207, 213), (207, 214), (207, 215), (207, 216), (207, 217), (207, 218), (207, 219), (207, 220), (207, 221), (207, 222),
(207, 223), (207, 224), (207, 225), (207, 226), (207, 227), (207, 228), (207, 229), (207, 230), (207, 231), (207, 232), (207, 233), (207, 234), (207, 235), (207, 236), (207, 237), (207, 238), (207, 239), (207, 240), (207, 241), (207, 242), (207, 243), (207, 244), (207, 245), (207, 246), (207, 247), (207, 248), (207, 249), (207, 250), (207, 251), (207, 252), (207, 253), (207, 254), (207, 255), (207, 256), (207, 257), (207, 258), (207, 259), (207, 260), (207, 261), (207, 262), (207, 263), (207, 264), (207, 265), (207, 266), (207, 267), (207, 268), (207, 269), (207, 270), (207, 271), (207, 272), (207, 273), (207, 274), (207, 275), (207, 276), (207, 277), (207, 278), (207, 279), (207, 280), (207, 281), (207, 282), (207, 283), (207, 284), (207, 285), (207, 286), (207, 287), (207, 288), (207, 289), (207, 290), (207, 291), (207, 292), (207, 293), (207, 294),
(207, 295), (207, 296), (207, 297), (207, 298), (207, 299), (207, 300), (207, 301), (207, 302), (207, 303), (207, 304), (207, 305), (207, 306), (207, 307), (207, 308), (207, 309), (207, 310), (207, 311), (207, 312), (207, 313), (207, 314), (207, 315), (207, 316), (207, 317), (207, 318), (207, 319), (207, 320), (207, 322), (208, 202), (208, 204), (208, 205), (208, 206), (208, 207), (208, 208), (208, 209), (208, 210), (208, 211), (208, 212), (208, 213), (208, 214), (208, 215), (208, 216), (208, 217), (208, 218), (208, 219), (208, 220), (208, 221), (208, 222), (208, 223), (208, 224), (208, 225), (208, 226), (208, 227), (208, 228), (208, 229), (208, 230), (208, 231), (208, 232), (208, 233), (208, 234), (208, 235), (208, 236), (208, 237), (208, 238), (208, 239), (208, 240), (208, 241), (208, 242), (208, 243), (208, 244), (208, 245), (208, 246), (208, 247),
(208, 248), (208, 249), (208, 250), (208, 251), (208, 252), (208, 253), (208, 254), (208, 255), (208, 256), (208, 257), (208, 258), (208, 259), (208, 260), (208, 261), (208, 262), (208, 263), (208, 264), (208, 265), (208, 266), (208, 267), (208, 268), (208, 269), (208, 270), (208, 271), (208, 272), (208, 273), (208, 274), (208, 275), (208, 276), (208, 277), (208, 278), (208, 279), (208, 280), (208, 281), (208, 282), (208, 283), (208, 284), (208, 285), (208, 286), (208, 287), (208, 288), (208, 289), (208, 290), (208, 291), (208, 292), (208, 293), (208, 294), (208, 295), (208, 296), (208, 297), (208, 298), (208, 299), (208, 300), (208, 301), (208, 302), (208, 303), (208, 304), (208, 305), (208, 306), (208, 307), (208, 308), (208, 309), (208, 310), (208, 311), (208, 312), (208, 313), (208, 314), (208, 315), (208, 316), (208, 317), (208, 318), (208, 319),
(208, 320), (208, 321), (208, 323), (209, 202), (209, 204), (209, 205), (209, 206), (209, 207), (209, 208), (209, 209), (209, 210), (209, 211), (209, 212), (209, 213), (209, 214), (209, 215), (209, 216), (209, 217), (209, 218), (209, 219), (209, 220), (209, 221), (209, 222), (209, 223), (209, 224), (209, 225), (209, 226), (209, 227), (209, 228), (209, 229), (209, 230), (209, 231), (209, 232), (209, 233), (209, 234), (209, 235), (209, 236), (209, 237), (209, 238), (209, 239), (209, 240), (209, 241), (209, 242), (209, 243), (209, 244), (209, 245), (209, 246), (209, 247), (209, 248), (209, 249), (209, 250), (209, 251), (209, 252), (209, 253), (209, 254), (209, 255), (209, 256), (209, 257), (209, 258), (209, 259), (209, 260), (209, 261), (209, 262), (209, 263), (209, 264), (209, 265), (209, 266), (209, 267), (209, 268), (209, 269), (209, 270), (209, 271),
(209, 272), (209, 273), (209, 274), (209, 275), (209, 276), (209, 277), (209, 278), (209, 279), (209, 280), (209, 281), (209, 282), (209, 283), (209, 284), (209, 285), (209, 286), (209, 287), (209, 288), (209, 289), (209, 290), (209, 291), (209, 292), (209, 293), (209, 294), (209, 295), (209, 296), (209, 297), (209, 298), (209, 299), (209, 300), (209, 301), (209, 302), (209, 303), (209, 304), (209, 305), (209, 306), (209, 307), (209, 308), (209, 309), (209, 310), (209, 311), (209, 312), (209, 313), (209, 314), (209, 315), (209, 316), (209, 317), (209, 318), (209, 319), (209, 320), (209, 321), (209, 323), (210, 202), (210, 204), (210, 205), (210, 206), (210, 207), (210, 208), (210, 209), (210, 210), (210, 211), (210, 212), (210, 213), (210, 214), (210, 215), (210, 216), (210, 217), (210, 218), (210, 219), (210, 220), (210, 221), (210, 222), (210, 223),
(210, 224), (210, 225), (210, 226), (210, 227), (210, 228), (210, 229), (210, 230), (210, 231), (210, 232), (210, 233), (210, 234), (210, 235), (210, 236), (210, 237), (210, 238), (210, 239), (210, 240), (210, 241), (210, 242), (210, 243), (210, 244), (210, 245), (210, 246), (210, 247), (210, 248), (210, 249), (210, 250), (210, 251), (210, 252), (210, 253), (210, 254), (210, 255), (210, 256), (210, 257), (210, 258), (210, 259), (210, 260), (210, 261), (210, 262), (210, 263), (210, 264), (210, 265), (210, 266), (210, 267), (210, 268), (210, 269), (210, 270), (210, 271), (210, 272), (210, 273), (210, 274), (210, 275), (210, 276), (210, 277), (210, 278), (210, 279), (210, 280), (210, 281), (210, 282), (210, 283), (210, 284), (210, 285), (210, 286), (210, 287), (210, 288), (210, 289), (210, 290), (210, 291), (210, 292), (210, 293), (210, 294), (210, 295),
(210, 296), (210, 297), (210, 298), (210, 299), (210, 300), (210, 301), (210, 302), (210, 303), (210, 304), (210, 305), (210, 306), (210, 307), (210, 308), (210, 309), (210, 310), (210, 311), (210, 312), (210, 313), (210, 314), (210, 315), (210, 316), (210, 317), (210, 318), (210, 319), (210, 320), (210, 321), (210, 323), (211, 202), (211, 204), (211, 205), (211, 206), (211, 207), (211, 208), (211, 209), (211, 210), (211, 211), (211, 212), (211, 213), (211, 214), (211, 215), (211, 216), (211, 217), (211, 218), (211, 219), (211, 220), (211, 221), (211, 222), (211, 223), (211, 224), (211, 225), (211, 226), (211, 227), (211, 228), (211, 229), (211, 230), (211, 231), (211, 232), (211, 233), (211, 234), (211, 235), (211, 236), (211, 237), (211, 238), (211, 239), (211, 240), (211, 241), (211, 242), (211, 243), (211, 244), (211, 245), (211, 246), (211, 247),
(211, 248), (211, 249), (211, 250), (211, 251), (211, 252), (211, 253), (211, 254), (211, 255), (211, 256), (211, 257), (211, 258), (211, 259), (211, 260), (211, 261), (211, 262), (211, 263), (211, 264), (211, 265), (211, 266), (211, 267), (211, 268), (211, 269), (211, 270), (211, 271), (211, 272), (211, 273), (211, 274), (211, 275), (211, 276), (211, 277), (211, 278), (211, 279), (211, 280), (211, 281), (211, 282), (211, 283), (211, 284), (211, 285), (211, 286), (211, 287), (211, 288), (211, 289), (211, 290), (211, 291), (211, 292), (211, 293), (211, 294), (211, 295), (211, 296), (211, 297), (211, 298), (211, 299), (211, 300), (211, 301), (211, 302), (211, 303), (211, 304), (211, 305), (211, 306), (211, 307), (211, 308), (211, 309), (211, 310), (211, 311), (211, 312), (211, 313), (211, 314), (211, 315), (211, 316), (211, 317), (211, 318), (211, 319),
(211, 320), (211, 321), (211, 323), (212, 202), (212, 204), (212, 205), (212, 206), (212, 207), (212, 208), (212, 209), (212, 210), (212, 211), (212, 212), (212, 213), (212, 214), (212, 215), (212, 216), (212, 217), (212, 218), (212, 219), (212, 220), (212, 221), (212, 222), (212, 223), (212, 224), (212, 225), (212, 226), (212, 227), (212, 228), (212, 229), (212, 230), (212, 231), (212, 232), (212, 233), (212, 234), (212, 235), (212, 236), (212, 237), (212, 238), (212, 239), (212, 240), (212, 241), (212, 242), (212, 243), (212, 244), (212, 245), (212, 246), (212, 247), (212, 248), (212, 249), (212, 250), (212, 251), (212, 252), (212, 253), (212, 254), (212, 255), (212, 256), (212, 257), (212, 258), (212, 259), (212, 260), (212, 261), (212, 262), (212, 263), (212, 264), (212, 265), (212, 266), (212, 267), (212, 268), (212, 269), (212, 270), (212, 271),
(212, 272), (212, 273), (212, 274), (212, 275), (212, 276), (212, 277), (212, 278), (212, 279), (212, 280), (212, 281), (212, 282), (212, 283), (212, 284), (212, 285), (212, 286), (212, 287), (212, 288), (212, 289), (212, 290), (212, 291), (212, 292), (212, 293), (212, 294), (212, 295), (212, 296), (212, 297), (212, 298), (212, 299), (212, 300), (212, 301), (212, 302), (212, 303), (212, 304), (212, 305), (212, 306), (212, 307), (212, 308), (212, 309), (212, 310), (212, 311), (212, 312), (212, 313), (212, 314), (212, 315), (212, 316), (212, 317), (212, 318), (212, 319), (212, 320), (212, 321), (212, 323), (213, 202), (213, 204), (213, 205), (213, 206), (213, 207), (213, 208), (213, 209), (213, 210), (213, 211), (213, 212), (213, 213), (213, 214), (213, 215), (213, 216), (213, 217), (213, 218), (213, 219), (213, 220), (213, 221), (213, 222), (213, 223),
(213, 224), (213, 225), (213, 226), (213, 227), (213, 228), (213, 229), (213, 230), (213, 231), (213, 232), (213, 233), (213, 234), (213, 235), (213, 236), (213, 237), (213, 238), (213, 239), (213, 240), (213, 241), (213, 242), (213, 243), (213, 244), (213, 245), (213, 246), (213, 247), (213, 248), (213, 249), (213, 250), (213, 251), (213, 252), (213, 253), (213, 254), (213, 255), (213, 256), (213, 257), (213, 258), (213, 259), (213, 260), (213, 261), (213, 262), (213, 263), (213, 264), (213, 265), (213, 266), (213, 267), (213, 268), (213, 269), (213, 270), (213, 271), (213, 272), (213, 273), (213, 274), (213, 275), (213, 276), (213, 277), (213, 278), (213, 279), (213, 280), (213, 281), (213, 282), (213, 283), (213, 284), (213, 285), (213, 286), (213, 287), (213, 288), (213, 289), (213, 290), (213, 291), (213, 292), (213, 293), (213, 294), (213, 295),
(213, 296), (213, 297), (213, 298), (213, 299), (213, 300), (213, 301), (213, 302), (213, 303), (213, 304), (213, 305), (213, 306), (213, 307), (213, 308), (213, 309), (213, 310), (213, 311), (213, 312), (213, 313), (213, 314), (213, 315), (213, 316), (213, 317), (213, 318), (213, 319), (213, 320), (213, 321), (213, 322), (213, 324), (214, 202), (214, 204), (214, 205), (214, 206), (214, 207), (214, 208), (214, 209), (214, 210), (214, 211), (214, 212), (214, 213), (214, 214), (214, 215), (214, 216), (214, 217), (214, 218), (214, 219), (214, 220), (214, 221), (214, 222), (214, 223), (214, 224), (214, 225), (214, 226), (214, 227), (214, 228), (214, 229), (214, 230), (214, 231), (214, 232), (214, 233), (214, 234), (214, 235), (214, 236), (214, 237), (214, 238), (214, 239), (214, 240), (214, 241), (214, 242), (214, 243), (214, 244), (214, 245), (214, 246),
(214, 247), (214, 248), (214, 249), (214, 250), (214, 251), (214, 252), (214, 253), (214, 254), (214, 255), (214, 256), (214, 257), (214, 258), (214, 259), (214, 260), (214, 261), (214, 262), (214, 263), (214, 264), (214, 265), (214, 266), (214, 267), (214, 268), (214, 269), (214, 270), (214, 271), (214, 272), (214, 273), (214, 274), (214, 275), (214, 276), (214, 277), (214, 278), (214, 279), (214, 280), (214, 281), (214, 282), (214, 283), (214, 284), (214, 285), (214, 286), (214, 287), (214, 288), (214, 289), (214, 290), (214, 291), (214, 292), (214, 293), (214, 294), (214, 295), (214, 296), (214, 297), (214, 298), (214, 299), (214, 300), (214, 301), (214, 302), (214, 303), (214, 304), (214, 305), (214, 306), (214, 307), (214, 308), (214, 309), (214, 310), (214, 311), (214, 312), (214, 313), (214, 314), (214, 315), (214, 316), (214, 317), (214, 318),
(214, 319), (214, 320), (214, 321), (214, 322), (214, 324), (215, 202), (215, 204), (215, 205), (215, 206), (215, 207), (215, 208), (215, 209), (215, 210), (215, 211), (215, 212), (215, 213), (215, 214), (215, 215), (215, 216), (215, 217), (215, 218), (215, 219), (215, 220), (215, 221), (215, 222), (215, 223), (215, 224), (215, 225), (215, 226), (215, 227), (215, 228), (215, 229), (215, 230), (215, 231), (215, 232), (215, 233), (215, 234), (215, 235), (215, 236), (215, 237), (215, 238), (215, 239), (215, 240), (215, 241), (215, 242), (215, 243), (215, 244), (215, 245), (215, 246), (215, 247), (215, 248), (215, 249), (215, 250), (215, 251), (215, 252), (215, 253), (215, 254), (215, 255), (215, 256), (215, 257), (215, 258), (215, 259), (215, 260), (215, 261), (215, 262), (215, 263), (215, 264), (215, 265), (215, 266), (215, 267), (215, 268), (215, 269),
(215, 270), (215, 271), (215, 272), (215, 273), (215, 274), (215, 275), (215, 276), (215, 277), (215, 278), (215, 279), (215, 280), (215, 281), (215, 282), (215, 283), (215, 284), (215, 285), (215, 286), (215, 287), (215, 288), (215, 289), (215, 290), (215, 291), (215, 292), (215, 293), (215, 294), (215, 295), (215, 296), (215, 297), (215, 298), (215, 299), (215, 300), (215, 301), (215, 302), (215, 303), (215, 304), (215, 305), (215, 306), (215, 307), (215, 308), (215, 309), (215, 310), (215, 311), (215, 312), (215, 313), (215, 314), (215, 315), (215, 316), (215, 317), (215, 318), (215, 319), (215, 320), (215, 321), (215, 322), (215, 324), (216, 202), (216, 204), (216, 205), (216, 206), (216, 207), (216, 208), (216, 209), (216, 210), (216, 211), (216, 212), (216, 213), (216, 214), (216, 215), (216, 216), (216, 217), (216, 218), (216, 219), (216, 220),
(216, 221), (216, 222), (216, 223), (216, 224), (216, 225), (216, 226), (216, 227), (216, 228), (216, 229), (216, 230), (216, 231), (216, 232), (216, 233), (216, 234), (216, 235), (216, 236), (216, 237), (216, 238), (216, 239), (216, 240), (216, 241), (216, 242), (216, 243), (216, 244), (216, 245), (216, 246), (216, 247), (216, 248), (216, 249), (216, 250), (216, 251), (216, 252), (216, 253), (216, 254), (216, 255), (216, 256), (216, 257), (216, 258), (216, 259), (216, 260), (216, 261), (216, 262), (216, 263), (216, 264), (216, 265), (216, 266), (216, 267), (216, 268), (216, 269), (216, 270), (216, 271), (216, 272), (216, 273), (216, 274), (216, 275), (216, 276), (216, 277), (216, 278), (216, 279), (216, 280), (216, 281), (216, 282), (216, 283), (216, 284), (216, 285), (216, 286), (216, 287), (216, 288), (216, 289), (216, 290), (216, 291), (216, 292),
(216, 293), (216, 294), (216, 295), (216, 296), (216, 297), (216, 298), (216, 299), (216, 300), (216, 301), (216, 302), (216, 303), (216, 304), (216, 305), (216, 306), (216, 307), (216, 308), (216, 309), (216, 310), (216, 311), (216, 312), (216, 313), (216, 314), (216, 315), (216, 316), (216, 317), (216, 318), (216, 319), (216, 320), (216, 321), (216, 322), (216, 324), (217, 202), (217, 204), (217, 205), (217, 206), (217, 207), (217, 208), (217, 209), (217, 210), (217, 211), (217, 212), (217, 213), (217, 214), (217, 215), (217, 216), (217, 217), (217, 218), (217, 219), (217, 220), (217, 221), (217, 222), (217, 223), (217, 224), (217, 225), (217, 226), (217, 227), (217, 228), (217, 229), (217, 230), (217, 231), (217, 232), (217, 233), (217, 234), (217, 235), (217, 236), (217, 237), (217, 238), (217, 239), (217, 240), (217, 241), (217, 242), (217, 243),
(217, 244), (217, 245), (217, 246), (217, 247), (217, 248), (217, 249), (217, 250), (217, 251), (217, 252), (217, 253), (217, 254), (217, 255), (217, 256), (217, 257), (217, 258), (217, 259), (217, 260), (217, 261), (217, 262), (217, 263), (217, 264), (217, 265), (217, 266), (217, 267), (217, 268), (217, 269), (217, 270), (217, 271), (217, 272), (217, 273), (217, 274), (217, 275), (217, 276), (217, 277), (217, 278), (217, 279), (217, 280), (217, 281), (217, 282), (217, 283), (217, 284), (217, 285), (217, 286), (217, 287), (217, 288), (217, 289), (217, 290), (217, 291), (217, 292), (217, 293), (217, 294), (217, 295), (217, 296), (217, 297), (217, 298), (217, 299), (217, 300), (217, 301), (217, 302), (217, 303), (217, 304), (217, 305), (217, 306), (217, 307), (217, 308), (217, 309), (217, 310), (217, 311), (217, 312), (217, 313), (217, 314), (217, 315),
(217, 316), (217, 317), (217, 318), (217, 319), (217, 320), (217, 321), (217, 322), (217, 324), (218, 202), (218, 204), (218, 205), (218, 206), (218, 207), (218, 208), (218, 209), (218, 210), (218, 211), (218, 212), (218, 213), (218, 214), (218, 215), (218, 216), (218, 217), (218, 218), (218, 219), (218, 220), (218, 221), (218, 222), (218, 223), (218, 224), (218, 225), (218, 226), (218, 227), (218, 228), (218, 229), (218, 230), (218, 231), (218, 232), (218, 233), (218, 234), (218, 235), (218, 236), (218, 237), (218, 238), (218, 239), (218, 240), (218, 241), (218, 242), (218, 243), (218, 244), (218, 245), (218, 246), (218, 247), (218, 248), (218, 249), (218, 250), (218, 251), (218, 252), (218, 253), (218, 254), (218, 255), (218, 256), (218, 257), (218, 258), (218, 259), (218, 260), (218, 261), (218, 262), (218, 263), (218, 264), (218, 265), (218, 266),
(218, 267), (218, 268), (218, 269), (218, 270), (218, 271), (218, 272), (218, 273), (218, 274), (218, 275), (218, 276), (218, 277), (218, 278), (218, 279), (218, 280), (218, 281), (218, 282), (218, 283), (218, 284), (218, 285), (218, 286), (218, 287), (218, 288), (218, 289), (218, 290), (218, 291), (218, 292), (218, 293), (218, 294), (218, 295), (218, 296), (218, 297), (218, 298), (218, 299), (218, 300), (218, 301), (218, 302), (218, 303), (218, 304), (218, 305), (218, 306), (218, 307), (218, 308), (218, 309), (218, 310), (218, 311), (218, 312), (218, 313), (218, 314), (218, 315), (218, 316), (218, 317), (218, 318), (218, 319), (218, 320), (218, 321), (218, 322), (218, 324), (219, 202), (219, 204), (219, 205), (219, 206), (219, 207), (219, 208), (219, 209), (219, 210), (219, 211), (219, 212), (219, 213), (219, 214), (219, 215), (219, 216), (219, 217),
(219, 218), (219, 219), (219, 220), (219, 221), (219, 222), (219, 223), (219, 224), (219, 225), (219, 226), (219, 227), (219, 228), (219, 229), (219, 230), (219, 231), (219, 232), (219, 233), (219, 234), (219, 235), (219, 236), (219, 237), (219, 238), (219, 239), (219, 240), (219, 241), (219, 242), (219, 243), (219, 244), (219, 245), (219, 246), (219, 247), (219, 248), (219, 249), (219, 250), (219, 251), (219, 252), (219, 253), (219, 254), (219, 255), (219, 256), (219, 257), (219, 258), (219, 259), (219, 260), (219, 261), (219, 262), (219, 263), (219, 264), (219, 265), (219, 266), (219, 267), (219, 268), (219, 269), (219, 270), (219, 271), (219, 272), (219, 273), (219, 274), (219, 275), (219, 276), (219, 277), (219, 278), (219, 279), (219, 280), (219, 281), (219, 282), (219, 283), (219, 284), (219, 285), (219, 286), (219, 287), (219, 288), (219, 289),
(219, 290), (219, 291), (219, 292), (219, 293), (219, 294), (219, 295), (219, 296), (219, 297), (219, 298), (219, 299), (219, 300), (219, 301), (219, 302), (219, 303), (219, 304), (219, 305), (219, 306), (219, 307), (219, 308), (219, 309), (219, 310), (219, 311), (219, 312), (219, 313), (219, 314), (219, 315), (219, 316), (219, 317), (219, 318), (219, 319), (219, 320), (219, 321), (219, 322), (219, 324), (220, 202), (220, 204), (220, 205), (220, 206), (220, 207), (220, 208), (220, 209), (220, 210), (220, 211), (220, 212), (220, 213), (220, 214), (220, 215), (220, 216), (220, 217), (220, 218), (220, 219), (220, 220), (220, 221), (220, 222), (220, 223), (220, 224), (220, 225), (220, 226), (220, 227), (220, 228), (220, 229), (220, 230), (220, 231), (220, 232), (220, 233), (220, 234), (220, 235), (220, 236), (220, 237), (220, 238), (220, 239), (220, 240),
(220, 241), (220, 242), (220, 243), (220, 244), (220, 245), (220, 246), (220, 247), (220, 248), (220, 249), (220, 250), (220, 251), (220, 252), (220, 253), (220, 254), (220, 255), (220, 256), (220, 257), (220, 258), (220, 259), (220, 260), (220, 261), (220, 262), (220, 263), (220, 264), (220, 265), (220, 266), (220, 267), (220, 268), (220, 269), (220, 270), (220, 271), (220, 272), (220, 273), (220, 274), (220, 275), (220, 276), (220, 277), (220, 278), (220, 279), (220, 280), (220, 281), (220, 282), (220, 283), (220, 284), (220, 285), (220, 286), (220, 287), (220, 288), (220, 289), (220, 290), (220, 291), (220, 292), (220, 293), (220, 294), (220, 295), (220, 296), (220, 297), (220, 298), (220, 299), (220, 300), (220, 301), (220, 302), (220, 303), (220, 304), (220, 305), (220, 306), (220, 307), (220, 308), (220, 309), (220, 310), (220, 311), (220, 312),
(220, 313), (220, 314), (220, 315), (220, 316), (220, 317), (220, 318), (220, 319), (220, 320), (220, 321), (220, 322), (220, 323), (220, 324), (220, 325), (221, 202), (221, 204), (221, 205), (221, 206), (221, 207), (221, 208), (221, 209), (221, 210), (221, 211), (221, 212), (221, 213), (221, 214), (221, 215), (221, 216), (221, 217), (221, 218), (221, 219), (221, 220), (221, 221), (221, 222), (221, 223), (221, 224), (221, 225), (221, 226), (221, 227), (221, 228), (221, 229), (221, 230), (221, 231), (221, 232), (221, 233), (221, 234), (221, 235), (221, 236), (221, 237), (221, 238), (221, 239), (221, 240), (221, 241), (221, 242), (221, 243), (221, 244), (221, 245), (221, 246), (221, 247), (221, 248), (221, 249), (221, 250), (221, 251), (221, 252), (221, 253), (221, 254), (221, 255), (221, 256), (221, 257), (221, 258), (221, 259), (221, 260), (221, 261),
(221, 262), (221, 263), (221, 264), (221, 265), (221, 266), (221, 267), (221, 268), (221, 269), (221, 270), (221, 271), (221, 272), (221, 273), (221, 274), (221, 275), (221, 276), (221, 277), (221, 278), (221, 279), (221, 280), (221, 281), (221, 282), (221, 283), (221, 284), (221, 285), (221, 286), (221, 287), (221, 288), (221, 289), (221, 290), (221, 291), (221, 292), (221, 293), (221, 294), (221, 295), (221, 296), (221, 297), (221, 298), (221, 299), (221, 300), (221, 301), (221, 302), (221, 303), (221, 304), (221, 305), (221, 306), (221, 307), (221, 308), (221, 309), (221, 310), (221, 311), (221, 312), (221, 313), (221, 314), (221, 315), (221, 316), (221, 317), (221, 318), (221, 319), (221, 320), (221, 321), (221, 322), (221, 323), (221, 325), (222, 202), (222, 204), (222, 205), (222, 206), (222, 207), (222, 208), (222, 209), (222, 210), (222, 211),
(222, 212), (222, 213), (222, 214), (222, 215), (222, 216), (222, 217), (222, 218), (222, 219), (222, 220), (222, 221), (222, 222), (222, 223), (222, 224), (222, 225), (222, 226), (222, 227), (222, 228), (222, 229), (222, 230), (222, 231), (222, 232), (222, 233), (222, 234), (222, 235), (222, 236), (222, 237), (222, 238), (222, 239), (222, 240), (222, 241), (222, 242), (222, 243), (222, 244), (222, 245), (222, 246), (222, 247), (222, 248), (222, 249), (222, 250), (222, 251), (222, 252), (222, 253), (222, 254), (222, 255), (222, 256), (222, 257), (222, 258), (222, 259), (222, 260), (222, 261), (222, 262), (222, 263), (222, 264), (222, 265), (222, 266), (222, 267), (222, 268), (222, 269), (222, 270), (222, 271), (222, 272), (222, 273), (222, 274), (222, 275), (222, 276), (222, 277), (222, 278), (222, 279), (222, 280), (222, 281), (222, 282), (222, 283),
(222, 284), (222, 285), (222, 286), (222, 287), (222, 288), (222, 289), (222, 290), (222, 291), (222, 292), (222, 293), (222, 294), (222, 295), (222, 296), (222, 297), (222, 298), (222, 299), (222, 300), (222, 301), (222, 302), (222, 303), (222, 304), (222, 305), (222, 306), (222, 307), (222, 308), (222, 309), (222, 310), (222, 311), (222, 312), (222, 313), (222, 314), (222, 315), (222, 316), (222, 317), (222, 318), (222, 319), (222, 320), (222, 321), (222, 322), (222, 323), (222, 325), (223, 202), (223, 204), (223, 205), (223, 206), (223, 207), (223, 208), (223, 209), (223, 210), (223, 211), (223, 212), (223, 213), (223, 214), (223, 215), (223, 216), (223, 217), (223, 218), (223, 219), (223, 220), (223, 221), (223, 222), (223, 223), (223, 224), (223, 225), (223, 226), (223, 227), (223, 228), (223, 229), (223, 230), (223, 231), (223, 232), (223, 233),
(223, 234), (223, 235), (223, 236), (223, 237), (223, 238), (223, 239), (223, 240), (223, 241), (223, 242), (223, 243), (223, 244), (223, 245), (223, 246), (223, 247), (223, 248), (223, 249), (223, 250), (223, 251), (223, 252), (223, 253), (223, 254), (223, 255), (223, 256), (223, 257), (223, 258), (223, 259), (223, 260), (223, 261), (223, 262), (223, 263), (223, 264), (223, 265), (223, 266), (223, 267), (223, 268), (223, 269), (223, 270), (223, 271), (223, 272), (223, 273), (223, 274), (223, 275), (223, 276), (223, 277), (223, 278), (223, 279), (223, 280), (223, 281), (223, 282), (223, 283), (223, 284), (223, 285), (223, 286), (223, 287), (223, 288), (223, 289), (223, 290), (223, 291), (223, 292), (223, 293), (223, 294), (223, 295), (223, 296), (223, 297), (223, 298), (223, 299), (223, 300), (223, 301), (223, 302), (223, 303), (223, 304), (223, 305),
(223, 306), (223, 307), (223, 308), (223, 309), (223, 310), (223, 311), (223, 312), (223, 313), (223, 314), (223, 315), (223, 316), (223, 317), (223, 318), (223, 319), (223, 320), (223, 321), (223, 322), (223, 323), (223, 325), (224, 202), (224, 204), (224, 205), (224, 206), (224, 207), (224, 208), (224, 209), (224, 210), (224, 211), (224, 212), (224, 213), (224, 214), (224, 215), (224, 216), (224, 217), (224, 218), (224, 219), (224, 220), (224, 221), (224, 222), (224, 223), (224, 224), (224, 225), (224, 226), (224, 227), (224, 228), (224, 229), (224, 230), (224, 231), (224, 232), (224, 233), (224, 234), (224, 235), (224, 236), (224, 237), (224, 238), (224, 239), (224, 240), (224, 241), (224, 242), (224, 243), (224, 244), (224, 245), (224, 246), (224, 247), (224, 248), (224, 249), (224, 250), (224, 251), (224, 252), (224, 253), (224, 254), (224, 255),
(224, 256), (224, 257), (224, 258), (224, 259), (224, 260), (224, 261), (224, 262), (224, 263), (224, 264), (224, 265), (224, 266), (224, 267), (224, 268), (224, 269), (224, 270), (224, 271), (224, 272), (224, 273), (224, 274), (224, 275), (224, 276), (224, 277), (224, 278), (224, 279), (224, 280), (224, 281), (224, 282), (224, 283), (224, 284), (224, 285), (224, 286), (224, 287), (224, 288), (224, 289), (224, 290), (224, 291), (224, 292), (224, 293), (224, 294), (224, 295), (224, 296), (224, 297), (224, 298), (224, 299), (224, 300), (224, 301), (224, 302), (224, 303), (224, 304), (224, 305), (224, 306), (224, 307), (224, 308), (224, 309), (224, 310), (224, 311), (224, 312), (224, 313), (224, 314), (224, 315), (224, 316), (224, 317), (224, 318), (224, 319), (224, 320), (224, 321), (224, 322), (224, 323), (224, 325), (225, 202), (225, 204), (225, 205),
(225, 206), (225, 207), (225, 208), (225, 209), (225, 210), (225, 211), (225, 212), (225, 213), (225, 214), (225, 215), (225, 216), (225, 217), (225, 218), (225, 219), (225, 220), (225, 221), (225, 222), (225, 223), (225, 224), (225, 225), (225, 226), (225, 227), (225, 228), (225, 229), (225, 230), (225, 231), (225, 232), (225, 233), (225, 234), (225, 235), (225, 236), (225, 237), (225, 238), (225, 239), (225, 240), (225, 241), (225, 242), (225, 243), (225, 244), (225, 245), (225, 246), (225, 247), (225, 248), (225, 249), (225, 250), (225, 251), (225, 252), (225, 253), (225, 254), (225, 255), (225, 256), (225, 257), (225, 258), (225, 259), (225, 260), (225, 261), (225, 262), (225, 263), (225, 264), (225, 265), (225, 266), (225, 267), (225, 268), (225, 269), (225, 270), (225, 271), (225, 272), (225, 273), (225, 274), (225, 275), (225, 276), (225, 277),
(225, 278), (225, 279), (225, 280), (225, 281), (225, 282), (225, 283), (225, 284), (225, 285), (225, 286), (225, 287), (225, 288), (225, 289), (225, 290), (225, 291), (225, 292), (225, 293), (225, 294), (225, 295), (225, 296), (225, 297), (225, 298), (225, 299), (225, 300), (225, 301), (225, 302), (225, 303), (225, 304), (225, 305), (225, 306), (225, 307), (225, 308), (225, 309), (225, 310), (225, 311), (225, 312), (225, 313), (225, 314), (225, 315), (225, 316), (225, 317), (225, 318), (225, 319), (225, 320), (225, 321), (225, 322), (225, 323), (225, 325), (226, 202), (226, 204), (226, 205), (226, 206), (226, 207), (226, 208), (226, 209), (226, 210), (226, 211), (226, 212), (226, 213), (226, 214), (226, 215), (226, 216), (226, 217), (226, 218), (226, 219), (226, 220), (226, 221), (226, 222), (226, 223), (226, 224), (226, 225), (226, 226), (226, 227),
(226, 228), (226, 229), (226, 230), (226, 231), (226, 232), (226, 233), (226, 234), (226, 235), (226, 236), (226, 237), (226, 238), (226, 239), (226, 240), (226, 241), (226, 242), (226, 243), (226, 244), (226, 245), (226, 246), (226, 247), (226, 248), (226, 249), (226, 250), (226, 251), (226, 252), (226, 253), (226, 254), (226, 255), (226, 256), (226, 257), (226, 258), (226, 259), (226, 260), (226, 261), (226, 262), (226, 263), (226, 264), (226, 265), (226, 266), (226, 267), (226, 268), (226, 269), (226, 270), (226, 271), (226, 272), (226, 273), (226, 274), (226, 275), (226, 276), (226, 277), (226, 278), (226, 279), (226, 280), (226, 281), (226, 282), (226, 283), (226, 284), (226, 285), (226, 286), (226, 287), (226, 288), (226, 289), (226, 290), (226, 291), (226, 292), (226, 293), (226, 294), (226, 295), (226, 296), (226, 297), (226, 298), (226, 299),
(226, 300), (226, 301), (226, 302), (226, 303), (226, 304), (226, 305), (226, 306), (226, 307), (226, 308), (226, 309), (226, 310), (226, 311), (226, 312), (226, 313), (226, 314), (226, 315), (226, 316), (226, 317), (226, 318), (226, 319), (226, 320), (226, 321), (226, 322), (226, 323), (226, 325), (227, 202), (227, 204), (227, 205), (227, 206), (227, 207), (227, 208), (227, 209), (227, 210), (227, 211), (227, 212), (227, 213), (227, 214), (227, 215), (227, 216), (227, 217), (227, 218), (227, 219), (227, 220), (227, 221), (227, 222), (227, 223), (227, 224), (227, 225), (227, 226), (227, 227), (227, 228), (227, 229), (227, 230), (227, 231), (227, 232), (227, 233), (227, 234), (227, 235), (227, 236), (227, 237), (227, 238), (227, 239), (227, 240), (227, 241), (227, 242), (227, 243), (227, 244), (227, 245), (227, 246), (227, 247), (227, 248), (227, 249),
(227, 250), (227, 251), (227, 252), (227, 253), (227, 254), (227, 255), (227, 256), (227, 257), (227, 258), (227, 259), (227, 260), (227, 261), (227, 262), (227, 263), (227, 264), (227, 265), (227, 266), (227, 267), (227, 268), (227, 269), (227, 270), (227, 271), (227, 272), (227, 273), (227, 274), (227, 275), (227, 276), (227, 277), (227, 278), (227, 279), (227, 280), (227, 281), (227, 282), (227, 283), (227, 284), (227, 285), (227, 286), (227, 287), (227, 288), (227, 289), (227, 290), (227, 291), (227, 292), (227, 293), (227, 294), (227, 295), (227, 296), (227, 297), (227, 298), (227, 299), (227, 300), (227, 301), (227, 302), (227, 303), (227, 304), (227, 305), (227, 306), (227, 307), (227, 308), (227, 309), (227, 310), (227, 311), (227, 312), (227, 313), (227, 314), (227, 315), (227, 316), (227, 317), (227, 318), (227, 319), (227, 320), (227, 321),
(227, 322), (227, 323), (227, 325), (228, 202), (228, 204), (228, 205), (228, 206), (228, 207), (228, 208), (228, 209), (228, 210), (228, 211), (228, 212), (228, 213), (228, 214), (228, 215), (228, 216), (228, 217), (228, 218), (228, 219), (228, 220), (228, 221), (228, 222), (228, 223), (228, 224), (228, 225), (228, 226), (228, 227), (228, 228), (228, 229), (228, 230), (228, 231), (228, 232), (228, 233), (228, 234), (228, 235), (228, 236), (228, 237), (228, 238), (228, 239), (228, 240), (228, 241), (228, 242), (228, 243), (228, 244), (228, 245), (228, 246), (228, 247), (228, 248), (228, 249), (228, 250), (228, 251), (228, 252), (228, 253), (228, 254), (228, 255), (228, 256), (228, 257), (228, 258), (228, 259), (228, 260), (228, 261), (228, 262), (228, 263), (228, 264), (228, 265), (228, 266), (228, 267), (228, 268), (228, 269), (228, 270), (228, 271),
(228, 272), (228, 273), (228, 274), (228, 275), (228, 276), (228, 277), (228, 278), (228, 279), (228, 280), (228, 281), (228, 282), (228, 283), (228, 284), (228, 285), (228, 286), (228, 287), (228, 288), (228, 289), (228, 290), (228, 291), (228, 292), (228, 293), (228, 294), (228, 295), (228, 296), (228, 297), (228, 298), (228, 299), (228, 300), (228, 301), (228, 302), (228, 303), (228, 304), (228, 305), (228, 306), (228, 307), (228, 308), (228, 309), (228, 310), (228, 311), (228, 312), (228, 313), (228, 314), (228, 315), (228, 316), (228, 317), (228, 318), (228, 319), (228, 320), (228, 321), (228, 322), (228, 323), (228, 325), (229, 202), (229, 204), (229, 205), (229, 206), (229, 207), (229, 208), (229, 209), (229, 210), (229, 211), (229, 212), (229, 213), (229, 214), (229, 215), (229, 216), (229, 217), (229, 218), (229, 219), (229, 220), (229, 221),
(229, 222), (229, 223), (229, 224), (229, 225), (229, 226), (229, 227), (229, 228), (229, 229), (229, 230), (229, 231), (229, 232), (229, 233), (229, 234), (229, 235), (229, 236), (229, 237), (229, 238), (229, 239), (229, 240), (229, 241), (229, 242), (229, 243), (229, 244), (229, 245), (229, 246), (229, 247), (229, 248), (229, 249), (229, 250), (229, 251), (229, 252), (229, 253), (229, 254), (229, 255), (229, 256), (229, 257), (229, 258), (229, 259), (229, 260), (229, 261), (229, 262), (229, 263), (229, 264), (229, 265), (229, 266), (229, 267), (229, 268), (229, 269), (229, 270), (229, 271), (229, 272), (229, 273), (229, 274), (229, 275), (229, 276), (229, 277), (229, 278), (229, 279), (229, 280), (229, 281), (229, 282), (229, 283), (229, 284), (229, 285), (229, 286), (229, 287), (229, 288), (229, 289), (229, 290), (229, 291), (229, 292), (229, 293),
(229, 294), (229, 295), (229, 296), (229, 297), (229, 298), (229, 299), (229, 300), (229, 301), (229, 302), (229, 303), (229, 304), (229, 305), (229, 306), (229, 307), (229, 308), (229, 309), (229, 310), (229, 311), (229, 312), (229, 313), (229, 314), (229, 315), (229, 316), (229, 317), (229, 318), (229, 319), (229, 320), (229, 321), (229, 322), (229, 324), (230, 202), (230, 204), (230, 205), (230, 206), (230, 207), (230, 208), (230, 209), (230, 210), (230, 211), (230, 212), (230, 213), (230, 214), (230, 215), (230, 216), (230, 217), (230, 218), (230, 219), (230, 220), (230, 221), (230, 222), (230, 223), (230, 224), (230, 225), (230, 226), (230, 227), (230, 228), (230, 229), (230, 230), (230, 231), (230, 232), (230, 233), (230, 234), (230, 235), (230, 236), (230, 237), (230, 238), (230, 239), (230, 240), (230, 241), (230, 242), (230, 243), (230, 244),
(230, 245), (230, 246), (230, 247), (230, 248), (230, 249), (230, 250), (230, 251), (230, 252), (230, 253), (230, 254), (230, 255), (230, 256), (230, 257), (230, 258), (230, 259), (230, 260), (230, 261), (230, 262), (230, 263), (230, 264), (230, 265), (230, 266), (230, 267), (230, 268), (230, 269), (230, 270), (230, 271), (230, 272), (230, 273), (230, 274), (230, 275), (230, 276), (230, 277), (230, 278), (230, 279), (230, 280), (230, 281), (230, 282), (230, 283), (230, 284), (230, 285), (230, 286), (230, 287), (230, 288), (230, 289), (230, 290), (230, 291), (230, 292), (230, 293), (230, 294), (230, 295), (230, 296), (230, 297), (230, 298), (230, 299), (230, 300), (230, 301), (230, 302), (230, 303), (230, 304), (230, 305), (230, 306), (230, 307), (230, 308), (230, 309), (230, 310), (230, 311), (230, 312), (230, 313), (230, 314), (230, 315), (230, 316),
(230, 317), (230, 318), (230, 319), (230, 320), (230, 321), (230, 323), (231, 202), (231, 204), (231, 205), (231, 206), (231, 207), (231, 208), (231, 209), (231, 210), (231, 211), (231, 212), (231, 213), (231, 214), (231, 215), (231, 216), (231, 217), (231, 218), (231, 219), (231, 220), (231, 221), (231, 222), (231, 223), (231, 224), (231, 225), (231, 226), (231, 227), (231, 228), (231, 229), (231, 230), (231, 231), (231, 232), (231, 233), (231, 234), (231, 235), (231, 236), (231, 237), (231, 238), (231, 239), (231, 240), (231, 241), (231, 242), (231, 243), (231, 244), (231, 245), (231, 246), (231, 247), (231, 248), (231, 249), (231, 250), (231, 251), (231, 252), (231, 253), (231, 254), (231, 255), (231, 256), (231, 257), (231, 258), (231, 259), (231, 260), (231, 261), (231, 262), (231, 263), (231, 264), (231, 265), (231, 266), (231, 267), (231, 268),
(231, 269), (231, 270), (231, 271), (231, 272), (231, 273), (231, 274), (231, 275), (231, 276), (231, 277), (231, 278), (231, 279), (231, 280), (231, 281), (231, 282), (231, 283), (231, 284), (231, 285), (231, 286), (231, 287), (231, 288), (231, 289), (231, 290), (231, 291), (231, 292), (231, 293), (231, 294), (231, 295), (231, 296), (231, 297), (231, 298), (231, 299), (231, 300), (231, 301), (231, 302), (231, 303), (231, 304), (231, 305), (231, 306), (231, 307), (231, 308), (231, 309), (231, 310), (231, 311), (231, 312), (231, 313), (231, 314), (231, 315), (231, 316), (231, 317), (231, 318), (231, 319), (231, 320), (231, 322), (232, 202), (232, 204), (232, 205), (232, 206), (232, 207), (232, 208), (232, 209), (232, 210), (232, 211), (232, 212), (232, 213), (232, 214), (232, 215), (232, 216), (232, 217), (232, 218), (232, 219), (232, 220), (232, 221),
(232, 222), (232, 223), (232, 224), (232, 225), (232, 226), (232, 227), (232, 228), (232, 229), (232, 230), (232, 231), (232, 232), (232, 233), (232, 234), (232, 235), (232, 236), (232, 237), (232, 238), (232, 239), (232, 240), (232, 241), (232, 242), (232, 243), (232, 244), (232, 245), (232, 246), (232, 247), (232, 248), (232, 249), (232, 250), (232, 251), (232, 252), (232, 253), (232, 254), (232, 255), (232, 256), (232, 257), (232, 258), (232, 259), (232, 260), (232, 261), (232, 262), (232, 263), (232, 264), (232, 265), (232, 266), (232, 267), (232, 268), (232, 269), (232, 270), (232, 271), (232, 272), (232, 273), (232, 274), (232, 275), (232, 276), (232, 277), (232, 278), (232, 279), (232, 280), (232, 281), (232, 282), (232, 283), (232, 284), (232, 285), (232, 286), (232, 287), (232, 288), (232, 289), (232, 290), (232, 291), (232, 292), (232, 293),
(232, 294), (232, 295), (232, 296), (232, 297), (232, 298), (232, 299), (232, 300), (232, 301), (232, 302), (232, 303), (232, 304), (232, 305), (232, 306), (232, 307), (232, 308), (232, 309), (232, 310), (232, 311), (232, 312), (232, 313), (232, 314), (232, 315), (232, 316), (232, 317), (232, 318), (232, 319), (232, 320), (232, 322), (233, 202), (233, 204), (233, 205), (233, 206), (233, 207), (233, 208), (233, 209), (233, 210), (233, 211), (233, 212), (233, 213), (233, 214), (233, 215), (233, 216), (233, 217), (233, 218), (233, 219), (233, 220), (233, 221), (233, 222), (233, 223), (233, 224), (233, 225), (233, 226), (233, 227), (233, 228), (233, 229), (233, 230), (233, 231), (233, 232), (233, 233), (233, 234), (233, 235), (233, 236), (233, 237), (233, 238), (233, 239), (233, 240), (233, 241), (233, 242), (233, 243), (233, 244), (233, 245), (233, 246),
(233, 247), (233, 248), (233, 249), (233, 250), (233, 251), (233, 252), (233, 253), (233, 254), (233, 255), (233, 256), (233, 257), (233, 258), (233, 259), (233, 260), (233, 261), (233, 262), (233, 263), (233, 264), (233, 265), (233, 266), (233, 267), (233, 268), (233, 269), (233, 270), (233, 271), (233, 272), (233, 273), (233, 274), (233, 275), (233, 276), (233, 277), (233, 278), (233, 279), (233, 280), (233, 281), (233, 282), (233, 283), (233, 284), (233, 285), (233, 286), (233, 287), (233, 288), (233, 289), (233, 290), (233, 291), (233, 292), (233, 293), (233, 294), (233, 295), (233, 296), (233, 297), (233, 298), (233, 299), (233, 300), (233, 301), (233, 302), (233, 303), (233, 304), (233, 305), (233, 306), (233, 307), (233, 308), (233, 309), (233, 310), (233, 311), (233, 312), (233, 313), (233, 314), (233, 315), (233, 316), (233, 317), (233, 318),
(233, 319), (233, 320), (233, 321), (233, 322), (233, 323), (234, 202), (234, 204), (234, 205), (234, 206), (234, 207), (234, 208), (234, 209), (234, 210), (234, 211), (234, 212), (234, 213), (234, 214), (234, 215), (234, 216), (234, 217), (234, 218), (234, 219), (234, 220), (234, 221), (234, 222), (234, 223), (234, 224), (234, 225), (234, 226), (234, 227), (234, 228), (234, 229), (234, 230), (234, 231), (234, 232), (234, 233), (234, 234), (234, 235), (234, 236), (234, 237), (234, 238), (234, 239), (234, 240), (234, 241), (234, 242), (234, 243), (234, 244), (234, 245), (234, 246), (234, 247), (234, 248), (234, 249), (234, 250), (234, 251), (234, 252), (234, 253), (234, 254), (234, 255), (234, 256), (234, 257), (234, 258), (234, 259), (234, 260), (234, 261), (234, 262), (234, 263), (234, 264), (234, 265), (234, 266), (234, 267), (234, 268), (234, 269),
(234, 270), (234, 271), (234, 272), (234, 273), (234, 274), (234, 275), (234, 276), (234, 277), (234, 278), (234, 279), (234, 280), (234, 281), (234, 282), (234, 283), (234, 284), (234, 285), (234, 286), (234, 287), (234, 288), (234, 289), (234, 290), (234, 291), (234, 292), (234, 293), (234, 294), (234, 295), (234, 296), (234, 297), (234, 298), (234, 299), (234, 300), (234, 301), (234, 302), (234, 303), (234, 304), (234, 305), (234, 306), (234, 307), (234, 308), (234, 309), (234, 310), (234, 311), (234, 312), (234, 313), (234, 314), (234, 315), (234, 316), (234, 317), (234, 318), (234, 319), (234, 320), (234, 321), (234, 323), (235, 202), (235, 204), (235, 205), (235, 206), (235, 207), (235, 208), (235, 209), (235, 210), (235, 211), (235, 212), (235, 213), (235, 214), (235, 215), (235, 216), (235, 217), (235, 218), (235, 219), (235, 220), (235, 221),
(235, 222), (235, 223), (235, 224), (235, 225), (235, 226), (235, 227), (235, 228), (235, 229), (235, 230), (235, 231), (235, 232), (235, 233), (235, 234), (235, 235), (235, 236), (235, 237), (235, 238), (235, 239), (235, 240), (235, 241), (235, 242), (235, 243), (235, 244), (235, 245), (235, 246), (235, 247), (235, 248), (235, 249), (235, 250), (235, 251), (235, 252), (235, 253), (235, 254), (235, 255), (235, 256), (235, 257), (235, 258), (235, 259), (235, 260), (235, 261), (235, 262), (235, 263), (235, 264), (235, 265), (235, 266), (235, 267), (235, 268), (235, 269), (235, 270), (235, 271), (235, 272), (235, 273), (235, 274), (235, 275), (235, 276), (235, 277), (235, 278), (235, 279), (235, 280), (235, 281), (235, 282), (235, 283), (235, 284), (235, 285), (235, 286), (235, 287), (235, 288), (235, 289), (235, 290), (235, 291), (235, 292), (235, 293),
(235, 294), (235, 295), (235, 296), (235, 297), (235, 298), (235, 299), (235, 300), (235, 301), (235, 302), (235, 303), (235, 304), (235, 305), (235, 306), (235, 307), (235, 308), (235, 309), (235, 310), (235, 311), (235, 312), (235, 313), (235, 314), (235, 315), (235, 316), (235, 317), (235, 318), (235, 319), (235, 320), (235, 321), (235, 323), (236, 202), (236, 204), (236, 205), (236, 206), (236, 207), (236, 208), (236, 209), (236, 210), (236, 211), (236, 212), (236, 213), (236, 214), (236, 215), (236, 216), (236, 217), (236, 218), (236, 219), (236, 220), (236, 221), (236, 222), (236, 223), (236, 224), (236, 225), (236, 226), (236, 227), (236, 228), (236, 229), (236, 230), (236, 231), (236, 232), (236, 233), (236, 234), (236, 235), (236, 236), (236, 237), (236, 238), (236, 239), (236, 240), (236, 241), (236, 242), (236, 243), (236, 244), (236, 245),
(236, 246), (236, 247), (236, 248), (236, 249), (236, 250), (236, 251), (236, 252), (236, 253), (236, 254), (236, 255), (236, 256), (236, 257), (236, 258), (236, 259), (236, 260), (236, 261), (236, 262), (236, 263), (236, 264), (236, 265), (236, 266), (236, 267), (236, 268), (236, 269), (236, 270), (236, 271), (236, 272), (236, 273), (236, 274), (236, 275), (236, 276), (236, 277), (236, 278), (236, 279), (236, 280), (236, 281), (236, 282), (236, 283), (236, 284), (236, 285), (236, 286), (236, 287), (236, 288), (236, 289), (236, 290), (236, 291), (236, 292), (236, 293), (236, 294), (236, 295), (236, 296), (236, 297), (236, 298), (236, 299), (236, 300), (236, 301), (236, 302), (236, 303), (236, 304), (236, 305), (236, 306), (236, 307), (236, 308), (236, 309), (236, 310), (236, 311), (236, 312), (236, 313), (236, 314), (236, 315), (236, 316), (236, 317),
(236, 318), (236, 319), (236, 320), (236, 321), (236, 323), (237, 202), (237, 204), (237, 205), (237, 206), (237, 207), (237, 208), (237, 209), (237, 210), (237, 211), (237, 212), (237, 213), (237, 214), (237, 215), (237, 216), (237, 217), (237, 218), (237, 219), (237, 220), (237, 221), (237, 222), (237, 223), (237, 224), (237, 225), (237, 226), (237, 227), (237, 228), (237, 229), (237, 230), (237, 231), (237, 232), (237, 233), (237, 234), (237, 235), (237, 236), (237, 237), (237, 238), (237, 239), (237, 240), (237, 241), (237, 242), (237, 243), (237, 244), (237, 245), (237, 246), (237, 247), (237, 248), (237, 249), (237, 250), (237, 251), (237, 252), (237, 253), (237, 254), (237, 255), (237, 256), (237, 257), (237, 258), (237, 259), (237, 260), (237, 261), (237, 262), (237, 263), (237, 264), (237, 265), (237, 266), (237, 267), (237, 268), (237, 269),
(237, 270), (237, 271), (237, 272), (237, 273), (237, 274), (237, 275), (237, 276), (237, 277), (237, 278), (237, 279), (237, 280), (237, 281), (237, 282), (237, 283), (237, 284), (237, 285), (237, 286), (237, 287), (237, 288), (237, 289), (237, 290), (237, 291), (237, 292), (237, 293), (237, 294), (237, 295), (237, 296), (237, 297), (237, 298), (237, 299), (237, 300), (237, 301), (237, 302), (237, 303), (237, 304), (237, 305), (237, 306), (237, 307), (237, 308), (237, 309), (237, 310), (237, 311), (237, 312), (237, 313), (237, 314), (237, 315), (237, 316), (237, 317), (237, 318), (237, 319), (237, 320), (237, 321), (237, 323), (238, 202), (238, 204), (238, 205), (238, 206), (238, 207), (238, 208), (238, 209), (238, 210), (238, 211), (238, 212), (238, 213), (238, 214), (238, 215), (238, 216), (238, 217), (238, 218), (238, 219), (238, 220), (238, 221),
(238, 222), (238, 223), (238, 224), (238, 225), (238, 226), (238, 227), (238, 228), (238, 229), (238, 230), (238, 231), (238, 232), (238, 233), (238, 234), (238, 235), (238, 236), (238, 237), (238, 238), (238, 239), (238, 240), (238, 241), (238, 242), (238, 243), (238, 244), (238, 245), (238, 246), (238, 247), (238, 248), (238, 249), (238, 250), (238, 251), (238, 252), (238, 253), (238, 254), (238, 255), (238, 256), (238, 257), (238, 258), (238, 259), (238, 260), (238, 261), (238, 262), (238, 263), (238, 264), (238, 265), (238, 266), (238, 267), (238, 268), (238, 269), (238, 270), (238, 271), (238, 272), (238, 273), (238, 274), (238, 275), (238, 276), (238, 277), (238, 278), (238, 279), (238, 280), (238, 281), (238, 282), (238, 283), (238, 284), (238, 285), (238, 286), (238, 287), (238, 288), (238, 289), (238, 290), (238, 291), (238, 292), (238, 293),
(238, 294), (238, 295), (238, 296), (238, 297), (238, 298), (238, 299), (238, 300), (238, 301), (238, 302), (238, 303), (238, 304), (238, 305), (238, 306), (238, 307), (238, 308), (238, 309), (238, 310), (238, 311), (238, 312), (238, 313), (238, 314), (238, 315), (238, 316), (238, 317), (238, 318), (238, 319), (238, 320), (238, 321), (238, 323), (239, 202), (239, 204), (239, 205), (239, 206), (239, 207), (239, 208), (239, 209), (239, 210), (239, 211), (239, 212), (239, 213), (239, 214), (239, 215), (239, 216), (239, 217), (239, 218), (239, 219), (239, 220), (239, 221), (239, 222), (239, 223), (239, 224), (239, 225), (239, 226), (239, 227), (239, 228), (239, 229), (239, 230), (239, 231), (239, 232), (239, 233), (239, 234), (239, 235), (239, 236), (239, 237), (239, 238), (239, 239), (239, 240), (239, 241), (239, 242), (239, 243), (239, 244), (239, 245),
(239, 246), (239, 247), (239, 248), (239, 249), (239, 250), (239, 251), (239, 252), (239, 253), (239, 254), (239, 255), (239, 256), (239, 257), (239, 258), (239, 259), (239, 260), (239, 261), (239, 262), (239, 263), (239, 264), (239, 265), (239, 266), (239, 267), (239, 268), (239, 269), (239, 270), (239, 271), (239, 272), (239, 273), (239, 274), (239, 275), (239, 276), (239, 277), (239, 278), (239, 279), (239, 280), (239, 281), (239, 282), (239, 283), (239, 284), (239, 285), (239, 286), (239, 287), (239, 288), (239, 289), (239, 290), (239, 291), (239, 292), (239, 293), (239, 294), (239, 295), (239, 296), (239, 297), (239, 298), (239, 299), (239, 300), (239, 301), (239, 302), (239, 303), (239, 304), (239, 305), (239, 306), (239, 307), (239, 308), (239, 309), (239, 310), (239, 311), (239, 312), (239, 313), (239, 314), (239, 315), (239, 316), (239, 317),
(239, 318), (239, 319), (239, 320), (239, 321), (239, 323), (240, 202), (240, 204), (240, 205), (240, 206), (240, 207), (240, 208), (240, 209), (240, 210), (240, 211), (240, 212), (240, 213), (240, 214), (240, 215), (240, 216), (240, 217), (240, 218), (240, 219), (240, 220), (240, 221), (240, 222), (240, 223), (240, 224), (240, 225), (240, 226), (240, 227), (240, 228), (240, 229), (240, 230), (240, 231), (240, 232), (240, 233), (240, 234), (240, 235), (240, 236), (240, 237), (240, 238), (240, 239), (240, 240), (240, 241), (240, 242), (240, 243), (240, 244), (240, 245), (240, 246), (240, 247), (240, 248), (240, 249), (240, 250), (240, 251), (240, 252), (240, 253), (240, 254), (240, 255), (240, 256), (240, 257), (240, 258), (240, 259), (240, 260), (240, 261), (240, 262), (240, 263), (240, 264), (240, 265), (240, 266), (240, 267), (240, 268), (240, 269),
(240, 270), (240, 271), (240, 272), (240, 273), (240, 274), (240, 275), (240, 276), (240, 277), (240, 278), (240, 279), (240, 280), (240, 281), (240, 282), (240, 283), (240, 284), (240, 285), (240, 286), (240, 287), (240, 288), (240, 289), (240, 290), (240, 291), (240, 292), (240, 293), (240, 294), (240, 295), (240, 296), (240, 297), (240, 298), (240, 299), (240, 300), (240, 301), (240, 302), (240, 303), (240, 304), (240, 305), (240, 306), (240, 307), (240, 308), (240, 309), (240, 310), (240, 311), (240, 312), (240, 313), (240, 314), (240, 315), (240, 316), (240, 317), (240, 318), (240, 319), (240, 320), (240, 321), (240, 323), (241, 202), (241, 204), (241, 205), (241, 206), (241, 207), (241, 208), (241, 209), (241, 210), (241, 211), (241, 212), (241, 213), (241, 214), (241, 215), (241, 216), (241, 217), (241, 218), (241, 219), (241, 220), (241, 221),
(241, 222), (241, 223), (241, 224), (241, 225), (241, 226), (241, 227), (241, 228), (241, 229), (241, 230), (241, 231), (241, 232), (241, 233), (241, 234), (241, 235), (241, 236), (241, 237), (241, 238), (241, 239), (241, 240), (241, 241), (241, 242), (241, 243), (241, 244), (241, 245), (241, 246), (241, 247), (241, 248), (241, 249), (241, 250), (241, 251), (241, 252), (241, 253), (241, 254), (241, 255), (241, 256), (241, 257), (241, 258), (241, 259), (241, 260), (241, 261), (241, 262), (241, 263), (241, 264), (241, 265), (241, 266), (241, 267), (241, 268), (241, 269), (241, 270), (241, 271), (241, 272), (241, 273), (241, 274), (241, 275), (241, 276), (241, 277), (241, 278), (241, 279), (241, 280), (241, 281), (241, 282), (241, 283), (241, 284), (241, 285), (241, 286), (241, 287), (241, 288), (241, 289), (241, 290), (241, 291), (241, 292), (241, 293),
(241, 294), (241, 295), (241, 296), (241, 297), (241, 298), (241, 299), (241, 300), (241, 301), (241, 302), (241, 303), (241, 304), (241, 305), (241, 306), (241, 307), (241, 308), (241, 309), (241, 310), (241, 311), (241, 312), (241, 313), (241, 314), (241, 315), (241, 316), (241, 317), (241, 318), (241, 319), (241, 320), (241, 321), (241, 323), (242, 202), (242, 204), (242, 205), (242, 206), (242, 207), (242, 208), (242, 209), (242, 210), (242, 211), (242, 212), (242, 213), (242, 214), (242, 215), (242, 216), (242, 217), (242, 218), (242, 219), (242, 220), (242, 221), (242, 222), (242, 223), (242, 224), (242, 225), (242, 226), (242, 227), (242, 228), (242, 229), (242, 230), (242, 231), (242, 232), (242, 233), (242, 234), (242, 235), (242, 236), (242, 237), (242, 238), (242, 239), (242, 240), (242, 241), (242, 242), (242, 243), (242, 244), (242, 245),
(242, 246), (242, 247), (242, 248), (242, 249), (242, 250), (242, 251), (242, 252), (242, 253), (242, 254), (242, 255), (242, 256), (242, 257), (242, 258), (242, 259), (242, 260), (242, 261), (242, 262), (242, 263), (242, 264), (242, 265), (242, 266), (242, 267), (242, 268), (242, 269), (242, 270), (242, 271), (242, 272), (242, 273), (242, 274), (242, 275), (242, 276), (242, 277), (242, 278), (242, 279), (242, 280), (242, 281), (242, 282), (242, 283), (242, 284), (242, 285), (242, 286), (242, 287), (242, 288), (242, 289), (242, 290), (242, 291), (242, 292), (242, 293), (242, 294), (242, 295), (242, 296), (242, 297), (242, 298), (242, 299), (242, 300), (242, 301), (242, 302), (242, 303), (242, 304), (242, 305), (242, 306), (242, 307), (242, 308), (242, 309), (242, 310), (242, 311), (242, 312), (242, 313), (242, 314), (242, 315), (242, 316), (242, 317),
(242, 318), (242, 319), (242, 320), (242, 321), (242, 323), (243, 201), (243, 203), (243, 204), (243, 205), (243, 206), (243, 207), (243, 208), (243, 209), (243, 210), (243, 211), (243, 212), (243, 213), (243, 214), (243, 215), (243, 216), (243, 217), (243, 218), (243, 219), (243, 220), (243, 221), (243, 222), (243, 223), (243, 224), (243, 225), (243, 226), (243, 227), (243, 228), (243, 229), (243, 230), (243, 231), (243, 232), (243, 233), (243, 234), (243, 235), (243, 236), (243, 237), (243, 238), (243, 239), (243, 240), (243, 241), (243, 242), (243, 243), (243, 244), (243, 245), (243, 246), (243, 247), (243, 248), (243, 249), (243, 250), (243, 251), (243, 252), (243, 253), (243, 254), (243, 255), (243, 256), (243, 257), (243, 258), (243, 259), (243, 260), (243, 261), (243, 262), (243, 263), (243, 264), (243, 265), (243, 266), (243, 267), (243, 268),
(243, 269), (243, 270), (243, 271), (243, 272), (243, 273), (243, 274), (243, 275), (243, 276), (243, 277), (243, 278), (243, 279), (243, 280), (243, 281), (243, 282), (243, 283), (243, 284), (243, 285), (243, 286), (243, 287), (243, 288), (243, 289), (243, 290), (243, 291), (243, 292), (243, 293), (243, 294), (243, 295), (243, 296), (243, 297), (243, 298), (243, 299), (243, 300), (243, 301), (243, 302), (243, 303), (243, 304), (243, 305), (243, 306), (243, 307), (243, 308), (243, 309), (243, 310), (243, 311), (243, 312), (243, 313), (243, 314), (243, 315), (243, 316), (243, 317), (243, 318), (243, 319), (243, 320), (243, 322), (244, 201), (244, 203), (244, 204), (244, 205), (244, 206), (244, 207), (244, 208), (244, 209), (244, 210), (244, 211), (244, 212), (244, 213), (244, 214), (244, 215), (244, 216), (244, 217), (244, 218), (244, 219), (244, 220),
(244, 221), (244, 222), (244, 223), (244, 224), (244, 225), (244, 226), (244, 227), (244, 228), (244, 229), (244, 230), (244, 231), (244, 232), (244, 233), (244, 234), (244, 235), (244, 236), (244, 237), (244, 238), (244, 239), (244, 240), (244, 241), (244, 242), (244, 243), (244, 244), (244, 245), (244, 246), (244, 247), (244, 248), (244, 249), (244, 250), (244, 251), (244, 252), (244, 253), (244, 254), (244, 255), (244, 256), (244, 257), (244, 258), (244, 259), (244, 260), (244, 261), (244, 262), (244, 263), (244, 264), (244, 265), (244, 266), (244, 267), (244, 268), (244, 269), (244, 270), (244, 271), (244, 272), (244, 273), (244, 274), (244, 275), (244, 276), (244, 277), (244, 278), (244, 279), (244, 280), (244, 281), (244, 282), (244, 283), (244, 284), (244, 285), (244, 286), (244, 287), (244, 288), (244, 289), (244, 290), (244, 291), (244, 292),
(244, 293), (244, 294), (244, 295), (244, 296), (244, 297), (244, 298), (244, 299), (244, 300), (244, 301), (244, 302), (244, 303), (244, 304), (244, 305), (244, 306), (244, 307), (244, 308), (244, 309), (244, 310), (244, 311), (244, 312), (244, 313), (244, 314), (244, 315), (244, 316), (244, 317), (244, 318), (244, 319), (244, 320), (244, 322), (245, 200), (245, 202), (245, 203), (245, 204), (245, 205), (245, 206), (245, 207), (245, 208), (245, 209), (245, 210), (245, 211), (245, 212), (245, 213), (245, 214), (245, 215), (245, 216), (245, 217), (245, 218), (245, 219), (245, 220), (245, 221), (245, 222), (245, 223), (245, 224), (245, 225), (245, 226), (245, 227), (245, 228), (245, 229), (245, 230), (245, 231), (245, 232), (245, 233), (245, 234), (245, 235), (245, 236), (245, 237), (245, 238), (245, 239), (245, 240), (245, 241), (245, 242), (245, 243),
(245, 244), (245, 245), (245, 246), (245, 247), (245, 248), (245, 249), (245, 250), (245, 251), (245, 252), (245, 253), (245, 254), (245, 255), (245, 256), (245, 257), (245, 258), (245, 259), (245, 260), (245, 261), (245, 262), (245, 263), (245, 264), (245, 265), (245, 266), (245, 267), (245, 268), (245, 269), (245, 270), (245, 271), (245, 272), (245, 273), (245, 274), (245, 275), (245, 276), (245, 277), (245, 278), (245, 279), (245, 280), (245, 281), (245, 282), (245, 283), (245, 284), (245, 285), (245, 286), (245, 287), (245, 288), (245, 289), (245, 290), (245, 291), (245, 292), (245, 293), (245, 294), (245, 295), (245, 296), (245, 297), (245, 298), (245, 299), (245, 300), (245, 301), (245, 302), (245, 303), (245, 304), (245, 305), (245, 306), (245, 307), (245, 308), (245, 309), (245, 310), (245, 311), (245, 312), (245, 313), (245, 314), (245, 315),
(245, 316), (245, 317), (245, 318), (245, 319), (245, 320), (245, 322), (246, 200), (246, 202), (246, 203), (246, 204), (246, 205), (246, 206), (246, 207), (246, 208), (246, 209), (246, 210), (246, 211), (246, 212), (246, 213), (246, 214), (246, 215), (246, 216), (246, 217), (246, 218), (246, 219), (246, 220), (246, 221), (246, 222), (246, 223), (246, 224), (246, 225), (246, 226), (246, 227), (246, 228), (246, 229), (246, 230), (246, 231), (246, 232), (246, 233), (246, 234), (246, 235), (246, 236), (246, 237), (246, 238), (246, 239), (246, 240), (246, 241), (246, 242), (246, 243), (246, 244), (246, 245), (246, 246), (246, 247), (246, 248), (246, 249), (246, 250), (246, 251), (246, 252), (246, 253), (246, 254), (246, 255), (246, 256), (246, 257), (246, 258), (246, 259), (246, 260), (246, 261), (246, 262), (246, 263), (246, 264), (246, 265), (246, 266),
(246, 267), (246, 268), (246, 269), (246, 270), (246, 271), (246, 272), (246, 273), (246, 274), (246, 275), (246, 276), (246, 277), (246, 278), (246, 279), (246, 280), (246, 281), (246, 282), (246, 283), (246, 284), (246, 285), (246, 286), (246, 287), (246, 288), (246, 289), (246, 290), (246, 291), (246, 292), (246, 293), (246, 294), (246, 295), (246, 296), (246, 297), (246, 298), (246, 299), (246, 300), (246, 301), (246, 302), (246, 303), (246, 304), (246, 305), (246, 306), (246, 307), (246, 308), (246, 309), (246, 310), (246, 311), (246, 312), (246, 313), (246, 314), (246, 315), (246, 316), (246, 317), (246, 318), (246, 319), (246, 321), (247, 200), (247, 202), (247, 203), (247, 204), (247, 205), (247, 206), (247, 207), (247, 208), (247, 209), (247, 210), (247, 211), (247, 212), (247, 213), (247, 214), (247, 215), (247, 216), (247, 217), (247, 218),
(247, 219), (247, 220), (247, 221), (247, 222), (247, 223), (247, 224), (247, 225), (247, 226), (247, 227), (247, 228), (247, 229), (247, 230), (247, 231), (247, 232), (247, 233), (247, 234), (247, 235), (247, 236), (247, 237), (247, 238), (247, 239), (247, 240), (247, 241), (247, 242), (247, 243), (247, 244), (247, 245), (247, 246), (247, 247), (247, 248), (247, 249), (247, 250), (247, 251), (247, 252), (247, 253), (247, 254), (247, 255), (247, 256), (247, 257), (247, 258), (247, 259), (247, 260), (247, 261), (247, 262), (247, 263), (247, 264), (247, 265), (247, 266), (247, 267), (247, 268), (247, 269), (247, 270), (247, 271), (247, 272), (247, 273), (247, 274), (247, 275), (247, 276), (247, 277), (247, 278), (247, 279), (247, 280), (247, 281), (247, 282), (247, 283), (247, 284), (247, 285), (247, 286), (247, 287), (247, 288), (247, 289), (247, 290),
(247, 291), (247, 292), (247, 293), (247, 294), (247, 295), (247, 296), (247, 297), (247, 298), (247, 299), (247, 300), (247, 301), (247, 302), (247, 303), (247, 304), (247, 305), (247, 306), (247, 307), (247, 308), (247, 309), (247, 310), (247, 311), (247, 312), (247, 313), (247, 314), (247, 315), (247, 316), (247, 317), (247, 318), (247, 319), (247, 321), (248, 200), (248, 202), (248, 203), (248, 204), (248, 205), (248, 206), (248, 207), (248, 208), (248, 209), (248, 210), (248, 211), (248, 212), (248, 213), (248, 214), (248, 215), (248, 216), (248, 217), (248, 218), (248, 219), (248, 220), (248, 221), (248, 222), (248, 223), (248, 224), (248, 225), (248, 226), (248, 227), (248, 228), (248, 229), (248, 230), (248, 231), (248, 232), (248, 233), (248, 234), (248, 235), (248, 236), (248, 237), (248, 238), (248, 239), (248, 240), (248, 241), (248, 242),
(248, 243), (248, 244), (248, 245), (248, 246), (248, 247), (248, 248), (248, 249), (248, 250), (248, 251), (248, 252), (248, 253), (248, 254), (248, 255), (248, 256), (248, 257), (248, 258), (248, 259), (248, 260), (248, 261), (248, 262), (248, 263), (248, 264), (248, 265), (248, 266), (248, 267), (248, 268), (248, 269), (248, 270), (248, 271), (248, 272), (248, 273), (248, 274), (248, 275), (248, 276), (248, 277), (248, 278), (248, 279), (248, 280), (248, 281), (248, 282), (248, 283), (248, 284), (248, 285), (248, 286), (248, 287), (248, 288), (248, 289), (248, 290), (248, 291), (248, 292), (248, 293), (248, 294), (248, 295), (248, 296), (248, 297), (248, 298), (248, 299), (248, 300), (248, 301), (248, 302), (248, 303), (248, 304), (248, 305), (248, 306), (248, 307), (248, 308), (248, 309), (248, 310), (248, 311), (248, 312), (248, 313), (248, 314),
(248, 315), (248, 316), (248, 317), (248, 318), (248, 319), (248, 321), (249, 201), (249, 203), (249, 204), (249, 205), (249, 206), (249, 207), (249, 208), (249, 209), (249, 210), (249, 211), (249, 212), (249, 213), (249, 214), (249, 215), (249, 216), (249, 217), (249, 218), (249, 219), (249, 220), (249, 221), (249, 222), (249, 223), (249, 224), (249, 225), (249, 226), (249, 227), (249, 228), (249, 229), (249, 230), (249, 231), (249, 232), (249, 233), (249, 234), (249, 235), (249, 236), (249, 237), (249, 238), (249, 239), (249, 240), (249, 241), (249, 242), (249, 243), (249, 244), (249, 245), (249, 246), (249, 247), (249, 248), (249, 249), (249, 250), (249, 251), (249, 252), (249, 253), (249, 254), (249, 255), (249, 256), (249, 257), (249, 258), (249, 259), (249, 260), (249, 261), (249, 262), (249, 263), (249, 264), (249, 265), (249, 266), (249, 267),
(249, 268), (249, 269), (249, 270), (249, 271), (249, 272), (249, 273), (249, 274), (249, 275), (249, 276), (249, 277), (249, 278), (249, 279), (249, 280), (249, 281), (249, 282), (249, 283), (249, 284), (249, 285), (249, 286), (249, 287), (249, 288), (249, 289), (249, 290), (249, 291), (249, 292), (249, 293), (249, 294), (249, 295), (249, 296), (249, 297), (249, 298), (249, 299), (249, 300), (249, 301), (249, 302), (249, 303), (249, 304), (249, 305), (249, 306), (249, 307), (249, 308), (249, 309), (249, 310), (249, 311), (249, 312), (249, 313), (249, 314), (249, 315), (249, 316), (249, 317), (249, 318), (249, 319), (249, 321), (250, 201), (250, 203), (250, 204), (250, 205), (250, 206), (250, 207), (250, 208), (250, 209), (250, 210), (250, 211), (250, 212), (250, 213), (250, 214), (250, 215), (250, 216), (250, 217), (250, 218), (250, 219), (250, 220),
(250, 221), (250, 222), (250, 223), (250, 224), (250, 225), (250, 226), (250, 227), (250, 228), (250, 229), (250, 230), (250, 231), (250, 232), (250, 233), (250, 234), (250, 235), (250, 236), (250, 237), (250, 238), (250, 239), (250, 240), (250, 241), (250, 242), (250, 243), (250, 244), (250, 245), (250, 246), (250, 247), (250, 248), (250, 249), (250, 250), (250, 251), (250, 252), (250, 253), (250, 254), (250, 255), (250, 256), (250, 257), (250, 258), (250, 259), (250, 260), (250, 261), (250, 262), (250, 263), (250, 264), (250, 265), (250, 266), (250, 267), (250, 268), (250, 269), (250, 270), (250, 271), (250, 272), (250, 273), (250, 274), (250, 275), (250, 276), (250, 277), (250, 278), (250, 279), (250, 280), (250, 281), (250, 282), (250, 283), (250, 284), (250, 285), (250, 286), (250, 287), (250, 288), (250, 289), (250, 290), (250, 291), (250, 292),
(250, 293), (250, 294), (250, 295), (250, 296), (250, 297), (250, 298), (250, 299), (250, 300), (250, 301), (250, 302), (250, 303), (250, 304), (250, 305), (250, 306), (250, 307), (250, 308), (250, 309), (250, 310), (250, 311), (250, 312), (250, 313), (250, 314), (250, 315), (250, 316), (250, 317), (250, 318), (250, 319), (250, 320), (250, 321), (251, 201), (251, 203), (251, 204), (251, 205), (251, 206), (251, 207), (251, 208), (251, 209), (251, 210), (251, 211), (251, 212), (251, 213), (251, 214), (251, 215), (251, 216), (251, 217), (251, 218), (251, 219), (251, 220), (251, 221), (251, 222), (251, 223), (251, 224), (251, 225), (251, 226), (251, 227), (251, 228), (251, 229), (251, 230), (251, 231), (251, 232), (251, 233), (251, 234), (251, 235), (251, 236), (251, 237), (251, 238), (251, 239), (251, 240), (251, 241), (251, 242), (251, 243), (251, 244),
(251, 245), (251, 246), (251, 247), (251, 248), (251, 249), (251, 250), (251, 251), (251, 252), (251, 253), (251, 254), (251, 255), (251, 256), (251, 257), (251, 258), (251, 259), (251, 260), (251, 261), (251, 262), (251, 263), (251, 264), (251, 265), (251, 266), (251, 267), (251, 268), (251, 269), (251, 270), (251, 271), (251, 272), (251, 273), (251, 274), (251, 275), (251, 276), (251, 277), (251, 278), (251, 279), (251, 280), (251, 281), (251, 282), (251, 283), (251, 284), (251, 285), (251, 286), (251, 287), (251, 288), (251, 289), (251, 290), (251, 291), (251, 292), (251, 293), (251, 294), (251, 295), (251, 296), (251, 297), (251, 298), (251, 299), (251, 300), (251, 301), (251, 302), (251, 303), (251, 304), (251, 305), (251, 306), (251, 307), (251, 308), (251, 309), (251, 310), (251, 311), (251, 312), (251, 313), (251, 314), (251, 315), (251, 316),
(251, 317), (251, 318), (251, 320), (252, 201), (252, 203), (252, 204), (252, 205), (252, 206), (252, 207), (252, 208), (252, 209), (252, 210), (252, 211), (252, 212), (252, 213), (252, 214), (252, 215), (252, 216), (252, 217), (252, 218), (252, 219), (252, 220), (252, 221), (252, 222), (252, 223), (252, 224), (252, 225), (252, 226), (252, 227), (252, 228), (252, 229), (252, 230), (252, 231), (252, 232), (252, 233), (252, 234), (252, 235), (252, 236), (252, 237), (252, 238), (252, 239), (252, 240), (252, 241), (252, 242), (252, 243), (252, 244), (252, 245), (252, 246), (252, 247), (252, 248), (252, 249), (252, 250), (252, 251), (252, 252), (252, 253), (252, 254), (252, 255), (252, 256), (252, 257), (252, 258), (252, 259), (252, 260), (252, 261), (252, 262), (252, 263), (252, 264), (252, 265), (252, 266), (252, 267), (252, 268), (252, 269), (252, 270),
(252, 271), (252, 272), (252, 273), (252, 274), (252, 275), (252, 276), (252, 277), (252, 278), (252, 279), (252, 280), (252, 281), (252, 282), (252, 283), (252, 284), (252, 285), (252, 286), (252, 287), (252, 288), (252, 289), (252, 290), (252, 291), (252, 292), (252, 293), (252, 294), (252, 295), (252, 296), (252, 297), (252, 298), (252, 299), (252, 300), (252, 301), (252, 302), (252, 303), (252, 304), (252, 305), (252, 306), (252, 307), (252, 308), (252, 309), (252, 310), (252, 311), (252, 312), (252, 313), (252, 314), (252, 315), (252, 316), (252, 317), (252, 318), (252, 320), (253, 201), (253, 203), (253, 204), (253, 205), (253, 206), (253, 207), (253, 208), (253, 209), (253, 210), (253, 211), (253, 212), (253, 213), (253, 214), (253, 215), (253, 216), (253, 217), (253, 218), (253, 219), (253, 220), (253, 221), (253, 222), (253, 223), (253, 224),
(253, 225), (253, 226), (253, 227), (253, 228), (253, 229), (253, 230), (253, 231), (253, 232), (253, 233), (253, 234), (253, 235), (253, 236), (253, 237), (253, 238), (253, 239), (253, 240), (253, 241), (253, 242), (253, 243), (253, 244), (253, 245), (253, 246), (253, 247), (253, 248), (253, 249), (253, 250), (253, 251), (253, 252), (253, 253), (253, 254), (253, 255), (253, 256), (253, 257), (253, 258), (253, 259), (253, 260), (253, 261), (253, 262), (253, 263), (253, 264), (253, 265), (253, 266), (253, 267), (253, 268), (253, 269), (253, 270), (253, 271), (253, 272), (253, 273), (253, 274), (253, 275), (253, 276), (253, 277), (253, 278), (253, 279), (253, 280), (253, 281), (253, 282), (253, 283), (253, 284), (253, 285), (253, 286), (253, 287), (253, 288), (253, 289), (253, 290), (253, 291), (253, 292), (253, 293), (253, 294), (253, 295), (253, 296),
(253, 297), (253, 298), (253, 299), (253, 300), (253, 301), (253, 302), (253, 303), (253, 304), (253, 305), (253, 306), (253, 307), (253, 308), (253, 309), (253, 310), (253, 311), (253, 312), (253, 313), (253, 314), (253, 315), (253, 316), (253, 317), (253, 318), (253, 320), (254, 201), (254, 203), (254, 204), (254, 205), (254, 206), (254, 207), (254, 208), (254, 209), (254, 210), (254, 211), (254, 212), (254, 213), (254, 214), (254, 215), (254, 216), (254, 217), (254, 218), (254, 219), (254, 220), (254, 221), (254, 222), (254, 223), (254, 224), (254, 225), (254, 226), (254, 227), (254, 228), (254, 229), (254, 230), (254, 231), (254, 232), (254, 233), (254, 234), (254, 235), (254, 236), (254, 237), (254, 238), (254, 239), (254, 240), (254, 241), (254, 242), (254, 243), (254, 244), (254, 245), (254, 246), (254, 247), (254, 248), (254, 249), (254, 250),
(254, 251), (254, 252), (254, 253), (254, 254), (254, 255), (254, 256), (254, 257), (254, 258), (254, 259), (254, 260), (254, 261), (254, 262), (254, 263), (254, 264), (254, 265), (254, 266), (254, 267), (254, 268), (254, 269), (254, 270), (254, 271), (254, 272), (254, 273), (254, 274), (254, 275), (254, 276), (254, 277), (254, 278), (254, 279), (254, 280), (254, 281), (254, 282), (254, 283), (254, 284), (254, 285), (254, 286), (254, 287), (254, 288), (254, 289), (254, 290), (254, 291), (254, 292), (254, 293), (254, 294), (254, 295), (254, 296), (254, 297), (254, 298), (254, 299), (254, 300), (254, 301), (254, 302), (254, 303), (254, 304), (254, 305), (254, 306), (254, 307), (254, 308), (254, 309), (254, 310), (254, 311), (254, 312), (254, 313), (254, 314), (254, 315), (254, 316), (254, 317), (254, 318), (254, 320), (255, 201), (255, 202), (255, 203),
(255, 204), (255, 205), (255, 206), (255, 207), (255, 208), (255, 209), (255, 210), (255, 211), (255, 212), (255, 213), (255, 214), (255, 215), (255, 216), (255, 217), (255, 218), (255, 219), (255, 220), (255, 221), (255, 222), (255, 223), (255, 224), (255, 225), (255, 226), (255, 227), (255, 228), (255, 229), (255, 230), (255, 231), (255, 232), (255, 233), (255, 234), (255, 235), (255, 236), (255, 237), (255, 238), (255, 239), (255, 240), (255, 241), (255, 242), (255, 243), (255, 244), (255, 245), (255, 246), (255, 247), (255, 248), (255, 249), (255, 250), (255, 251), (255, 252), (255, 253), (255, 254), (255, 255), (255, 256), (255, 257), (255, 258), (255, 259), (255, 260), (255, 261), (255, 262), (255, 263), (255, 264), (255, 265), (255, 266), (255, 267), (255, 268), (255, 269), (255, 270), (255, 271), (255, 272), (255, 273), (255, 274), (255, 275),
(255, 276), (255, 277), (255, 278), (255, 279), (255, 280), (255, 281), (255, 282), (255, 283), (255, 284), (255, 285), (255, 286), (255, 287), (255, 288), (255, 289), (255, 290), (255, 291), (255, 292), (255, 293), (255, 294), (255, 295), (255, 296), (255, 297), (255, 298), (255, 299), (255, 300), (255, 301), (255, 302), (255, 303), (255, 304), (255, 305), (255, 306), (255, 307), (255, 308), (255, 309), (255, 310), (255, 311), (255, 312), (255, 313), (255, 314), (255, 315), (255, 316), (255, 317), (255, 318), (255, 320), (256, 202), (256, 204), (256, 205), (256, 206), (256, 207), (256, 208), (256, 209), (256, 210), (256, 211), (256, 212), (256, 213), (256, 214), (256, 215), (256, 216), (256, 217), (256, 218), (256, 219), (256, 220), (256, 221), (256, 222), (256, 223), (256, 224), (256, 225), (256, 226), (256, 227), (256, 228), (256, 229), (256, 230),
(256, 231), (256, 232), (256, 233), (256, 234), (256, 235), (256, 236), (256, 237), (256, 238), (256, 239), (256, 240), (256, 241), (256, 242), (256, 243), (256, 244), (256, 245), (256, 246), (256, 247), (256, 248), (256, 249), (256, 250), (256, 251), (256, 252), (256, 253), (256, 254), (256, 255), (256, 256), (256, 257), (256, 258), (256, 259), (256, 260), (256, 261), (256, 262), (256, 263), (256, 264), (256, 265), (256, 266), (256, 267), (256, 268), (256, 269), (256, 270), (256, 271), (256, 272), (256, 273), (256, 274), (256, 275), (256, 276), (256, 277), (256, 278), (256, 279), (256, 280), (256, 281), (256, 282), (256, 283), (256, 284), (256, 285), (256, 286), (256, 287), (256, 288), (256, 289), (256, 290), (256, 291), (256, 292), (256, 293), (256, 294), (256, 295), (256, 296), (256, 297), (256, 298), (256, 299), (256, 300), (256, 301), (256, 302),
(256, 303), (256, 304), (256, 305), (256, 306), (256, 307), (256, 308), (256, 309), (256, 310), (256, 311), (256, 312), (256, 313), (256, 314), (256, 315), (256, 316), (256, 317), (256, 318), (256, 319), (256, 321), (257, 202), (257, 204), (257, 205), (257, 206), (257, 207), (257, 208), (257, 209), (257, 210), (257, 211), (257, 212), (257, 213), (257, 214), (257, 215), (257, 216), (257, 217), (257, 218), (257, 219), (257, 220), (257, 221), (257, 222), (257, 223), (257, 224), (257, 225), (257, 226), (257, 227), (257, 228), (257, 229), (257, 230), (257, 231), (257, 232), (257, 233), (257, 234), (257, 235), (257, 236), (257, 237), (257, 238), (257, 239), (257, 240), (257, 241), (257, 242), (257, 243), (257, 244), (257, 245), (257, 246), (257, 247), (257, 248), (257, 249), (257, 250), (257, 251), (257, 252), (257, 253), (257, 254), (257, 255), (257, 256),
(257, 257), (257, 258), (257, 259), (257, 260), (257, 261), (257, 262), (257, 263), (257, 264), (257, 265), (257, 266), (257, 267), (257, 268), (257, 269), (257, 270), (257, 271), (257, 272), (257, 273), (257, 274), (257, 275), (257, 276), (257, 277), (257, 278), (257, 279), (257, 280), (257, 281), (257, 282), (257, 283), (257, 284), (257, 285), (257, 286), (257, 287), (257, 288), (257, 289), (257, 290), (257, 291), (257, 292), (257, 293), (257, 294), (257, 295), (257, 296), (257, 297), (257, 298), (257, 299), (257, 300), (257, 301), (257, 302), (257, 303), (257, 304), (257, 305), (257, 306), (257, 307), (257, 308), (257, 309), (257, 310), (257, 311), (257, 312), (257, 313), (257, 314), (257, 315), (257, 316), (257, 317), (257, 318), (257, 319), (257, 321), (258, 202), (258, 204), (258, 205), (258, 206), (258, 207), (258, 208), (258, 209), (258, 210),
(258, 211), (258, 212), (258, 213), (258, 214), (258, 215), (258, 216), (258, 217), (258, 218), (258, 219), (258, 220), (258, 221), (258, 222), (258, 223), (258, 224), (258, 225), (258, 226), (258, 227), (258, 228), (258, 229), (258, 230), (258, 231), (258, 232), (258, 233), (258, 234), (258, 235), (258, 236), (258, 237), (258, 238), (258, 239), (258, 240), (258, 241), (258, 242), (258, 243), (258, 244), (258, 245), (258, 246), (258, 247), (258, 248), (258, 249), (258, 250), (258, 251), (258, 252), (258, 253), (258, 254), (258, 255), (258, 256), (258, 257), (258, 258), (258, 259), (258, 260), (258, 261), (258, 262), (258, 263), (258, 264), (258, 265), (258, 266), (258, 267), (258, 268), (258, 269), (258, 270), (258, 271), (258, 272), (258, 273), (258, 274), (258, 275), (258, 276), (258, 277), (258, 278), (258, 279), (258, 280), (258, 281), (258, 282),
(258, 283), (258, 284), (258, 285), (258, 286), (258, 287), (258, 288), (258, 289), (258, 290), (258, 291), (258, 292), (258, 293), (258, 294), (258, 295), (258, 296), (258, 297), (258, 298), (258, 299), (258, 300), (258, 301), (258, 302), (258, 303), (258, 304), (258, 305), (258, 306), (258, 307), (258, 308), (258, 309), (258, 310), (258, 311), (258, 312), (258, 313), (258, 314), (258, 315), (258, 316), (258, 317), (258, 318), (258, 319), (258, 321), (259, 202), (259, 204), (259, 205), (259, 206), (259, 207), (259, 208), (259, 209), (259, 210), (259, 211), (259, 212), (259, 213), (259, 214), (259, 215), (259, 216), (259, 217), (259, 218), (259, 219), (259, 220), (259, 221), (259, 222), (259, 223), (259, 224), (259, 225), (259, 226), (259, 227), (259, 228), (259, 229), (259, 230), (259, 231), (259, 232), (259, 233), (259, 234), (259, 235), (259, 236),
(259, 237), (259, 238), (259, 239), (259, 240), (259, 241), (259, 242), (259, 243), (259, 244), (259, 245), (259, 246), (259, 247), (259, 248), (259, 249), (259, 250), (259, 251), (259, 252), (259, 253), (259, 254), (259, 255), (259, 256), (259, 257), (259, 258), (259, 259), (259, 260), (259, 261), (259, 262), (259, 263), (259, 264), (259, 265), (259, 266), (259, 267), (259, 268), (259, 269), (259, 270), (259, 271), (259, 272), (259, 273), (259, 274), (259, 275), (259, 276), (259, 277), (259, 278), (259, 279), (259, 280), (259, 281), (259, 282), (259, 283), (259, 284), (259, 285), (259, 286), (259, 287), (259, 288), (259, 289), (259, 290), (259, 291), (259, 292), (259, 293), (259, 294), (259, 295), (259, 296), (259, 297), (259, 298), (259, 299), (259, 300), (259, 301), (259, 302), (259, 303), (259, 304), (259, 305), (259, 306), (259, 307), (259, 308),
(259, 309), (259, 310), (259, 311), (259, 312), (259, 313), (259, 314), (259, 315), (259, 316), (259, 317), (259, 318), (259, 319), (259, 321), (260, 202), (260, 204), (260, 205), (260, 206), (260, 207), (260, 208), (260, 209), (260, 210), (260, 211), (260, 212), (260, 213), (260, 214), (260, 215), (260, 216), (260, 217), (260, 218), (260, 219), (260, 220), (260, 221), (260, 222), (260, 223), (260, 224), (260, 225), (260, 226), (260, 227), (260, 228), (260, 229), (260, 230), (260, 231), (260, 232), (260, 233), (260, 234), (260, 235), (260, 236), (260, 237), (260, 238), (260, 239), (260, 240), (260, 241), (260, 242), (260, 243), (260, 244), (260, 245), (260, 246), (260, 247), (260, 248), (260, 249), (260, 250), (260, 251), (260, 252), (260, 253), (260, 254), (260, 255), (260, 256), (260, 257), (260, 258), (260, 259), (260, 260), (260, 261), (260, 262),
(260, 263), (260, 264), (260, 265), (260, 266), (260, 267), (260, 268), (260, 269), (260, 270), (260, 271), (260, 272), (260, 273), (260, 274), (260, 275), (260, 276), (260, 277), (260, 278), (260, 279), (260, 280), (260, 281), (260, 282), (260, 283), (260, 284), (260, 285), (260, 286), (260, 287), (260, 288), (260, 289), (260, 290), (260, 291), (260, 292), (260, 293), (260, 294), (260, 295), (260, 296), (260, 297), (260, 298), (260, 299), (260, 300), (260, 301), (260, 302), (260, 303), (260, 304), (260, 305), (260, 306), (260, 307), (260, 308), (260, 309), (260, 310), (260, 311), (260, 312), (260, 313), (260, 314), (260, 315), (260, 316), (260, 317), (260, 318), (260, 319), (260, 320), (260, 322), (261, 202), (261, 204), (261, 205), (261, 206), (261, 207), (261, 208), (261, 209), (261, 210), (261, 211), (261, 212), (261, 213), (261, 214), (261, 215),
(261, 216), (261, 217), (261, 218), (261, 219), (261, 220), (261, 221), (261, 222), (261, 223), (261, 224), (261, 225), (261, 226), (261, 227), (261, 228), (261, 229), (261, 230), (261, 231), (261, 232), (261, 233), (261, 234), (261, 235), (261, 236), (261, 237), (261, 238), (261, 239), (261, 240), (261, 241), (261, 242), (261, 243), (261, 244), (261, 245), (261, 246), (261, 247), (261, 248), (261, 249), (261, 250), (261, 251), (261, 252), (261, 253), (261, 254), (261, 255), (261, 256), (261, 257), (261, 258), (261, 259), (261, 260), (261, 261), (261, 262), (261, 263), (261, 264), (261, 265), (261, 266), (261, 267), (261, 268), (261, 269), (261, 270), (261, 271), (261, 272), (261, 273), (261, 274), (261, 275), (261, 276), (261, 277), (261, 278), (261, 279), (261, 280), (261, 281), (261, 282), (261, 283), (261, 284), (261, 285), (261, 286), (261, 287),
(261, 288), (261, 289), (261, 290), (261, 291), (261, 292), (261, 293), (261, 294), (261, 295), (261, 296), (261, 297), (261, 298), (261, 299), (261, 300), (261, 301), (261, 302), (261, 303), (261, 304), (261, 305), (261, 306), (261, 307), (261, 308), (261, 309), (261, 310), (261, 311), (261, 312), (261, 313), (261, 314), (261, 315), (261, 316), (261, 317), (261, 318), (261, 319), (261, 320), (261, 322), (262, 202), (262, 204), (262, 205), (262, 206), (262, 207), (262, 208), (262, 209), (262, 210), (262, 211), (262, 212), (262, 213), (262, 214), (262, 215), (262, 216), (262, 217), (262, 218), (262, 219), (262, 220), (262, 221), (262, 222), (262, 223), (262, 224), (262, 225), (262, 226), (262, 227), (262, 228), (262, 229), (262, 230), (262, 231), (262, 232), (262, 233), (262, 234), (262, 235), (262, 236), (262, 237), (262, 238), (262, 239), (262, 240),
(262, 241), (262, 242), (262, 243), (262, 244), (262, 245), (262, 246), (262, 247), (262, 248), (262, 249), (262, 250), (262, 251), (262, 252), (262, 253), (262, 254), (262, 255), (262, 256), (262, 257), (262, 258), (262, 259), (262, 260), (262, 261), (262, 262), (262, 263), (262, 264), (262, 265), (262, 266), (262, 267), (262, 268), (262, 269), (262, 270), (262, 271), (262, 272), (262, 273), (262, 274), (262, 275), (262, 276), (262, 277), (262, 278), (262, 279), (262, 280), (262, 281), (262, 282), (262, 283), (262, 284), (262, 285), (262, 286), (262, 287), (262, 288), (262, 289), (262, 290), (262, 291), (262, 292), (262, 293), (262, 294), (262, 295), (262, 296), (262, 297), (262, 298), (262, 299), (262, 300), (262, 301), (262, 302), (262, 303), (262, 304), (262, 305), (262, 306), (262, 307), (262, 308), (262, 309), (262, 310), (262, 311), (262, 312),
(262, 313), (262, 314), (262, 315), (262, 316), (262, 317), (262, 318), (262, 319), (262, 320), (262, 322), (263, 202), (263, 204), (263, 205), (263, 206), (263, 207), (263, 208), (263, 209), (263, 210), (263, 211), (263, 212), (263, 213), (263, 214), (263, 215), (263, 216), (263, 217), (263, 218), (263, 219), (263, 220), (263, 221), (263, 222), (263, 223), (263, 224), (263, 225), (263, 226), (263, 227), (263, 228), (263, 229), (263, 230), (263, 231), (263, 232), (263, 233), (263, 234), (263, 235), (263, 236), (263, 237), (263, 238), (263, 239), (263, 240), (263, 241), (263, 242), (263, 243), (263, 244), (263, 245), (263, 246), (263, 247), (263, 248), (263, 249), (263, 250), (263, 251), (263, 252), (263, 253), (263, 254), (263, 255), (263, 256), (263, 257), (263, 258), (263, 259), (263, 260), (263, 261), (263, 262), (263, 263), (263, 264), (263, 265),
(263, 266), (263, 267), (263, 268), (263, 269), (263, 270), (263, 271), (263, 272), (263, 273), (263, 274), (263, 275), (263, 276), (263, 277), (263, 278), (263, 279), (263, 280), (263, 281), (263, 282), (263, 283), (263, 284), (263, 285), (263, 286), (263, 287), (263, 288), (263, 289), (263, 290), (263, 291), (263, 292), (263, 293), (263, 294), (263, 295), (263, 296), (263, 297), (263, 298), (263, 299), (263, 300), (263, 301), (263, 302), (263, 303), (263, 304), (263, 305), (263, 306), (263, 307), (263, 308), (263, 309), (263, 310), (263, 311), (263, 312), (263, 313), (263, 314), (263, 315), (263, 316), (263, 317), (263, 318), (263, 319), (263, 320), (263, 321), (263, 322), (263, 323), (264, 202), (264, 204), (264, 205), (264, 206), (264, 207), (264, 208), (264, 209), (264, 210), (264, 211), (264, 212), (264, 213), (264, 214), (264, 215), (264, 216),
(264, 217), (264, 218), (264, 219), (264, 220), (264, 221), (264, 222), (264, 223), (264, 224), (264, 225), (264, 226), (264, 227), (264, 228), (264, 229), (264, 230), (264, 231), (264, 232), (264, 233), (264, 234), (264, 235), (264, 236), (264, 237), (264, 238), (264, 239), (264, 240), (264, 241), (264, 242), (264, 243), (264, 244), (264, 245), (264, 246), (264, 247), (264, 248), (264, 249), (264, 250), (264, 251), (264, 252), (264, 253), (264, 254), (264, 255), (264, 256), (264, 257), (264, 258), (264, 259), (264, 260), (264, 261), (264, 262), (264, 263), (264, 264), (264, 265), (264, 266), (264, 267), (264, 268), (264, 269), (264, 270), (264, 271), (264, 272), (264, 273), (264, 274), (264, 275), (264, 276), (264, 277), (264, 278), (264, 279), (264, 280), (264, 281), (264, 282), (264, 283), (264, 284), (264, 285), (264, 286), (264, 287), (264, 288),
(264, 289), (264, 290), (264, 291), (264, 292), (264, 293), (264, 294), (264, 295), (264, 296), (264, 297), (264, 298), (264, 299), (264, 300), (264, 301), (264, 302), (264, 303), (264, 304), (264, 305), (264, 306), (264, 307), (264, 308), (264, 309), (264, 310), (264, 311), (264, 312), (264, 313), (264, 314), (264, 315), (264, 316), (264, 317), (264, 318), (264, 319), (264, 320), (264, 321), (264, 323), (265, 202), (265, 204), (265, 205), (265, 206), (265, 207), (265, 208), (265, 209), (265, 210), (265, 211), (265, 212), (265, 213), (265, 214), (265, 215), (265, 216), (265, 217), (265, 218), (265, 219), (265, 220), (265, 221), (265, 222), (265, 223), (265, 224), (265, 225), (265, 226), (265, 227), (265, 228), (265, 229), (265, 230), (265, 231), (265, 232), (265, 233), (265, 234), (265, 235), (265, 236), (265, 237), (265, 238), (265, 239), (265, 240),
(265, 241), (265, 242), (265, 243), (265, 244), (265, 245), (265, 246), (265, 247), (265, 248), (265, 249), (265, 250), (265, 251), (265, 252), (265, 253), (265, 254), (265, 255), (265, 256), (265, 257), (265, 258), (265, 259), (265, 260), (265, 261), (265, 262), (265, 263), (265, 264), (265, 265), (265, 266), (265, 267), (265, 268), (265, 269), (265, 270), (265, 271), (265, 272), (265, 273), (265, 274), (265, 275), (265, 276), (265, 277), (265, 278), (265, 279), (265, 280), (265, 281), (265, 282), (265, 283), (265, 284), (265, 285), (265, 286), (265, 287), (265, 288), (265, 289), (265, 290), (265, 291), (265, 292), (265, 293), (265, 294), (265, 295), (265, 296), (265, 297), (265, 298), (265, 299), (265, 300), (265, 301), (265, 302), (265, 303), (265, 304), (265, 305), (265, 306), (265, 307), (265, 308), (265, 309), (265, 310), (265, 311), (265, 312),
(265, 313), (265, 314), (265, 315), (265, 316), (265, 317), (265, 318), (265, 319), (265, 320), (265, 321), (265, 323), (266, 202), (266, 204), (266, 205), (266, 206), (266, 207), (266, 208), (266, 209), (266, 210), (266, 211), (266, 212), (266, 213), (266, 214), (266, 215), (266, 216), (266, 217), (266, 218), (266, 219), (266, 220), (266, 221), (266, 222), (266, 223), (266, 224), (266, 225), (266, 226), (266, 227), (266, 228), (266, 229), (266, 230), (266, 231), (266, 232), (266, 233), (266, 234), (266, 235), (266, 236), (266, 237), (266, 238), (266, 239), (266, 240), (266, 241), (266, 242), (266, 243), (266, 244), (266, 245), (266, 246), (266, 247), (266, 248), (266, 249), (266, 250), (266, 251), (266, 252), (266, 253), (266, 254), (266, 255), (266, 256), (266, 257), (266, 258), (266, 259), (266, 260), (266, 261), (266, 262), (266, 263), (266, 264),
(266, 265), (266, 266), (266, 267), (266, 268), (266, 269), (266, 270), (266, 271), (266, 272), (266, 273), (266, 274), (266, 275), (266, 276), (266, 277), (266, 278), (266, 279), (266, 280), (266, 281), (266, 282), (266, 283), (266, 284), (266, 285), (266, 286), (266, 287), (266, 288), (266, 289), (266, 290), (266, 291), (266, 292), (266, 293), (266, 294), (266, 295), (266, 296), (266, 297), (266, 298), (266, 299), (266, 300), (266, 301), (266, 302), (266, 303), (266, 304), (266, 305), (266, 306), (266, 307), (266, 308), (266, 309), (266, 310), (266, 311), (266, 312), (266, 313), (266, 314), (266, 315), (266, 316), (266, 317), (266, 318), (266, 319), (266, 320), (266, 321), (266, 322), (266, 323), (266, 324), (267, 202), (267, 204), (267, 205), (267, 206), (267, 207), (267, 208), (267, 209), (267, 210), (267, 211), (267, 212), (267, 213), (267, 214),
(267, 215), (267, 216), (267, 217), (267, 218), (267, 219), (267, 220), (267, 221), (267, 222), (267, 223), (267, 224), (267, 225), (267, 226), (267, 227), (267, 228), (267, 229), (267, 230), (267, 231), (267, 232), (267, 233), (267, 234), (267, 235), (267, 236), (267, 237), (267, 238), (267, 239), (267, 240), (267, 241), (267, 242), (267, 243), (267, 244), (267, 245), (267, 246), (267, 247), (267, 248), (267, 249), (267, 250), (267, 251), (267, 252), (267, 253), (267, 254), (267, 255), (267, 256), (267, 257), (267, 258), (267, 259), (267, 260), (267, 261), (267, 262), (267, 263), (267, 264), (267, 265), (267, 266), (267, 267), (267, 268), (267, 269), (267, 270), (267, 271), (267, 272), (267, 273), (267, 274), (267, 275), (267, 276), (267, 277), (267, 278), (267, 279), (267, 280), (267, 281), (267, 282), (267, 283), (267, 284), (267, 285), (267, 286),
(267, 287), (267, 288), (267, 289), (267, 290), (267, 291), (267, 292), (267, 293), (267, 294), (267, 295), (267, 296), (267, 297), (267, 298), (267, 299), (267, 300), (267, 301), (267, 302), (267, 303), (267, 304), (267, 305), (267, 306), (267, 307), (267, 308), (267, 309), (267, 310), (267, 311), (267, 312), (267, 313), (267, 314), (267, 315), (267, 316), (267, 317), (267, 318), (267, 319), (267, 320), (267, 321), (267, 322), (267, 324), (268, 202), (268, 204), (268, 205), (268, 206), (268, 207), (268, 208), (268, 209), (268, 210), (268, 211), (268, 212), (268, 213), (268, 214), (268, 215), (268, 216), (268, 217), (268, 218), (268, 219), (268, 220), (268, 221), (268, 222), (268, 223), (268, 224), (268, 225), (268, 226), (268, 227), (268, 228), (268, 229), (268, 230), (268, 231), (268, 232), (268, 233), (268, 234), (268, 235), (268, 236), (268, 237),
(268, 238), (268, 239), (268, 240), (268, 241), (268, 242), (268, 243), (268, 244), (268, 245), (268, 246), (268, 247), (268, 248), (268, 249), (268, 250), (268, 251), (268, 252), (268, 253), (268, 254), (268, 255), (268, 256), (268, 257), (268, 258), (268, 259), (268, 260), (268, 261), (268, 262), (268, 263), (268, 264), (268, 265), (268, 266), (268, 267), (268, 268), (268, 269), (268, 270), (268, 271), (268, 272), (268, 273), (268, 274), (268, 275), (268, 276), (268, 277), (268, 278), (268, 279), (268, 280), (268, 281), (268, 282), (268, 283), (268, 284), (268, 285), (268, 286), (268, 287), (268, 288), (268, 289), (268, 290), (268, 291), (268, 292), (268, 293), (268, 294), (268, 295), (268, 296), (268, 297), (268, 298), (268, 299), (268, 300), (268, 301), (268, 302), (268, 303), (268, 304), (268, 305), (268, 306), (268, 307), (268, 308), (268, 309),
(268, 310), (268, 311), (268, 312), (268, 313), (268, 314), (268, 315), (268, 316), (268, 317), (268, 318), (268, 319), (268, 320), (268, 321), (268, 322), (268, 324), (269, 202), (269, 204), (269, 205), (269, 206), (269, 207), (269, 208), (269, 209), (269, 210), (269, 211), (269, 212), (269, 213), (269, 214), (269, 215), (269, 216), (269, 217), (269, 218), (269, 219), (269, 220), (269, 221), (269, 222), (269, 223), (269, 224), (269, 225), (269, 226), (269, 227), (269, 228), (269, 229), (269, 230), (269, 231), (269, 232), (269, 233), (269, 234), (269, 235), (269, 236), (269, 237), (269, 238), (269, 239), (269, 240), (269, 241), (269, 242), (269, 243), (269, 244), (269, 245), (269, 246), (269, 247), (269, 248), (269, 249), (269, 250), (269, 251), (269, 252), (269, 253), (269, 254), (269, 255), (269, 256), (269, 257), (269, 258), (269, 259), (269, 260),
(269, 261), (269, 262), (269, 263), (269, 264), (269, 265), (269, 266), (269, 267), (269, 268), (269, 269), (269, 270), (269, 271), (269, 272), (269, 273), (269, 274), (269, 275), (269, 276), (269, 277), (269, 278), (269, 279), (269, 280), (269, 281), (269, 282), (269, 283), (269, 284), (269, 285), (269, 286), (269, 287), (269, 288), (269, 289), (269, 290), (269, 291), (269, 292), (269, 293), (269, 294), (269, 295), (269, 296), (269, 297), (269, 298), (269, 299), (269, 300), (269, 301), (269, 302), (269, 303), (269, 304), (269, 305), (269, 306), (269, 307), (269, 308), (269, 309), (269, 310), (269, 311), (269, 312), (269, 313), (269, 314), (269, 315), (269, 316), (269, 317), (269, 318), (269, 319), (269, 320), (269, 321), (269, 322), (269, 323), (269, 325), (270, 202), (270, 204), (270, 205), (270, 206), (270, 207), (270, 208), (270, 209), (270, 210),
(270, 211), (270, 212), (270, 213), (270, 214), (270, 215), (270, 216), (270, 217), (270, 218), (270, 219), (270, 220), (270, 221), (270, 222), (270, 223), (270, 224), (270, 225), (270, 226), (270, 227), (270, 228), (270, 229), (270, 230), (270, 231), (270, 232), (270, 233), (270, 234), (270, 235), (270, 236), (270, 237), (270, 238), (270, 239), (270, 240), (270, 241), (270, 242), (270, 243), (270, 244), (270, 245), (270, 246), (270, 247), (270, 248), (270, 249), (270, 250), (270, 251), (270, 252), (270, 253), (270, 254), (270, 255), (270, 256), (270, 257), (270, 258), (270, 259), (270, 260), (270, 261), (270, 262), (270, 263), (270, 264), (270, 265), (270, 266), (270, 267), (270, 268), (270, 269), (270, 270), (270, 271), (270, 272), (270, 273), (270, 274), (270, 275), (270, 276), (270, 277), (270, 278), (270, 279), (270, 280), (270, 281), (270, 282),
(270, 283), (270, 284), (270, 285), (270, 286), (270, 287), (270, 288), (270, 289), (270, 290), (270, 291), (270, 292), (270, 293), (270, 294), (270, 295), (270, 296), (270, 297), (270, 298), (270, 299), (270, 300), (270, 301), (270, 302), (270, 303), (270, 304), (270, 305), (270, 306), (270, 307), (270, 308), (270, 309), (270, 310), (270, 311), (270, 312), (270, 313), (270, 314), (270, 315), (270, 316), (270, 317), (270, 318), (270, 319), (270, 320), (270, 321), (270, 322), (270, 323), (270, 325), (271, 202), (271, 204), (271, 205), (271, 206), (271, 207), (271, 208), (271, 209), (271, 210), (271, 211), (271, 212), (271, 213), (271, 214), (271, 215), (271, 216), (271, 217), (271, 218), (271, 219), (271, 220), (271, 221), (271, 222), (271, 223), (271, 224), (271, 225), (271, 226), (271, 227), (271, 228), (271, 229), (271, 230), (271, 231), (271, 232),
(271, 233), (271, 234), (271, 235), (271, 236), (271, 237), (271, 238), (271, 239), (271, 240), (271, 241), (271, 242), (271, 243), (271, 244), (271, 245), (271, 246), (271, 247), (271, 248), (271, 249), (271, 250), (271, 251), (271, 252), (271, 253), (271, 254), (271, 255), (271, 256), (271, 257), (271, 258), (271, 259), (271, 260), (271, 261), (271, 262), (271, 263), (271, 264), (271, 265), (271, 266), (271, 267), (271, 268), (271, 269), (271, 270), (271, 271), (271, 272), (271, 273), (271, 274), (271, 275), (271, 276), (271, 277), (271, 278), (271, 279), (271, 280), (271, 281), (271, 282), (271, 283), (271, 284), (271, 285), (271, 286), (271, 287), (271, 288), (271, 289), (271, 290), (271, 291), (271, 292), (271, 293), (271, 294), (271, 295), (271, 296), (271, 297), (271, 298), (271, 299), (271, 300), (271, 301), (271, 302), (271, 303), (271, 304),
(271, 305), (271, 306), (271, 307), (271, 308), (271, 309), (271, 310), (271, 311), (271, 312), (271, 313), (271, 314), (271, 315), (271, 316), (271, 317), (271, 318), (271, 319), (271, 320), (271, 321), (271, 322), (271, 323), (271, 325), (272, 202), (272, 204), (272, 205), (272, 206), (272, 207), (272, 208), (272, 209), (272, 210), (272, 211), (272, 212), (272, 213), (272, 214), (272, 215), (272, 216), (272, 217), (272, 218), (272, 219), (272, 220), (272, 221), (272, 222), (272, 223), (272, 224), (272, 225), (272, 226), (272, 227), (272, 228), (272, 229), (272, 230), (272, 231), (272, 232), (272, 233), (272, 234), (272, 235), (272, 236), (272, 237), (272, 238), (272, 239), (272, 240), (272, 241), (272, 242), (272, 243), (272, 244), (272, 245), (272, 246), (272, 247), (272, 248), (272, 249), (272, 250), (272, 251), (272, 252), (272, 253), (272, 254),
(272, 255), (272, 256), (272, 257), (272, 258), (272, 259), (272, 260), (272, 261), (272, 262), (272, 263), (272, 264), (272, 265), (272, 266), (272, 267), (272, 268), (272, 269), (272, 270), (272, 271), (272, 272), (272, 273), (272, 274), (272, 275), (272, 276), (272, 277), (272, 278), (272, 279), (272, 280), (272, 281), (272, 282), (272, 283), (272, 284), (272, 285), (272, 286), (272, 287), (272, 288), (272, 289), (272, 290), (272, 291), (272, 292), (272, 293), (272, 294), (272, 295), (272, 296), (272, 297), (272, 298), (272, 299), (272, 300), (272, 301), (272, 302), (272, 303), (272, 304), (272, 305), (272, 306), (272, 307), (272, 308), (272, 309), (272, 310), (272, 311), (272, 312), (272, 313), (272, 314), (272, 315), (272, 316), (272, 317), (272, 318), (272, 319), (272, 320), (272, 321), (272, 322), (272, 323), (272, 324), (272, 326), (273, 202),
(273, 204), (273, 205), (273, 206), (273, 207), (273, 208), (273, 209), (273, 210), (273, 211), (273, 212), (273, 213), (273, 214), (273, 215), (273, 216), (273, 217), (273, 218), (273, 219), (273, 220), (273, 221), (273, 222), (273, 223), (273, 224), (273, 225), (273, 226), (273, 227), (273, 228), (273, 229), (273, 230), (273, 231), (273, 232), (273, 233), (273, 234), (273, 235), (273, 236), (273, 237), (273, 238), (273, 239), (273, 240), (273, 241), (273, 242), (273, 243), (273, 244), (273, 245), (273, 246), (273, 247), (273, 248), (273, 249), (273, 250), (273, 251), (273, 252), (273, 253), (273, 254), (273, 255), (273, 256), (273, 257), (273, 258), (273, 259), (273, 260), (273, 261), (273, 262), (273, 263), (273, 264), (273, 265), (273, 266), (273, 267), (273, 268), (273, 269), (273, 270), (273, 271), (273, 272), (273, 273), (273, 274), (273, 275),
(273, 276), (273, 277), (273, 278), (273, 279), (273, 280), (273, 281), (273, 282), (273, 283), (273, 284), (273, 285), (273, 286), (273, 287), (273, 288), (273, 289), (273, 290), (273, 291), (273, 292), (273, 293), (273, 294), (273, 295), (273, 296), (273, 297), (273, 298), (273, 299), (273, 300), (273, 301), (273, 302), (273, 303), (273, 304), (273, 305), (273, 306), (273, 307), (273, 308), (273, 309), (273, 310), (273, 311), (273, 312), (273, 313), (273, 314), (273, 315), (273, 316), (273, 317), (273, 318), (273, 319), (273, 320), (273, 321), (273, 322), (273, 323), (273, 324), (273, 326), (274, 202), (274, 204), (274, 205), (274, 206), (274, 207), (274, 208), (274, 209), (274, 210), (274, 211), (274, 212), (274, 213), (274, 214), (274, 215), (274, 216), (274, 217), (274, 218), (274, 219), (274, 220), (274, 221), (274, 222), (274, 223), (274, 224),
(274, 225), (274, 226), (274, 227), (274, 228), (274, 229), (274, 230), (274, 231), (274, 232), (274, 233), (274, 234), (274, 235), (274, 236), (274, 237), (274, 238), (274, 239), (274, 240), (274, 241), (274, 242), (274, 243), (274, 244), (274, 245), (274, 246), (274, 247), (274, 248), (274, 249), (274, 250), (274, 251), (274, 252), (274, 253), (274, 254), (274, 255), (274, 256), (274, 257), (274, 258), (274, 259), (274, 260), (274, 261), (274, 262), (274, 263), (274, 264), (274, 265), (274, 266), (274, 267), (274, 268), (274, 269), (274, 270), (274, 271), (274, 272), (274, 273), (274, 274), (274, 275), (274, 276), (274, 277), (274, 278), (274, 279), (274, 280), (274, 281), (274, 282), (274, 283), (274, 284), (274, 285), (274, 286), (274, 287), (274, 288), (274, 289), (274, 290), (274, 291), (274, 292), (274, 293), (274, 294), (274, 295), (274, 296),
(274, 297), (274, 298), (274, 299), (274, 300), (274, 301), (274, 302), (274, 303), (274, 304), (274, 305), (274, 306), (274, 307), (274, 308), (274, 309), (274, 310), (274, 311), (274, 312), (274, 313), (274, 314), (274, 315), (274, 316), (274, 317), (274, 318), (274, 319), (274, 320), (274, 321), (274, 322), (274, 323), (274, 324), (274, 325), (274, 327), (275, 202), (275, 204), (275, 205), (275, 206), (275, 207), (275, 208), (275, 209), (275, 210), (275, 211), (275, 212), (275, 213), (275, 214), (275, 215), (275, 216), (275, 217), (275, 218), (275, 219), (275, 220), (275, 221), (275, 222), (275, 223), (275, 224), (275, 225), (275, 226), (275, 227), (275, 228), (275, 229), (275, 230), (275, 231), (275, 232), (275, 233), (275, 234), (275, 235), (275, 236), (275, 237), (275, 238), (275, 239), (275, 240), (275, 241), (275, 242), (275, 243), (275, 244),
(275, 245), (275, 246), (275, 247), (275, 248), (275, 249), (275, 250), (275, 251), (275, 252), (275, 253), (275, 254), (275, 255), (275, 256), (275, 257), (275, 258), (275, 259), (275, 260), (275, 261), (275, 262), (275, 263), (275, 264), (275, 265), (275, 266), (275, 267), (275, 268), (275, 269), (275, 270), (275, 271), (275, 272), (275, 273), (275, 274), (275, 275), (275, 276), (275, 277), (275, 278), (275, 279), (275, 280), (275, 281), (275, 282), (275, 283), (275, 284), (275, 285), (275, 286), (275, 287), (275, 288), (275, 289), (275, 290), (275, 291), (275, 292), (275, 293), (275, 294), (275, 295), (275, 296), (275, 297), (275, 298), (275, 299), (275, 300), (275, 301), (275, 302), (275, 303), (275, 304), (275, 305), (275, 306), (275, 307), (275, 308), (275, 309), (275, 310), (275, 311), (275, 312), (275, 313), (275, 314), (275, 315), (275, 316),
(275, 317), (275, 318), (275, 319), (275, 320), (275, 321), (275, 322), (275, 323), (275, 324), (275, 325), (275, 326), (276, 202), (276, 204), (276, 205), (276, 206), (276, 207), (276, 208), (276, 209), (276, 210), (276, 211), (276, 212), (276, 213), (276, 214), (276, 215), (276, 216), (276, 217), (276, 218), (276, 219), (276, 220), (276, 221), (276, 222), (276, 223), (276, 224), (276, 225), (276, 226), (276, 227), (276, 228), (276, 229), (276, 230), (276, 231), (276, 232), (276, 233), (276, 234), (276, 235), (276, 236), (276, 237), (276, 238), (276, 239), (276, 240), (276, 241), (276, 242), (276, 243), (276, 244), (276, 245), (276, 246), (276, 247), (276, 248), (276, 249), (276, 250), (276, 251), (276, 252), (276, 253), (276, 254), (276, 255), (276, 256), (276, 257), (276, 258), (276, 259), (276, 260), (276, 261), (276, 262), (276, 263), (276, 264),
(276, 265), (276, 266), (276, 267), (276, 268), (276, 269), (276, 270), (276, 271), (276, 272), (276, 273), (276, 274), (276, 275), (276, 276), (276, 277), (276, 278), (276, 279), (276, 280), (276, 281), (276, 282), (276, 283), (276, 284), (276, 285), (276, 286), (276, 287), (276, 288), (276, 289), (276, 290), (276, 291), (276, 292), (276, 293), (276, 294), (276, 295), (276, 296), (276, 297), (276, 298), (276, 299), (276, 300), (276, 301), (276, 302), (276, 303), (276, 304), (276, 305), (276, 306), (276, 307), (276, 308), (276, 309), (276, 310), (276, 311), (276, 312), (276, 313), (276, 314), (276, 315), (276, 316), (276, 317), (276, 318), (276, 319), (276, 320), (276, 321), (276, 322), (276, 323), (276, 324), (276, 326), (277, 201), (277, 203), (277, 204), (277, 205), (277, 206), (277, 207), (277, 208), (277, 209), (277, 210), (277, 211), (277, 212),
(277, 213), (277, 214), (277, 215), (277, 216), (277, 217), (277, 218), (277, 219), (277, 220), (277, 221), (277, 222), (277, 223), (277, 224), (277, 225), (277, 226), (277, 227), (277, 228), (277, 229), (277, 230), (277, 231), (277, 232), (277, 233), (277, 234), (277, 235), (277, 236), (277, 237), (277, 238), (277, 239), (277, 240), (277, 241), (277, 242), (277, 243), (277, 244), (277, 245), (277, 246), (277, 247), (277, 248), (277, 249), (277, 250), (277, 251), (277, 252), (277, 253), (277, 254), (277, 255), (277, 256), (277, 257), (277, 258), (277, 259), (277, 260), (277, 261), (277, 262), (277, 263), (277, 264), (277, 265), (277, 266), (277, 267), (277, 268), (277, 269), (277, 270), (277, 271), (277, 272), (277, 273), (277, 274), (277, 275), (277, 276), (277, 277), (277, 278), (277, 279), (277, 280), (277, 281), (277, 282), (277, 283), (277, 284),
(277, 285), (277, 286), (277, 287), (277, 288), (277, 289), (277, 290), (277, 291), (277, 292), (277, 293), (277, 294), (277, 295), (277, 296), (277, 297), (277, 298), (277, 299), (277, 300), (277, 301), (277, 302), (277, 303), (277, 304), (277, 305), (277, 306), (277, 307), (277, 308), (277, 309), (277, 310), (277, 311), (277, 312), (277, 313), (277, 314), (277, 315), (277, 316), (277, 317), (277, 318), (277, 319), (277, 320), (277, 321), (277, 322), (277, 323), (277, 325), (278, 201), (278, 203), (278, 204), (278, 205), (278, 206), (278, 207), (278, 208), (278, 209), (278, 210), (278, 211), (278, 212), (278, 213), (278, 214), (278, 215), (278, 216), (278, 217), (278, 218), (278, 219), (278, 220), (278, 221), (278, 222), (278, 223), (278, 224), (278, 225), (278, 226), (278, 227), (278, 228), (278, 229), (278, 230), (278, 231), (278, 232), (278, 233),
(278, 234), (278, 235), (278, 236), (278, 237), (278, 238), (278, 239), (278, 240), (278, 241), (278, 242), (278, 243), (278, 244), (278, 245), (278, 246), (278, 247), (278, 248), (278, 249), (278, 250), (278, 251), (278, 252), (278, 253), (278, 254), (278, 255), (278, 256), (278, 257), (278, 258), (278, 259), (278, 260), (278, 261), (278, 262), (278, 263), (278, 264), (278, 265), (278, 266), (278, 267), (278, 268), (278, 269), (278, 270), (278, 271), (278, 272), (278, 273), (278, 274), (278, 275), (278, 276), (278, 277), (278, 278), (278, 279), (278, 280), (278, 281), (278, 282), (278, 283), (278, 284), (278, 285), (278, 286), (278, 287), (278, 288), (278, 289), (278, 290), (278, 291), (278, 292), (278, 293), (278, 294), (278, 295), (278, 296), (278, 297), (278, 298), (278, 299), (278, 300), (278, 301), (278, 302), (278, 303), (278, 304), (278, 305),
(278, 306), (278, 307), (278, 308), (278, 309), (278, 310), (278, 311), (278, 312), (278, 313), (278, 314), (278, 315), (278, 316), (278, 317), (278, 318), (278, 319), (278, 320), (278, 321), (278, 322), (278, 323), (278, 325), (279, 200), (279, 202), (279, 203), (279, 204), (279, 205), (279, 206), (279, 207), (279, 208), (279, 209), (279, 210), (279, 211), (279, 212), (279, 213), (279, 214), (279, 215), (279, 216), (279, 217), (279, 218), (279, 219), (279, 220), (279, 221), (279, 222), (279, 223), (279, 224), (279, 225), (279, 226), (279, 227), (279, 228), (279, 229), (279, 230), (279, 231), (279, 232), (279, 233), (279, 234), (279, 235), (279, 236), (279, 237), (279, 238), (279, 239), (279, 240), (279, 241), (279, 242), (279, 243), (279, 244), (279, 245), (279, 246), (279, 247), (279, 248), (279, 249), (279, 250), (279, 251), (279, 252), (279, 253),
(279, 254), (279, 255), (279, 256), (279, 257), (279, 258), (279, 259), (279, 260), (279, 261), (279, 262), (279, 263), (279, 264), (279, 265), (279, 266), (279, 267), (279, 268), (279, 269), (279, 270), (279, 271), (279, 272), (279, 273), (279, 274), (279, 275), (279, 276), (279, 277), (279, 278), (279, 279), (279, 280), (279, 281), (279, 282), (279, 283), (279, 284), (279, 285), (279, 286), (279, 287), (279, 288), (279, 289), (279, 290), (279, 291), (279, 292), (279, 293), (279, 294), (279, 295), (279, 296), (279, 297), (279, 298), (279, 299), (279, 300), (279, 301), (279, 302), (279, 303), (279, 304), (279, 305), (279, 306), (279, 307), (279, 308), (279, 309), (279, 310), (279, 311), (279, 312), (279, 313), (279, 314), (279, 315), (279, 316), (279, 317), (279, 318), (279, 319), (279, 320), (279, 321), (279, 322), (279, 324), (280, 199), (280, 201),
(280, 202), (280, 203), (280, 204), (280, 205), (280, 206), (280, 207), (280, 208), (280, 209), (280, 210), (280, 211), (280, 212), (280, 213), (280, 214), (280, 215), (280, 216), (280, 217), (280, 218), (280, 219), (280, 220), (280, 221), (280, 222), (280, 223), (280, 224), (280, 225), (280, 226), (280, 227), (280, 228), (280, 229), (280, 230), (280, 231), (280, 232), (280, 233), (280, 234), (280, 235), (280, 236), (280, 237), (280, 238), (280, 239), (280, 240), (280, 241), (280, 242), (280, 243), (280, 244), (280, 245), (280, 246), (280, 247), (280, 248), (280, 249), (280, 250), (280, 251), (280, 252), (280, 253), (280, 254), (280, 255), (280, 256), (280, 257), (280, 258), (280, 259), (280, 260), (280, 261), (280, 262), (280, 263), (280, 264), (280, 265), (280, 266), (280, 267), (280, 268), (280, 269), (280, 270), (280, 271), (280, 272), (280, 273),
(280, 274), (280, 275), (280, 276), (280, 277), (280, 278), (280, 279), (280, 280), (280, 281), (280, 282), (280, 283), (280, 284), (280, 285), (280, 286), (280, 287), (280, 288), (280, 289), (280, 290), (280, 291), (280, 292), (280, 293), (280, 294), (280, 295), (280, 296), (280, 297), (280, 298), (280, 299), (280, 300), (280, 301), (280, 302), (280, 303), (280, 304), (280, 305), (280, 306), (280, 307), (280, 308), (280, 309), (280, 310), (280, 311), (280, 312), (280, 313), (280, 314), (280, 315), (280, 316), (280, 317), (280, 318), (280, 319), (280, 320), (280, 321), (280, 322), (280, 324), (281, 200), (281, 201), (281, 202), (281, 203), (281, 204), (281, 205), (281, 206), (281, 207), (281, 208), (281, 209), (281, 210), (281, 211), (281, 212), (281, 213), (281, 214), (281, 215), (281, 216), (281, 217), (281, 218), (281, 219), (281, 220), (281, 221),
(281, 222), (281, 223), (281, 224), (281, 225), (281, 226), (281, 227), (281, 228), (281, 229), (281, 230), (281, 231), (281, 232), (281, 233), (281, 234), (281, 235), (281, 236), (281, 237), (281, 238), (281, 239), (281, 240), (281, 241), (281, 242), (281, 243), (281, 244), (281, 245), (281, 246), (281, 247), (281, 248), (281, 249), (281, 250), (281, 251), (281, 252), (281, 253), (281, 254), (281, 255), (281, 256), (281, 257), (281, 258), (281, 259), (281, 260), (281, 261), (281, 262), (281, 263), (281, 264), (281, 265), (281, 266), (281, 267), (281, 268), (281, 269), (281, 270), (281, 271), (281, 272), (281, 273), (281, 274), (281, 275), (281, 276), (281, 277), (281, 278), (281, 279), (281, 280), (281, 281), (281, 282), (281, 283), (281, 284), (281, 285), (281, 286), (281, 287), (281, 288), (281, 289), (281, 290), (281, 291), (281, 292), (281, 293),
(281, 294), (281, 295), (281, 296), (281, 297), (281, 298), (281, 299), (281, 300), (281, 301), (281, 302), (281, 303), (281, 304), (281, 305), (281, 306), (281, 307), (281, 308), (281, 309), (281, 310), (281, 311), (281, 312), (281, 313), (281, 314), (281, 315), (281, 316), (281, 317), (281, 318), (281, 319), (281, 320), (281, 321), (281, 322), (281, 324), (282, 198), (282, 200), (282, 201), (282, 202), (282, 203), (282, 204), (282, 205), (282, 206), (282, 207), (282, 208), (282, 209), (282, 210), (282, 211), (282, 212), (282, 213), (282, 214), (282, 215), (282, 216), (282, 217), (282, 218), (282, 219), (282, 220), (282, 221), (282, 222), (282, 223), (282, 224), (282, 225), (282, 226), (282, 227), (282, 228), (282, 229), (282, 230), (282, 231), (282, 232), (282, 233), (282, 234), (282, 235), (282, 236), (282, 237), (282, 238), (282, 239), (282, 240),
(282, 241), (282, 242), (282, 243), (282, 244), (282, 245), (282, 246), (282, 247), (282, 248), (282, 249), (282, 250), (282, 251), (282, 252), (282, 253), (282, 254), (282, 255), (282, 256), (282, 257), (282, 258), (282, 259), (282, 260), (282, 261), (282, 262), (282, 263), (282, 264), (282, 265), (282, 266), (282, 267), (282, 268), (282, 269), (282, 270), (282, 271), (282, 272), (282, 273), (282, 274), (282, 275), (282, 276), (282, 277), (282, 278), (282, 279), (282, 280), (282, 281), (282, 282), (282, 283), (282, 284), (282, 285), (282, 286), (282, 287), (282, 288), (282, 289), (282, 290), (282, 291), (282, 292), (282, 293), (282, 294), (282, 295), (282, 296), (282, 297), (282, 298), (282, 299), (282, 300), (282, 301), (282, 302), (282, 303), (282, 304), (282, 305), (282, 306), (282, 307), (282, 308), (282, 309), (282, 310), (282, 311), (282, 312),
(282, 313), (282, 314), (282, 315), (282, 316), (282, 317), (282, 318), (282, 319), (282, 320), (282, 321), (282, 322), (282, 324), (283, 197), (283, 199), (283, 200), (283, 201), (283, 202), (283, 203), (283, 204), (283, 205), (283, 206), (283, 207), (283, 208), (283, 209), (283, 210), (283, 211), (283, 212), (283, 213), (283, 214), (283, 215), (283, 216), (283, 217), (283, 218), (283, 219), (283, 220), (283, 221), (283, 222), (283, 223), (283, 224), (283, 225), (283, 226), (283, 227), (283, 228), (283, 229), (283, 230), (283, 231), (283, 232), (283, 233), (283, 234), (283, 235), (283, 236), (283, 237), (283, 238), (283, 239), (283, 240), (283, 241), (283, 242), (283, 243), (283, 244), (283, 245), (283, 246), (283, 247), (283, 248), (283, 249), (283, 250), (283, 251), (283, 252), (283, 253), (283, 254), (283, 255), (283, 256), (283, 257), (283, 258),
(283, 259), (283, 260), (283, 261), (283, 262), (283, 263), (283, 264), (283, 265), (283, 266), (283, 267), (283, 268), (283, 269), (283, 270), (283, 271), (283, 272), (283, 273), (283, 274), (283, 275), (283, 276), (283, 277), (283, 278), (283, 279), (283, 280), (283, 281), (283, 282), (283, 283), (283, 284), (283, 285), (283, 286), (283, 287), (283, 288), (283, 289), (283, 290), (283, 291), (283, 292), (283, 293), (283, 294), (283, 295), (283, 296), (283, 297), (283, 298), (283, 299), (283, 300), (283, 301), (283, 302), (283, 303), (283, 304), (283, 305), (283, 306), (283, 307), (283, 308), (283, 309), (283, 310), (283, 311), (283, 312), (283, 313), (283, 314), (283, 315), (283, 316), (283, 317), (283, 318), (283, 319), (283, 320), (283, 321), (283, 322), (283, 324), (284, 196), (284, 198), (284, 199), (284, 200), (284, 201), (284, 202), (284, 203),
(284, 204), (284, 205), (284, 206), (284, 207), (284, 208), (284, 209), (284, 210), (284, 211), (284, 212), (284, 213), (284, 214), (284, 215), (284, 216), (284, 217), (284, 218), (284, 219), (284, 220), (284, 221), (284, 222), (284, 223), (284, 224), (284, 225), (284, 226), (284, 227), (284, 228), (284, 229), (284, 230), (284, 231), (284, 232), (284, 233), (284, 234), (284, 235), (284, 236), (284, 237), (284, 238), (284, 239), (284, 240), (284, 241), (284, 242), (284, 243), (284, 244), (284, 245), (284, 246), (284, 247), (284, 248), (284, 249), (284, 250), (284, 251), (284, 252), (284, 253), (284, 254), (284, 255), (284, 256), (284, 257), (284, 258), (284, 259), (284, 260), (284, 261), (284, 262), (284, 263), (284, 264), (284, 265), (284, 266), (284, 267), (284, 268), (284, 269), (284, 270), (284, 271), (284, 272), (284, 273), (284, 274), (284, 275),
(284, 276), (284, 277), (284, 278), (284, 279), (284, 280), (284, 281), (284, 282), (284, 283), (284, 284), (284, 285), (284, 286), (284, 287), (284, 288), (284, 289), (284, 290), (284, 291), (284, 292), (284, 293), (284, 294), (284, 295), (284, 296), (284, 297), (284, 298), (284, 299), (284, 300), (284, 301), (284, 302), (284, 303), (284, 304), (284, 305), (284, 306), (284, 307), (284, 308), (284, 309), (284, 310), (284, 311), (284, 312), (284, 313), (284, 314), (284, 315), (284, 316), (284, 317), (284, 318), (284, 319), (284, 320), (284, 321), (284, 322), (284, 324), (285, 195), (285, 197), (285, 198), (285, 199), (285, 200), (285, 201), (285, 202), (285, 203), (285, 204), (285, 205), (285, 206), (285, 207), (285, 208), (285, 209), (285, 210), (285, 211), (285, 212), (285, 213), (285, 214), (285, 215), (285, 216), (285, 217), (285, 218), (285, 219),
(285, 220), (285, 221), (285, 222), (285, 223), (285, 224), (285, 225), (285, 226), (285, 227), (285, 228), (285, 229), (285, 230), (285, 231), (285, 232), (285, 233), (285, 234), (285, 235), (285, 236), (285, 237), (285, 238), (285, 239), (285, 240), (285, 241), (285, 242), (285, 243), (285, 244), (285, 245), (285, 246), (285, 247), (285, 248), (285, 249), (285, 250), (285, 251), (285, 252), (285, 253), (285, 254), (285, 255), (285, 256), (285, 257), (285, 258), (285, 259), (285, 260), (285, 261), (285, 262), (285, 263), (285, 264), (285, 265), (285, 266), (285, 267), (285, 268), (285, 269), (285, 270), (285, 271), (285, 272), (285, 273), (285, 274), (285, 275), (285, 276), (285, 277), (285, 278), (285, 279), (285, 280), (285, 281), (285, 282), (285, 283), (285, 284), (285, 285), (285, 286), (285, 287), (285, 288), (285, 289), (285, 290), (285, 291),
(285, 292), (285, 293), (285, 294), (285, 295), (285, 296), (285, 297), (285, 298), (285, 299), (285, 300), (285, 301), (285, 302), (285, 303), (285, 304), (285, 305), (285, 306), (285, 307), (285, 308), (285, 309), (285, 310), (285, 311), (285, 312), (285, 313), (285, 314), (285, 315), (285, 316), (285, 317), (285, 318), (285, 319), (285, 320), (285, 321), (285, 322), (285, 324), (286, 194), (286, 196), (286, 197), (286, 198), (286, 199), (286, 200), (286, 201), (286, 202), (286, 203), (286, 204), (286, 205), (286, 206), (286, 207), (286, 208), (286, 209), (286, 210), (286, 211), (286, 212), (286, 213), (286, 214), (286, 215), (286, 216), (286, 217), (286, 218), (286, 219), (286, 220), (286, 221), (286, 222), (286, 223), (286, 224), (286, 225), (286, 226), (286, 227), (286, 228), (286, 229), (286, 230), (286, 231), (286, 232), (286, 233), (286, 234),
(286, 235), (286, 236), (286, 237), (286, 238), (286, 239), (286, 240), (286, 241), (286, 242), (286, 243), (286, 244), (286, 245), (286, 246), (286, 247), (286, 248), (286, 249), (286, 250), (286, 251), (286, 252), (286, 253), (286, 254), (286, 255), (286, 256), (286, 257), (286, 258), (286, 259), (286, 260), (286, 261), (286, 262), (286, 263), (286, 264), (286, 265), (286, 266), (286, 267), (286, 268), (286, 269), (286, 270), (286, 271), (286, 272), (286, 273), (286, 274), (286, 275), (286, 276), (286, 277), (286, 278), (286, 279), (286, 280), (286, 281), (286, 282), (286, 283), (286, 284), (286, 285), (286, 286), (286, 287), (286, 288), (286, 289), (286, 290), (286, 291), (286, 292), (286, 293), (286, 294), (286, 295), (286, 296), (286, 297), (286, 298), (286, 299), (286, 300), (286, 301), (286, 302), (286, 303), (286, 304), (286, 305), (286, 306),
(286, 307), (286, 308), (286, 309), (286, 310), (286, 311), (286, 312), (286, 313), (286, 314), (286, 315), (286, 316), (286, 317), (286, 318), (286, 319), (286, 320), (286, 321), (286, 322), (286, 323), (286, 324), (286, 325), (287, 194), (287, 196), (287, 197), (287, 198), (287, 199), (287, 200), (287, 201), (287, 202), (287, 203), (287, 204), (287, 205), (287, 206), (287, 207), (287, 208), (287, 209), (287, 210), (287, 211), (287, 212), (287, 213), (287, 214), (287, 215), (287, 216), (287, 217), (287, 218), (287, 219), (287, 220), (287, 221), (287, 222), (287, 223), (287, 224), (287, 225), (287, 226), (287, 227), (287, 228), (287, 229), (287, 230), (287, 231), (287, 232), (287, 233), (287, 234), (287, 235), (287, 236), (287, 237), (287, 238), (287, 239), (287, 240), (287, 241), (287, 242), (287, 243), (287, 244), (287, 245), (287, 246), (287, 247),
(287, 248), (287, 249), (287, 250), (287, 251), (287, 252), (287, 253), (287, 254), (287, 255), (287, 256), (287, 257), (287, 258), (287, 259), (287, 260), (287, 261), (287, 262), (287, 263), (287, 264), (287, 265), (287, 266), (287, 267), (287, 268), (287, 269), (287, 270), (287, 271), (287, 272), (287, 273), (287, 274), (287, 275), (287, 276), (287, 277), (287, 278), (287, 279), (287, 280), (287, 281), (287, 282), (287, 283), (287, 284), (287, 285), (287, 286), (287, 287), (287, 288), (287, 289), (287, 290), (287, 291), (287, 292), (287, 293), (287, 294), (287, 295), (287, 296), (287, 297), (287, 298), (287, 299), (287, 300), (287, 301), (287, 302), (287, 303), (287, 304), (287, 305), (287, 306), (287, 307), (287, 308), (287, 309), (287, 310), (287, 311), (287, 312), (287, 313), (287, 314), (287, 315), (287, 316), (287, 317), (287, 318), (287, 319),
(287, 320), (287, 321), (287, 322), (287, 323), (287, 324), (287, 325), (288, 193), (288, 195), (288, 196), (288, 197), (288, 198), (288, 199), (288, 200), (288, 201), (288, 202), (288, 203), (288, 204), (288, 205), (288, 206), (288, 207), (288, 208), (288, 209), (288, 210), (288, 211), (288, 212), (288, 213), (288, 214), (288, 215), (288, 216), (288, 217), (288, 218), (288, 219), (288, 220), (288, 221), (288, 222), (288, 223), (288, 224), (288, 225), (288, 226), (288, 227), (288, 228), (288, 229), (288, 230), (288, 231), (288, 232), (288, 233), (288, 234), (288, 235), (288, 236), (288, 237), (288, 238), (288, 239), (288, 240), (288, 241), (288, 242), (288, 243), (288, 244), (288, 245), (288, 246), (288, 247), (288, 248), (288, 249), (288, 250), (288, 251), (288, 252), (288, 253), (288, 254), (288, 255), (288, 256), (288, 257), (288, 258), (288, 259),
(288, 260), (288, 261), (288, 262), (288, 263), (288, 264), (288, 265), (288, 266), (288, 267), (288, 268), (288, 269), (288, 270), (288, 271), (288, 272), (288, 273), (288, 274), (288, 275), (288, 276), (288, 277), (288, 278), (288, 279), (288, 280), (288, 281), (288, 282), (288, 283), (288, 284), (288, 285), (288, 286), (288, 287), (288, 288), (288, 289), (288, 290), (288, 291), (288, 292), (288, 293), (288, 294), (288, 295), (288, 296), (288, 297), (288, 298), (288, 299), (288, 300), (288, 301), (288, 302), (288, 303), (288, 304), (288, 305), (288, 306), (288, 307), (288, 308), (288, 309), (288, 310), (288, 311), (288, 312), (288, 313), (288, 314), (288, 315), (288, 316), (288, 317), (288, 318), (288, 319), (288, 320), (288, 321), (288, 322), (288, 323), (288, 325), (289, 192), (289, 194), (289, 195), (289, 196), (289, 197), (289, 198), (289, 199),
(289, 200), (289, 201), (289, 202), (289, 203), (289, 204), (289, 205), (289, 206), (289, 207), (289, 208), (289, 209), (289, 210), (289, 211), (289, 212), (289, 213), (289, 214), (289, 215), (289, 216), (289, 217), (289, 218), (289, 219), (289, 220), (289, 221), (289, 222), (289, 223), (289, 224), (289, 225), (289, 226), (289, 227), (289, 228), (289, 229), (289, 230), (289, 231), (289, 232), (289, 233), (289, 234), (289, 235), (289, 236), (289, 237), (289, 238), (289, 239), (289, 240), (289, 241), (289, 242), (289, 243), (289, 244), (289, 245), (289, 246), (289, 247), (289, 248), (289, 249), (289, 250), (289, 251), (289, 252), (289, 253), (289, 254), (289, 255), (289, 256), (289, 257), (289, 258), (289, 259), (289, 260), (289, 261), (289, 262), (289, 263), (289, 264), (289, 265), (289, 266), (289, 267), (289, 268), (289, 269), (289, 270), (289, 271),
(289, 272), (289, 273), (289, 274), (289, 275), (289, 276), (289, 277), (289, 278), (289, 279), (289, 280), (289, 281), (289, 282), (289, 283), (289, 284), (289, 285), (289, 286), (289, 287), (289, 288), (289, 289), (289, 290), (289, 291), (289, 292), (289, 293), (289, 294), (289, 295), (289, 296), (289, 297), (289, 298), (289, 299), (289, 300), (289, 301), (289, 302), (289, 303), (289, 304), (289, 305), (289, 306), (289, 307), (289, 308), (289, 309), (289, 310), (289, 311), (289, 312), (289, 313), (289, 314), (289, 315), (289, 316), (289, 317), (289, 318), (289, 319), (289, 320), (289, 321), (289, 322), (289, 323), (289, 325), (290, 192), (290, 194), (290, 195), (290, 196), (290, 197), (290, 198), (290, 199), (290, 200), (290, 201), (290, 202), (290, 203), (290, 204), (290, 205), (290, 206), (290, 207), (290, 208), (290, 209), (290, 210), (290, 211),
(290, 212), (290, 213), (290, 214), (290, 215), (290, 216), (290, 217), (290, 218), (290, 219), (290, 220), (290, 221), (290, 222), (290, 223), (290, 224), (290, 225), (290, 226), (290, 227), (290, 228), (290, 229), (290, 230), (290, 231), (290, 232), (290, 233), (290, 234), (290, 235), (290, 236), (290, 237), (290, 238), (290, 239), (290, 240), (290, 241), (290, 242), (290, 243), (290, 244), (290, 245), (290, 246), (290, 247), (290, 248), (290, 249), (290, 250), (290, 251), (290, 252), (290, 253), (290, 254), (290, 255), (290, 256), (290, 257), (290, 258), (290, 259), (290, 260), (290, 261), (290, 262), (290, 263), (290, 264), (290, 265), (290, 266), (290, 267), (290, 268), (290, 269), (290, 270), (290, 271), (290, 272), (290, 273), (290, 274), (290, 275), (290, 276), (290, 277), (290, 278), (290, 279), (290, 280), (290, 281), (290, 282), (290, 283),
(290, 284), (290, 285), (290, 286), (290, 287), (290, 288), (290, 289), (290, 290), (290, 291), (290, 292), (290, 293), (290, 294), (290, 295), (290, 296), (290, 297), (290, 298), (290, 299), (290, 300), (290, 301), (290, 302), (290, 303), (290, 304), (290, 305), (290, 306), (290, 307), (290, 308), (290, 309), (290, 310), (290, 311), (290, 312), (290, 313), (290, 314), (290, 315), (290, 316), (290, 317), (290, 318), (290, 319), (290, 320), (290, 321), (290, 322), (290, 323), (290, 325), (291, 192), (291, 194), (291, 195), (291, 196), (291, 197), (291, 198), (291, 199), (291, 200), (291, 201), (291, 202), (291, 203), (291, 204), (291, 205), (291, 206), (291, 207), (291, 208), (291, 209), (291, 210), (291, 211), (291, 212), (291, 213), (291, 214), (291, 215), (291, 216), (291, 217), (291, 218), (291, 219), (291, 220), (291, 221), (291, 222), (291, 223),
(291, 224), (291, 225), (291, 226), (291, 227), (291, 228), (291, 229), (291, 230), (291, 231), (291, 232), (291, 233), (291, 234), (291, 235), (291, 236), (291, 237), (291, 238), (291, 239), (291, 240), (291, 241), (291, 242), (291, 243), (291, 244), (291, 245), (291, 246), (291, 247), (291, 248), (291, 249), (291, 250), (291, 251), (291, 252), (291, 253), (291, 254), (291, 255), (291, 256), (291, 257), (291, 258), (291, 259), (291, 260), (291, 261), (291, 262), (291, 263), (291, 264), (291, 265), (291, 266), (291, 267), (291, 268), (291, 269), (291, 270), (291, 271), (291, 272), (291, 273), (291, 274), (291, 275), (291, 276), (291, 277), (291, 278), (291, 279), (291, 280), (291, 281), (291, 282), (291, 283), (291, 284), (291, 285), (291, 286), (291, 287), (291, 288), (291, 289), (291, 290), (291, 291), (291, 292), (291, 293), (291, 294), (291, 295),
(291, 296), (291, 297), (291, 298), (291, 299), (291, 300), (291, 301), (291, 302), (291, 303), (291, 304), (291, 305), (291, 306), (291, 307), (291, 308), (291, 309), (291, 310), (291, 311), (291, 312), (291, 313), (291, 314), (291, 315), (291, 316), (291, 317), (291, 318), (291, 319), (291, 320), (291, 321), (291, 322), (291, 323), (291, 325), (292, 192), (292, 194), (292, 195), (292, 196), (292, 197), (292, 198), (292, 199), (292, 200), (292, 201), (292, 202), (292, 203), (292, 204), (292, 205), (292, 206), (292, 207), (292, 208), (292, 209), (292, 210), (292, 211), (292, 212), (292, 213), (292, 214), (292, 215), (292, 216), (292, 217), (292, 218), (292, 219), (292, 220), (292, 221), (292, 222), (292, 223), (292, 224), (292, 225), (292, 226), (292, 227), (292, 228), (292, 229), (292, 230), (292, 231), (292, 232), (292, 233), (292, 234), (292, 235),
(292, 236), (292, 237), (292, 238), (292, 239), (292, 240), (292, 241), (292, 242), (292, 243), (292, 244), (292, 245), (292, 246), (292, 247), (292, 248), (292, 249), (292, 250), (292, 251), (292, 252), (292, 253), (292, 254), (292, 255), (292, 256), (292, 257), (292, 258), (292, 259), (292, 260), (292, 261), (292, 262), (292, 263), (292, 264), (292, 265), (292, 266), (292, 267), (292, 268), (292, 269), (292, 270), (292, 271), (292, 272), (292, 273), (292, 274), (292, 275), (292, 276), (292, 277), (292, 278), (292, 279), (292, 280), (292, 281), (292, 282), (292, 283), (292, 284), (292, 285), (292, 286), (292, 287), (292, 288), (292, 289), (292, 290), (292, 291), (292, 292), (292, 293), (292, 294), (292, 295), (292, 296), (292, 297), (292, 298), (292, 299), (292, 300), (292, 301), (292, 302), (292, 303), (292, 304), (292, 305), (292, 306), (292, 307),
(292, 308), (292, 309), (292, 310), (292, 311), (292, 312), (292, 313), (292, 314), (292, 315), (292, 316), (292, 317), (292, 318), (292, 319), (292, 320), (292, 321), (292, 322), (292, 323), (292, 325), (293, 192), (293, 194), (293, 195), (293, 196), (293, 197), (293, 198), (293, 199), (293, 200), (293, 201), (293, 202), (293, 203), (293, 204), (293, 205), (293, 206), (293, 207), (293, 208), (293, 209), (293, 210), (293, 211), (293, 212), (293, 213), (293, 214), (293, 215), (293, 216), (293, 217), (293, 218), (293, 219), (293, 220), (293, 221), (293, 222), (293, 223), (293, 224), (293, 225), (293, 226), (293, 227), (293, 228), (293, 229), (293, 230), (293, 231), (293, 232), (293, 233), (293, 234), (293, 235), (293, 236), (293, 237), (293, 238), (293, 239), (293, 240), (293, 241), (293, 242), (293, 243), (293, 244), (293, 245), (293, 246), (293, 247),
(293, 248), (293, 249), (293, 250), (293, 251), (293, 252), (293, 253), (293, 254), (293, 255), (293, 256), (293, 257), (293, 258), (293, 259), (293, 260), (293, 261), (293, 262), (293, 263), (293, 264), (293, 265), (293, 266), (293, 267), (293, 268), (293, 269), (293, 270), (293, 271), (293, 272), (293, 273), (293, 274), (293, 275), (293, 276), (293, 277), (293, 278), (293, 279), (293, 280), (293, 281), (293, 282), (293, 283), (293, 284), (293, 285), (293, 286), (293, 287), (293, 288), (293, 289), (293, 290), (293, 291), (293, 292), (293, 293), (293, 294), (293, 295), (293, 296), (293, 297), (293, 298), (293, 299), (293, 300), (293, 301), (293, 302), (293, 303), (293, 304), (293, 305), (293, 306), (293, 307), (293, 308), (293, 309), (293, 310), (293, 311), (293, 312), (293, 313), (293, 314), (293, 315), (293, 316), (293, 317), (293, 318), (293, 319),
(293, 320), (293, 321), (293, 322), (293, 323), (293, 325), (294, 192), (294, 194), (294, 195), (294, 196), (294, 197), (294, 198), (294, 199), (294, 200), (294, 201), (294, 202), (294, 203), (294, 204), (294, 205), (294, 206), (294, 207), (294, 208), (294, 209), (294, 210), (294, 211), (294, 212), (294, 213), (294, 214), (294, 215), (294, 216), (294, 217), (294, 218), (294, 219), (294, 220), (294, 221), (294, 222), (294, 223), (294, 224), (294, 225), (294, 226), (294, 227), (294, 228), (294, 229), (294, 230), (294, 231), (294, 232), (294, 233), (294, 234), (294, 235), (294, 236), (294, 237), (294, 238), (294, 239), (294, 240), (294, 241), (294, 242), (294, 243), (294, 244), (294, 245), (294, 246), (294, 247), (294, 248), (294, 249), (294, 250), (294, 251), (294, 252), (294, 253), (294, 254), (294, 255), (294, 256), (294, 257), (294, 258), (294, 259),
(294, 260), (294, 261), (294, 262), (294, 263), (294, 264), (294, 265), (294, 266), (294, 267), (294, 268), (294, 269), (294, 270), (294, 271), (294, 272), (294, 273), (294, 274), (294, 275), (294, 276), (294, 277), (294, 278), (294, 279), (294, 280), (294, 281), (294, 282), (294, 283), (294, 284), (294, 285), (294, 286), (294, 287), (294, 288), (294, 289), (294, 290), (294, 291), (294, 292), (294, 293), (294, 294), (294, 295), (294, 296), (294, 297), (294, 298), (294, 299), (294, 300), (294, 301), (294, 302), (294, 303), (294, 304), (294, 305), (294, 306), (294, 307), (294, 308), (294, 309), (294, 310), (294, 311), (294, 312), (294, 313), (294, 314), (294, 315), (294, 316), (294, 317), (294, 318), (294, 319), (294, 320), (294, 321), (294, 322), (294, 323), (294, 325), (295, 192), (295, 194), (295, 195), (295, 196), (295, 197), (295, 198), (295, 199),
(295, 200), (295, 201), (295, 202), (295, 203), (295, 204), (295, 205), (295, 206), (295, 207), (295, 208), (295, 209), (295, 210), (295, 211), (295, 212), (295, 213), (295, 214), (295, 215), (295, 216), (295, 217), (295, 218), (295, 219), (295, 220), (295, 221), (295, 222), (295, 223), (295, 224), (295, 225), (295, 226), (295, 227), (295, 228), (295, 229), (295, 230), (295, 231), (295, 232), (295, 233), (295, 234), (295, 235), (295, 236), (295, 237), (295, 238), (295, 239), (295, 240), (295, 241), (295, 242), (295, 243), (295, 244), (295, 245), (295, 246), (295, 247), (295, 248), (295, 249), (295, 250), (295, 251), (295, 252), (295, 253), (295, 254), (295, 255), (295, 256), (295, 257), (295, 258), (295, 259), (295, 260), (295, 261), (295, 262), (295, 263), (295, 264), (295, 265), (295, 266), (295, 267), (295, 268), (295, 269), (295, 270), (295, 271),
(295, 272), (295, 273), (295, 274), (295, 275), (295, 276), (295, 277), (295, 278), (295, 279), (295, 280), (295, 281), (295, 282), (295, 283), (295, 284), (295, 285), (295, 286), (295, 287), (295, 288), (295, 289), (295, 290), (295, 291), (295, 292), (295, 293), (295, 294), (295, 295), (295, 296), (295, 297), (295, 298), (295, 299), (295, 300), (295, 301), (295, 302), (295, 303), (295, 304), (295, 305), (295, 306), (295, 307), (295, 308), (295, 309), (295, 310), (295, 311), (295, 312), (295, 313), (295, 314), (295, 315), (295, 316), (295, 317), (295, 318), (295, 319), (295, 320), (295, 321), (295, 322), (295, 323), (295, 324), (295, 325), (296, 192), (296, 194), (296, 195), (296, 196), (296, 197), (296, 198), (296, 199), (296, 200), (296, 201), (296, 202), (296, 203), (296, 204), (296, 205), (296, 206), (296, 207), (296, 208), (296, 209), (296, 210),
(296, 211), (296, 212), (296, 213), (296, 214), (296, 215), (296, 216), (296, 217), (296, 218), (296, 219), (296, 220), (296, 221), (296, 222), (296, 223), (296, 224), (296, 225), (296, 226), (296, 227), (296, 228), (296, 229), (296, 230), (296, 231), (296, 232), (296, 233), (296, 234), (296, 235), (296, 236), (296, 237), (296, 238), (296, 239), (296, 240), (296, 241), (296, 242), (296, 243), (296, 244), (296, 245), (296, 246), (296, 247), (296, 248), (296, 249), (296, 250), (296, 251), (296, 252), (296, 253), (296, 254), (296, 255), (296, 256), (296, 257), (296, 258), (296, 259), (296, 260), (296, 261), (296, 262), (296, 263), (296, 264), (296, 265), (296, 266), (296, 267), (296, 268), (296, 269), (296, 270), (296, 271), (296, 272), (296, 273), (296, 274), (296, 275), (296, 276), (296, 277), (296, 278), (296, 279), (296, 280), (296, 281), (296, 282),
(296, 283), (296, 284), (296, 285), (296, 286), (296, 287), (296, 288), (296, 289), (296, 290), (296, 291), (296, 292), (296, 293), (296, 294), (296, 295), (296, 296), (296, 297), (296, 298), (296, 299), (296, 300), (296, 301), (296, 302), (296, 303), (296, 304), (296, 305), (296, 306), (296, 307), (296, 308), (296, 309), (296, 310), (296, 311), (296, 312), (296, 313), (296, 314), (296, 315), (296, 316), (296, 317), (296, 318), (296, 319), (296, 320), (296, 321), (296, 322), (296, 324), (297, 192), (297, 194), (297, 195), (297, 196), (297, 197), (297, 198), (297, 199), (297, 200), (297, 201), (297, 202), (297, 203), (297, 204), (297, 205), (297, 206), (297, 207), (297, 208), (297, 209), (297, 210), (297, 211), (297, 212), (297, 213), (297, 214), (297, 215), (297, 216), (297, 217), (297, 218), (297, 219), (297, 220), (297, 221), (297, 222), (297, 223),
(297, 224), (297, 225), (297, 226), (297, 227), (297, 228), (297, 229), (297, 230), (297, 231), (297, 232), (297, 233), (297, 234), (297, 235), (297, 236), (297, 237), (297, 238), (297, 239), (297, 240), (297, 241), (297, 242), (297, 243), (297, 244), (297, 245), (297, 246), (297, 247), (297, 248), (297, 249), (297, 250), (297, 251), (297, 252), (297, 253), (297, 254), (297, 255), (297, 256), (297, 257), (297, 258), (297, 259), (297, 260), (297, 261), (297, 262), (297, 263), (297, 264), (297, 265), (297, 266), (297, 267), (297, 268), (297, 269), (297, 270), (297, 271), (297, 272), (297, 273), (297, 274), (297, 275), (297, 276), (297, 277), (297, 278), (297, 279), (297, 280), (297, 281), (297, 282), (297, 283), (297, 284), (297, 285), (297, 286), (297, 287), (297, 288), (297, 289), (297, 290), (297, 291), (297, 292), (297, 293), (297, 294), (297, 295),
(297, 296), (297, 297), (297, 298), (297, 299), (297, 300), (297, 301), (297, 302), (297, 303), (297, 304), (297, 305), (297, 306), (297, 307), (297, 308), (297, 309), (297, 310), (297, 311), (297, 312), (297, 313), (297, 314), (297, 315), (297, 316), (297, 317), (297, 318), (297, 319), (297, 320), (297, 321), (297, 322), (297, 324), (298, 192), (298, 194), (298, 195), (298, 196), (298, 197), (298, 198), (298, 199), (298, 200), (298, 201), (298, 202), (298, 203), (298, 204), (298, 205), (298, 206), (298, 207), (298, 208), (298, 209), (298, 210), (298, 211), (298, 212), (298, 213), (298, 214), (298, 215), (298, 216), (298, 217), (298, 218), (298, 219), (298, 220), (298, 221), (298, 222), (298, 223), (298, 224), (298, 225), (298, 226), (298, 227), (298, 228), (298, 229), (298, 230), (298, 231), (298, 232), (298, 233), (298, 234), (298, 235), (298, 236),
(298, 237), (298, 238), (298, 239), (298, 240), (298, 241), (298, 242), (298, 243), (298, 244), (298, 245), (298, 246), (298, 247), (298, 248), (298, 249), (298, 250), (298, 251), (298, 252), (298, 253), (298, 254), (298, 255), (298, 256), (298, 257), (298, 258), (298, 259), (298, 260), (298, 261), (298, 262), (298, 263), (298, 264), (298, 265), (298, 266), (298, 267), (298, 268), (298, 269), (298, 270), (298, 271), (298, 272), (298, 273), (298, 274), (298, 275), (298, 276), (298, 277), (298, 278), (298, 279), (298, 280), (298, 281), (298, 282), (298, 283), (298, 284), (298, 285), (298, 286), (298, 287), (298, 288), (298, 289), (298, 290), (298, 291), (298, 292), (298, 293), (298, 294), (298, 295), (298, 296), (298, 297), (298, 298), (298, 299), (298, 300), (298, 301), (298, 302), (298, 303), (298, 304), (298, 305), (298, 306), (298, 307), (298, 308),
(298, 309), (298, 310), (298, 311), (298, 312), (298, 313), (298, 314), (298, 315), (298, 316), (298, 317), (298, 318), (298, 319), (298, 320), (298, 321), (298, 322), (298, 324), (299, 192), (299, 194), (299, 195), (299, 196), (299, 197), (299, 198), (299, 199), (299, 200), (299, 201), (299, 202), (299, 203), (299, 204), (299, 205), (299, 206), (299, 207), (299, 208), (299, 209), (299, 210), (299, 211), (299, 212), (299, 213), (299, 214), (299, 215), (299, 216), (299, 217), (299, 218), (299, 219), (299, 220), (299, 221), (299, 222), (299, 223), (299, 224), (299, 225), (299, 226), (299, 227), (299, 228), (299, 229), (299, 230), (299, 231), (299, 232), (299, 233), (299, 234), (299, 235), (299, 236), (299, 237), (299, 238), (299, 239), (299, 240), (299, 241), (299, 242), (299, 243), (299, 244), (299, 245), (299, 246), (299, 247), (299, 248), (299, 249),
(299, 250), (299, 251), (299, 252), (299, 253), (299, 254), (299, 255), (299, 256), (299, 257), (299, 258), (299, 259), (299, 260), (299, 261), (299, 262), (299, 263), (299, 264), (299, 265), (299, 266), (299, 267), (299, 268), (299, 269), (299, 270), (299, 271), (299, 272), (299, 273), (299, 274), (299, 275), (299, 276), (299, 277), (299, 278), (299, 279), (299, 280), (299, 281), (299, 282), (299, 283), (299, 284), (299, 285), (299, 286), (299, 287), (299, 288), (299, 289), (299, 290), (299, 291), (299, 292), (299, 293), (299, 294), (299, 295), (299, 296), (299, 297), (299, 298), (299, 299), (299, 300), (299, 301), (299, 302), (299, 303), (299, 304), (299, 305), (299, 306), (299, 307), (299, 308), (299, 309), (299, 310), (299, 311), (299, 312), (299, 313), (299, 314), (299, 315), (299, 316), (299, 317), (299, 318), (299, 319), (299, 320), (299, 321),
(299, 322), (299, 324), (300, 192), (300, 194), (300, 195), (300, 196), (300, 197), (300, 198), (300, 199), (300, 200), (300, 201), (300, 202), (300, 203), (300, 204), (300, 205), (300, 206), (300, 207), (300, 208), (300, 209), (300, 210), (300, 211), (300, 212), (300, 213), (300, 214), (300, 215), (300, 216), (300, 217), (300, 218), (300, 219), (300, 220), (300, 221), (300, 222), (300, 223), (300, 224), (300, 225), (300, 226), (300, 227), (300, 228), (300, 229), (300, 230), (300, 231), (300, 232), (300, 233), (300, 234), (300, 235), (300, 236), (300, 237), (300, 238), (300, 239), (300, 240), (300, 241), (300, 242), (300, 243), (300, 244), (300, 245), (300, 246), (300, 247), (300, 248), (300, 249), (300, 250), (300, 251), (300, 252), (300, 253), (300, 254), (300, 255), (300, 256), (300, 257), (300, 258), (300, 259), (300, 260), (300, 261), (300, 262),
(300, 263), (300, 264), (300, 265), (300, 266), (300, 267), (300, 268), (300, 269), (300, 270), (300, 271), (300, 272), (300, 273), (300, 274), (300, 275), (300, 276), (300, 277), (300, 278), (300, 279), (300, 280), (300, 281), (300, 282), (300, 283), (300, 284), (300, 285), (300, 286), (300, 287), (300, 288), (300, 289), (300, 290), (300, 291), (300, 292), (300, 293), (300, 294), (300, 295), (300, 296), (300, 297), (300, 298), (300, 299), (300, 300), (300, 301), (300, 302), (300, 303), (300, 304), (300, 305), (300, 306), (300, 307), (300, 308), (300, 309), (300, 310), (300, 311), (300, 312), (300, 313), (300, 314), (300, 315), (300, 316), (300, 317), (300, 318), (300, 319), (300, 320), (300, 321), (300, 322), (300, 324), (301, 192), (301, 194), (301, 195), (301, 196), (301, 197), (301, 198), (301, 199), (301, 200), (301, 201), (301, 202), (301, 203),
(301, 204), (301, 205), (301, 206), (301, 207), (301, 208), (301, 209), (301, 210), (301, 211), (301, 212), (301, 213), (301, 214), (301, 215), (301, 216), (301, 217), (301, 218), (301, 219), (301, 220), (301, 221), (301, 222), (301, 223), (301, 224), (301, 225), (301, 226), (301, 227), (301, 228), (301, 229), (301, 230), (301, 231), (301, 232), (301, 233), (301, 234), (301, 235), (301, 236), (301, 237), (301, 238), (301, 239), (301, 240), (301, 241), (301, 242), (301, 243), (301, 244), (301, 245), (301, 246), (301, 247), (301, 248), (301, 249), (301, 250), (301, 251), (301, 252), (301, 253), (301, 254), (301, 255), (301, 256), (301, 257), (301, 258), (301, 259), (301, 260), (301, 261), (301, 262), (301, 263), (301, 264), (301, 265), (301, 266), (301, 267), (301, 268), (301, 269), (301, 270), (301, 271), (301, 272), (301, 273), (301, 274), (301, 275),
(301, 276), (301, 277), (301, 278), (301, 279), (301, 280), (301, 281), (301, 282), (301, 283), (301, 284), (301, 285), (301, 286), (301, 287), (301, 288), (301, 289), (301, 290), (301, 291), (301, 292), (301, 293), (301, 294), (301, 295), (301, 296), (301, 297), (301, 298), (301, 299), (301, 300), (301, 301), (301, 302), (301, 303), (301, 304), (301, 305), (301, 306), (301, 307), (301, 308), (301, 309), (301, 310), (301, 311), (301, 312), (301, 313), (301, 314), (301, 315), (301, 316), (301, 317), (301, 318), (301, 319), (301, 320), (301, 321), (301, 322), (301, 324), (302, 192), (302, 194), (302, 195), (302, 196), (302, 197), (302, 198), (302, 199), (302, 200), (302, 201), (302, 202), (302, 203), (302, 204), (302, 205), (302, 206), (302, 207), (302, 208), (302, 209), (302, 210), (302, 211), (302, 212), (302, 213), (302, 214), (302, 215), (302, 216),
(302, 217), (302, 218), (302, 219), (302, 220), (302, 221), (302, 222), (302, 223), (302, 224), (302, 225), (302, 226), (302, 227), (302, 228), (302, 229), (302, 230), (302, 231), (302, 232), (302, 233), (302, 234), (302, 235), (302, 236), (302, 237), (302, 238), (302, 239), (302, 240), (302, 241), (302, 242), (302, 243), (302, 244), (302, 245), (302, 246), (302, 247), (302, 248), (302, 249), (302, 250), (302, 251), (302, 252), (302, 253), (302, 254), (302, 255), (302, 256), (302, 257), (302, 258), (302, 259), (302, 260), (302, 261), (302, 262), (302, 263), (302, 264), (302, 265), (302, 266), (302, 267), (302, 268), (302, 269), (302, 270), (302, 271), (302, 272), (302, 273), (302, 274), (302, 275), (302, 276), (302, 277), (302, 278), (302, 279), (302, 280), (302, 281), (302, 282), (302, 283), (302, 284), (302, 285), (302, 286), (302, 287), (302, 288),
(302, 289), (302, 290), (302, 291), (302, 292), (302, 293), (302, 294), (302, 295), (302, 296), (302, 297), (302, 298), (302, 299), (302, 300), (302, 301), (302, 302), (302, 303), (302, 304), (302, 305), (302, 306), (302, 307), (302, 308), (302, 309), (302, 310), (302, 311), (302, 312), (302, 313), (302, 314), (302, 315), (302, 316), (302, 317), (302, 318), (302, 319), (302, 320), (302, 321), (302, 323), (303, 192), (303, 194), (303, 195), (303, 196), (303, 197), (303, 198), (303, 199), (303, 200), (303, 201), (303, 202), (303, 203), (303, 204), (303, 205), (303, 206), (303, 207), (303, 208), (303, 209), (303, 210), (303, 211), (303, 212), (303, 213), (303, 214), (303, 215), (303, 216), (303, 217), (303, 218), (303, 219), (303, 220), (303, 221), (303, 222), (303, 223), (303, 224), (303, 225), (303, 226), (303, 227), (303, 228), (303, 229), (303, 230),
(303, 231), (303, 232), (303, 233), (303, 234), (303, 235), (303, 236), (303, 237), (303, 238), (303, 239), (303, 240), (303, 241), (303, 242), (303, 243), (303, 244), (303, 245), (303, 246), (303, 247), (303, 248), (303, 249), (303, 250), (303, 251), (303, 252), (303, 253), (303, 254), (303, 255), (303, 256), (303, 257), (303, 258), (303, 259), (303, 260), (303, 261), (303, 262), (303, 263), (303, 264), (303, 265), (303, 266), (303, 267), (303, 268), (303, 269), (303, 270), (303, 271), (303, 272), (303, 273), (303, 274), (303, 275), (303, 276), (303, 277), (303, 278), (303, 279), (303, 280), (303, 281), (303, 282), (303, 283), (303, 284), (303, 285), (303, 286), (303, 287), (303, 288), (303, 289), (303, 290), (303, 291), (303, 292), (303, 293), (303, 294), (303, 295), (303, 296), (303, 297), (303, 298), (303, 299), (303, 300), (303, 301), (303, 302),
(303, 303), (303, 304), (303, 305), (303, 306), (303, 307), (303, 308), (303, 309), (303, 310), (303, 311), (303, 312), (303, 313), (303, 314), (303, 315), (303, 316), (303, 317), (303, 318), (303, 319), (303, 320), (303, 321), (303, 323), (304, 192), (304, 194), (304, 195), (304, 196), (304, 197), (304, 198), (304, 199), (304, 200), (304, 201), (304, 202), (304, 203), (304, 204), (304, 205), (304, 206), (304, 207), (304, 208), (304, 209), (304, 210), (304, 211), (304, 212), (304, 213), (304, 214), (304, 215), (304, 216), (304, 217), (304, 218), (304, 219), (304, 220), (304, 221), (304, 222), (304, 223), (304, 224), (304, 225), (304, 226), (304, 227), (304, 228), (304, 229), (304, 230), (304, 231), (304, 232), (304, 233), (304, 234), (304, 235), (304, 236), (304, 237), (304, 238), (304, 239), (304, 240), (304, 241), (304, 242), (304, 243), (304, 244),
(304, 245), (304, 246), (304, 247), (304, 248), (304, 249), (304, 250), (304, 251), (304, 252), (304, 253), (304, 254), (304, 255), (304, 256), (304, 257), (304, 258), (304, 259), (304, 260), (304, 261), (304, 262), (304, 263), (304, 264), (304, 265), (304, 266), (304, 267), (304, 268), (304, 269), (304, 270), (304, 271), (304, 272), (304, 273), (304, 274), (304, 275), (304, 276), (304, 277), (304, 278), (304, 279), (304, 280), (304, 281), (304, 282), (304, 283), (304, 284), (304, 285), (304, 286), (304, 287), (304, 288), (304, 289), (304, 290), (304, 291), (304, 292), (304, 293), (304, 294), (304, 295), (304, 296), (304, 297), (304, 298), (304, 299), (304, 300), (304, 301), (304, 302), (304, 303), (304, 304), (304, 305), (304, 306), (304, 307), (304, 308), (304, 309), (304, 310), (304, 311), (304, 312), (304, 313), (304, 314), (304, 315), (304, 316),
(304, 317), (304, 318), (304, 319), (304, 320), (304, 321), (304, 323), (305, 192), (305, 194), (305, 195), (305, 196), (305, 197), (305, 198), (305, 199), (305, 200), (305, 201), (305, 202), (305, 203), (305, 204), (305, 205), (305, 206), (305, 207), (305, 208), (305, 209), (305, 210), (305, 211), (305, 212), (305, 213), (305, 214), (305, 215), (305, 216), (305, 217), (305, 218), (305, 219), (305, 220), (305, 221), (305, 222), (305, 223), (305, 224), (305, 225), (305, 226), (305, 227), (305, 228), (305, 229), (305, 230), (305, 231), (305, 232), (305, 233), (305, 234), (305, 235), (305, 236), (305, 237), (305, 238), (305, 239), (305, 240), (305, 241), (305, 242), (305, 243), (305, 244), (305, 245), (305, 246), (305, 247), (305, 248), (305, 249), (305, 250), (305, 251), (305, 252), (305, 253), (305, 254), (305, 255), (305, 256), (305, 257), (305, 258),
(305, 259), (305, 260), (305, 261), (305, 262), (305, 263), (305, 264), (305, 265), (305, 266), (305, 267), (305, 268), (305, 269), (305, 270), (305, 271), (305, 272), (305, 273), (305, 274), (305, 275), (305, 276), (305, 277), (305, 278), (305, 279), (305, 280), (305, 281), (305, 282), (305, 283), (305, 284), (305, 285), (305, 286), (305, 287), (305, 288), (305, 289), (305, 290), (305, 291), (305, 292), (305, 293), (305, 294), (305, 295), (305, 296), (305, 297), (305, 298), (305, 299), (305, 300), (305, 301), (305, 302), (305, 303), (305, 304), (305, 305), (305, 306), (305, 307), (305, 308), (305, 309), (305, 310), (305, 311), (305, 312), (305, 313), (305, 314), (305, 315), (305, 316), (305, 317), (305, 318), (305, 319), (305, 320), (305, 322), (306, 192), (306, 194), (306, 195), (306, 196), (306, 197), (306, 198), (306, 199), (306, 200), (306, 201),
(306, 202), (306, 203), (306, 204), (306, 205), (306, 206), (306, 207), (306, 208), (306, 209), (306, 210), (306, 211), (306, 212), (306, 213), (306, 214), (306, 215), (306, 216), (306, 217), (306, 218), (306, 219), (306, 220), (306, 221), (306, 222), (306, 223), (306, 224), (306, 225), (306, 226), (306, 227), (306, 228), (306, 229), (306, 230), (306, 231), (306, 232), (306, 233), (306, 234), (306, 235), (306, 236), (306, 237), (306, 238), (306, 239), (306, 240), (306, 241), (306, 242), (306, 243), (306, 244), (306, 245), (306, 246), (306, 247), (306, 248), (306, 249), (306, 250), (306, 251), (306, 252), (306, 253), (306, 254), (306, 255), (306, 256), (306, 257), (306, 258), (306, 259), (306, 260), (306, 261), (306, 262), (306, 263), (306, 264), (306, 265), (306, 266), (306, 267), (306, 268), (306, 269), (306, 270), (306, 271), (306, 272), (306, 273),
(306, 274), (306, 275), (306, 276), (306, 277), (306, 278), (306, 279), (306, 280), (306, 281), (306, 282), (306, 283), (306, 284), (306, 285), (306, 286), (306, 287), (306, 288), (306, 289), (306, 290), (306, 291), (306, 292), (306, 293), (306, 294), (306, 295), (306, 296), (306, 297), (306, 298), (306, 299), (306, 300), (306, 301), (306, 302), (306, 303), (306, 304), (306, 305), (306, 306), (306, 307), (306, 308), (306, 309), (306, 310), (306, 311), (306, 312), (306, 313), (306, 314), (306, 315), (306, 316), (306, 317), (306, 318), (306, 319), (306, 320), (306, 322), (307, 192), (307, 194), (307, 195), (307, 196), (307, 197), (307, 198), (307, 199), (307, 200), (307, 201), (307, 202), (307, 203), (307, 204), (307, 205), (307, 206), (307, 207), (307, 208), (307, 209), (307, 210), (307, 211), (307, 212), (307, 213), (307, 214), (307, 215), (307, 216),
(307, 217), (307, 218), (307, 219), (307, 220), (307, 221), (307, 222), (307, 223), (307, 224), (307, 225), (307, 226), (307, 227), (307, 228), (307, 229), (307, 230), (307, 231), (307, 232), (307, 233), (307, 234), (307, 235), (307, 236), (307, 237), (307, 238), (307, 239), (307, 240), (307, 241), (307, 242), (307, 243), (307, 244), (307, 245), (307, 246), (307, 247), (307, 248), (307, 249), (307, 250), (307, 251), (307, 252), (307, 253), (307, 254), (307, 255), (307, 256), (307, 257), (307, 258), (307, 259), (307, 260), (307, 261), (307, 262), (307, 263), (307, 264), (307, 265), (307, 266), (307, 267), (307, 268), (307, 269), (307, 270), (307, 271), (307, 272), (307, 273), (307, 274), (307, 275), (307, 276), (307, 277), (307, 278), (307, 279), (307, 280), (307, 281), (307, 282), (307, 283), (307, 284), (307, 285), (307, 286), (307, 287), (307, 288),
(307, 289), (307, 290), (307, 291), (307, 292), (307, 293), (307, 294), (307, 295), (307, 296), (307, 297), (307, 298), (307, 299), (307, 300), (307, 301), (307, 302), (307, 303), (307, 304), (307, 305), (307, 306), (307, 307), (307, 308), (307, 309), (307, 310), (307, 311), (307, 312), (307, 313), (307, 314), (307, 315), (307, 316), (307, 317), (307, 318), (307, 319), (307, 321), (308, 192), (308, 194), (308, 195), (308, 196), (308, 197), (308, 198), (308, 199), (308, 200), (308, 201), (308, 202), (308, 203), (308, 204), (308, 205), (308, 206), (308, 207), (308, 208), (308, 209), (308, 210), (308, 211), (308, 212), (308, 213), (308, 214), (308, 215), (308, 216), (308, 217), (308, 218), (308, 219), (308, 220), (308, 221), (308, 222), (308, 223), (308, 224), (308, 225), (308, 226), (308, 227), (308, 228), (308, 229), (308, 230), (308, 231), (308, 232),
(308, 233), (308, 234), (308, 235), (308, 236), (308, 237), (308, 238), (308, 239), (308, 240), (308, 241), (308, 242), (308, 243), (308, 244), (308, 245), (308, 246), (308, 247), (308, 248), (308, 249), (308, 250), (308, 251), (308, 252), (308, 253), (308, 254), (308, 255), (308, 256), (308, 257), (308, 258), (308, 259), (308, 260), (308, 261), (308, 262), (308, 263), (308, 264), (308, 265), (308, 266), (308, 267), (308, 268), (308, 269), (308, 270), (308, 271), (308, 272), (308, 273), (308, 274), (308, 275), (308, 276), (308, 277), (308, 278), (308, 279), (308, 280), (308, 281), (308, 282), (308, 283), (308, 284), (308, 285), (308, 286), (308, 287), (308, 288), (308, 289), (308, 290), (308, 291), (308, 292), (308, 293), (308, 294), (308, 295), (308, 296), (308, 297), (308, 298), (308, 299), (308, 300), (308, 301), (308, 302), (308, 303), (308, 304),
(308, 305), (308, 306), (308, 307), (308, 308), (308, 309), (308, 310), (308, 311), (308, 312), (308, 313), (308, 314), (308, 315), (308, 316), (308, 317), (308, 318), (308, 319), (308, 321), (309, 192), (309, 194), (309, 195), (309, 196), (309, 197), (309, 198), (309, 199), (309, 200), (309, 201), (309, 202), (309, 203), (309, 204), (309, 205), (309, 206), (309, 207), (309, 208), (309, 209), (309, 210), (309, 211), (309, 212), (309, 213), (309, 214), (309, 215), (309, 216), (309, 217), (309, 218), (309, 219), (309, 220), (309, 221), (309, 222), (309, 223), (309, 224), (309, 225), (309, 226), (309, 227), (309, 228), (309, 229), (309, 230), (309, 231), (309, 232), (309, 233), (309, 234), (309, 235), (309, 236), (309, 237), (309, 238), (309, 239), (309, 240), (309, 241), (309, 242), (309, 243), (309, 244), (309, 245), (309, 246), (309, 247), (309, 248),
(309, 249), (309, 250), (309, 251), (309, 252), (309, 253), (309, 254), (309, 255), (309, 256), (309, 257), (309, 258), (309, 259), (309, 260), (309, 261), (309, 262), (309, 263), (309, 264), (309, 265), (309, 266), (309, 267), (309, 268), (309, 269), (309, 270), (309, 271), (309, 272), (309, 273), (309, 274), (309, 275), (309, 276), (309, 277), (309, 278), (309, 279), (309, 280), (309, 281), (309, 282), (309, 283), (309, 284), (309, 285), (309, 286), (309, 287), (309, 288), (309, 289), (309, 290), (309, 291), (309, 292), (309, 293), (309, 294), (309, 295), (309, 296), (309, 297), (309, 298), (309, 299), (309, 300), (309, 301), (309, 302), (309, 303), (309, 304), (309, 305), (309, 306), (309, 307), (309, 308), (309, 309), (309, 310), (309, 311), (309, 312), (309, 313), (309, 314), (309, 315), (309, 316), (309, 317), (309, 318), (309, 319), (309, 321),
(310, 192), (310, 194), (310, 195), (310, 196), (310, 197), (310, 198), (310, 199), (310, 200), (310, 201), (310, 202), (310, 203), (310, 204), (310, 205), (310, 206), (310, 207), (310, 208), (310, 209), (310, 210), (310, 211), (310, 212), (310, 213), (310, 214), (310, 215), (310, 216), (310, 217), (310, 218), (310, 219), (310, 220), (310, 221), (310, 222), (310, 223), (310, 224), (310, 225), (310, 226), (310, 227), (310, 228), (310, 229), (310, 230), (310, 231), (310, 232), (310, 233), (310, 234), (310, 235), (310, 236), (310, 237), (310, 238), (310, 239), (310, 240), (310, 241), (310, 242), (310, 243), (310, 244), (310, 245), (310, 246), (310, 247), (310, 248), (310, 249), (310, 250), (310, 251), (310, 252), (310, 253), (310, 254), (310, 255), (310, 256), (310, 257), (310, 258), (310, 259), (310, 260), (310, 261), (310, 262), (310, 263), (310, 264),
(310, 265), (310, 266), (310, 267), (310, 268), (310, 269), (310, 270), (310, 271), (310, 272), (310, 273), (310, 274), (310, 275), (310, 276), (310, 277), (310, 278), (310, 279), (310, 280), (310, 281), (310, 282), (310, 283), (310, 284), (310, 285), (310, 286), (310, 287), (310, 288), (310, 289), (310, 290), (310, 291), (310, 292), (310, 293), (310, 294), (310, 295), (310, 296), (310, 297), (310, 298), (310, 299), (310, 300), (310, 301), (310, 302), (310, 303), (310, 304), (310, 305), (310, 306), (310, 307), (310, 308), (310, 309), (310, 310), (310, 311), (310, 312), (310, 313), (310, 314), (310, 315), (310, 316), (310, 317), (310, 318), (310, 320), (311, 192), (311, 194), (311, 195), (311, 196), (311, 197), (311, 198), (311, 199), (311, 200), (311, 201), (311, 202), (311, 203), (311, 204), (311, 205), (311, 206), (311, 207), (311, 208), (311, 209),
(311, 210), (311, 211), (311, 212), (311, 213), (311, 214), (311, 215), (311, 216), (311, 217), (311, 218), (311, 219), (311, 220), (311, 221), (311, 222), (311, 223), (311, 224), (311, 225), (311, 226), (311, 227), (311, 228), (311, 229), (311, 230), (311, 231), (311, 232), (311, 233), (311, 234), (311, 235), (311, 236), (311, 237), (311, 238), (311, 239), (311, 240), (311, 241), (311, 242), (311, 243), (311, 244), (311, 245), (311, 246), (311, 247), (311, 248), (311, 249), (311, 250), (311, 251), (311, 252), (311, 253), (311, 254), (311, 255), (311, 256), (311, 257), (311, 258), (311, 259), (311, 260), (311, 261), (311, 262), (311, 263), (311, 264), (311, 265), (311, 266), (311, 267), (311, 268), (311, 269), (311, 270), (311, 271), (311, 272), (311, 273), (311, 274), (311, 275), (311, 276), (311, 277), (311, 278), (311, 279), (311, 280), (311, 281),
(311, 282), (311, 283), (311, 284), (311, 285), (311, 286), (311, 287), (311, 288), (311, 289), (311, 290), (311, 291), (311, 292), (311, 293), (311, 294), (311, 295), (311, 296), (311, 297), (311, 298), (311, 299), (311, 300), (311, 301), (311, 302), (311, 303), (311, 304), (311, 305), (311, 306), (311, 307), (311, 308), (311, 309), (311, 310), (311, 311), (311, 312), (311, 313), (311, 314), (311, 315), (311, 316), (311, 317), (311, 318), (311, 320), (312, 192), (312, 194), (312, 195), (312, 196), (312, 197), (312, 198), (312, 199), (312, 200), (312, 201), (312, 202), (312, 203), (312, 204), (312, 205), (312, 206), (312, 207), (312, 208), (312, 209), (312, 210), (312, 211), (312, 212), (312, 213), (312, 214), (312, 215), (312, 216), (312, 217), (312, 218), (312, 219), (312, 220), (312, 221), (312, 222), (312, 223), (312, 224), (312, 225), (312, 226),
(312, 227), (312, 228), (312, 229), (312, 230), (312, 231), (312, 232), (312, 233), (312, 234), (312, 235), (312, 236), (312, 237), (312, 238), (312, 239), (312, 240), (312, 241), (312, 242), (312, 243), (312, 244), (312, 245), (312, 246), (312, 247), (312, 248), (312, 249), (312, 250), (312, 251), (312, 252), (312, 253), (312, 254), (312, 255), (312, 256), (312, 257), (312, 258), (312, 259), (312, 260), (312, 261), (312, 262), (312, 263), (312, 264), (312, 265), (312, 266), (312, 267), (312, 268), (312, 269), (312, 270), (312, 271), (312, 272), (312, 273), (312, 274), (312, 275), (312, 276), (312, 277), (312, 278), (312, 279), (312, 280), (312, 281), (312, 282), (312, 283), (312, 284), (312, 285), (312, 286), (312, 287), (312, 288), (312, 289), (312, 290), (312, 291), (312, 292), (312, 293), (312, 294), (312, 295), (312, 296), (312, 297), (312, 298),
(312, 299), (312, 300), (312, 301), (312, 302), (312, 303), (312, 304), (312, 305), (312, 306), (312, 307), (312, 308), (312, 309), (312, 310), (312, 311), (312, 312), (312, 313), (312, 314), (312, 315), (312, 316), (312, 317), (312, 318), (312, 320), (313, 192), (313, 194), (313, 195), (313, 196), (313, 197), (313, 198), (313, 199), (313, 200), (313, 201), (313, 202), (313, 203), (313, 204), (313, 205), (313, 206), (313, 207), (313, 208), (313, 209), (313, 210), (313, 211), (313, 212), (313, 213), (313, 214), (313, 215), (313, 216), (313, 217), (313, 218), (313, 219), (313, 220), (313, 221), (313, 222), (313, 223), (313, 224), (313, 225), (313, 226), (313, 227), (313, 228), (313, 229), (313, 230), (313, 231), (313, 232), (313, 233), (313, 234), (313, 235), (313, 236), (313, 237), (313, 238), (313, 239), (313, 240), (313, 241), (313, 242), (313, 243),
(313, 244), (313, 245), (313, 246), (313, 247), (313, 248), (313, 249), (313, 250), (313, 251), (313, 252), (313, 253), (313, 254), (313, 255), (313, 256), (313, 257), (313, 258), (313, 259), (313, 260), (313, 261), (313, 262), (313, 263), (313, 264), (313, 265), (313, 266), (313, 267), (313, 268), (313, 269), (313, 270), (313, 271), (313, 272), (313, 273), (313, 274), (313, 275), (313, 276), (313, 277), (313, 278), (313, 279), (313, 280), (313, 281), (313, 282), (313, 283), (313, 284), (313, 285), (313, 286), (313, 287), (313, 288), (313, 289), (313, 290), (313, 291), (313, 292), (313, 293), (313, 294), (313, 295), (313, 296), (313, 297), (313, 298), (313, 299), (313, 300), (313, 301), (313, 302), (313, 303), (313, 304), (313, 305), (313, 306), (313, 307), (313, 308), (313, 309), (313, 310), (313, 311), (313, 312), (313, 313), (313, 314), (313, 315),
(313, 316), (313, 317), (313, 319), (314, 192), (314, 194), (314, 195), (314, 196), (314, 197), (314, 198), (314, 199), (314, 200), (314, 201), (314, 202), (314, 203), (314, 204), (314, 205), (314, 206), (314, 207), (314, 208), (314, 209), (314, 210), (314, 211), (314, 212), (314, 213), (314, 214), (314, 215), (314, 216), (314, 217), (314, 218), (314, 219), (314, 220), (314, 221), (314, 222), (314, 223), (314, 224), (314, 225), (314, 226), (314, 227), (314, 228), (314, 229), (314, 230), (314, 231), (314, 232), (314, 233), (314, 234), (314, 235), (314, 236), (314, 237), (314, 238), (314, 239), (314, 240), (314, 241), (314, 242), (314, 243), (314, 244), (314, 245), (314, 246), (314, 247), (314, 248), (314, 249), (314, 250), (314, 251), (314, 252), (314, 253), (314, 254), (314, 255), (314, 256), (314, 257), (314, 258), (314, 259), (314, 260), (314, 261),
(314, 262), (314, 263), (314, 264), (314, 265), (314, 266), (314, 267), (314, 268), (314, 269), (314, 270), (314, 271), (314, 272), (314, 273), (314, 274), (314, 275), (314, 276), (314, 277), (314, 278), (314, 279), (314, 280), (314, 281), (314, 282), (314, 283), (314, 284), (314, 285), (314, 286), (314, 287), (314, 288), (314, 289), (314, 290), (314, 291), (314, 292), (314, 293), (314, 294), (314, 295), (314, 296), (314, 297), (314, 298), (314, 299), (314, 300), (314, 301), (314, 302), (314, 303), (314, 304), (314, 305), (314, 306), (314, 307), (314, 308), (314, 309), (314, 310), (314, 311), (314, 312), (314, 313), (314, 314), (314, 315), (314, 316), (314, 317), (314, 319), (315, 192), (315, 194), (315, 195), (315, 196), (315, 197), (315, 198), (315, 199), (315, 200), (315, 201), (315, 202), (315, 203), (315, 204), (315, 205), (315, 206), (315, 207),
(315, 208), (315, 209), (315, 210), (315, 211), (315, 212), (315, 213), (315, 214), (315, 215), (315, 216), (315, 217), (315, 218), (315, 219), (315, 220), (315, 221), (315, 222), (315, 223), (315, 224), (315, 225), (315, 226), (315, 227), (315, 228), (315, 229), (315, 230), (315, 231), (315, 232), (315, 233), (315, 234), (315, 235), (315, 236), (315, 237), (315, 238), (315, 239), (315, 240), (315, 241), (315, 242), (315, 243), (315, 244), (315, 245), (315, 246), (315, 247), (315, 248), (315, 249), (315, 250), (315, 251), (315, 252), (315, 253), (315, 254), (315, 255), (315, 256), (315, 257), (315, 258), (315, 259), (315, 260), (315, 261), (315, 262), (315, 263), (315, 264), (315, 265), (315, 266), (315, 267), (315, 268), (315, 269), (315, 270), (315, 271), (315, 272), (315, 273), (315, 274), (315, 275), (315, 276), (315, 277), (315, 278), (315, 279),
(315, 280), (315, 281), (315, 282), (315, 283), (315, 284), (315, 285), (315, 286), (315, 287), (315, 288), (315, 289), (315, 290), (315, 291), (315, 292), (315, 293), (315, 294), (315, 295), (315, 296), (315, 297), (315, 298), (315, 299), (315, 300), (315, 301), (315, 302), (315, 303), (315, 304), (315, 305), (315, 306), (315, 307), (315, 308), (315, 309), (315, 310), (315, 311), (315, 312), (315, 313), (315, 314), (315, 315), (315, 316), (315, 317), (315, 319), (316, 192), (316, 194), (316, 195), (316, 196), (316, 197), (316, 198), (316, 199), (316, 200), (316, 201), (316, 202), (316, 203), (316, 204), (316, 205), (316, 206), (316, 207), (316, 208), (316, 209), (316, 210), (316, 211), (316, 212), (316, 213), (316, 214), (316, 215), (316, 216), (316, 217), (316, 218), (316, 219), (316, 220), (316, 221), (316, 222), (316, 223), (316, 224), (316, 225),
(316, 226), (316, 227), (316, 228), (316, 229), (316, 230), (316, 231), (316, 232), (316, 233), (316, 234), (316, 235), (316, 236), (316, 237), (316, 238), (316, 239), (316, 240), (316, 241), (316, 242), (316, 243), (316, 244), (316, 245), (316, 246), (316, 247), (316, 248), (316, 249), (316, 250), (316, 251), (316, 252), (316, 253), (316, 254), (316, 255), (316, 256), (316, 257), (316, 258), (316, 259), (316, 260), (316, 261), (316, 262), (316, 263), (316, 264), (316, 265), (316, 266), (316, 267), (316, 268), (316, 269), (316, 270), (316, 271), (316, 272), (316, 273), (316, 274), (316, 275), (316, 276), (316, 277), (316, 278), (316, 279), (316, 280), (316, 281), (316, 282), (316, 283), (316, 284), (316, 285), (316, 286), (316, 287), (316, 288), (316, 289), (316, 290), (316, 291), (316, 292), (316, 293), (316, 294), (316, 295), (316, 296), (316, 297),
(316, 298), (316, 299), (316, 300), (316, 301), (316, 302), (316, 303), (316, 304), (316, 305), (316, 306), (316, 307), (316, 308), (316, 309), (316, 310), (316, 311), (316, 312), (316, 313), (316, 314), (316, 315), (316, 316), (316, 317), (316, 319), (317, 192), (317, 194), (317, 195), (317, 196), (317, 197), (317, 198), (317, 199), (317, 200), (317, 201), (317, 202), (317, 203), (317, 204), (317, 205), (317, 206), (317, 207), (317, 208), (317, 209), (317, 210), (317, 211), (317, 212), (317, 213), (317, 214), (317, 215), (317, 216), (317, 217), (317, 218), (317, 219), (317, 220), (317, 221), (317, 222), (317, 223), (317, 224), (317, 225), (317, 226), (317, 227), (317, 228), (317, 229), (317, 230), (317, 231), (317, 232), (317, 233), (317, 234), (317, 235), (317, 236), (317, 237), (317, 238), (317, 239), (317, 240), (317, 241), (317, 242), (317, 243),
(317, 244), (317, 245), (317, 246), (317, 247), (317, 248), (317, 249), (317, 250), (317, 251), (317, 252), (317, 253), (317, 254), (317, 255), (317, 256), (317, 257), (317, 258), (317, 259), (317, 260), (317, 261), (317, 262), (317, 263), (317, 264), (317, 265), (317, 266), (317, 267), (317, 268), (317, 269), (317, 270), (317, 271), (317, 272), (317, 273), (317, 274), (317, 275), (317, 276), (317, 277), (317, 278), (317, 279), (317, 280), (317, 281), (317, 282), (317, 283), (317, 284), (317, 285), (317, 286), (317, 287), (317, 288), (317, 289), (317, 290), (317, 291), (317, 292), (317, 293), (317, 294), (317, 295), (317, 296), (317, 297), (317, 298), (317, 299), (317, 300), (317, 301), (317, 302), (317, 303), (317, 304), (317, 305), (317, 306), (317, 307), (317, 308), (317, 309), (317, 310), (317, 311), (317, 312), (317, 313), (317, 314), (317, 315),
(317, 316), (317, 318), (318, 194), (318, 195), (318, 196), (318, 197), (318, 198), (318, 199), (318, 200), (318, 201), (318, 202), (318, 203), (318, 204), (318, 205), (318, 206), (318, 207), (318, 208), (318, 209), (318, 210), (318, 211), (318, 212), (318, 213), (318, 214), (318, 215), (318, 216), (318, 217), (318, 218), (318, 219), (318, 220), (318, 221), (318, 222), (318, 223), (318, 224), (318, 225), (318, 226), (318, 227), (318, 228), (318, 229), (318, 230), (318, 231), (318, 232), (318, 233), (318, 234), (318, 235), (318, 236), (318, 237), (318, 238), (318, 239), (318, 240), (318, 241), (318, 242), (318, 243), (318, 244), (318, 245), (318, 246), (318, 247), (318, 248), (318, 249), (318, 250), (318, 251), (318, 252), (318, 253), (318, 254), (318, 255), (318, 256), (318, 257), (318, 258), (318, 259), (318, 260), (318, 261), (318, 262), (318, 263),
(318, 264), (318, 265), (318, 266), (318, 267), (318, 268), (318, 269), (318, 270), (318, 271), (318, 272), (318, 273), (318, 274), (318, 275), (318, 276), (318, 277), (318, 278), (318, 279), (318, 280), (318, 281), (318, 282), (318, 283), (318, 284), (318, 285), (318, 286), (318, 287), (318, 288), (318, 289), (318, 290), (318, 291), (318, 292), (318, 293), (318, 294), (318, 295), (318, 296), (318, 297), (318, 298), (318, 299), (318, 300), (318, 301), (318, 302), (318, 303), (318, 304), (318, 305), (318, 306), (318, 307), (318, 308), (318, 309), (318, 310), (318, 311), (318, 312), (318, 313), (318, 314), (318, 315), (318, 316), (318, 318), (319, 192), (319, 195), (319, 196), (319, 197), (319, 198), (319, 199), (319, 200), (319, 201), (319, 202), (319, 203), (319, 204), (319, 205), (319, 206), (319, 207), (319, 208), (319, 209), (319, 210), (319, 211),
(319, 212), (319, 213), (319, 214), (319, 215), (319, 216), (319, 217), (319, 218), (319, 219), (319, 220), (319, 221), (319, 222), (319, 223), (319, 224), (319, 225), (319, 226), (319, 227), (319, 228), (319, 229), (319, 230), (319, 231), (319, 232), (319, 233), (319, 234), (319, 235), (319, 236), (319, 237), (319, 238), (319, 239), (319, 240), (319, 241), (319, 242), (319, 243), (319, 244), (319, 245), (319, 246), (319, 247), (319, 248), (319, 249), (319, 250), (319, 251), (319, 252), (319, 253), (319, 254), (319, 255), (319, 256), (319, 257), (319, 258), (319, 259), (319, 260), (319, 261), (319, 262), (319, 263), (319, 264), (319, 265), (319, 266), (319, 267), (319, 268), (319, 269), (319, 270), (319, 271), (319, 272), (319, 273), (319, 274), (319, 275), (319, 276), (319, 277), (319, 278), (319, 279), (319, 280), (319, 281), (319, 282), (319, 283),
(319, 284), (319, 285), (319, 286), (319, 287), (319, 288), (319, 289), (319, 290), (319, 291), (319, 292), (319, 293), (319, 294), (319, 295), (319, 296), (319, 297), (319, 298), (319, 299), (319, 300), (319, 301), (319, 302), (319, 303), (319, 304), (319, 305), (319, 306), (319, 307), (319, 308), (319, 309), (319, 310), (319, 311), (319, 312), (319, 313), (319, 314), (319, 315), (319, 316), (319, 318), (320, 194), (320, 196), (320, 197), (320, 198), (320, 199), (320, 200), (320, 201), (320, 202), (320, 203), (320, 204), (320, 205), (320, 206), (320, 207), (320, 208), (320, 209), (320, 210), (320, 211), (320, 212), (320, 213), (320, 214), (320, 215), (320, 216), (320, 217), (320, 218), (320, 219), (320, 220), (320, 221), (320, 222), (320, 223), (320, 224), (320, 225), (320, 226), (320, 227), (320, 228), (320, 229), (320, 230), (320, 231), (320, 232),
(320, 233), (320, 234), (320, 235), (320, 236), (320, 237), (320, 238), (320, 239), (320, 240), (320, 241), (320, 242), (320, 243), (320, 244), (320, 245), (320, 246), (320, 247), (320, 248), (320, 249), (320, 250), (320, 251), (320, 252), (320, 253), (320, 254), (320, 255), (320, 256), (320, 257), (320, 258), (320, 259), (320, 260), (320, 261), (320, 262), (320, 263), (320, 264), (320, 265), (320, 266), (320, 267), (320, 268), (320, 269), (320, 270), (320, 271), (320, 272), (320, 273), (320, 274), (320, 275), (320, 276), (320, 277), (320, 278), (320, 279), (320, 280), (320, 281), (320, 282), (320, 283), (320, 284), (320, 285), (320, 286), (320, 287), (320, 288), (320, 289), (320, 290), (320, 291), (320, 292), (320, 293), (320, 294), (320, 295), (320, 296), (320, 297), (320, 298), (320, 299), (320, 300), (320, 301), (320, 302), (320, 303), (320, 304),
(320, 305), (320, 306), (320, 307), (320, 308), (320, 309), (320, 310), (320, 311), (320, 312), (320, 313), (320, 314), (320, 315), (320, 317), (321, 195), (321, 197), (321, 198), (321, 199), (321, 200), (321, 201), (321, 202), (321, 203), (321, 204), (321, 205), (321, 206), (321, 207), (321, 208), (321, 209), (321, 210), (321, 211), (321, 212), (321, 213), (321, 214), (321, 215), (321, 216), (321, 217), (321, 218), (321, 219), (321, 220), (321, 221), (321, 222), (321, 223), (321, 224), (321, 225), (321, 226), (321, 227), (321, 228), (321, 229), (321, 230), (321, 231), (321, 232), (321, 233), (321, 234), (321, 235), (321, 236), (321, 237), (321, 238), (321, 239), (321, 240), (321, 241), (321, 242), (321, 243), (321, 244), (321, 245), (321, 246), (321, 247), (321, 248), (321, 249), (321, 250), (321, 251), (321, 252), (321, 253), (321, 254), (321, 255),
(321, 256), (321, 257), (321, 258), (321, 259), (321, 260), (321, 261), (321, 262), (321, 263), (321, 264), (321, 265), (321, 266), (321, 267), (321, 268), (321, 269), (321, 270), (321, 271), (321, 272), (321, 273), (321, 274), (321, 275), (321, 276), (321, 277), (321, 278), (321, 279), (321, 280), (321, 281), (321, 282), (321, 283), (321, 284), (321, 285), (321, 286), (321, 287), (321, 288), (321, 289), (321, 290), (321, 291), (321, 292), (321, 293), (321, 294), (321, 295), (321, 296), (321, 297), (321, 298), (321, 299), (321, 300), (321, 301), (321, 302), (321, 303), (321, 304), (321, 305), (321, 306), (321, 307), (321, 308), (321, 309), (321, 310), (321, 311), (321, 312), (321, 313), (321, 314), (321, 315), (321, 317), (322, 195), (322, 197), (322, 198), (322, 199), (322, 200), (322, 201), (322, 202), (322, 203), (322, 204), (322, 205), (322, 206),
(322, 207), (322, 208), (322, 209), (322, 210), (322, 211), (322, 212), (322, 213), (322, 214), (322, 215), (322, 216), (322, 217), (322, 218), (322, 219), (322, 220), (322, 221), (322, 222), (322, 223), (322, 224), (322, 225), (322, 226), (322, 227), (322, 228), (322, 229), (322, 230), (322, 231), (322, 232), (322, 233), (322, 234), (322, 235), (322, 236), (322, 237), (322, 238), (322, 239), (322, 240), (322, 241), (322, 242), (322, 243), (322, 244), (322, 245), (322, 246), (322, 247), (322, 248), (322, 249), (322, 250), (322, 251), (322, 252), (322, 253), (322, 254), (322, 255), (322, 256), (322, 257), (322, 258), (322, 259), (322, 260), (322, 261), (322, 262), (322, 263), (322, 264), (322, 265), (322, 266), (322, 267), (322, 268), (322, 269), (322, 270), (322, 271), (322, 272), (322, 273), (322, 274), (322, 275), (322, 276), (322, 277), (322, 278),
(322, 279), (322, 280), (322, 281), (322, 282), (322, 283), (322, 284), (322, 285), (322, 286), (322, 287), (322, 288), (322, 289), (322, 290), (322, 291), (322, 292), (322, 293), (322, 294), (322, 295), (322, 296), (322, 297), (322, 298), (322, 299), (322, 300), (322, 301), (322, 302), (322, 303), (322, 304), (322, 305), (322, 306), (322, 307), (322, 308), (322, 309), (322, 310), (322, 311), (322, 312), (322, 313), (322, 314), (322, 316), (323, 196), (323, 198), (323, 199), (323, 200), (323, 201), (323, 202), (323, 203), (323, 204), (323, 205), (323, 206), (323, 207), (323, 208), (323, 209), (323, 210), (323, 211), (323, 212), (323, 213), (323, 214), (323, 215), (323, 216), (323, 217), (323, 218), (323, 219), (323, 220), (323, 221), (323, 222), (323, 223), (323, 224), (323, 225), (323, 226), (323, 227), (323, 228), (323, 229), (323, 230), (323, 231),
(323, 232), (323, 233), (323, 234), (323, 235), (323, 236), (323, 237), (323, 238), (323, 239), (323, 240), (323, 241), (323, 242), (323, 243), (323, 244), (323, 245), (323, 246), (323, 247), (323, 248), (323, 249), (323, 250), (323, 251), (323, 252), (323, 253), (323, 254), (323, 255), (323, 256), (323, 257), (323, 258), (323, 259), (323, 260), (323, 261), (323, 262), (323, 263), (323, 264), (323, 265), (323, 266), (323, 267), (323, 268), (323, 269), (323, 270), (323, 271), (323, 272), (323, 273), (323, 274), (323, 275), (323, 276), (323, 277), (323, 278), (323, 279), (323, 280), (323, 281), (323, 282), (323, 283), (323, 284), (323, 285), (323, 286), (323, 287), (323, 288), (323, 289), (323, 290), (323, 291), (323, 292), (323, 293), (323, 294), (323, 295), (323, 296), (323, 297), (323, 298), (323, 299), (323, 300), (323, 301), (323, 302), (323, 303),
(323, 304), (323, 305), (323, 306), (323, 307), (323, 308), (323, 309), (323, 310), (323, 311), (323, 312), (323, 313), (323, 314), (323, 316), (324, 196), (324, 198), (324, 199), (324, 200), (324, 201), (324, 202), (324, 203), (324, 204), (324, 205), (324, 206), (324, 207), (324, 208), (324, 209), (324, 210), (324, 211), (324, 212), (324, 213), (324, 214), (324, 215), (324, 216), (324, 217), (324, 218), (324, 219), (324, 220), (324, 221), (324, 222), (324, 223), (324, 224), (324, 225), (324, 226), (324, 227), (324, 228), (324, 229), (324, 230), (324, 231), (324, 232), (324, 233), (324, 234), (324, 235), (324, 236), (324, 237), (324, 238), (324, 239), (324, 240), (324, 241), (324, 242), (324, 243), (324, 244), (324, 245), (324, 246), (324, 247), (324, 248), (324, 249), (324, 250), (324, 251), (324, 252), (324, 253), (324, 254), (324, 255), (324, 256),
(324, 257), (324, 258), (324, 259), (324, 260), (324, 261), (324, 262), (324, 263), (324, 264), (324, 265), (324, 266), (324, 267), (324, 268), (324, 269), (324, 270), (324, 271), (324, 272), (324, 273), (324, 274), (324, 275), (324, 276), (324, 277), (324, 278), (324, 279), (324, 280), (324, 281), (324, 282), (324, 283), (324, 284), (324, 285), (324, 286), (324, 287), (324, 288), (324, 289), (324, 290), (324, 291), (324, 292), (324, 293), (324, 294), (324, 295), (324, 296), (324, 297), (324, 298), (324, 299), (324, 300), (324, 301), (324, 302), (324, 303), (324, 304), (324, 305), (324, 306), (324, 307), (324, 308), (324, 309), (324, 310), (324, 311), (324, 312), (324, 313), (324, 315), (325, 197), (325, 199), (325, 200), (325, 201), (325, 202), (325, 203), (325, 204), (325, 205), (325, 206), (325, 207), (325, 208), (325, 209), (325, 215), (325, 216),
(325, 217), (325, 218), (325, 219), (325, 220), (325, 221), (325, 222), (325, 223), (325, 224), (325, 225), (325, 226), (325, 227), (325, 228), (325, 229), (325, 230), (325, 231), (325, 232), (325, 233), (325, 234), (325, 235), (325, 236), (325, 237), (325, 238), (325, 239), (325, 240), (325, 241), (325, 242), (325, 243), (325, 244), (325, 245), (325, 246), (325, 247), (325, 248), (325, 249), (325, 250), (325, 251), (325, 252), (325, 253), (325, 254), (325, 255), (325, 256), (325, 257), (325, 258), (325, 259), (325, 260), (325, 261), (325, 262), (325, 263), (325, 264), (325, 265), (325, 266), (325, 267), (325, 268), (325, 269), (325, 270), (325, 271), (325, 272), (325, 273), (325, 274), (325, 275), (325, 276), (325, 277), (325, 278), (325, 279), (325, 280), (325, 281), (325, 282), (325, 283), (325, 284), (325, 285), (325, 286), (325, 287), (325, 288),
(325, 289), (325, 290), (325, 291), (325, 292), (325, 293), (325, 294), (325, 295), (325, 296), (325, 297), (325, 298), (325, 299), (325, 300), (325, 301), (325, 302), (325, 303), (325, 304), (325, 305), (325, 306), (325, 307), (325, 308), (325, 309), (325, 310), (325, 311), (325, 312), (325, 313), (325, 315), (326, 197), (326, 199), (326, 200), (326, 201), (326, 202), (326, 203), (326, 204), (326, 205), (326, 206), (326, 207), (326, 208), (326, 209), (326, 210), (326, 211), (326, 212), (326, 213), (326, 215), (326, 216), (326, 217), (326, 218), (326, 219), (326, 220), (326, 221), (326, 222), (326, 223), (326, 224), (326, 225), (326, 226), (326, 227), (326, 228), (326, 229), (326, 230), (326, 231), (326, 232), (326, 233), (326, 234), (326, 235), (326, 236), (326, 237), (326, 238), (326, 239), (326, 240), (326, 241), (326, 242), (326, 243), (326, 244),
(326, 245), (326, 246), (326, 247), (326, 248), (326, 249), (326, 250), (326, 251), (326, 252), (326, 253), (326, 254), (326, 255), (326, 256), (326, 257), (326, 258), (326, 259), (326, 260), (326, 261), (326, 262), (326, 263), (326, 264), (326, 265), (326, 266), (326, 267), (326, 268), (326, 269), (326, 270), (326, 271), (326, 272), (326, 273), (326, 274), (326, 275), (326, 276), (326, 277), (326, 278), (326, 279), (326, 280), (326, 281), (326, 282), (326, 283), (326, 284), (326, 285), (326, 286), (326, 287), (326, 288), (326, 289), (326, 290), (326, 291), (326, 292), (326, 293), (326, 294), (326, 295), (326, 296), (326, 297), (326, 298), (326, 299), (326, 300), (326, 301), (326, 302), (326, 303), (326, 304), (326, 305), (326, 306), (326, 307), (326, 308), (326, 309), (326, 310), (326, 311), (326, 312), (326, 314), (327, 197), (327, 199), (327, 200),
(327, 201), (327, 202), (327, 203), (327, 204), (327, 205), (327, 206), (327, 207), (327, 208), (327, 215), (327, 217), (327, 218), (327, 219), (327, 220), (327, 221), (327, 222), (327, 223), (327, 224), (327, 225), (327, 226), (327, 227), (327, 228), (327, 229), (327, 230), (327, 231), (327, 232), (327, 233), (327, 234), (327, 235), (327, 236), (327, 237), (327, 238), (327, 239), (327, 240), (327, 241), (327, 242), (327, 243), (327, 244), (327, 245), (327, 246), (327, 247), (327, 248), (327, 249), (327, 250), (327, 251), (327, 252), (327, 253), (327, 254), (327, 255), (327, 256), (327, 257), (327, 258), (327, 259), (327, 260), (327, 261), (327, 262), (327, 263), (327, 264), (327, 265), (327, 266), (327, 267), (327, 268), (327, 269), (327, 270), (327, 271), (327, 272), (327, 273), (327, 274), (327, 275), (327, 276), (327, 277), (327, 278), (327, 279),
(327, 280), (327, 281), (327, 282), (327, 283), (327, 284), (327, 285), (327, 286), (327, 287), (327, 288), (327, 289), (327, 290), (327, 291), (327, 292), (327, 293), (327, 294), (327, 295), (327, 296), (327, 297), (327, 298), (327, 299), (327, 300), (327, 301), (327, 302), (327, 303), (327, 304), (327, 305), (327, 306), (327, 307), (327, 308), (327, 309), (327, 310), (327, 311), (327, 313), (328, 197), (328, 199), (328, 200), (328, 201), (328, 202), (328, 203), (328, 204), (328, 205), (328, 206), (328, 208), (328, 215), (328, 217), (328, 218), (328, 219), (328, 220), (328, 221), (328, 222), (328, 223), (328, 224), (328, 225), (328, 226), (328, 227), (328, 228), (328, 229), (328, 230), (328, 231), (328, 232), (328, 233), (328, 234), (328, 235), (328, 236), (328, 237), (328, 238), (328, 239), (328, 240), (328, 241), (328, 242), (328, 243), (328, 244),
(328, 245), (328, 246), (328, 247), (328, 248), (328, 249), (328, 250), (328, 251), (328, 252), (328, 253), (328, 254), (328, 255), (328, 256), (328, 257), (328, 258), (328, 259), (328, 260), (328, 261), (328, 262), (328, 263), (328, 264), (328, 265), (328, 266), (328, 267), (328, 268), (328, 269), (328, 270), (328, 271), (328, 272), (328, 273), (328, 274), (328, 275), (328, 276), (328, 277), (328, 278), (328, 279), (328, 280), (328, 281), (328, 282), (328, 283), (328, 284), (328, 285), (328, 286), (328, 287), (328, 288), (328, 289), (328, 290), (328, 291), (328, 292), (328, 293), (328, 294), (328, 295), (328, 296), (328, 297), (328, 298), (328, 299), (328, 300), (328, 301), (328, 302), (328, 303), (328, 304), (328, 305), (328, 306), (328, 307), (328, 308), (328, 309), (328, 310), (328, 311), (328, 313), (329, 197), (329, 198), (329, 199), (329, 200),
(329, 201), (329, 202), (329, 203), (329, 204), (329, 205), (329, 206), (329, 208), (329, 215), (329, 217), (329, 218), (329, 219), (329, 220), (329, 221), (329, 222), (329, 223), (329, 224), (329, 225), (329, 226), (329, 227), (329, 228), (329, 229), (329, 230), (329, 231), (329, 232), (329, 233), (329, 234), (329, 235), (329, 236), (329, 237), (329, 238), (329, 239), (329, 240), (329, 241), (329, 242), (329, 243), (329, 244), (329, 245), (329, 246), (329, 247), (329, 248), (329, 249), (329, 250), (329, 251), (329, 252), (329, 253), (329, 254), (329, 255), (329, 256), (329, 257), (329, 258), (329, 259), (329, 260), (329, 261), (329, 262), (329, 263), (329, 264), (329, 265), (329, 266), (329, 267), (329, 268), (329, 269), (329, 270), (329, 271), (329, 272), (329, 273), (329, 274), (329, 275), (329, 276), (329, 277), (329, 278), (329, 279), (329, 280),
(329, 281), (329, 282), (329, 283), (329, 284), (329, 285), (329, 286), (329, 287), (329, 288), (329, 289), (329, 290), (329, 291), (329, 292), (329, 293), (329, 294), (329, 295), (329, 296), (329, 297), (329, 298), (329, 299), (329, 300), (329, 301), (329, 302), (329, 303), (329, 304), (329, 305), (329, 306), (329, 307), (329, 308), (329, 309), (329, 310), (329, 312), (330, 198), (330, 200), (330, 201), (330, 202), (330, 203), (330, 204), (330, 205), (330, 206), (330, 207), (330, 209), (330, 216), (330, 218), (330, 219), (330, 220), (330, 221), (330, 222), (330, 223), (330, 224), (330, 225), (330, 226), (330, 227), (330, 228), (330, 229), (330, 230), (330, 231), (330, 232), (330, 233), (330, 234), (330, 235), (330, 236), (330, 237), (330, 238), (330, 239), (330, 240), (330, 241), (330, 242), (330, 243), (330, 244), (330, 245), (330, 246), (330, 247),
(330, 248), (330, 249), (330, 250), (330, 251), (330, 252), (330, 253), (330, 254), (330, 255), (330, 256), (330, 257), (330, 258), (330, 259), (330, 260), (330, 261), (330, 262), (330, 263), (330, 264), (330, 265), (330, 266), (330, 267), (330, 268), (330, 269), (330, 270), (330, 271), (330, 272), (330, 273), (330, 274), (330, 275), (330, 276), (330, 277), (330, 278), (330, 279), (330, 280), (330, 281), (330, 282), (330, 283), (330, 284), (330, 285), (330, 286), (330, 287), (330, 288), (330, 289), (330, 290), (330, 291), (330, 292), (330, 293), (330, 294), (330, 295), (330, 296), (330, 297), (330, 298), (330, 299), (330, 300), (330, 301), (330, 302), (330, 303), (330, 304), (330, 305), (330, 306), (330, 307), (330, 308), (330, 309), (330, 311), (331, 198), (331, 200), (331, 201), (331, 202), (331, 203), (331, 204), (331, 205), (331, 206), (331, 207),
(331, 208), (331, 210), (331, 216), (331, 218), (331, 219), (331, 220), (331, 221), (331, 222), (331, 223), (331, 224), (331, 225), (331, 226), (331, 227), (331, 228), (331, 229), (331, 230), (331, 231), (331, 232), (331, 233), (331, 234), (331, 235), (331, 236), (331, 237), (331, 238), (331, 239), (331, 240), (331, 241), (331, 242), (331, 243), (331, 244), (331, 245), (331, 246), (331, 247), (331, 248), (331, 249), (331, 250), (331, 251), (331, 252), (331, 253), (331, 254), (331, 255), (331, 256), (331, 257), (331, 258), (331, 259), (331, 260), (331, 261), (331, 262), (331, 263), (331, 264), (331, 265), (331, 266), (331, 267), (331, 268), (331, 269), (331, 270), (331, 271), (331, 272), (331, 273), (331, 274), (331, 275), (331, 276), (331, 277), (331, 278), (331, 279), (331, 280), (331, 281), (331, 282), (331, 283), (331, 284), (331, 285), (331, 286),
(331, 287), (331, 288), (331, 289), (331, 290), (331, 291), (331, 292), (331, 293), (331, 294), (331, 295), (331, 296), (331, 297), (331, 298), (331, 299), (331, 300), (331, 301), (331, 302), (331, 303), (331, 304), (331, 305), (331, 306), (331, 307), (331, 308), (331, 310), (332, 198), (332, 200), (332, 201), (332, 202), (332, 203), (332, 204), (332, 205), (332, 206), (332, 207), (332, 208), (332, 209), (332, 211), (332, 216), (332, 218), (332, 219), (332, 220), (332, 221), (332, 222), (332, 223), (332, 224), (332, 225), (332, 226), (332, 227), (332, 228), (332, 229), (332, 230), (332, 231), (332, 232), (332, 233), (332, 234), (332, 235), (332, 236), (332, 237), (332, 238), (332, 239), (332, 240), (332, 241), (332, 242), (332, 243), (332, 244), (332, 245), (332, 246), (332, 247), (332, 248), (332, 249), (332, 250), (332, 251), (332, 252), (332, 253),
(332, 254), (332, 255), (332, 256), (332, 257), (332, 258), (332, 259), (332, 260), (332, 261), (332, 262), (332, 263), (332, 264), (332, 265), (332, 266), (332, 267), (332, 268), (332, 269), (332, 270), (332, 271), (332, 272), (332, 273), (332, 274), (332, 275), (332, 276), (332, 277), (332, 278), (332, 279), (332, 280), (332, 281), (332, 282), (332, 283), (332, 284), (332, 285), (332, 286), (332, 287), (332, 288), (332, 289), (332, 290), (332, 291), (332, 292), (332, 293), (332, 294), (332, 295), (332, 296), (332, 297), (332, 298), (332, 299), (332, 300), (332, 301), (332, 302), (332, 303), (332, 304), (332, 305), (332, 306), (332, 307), (332, 308), (332, 310), (333, 198), (333, 200), (333, 201), (333, 202), (333, 203), (333, 204), (333, 205), (333, 206), (333, 207), (333, 208), (333, 210), (333, 216), (333, 218), (333, 219), (333, 220), (333, 221),
(333, 222), (333, 223), (333, 224), (333, 225), (333, 226), (333, 227), (333, 228), (333, 229), (333, 230), (333, 231), (333, 232), (333, 233), (333, 234), (333, 235), (333, 236), (333, 237), (333, 238), (333, 239), (333, 240), (333, 241), (333, 242), (333, 243), (333, 244), (333, 245), (333, 246), (333, 247), (333, 248), (333, 249), (333, 250), (333, 251), (333, 252), (333, 253), (333, 254), (333, 255), (333, 256), (333, 257), (333, 258), (333, 259), (333, 260), (333, 261), (333, 262), (333, 263), (333, 264), (333, 265), (333, 266), (333, 267), (333, 268), (333, 269), (333, 270), (333, 271), (333, 272), (333, 273), (333, 274), (333, 275), (333, 276), (333, 277), (333, 278), (333, 279), (333, 280), (333, 281), (333, 282), (333, 283), (333, 284), (333, 285), (333, 286), (333, 287), (333, 288), (333, 289), (333, 290), (333, 291), (333, 292), (333, 293),
(333, 294), (333, 295), (333, 296), (333, 297), (333, 298), (333, 299), (333, 300), (333, 301), (333, 302), (333, 303), (333, 304), (333, 305), (333, 306), (333, 307), (333, 309), (334, 198), (334, 200), (334, 201), (334, 202), (334, 203), (334, 204), (334, 205), (334, 206), (334, 207), (334, 209), (334, 216), (334, 218), (334, 219), (334, 220), (334, 221), (334, 222), (334, 223), (334, 224), (334, 225), (334, 226), (334, 227), (334, 228), (334, 229), (334, 230), (334, 231), (334, 232), (334, 233), (334, 234), (334, 235), (334, 236), (334, 237), (334, 238), (334, 239), (334, 240), (334, 241), (334, 242), (334, 243), (334, 244), (334, 245), (334, 246), (334, 247), (334, 248), (334, 249), (334, 250), (334, 251), (334, 252), (334, 253), (334, 254), (334, 255), (334, 256), (334, 257), (334, 258), (334, 259), (334, 260), (334, 261), (334, 262), (334, 263),
(334, 264), (334, 265), (334, 266), (334, 267), (334, 268), (334, 269), (334, 270), (334, 271), (334, 272), (334, 273), (334, 274), (334, 275), (334, 276), (334, 277), (334, 278), (334, 279), (334, 280), (334, 281), (334, 282), (334, 283), (334, 284), (334, 285), (334, 286), (334, 287), (334, 288), (334, 289), (334, 290), (334, 291), (334, 292), (334, 293), (334, 294), (334, 295), (334, 296), (334, 297), (334, 298), (334, 299), (334, 300), (334, 301), (334, 302), (334, 303), (334, 304), (334, 305), (334, 306), (334, 308), (335, 198), (335, 200), (335, 201), (335, 202), (335, 203), (335, 204), (335, 205), (335, 206), (335, 207), (335, 209), (335, 216), (335, 218), (335, 219), (335, 220), (335, 221), (335, 222), (335, 223), (335, 224), (335, 225), (335, 226), (335, 227), (335, 228), (335, 229), (335, 230), (335, 231), (335, 232), (335, 233), (335, 234),
(335, 235), (335, 236), (335, 237), (335, 238), (335, 239), (335, 240), (335, 241), (335, 242), (335, 243), (335, 244), (335, 245), (335, 246), (335, 247), (335, 248), (335, 249), (335, 250), (335, 251), (335, 252), (335, 253), (335, 254), (335, 255), (335, 256), (335, 257), (335, 258), (335, 259), (335, 260), (335, 261), (335, 262), (335, 263), (335, 264), (335, 265), (335, 266), (335, 267), (335, 268), (335, 269), (335, 270), (335, 271), (335, 272), (335, 273), (335, 274), (335, 275), (335, 276), (335, 277), (335, 278), (335, 279), (335, 280), (335, 281), (335, 282), (335, 283), (335, 284), (335, 285), (335, 286), (335, 287), (335, 288), (335, 289), (335, 290), (335, 291), (335, 292), (335, 293), (335, 294), (335, 295), (335, 296), (335, 297), (335, 298), (335, 299), (335, 300), (335, 301), (335, 302), (335, 303), (335, 304), (335, 305), (335, 307),
(336, 198), (336, 200), (336, 201), (336, 202), (336, 203), (336, 204), (336, 205), (336, 206), (336, 207), (336, 209), (336, 216), (336, 218), (336, 219), (336, 220), (336, 221), (336, 222), (336, 223), (336, 224), (336, 225), (336, 226), (336, 227), (336, 228), (336, 229), (336, 230), (336, 231), (336, 232), (336, 233), (336, 234), (336, 235), (336, 236), (336, 237), (336, 238), (336, 239), (336, 240), (336, 241), (336, 242), (336, 243), (336, 244), (336, 245), (336, 246), (336, 247), (336, 248), (336, 249), (336, 250), (336, 251), (336, 252), (336, 253), (336, 254), (336, 255), (336, 256), (336, 257), (336, 258), (336, 259), (336, 260), (336, 261), (336, 262), (336, 263), (336, 264), (336, 265), (336, 266), (336, 267), (336, 268), (336, 269), (336, 270), (336, 271), (336, 272), (336, 273), (336, 274), (336, 275), (336, 276), (336, 277), (336, 278),
(336, 279), (336, 280), (336, 281), (336, 282), (336, 283), (336, 284), (336, 285), (336, 286), (336, 287), (336, 288), (336, 289), (336, 290), (336, 291), (336, 292), (336, 293), (336, 294), (336, 295), (336, 296), (336, 297), (336, 298), (336, 299), (336, 300), (336, 301), (336, 302), (336, 303), (336, 304), (336, 305), (336, 307), (337, 198), (337, 200), (337, 201), (337, 202), (337, 203), (337, 204), (337, 205), (337, 206), (337, 207), (337, 209), (337, 216), (337, 218), (337, 219), (337, 220), (337, 221), (337, 222), (337, 223), (337, 224), (337, 225), (337, 226), (337, 227), (337, 228), (337, 229), (337, 230), (337, 231), (337, 232), (337, 233), (337, 234), (337, 235), (337, 236), (337, 237), (337, 238), (337, 239), (337, 240), (337, 241), (337, 242), (337, 243), (337, 244), (337, 245), (337, 246), (337, 247), (337, 248), (337, 249), (337, 250),
(337, 251), (337, 252), (337, 253), (337, 254), (337, 255), (337, 256), (337, 257), (337, 258), (337, 259), (337, 260), (337, 261), (337, 262), (337, 263), (337, 264), (337, 265), (337, 266), (337, 267), (337, 268), (337, 269), (337, 270), (337, 271), (337, 272), (337, 273), (337, 274), (337, 275), (337, 276), (337, 277), (337, 278), (337, 279), (337, 280), (337, 281), (337, 282), (337, 283), (337, 284), (337, 285), (337, 286), (337, 287), (337, 288), (337, 289), (337, 290), (337, 291), (337, 292), (337, 293), (337, 294), (337, 295), (337, 296), (337, 297), (337, 298), (337, 299), (337, 300), (337, 301), (337, 302), (337, 303), (337, 304), (337, 306), (338, 199), (338, 201), (338, 202), (338, 203), (338, 204), (338, 205), (338, 206), (338, 207), (338, 209), (338, 216), (338, 218), (338, 219), (338, 220), (338, 221), (338, 222), (338, 223), (338, 224),
(338, 225), (338, 226), (338, 227), (338, 228), (338, 229), (338, 230), (338, 231), (338, 232), (338, 233), (338, 234), (338, 235), (338, 236), (338, 237), (338, 238), (338, 239), (338, 240), (338, 241), (338, 242), (338, 243), (338, 244), (338, 245), (338, 246), (338, 247), (338, 248), (338, 249), (338, 250), (338, 251), (338, 252), (338, 253), (338, 254), (338, 255), (338, 256), (338, 257), (338, 258), (338, 259), (338, 260), (338, 261), (338, 262), (338, 263), (338, 264), (338, 265), (338, 266), (338, 267), (338, 268), (338, 269), (338, 270), (338, 271), (338, 272), (338, 273), (338, 274), (338, 275), (338, 276), (338, 277), (338, 278), (338, 279), (338, 280), (338, 281), (338, 282), (338, 283), (338, 284), (338, 285), (338, 286), (338, 287), (338, 288), (338, 289), (338, 290), (338, 291), (338, 292), (338, 293), (338, 294), (338, 295), (338, 296),
(338, 297), (338, 298), (338, 299), (338, 300), (338, 301), (338, 302), (338, 303), (338, 305), (339, 199), (339, 201), (339, 202), (339, 203), (339, 204), (339, 205), (339, 206), (339, 207), (339, 208), (339, 210), (339, 216), (339, 218), (339, 219), (339, 220), (339, 221), (339, 222), (339, 223), (339, 224), (339, 225), (339, 226), (339, 227), (339, 228), (339, 229), (339, 230), (339, 231), (339, 232), (339, 233), (339, 234), (339, 235), (339, 236), (339, 237), (339, 238), (339, 239), (339, 240), (339, 241), (339, 242), (339, 243), (339, 244), (339, 245), (339, 246), (339, 247), (339, 248), (339, 249), (339, 250), (339, 251), (339, 252), (339, 253), (339, 254), (339, 255), (339, 256), (339, 257), (339, 258), (339, 259), (339, 260), (339, 261), (339, 262), (339, 263), (339, 264), (339, 265), (339, 266), (339, 267), (339, 268), (339, 269), (339, 270),
(339, 271), (339, 272), (339, 273), (339, 274), (339, 275), (339, 276), (339, 277), (339, 278), (339, 279), (339, 280), (339, 281), (339, 282), (339, 283), (339, 284), (339, 285), (339, 286), (339, 287), (339, 288), (339, 289), (339, 290), (339, 291), (339, 292), (339, 293), (339, 294), (339, 295), (339, 296), (339, 297), (339, 298), (339, 299), (339, 300), (339, 301), (339, 302), (339, 303), (339, 305), (340, 199), (340, 201), (340, 202), (340, 203), (340, 204), (340, 205), (340, 206), (340, 207), (340, 208), (340, 209), (340, 210), (340, 212), (340, 215), (340, 216), (340, 217), (340, 218), (340, 219), (340, 220), (340, 221), (340, 222), (340, 223), (340, 224), (340, 225), (340, 226), (340, 227), (340, 228), (340, 229), (340, 230), (340, 231), (340, 232), (340, 233), (340, 234), (340, 235), (340, 236), (340, 237), (340, 238), (340, 239), (340, 240),
(340, 241), (340, 242), (340, 243), (340, 244), (340, 245), (340, 246), (340, 247), (340, 248), (340, 249), (340, 250), (340, 251), (340, 252), (340, 253), (340, 254), (340, 255), (340, 256), (340, 257), (340, 258), (340, 259), (340, 260), (340, 261), (340, 262), (340, 263), (340, 264), (340, 265), (340, 266), (340, 267), (340, 268), (340, 269), (340, 270), (340, 271), (340, 272), (340, 273), (340, 274), (340, 275), (340, 276), (340, 277), (340, 278), (340, 279), (340, 280), (340, 281), (340, 282), (340, 283), (340, 284), (340, 285), (340, 286), (340, 287), (340, 288), (340, 289), (340, 290), (340, 291), (340, 292), (340, 293), (340, 294), (340, 295), (340, 296), (340, 297), (340, 298), (340, 299), (340, 300), (340, 301), (340, 302), (340, 304), (341, 199), (341, 201), (341, 202), (341, 203), (341, 204), (341, 205), (341, 206), (341, 207), (341, 208),
(341, 209), (341, 210), (341, 213), (341, 214), (341, 216), (341, 217), (341, 218), (341, 219), (341, 220), (341, 221), (341, 222), (341, 223), (341, 224), (341, 225), (341, 226), (341, 227), (341, 228), (341, 229), (341, 230), (341, 231), (341, 232), (341, 233), (341, 234), (341, 235), (341, 236), (341, 237), (341, 238), (341, 239), (341, 240), (341, 241), (341, 242), (341, 243), (341, 244), (341, 245), (341, 246), (341, 247), (341, 248), (341, 249), (341, 250), (341, 251), (341, 252), (341, 253), (341, 254), (341, 255), (341, 256), (341, 257), (341, 258), (341, 259), (341, 260), (341, 261), (341, 262), (341, 263), (341, 264), (341, 265), (341, 266), (341, 267), (341, 268), (341, 269), (341, 270), (341, 271), (341, 272), (341, 273), (341, 274), (341, 275), (341, 276), (341, 277), (341, 278), (341, 279), (341, 280), (341, 281), (341, 282), (341, 283),
(341, 284), (341, 285), (341, 286), (341, 287), (341, 288), (341, 289), (341, 290), (341, 291), (341, 292), (341, 293), (341, 294), (341, 295), (341, 296), (341, 297), (341, 298), (341, 299), (341, 300), (341, 301), (341, 303), (342, 200), (342, 202), (342, 203), (342, 204), (342, 205), (342, 206), (342, 207), (342, 208), (342, 209), (342, 210), (342, 211), (342, 212), (342, 215), (342, 216), (342, 217), (342, 218), (342, 219), (342, 220), (342, 221), (342, 222), (342, 223), (342, 224), (342, 225), (342, 226), (342, 227), (342, 228), (342, 229), (342, 230), (342, 231), (342, 232), (342, 233), (342, 234), (342, 235), (342, 236), (342, 237), (342, 238), (342, 239), (342, 240), (342, 241), (342, 242), (342, 243), (342, 244), (342, 245), (342, 246), (342, 247), (342, 248), (342, 249), (342, 250), (342, 251), (342, 252), (342, 253), (342, 254), (342, 255),
(342, 256), (342, 257), (342, 258), (342, 259), (342, 260), (342, 261), (342, 262), (342, 263), (342, 264), (342, 265), (342, 266), (342, 267), (342, 268), (342, 269), (342, 270), (342, 271), (342, 272), (342, 273), (342, 274), (342, 275), (342, 276), (342, 277), (342, 278), (342, 279), (342, 280), (342, 281), (342, 282), (342, 283), (342, 284), (342, 285), (342, 286), (342, 287), (342, 288), (342, 289), (342, 290), (342, 291), (342, 292), (342, 293), (342, 294), (342, 295), (342, 296), (342, 297), (342, 298), (342, 299), (342, 300), (342, 301), (342, 303), (343, 200), (343, 202), (343, 203), (343, 204), (343, 205), (343, 206), (343, 207), (343, 208), (343, 209), (343, 210), (343, 211), (343, 212), (343, 213), (343, 214), (343, 215), (343, 216), (343, 217), (343, 218), (343, 219), (343, 220), (343, 221), (343, 222), (343, 223), (343, 224), (343, 225),
(343, 226), (343, 227), (343, 228), (343, 229), (343, 230), (343, 231), (343, 232), (343, 233), (343, 234), (343, 235), (343, 236), (343, 237), (343, 238), (343, 239), (343, 240), (343, 241), (343, 242), (343, 243), (343, 244), (343, 245), (343, 246), (343, 247), (343, 248), (343, 249), (343, 250), (343, 251), (343, 252), (343, 253), (343, 254), (343, 255), (343, 256), (343, 257), (343, 258), (343, 259), (343, 260), (343, 261), (343, 262), (343, 263), (343, 264), (343, 265), (343, 266), (343, 267), (343, 268), (343, 269), (343, 270), (343, 271), (343, 272), (343, 273), (343, 274), (343, 275), (343, 276), (343, 277), (343, 278), (343, 279), (343, 280), (343, 281), (343, 282), (343, 283), (343, 284), (343, 285), (343, 286), (343, 287), (343, 288), (343, 289), (343, 290), (343, 291), (343, 292), (343, 293), (343, 294), (343, 295), (343, 296), (343, 297),
(343, 298), (343, 299), (343, 300), (343, 302), (344, 200), (344, 201), (344, 202), (344, 203), (344, 204), (344, 205), (344, 206), (344, 207), (344, 208), (344, 209), (344, 210), (344, 211), (344, 212), (344, 213), (344, 214), (344, 215), (344, 216), (344, 217), (344, 218), (344, 219), (344, 220), (344, 221), (344, 222), (344, 223), (344, 224), (344, 225), (344, 226), (344, 227), (344, 228), (344, 229), (344, 230), (344, 231), (344, 232), (344, 233), (344, 234), (344, 235), (344, 236), (344, 237), (344, 238), (344, 239), (344, 240), (344, 241), (344, 242), (344, 243), (344, 244), (344, 245), (344, 246), (344, 247), (344, 248), (344, 249), (344, 250), (344, 251), (344, 252), (344, 253), (344, 254), (344, 255), (344, 256), (344, 257), (344, 258), (344, 259), (344, 260), (344, 261), (344, 262), (344, 263), (344, 264), (344, 265), (344, 266), (344, 267),
(344, 268), (344, 269), (344, 270), (344, 271), (344, 272), (344, 273), (344, 274), (344, 275), (344, 276), (344, 277), (344, 278), (344, 279), (344, 280), (344, 281), (344, 282), (344, 283), (344, 284), (344, 285), (344, 286), (344, 287), (344, 288), (344, 289), (344, 290), (344, 291), (344, 292), (344, 293), (344, 294), (344, 295), (344, 296), (344, 297), (344, 298), (344, 299), (344, 300), (344, 302), (345, 201), (345, 203), (345, 204), (345, 205), (345, 206), (345, 207), (345, 208), (345, 209), (345, 210), (345, 211), (345, 212), (345, 213), (345, 214), (345, 215), (345, 216), (345, 217), (345, 218), (345, 219), (345, 220), (345, 221), (345, 222), (345, 223), (345, 224), (345, 225), (345, 226), (345, 227), (345, 228), (345, 229), (345, 230), (345, 231), (345, 232), (345, 233), (345, 234), (345, 235), (345, 236), (345, 237), (345, 238), (345, 239),
(345, 240), (345, 241), (345, 242), (345, 243), (345, 244), (345, 245), (345, 246), (345, 247), (345, 248), (345, 249), (345, 250), (345, 251), (345, 252), (345, 253), (345, 254), (345, 255), (345, 256), (345, 257), (345, 258), (345, 259), (345, 260), (345, 261), (345, 262), (345, 263), (345, 264), (345, 265), (345, 266), (345, 267), (345, 268), (345, 269), (345, 270), (345, 271), (345, 272), (345, 273), (345, 274), (345, 275), (345, 276), (345, 277), (345, 278), (345, 279), (345, 280), (345, 281), (345, 282), (345, 283), (345, 284), (345, 285), (345, 286), (345, 287), (345, 288), (345, 289), (345, 290), (345, 291), (345, 292), (345, 293), (345, 294), (345, 295), (345, 296), (345, 297), (345, 298), (345, 299), (345, 300), (345, 302), (346, 201), (346, 203), (346, 204), (346, 205), (346, 206), (346, 207), (346, 208), (346, 209), (346, 210), (346, 211),
(346, 212), (346, 213), (346, 214), (346, 215), (346, 216), (346, 217), (346, 218), (346, 219), (346, 220), (346, 221), (346, 222), (346, 223), (346, 224), (346, 225), (346, 226), (346, 227), (346, 228), (346, 229), (346, 230), (346, 231), (346, 232), (346, 233), (346, 234), (346, 235), (346, 236), (346, 237), (346, 238), (346, 239), (346, 240), (346, 241), (346, 242), (346, 243), (346, 244), (346, 245), (346, 246), (346, 247), (346, 248), (346, 249), (346, 250), (346, 251), (346, 252), (346, 253), (346, 254), (346, 255), (346, 256), (346, 257), (346, 258), (346, 259), (346, 260), (346, 261), (346, 262), (346, 263), (346, 264), (346, 265), (346, 266), (346, 267), (346, 268), (346, 269), (346, 270), (346, 271), (346, 272), (346, 273), (346, 274), (346, 275), (346, 276), (346, 277), (346, 278), (346, 279), (346, 280), (346, 281), (346, 282), (346, 283),
(346, 284), (346, 285), (346, 286), (346, 287), (346, 288), (346, 289), (346, 290), (346, 291), (346, 292), (346, 293), (346, 294), (346, 295), (346, 296), (346, 297), (346, 298), (346, 299), (346, 301), (347, 201), (347, 202), (347, 203), (347, 204), (347, 205), (347, 206), (347, 207), (347, 208), (347, 209), (347, 210), (347, 211), (347, 212), (347, 213), (347, 214), (347, 215), (347, 216), (347, 217), (347, 218), (347, 219), (347, 220), (347, 221), (347, 222), (347, 223), (347, 224), (347, 225), (347, 226), (347, 227), (347, 228), (347, 229), (347, 230), (347, 231), (347, 232), (347, 233), (347, 234), (347, 235), (347, 236), (347, 237), (347, 238), (347, 239), (347, 240), (347, 241), (347, 242), (347, 243), (347, 244), (347, 245), (347, 246), (347, 247), (347, 248), (347, 249), (347, 250), (347, 251), (347, 252), (347, 253), (347, 254), (347, 255),
(347, 256), (347, 257), (347, 258), (347, 259), (347, 260), (347, 261), (347, 262), (347, 263), (347, 264), (347, 265), (347, 266), (347, 267), (347, 268), (347, 269), (347, 270), (347, 271), (347, 272), (347, 273), (347, 274), (347, 275), (347, 276), (347, 277), (347, 278), (347, 279), (347, 280), (347, 281), (347, 282), (347, 283), (347, 284), (347, 285), (347, 286), (347, 287), (347, 288), (347, 289), (347, 290), (347, 291), (347, 292), (347, 293), (347, 294), (347, 295), (347, 296), (347, 297), (347, 298), (347, 299), (347, 301), (348, 202), (348, 204), (348, 205), (348, 206), (348, 207), (348, 208), (348, 209), (348, 210), (348, 211), (348, 212), (348, 213), (348, 214), (348, 215), (348, 216), (348, 217), (348, 218), (348, 219), (348, 220), (348, 221), (348, 222), (348, 223), (348, 224), (348, 225), (348, 226), (348, 227), (348, 228), (348, 229),
(348, 230), (348, 231), (348, 232), (348, 233), (348, 234), (348, 235), (348, 236), (348, 237), (348, 238), (348, 239), (348, 240), (348, 241), (348, 242), (348, 243), (348, 244), (348, 245), (348, 246), (348, 247), (348, 248), (348, 249), (348, 250), (348, 251), (348, 252), (348, 253), (348, 254), (348, 255), (348, 256), (348, 257), (348, 258), (348, 259), (348, 260), (348, 261), (348, 262), (348, 263), (348, 264), (348, 265), (348, 266), (348, 267), (348, 268), (348, 269), (348, 270), (348, 271), (348, 272), (348, 273), (348, 274), (348, 275), (348, 276), (348, 277), (348, 278), (348, 279), (348, 280), (348, 281), (348, 282), (348, 283), (348, 284), (348, 285), (348, 286), (348, 287), (348, 288), (348, 289), (348, 290), (348, 291), (348, 292), (348, 293), (348, 294), (348, 295), (348, 296), (348, 297), (348, 298), (348, 299), (348, 301), (349, 202),
(349, 204), (349, 205), (349, 206), (349, 207), (349, 208), (349, 209), (349, 210), (349, 211), (349, 212), (349, 213), (349, 214), (349, 215), (349, 216), (349, 217), (349, 218), (349, 219), (349, 220), (349, 221), (349, 222), (349, 223), (349, 224), (349, 225), (349, 226), (349, 227), (349, 228), (349, 229), (349, 230), (349, 231), (349, 232), (349, 233), (349, 234), (349, 235), (349, 236), (349, 237), (349, 238), (349, 239), (349, 240), (349, 241), (349, 242), (349, 243), (349, 244), (349, 245), (349, 246), (349, 247), (349, 248), (349, 249), (349, 250), (349, 251), (349, 252), (349, 253), (349, 254), (349, 255), (349, 256), (349, 257), (349, 258), (349, 259), (349, 260), (349, 261), (349, 262), (349, 263), (349, 264), (349, 265), (349, 266), (349, 267), (349, 268), (349, 269), (349, 270), (349, 271), (349, 272), (349, 273), (349, 274), (349, 275),
(349, 276), (349, 277), (349, 278), (349, 279), (349, 280), (349, 281), (349, 282), (349, 283), (349, 284), (349, 285), (349, 286), (349, 287), (349, 288), (349, 289), (349, 290), (349, 291), (349, 292), (349, 293), (349, 294), (349, 295), (349, 296), (349, 297), (349, 298), (349, 299), (349, 301), (350, 202), (350, 204), (350, 205), (350, 206), (350, 207), (350, 208), (350, 209), (350, 210), (350, 211), (350, 212), (350, 213), (350, 214), (350, 215), (350, 216), (350, 217), (350, 218), (350, 219), (350, 220), (350, 221), (350, 222), (350, 223), (350, 224), (350, 225), (350, 226), (350, 227), (350, 228), (350, 229), (350, 230), (350, 231), (350, 232), (350, 233), (350, 234), (350, 235), (350, 236), (350, 237), (350, 238), (350, 239), (350, 240), (350, 241), (350, 242), (350, 243), (350, 244), (350, 245), (350, 246), (350, 247), (350, 248), (350, 249),
(350, 250), (350, 251), (350, 252), (350, 253), (350, 254), (350, 255), (350, 256), (350, 257), (350, 258), (350, 259), (350, 260), (350, 261), (350, 262), (350, 263), (350, 264), (350, 265), (350, 266), (350, 267), (350, 268), (350, 269), (350, 270), (350, 271), (350, 272), (350, 273), (350, 274), (350, 275), (350, 276), (350, 277), (350, 278), (350, 279), (350, 280), (350, 281), (350, 282), (350, 283), (350, 284), (350, 285), (350, 286), (350, 287), (350, 288), (350, 289), (350, 290), (350, 291), (350, 292), (350, 293), (350, 294), (350, 295), (350, 296), (350, 297), (350, 298), (350, 300), (351, 202), (351, 204), (351, 205), (351, 206), (351, 207), (351, 208), (351, 209), (351, 210), (351, 211), (351, 212), (351, 213), (351, 214), (351, 215), (351, 216), (351, 217), (351, 218), (351, 219), (351, 220), (351, 221), (351, 222), (351, 223), (351, 224),
(351, 225), (351, 226), (351, 227), (351, 228), (351, 229), (351, 230), (351, 231), (351, 232), (351, 233), (351, 234), (351, 235), (351, 236), (351, 237), (351, 238), (351, 239), (351, 240), (351, 241), (351, 242), (351, 243), (351, 244), (351, 245), (351, 246), (351, 247), (351, 248), (351, 249), (351, 250), (351, 251), (351, 252), (351, 253), (351, 254), (351, 255), (351, 256), (351, 257), (351, 258), (351, 259), (351, 260), (351, 261), (351, 262), (351, 263), (351, 264), (351, 265), (351, 266), (351, 267), (351, 268), (351, 269), (351, 270), (351, 271), (351, 272), (351, 273), (351, 274), (351, 275), (351, 276), (351, 277), (351, 278), (351, 279), (351, 280), (351, 281), (351, 282), (351, 283), (351, 284), (351, 285), (351, 286), (351, 287), (351, 288), (351, 289), (351, 290), (351, 291), (351, 292), (351, 293), (351, 294), (351, 295), (351, 296),
(351, 297), (351, 299), (352, 203), (352, 205), (352, 206), (352, 207), (352, 208), (352, 209), (352, 210), (352, 211), (352, 212), (352, 213), (352, 214), (352, 215), (352, 216), (352, 217), (352, 218), (352, 219), (352, 220), (352, 221), (352, 222), (352, 223), (352, 224), (352, 225), (352, 226), (352, 227), (352, 228), (352, 229), (352, 230), (352, 231), (352, 232), (352, 233), (352, 234), (352, 235), (352, 236), (352, 237), (352, 238), (352, 239), (352, 240), (352, 241), (352, 242), (352, 243), (352, 244), (352, 245), (352, 246), (352, 247), (352, 248), (352, 249), (352, 250), (352, 251), (352, 252), (352, 253), (352, 254), (352, 255), (352, 256), (352, 257), (352, 258), (352, 259), (352, 260), (352, 261), (352, 262), (352, 263), (352, 264), (352, 265), (352, 266), (352, 267), (352, 268), (352, 269), (352, 270), (352, 271), (352, 272), (352, 273),
(352, 274), (352, 275), (352, 276), (352, 277), (352, 278), (352, 279), (352, 280), (352, 281), (352, 282), (352, 283), (352, 284), (352, 285), (352, 286), (352, 287), (352, 288), (352, 289), (352, 290), (352, 291), (352, 292), (352, 293), (352, 294), (352, 295), (352, 296), (352, 298), (353, 203), (353, 205), (353, 206), (353, 207), (353, 208), (353, 209), (353, 210), (353, 211), (353, 212), (353, 213), (353, 214), (353, 215), (353, 216), (353, 217), (353, 218), (353, 219), (353, 220), (353, 221), (353, 222), (353, 223), (353, 224), (353, 225), (353, 226), (353, 227), (353, 228), (353, 229), (353, 230), (353, 231), (353, 232), (353, 233), (353, 234), (353, 235), (353, 236), (353, 237), (353, 238), (353, 239), (353, 240), (353, 241), (353, 242), (353, 243), (353, 244), (353, 245), (353, 246), (353, 247), (353, 248), (353, 249), (353, 250), (353, 251),
(353, 252), (353, 253), (353, 254), (353, 255), (353, 256), (353, 257), (353, 258), (353, 259), (353, 260), (353, 261), (353, 262), (353, 263), (353, 264), (353, 265), (353, 266), (353, 267), (353, 268), (353, 269), (353, 270), (353, 271), (353, 272), (353, 273), (353, 274), (353, 275), (353, 276), (353, 277), (353, 278), (353, 279), (353, 280), (353, 281), (353, 282), (353, 283), (353, 284), (353, 285), (353, 286), (353, 287), (353, 288), (353, 289), (353, 290), (353, 291), (353, 292), (353, 293), (353, 294), (353, 295), (353, 297), (354, 203), (354, 205), (354, 206), (354, 207), (354, 208), (354, 209), (354, 210), (354, 211), (354, 212), (354, 213), (354, 214), (354, 215), (354, 216), (354, 217), (354, 218), (354, 219), (354, 220), (354, 221), (354, 222), (354, 223), (354, 224), (354, 225), (354, 226), (354, 227), (354, 228), (354, 229), (354, 230),
(354, 231), (354, 232), (354, 233), (354, 234), (354, 235), (354, 236), (354, 237), (354, 238), (354, 239), (354, 240), (354, 241), (354, 242), (354, 243), (354, 244), (354, 245), (354, 246), (354, 247), (354, 248), (354, 249), (354, 250), (354, 251), (354, 252), (354, 253), (354, 254), (354, 255), (354, 256), (354, 257), (354, 258), (354, 259), (354, 260), (354, 261), (354, 262), (354, 263), (354, 264), (354, 265), (354, 266), (354, 267), (354, 268), (354, 269), (354, 270), (354, 271), (354, 272), (354, 273), (354, 274), (354, 275), (354, 276), (354, 277), (354, 278), (354, 279), (354, 280), (354, 281), (354, 282), (354, 283), (354, 284), (354, 285), (354, 286), (354, 287), (354, 288), (354, 289), (354, 290), (354, 291), (354, 292), (354, 293), (354, 294), (354, 296), (355, 204), (355, 206), (355, 207), (355, 208), (355, 209), (355, 210), (355, 211),
(355, 212), (355, 213), (355, 214), (355, 215), (355, 216), (355, 217), (355, 218), (355, 219), (355, 220), (355, 221), (355, 222), (355, 223), (355, 224), (355, 225), (355, 226), (355, 227), (355, 228), (355, 229), (355, 230), (355, 231), (355, 232), (355, 233), (355, 234), (355, 235), (355, 236), (355, 237), (355, 238), (355, 239), (355, 240), (355, 241), (355, 242), (355, 243), (355, 244), (355, 245), (355, 246), (355, 247), (355, 248), (355, 249), (355, 250), (355, 251), (355, 252), (355, 253), (355, 254), (355, 255), (355, 256), (355, 257), (355, 258), (355, 259), (355, 260), (355, 261), (355, 262), (355, 263), (355, 264), (355, 265), (355, 266), (355, 267), (355, 268), (355, 269), (355, 270), (355, 271), (355, 272), (355, 273), (355, 274), (355, 275), (355, 276), (355, 277), (355, 278), (355, 279), (355, 280), (355, 281), (355, 282), (355, 283),
(355, 284), (355, 285), (355, 286), (355, 287), (355, 288), (355, 289), (355, 290), (355, 291), (355, 292), (355, 293), (355, 295), (356, 205), (356, 207), (356, 208), (356, 209), (356, 210), (356, 211), (356, 212), (356, 213), (356, 214), (356, 215), (356, 216), (356, 217), (356, 218), (356, 219), (356, 220), (356, 221), (356, 222), (356, 223), (356, 224), (356, 225), (356, 226), (356, 227), (356, 228), (356, 229), (356, 230), (356, 231), (356, 232), (356, 233), (356, 234), (356, 235), (356, 236), (356, 237), (356, 238), (356, 239), (356, 240), (356, 241), (356, 242), (356, 243), (356, 244), (356, 245), (356, 246), (356, 247), (356, 248), (356, 249), (356, 250), (356, 251), (356, 252), (356, 253), (356, 254), (356, 255), (356, 256), (356, 257), (356, 258), (356, 259), (356, 260), (356, 261), (356, 262), (356, 263), (356, 264), (356, 265), (356, 266),
(356, 267), (356, 268), (356, 269), (356, 270), (356, 271), (356, 272), (356, 273), (356, 274), (356, 275), (356, 276), (356, 277), (356, 278), (356, 279), (356, 280), (356, 281), (356, 282), (356, 283), (356, 284), (356, 285), (356, 286), (356, 287), (356, 288), (356, 289), (356, 290), (356, 291), (356, 292), (356, 294), (357, 206), (357, 208), (357, 209), (357, 210), (357, 211), (357, 212), (357, 213), (357, 214), (357, 215), (357, 216), (357, 217), (357, 218), (357, 219), (357, 220), (357, 221), (357, 222), (357, 223), (357, 224), (357, 225), (357, 226), (357, 227), (357, 228), (357, 229), (357, 230), (357, 231), (357, 232), (357, 233), (357, 234), (357, 235), (357, 236), (357, 237), (357, 238), (357, 239), (357, 240), (357, 241), (357, 242), (357, 243), (357, 244), (357, 245), (357, 246), (357, 247), (357, 248), (357, 249), (357, 250), (357, 251),
(357, 252), (357, 253), (357, 254), (357, 255), (357, 256), (357, 257), (357, 258), (357, 259), (357, 260), (357, 261), (357, 262), (357, 263), (357, 264), (357, 265), (357, 266), (357, 267), (357, 268), (357, 269), (357, 270), (357, 271), (357, 272), (357, 273), (357, 274), (357, 275), (357, 276), (357, 277), (357, 278), (357, 279), (357, 280), (357, 281), (357, 282), (357, 283), (357, 284), (357, 285), (357, 286), (357, 287), (357, 288), (357, 289), (357, 290), (357, 291), (357, 292), (357, 294), (358, 207), (358, 209), (358, 210), (358, 211), (358, 212), (358, 213), (358, 214), (358, 215), (358, 216), (358, 217), (358, 218), (358, 219), (358, 220), (358, 221), (358, 222), (358, 223), (358, 224), (358, 225), (358, 226), (358, 227), (358, 228), (358, 229), (358, 230), (358, 231), (358, 232), (358, 233), (358, 234), (358, 235), (358, 236), (358, 237),
(358, 238), (358, 239), (358, 240), (358, 241), (358, 242), (358, 243), (358, 244), (358, 245), (358, 246), (358, 247), (358, 248), (358, 249), (358, 250), (358, 251), (358, 252), (358, 253), (358, 254), (358, 255), (358, 256), (358, 257), (358, 258), (358, 259), (358, 260), (358, 261), (358, 262), (358, 263), (358, 264), (358, 265), (358, 266), (358, 267), (358, 268), (358, 269), (358, 270), (358, 271), (358, 272), (358, 273), (358, 274), (358, 275), (358, 276), (358, 277), (358, 278), (358, 279), (358, 280), (358, 281), (358, 282), (358, 283), (358, 284), (358, 285), (358, 286), (358, 287), (358, 288), (358, 289), (358, 290), (358, 291), (358, 292), (358, 294), (359, 208), (359, 210), (359, 211), (359, 212), (359, 213), (359, 214), (359, 215), (359, 216), (359, 217), (359, 218), (359, 219), (359, 220), (359, 221), (359, 222), (359, 223), (359, 224),
(359, 225), (359, 226), (359, 227), (359, 228), (359, 229), (359, 230), (359, 231), (359, 232), (359, 233), (359, 234), (359, 235), (359, 236), (359, 237), (359, 238), (359, 239), (359, 240), (359, 241), (359, 242), (359, 243), (359, 244), (359, 245), (359, 246), (359, 247), (359, 248), (359, 249), (359, 250), (359, 251), (359, 252), (359, 253), (359, 254), (359, 255), (359, 256), (359, 257), (359, 258), (359, 259), (359, 260), (359, 261), (359, 262), (359, 263), (359, 264), (359, 265), (359, 266), (359, 267), (359, 268), (359, 269), (359, 270), (359, 271), (359, 272), (359, 273), (359, 274), (359, 275), (359, 276), (359, 277), (359, 278), (359, 279), (359, 280), (359, 281), (359, 282), (359, 283), (359, 284), (359, 285), (359, 286), (359, 287), (359, 288), (359, 289), (359, 290), (359, 291), (359, 292), (359, 294), (360, 209), (360, 211), (360, 212),
(360, 213), (360, 214), (360, 215), (360, 216), (360, 217), (360, 218), (360, 219), (360, 220), (360, 221), (360, 222), (360, 223), (360, 224), (360, 225), (360, 226), (360, 227), (360, 228), (360, 229), (360, 230), (360, 231), (360, 232), (360, 233), (360, 234), (360, 235), (360, 236), (360, 237), (360, 238), (360, 239), (360, 240), (360, 241), (360, 242), (360, 243), (360, 244), (360, 245), (360, 246), (360, 247), (360, 248), (360, 249), (360, 250), (360, 251), (360, 252), (360, 253), (360, 254), (360, 255), (360, 256), (360, 257), (360, 258), (360, 259), (360, 260), (360, 261), (360, 262), (360, 263), (360, 264), (360, 265), (360, 266), (360, 267), (360, 268), (360, 269), (360, 270), (360, 271), (360, 272), (360, 273), (360, 274), (360, 275), (360, 276), (360, 277), (360, 278), (360, 279), (360, 280), (360, 281), (360, 282), (360, 283), (360, 284),
(360, 285), (360, 286), (360, 287), (360, 288), (360, 289), (360, 294), (361, 210), (361, 212), (361, 213), (361, 214), (361, 215), (361, 216), (361, 217), (361, 218), (361, 219), (361, 220), (361, 221), (361, 222), (361, 223), (361, 224), (361, 225), (361, 226), (361, 227), (361, 228), (361, 229), (361, 230), (361, 231), (361, 232), (361, 233), (361, 234), (361, 235), (361, 236), (361, 237), (361, 238), (361, 239), (361, 240), (361, 241), (361, 242), (361, 243), (361, 244), (361, 245), (361, 246), (361, 247), (361, 248), (361, 249), (361, 250), (361, 251), (361, 252), (361, 253), (361, 254), (361, 255), (361, 256), (361, 257), (361, 258), (361, 259), (361, 260), (361, 261), (361, 262), (361, 263), (361, 264), (361, 265), (361, 266), (361, 267), (361, 268), (361, 269), (361, 270), (361, 271), (361, 272), (361, 273), (361, 274), (361, 275), (361, 276),
(361, 277), (361, 278), (361, 279), (361, 280), (361, 281), (361, 282), (361, 283), (361, 284), (361, 285), (361, 286), (361, 287), (361, 288), (361, 290), (361, 291), (361, 292), (362, 211), (362, 214), (362, 215), (362, 216), (362, 217), (362, 218), (362, 219), (362, 220), (362, 221), (362, 222), (362, 223), (362, 224), (362, 225), (362, 226), (362, 227), (362, 228), (362, 229), (362, 230), (362, 231), (362, 232), (362, 233), (362, 234), (362, 235), (362, 236), (362, 237), (362, 238), (362, 239), (362, 240), (362, 241), (362, 242), (362, 243), (362, 244), (362, 245), (362, 246), (362, 247), (362, 248), (362, 249), (362, 250), (362, 251), (362, 252), (362, 253), (362, 254), (362, 255), (362, 256), (362, 257), (362, 258), (362, 259), (362, 260), (362, 261), (362, 262), (362, 263), (362, 264), (362, 265), (362, 266), (362, 267), (362, 268), (362, 269),
(362, 270), (362, 271), (362, 272), (362, 273), (362, 274), (362, 275), (362, 276), (362, 277), (362, 278), (362, 279), (362, 280), (362, 281), (362, 282), (362, 283), (362, 284), (362, 285), (362, 286), (362, 289), (363, 212), (363, 215), (363, 216), (363, 217), (363, 218), (363, 219), (363, 220), (363, 221), (363, 222), (363, 223), (363, 224), (363, 225), (363, 226), (363, 227), (363, 228), (363, 229), (363, 230), (363, 231), (363, 232), (363, 233), (363, 234), (363, 235), (363, 236), (363, 237), (363, 238), (363, 239), (363, 240), (363, 241), (363, 242), (363, 243), (363, 244), (363, 245), (363, 246), (363, 247), (363, 248), (363, 249), (363, 250), (363, 251), (363, 252), (363, 253), (363, 254), (363, 255), (363, 256), (363, 257), (363, 258), (363, 259), (363, 260), (363, 261), (363, 262), (363, 263), (363, 264), (363, 265), (363, 266), (363, 267),
(363, 268), (363, 269), (363, 270), (363, 271), (363, 272), (363, 273), (363, 274), (363, 275), (363, 276), (363, 277), (363, 278), (363, 279), (363, 280), (363, 281), (363, 282), (363, 283), (363, 284), (363, 285), (363, 288), (364, 213), (364, 216), (364, 217), (364, 218), (364, 219), (364, 220), (364, 221), (364, 222), (364, 223), (364, 224), (364, 225), (364, 226), (364, 227), (364, 228), (364, 229), (364, 230), (364, 231), (364, 232), (364, 233), (364, 234), (364, 235), (364, 236), (364, 237), (364, 238), (364, 239), (364, 240), (364, 241), (364, 242), (364, 243), (364, 244), (364, 245), (364, 246), (364, 247), (364, 248), (364, 249), (364, 250), (364, 251), (364, 252), (364, 253), (364, 254), (364, 255), (364, 256), (364, 257), (364, 258), (364, 259), (364, 260), (364, 261), (364, 262), (364, 263), (364, 264), (364, 265), (364, 266), (364, 267),
(364, 268), (364, 269), (364, 270), (364, 271), (364, 272), (364, 273), (364, 274), (364, 275), (364, 276), (364, 277), (364, 278), (364, 279), (364, 280), (364, 281), (364, 282), (364, 283), (364, 284), (364, 286), (365, 215), (365, 217), (365, 218), (365, 219), (365, 220), (365, 221), (365, 222), (365, 223), (365, 224), (365, 225), (365, 226), (365, 227), (365, 228), (365, 229), (365, 230), (365, 231), (365, 232), (365, 233), (365, 234), (365, 235), (365, 236), (365, 237), (365, 238), (365, 239), (365, 240), (365, 241), (365, 242), (365, 243), (365, 244), (365, 245), (365, 246), (365, 247), (365, 248), (365, 249), (365, 250), (365, 251), (365, 252), (365, 253), (365, 254), (365, 255), (365, 256), (365, 257), (365, 258), (365, 259), (365, 260), (365, 261), (365, 262), (365, 263), (365, 264), (365, 265), (365, 266), (365, 267), (365, 268), (365, 269),
(365, 270), (365, 271), (365, 272), (365, 273), (365, 274), (365, 275), (365, 276), (365, 277), (365, 278), (365, 279), (365, 280), (365, 281), (365, 282), (365, 285), (366, 216), (366, 218), (366, 219), (366, 220), (366, 221), (366, 222), (366, 223), (366, 224), (366, 225), (366, 226), (366, 227), (366, 228), (366, 229), (366, 230), (366, 231), (366, 232), (366, 233), (366, 234), (366, 235), (366, 236), (366, 237), (366, 238), (366, 239), (366, 240), (366, 241), (366, 242), (366, 243), (366, 244), (366, 245), (366, 246), (366, 247), (366, 248), (366, 249), (366, 250), (366, 251), (366, 252), (366, 253), (366, 254), (366, 255), (366, 256), (366, 257), (366, 258), (366, 259), (366, 260), (366, 261), (366, 262), (366, 263), (366, 264), (366, 265), (366, 266), (366, 267), (366, 268), (366, 269), (366, 270), (366, 271), (366, 272), (366, 273), (366, 274),
(366, 275), (366, 276), (366, 277), (366, 278), (366, 279), (366, 280), (366, 281), (366, 284), (367, 217), (367, 220), (367, 221), (367, 222), (367, 223), (367, 224), (367, 225), (367, 226), (367, 227), (367, 228), (367, 229), (367, 230), (367, 231), (367, 232), (367, 233), (367, 234), (367, 235), (367, 236), (367, 237), (367, 238), (367, 239), (367, 240), (367, 241), (367, 242), (367, 243), (367, 244), (367, 245), (367, 246), (367, 247), (367, 248), (367, 249), (367, 250), (367, 251), (367, 252), (367, 253), (367, 254), (367, 255), (367, 256), (367, 257), (367, 258), (367, 259), (367, 260), (367, 261), (367, 262), (367, 263), (367, 264), (367, 265), (367, 266), (367, 267), (367, 268), (367, 269), (367, 270), (367, 271), (367, 272), (367, 273), (367, 274), (367, 275), (367, 276), (367, 277), (367, 278), (367, 279), (367, 282), (368, 218), (368, 221),
(368, 222), (368, 223), (368, 224), (368, 225), (368, 226), (368, 229), (368, 230), (368, 231), (368, 232), (368, 233), (368, 234), (368, 235), (368, 236), (368, 237), (368, 238), (368, 239), (368, 240), (368, 241), (368, 242), (368, 243), (368, 244), (368, 245), (368, 246), (368, 247), (368, 248), (368, 249), (368, 250), (368, 251), (368, 252), (368, 253), (368, 254), (368, 255), (368, 256), (368, 257), (368, 258), (368, 259), (368, 260), (368, 261), (368, 262), (368, 263), (368, 264), (368, 265), (368, 266), (368, 267), (368, 268), (368, 269), (368, 270), (368, 271), (368, 272), (368, 273), (368, 274), (368, 275), (368, 276), (368, 277), (368, 278), (368, 281), (369, 220), (369, 222), (369, 223), (369, 224), (369, 227), (369, 228), (369, 229), (369, 230), (369, 231), (369, 232), (369, 233), (369, 234), (369, 235), (369, 236), (369, 237), (369, 238),
(369, 239), (369, 240), (369, 241), (369, 242), (369, 243), (369, 244), (369, 245), (369, 246), (369, 247), (369, 248), (369, 249), (369, 250), (369, 251), (369, 252), (369, 253), (369, 254), (369, 255), (369, 256), (369, 257), (369, 258), (369, 259), (369, 260), (369, 261), (369, 262), (369, 263), (369, 264), (369, 265), (369, 266), (369, 267), (369, 268), (369, 269), (369, 270), (369, 271), (369, 272), (369, 273), (369, 274), (369, 275), (369, 276), (369, 277), (370, 221), (370, 226), (370, 229), (370, 230), (370, 231), (370, 232), (370, 233), (370, 234), (370, 235), (370, 236), (370, 237), (370, 238), (370, 239), (370, 240), (370, 241), (370, 242), (370, 243), (370, 244), (370, 245), (370, 246), (370, 247), (370, 248), (370, 249), (370, 250), (370, 251), (370, 252), (370, 253), (370, 254), (370, 255), (370, 256), (370, 257), (370, 258), (370, 259),
(370, 260), (370, 261), (370, 262), (370, 263), (370, 264), (370, 265), (370, 266), (370, 267), (370, 268), (370, 269), (370, 270), (370, 271), (370, 272), (370, 273), (370, 274), (370, 275), (370, 276), (370, 278), (371, 222), (371, 224), (371, 230), (371, 232), (371, 233), (371, 234), (371, 235), (371, 236), (371, 237), (371, 238), (371, 239), (371, 240), (371, 241), (371, 242), (371, 243), (371, 244), (371, 245), (371, 246), (371, 247), (371, 248), (371, 249), (371, 250), (371, 251), (371, 252), (371, 253), (371, 254), (371, 255), (371, 256), (371, 257), (371, 258), (371, 259), (371, 260), (371, 261), (371, 262), (371, 263), (371, 264), (371, 265), (371, 266), (371, 267), (371, 268), (371, 269), (371, 270), (371, 271), (371, 272), (371, 273), (371, 274), (371, 275), (371, 277), (372, 230), (372, 232), (372, 233), (372, 234), (372, 235), (372, 236),
(372, 237), (372, 238), (372, 239), (372, 240), (372, 241), (372, 242), (372, 243), (372, 244), (372, 245), (372, 246), (372, 247), (372, 248), (372, 249), (372, 250), (372, 251), (372, 252), (372, 253), (372, 254), (372, 255), (372, 256), (372, 257), (372, 258), (372, 259), (372, 260), (372, 261), (372, 262), (372, 263), (372, 264), (372, 265), (372, 266), (372, 267), (372, 268), (372, 269), (372, 270), (372, 271), (372, 272), (372, 273), (372, 274), (372, 276), (373, 230), (373, 232), (373, 233), (373, 234), (373, 235), (373, 236), (373, 237), (373, 238), (373, 239), (373, 240), (373, 241), (373, 242), (373, 243), (373, 244), (373, 245), (373, 246), (373, 247), (373, 248), (373, 249), (373, 250), (373, 251), (373, 252), (373, 253), (373, 254), (373, 255), (373, 256), (373, 257), (373, 258), (373, 259), (373, 260), (373, 261), (373, 262), (373, 263),
(373, 264), (373, 265), (373, 266), (373, 267), (373, 268), (373, 269), (373, 270), (373, 271), (373, 272), (373, 275), (374, 230), (374, 232), (374, 233), (374, 234), (374, 235), (374, 236), (374, 237), (374, 238), (374, 239), (374, 240), (374, 241), (374, 242), (374, 243), (374, 244), (374, 245), (374, 246), (374, 247), (374, 248), (374, 249), (374, 250), (374, 251), (374, 252), (374, 253), (374, 254), (374, 255), (374, 256), (374, 257), (374, 258), (374, 259), (374, 260), (374, 261), (374, 262), (374, 263), (374, 264), (374, 265), (374, 266), (374, 267), (374, 268), (374, 269), (374, 274), (375, 230), (375, 232), (375, 233), (375, 234), (375, 235), (375, 236), (375, 237), (375, 238), (375, 239), (375, 240), (375, 241), (375, 242), (375, 243), (375, 244), (375, 245), (375, 246), (375, 247), (375, 248), (375, 249), (375, 250), (375, 251), (375, 252),
(375, 253), (375, 254), (375, 255), (375, 256), (375, 257), (375, 258), (375, 259), (375, 260), (375, 265), (375, 266), (375, 267), (375, 270), (375, 271), (376, 231), (376, 233), (376, 234), (376, 235), (376, 236), (376, 237), (376, 238), (376, 239), (376, 240), (376, 241), (376, 242), (376, 243), (376, 244), (376, 245), (376, 246), (376, 247), (376, 248), (376, 249), (376, 250), (376, 251), (376, 252), (376, 253), (376, 254), (376, 255), (376, 256), (376, 257), (376, 258), (376, 259), (376, 262), (376, 263), (376, 264), (376, 268), (376, 269), (377, 231), (377, 233), (377, 234), (377, 235), (377, 236), (377, 237), (377, 238), (377, 239), (377, 240), (377, 241), (377, 242), (377, 243), (377, 244), (377, 245), (377, 246), (377, 247), (377, 248), (377, 249), (377, 250), (377, 251), (377, 252), (377, 253), (377, 254), (377, 255), (377, 256), (377, 257),
(377, 258), (377, 260), (377, 267), (378, 232), (378, 234), (378, 235), (378, 241), (378, 242), (378, 243), (378, 244), (378, 245), (378, 246), (378, 247), (378, 248), (378, 249), (378, 250), (378, 251), (378, 252), (378, 253), (378, 254), (378, 255), (378, 256), (378, 259), (379, 232), (379, 235), (379, 236), (379, 237), (379, 238), (379, 239), (379, 240), (379, 258), (380, 233), (380, 241), (380, 242), (380, 243), (380, 244), (380, 245), (380, 246), (380, 247), (380, 248), (380, 249), (380, 250), (380, 251), (380, 252), (380, 253), (380, 254), (380, 255), (380, 256), )
coordinates_00FF3F = ((152, 225),
(152, 226), (153, 223), (153, 227), (154, 222), (154, 225), (154, 227), (155, 222), (155, 224), (155, 225), (155, 227), (156, 221), (156, 223), (156, 224), (156, 225), (156, 227), (157, 221), (157, 223), (157, 224), (157, 225), (157, 227), (158, 220), (158, 222), (158, 223), (158, 224), (158, 225), (158, 227), (159, 220), (159, 222), (159, 223), (159, 224), (159, 225), (159, 227), (160, 220), (160, 222), (160, 223), (160, 224), (160, 225), (160, 227), (161, 219), (161, 221), (161, 222), (161, 223), (161, 224), (161, 225), (161, 227), (162, 219), (162, 221), (162, 222), (162, 223), (162, 224), (162, 225), (162, 227), (163, 202), (163, 219), (163, 221), (163, 222), (163, 223), (163, 224), (163, 225), (163, 227), (164, 202), (164, 218), (164, 220), (164, 221), (164, 222), (164, 223), (164, 224), (164, 225), (164, 227), (165, 218), (165, 220), (165, 221),
(165, 222), (165, 223), (165, 224), (165, 225), (165, 227), (166, 217), (166, 219), (166, 220), (166, 221), (166, 222), (166, 223), (166, 224), (166, 225), (166, 227), (167, 217), (167, 218), (167, 219), (167, 220), (167, 221), (167, 222), (167, 223), (167, 224), (167, 225), (167, 227), (168, 204), (168, 216), (168, 218), (168, 219), (168, 220), (168, 221), (168, 222), (168, 223), (168, 224), (168, 225), (168, 227), (169, 203), (169, 216), (169, 218), (169, 219), (169, 220), (169, 221), (169, 222), (169, 223), (169, 224), (169, 225), (169, 227), (170, 203), (170, 204), (170, 216), (170, 218), (170, 219), (170, 220), (170, 221), (170, 222), (170, 223), (170, 224), (170, 225), (170, 227), (171, 203), (171, 204), (171, 216), (171, 218), (171, 219), (171, 220), (171, 221), (171, 222), (171, 223), (171, 224), (171, 227), (172, 203), (172, 204), (172, 216),
(172, 218), (172, 219), (172, 220), (172, 221), (172, 222), (172, 225), (172, 227), (173, 203), (173, 217), (173, 219), (173, 220), (173, 221), (173, 224), (174, 202), (174, 203), (174, 217), (174, 219), (174, 220), (174, 222), (175, 218), (175, 221), (176, 218), (176, 221), (328, 210), (328, 213), (329, 211), (329, 213), (330, 212), (330, 213), (331, 213), (331, 214), (332, 213), (332, 214), (333, 213), (333, 214), (334, 212), (334, 214), (335, 211), (335, 214), (336, 211), (336, 214), (337, 211), (337, 214), (338, 212), (338, 214), (339, 214), )
| 855.692308 | 865 | 0.497151 |
fa6d116271efa6250b06087c7f3e912de4ac7b0b | 1,473 | py | Python | tests/test_firewall.py | haginara/pan-os-python | f6f8a04ddd5a1299d8aea08c38ad2ba1059b69e3 | [
"0BSD"
] | 162 | 2016-04-03T12:00:20.000Z | 2020-07-24T18:46:16.000Z | tests/test_firewall.py | haginara/pan-os-python | f6f8a04ddd5a1299d8aea08c38ad2ba1059b69e3 | [
"0BSD"
] | 242 | 2016-03-18T23:53:00.000Z | 2020-07-24T22:02:05.000Z | tests/test_firewall.py | haginara/pan-os-python | f6f8a04ddd5a1299d8aea08c38ad2ba1059b69e3 | [
"0BSD"
] | 95 | 2016-03-16T13:10:28.000Z | 2020-07-17T01:47:15.000Z | # Copyright (c) 2014, Palo Alto Networks
#
# Permission to use, copy, modify, and/or distribute this software for any
# purpose with or without fee is hereby granted, provided that the above
# copyright notice and this permission notice appear in all copies.
#
# THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES
# WITH REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF
# MERCHANTABILITY AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR
# ANY SPECIAL, DIRECT, INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES
# WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN
# ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF
# OR IN CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE.
import unittest
import panos
import panos.firewall
class TestFirewall(unittest.TestCase):
def test_id_returns_serial(self):
expected = "serial#"
fw = panos.firewall.Firewall(serial=expected,)
ret_val = fw.id
self.assertEqual(expected, ret_val)
def test_id_returns_hostname(self):
expected = "hostName"
fw = panos.firewall.Firewall(hostname=expected,)
ret_val = fw.id
self.assertEqual(expected, ret_val)
def test_id_returns_no_id(self):
expected = "<no-id>"
fw = panos.firewall.Firewall()
ret_val = fw.id
self.assertEqual(expected, ret_val)
if __name__ == "__main__":
unittest.main()
| 28.326923 | 74 | 0.717583 |
35f84fc32c1a714ef60b7eadf77f3f1e1bdff609 | 1,623 | pyde | Python | mode/examples/Topics/Fractals and L-Systems/Tree/Tree.pyde | timgates42/processing.py | 78a237922c2a928b83f4ad579dbf8d32c0099890 | [
"Apache-2.0"
] | 1,224 | 2015-01-01T22:09:23.000Z | 2022-03-29T19:43:56.000Z | mode/examples/Topics/Fractals and L-Systems/Tree/Tree.pyde | timgates42/processing.py | 78a237922c2a928b83f4ad579dbf8d32c0099890 | [
"Apache-2.0"
] | 253 | 2015-01-14T03:45:51.000Z | 2022-02-08T01:18:19.000Z | mode/examples/Topics/Fractals and L-Systems/Tree/Tree.pyde | timgates42/processing.py | 78a237922c2a928b83f4ad579dbf8d32c0099890 | [
"Apache-2.0"
] | 225 | 2015-01-13T18:38:33.000Z | 2022-03-30T20:27:39.000Z | """
Recursive Tree
by Daniel Shiffman.
Renders a simple tree-like structure via recursion.
The branching angle is calculated as a function of
the horizontal mouse location. Move the mouse left
and right to change the angle.
"""
def setup():
size(640, 360)
def draw():
background(0)
frameRate(30)
stroke(255)
# Let's pick an angle 0 to 90 degrees based on the mouse position
a = (mouseX / float(width)) * 90
# Convert it to radians
# Start the tree from the bottom of the screen
translate(width / 2, height)
# Draw a line 120 pixels
line(0, 0, 0, -120)
# Move to the end of that line
translate(0, -120)
# Start the recursive branching!
branch(120, radians(a))
def branch(h, theta):
# Each branch will be 2/3rds the size of the previous one
h *= 0.66
# All recursive functions must have an exit condition!!!!
# Here, ours is when the length of the branch is 2 pixels or less
if h > 2:
# Save the current state of transformation (i.e. where are we now)
pushMatrix()
rotate(theta) # Rotate by theta
line(0, 0, 0, -h) # Draw the branch
translate(0, -h) # Move to the end of the branch
branch(h, theta) # Ok, now call myself to draw two branches!!
# Whenever we get back here, we "pop" in order to restore the previous
# matrix state
popMatrix()
# Repeat the same thing, only branch off to the "left" this time!
with pushMatrix():
rotate(-theta)
line(0, 0, 0, -h)
translate(0, -h)
branch(h, theta)
| 31.211538 | 78 | 0.61984 |
9ba0c4a5d260c4a81b2f42f5f4de1f25d02311e4 | 42 | py | Python | Squest/version.py | slarimore02/squest | 369cf7d6a15855d41da36e4689ddfe84c4c5acae | [
"Apache-2.0"
] | null | null | null | Squest/version.py | slarimore02/squest | 369cf7d6a15855d41da36e4689ddfe84c4c5acae | [
"Apache-2.0"
] | null | null | null | Squest/version.py | slarimore02/squest | 369cf7d6a15855d41da36e4689ddfe84c4c5acae | [
"Apache-2.0"
] | null | null | null | __version__ = "1.4"
VERSION = __version__
| 14 | 21 | 0.738095 |
04a7e62cb17767369621cab8167890caca05cf65 | 12,902 | py | Python | libretto/models/individu.py | dezede/dezede | 985ed1b42a2a6bab996e26c1b92444ae04afcc2c | [
"BSD-3-Clause"
] | 15 | 2015-02-10T21:16:31.000Z | 2021-03-25T16:46:20.000Z | libretto/models/individu.py | dezede/dezede | 985ed1b42a2a6bab996e26c1b92444ae04afcc2c | [
"BSD-3-Clause"
] | 4 | 2021-02-10T15:42:08.000Z | 2022-03-11T23:20:38.000Z | libretto/models/individu.py | dezede/dezede | 985ed1b42a2a6bab996e26c1b92444ae04afcc2c | [
"BSD-3-Clause"
] | 6 | 2016-07-10T14:20:48.000Z | 2022-01-19T18:34:02.000Z | from django.core.exceptions import ValidationError
from django.db import connection
from django.db.models import (
CharField, ForeignKey, ManyToManyField, PROTECT, BooleanField)
from django.urls import reverse
from django.utils.html import strip_tags
from django.utils.safestring import mark_safe
from django.utils.translation import (
pgettext_lazy, ugettext, ugettext_lazy as _)
from tinymce.models import HTMLField
from common.utils.abbreviate import abbreviate
from common.utils.html import href, sc, hlp
from common.utils.text import str_list, str_list_w_last, ex
from .base import (
CommonModel, AutoriteModel, UniqueSlugModel, TypeDeParente,
PublishedManager, PublishedQuerySet, AncrageSpatioTemporel,
slugify_unicode, ISNI_VALIDATORS)
from .evenement import Evenement
__all__ = ('TypeDeParenteDIndividus', 'ParenteDIndividus', 'Individu')
class TypeDeParenteDIndividus(TypeDeParente):
class Meta(object):
unique_together = ('nom', 'nom_relatif')
verbose_name = _('type de parenté d’individus')
verbose_name_plural = _('types de parenté d’individus')
ordering = ('classement',)
@staticmethod
def invalidated_relations_when_saved(all_relations=False):
if all_relations:
return ('parentes',)
return ()
class ParenteDIndividus(CommonModel):
type = ForeignKey('TypeDeParenteDIndividus', related_name='parentes',
verbose_name=_('type'), on_delete=PROTECT)
parent = ForeignKey('Individu', related_name='enfances',
verbose_name=_('individu parent'), on_delete=PROTECT)
enfant = ForeignKey('Individu', related_name='parentes',
verbose_name=_('individu enfant'), on_delete=PROTECT)
class Meta(object):
verbose_name = _('parenté d’individus')
verbose_name_plural = _('parentés d’individus')
ordering = ('type', 'parent', 'enfant')
@staticmethod
def invalidated_relations_when_saved(all_relations=False):
if all_relations:
return ('parent', 'enfant')
return ()
def clean(self):
try:
parent, enfant = self.parent, self.enfant
except Individu.DoesNotExist:
return
if parent and enfant and parent == enfant:
raise ValidationError(_('Un individu ne peut avoir une '
'parenté avec lui-même.'))
def __str__(self):
return ugettext('%(parent)s, %(type)s de %(enfant)s') % {
'parent': self.parent, 'type': self.type.nom,
'enfant': self.enfant}
class IndividuQuerySet(PublishedQuerySet):
def are_feminins(self):
return all(i.is_feminin() for i in self)
class IndividuManager(PublishedManager):
def get_queryset(self):
return IndividuQuerySet(self.model, using=self._db)
def are_feminins(self):
return self.get_queryset().are_feminins()
class Individu(AutoriteModel, UniqueSlugModel):
particule_nom = CharField(
_('particule du nom d’usage'), max_length=10, blank=True,
db_index=True)
# TODO: rendre le champ nom 'blank'
nom = CharField(_('nom d’usage'), max_length=200, db_index=True)
particule_nom_naissance = CharField(
_('particule du nom de naissance'), max_length=10, blank=True,
db_index=True)
nom_naissance = CharField(
_('nom de naissance'), max_length=200, blank=True, db_index=True,
help_text=_('Ne remplir que s’il est différent du nom d’usage.'))
prenoms = CharField(_('prénoms'), max_length=50, blank=True,
db_index=True, help_text=ex('Antonio'))
prenoms_complets = CharField(
_('prénoms complets'), max_length=100, blank=True, db_index=True,
help_text=
ex('Antonio Lucio',
post=' Ne remplir que s’il existe un ou des prénoms '
'peu usités pour cet individu.'))
pseudonyme = CharField(_('pseudonyme'), max_length=200, blank=True,
db_index=True)
DESIGNATIONS = (
('S', _('Standard (nom, prénoms et pseudonyme)')),
('P', _('Pseudonyme (uniquement)')),
('L', _('Nom d’usage (uniquement)')), # L pour Last name
('B', _('Nom de naissance (standard)')), # B pour Birth name
('F', _('Prénom(s) (uniquement)')), # F pour First name
)
designation = CharField(_('affichage'), max_length=1,
choices=DESIGNATIONS, default='S')
TITRES = (
('M', _('M.')),
('J', _('Mlle')), # J pour Jouvencelle
('F', _('Mme')),
)
titre = CharField(pgettext_lazy('individu', 'titre'), max_length=1,
choices=TITRES, blank=True, db_index=True)
naissance = AncrageSpatioTemporel(has_heure=False,
verbose_name=_('naissance'))
deces = AncrageSpatioTemporel(has_heure=False,
verbose_name=_('décès'))
professions = ManyToManyField(
'Profession', related_name='individus', blank=True,
verbose_name=_('professions'))
enfants = ManyToManyField(
'self', through='ParenteDIndividus', related_name='parents',
symmetrical=False, verbose_name=_('enfants'))
biographie = HTMLField(_('biographie'), blank=True)
isni = CharField(
_('Identifiant ISNI'), max_length=16, blank=True,
validators=ISNI_VALIDATORS,
help_text=_('Exemple : « 0000000121269154 » pour Mozart.'))
sans_isni = BooleanField(_('sans ISNI'), default=False)
objects = IndividuManager()
class Meta(object):
verbose_name = _('individu')
verbose_name_plural = _('individus')
ordering = ('nom',)
permissions = (('can_change_status', _('Peut changer l’état')),)
@staticmethod
def invalidated_relations_when_saved(all_relations=False):
relations = ('auteurs', 'elements_de_distribution',)
if all_relations:
relations += ('enfants', 'dossiers',)
return relations
def get_slug(self):
parent = super(Individu, self).get_slug()
return slugify_unicode(self.nom) or parent
def get_absolute_url(self):
return reverse('individu_detail', args=(self.slug,))
def permalien(self):
return reverse('individu_permanent_detail', args=(self.pk,))
def link(self):
return self.html()
link.short_description = _('lien')
def oeuvres(self):
oeuvres = self.auteurs.oeuvres()
return oeuvres.exclude(extrait_de__in=oeuvres)
def oeuvres_with_descendants(self):
return self.auteurs.oeuvres()
def publications(self):
return self.auteurs.sources()
def apparitions(self):
# FIXME: Gérer la période d’activité des membres d’un groupe.
sql = """
SELECT DISTINCT COALESCE(distribution.evenement_id, programme.evenement_id)
FROM libretto_elementdedistribution AS distribution
LEFT JOIN libretto_elementdeprogramme AS programme
ON (programme.id = distribution.element_de_programme_id)
WHERE distribution.individu_id = %s
"""
with connection.cursor() as cursor:
cursor.execute(sql, (self.pk,))
evenement_ids = [t[0] for t in cursor.fetchall()]
return Evenement.objects.filter(id__in=evenement_ids)
def evenements_referents(self):
return Evenement.objects.filter(
programme__oeuvre__auteurs__individu=self).distinct()
def membre_de(self):
return self.membres.order_by('-debut', 'instrument', 'classement')
def calc_titre(self, tags=False):
titre = self.titre
if not titre:
return ''
if tags:
if titre == 'M':
return hlp(ugettext('M.'), 'Monsieur')
elif titre == 'J':
return hlp(ugettext('M<sup>lle</sup>'), 'Mademoiselle')
elif titre == 'F':
return hlp(ugettext('M<sup>me</sup>'), 'Madame')
if titre == 'M':
return ugettext('Monsieur')
elif titre == 'J':
return ugettext('Mademoiselle')
elif titre == 'F':
return ugettext('Madame')
raise ValueError('Type de titre inconnu, il devrait être M, J, ou F.')
def is_feminin(self):
return self.titre in ('J', 'F',)
def get_particule(self, naissance=False, lon=True):
particule = (self.particule_nom_naissance if naissance
else self.particule_nom)
if lon and particule and particule[-1] not in "'’":
return f'{particule} '
return particule
def calc_professions(self, tags=True):
if not self.pk:
return ''
return mark_safe(
str_list_w_last(
p.html(feminin=self.is_feminin(), tags=tags, caps=i == 0)
for i, p in enumerate(self.professions.all())
)
)
calc_professions.short_description = _('professions')
calc_professions.admin_order_field = 'professions__nom'
def html(self, tags=True, lon=False,
show_prenoms=True, designation=None, abbr=True, links=True):
if designation is None:
designation = self.designation
titre = self.calc_titre(tags)
prenoms = (self.prenoms_complets if lon and self.prenoms_complets
else self.prenoms)
nom = self.nom
if lon:
nom = f'{self.get_particule()}{nom}'
pseudonyme = self.pseudonyme
def standard(main, prenoms):
particule = self.get_particule(naissance=(designation == 'B'),
lon=lon)
l = []
if nom and not prenoms:
l.append(titre)
l.append(main)
if show_prenoms and (prenoms or particule and not lon):
if lon:
l.insert(max(len(l) - 1, 0), prenoms)
else:
if prenoms:
prenoms = abbreviate(prenoms, tags=tags, enabled=abbr)
if particule:
particule = sc(particule, tags)
prenom_and_particule = (f'{prenoms} {particule}'
if prenoms and particule
else (prenoms or particule))
l.append(f'({prenom_and_particule})')
out = str_list(l, ' ')
if pseudonyme:
alias = (ugettext('dite') if self.is_feminin()
else ugettext('dit'))
out += f' {alias}\u00A0{pseudonyme}'
return out
if designation in 'SL':
main = nom
elif designation == 'F':
main = prenoms
elif designation == 'P':
main = pseudonyme
elif designation == 'B':
nom_naissance = self.nom_naissance
if lon:
nom_naissance = f'{self.get_particule(True)}{nom_naissance}'
main = nom_naissance
main = sc(main, tags)
out = standard(main, prenoms) if designation in 'SB' else main
if tags:
return href(self.get_absolute_url(), out, links)
return out
html.short_description = _('rendu HTML')
def nom_seul(self, tags=False, abbr=False, links=False):
return self.html(tags=tags, lon=False, show_prenoms=False,
abbr=abbr, links=links)
def nom_complet(self, tags=True, designation='S',
abbr=False, links=True):
return self.html(tags=tags, lon=True,
designation=designation, abbr=abbr, links=links)
def related_label(self, tags=False):
return self.html(tags=tags, abbr=False)
related_label.short_description = _('individu')
def related_label_html(self):
return self.related_label(tags=True)
def clean(self):
naissance = self.naissance.date
deces = self.deces.date
if naissance and deces and deces < naissance:
message = _('Le décès ne peut précéder la naissance.')
raise ValidationError({'naissance_date': message,
'deces_date': message})
if self.isni and self.sans_isni:
message = _('« ISNI » ne peut être rempli '
'lorsque « Sans ISNI » est coché.')
raise ValidationError({'isni': message, 'sans_isni': message})
def __str__(self):
return strip_tags(self.html(tags=False))
@staticmethod
def autocomplete_search_fields():
return (
'nom__unaccent__icontains',
'nom_naissance__unaccent__icontains',
'pseudonyme__unaccent__icontains',
'prenoms__unaccent__icontains',
)
| 37.725146 | 83 | 0.600605 |
d021caacc345b859b3820976f94fc1111a1c87e4 | 1,507 | py | Python | lecture09/zipcode.py | nd-cse-20289-sp22/cse-20289-sp22-examples | 7ef32af96a7ed7679a01980bc0db83ef22058c31 | [
"MIT"
] | 1 | 2022-02-17T21:31:07.000Z | 2022-02-17T21:31:07.000Z | lecture09/zipcode.py | nd-cse-20289-sp21/cse-20289-sp21-examples | 490b49ea2d49de0daace44fa661c8878b6bdf6a4 | [
"MIT"
] | null | null | null | lecture09/zipcode.py | nd-cse-20289-sp21/cse-20289-sp21-examples | 490b49ea2d49de0daace44fa661c8878b6bdf6a4 | [
"MIT"
] | 8 | 2021-03-05T18:48:21.000Z | 2021-05-23T15:11:56.000Z | #!/usr/bin/env python3
import os
import re
import sys
import requests
# Functions
def usage(status=0):
print(f'''Usage: {os.path.basename(sys.argv[0])} [flags]
-c CITY Which city to search
-s STATE Which state to search (Indiana)''')
sys.exit(status)
def zipcodes(city, state):
url = f'https://www.zipcodestogo.com/{state}/'
regex = r'/([^/]+)/[A-Z]{2}/([0-9]{5})/">' # Review: regex
# Discuss: popen
#response = os.popen('curl -sL {}'.format(url)).read()
#for current, zipcode in re.findall(regex, response):
headers = {'User-Agent': __name__} # Discuss: requests
response = requests.get(url, headers=headers)
# Discuss: re.findall
for current, zipcode in re.findall(regex, response.text):
if city is None or city == current:
print(zipcode)
def main():
state = 'Indiana'
city = None # Review: None
arguments = sys.argv[1:] # Review: parsing arguments
while arguments and arguments[0].startswith('-'):
argument = arguments.pop(0)
if argument == '-c':
city = arguments.pop(0)
elif argument == '-s':
state = arguments.pop(0)
elif argument == '-h':
usage(0)
else:
usage(1)
zipcodes(city, state)
# Main execution
if __name__ == '__main__':
main()
| 27.4 | 75 | 0.525547 |
78de1eae4a7e25191ccd8f485396746227b52fae | 3,267 | py | Python | email_queue.py | aroraumang/email-queue-1 | 1770bda5110b12a24cedeef03e083269e9d9ad46 | [
"BSD-3-Clause"
] | null | null | null | email_queue.py | aroraumang/email-queue-1 | 1770bda5110b12a24cedeef03e083269e9d9ad46 | [
"BSD-3-Clause"
] | null | null | null | email_queue.py | aroraumang/email-queue-1 | 1770bda5110b12a24cedeef03e083269e9d9ad46 | [
"BSD-3-Clause"
] | null | null | null | # -*- coding: utf-8 -*-
"""
email_queue.py
"""
from email.message import Message
from trytond.model import ModelSQL, ModelView, fields
from trytond.sendmail import get_smtp_server
from trytond.transaction import Transaction
__all__ = ['EmailQueue']
class EmailQueue(ModelSQL, ModelView):
"""
Email Queue
"""
__name__ = "email.queue"
from_addr = fields.Char("From Address", required=True, readonly=True)
to_addrs = fields.Char("To Addresses", required=True, readonly=True)
msg = fields.Text("Message", required=True, readonly=True)
attempts = fields.Integer("Attempts", required=True, readonly=True)
state = fields.Selection([
("outbox", "Outbox"),
("sending", "Sending"),
("sent", "Sent"),
("failed", "Failed"),
], "State", required=True, readonly=True)
@staticmethod
def default_state():
return "outbox"
@staticmethod
def default_attempts():
return 0
@classmethod
def queue_mail(cls, from_addr, to_addrs, msg):
"""
Add the message to the email queue
:param from_addr: Address from which the email is sent
:type from_addr: String
:param to_addres: A string or a list of string addresses.
(a bare string will be treated as a list with 1
address)
:param msg: RFC822 Message as a string or an instance of Message or
its subclasses from email.mime module
"""
if isinstance(to_addrs, (list, tuple)):
to_addrs = ','.join(to_addrs)
if isinstance(msg, Message):
msg = msg.as_string()
return cls.create([{
'from_addr': from_addr,
'to_addrs': to_addrs,
'msg': msg,
}])
def send(self, smtp_server):
"""
Send this email with transaction safety using the given server
"""
assert self.state == 'outbox', 'Only mails in outbox can be sent'
values = {'attempts': self.attempts + 1}
with Transaction().new_transaction() as txn:
try:
self.write([self], {'state': 'sending'})
smtp_server.sendmail(
self.from_addr, self.to_addrs.replace(';', ',').split(','),
self.msg
)
except Exception:
txn.rollback()
# Record the attempts and check if the mail has to be
# marked for permanent failure
with Transaction().new_transaction() as txn:
if values['attempts'] >= 3:
values['state'] = 'failed'
self.write([self], values)
txn.commit()
# Finally raise the exception again
raise
else:
values['state'] = 'sent'
self.write([self], values)
txn.commit()
@classmethod
def send_all(cls):
"""
Sends emails with the default SMTP server and marks them as sent.
"""
server = get_smtp_server()
for mail in cls.search([('state', '=', 'outbox')]):
mail.send(server)
server.quit()
| 29.7 | 79 | 0.544536 |
bfa0b329f95975f21ee545458c656daea12ee0f1 | 4,139 | py | Python | project/settings.py | cspt2-build-week-abr/Backend | 2e349f3ff73db1cbe9bb4f13fceae4847fe47f2f | [
"MIT"
] | null | null | null | project/settings.py | cspt2-build-week-abr/Backend | 2e349f3ff73db1cbe9bb4f13fceae4847fe47f2f | [
"MIT"
] | 8 | 2019-12-04T23:44:37.000Z | 2022-02-10T11:45:47.000Z | project/settings.py | cspt2-build-week-abr/Backend | 2e349f3ff73db1cbe9bb4f13fceae4847fe47f2f | [
"MIT"
] | null | null | null | """
Django settings for project project.
Generated by 'django-admin startproject' using Django 2.2.3.
For more information on this file, see
https://docs.djangoproject.com/en/2.2/topics/settings/
For the full list of settings and their values, see
https://docs.djangoproject.com/en/2.2/ref/settings/
"""
import os
# Build paths inside the project like this: os.path.join(BASE_DIR, ...)
BASE_DIR = os.path.dirname(os.path.dirname(os.path.abspath(__file__)))
# Quick-start development settings - unsuitable for production
# See https://docs.djangoproject.com/en/2.2/howto/deployment/checklist/
# SECURITY WARNING: keep the secret key used in production secret!
SECRET_KEY = 'yl3k7@b7@-a6i(%nq^-970&*(0%=%)g%$+_j@xmzpzq=g6_wzy'
# SECURITY WARNING: don't run with debug turned on in production!
DEBUG = True
ALLOWED_HOSTS = ['mud-pokemon.herokuapp.com', '127.0.0.1', 'localhost']
# Application definition
INSTALLED_APPS = [
'corsheaders',
'mud',
'graphene_django',
'django.contrib.admin',
'django.contrib.auth',
'django.contrib.contenttypes',
'django.contrib.sessions',
'django.contrib.messages',
'django.contrib.staticfiles',
]
MIDDLEWARE = [
'corsheaders.middleware.CorsMiddleware',
'django.middleware.common.CommonMiddleware',
'whitenoise.middleware.WhiteNoiseMiddleware',
'django.middleware.security.SecurityMiddleware',
'django.contrib.sessions.middleware.SessionMiddleware',
'django.middleware.common.CommonMiddleware',
'django.middleware.csrf.CsrfViewMiddleware',
'django.contrib.auth.middleware.AuthenticationMiddleware',
'django.contrib.messages.middleware.MessageMiddleware',
'django.middleware.clickjacking.XFrameOptionsMiddleware',
]
ROOT_URLCONF = 'project.urls'
CORS_ORIGIN_ALLOW_ALL = True
CORS_ORIGIN_WHITELIST = (
'http://localhost:3000',
)
CSRF_COOKIE_SECURE = False
TEMPLATES = [
{
'BACKEND': 'django.template.backends.django.DjangoTemplates',
'DIRS': [],
'APP_DIRS': True,
'OPTIONS': {
'context_processors': [
'django.template.context_processors.debug',
'django.template.context_processors.request',
'django.contrib.auth.context_processors.auth',
'django.contrib.messages.context_processors.messages',
],
},
},
]
WSGI_APPLICATION = 'project.wsgi.application'
# Database
# https://docs.djangoproject.com/en/2.2/ref/settings/#databases
DATABASES = {
'default': {
'ENGINE': 'django.db.backends.sqlite3',
'NAME': os.path.join(BASE_DIR, 'db.sqlite3'),
}
}
# Password validation
# https://docs.djangoproject.com/en/2.2/ref/settings/#auth-password-validators
AUTH_PASSWORD_VALIDATORS = [
{
'NAME': 'django.contrib.auth.password_validation.UserAttributeSimilarityValidator',
},
{
'NAME': 'django.contrib.auth.password_validation.MinimumLengthValidator',
},
{
'NAME': 'django.contrib.auth.password_validation.CommonPasswordValidator',
},
{
'NAME': 'django.contrib.auth.password_validation.NumericPasswordValidator',
},
]
# Internationalization
# https://docs.djangoproject.com/en/2.2/topics/i18n/
LANGUAGE_CODE = 'en-us'
TIME_ZONE = 'UTC'
USE_I18N = True
USE_L10N = True
USE_TZ = True
# Static files (CSS, JavaScript, Images)
# https://docs.djangoproject.com/en/2.2/howto/static-files/
STATIC_URL = '/static/'
GRAPHENE = {
'SCHEMA': 'mud.schema.schema',
}
# Static files (CSS, JavaScript, Images)
# https://docs.djangoproject.com/en/1.11/howto/static-files/
PROJECT_ROOT = os.path.join(os.path.abspath(__file__))
STATIC_ROOT = os.path.join(PROJECT_ROOT, 'staticfiles')
STATIC_URL = '/static/'
# Extra lookup directories for collectstatic to find static files
STATICFILES_DIRS = (
os.path.join(PROJECT_ROOT, 'static'),
)
# Add configuration for static files storage using whitenoise
STATICFILES_STORAGE = 'whitenoise.storage.CompressedManifestStaticFilesStorage'
import dj_database_url
prod_db = dj_database_url.config(conn_max_age=500)
DATABASES['default'].update(prod_db)
| 27.052288 | 91 | 0.708867 |
3172f7c8257ac226b61908e6a7ad8809bda81362 | 501 | py | Python | VernamCipher ~ Encoder and Decoder.py | MichaelWiciak/Ciphers | 15cb979448ccc74b148877ae06142666f55187df | [
"MIT"
] | null | null | null | VernamCipher ~ Encoder and Decoder.py | MichaelWiciak/Ciphers | 15cb979448ccc74b148877ae06142666f55187df | [
"MIT"
] | null | null | null | VernamCipher ~ Encoder and Decoder.py | MichaelWiciak/Ciphers | 15cb979448ccc74b148877ae06142666f55187df | [
"MIT"
] | null | null | null | class VernamCipher(object):
def __init__(self):
self.__key = "abcdefghijklmnbodujdjhdabcdefghijklmnbodujdjhd"
def useVernamCipher(self,stringToBeEncrypted):
text = stringToBeEncrypted
encryptedText = ""
pointer = 0
for char in text:
encryptedText += chr(ord(char) ^ ord(self.__key[pointer]))
pointer += 1
if pointer ==len(self.__key):
pointer = 0
return encryptedText
| 31.3125 | 71 | 0.576846 |
8abcccffdbd0a766917c2fc6d5e0462a58fceeb3 | 8,464 | py | Python | platform/android/scripts/release.py | kravtsun/mapbox-gl-native | ea8ec38df156c6683c886253dbb1f6bc828686ff | [
"BSL-1.0",
"Apache-2.0"
] | null | null | null | platform/android/scripts/release.py | kravtsun/mapbox-gl-native | ea8ec38df156c6683c886253dbb1f6bc828686ff | [
"BSL-1.0",
"Apache-2.0"
] | null | null | null | platform/android/scripts/release.py | kravtsun/mapbox-gl-native | ea8ec38df156c6683c886253dbb1f6bc828686ff | [
"BSL-1.0",
"Apache-2.0"
] | null | null | null | '''
Utility to schedule SDK builds in Bitrise.
Examples:
- Publish a snapshot from master (release.py uses the current branch)
$ git branch
* master
1234-fix-crash
$ python release.py --stage snapshot
- Publish a snapshot from a feature branch (same as before, just switch branchs with git):
$ git branch
master
* 1234-fix-crash
$ python release.py --stage snapshot
- Publish a beta from a pre-release branch:
$ git branch
master
* release-android-420-beta1
$ python release.py --stage beta --version 4.2.0-beta.1
- Publish a beta from a release branch:
$ git branch
master
* release-android-420
$ python release.py --stage final --version 4.2.0
TODO:
- Add a flag to wait until the release has been built (Bitrise) and published (Maven).
'''
import click
import json
import os
import requests
import subprocess
# Three stages, from less stable to more stable
ALLOWED_STAGES = ['snapshot', 'beta', 'final']
# Get the version from GRADLE_PROPERTIES_PATH below
CURRENT_VERSION_TAG = 'current'
# You can find the API token in https://www.bitrise.io/app/79cdcbdc42de4303#/code -> API token
BITRISE_API_TOKEN_ENV_VAR = 'BITRISE_API_TOKEN'
# In the future we might want to consider alpha, or rc.
ALLOWED_PRE_RELEASE = ['beta']
# We get the default version from here
MAPBOX_GL_ANDROID_SDK_PATH = '../MapboxGLAndroidSDK'
GRADLE_PROPERTIES_PATH = '%s/gradle.properties' % MAPBOX_GL_ANDROID_SDK_PATH
GRADLE_TOKEN = 'VERSION_NAME='
FABRIC_PROPERTIES_PATH = '%s/src/main/resources/fabric/com.mapbox.mapboxsdk.mapbox-android-sdk.properties' % MAPBOX_GL_ANDROID_SDK_PATH
FABRIC_TOKEN = 'fabric-version='
# Bitrise
URL_BITRISE = 'https://www.bitrise.io/app/79cdcbdc42de4303/build/start.json'
# We support three parameters: stage, branch, and version
@click.command()
@click.option('--stage', default=ALLOWED_STAGES[0], type=click.Choice(ALLOWED_STAGES), prompt='Set stage', help='The release stage.')
@click.option('--version', default=CURRENT_VERSION_TAG, prompt='Set version', help='The version you want to publish. E.g: 4.2.0-SNAPSHOT, 4.2.0-beta.1, or 4.2.0. If you set the version to "%s", the script will default to the current SNAPSHOT version.' % CURRENT_VERSION_TAG)
def release(stage, version):
# Validate params
final_stage = validate_stage(stage=stage)
final_branch = validate_branch(stage=final_stage)
final_version = validate_version(stage=final_stage, branch=final_branch, version=version)
# Get user confirmation
click.echo('\n===== Build information =====')
click.echo('- Stage: %s' % final_stage)
click.echo('- Branch: %s' % final_branch)
click.echo('- Version: %s' % final_version)
click.confirm('\nDoes it look right?', abort=True)
# Proceed
if (final_stage == 'snapshot'):
publish_snapshot(branch=final_branch, version=final_version)
elif (final_stage == 'beta'):
publish_beta(branch=final_branch, version=final_version)
elif (final_stage == 'final'):
publish_final(branch=final_branch, version=final_version)
def validate_stage(stage):
if stage not in ALLOWED_STAGES:
abort_with_message('Invalid stage: %s' % stage)
return stage
def validate_branch(stage):
branch = git_get_current_branch()
if not branch:
abort_with_message('The current folder is not a git repository.')
if branch == 'master' and stage != 'snapshot':
abort_with_message('You need to swtich to a release branch for a beta or a final release.')
return branch
def validate_version(stage, branch, version):
if stage == 'snapshot' and branch == 'master' and version != CURRENT_VERSION_TAG:
abort_with_message('You cannot specify a custom version if you are building a snapshot from master.')
if not version or version == CURRENT_VERSION_TAG:
version = get_current_version(file_path=GRADLE_PROPERTIES_PATH, file_var=GRADLE_TOKEN)
if stage == 'snapshot':
if not 'SNAPSHOT' in version:
abort_with_message('Version should contain the word SNAPSHOT: %s' % version)
elif stage == 'beta':
if not ALLOWED_PRE_RELEASE[0] in version:
abort_with_message('Version should contain the word %s: %s' % (ALLOWED_PRE_RELEASE[0], version))
elif stage == 'final':
if not version or 'SNAPSHOT' in version or ALLOWED_PRE_RELEASE[0] in version:
abort_with_message('Version cannot be empty, or contain the words SNAPSHOT or %s: %s' % (ALLOWED_PRE_RELEASE[0], version))
return version
def publish_snapshot(branch, version):
click.echo('Publishing snapshot for branch: %s (version: %s).' % (branch, version))
if branch != 'master':
dirty_gradle = update_current_version(file_path=GRADLE_PROPERTIES_PATH, file_var=GRADLE_TOKEN, version=version)
if dirty_gradle:
git_add(path=GRADLE_PROPERTIES_PATH)
git_commit_and_push(branch=branch, version=version)
do_bitrise_request(build_params={'branch': branch, 'workflow_id': 'scheduled'})
def publish_beta(branch, version):
click.echo('Publishing beta from branch: %s (version: %s).' % (branch, version))
dirty_gradle = update_current_version(file_path=GRADLE_PROPERTIES_PATH, file_var=GRADLE_TOKEN, version=version)
if dirty_gradle:
git_add(path=GRADLE_PROPERTIES_PATH)
git_commit_and_push(branch=branch, version=version)
do_bitrise_request(build_params={'branch': branch, 'workflow_id': 'scheduled'})
def publish_final(branch, version):
click.echo('Publishing final release from branch: %s (version: %s).' % (branch, version))
dirty_gradle = update_current_version(file_path=GRADLE_PROPERTIES_PATH, file_var=GRADLE_TOKEN, version=version)
if dirty_gradle:
git_add(path=GRADLE_PROPERTIES_PATH)
dirty_fabric = update_current_version(file_path=FABRIC_PROPERTIES_PATH, file_var=FABRIC_TOKEN, version=version)
if dirty_fabric:
git_add(path=FABRIC_PROPERTIES_PATH)
if dirty_gradle or dirty_fabric:
git_commit_and_push(branch=branch, version=version)
do_bitrise_request(build_params={'branch': branch, 'workflow_id': 'scheduled'})
#
# Utils
#
def abort_with_message(message):
click.echo(message)
click.get_current_context().abort()
def execute_call(command):
click.echo('Executing: %s' % command)
result = subprocess.call(command, shell=True)
if result != 0:
abort_with_message('Command failed: %s' % command)
#
# Bitrise
#
def get_bitrise_api_token():
bitrise_api_token = os.environ.get(BITRISE_API_TOKEN_ENV_VAR)
if not bitrise_api_token:
abort_with_message('You need to set the BITRISE_API_TOKEN environment variable.')
click.echo('Found Bitrise API token.')
return bitrise_api_token
def do_bitrise_request(build_params):
data = {
'hook_info': {'type': 'bitrise', 'api_token': get_bitrise_api_token()},
'build_params' : build_params}
click.echo('Bitrise request data: %s' % json.dumps(data))
click.confirm('\nDo you want to start a build?', abort=True)
r = requests.post(URL_BITRISE, data=json.dumps(data))
click.echo('- Bitrise response code: %s' % r.status_code)
click.echo('- Bitrise response content: %s' % r.text)
#
# Git
#
def git_get_current_branch():
return subprocess.check_output('git symbolic-ref --short HEAD'.split(' ')).strip()
def git_add(path):
execute_call(command='git add %s' % path)
def git_commit_and_push(branch, version):
message = '[android] [auto] Update properties to version %s in preparation for build.' % version
commands = [
'git commit -m "%s"' % message,
'git push -u origin %s' % branch]
for command in commands:
execute_call(command=command)
#
# Read and update properties files
#
def get_current_version(file_path, file_var):
click.echo('Getting current version from %s.' % file_path)
with open(file_path, 'r') as f:
for line in f:
if line.startswith(file_var):
version_name = line[len(file_var):].strip()
click.echo('Current version is %s.' % version_name)
return version_name
return None
def update_current_version(file_path, file_var, version):
dirty = False
click.echo('Updating file to version %s: %s.' % (version, file_path))
with open(file_path, 'r') as f:
file_lines = f.readlines()
for line_number in range(len(file_lines)):
if file_lines[line_number].startswith(file_var):
content_old = file_lines[line_number]
content_new = '%s%s\n' % (file_var, version)
if (content_old != content_new):
click.echo('%s -> %s' % (content_old.strip(), content_new.strip()))
file_lines[line_number] = content_new
dirty = True
if dirty:
with open(file_path, 'w') as f:
f.writelines(file_lines)
else:
click.echo('File already has the right version.')
return dirty
if __name__ == '__main__':
release()
| 34.688525 | 274 | 0.749055 |
b03962a578373ef3ac798cbf8f27f25faac7340a | 18,157 | py | Python | remindmebot_reply.py | jjmerri/xrpRemindMe-Reddit | 37d833e742e1614dc6454384810a6f69e41cf941 | [
"MIT"
] | null | null | null | remindmebot_reply.py | jjmerri/xrpRemindMe-Reddit | 37d833e742e1614dc6454384810a6f69e41cf941 | [
"MIT"
] | null | null | null | remindmebot_reply.py | jjmerri/xrpRemindMe-Reddit | 37d833e742e1614dc6454384810a6f69e41cf941 | [
"MIT"
] | null | null | null | #!/usr/bin/env python3.6
# =============================================================================
# IMPORTS
# =============================================================================
import praw
import MySQLdb
import traceback
from threading import Thread, Lock
import os
import sys
import configparser
import time
import requests
import logging
from datetime import datetime
from requests.exceptions import HTTPError, ConnectionError, Timeout
from praw.exceptions import APIException, ClientException, PRAWException
from socket import timeout
# =============================================================================
# GLOBALS
# =============================================================================
# Reads the config file
config = configparser.ConfigParser()
config.read("remindmebot.cfg")
bot_username = config.get("Reddit", "username")
bot_password = config.get("Reddit", "password")
client_id = config.get("Reddit", "client_id")
client_secret = config.get("Reddit", "client_secret")
#Reddit info
reddit = praw.Reddit(client_id=client_id,
client_secret=client_secret,
password=bot_password,
user_agent='cryptoRemindMe by /u/BoyAndHisBlob',
username=bot_username)
# DB Info
DB_USER = config.get("SQL", "user")
DB_PASS = config.get("SQL", "passwd")
ENVIRONMENT = config.get("REMINDME", "environment")
DEV_USER_NAME = "BoyAndHisBlob"
FORMAT = '%(asctime)-15s %(message)s'
logging.basicConfig(format=FORMAT)
logger = logging.getLogger('cryptoRemindMeBot')
logger.setLevel(logging.INFO)
supported_tickers = ["ADA","BCH","BCN","BTC","BTG","DASH","DOGE","ETC","ETH","LSK","LTC","NEO","QASH","QTUM","REQ",
"STEEM","XEM","XLM","XMR","XRB","XRP","ZEC"]
MAX_API_TIME_LIMIT = 2000
cc_max_api_per_sec = 15
cc_total_api_calls = 0
cc_api_lock = Lock()
# =============================================================================
# CLASSES
# =============================================================================
class DbConnectiton(object):
"""
DB connection class
"""
connection = None
cursor = None
def __init__(self):
self.connection = MySQLdb.connect(
host="localhost", user=DB_USER, passwd=DB_PASS, db="crypto_remind_me"
)
self.cursor = self.connection.cursor()
class Reply(object):
def __init__(self):
self._db_connection = DbConnectiton()
self._replyMessage =(
"cryptoRemindMeBot private message here!"
"\n\n**The message:** \n\n>{message}"
"\n\n**The original comment:** \n\n>{original}"
"\n\n**The parent comment from the original comment or its submission:** \n\n>{parent}"
"{origin_date_text}"
"\n\nYou requested a reminder when the price of {ticker} reached {new_price} from {origin_price}."
"\n\nThe price hit {price} at {price_time} using CryptoCompare's Current Aggregate."
"\n\n_____\n\n"
"^| [^(README)](https://github.com/jjmerri/cryptoRemindMe-Reddit/blob/master/README.md)"
" ^| [^(Your Reminders)](http://np.reddit.com/message/compose/?to=cryptoRemindMeBot&subject=List Of Reminders&message=MyReminders!)"
" ^| [^(Feedback)](http://np.reddit.com/message/compose/?to=BoyAndHisBlob&subject=cryptoRemindMe Feedback)"
" ^| [^(Code)](https://github.com/jjmerri/cryptoRemindMe-Reddit)"
" ^| [^(Tip BoyAndHisBlob)](https://blobware-tips.firebaseapp.com)"
)
self.last_price_time = {}
self._price_history = {}
self.lock = Lock()
def set_price_extremes(self):
"""
Sets the high and low since the last run
"""
global cc_total_api_calls
#reset number of calls for new iteration
cc_total_api_calls = 0
lastrun_file = open("lastrun.txt", "r")
lastrun_sec = {}
for lastrun in lastrun_file.read().splitlines():
values = lastrun.split(" ")
if len(values) == 2:
lastrun_sec[values[0]] = int(values[1])
lastrun_file.close()
price_threads = [];
for supported_ticker in supported_tickers:
current_time_sec = int(time.time())
if supported_ticker in lastrun_sec:
mins_since_lastrun = (current_time_sec - lastrun_sec[supported_ticker]) // 60
else:
#max allowed by API
mins_since_lastrun = MAX_API_TIME_LIMIT
if mins_since_lastrun > MAX_API_TIME_LIMIT:
mins_since_lastrun = MAX_API_TIME_LIMIT
#Get data from at least 10 min back
mins_since_lastrun = mins_since_lastrun if mins_since_lastrun >= 10 else 10
#Thread api calls because they take a while in succession
t = Thread(target=self._update_price_data, args=[supported_ticker, mins_since_lastrun])
price_threads.append(t)
t.start()
#Wait for all price data to be set
for price_thread in price_threads:
price_thread.join()
for supported_ticker in supported_tickers:
if supported_ticker in self._price_history: #false if we couldnt retriev price data from the API
for minute_data in self._price_history[supported_ticker]:
high = minute_data['high']
low = minute_data['low']
#sometimes the API incorrectly returns 0 so this is an attempt to avoid incorrectly notifying on 0 price
if high > 0 and low > 0:
if (supported_ticker + "_high") not in self._price_history or high > self._price_history[supported_ticker + "_high"]:
self._price_history[supported_ticker + "_high"] = high
self._price_history[supported_ticker + "_high_time"] = minute_data['time']
if (supported_ticker + "_low") not in self._price_history or low < self._price_history[supported_ticker + "_low"]:
self._price_history[supported_ticker + "_low"] = low
self._price_history[supported_ticker + "_low_time"] = minute_data['time']
if supported_ticker not in self.last_price_time or minute_data['time'] > self.last_price_time[supported_ticker]:
self.last_price_time[supported_ticker] = minute_data['time']
def _update_price_data(self, ticker, limit):
"""
:param ticker: the ticker for the crypto that the price info is being updated for
:param limit: number of minutes back to get the price data
"""
global cc_total_api_calls
api_url = 'https://min-api.cryptocompare.com/data/histominute?fsym={ticker}&tsym=USD&e=CCCAGG&limit={limit}'.format(
ticker = ticker, limit = str(limit))
api_error_count = 0
#Loop to retry getting API data. Will break on success or 10 consecutive errors
while True:
#if we exceed the allowed number of api calls wait and reset counters
#wait is set to 2 seconds because 1 isnt enough for some reason
#even though the API says 15 calls per second
with cc_api_lock:
if cc_total_api_calls >= cc_max_api_per_sec:
time.sleep(2)
cc_total_api_calls = 0
cc_total_api_calls += 1
r = requests.get(api_url)
response = r.json()
#If not success then retry up to 10 times after 1 sec wait
if response.get("Response", "Error") != "Success":
api_error_count += 1
print("Retry number {error_count} Retrieving {ticker} Info".format(ticker = ticker, error_count = api_error_count))
time.sleep(1)
if api_error_count >= 10:
send_dev_pm("Error Retrieving {ticker} Info".format(ticker = ticker),
"Max error count hit. Could not retrieve histo info from {url}".format(url = api_url))
break #dont infinite loop. Maybe the API is down.
else:
break
#Not sure if this lock is necessary but it makes me feel better and adds little overhead
with self.lock:
self._price_history[ticker] = response['Data']
def _parent_comment(self, commentId):
"""
Returns the parent comment or if it's a top comment
return the original submission
"""
try:
comment = reddit.comment(id=commentId)
if comment.is_root:
return comment.submission.permalink
else:
return comment.parent().permalink
except IndexError as err:
logger.exception("parrent_comment error")
return "It seems your original comment was deleted, unable to return parent comment."
# Catch any URLs that are not reddit comments
except Exception as err:
logger.exception("HTTPError/PRAW parent comment")
return "Parent comment not required for this URL."
def populate_reply_list(self):
"""
Checks to see through SQL if net_date is < current time
"""
select_statement = "SELECT * FROM reminder WHERE "
single_where_clause = "(new_price <= %s AND new_price >= origin_price AND ticker = %s) OR (new_price >= %s AND new_price <= origin_price AND ticker = %s)"
where_clause = ((single_where_clause + " OR ") * len(supported_tickers))[0:-4]
cmd = select_statement + where_clause
cmd_args = []
for supported_ticker in supported_tickers:
if (supported_ticker + "_high") in self._price_history and (supported_ticker + "_low") in self._price_history:
cmd_args.append(self._price_history[supported_ticker + "_high"])
cmd_args.append(supported_ticker)
cmd_args.append(self._price_history[supported_ticker + "_low"])
cmd_args.append(supported_ticker)
else:
#remove a where clause + " AND "
cmd_minus_where_length = len(single_where_clause) + 4
cmd = cmd[:(cmd_minus_where_length * -1)]
self._db_connection.cursor.execute(cmd, cmd_args)
def send_replies(self):
"""
Loop through data looking for which comments are old
"""
data = self._db_connection.cursor.fetchall()
already_commented = []
for row in data:
# checks to make sure ID hasn't been commented already
# For situtations where errors happened
if row[0] not in already_commented:
ticker = row[9]
object_name = row[1]
new_price = row[3]
origin_price = row[4]
comment_create_datetime = row[10]
send_reply = False
message_price = 0.0
message_price_time = 0
try:
for minute_data in self._price_history[ticker]:
price_high = minute_data['high']
price_low = minute_data['low']
price_time = minute_data['time']
if price_time >= comment_create_datetime.timestamp():
if new_price <= price_high and new_price >= origin_price:
message_price = price_high
elif new_price >= price_low and new_price <= origin_price:
message_price = price_low
else:
# This is not the minute_data that triggered the reply
continue
message_price_time = price_time
send_reply = True
break
except IndexError as err:
logger.exception("IndexError in send_replies")
send_reply = False
# Catch any URLs that are not reddit comments
except Exception as err:
logger.exception("Unknown Exception send_replies")
send_reply = False
if send_reply:
# MySQl- object_name, message, comment_create_datetime, reddit user, new_price, origin_price, permalink, ticker, message_price_time, message_price
delete_message = self._send_reply(object_name, row[2], comment_create_datetime, row[5], new_price, origin_price, row[8], ticker, message_price_time, message_price)
if delete_message:
cmd = "DELETE FROM reminder WHERE id = %s"
self._db_connection.cursor.execute(cmd, [row[0]])
self._db_connection.connection.commit()
already_commented.append(row[0])
self._db_connection.connection.commit()
self._db_connection.connection.close()
def _send_reply(self, object_name, message, comment_create_datetime, author, new_price, origin_price, permalink, ticker, message_price_time, message_price):
"""
Replies a second time to the user after a set amount of time
"""
logger.info("---------------")
logger.info(author)
logger.info(object_name)
utc_create_date_str = str(datetime.utcfromtimestamp(comment_create_datetime.timestamp()))
origin_date_text = ("\n\nYou requested this reminder on: "
"[" + utc_create_date_str + " UTC](http://www.wolframalpha.com/input/?i="
+ utc_create_date_str + " UTC To Local Time)")
message_price_datetime = datetime.utcfromtimestamp(message_price_time)
message_price_datetime_formatted = ("[" + format(message_price_datetime, '%Y-%m-%d %H:%M:%S') + " UTC](http://www.wolframalpha.com/input/?i="
+ format(message_price_datetime, '%Y-%m-%d %H:%M:%S') + " UTC To Local Time)")
try:
reddit.redditor(str(author)).message('cryptoRemindMeBot Reminder!', self._replyMessage.format(
message=message,
original=permalink,
parent= self._parent_comment(object_name),
origin_date_text = origin_date_text,
new_price = '${:,.4f}'.format(new_price),
origin_price = '${:,.4f}'.format(origin_price),
price = '${:,.4f}'.format(message_price),
price_time = message_price_datetime_formatted,
ticker = ticker
))
logger.info("Sent Reply")
return True
except APIException as err:
logger.exception("APIException in _send_reply")
return False
except IndexError as err:
logger.exception("IndexError in _send_reply")
return False
except (HTTPError, ConnectionError, Timeout, timeout) as err:
logger.exception("HTTPError in _send_reply")
time.sleep(10)
return False
except ClientException as err:
logger.exception("ClientException in _send_reply")
time.sleep(10)
return False
except PRAWException as err:
logger.exception("PRAWException in _send_reply")
time.sleep(10)
return False
except Exception as err:
logger.exception("Unknown Exception in _send_reply")
return False
def update_last_run(checkReply):
lastrun_tickers = ""
for supported_ticker in supported_tickers:
# dont let 0 get into the lastrun.txt. It breaks the api call to get the prices
if supported_ticker not in checkReply.last_price_time:
checkReply.last_price_time[supported_ticker] = 10000
lastrun_tickers += supported_ticker + " " + str(
checkReply.last_price_time.get(supported_ticker, "10000")) + "\n"
lastrun_file = open("lastrun.txt", "w")
lastrun_file.write(lastrun_tickers)
lastrun_file.close()
def create_running():
running_file = open("reply_bot.running", "w")
running_file.write(str(os.getpid()))
running_file.close()
def send_dev_pm(subject, body):
reddit.redditor(DEV_USER_NAME).message(subject, body)
# =============================================================================
# MAIN
# =============================================================================
def main():
logger.info("start")
start_process = False
if ENVIRONMENT == "DEV":
os.remove("reply_bot.running")
logger.info("running file removed")
if not os.path.isfile("reply_bot.running"):
create_running()
start_process = True
else:
start_process = False
logger.error("Reply already running! Will not start.")
while start_process and os.path.isfile("reply_bot.running"):
try:
logger.info("Start Main Loop")
checkReply = Reply()
checkReply.set_price_extremes()
checkReply.populate_reply_list()
checkReply.send_replies()
update_last_run(checkReply)
logger.info("End Main Loop")
time.sleep(600)
except Exception as err:
logger.exception("Unknown Exception in main loop")
try:
send_dev_pm("Unknown Exception in main loop", "Error: {exception}\n\n{trace}".format(exception = str(err), trace = traceback.format_exc()))
except Exception as err:
logger.exception("Unknown senidng dev pm")
time.sleep(600)
sys.exit()
# =============================================================================
# RUNNER
# =============================================================================
if __name__ == '__main__':
main()
| 41.933025 | 183 | 0.572506 |
9b6b15d81bc8dd6e2805778ad9b2932ae0d7f3d2 | 5,359 | py | Python | init2winit/dataset_lib/datasets.py | google/init2winit | 62ec9fd31bd7b38bb7c220f15d4187bf0706506d | [
"Apache-2.0"
] | 32 | 2021-05-15T01:03:44.000Z | 2022-03-31T10:54:48.000Z | init2winit/dataset_lib/datasets.py | google/init2winit | 62ec9fd31bd7b38bb7c220f15d4187bf0706506d | [
"Apache-2.0"
] | 31 | 2021-05-20T08:03:40.000Z | 2022-03-31T10:27:42.000Z | init2winit/dataset_lib/datasets.py | google/init2winit | 62ec9fd31bd7b38bb7c220f15d4187bf0706506d | [
"Apache-2.0"
] | 6 | 2021-05-20T06:10:04.000Z | 2022-03-31T18:55:04.000Z | # coding=utf-8
# Copyright 2021 The init2winit 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.
"""Data generators for init2winit."""
import collections
from init2winit.dataset_lib import fake_dataset
from init2winit.dataset_lib import imagenet_dataset
from init2winit.dataset_lib import mlperf_imagenet_dataset
from init2winit.dataset_lib import nqm_noise
from init2winit.dataset_lib import ogbg_molpcba
from init2winit.dataset_lib import proteins
from init2winit.dataset_lib import small_image_datasets
from init2winit.dataset_lib import translate_wmt
_Dataset = collections.namedtuple('Dataset', ('getter', 'hparams', 'meta_data'))
_ALL_DATASETS = {
'mnist':
_Dataset(small_image_datasets.get_mnist,
small_image_datasets.MNIST_HPARAMS,
small_image_datasets.MNIST_METADATA),
'mnist_autoencoder':
_Dataset(small_image_datasets.get_mnist_autoencoder,
small_image_datasets.MNIST_AUTOENCODER_HPARAMS,
small_image_datasets.MNIST_AUTOENCODER_METADATA),
'fashion_mnist':
_Dataset(small_image_datasets.get_fashion_mnist,
small_image_datasets.FASHION_MNIST_HPARAMS,
small_image_datasets.FASHION_MNIST_METADATA),
'cifar10':
_Dataset(small_image_datasets.get_cifar10,
small_image_datasets.CIFAR10_DEFAULT_HPARAMS,
small_image_datasets.CIFAR10_METADATA),
'cifar100':
_Dataset(small_image_datasets.get_cifar100,
small_image_datasets.CIFAR100_DEFAULT_HPARAMS,
small_image_datasets.CIFAR100_METADATA),
'fake':
_Dataset(fake_dataset.get_fake, fake_dataset.DEFAULT_HPARAMS,
fake_dataset.METADATA),
'imagenet':
_Dataset(imagenet_dataset.get_imagenet,
imagenet_dataset.DEFAULT_HPARAMS, imagenet_dataset.METADATA),
'translate_wmt':
_Dataset(translate_wmt.get_translate_wmt, translate_wmt.DEFAULT_HPARAMS,
translate_wmt.METADATA),
'mlperf_imagenet':
_Dataset(mlperf_imagenet_dataset.get_mlperf_imagenet,
mlperf_imagenet_dataset.DEFAULT_HPARAMS,
mlperf_imagenet_dataset.METADATA),
'svhn_no_extra':
_Dataset(small_image_datasets.get_svhn_no_extra,
small_image_datasets.SVHN_NO_EXTRA_DEFAULT_HPARAMS,
small_image_datasets.SVHN_NO_EXTRA_METADATA),
'nqm_noise':
_Dataset(nqm_noise.get_nqm_noise, nqm_noise.NQM_HPARAMS,
nqm_noise.NQM_METADATA),
'ogbg_molpcba':
_Dataset(ogbg_molpcba.get_ogbg_molpcba, ogbg_molpcba.DEFAULT_HPARAMS,
ogbg_molpcba.METADATA),
'uniref50':
_Dataset(proteins.get_uniref, proteins.DEFAULT_HPARAMS,
proteins.METADATA),
}
def get_dataset(dataset_name):
"""Maps dataset name to a dataset_builder."""
try:
return _ALL_DATASETS[dataset_name].getter
except KeyError:
raise ValueError('Unrecognized dataset: {}'.format(dataset_name))
def get_dataset_hparams(dataset_name):
"""Maps dataset name to default_hps."""
try:
hparams = _ALL_DATASETS[dataset_name].hparams
# TODO(mbadura): Refactor to explicitly support different input specs
if 'input_shape' not in hparams or hparams.input_shape is None:
if 'input_edge_shape' in hparams and 'input_node_shape' in hparams:
hparams.input_shape = (hparams.input_node_shape,
hparams.input_edge_shape)
elif dataset_name == 'lm1b':
max_len = max(hparams.max_target_length, hparams.max_eval_target_length)
hparams.input_shape = (max_len,)
elif dataset_name == 'translate_wmt':
max_len = max(hparams.max_target_length, hparams.max_eval_target_length,
hparams.max_predict_length)
hparams.input_shape = [(max_len,), (max_len,)]
else:
raise ValueError(
'Undefined input shape for dataset: {}'.format(dataset_name))
return hparams
except KeyError:
raise ValueError('Unrecognized dataset: {}'.format(dataset_name))
def get_dataset_meta_data(dataset_name):
"""Maps dataset name to a dict of dataset meta_data.
meta_data is a dictionary where the keys will depend on the dataset.
Required keys - All models: num_classes, is_one_hot
This dictionary will be referenced by the model constructor.
New datasets may have new keys, this will work as long as the model
references the key properly.
Args:
dataset_name: (str) the name of the dataset.
Returns:
A dict of dataset metadata as described above.
Raises:
ValueError, if the dataset_name is not in _ALL_DATASETS.
"""
try:
return _ALL_DATASETS[dataset_name].meta_data
except KeyError:
raise ValueError('Unrecognized dataset: {}'.format(dataset_name))
| 39.696296 | 80 | 0.718418 |
92945ac983ee2d3471ddca6d814360139a20e1f0 | 9,462 | py | Python | src/cray/boa/s3client.py | Cray-HPE/boa | 0718b5a1f40134f16b7279a93f545d9f5ca2b664 | [
"MIT"
] | null | null | null | src/cray/boa/s3client.py | Cray-HPE/boa | 0718b5a1f40134f16b7279a93f545d9f5ca2b664 | [
"MIT"
] | 2 | 2022-03-09T18:00:45.000Z | 2022-03-29T18:54:52.000Z | src/cray/boa/s3client.py | Cray-HPE/boa | 0718b5a1f40134f16b7279a93f545d9f5ca2b664 | [
"MIT"
] | null | null | null | #
# MIT License
#
# (C) Copyright 2020-2022 Hewlett Packard Enterprise Development LP
#
# Permission is hereby granted, free of charge, to any person obtaining a
# copy of this software and associated documentation files (the "Software"),
# to deal in the Software without restriction, including without limitation
# the rights to use, copy, modify, merge, publish, distribute, sublicense,
# and/or sell copies of the Software, and to permit persons to whom the
# Software is furnished to do so, subject to the following conditions:
#
# The above copyright notice and this permission notice shall be included
# in all copies or substantial portions of the Software.
#
# THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
# IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
# FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL
# THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR
# OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE,
# ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR
# OTHER DEALINGS IN THE SOFTWARE.
#
'''
Created on February 5th, 2020
@author: jasons
'''
import json
import logging
import os
import boto3
from botocore.exceptions import ClientError
from botocore.config import Config as BotoConfig
from urllib.parse import urlparse
from . import TooManyArtifacts, ArtifactMissing, NontransientException
LOGGER = logging.getLogger(__name__)
class S3MissingConfiguration(NontransientException):
"""
We were missing configuration information need to contact S3.
"""
class S3Url(object):
"""
https://stackoverflow.com/questions/42641315/s3-urls-get-bucket-name-and-path/42641363
"""
def __init__(self, url):
self._parsed = urlparse(url, allow_fragments=False)
@property
def bucket(self):
return self._parsed.netloc
@property
def key(self):
if self._parsed.query:
return self._parsed.path.lstrip('/') + '?' + self._parsed.query
else:
return self._parsed.path.lstrip('/')
@property
def url(self):
return self._parsed.geturl()
def s3_client(connection_timeout=60, read_timeout=60):
"""
Return an s3 client
Args:
connection_timeout -- Number of seconds to wait to time out the connection
Default: 60 seconds
read_timeout -- Number of seconds to wait to time out a read
Default: 60 seconds
Returns:
Returns an s3 client object
Raises:
S3MissingConfiguration -- it cannot contact S3 because it did not have the proper
credentials or configuration
"""
try:
s3_access_key = os.environ['S3_ACCESS_KEY']
s3_secret_key = os.environ['S3_SECRET_KEY']
s3_protocol = os.environ['S3_PROTOCOL']
s3_gateway = os.environ['S3_GATEWAY']
except KeyError as error:
LOGGER.error("Missing needed S3 configuration: %s", error)
raise S3MissingConfiguration(error) from error
s3 = boto3.client('s3',
endpoint_url=s3_protocol + "://" + s3_gateway,
aws_access_key_id=s3_access_key,
aws_secret_access_key=s3_secret_key,
use_ssl=False,
verify=False,
config=BotoConfig(
connect_timeout=connection_timeout,
read_timeout=read_timeout))
return s3
class S3Object:
"""
A generic S3 object. It provides a way to download the object.
"""
def __init__(self, path, etag=None):
"""
Args:
path (string): S3 path to the S3 object
etag (string): S3 entity tag
"""
self.path = path
self.etag = etag
self.s3url = S3Url(self.path)
@property
def object_header(self):
"""
Get the S3 object's header metadata.
Return:
The S3 object headers
Raises:
ClientError
"""
try:
s3 = s3_client()
s3_obj = s3.head_object(
Bucket=self.s3url.bucket,
Key=self.s3url.key
)
except ClientError as error:
LOGGER.error("s3 object %s was not found.", self.path)
LOGGER.debug(error)
raise
if self.etag and self.etag != s3_obj["ETag"].strip('\"'):
LOGGER.warning("s3 object %s was found, but has an etag '%s' that does "
"not match what BOS has '%s'.", self.path, s3_obj["ETag"],
self.etag)
return s3_obj
@property
def object(self):
"""
The S3 object itself. If the object was not found, log it and return an error.
Args:
path -- path to the S3 key
etag -- Entity tag
Return:
S3 Object
Raises:
boto3.execptions.ClientError -- when it cannot read from S3
"""
s3 = s3_client()
LOGGER.info("++ _get_s3_download_url %s with etag %s.", self.path, self.etag)
try:
return s3.get_object(Bucket=self.s3url.bucket, Key=self.s3url.key)
except ClientError as error:
LOGGER.error("Unable to download object {}.".format(self.path))
LOGGER.debug(error)
raise
class S3BootArtifacts(S3Object):
def __init__(self, path, etag=None):
"""
Args:
path (string): S3 path to the S3 object
etag (string): S3 entity tag
"""
S3Object.__init__(self, path, etag)
self._manifest_json = None
@property
def manifest_json(self):
"""
Read a manifest.json file from S3. If the object was not found, log it and return an error.
Args:
path -- path to the S3 key
etag -- Entity tag
Return:
Manifest file in JSON format
Raises:
boto3.execptions.ClientError -- when it cannot read from S3
"""
if self._manifest_json:
return self._manifest_json
try:
s3_manifest_obj = self.object
s3_manifest_data = s3_manifest_obj['Body'].read().decode('utf-8')
except (ClientError, NoSuchKey) as error:
LOGGER.error("Unable to read manifest file {}.".format(self.path))
LOGGER.debug(error)
raise
# Cache the manifest.json file
self._manifest_json = json.loads(s3_manifest_data)
return self._manifest_json
def _get_artifact(self, artifact_type):
"""
Get the artifact_type artifact object out of the manifest.
The artifact object looks like this
{
"link": {
"path": "s3://boot-artifacts/F6C1CC79-9A5B-42B6-AD3F-E7EFCF22CAE8/rootfs",
"etag": "foo",
"type": "s3"
},
"type": "application/vnd.cray.image.rootfs.squashfs",
"md5": "cccccckvnfdikecvecdngnljnnhvdlvbkueckgbkelee"
}
Return:
Artifact object
Raises:
ValueError -- Manifest file is corrupt or invalid
ArtifactMissing -- The requested artifact is missing
TooManyArtifacts -- There is more than one artifact when only one was expected
"""
try:
artifacts = [artifact for artifact in self.manifest_json['artifacts'] if
artifact['type'] == artifact_type]
except ValueError as value_error:
LOGGER.info("Received ValueError while processing manifest file.")
LOGGER.debug(value_error)
raise
if not artifacts:
msg = "No %s artifact could be found in the image manifest." % artifact_type
LOGGER.info(msg)
raise ArtifactMissing(msg)
if len(artifacts) > 1:
msg = "Multiple %s artifacts found in the manifest." % artifact_type
LOGGER.info(msg)
raise TooManyArtifacts(msg)
return artifacts[0]
@property
def initrd(self):
"""
Get the initrd artifact object out of the manifest.
Return:
initrd object
"""
return self._get_artifact('application/vnd.cray.image.initrd')
@property
def kernel(self):
"""
Get the kernel artifact object out of the manifest.
Return:
Kernel object
"""
return self._get_artifact('application/vnd.cray.image.kernel')
@property
def boot_parameters(self):
"""
Get the kernel artifact object out of the manifest, if one exists.
Return:
boot parameters object if one exists, else None
"""
try:
bp = self._get_artifact('application/vnd.cray.image.parameters.boot')
except ArtifactMissing:
bp = None
return bp
@property
def rootfs(self):
"""
Get the rootfs artifact object out of the manifest.
Return:
rootfs object
"""
return self._get_artifact('application/vnd.cray.image.rootfs.squashfs')
| 30.720779 | 99 | 0.589833 |
8ce3e6c23686524aab069d616d1b93fd501493f1 | 13,106 | py | Python | Source/mainwindow_v3p1.py | DouglasYuen/ProjectBobo | c663e30ee9020b30acfcb142289d9692411d09e5 | [
"MIT"
] | null | null | null | Source/mainwindow_v3p1.py | DouglasYuen/ProjectBobo | c663e30ee9020b30acfcb142289d9692411d09e5 | [
"MIT"
] | null | null | null | Source/mainwindow_v3p1.py | DouglasYuen/ProjectBobo | c663e30ee9020b30acfcb142289d9692411d09e5 | [
"MIT"
] | null | null | null | '''
** RUN THIS FILE **
version 3.1: click print prompts user agreement. Added ui_user_agreement.ui and .py
The window expects Disclaimers.html in the same directory
Version 3:
Main window connecting stuff on the GUI (in ui_mainwindow_3SQ.py) with the program functionality
Uses ColumnView instead of ListViews
Note: runs with Python 3, PyQt5
Reqs: FileParser, StringAssembler (comment out the test lines)
Author: Rose and Samuel
Resources:
http://nikolak.com/pyqt-qt-designer-getting-started/ **this is in PyQt4
http://zetcode.com/gui/pyqt5/firstprograms/
http://doc.qt.io/qt-5/modelview.html
http://www.binpress.com/tutorial/building-a-text-editor-with-pyqt-part-one/143
https://stackoverflow.com/questions/33924369/how-to-open-a-window-with-a-click-of-a-button-from-another-window-using-pyqt
Sam's Excel-file to-do list:
-Find a way to categorize conditions / subconditions
-Create blank spaces for extra conditions not included in the CSV
Program to-do:
-Set up something to extend __ for typing vs. writing on paper
-Maybe consider moving Print Button function to a different "File Writer" file.
to do:
-implement checkboxes or way of quickly removing added item
-file output options
-restructure to only get subconditions when condition is selected
-format form text
-fix QAccessibleTable::child invalid index errors when...? too many are added?
(this has to do with accessibility options)
potential problem spots:
-addSelectionsToForm
-there must be a more efficient way to populate the model from the dictionary
-populateModel: there must be a more general way to make the model and make this work
-is it more efficient to just grab the subtypeID or to subclass QStandardItem somehow
to make populateModel() work with Condition class objects?
'''
import sys # for passing argv into QApplication
from PyQt5.Qt import * # still unsure what best to import
from ui_mainwindow_v3 import Ui_MainWindow
from ui_user_agreement import Ui_userAgreement
# the code that generates the lists
from StringAssembler import *
#This is the list that will contain the selected subconditions
FinalList=[]
class DisplayWindow(QMainWindow, Ui_MainWindow):
def __init__(self):
super().__init__() #lots of diff ways to set this up?
self.setupUi(self)
self.newWindow = None
#default values
customText = ""
#populate model and view
dictOfConditions = self.assembleConditionDictionary()
self.theDataStructure = self.makeConditionModel()
# TESTING-------------------
# testData = {'adc':['cait','kayle'], 'supp':['zyra','janna','nami'], 'you':[]}
# self.populateModel(self.theDataStructure, testData) # for testing
customText=" your face"
#-----------------------------
self.populateModel(self.theDataStructure, dictOfConditions)
self.conditionsViewer.setModel(self.theDataStructure) #this needs to be before setting selection model
self.selectedConditions = self.conditionsViewer.selectionModel() # separate model
#connect buttons
self.selectedConditions.selectionChanged.connect(lambda: self.addSelectionsToForm(self.selectedConditions))
self.printButton.clicked.connect(self.showAgreement)
self.clearAllButton.clicked.connect(self.MainConditionList.clear)
self.clearAllButton.clicked.connect(self.SubConditionList.clear)
self.addButtonCondition.clicked.connect(self.addToMainList)
self.addButtonSubCondition.clicked.connect(self.addToSubList)
self.removeButton.clicked.connect(self.removeFromList)
def showAgreement(self):
# when the print button is clicked, opens a new window displaying user agreement
# agree button makes the forms and closes the dialog
# decline button closes the dialog
self.newWindow = QMainWindow()
userAgreement = Ui_userAgreement()
userAgreement.setupUi(self.newWindow)
self.uaText = "Disclaimers.html"
if self.uaText:
with open(self.uaText) as file:
userAgreement.textBrowser.setHtml(file.read())
self.newWindow.show()
#connect buttons
userAgreement.agreeButton.clicked.connect(self.genFinalList)
userAgreement.agreeButton.clicked.connect(self.newWindow.close)
userAgreement.declineButton.clicked.connect(self.newWindow.close)
# -------------------------------------------------------------------------------------------
# Tree Library
# -------------------------------------------------------------------------------------------
def assembleConditionDictionary(self):
#initializes the condition dictionary using methods from StringAssembler.py
conditionKeys = returnAllConditionKeys() #list
dictionary = {}
for key in conditionKeys:
subconditions = returnAllConditionsForKey(key) #list
sublist = []
for subcondition in subconditions:
sublist.append(subcondition.subtypeID) #get the str name of the subcondition
dictionary[key] = sublist
return dictionary
def makeConditionModel(self):
# makes the "model" that hosts the lists of conditions and subconditions
model = QStandardItemModel()
return model
def populateModel(self, model, inputDictionary):
# This method assumes the input is the form {a:[b,c,...],...} where b, c... are
# Condition type. A more general way would be to restructure the model so this
# method can be recursive?
for condition, subconditions in inputDictionary.items(): #to loop over dict
item = QStandardItem(condition)
model.appendRow(item)
if subconditions:
for subcondition in subconditions:
subitem = QStandardItem(subcondition)
"""
# make and append the strings
stringForSubcondition = makeStringSetForSubcondition(condition, subcondition)
for subsubitem in stringForSubcondition:
stringItem = QStandardItem(subsubitem)
subitem.appendRow(stringItem)
"""
item.appendRow(subitem)
# -------------------------------------------------------------------------------------------
#BUTTONS
# -------------------------------------------------------------------------------------------
def addSelectionsToForm(self, selectionModel):
# when items are selected, add, parse and display in selectionPreview
#get selected items from conditionsViewer
self.AlphaBox.clear()
selectedIndices = selectionModel.selectedIndexes()
for index in selectedIndices:
selectedItem = self.theDataStructure.itemFromIndex(index)
theString = selectedItem.text()
#display in the QtextEdit box
self.AlphaBox.setText(theString)
#Remove button function
def removeFromList(self):
for item in self.MainConditionList.selectedItems():
self.MainConditionList.takeItem(self.MainConditionList.row(item))
for item in self.SubConditionList.selectedItems():
self.SubConditionList.takeItem(self.SubConditionList.row(item))
#Add button function
def addToMainList(self):
self.MainConditionList.addItem(self.AlphaBox.text())
def addToSubList(self):
self.SubConditionList.addItem(self.AlphaBox.text())
# -------------------------------------------------------------------------------------------
# the File Writer
# -------------------------------------------------------------------------------------------
def genFinalList(self):
FinalListMain=([item.text() for item in self.MainConditionList.selectedItems()])
FinalListSub=([item.text() for item in self.SubConditionList.selectedItems()])
DictOutput = dict(zip(FinalListMain, FinalListSub))
#Creating .txt files
ProgressFile = open("z.Progress Note.txt","w")
HandoverFile = open("z.Handover File.txt","w")
count=1
#Format for the Progress Note
ProgressFile.write("PROGRESS NOTE" + '\n')
ProgressFile.write("Date:" + '\n' +'\n')
ProgressFile.write("Summary:_" + '\n' +'\n')
#This loop generates the conditions for handover and progress notes files
#Progress Note
for alpha in DictOutput:
ProgressFile.write(str(count) + ". " + DictOutput[alpha].upper() + '\n')
Z = makeStringSetForSubcondition(alpha,DictOutput[alpha],"P")
for beta in Z:
if (beta == "%%%"):
ProgressFile.write("")
else:
ProgressFile.write(str(beta) + '\n')
#ProgressFile.write(" ".join(str(x) for x in Z))
ProgressFile.write('\n')
ProgressFile.write('\n')
count=count+1
count=1
#Append P/E to Progress Note
#I am sure there is a better way to shorten to unique entries only in an order that makes sense. But until then...we're stuck with this I guess.
ProgressFile.write("PHYSICAL EXAM:" + '\n')
CombinedExamUniqueOnly=[]
for gamma in CombinedExam:
if gamma not in CombinedExamUniqueOnly:
CombinedExamUniqueOnly.append(gamma)
CombinedExam.clear()
CombinedExamUniqueOnly.sort()
for delta in CombinedExamUniqueOnly:
if int(delta[0:2]) < 50:
delta=delta[4:]
if delta[0] == "^":
ProgressFile.write('\n' + str(delta[1:]) + '\n')
else:
ProgressFile.write(str(delta) + '\n')
ProgressFile.write('\n' + "INVESTIGATIONS:" + '\n')
for delta in CombinedExamUniqueOnly:
if int(delta[0:2]) > 50:
delta=delta[4:]
if delta[0] == "^":
ProgressFile.write('\n' + str(delta[1:]) + '\n')
else:
ProgressFile.write(str(delta) + '\n')
#Format for Handover file
HandoverFile.write("THE CHECKLIST" + '\n')
HandoverFile.write("Date created:" + '\n' +'\n')
HandoverFile.write("Summary:_" + '\n' +'\n')
HandoverFile.write("Advanced Care Plan:___" + '\n')
HandoverFile.write("Patient is from: Home, Senior's Apartment, Assisted Living, SL3, SL4, or LTC" + '\n')
HandoverFile.write('\n'+"TASKS TO BE DONE DAILY:"+'\n')
HandoverFile.write("Dates:")
for i in range(18):
HandoverFile.write(" ")
i = i + 1
HandoverFile.write(" || ")
for i in range(15):
HandoverFile.write(" ")
i = i + 1
HandoverFile.write(" |___|___|___|___|___|___|___|" +'\n')
DailyTasks=[]
HospitalizationTasks=[]
DischargeTasks=[]
for alpha in DictOutput:
Y = makeStringSetForSubcondition(alpha,DictOutput[alpha],"H")
Z = str(DictOutput[alpha])
Spaces=" "
if len(Z) > 25:
Z=Z[0:24]
for beta in Y:
X=str(beta)
if X[0] != "@":
if X[0] != "#":
while len(Z) < 25:
Z += "_"
while len(X) < 15:
X += " "
if len(X) == 15:
HandoverFile.write(Z + "|| " + X)
HandoverFile.write(" |___|___|___|___|___|___|___|" +'\n')
elif len(X) > 15:
while len(X) < 57:
X += " "
HandoverFile.write(Z + "|| " + X[0:44] + '\n')
HandoverFile.write(Spaces + "|| " + " " + X[45:56] +" |___|___|___|___|___|___|___|" +'\n')
count=count+1
#Additional Blank Options at the end
for j in range(3):
for i in range(25):
HandoverFile.write("_")
i = i + 1
HandoverFile.write("||_")
for i in range(16):
HandoverFile.write("_")
i = i + 1
HandoverFile.write("|___|___|___|___|___|___|___|" +'\n')
j=j+1
HandoverFile.write('\n')
count=1
HandoverFile.write('\n'+"TASKS FOR THIS HOSPITAL STAY:"+'\n')
for alpha in DictOutput:
Y = makeStringSetForSubcondition(alpha,DictOutput[alpha],"H")
Z = str(DictOutput[alpha])
if len(Z) > 25:
Z=Z[0:24]
for beta in Y:
X=str(beta)
if X[0] == "@":
HandoverFile.write(Z + " || " + X[1:] + '\n')
HandoverFile.write('\n'+"MEDICAL TASKS FOR DISCHARGE:"+'\n')
for alpha in DictOutput:
Y = makeStringSetForSubcondition(alpha,DictOutput[alpha],"H")
Z = str(DictOutput[alpha])
if len(Z) > 25:
Z=Z[0-24]
for beta in Y:
X=str(beta)
if X[0] == "#":
HandoverFile.write(Z + " || " + X[1:] + '\n')
HandoverFile.write('\n')
HandoverFile.write('\n'+"ADDITIONAL TASKS REQUIRED ON DISCHARGE:"+'\n')
HandoverFile.write("Patient's Disposition is: Home, Senior's Apartment, Assisted Living, SL3, SL4, or LTC" + '\n')
HandoverFile.write("Patient is to be followed up by::"+'\n')
for i in range(3):
HandoverFile.write('\t'+"___________________"+'\n')
HandoverFile.write("Mobility & Function Agreed by PT + OT:___"+'\n')
HandoverFile.write('\n'+"Problem List:" +'\n')
for beta in FinalListSub:
HandoverFile.write(str(count) + ". " + beta + '\n')
count=count+1
ProgressFile.close()
HandoverFile.close()
# -------------------------------------------------------------------------------------------
#Some old code attempting to send to a Text Editor Widget
# -------------------------------------------------------------------------------------------
"""
def saveForm(self):
# grabs text in text editor and saves to a text file in HTML to preserve style
with open('finalForm.txt', 'wt') as theFileOutput:
theFileOutput.write(self.selectionPreview.toHtml())
def previewForm(self):
# shows print preview and option to print to printer
printPreview = QPrintPreviewDialog()
printPreview.paintRequested.connect(lambda p: self.selectionPreview.print_(p))
printPreview.exec_()
def printForm(self):
confirm = QPrintDialog()
if confirm.exec_()== QDialog.Accepted:
self.selectionPreview.print_(confirm.printer())
"""
def main():
app = QApplication(sys.argv)
form = DisplayWindow()
form.show()
sys.exit(app.exec_())
if __name__ == '__main__':
main()
| 32.60199 | 146 | 0.661834 |
af1bac40c33df1e3c87d21679843b49c59018017 | 518 | py | Python | lib/galaxy/managers/lddas.py | blankenberg/galaxy-data-resource | ca32a1aafd64948f489a4e5cf88096f32391b1d9 | [
"CC-BY-3.0"
] | null | null | null | lib/galaxy/managers/lddas.py | blankenberg/galaxy-data-resource | ca32a1aafd64948f489a4e5cf88096f32391b1d9 | [
"CC-BY-3.0"
] | null | null | null | lib/galaxy/managers/lddas.py | blankenberg/galaxy-data-resource | ca32a1aafd64948f489a4e5cf88096f32391b1d9 | [
"CC-BY-3.0"
] | null | null | null | from galaxy.managers import base as manager_base
class LDDAManager( manager_base.ModelManager ):
""" A fairly sparse manager for LDDAs.
"""
def __init__( self ):
"""
Set up and initialize other managers needed by lddas.
"""
pass
def get( self, trans, id, check_accessible=True ):
return manager_base.get_object( trans, id, 'LibraryDatasetDatasetAssociation',
check_ownership=False, check_accessible=check_accessible )
| 30.470588 | 98 | 0.635135 |
8ab7f6170399c45432627d17800e2678fc1cc5b2 | 511 | py | Python | linear_regression_readline/code/code_length_1/lr_ds34.py | rodonguyen/vres_code_2021 | cb49d941db4dfc5137e887b195f403fb4262cfd8 | [
"MIT"
] | null | null | null | linear_regression_readline/code/code_length_1/lr_ds34.py | rodonguyen/vres_code_2021 | cb49d941db4dfc5137e887b195f403fb4262cfd8 | [
"MIT"
] | null | null | null | linear_regression_readline/code/code_length_1/lr_ds34.py | rodonguyen/vres_code_2021 | cb49d941db4dfc5137e887b195f403fb4262cfd8 | [
"MIT"
] | null | null | null | from sklearn import linear_model
x_values = []
y_values = []
n = 1
with open('./dataset/dataset_34.csv') as f:
for i in range(0, n):
x,y = f.readline().replace('\n','').split(',')
x, y = float(x), float(y)
x_values.append([x,y])
y_values.append(y)
# Create linear regression object
regression = linear_model.LinearRegression()
# Train the model using the training sets
regression.fit(x_values, y_values)
print("Coefficients: \n", regression.coef_)
| 23.227273 | 55 | 0.62818 |
00e435e0276cc1cb6db7a313e1505aac0f28f281 | 2,080 | py | Python | routes/api_card.py | Officeyutong/HelloJudge2 | e88c0a1198f8531ee0c1121dccfedb51f3f0aa0e | [
"MIT"
] | 21 | 2020-02-24T07:56:55.000Z | 2022-01-22T11:32:28.000Z | routes/api_card.py | Officeyutong/HelloJudge2 | e88c0a1198f8531ee0c1121dccfedb51f3f0aa0e | [
"MIT"
] | 1 | 2021-02-07T13:08:47.000Z | 2021-02-09T04:50:49.000Z | routes/api_card.py | Officeyutong/HelloJudge2 | e88c0a1198f8531ee0c1121dccfedb51f3f0aa0e | [
"MIT"
] | 3 | 2020-06-04T07:56:20.000Z | 2021-06-21T04:04:15.000Z | from models.problem import Problem
from models.submission import Submission
import typing
from main import background_task_queue, db, config, permission_manager
from main import web_app as app
from common.permission import require_permission
from common.utils import unpack_argument
from flask_sqlalchemy import BaseQuery
from flask import session
from utils import make_response
from models.user import User
import sqlalchemy.sql.expression as expr
from sqlalchemy.sql import func
import flask
@app.route("/api/card/problem", methods=["POST"])
@unpack_argument
def api_card_problem(problemID: int):
"""
获取题目卡片数据
{
"id":"题目ID",
"title":"题目名",
"acceptedCount":"AC数",
"submitCount":"总提交数",
"myStatus":{ //如果不存在则为空
"score":"我的分数",
"fullScore":"题目满分",
"status":"提交状态",
"submissionID":"提交ID"
}
}
"""
problem: Problem = db.session.query(
Problem.id,
Problem.title,
Problem.cached_accepted_count,
Problem.cached_submit_count,
Problem.subtasks).filter(Problem.id == problemID).one_or_none()
if not problem:
flask.abort(404)
result = {
"id": problem.id,
"title": problem.title,
"acceptedCount": problem.cached_accepted_count,
"submitCount": problem.cached_submit_count,
"myStatus": {}
}
my_submission: Submission = db.session.query(
Submission.id,
Submission.score,
Submission.status
).filter(expr.and_(
Submission.uid == session.get("uid", -1),
Submission.problem_id == problemID
)).order_by(Submission.score.desc()).limit(1).one_or_none()
if my_submission:
result["myStatus"] = {
"score": my_submission.score,
"fullScore": sum(item["score"] for item in problem.subtasks),
"status": my_submission.status,
"submissionID": my_submission.id
}
return make_response(0, data=result)
| 31.515152 | 74 | 0.622115 |
8643bd3ac7910e48726b42598153a8af71ed2992 | 18,135 | py | Python | aiida/backends/sqlalchemy/utils.py | joepvd/aiida_core | 6e9711046753332933f982971db1d7ac7e7ade58 | [
"BSD-2-Clause"
] | null | null | null | aiida/backends/sqlalchemy/utils.py | joepvd/aiida_core | 6e9711046753332933f982971db1d7ac7e7ade58 | [
"BSD-2-Clause"
] | null | null | null | aiida/backends/sqlalchemy/utils.py | joepvd/aiida_core | 6e9711046753332933f982971db1d7ac7e7ade58 | [
"BSD-2-Clause"
] | null | null | null | # -*- coding: utf-8 -*-
###########################################################################
# Copyright (c), The AiiDA team. All rights reserved. #
# This file is part of the AiiDA code. #
# #
# The code is hosted on GitHub at https://github.com/aiidateam/aiida_core #
# For further information on the license, see the LICENSE.txt file #
# For further information please visit http://www.aiida.net #
###########################################################################
from __future__ import division
from __future__ import absolute_import
from __future__ import print_function
try:
import ultrajson as json
from functools import partial
# double_precision = 15, to replicate what PostgreSQL numerical type is
# using
json_dumps = partial(json.dumps, double_precision=15)
json_loads = partial(json.loads, precise_float=True)
except ImportError:
import aiida.utils.json as json
json_dumps = json.dumps
json_loads = json.loads
import datetime
import re
import six
from alembic import command
from alembic.config import Config
from alembic.runtime.environment import EnvironmentContext
from alembic.script import ScriptDirectory
from dateutil import parser
from sqlalchemy import create_engine
from sqlalchemy.orm import scoped_session
from sqlalchemy.orm import sessionmaker
from aiida.backends import sqlalchemy as sa, settings
from aiida.common.setup import (get_profile_config)
ALEMBIC_FILENAME = "alembic.ini"
ALEMBIC_REL_PATH = "migrations"
def flag_modified(instance, key):
"""Wrapper around `sqlalchemy.orm.attributes.flag_modified` to correctly dereference utils.ModelWrapper
Since SqlAlchemy 1.2.12 (and maybe earlier but not in 1.0.19) the flag_modified function will check that the
key is actually present in the instance or it will except. If we pass a model instance, wrapped in the ModelWrapper
the call will raise an InvalidRequestError. In this function that wraps the flag_modified of SqlAlchemy, we
derefence the model instance if the passed instance is actually wrapped in the ModelWrapper.
"""
from sqlalchemy.orm.attributes import flag_modified as flag_modified_sqla
from aiida.orm.implementation.sqlalchemy.utils import ModelWrapper
if isinstance(instance, ModelWrapper):
instance = instance._model
flag_modified_sqla(instance, key)
def recreate_after_fork(engine):
"""
:param engine: the engine that will be used by the sessionmaker
Callback called after a fork. Not only disposes the engine, but also recreates a new scoped session
to use independent sessions in the forked process.
"""
sa.engine.dispose()
sa.scopedsessionclass = scoped_session(sessionmaker(bind=sa.engine, expire_on_commit=True))
def reset_session(config):
"""
:param config: the configuration of the profile from the
configuration file
Resets (global) engine and sessionmaker classes, to create a new one
(or creates a new one from scratch if not already available)
"""
from multiprocessing.util import register_after_fork
engine_url = (
"postgresql://{AIIDADB_USER}:{AIIDADB_PASS}@"
"{AIIDADB_HOST}{sep}{AIIDADB_PORT}/{AIIDADB_NAME}"
).format(sep=':' if config['AIIDADB_PORT'] else '', **config)
sa.engine = create_engine(engine_url, json_serializer=dumps_json,
json_deserializer=loads_json, encoding='utf-8')
sa.scopedsessionclass = scoped_session(sessionmaker(bind=sa.engine,
expire_on_commit=True))
register_after_fork(sa.engine, recreate_after_fork)
def load_dbenv(profile=None, connection=None):
"""
Load the database environment (SQLAlchemy) and perform some checks.
:param profile: the string with the profile to use. If not specified,
use the default one specified in the AiiDA configuration file.
"""
_load_dbenv_noschemacheck(profile=profile)
# Check schema version and the existence of the needed tables
check_schema_version()
def _load_dbenv_noschemacheck(profile=None, connection=None):
"""
Load the SQLAlchemy database.
"""
config = get_profile_config(settings.AIIDADB_PROFILE)
reset_session(config)
_aiida_autouser_cache = None
def dumps_json(d):
"""
Transforms all datetime object into isoformat and then returns the JSON
"""
def f(v):
if isinstance(v, list):
return [f(_) for _ in v]
elif isinstance(v, dict):
return dict((key, f(val)) for key, val in v.items())
elif isinstance(v, datetime.datetime):
return v.isoformat()
return v
return json_dumps(f(d))
date_reg = re.compile(r'^\d{4}-\d{2}-\d{2}T\d{2}:\d{2}:\d{2}\.\d+(\+\d{2}:\d{2})?$')
def loads_json(s):
"""
Loads the json and try to parse each basestring as a datetime object
"""
ret = json_loads(s)
def f(d):
if isinstance(d, list):
for i, val in enumerate(d):
d[i] = f(val)
return d
elif isinstance(d, dict):
for k, v in d.items():
d[k] = f(v)
return d
elif isinstance(d, six.string_types):
if date_reg.match(d):
try:
return parser.parse(d)
except (ValueError, TypeError):
return d
return d
return d
return f(ret)
# XXX the code here isn't different from the one use in Django. We may be able
# to refactor it in some way
def install_tc(session):
"""
Install the transitive closure table with SqlAlchemy.
"""
links_table_name = "db_dblink"
links_table_input_field = "input_id"
links_table_output_field = "output_id"
closure_table_name = "db_dbpath"
closure_table_parent_field = "parent_id"
closure_table_child_field = "child_id"
session.execute(get_pg_tc(links_table_name, links_table_input_field,
links_table_output_field, closure_table_name,
closure_table_parent_field,
closure_table_child_field))
def get_pg_tc(links_table_name,
links_table_input_field,
links_table_output_field,
closure_table_name,
closure_table_parent_field,
closure_table_child_field):
"""
Return the transitive closure table template
"""
from string import Template
pg_tc = Template("""
DROP TRIGGER IF EXISTS autoupdate_tc ON $links_table_name;
DROP FUNCTION IF EXISTS update_tc();
CREATE OR REPLACE FUNCTION update_tc()
RETURNS trigger AS
$$BODY$$
DECLARE
new_id INTEGER;
old_id INTEGER;
num_rows INTEGER;
BEGIN
IF tg_op = 'INSERT' THEN
IF EXISTS (
SELECT Id FROM $closure_table_name
WHERE $closure_table_parent_field = new.$links_table_input_field
AND $closure_table_child_field = new.$links_table_output_field
AND depth = 0
)
THEN
RETURN null;
END IF;
IF new.$links_table_input_field = new.$links_table_output_field
OR EXISTS (
SELECT id FROM $closure_table_name
WHERE $closure_table_parent_field = new.$links_table_output_field
AND $closure_table_child_field = new.$links_table_input_field
)
THEN
RETURN null;
END IF;
INSERT INTO $closure_table_name (
$closure_table_parent_field,
$closure_table_child_field,
depth)
VALUES (
new.$links_table_input_field,
new.$links_table_output_field,
0);
new_id := lastval();
UPDATE $closure_table_name
SET entry_edge_id = new_id
, exit_edge_id = new_id
, direct_edge_id = new_id
WHERE id = new_id;
INSERT INTO $closure_table_name (
entry_edge_id,
direct_edge_id,
exit_edge_id,
$closure_table_parent_field,
$closure_table_child_field,
depth)
SELECT id
, new_id
, new_id
, $closure_table_parent_field
, new.$links_table_output_field
, depth + 1
FROM $closure_table_name
WHERE $closure_table_child_field = new.$links_table_input_field;
INSERT INTO $closure_table_name (
entry_edge_id,
direct_edge_id,
exit_edge_id,
$closure_table_parent_field,
$closure_table_child_field,
depth)
SELECT new_id
, new_id
, id
, new.$links_table_input_field
, $closure_table_child_field
, depth + 1
FROM $closure_table_name
WHERE $closure_table_parent_field = new.$links_table_output_field;
INSERT INTO $closure_table_name (
entry_edge_id,
direct_edge_id,
exit_edge_id,
$closure_table_parent_field,
$closure_table_child_field,
depth)
SELECT A.id
, new_id
, B.id
, A.$closure_table_parent_field
, B.$closure_table_child_field
, A.depth + B.depth + 2
FROM $closure_table_name A
CROSS JOIN $closure_table_name B
WHERE A.$closure_table_child_field = new.$links_table_input_field
AND B.$closure_table_parent_field = new.$links_table_output_field;
END IF;
IF tg_op = 'DELETE' THEN
IF NOT EXISTS(
SELECT id FROM $closure_table_name
WHERE $closure_table_parent_field = old.$links_table_input_field
AND $closure_table_child_field = old.$links_table_output_field AND
depth = 0 )
THEN
RETURN NULL;
END IF;
CREATE TABLE PurgeList (Id int);
INSERT INTO PurgeList
SELECT id FROM $closure_table_name
WHERE $closure_table_parent_field = old.$links_table_input_field
AND $closure_table_child_field = old.$links_table_output_field AND
depth = 0;
WHILE (1 = 1)
loop
INSERT INTO PurgeList
SELECT id FROM $closure_table_name
WHERE depth > 0
AND ( entry_edge_id IN ( SELECT Id FROM PurgeList )
OR direct_edge_id IN ( SELECT Id FROM PurgeList )
OR exit_edge_id IN ( SELECT Id FROM PurgeList ) )
AND Id NOT IN (SELECT Id FROM PurgeList );
GET DIAGNOSTICS num_rows = ROW_COUNT;
if (num_rows = 0) THEN
EXIT;
END IF;
end loop;
DELETE FROM $closure_table_name WHERE Id IN ( SELECT Id FROM PurgeList);
DROP TABLE PurgeList;
END IF;
RETURN NULL;
END
$$BODY$$
LANGUAGE plpgsql VOLATILE
COST 100;
CREATE TRIGGER autoupdate_tc
AFTER INSERT OR DELETE OR UPDATE
ON $links_table_name FOR each ROW
EXECUTE PROCEDURE update_tc();
""")
return pg_tc.substitute(links_table_name=links_table_name,
links_table_input_field=links_table_input_field,
links_table_output_field=links_table_output_field,
closure_table_name=closure_table_name,
closure_table_parent_field=closure_table_parent_field,
closure_table_child_field=closure_table_child_field)
def check_schema_version(force_migration=False, alembic_cfg=None):
"""
Check if the version stored in the database is the same of the version
of the code.
:note: if the DbSetting table does not exist, this function does not
fail. The reason is to avoid to have problems before running the first
migrate call.
:note: if no version is found, the version is set to the version of the
code. This is useful to have the code automatically set the DB version
at the first code execution.
:raise ConfigurationError: if the two schema versions do not match.
Otherwise, just return.
"""
import sys
from aiida.common.utils import query_yes_no
from aiida.backends import sqlalchemy as sa
from aiida.backends.settings import IN_DOC_MODE
# Early exit if we compile the documentation since the schema
# check is not needed and it creates problems with the sqlalchemy
# migrations
if IN_DOC_MODE:
return
# If an alembic configuration file is given then use that one.
if alembic_cfg is None:
alembic_cfg = get_alembic_conf()
# Getting the version of the code and the database
# Reusing the existing engine (initialized by AiiDA)
with sa.engine.begin() as connection:
alembic_cfg.attributes['connection'] = connection
code_schema_version = get_migration_head(alembic_cfg)
db_schema_version = get_db_schema_version(alembic_cfg)
if code_schema_version != db_schema_version:
if db_schema_version is None:
print("It is time to perform your first SQLAlchemy migration.")
else:
print("The code schema version is {}, but the version stored in "
"the database is {}."
.format(code_schema_version, db_schema_version))
if force_migration or query_yes_no("Would you like to migrate to the "
"latest version?", "yes"):
print("Migrating to the last version")
# Reusing the existing engine (initialized by AiiDA)
with sa.engine.begin() as connection:
alembic_cfg.attributes['connection'] = connection
command.upgrade(alembic_cfg, "head")
else:
print("No migration is performed. Exiting since database is out "
"of sync with the code.")
sys.exit(1)
def get_migration_head(config):
"""
This function returns the head of the migration scripts.
:param config: The alembic configuration.
:return: The version of the head.
"""
script = ScriptDirectory.from_config(config)
return script.get_current_head()
def get_db_schema_version(config):
"""
This function returns the current version of the database.
:param config: The alembic configuration.
:return: The version of the database.
"""
if config is None:
return None
script = ScriptDirectory.from_config(config)
def get_db_version(rev, _):
if isinstance(rev, tuple) and len(rev) > 0:
config.attributes['rev'] = rev[0]
else:
config.attributes['rev'] = None
return []
with EnvironmentContext(
config,
script,
fn=get_db_version
):
script.run_env()
return config.attributes['rev']
def get_alembic_conf():
"""
This function returns the alembic configuration file contents by doing
the necessary updates in the 'script_location' name.
:return: The alembic configuration.
"""
# Constructing the alembic full path & getting the configuration
import os
dir_path = os.path.dirname(os.path.realpath(__file__))
alembic_fpath = os.path.join(dir_path, ALEMBIC_FILENAME)
alembic_cfg = Config(alembic_fpath)
# Set the alembic script directory location
alembic_dpath = os.path.join(dir_path, ALEMBIC_REL_PATH)
alembic_cfg.set_main_option('script_location', alembic_dpath)
return alembic_cfg
def alembic_command(selected_command, *args, **kwargs):
"""
This function calls the necessary alembic command with the provided
arguments.
:param selected_command: The command that should be called from the
alembic commands.
:param args: The arguments.
:param kwargs: The keyword arguments.
:return: Nothing.
"""
if selected_command is None:
return
# Get the requested alembic command from the available commands
al_command = getattr(command, selected_command)
alembic_cfg = get_alembic_conf()
with sa.engine.begin() as connection:
alembic_cfg.attributes['connection'] = connection
if selected_command in ['current', 'history']:
if 'verbose' in args:
al_command(alembic_cfg, verbose=True)
else:
al_command(alembic_cfg, *args, **kwargs)
elif selected_command == 'revision':
al_command(alembic_cfg, message=args[0][0])
else:
al_command(alembic_cfg, *args, **kwargs)
def delete_nodes_and_connections_sqla(pks_to_delete):
"""
Delete all nodes corresponding to pks in the input.
:param pks_to_delete: A list, tuple or set of pks that should be deleted.
"""
from aiida.backends import sqlalchemy as sa
from aiida.backends.sqlalchemy.models.node import DbNode, DbLink
from aiida.backends.sqlalchemy.models.group import table_groups_nodes
session = sa.get_scoped_session()
try:
# I am first making a statement to delete the membership of these nodes to groups.
# Since table_groups_nodes is a sqlalchemy.schema.Table, I am using expression language to compile
# a stmt to be executed by the session. It works, but it's not nice that two different ways are used!
# Can this be changed?
stmt = table_groups_nodes.delete().where(table_groups_nodes.c.dbnode_id.in_(list(pks_to_delete)))
session.execute(stmt)
# First delete links, then the Nodes, since we are not cascading deletions.
# Here I delete the links coming out of the nodes marked for deletion.
session.query(DbLink).filter(DbLink.input_id.in_(list(pks_to_delete))).delete(synchronize_session='fetch')
# Here I delete the links pointing to the nodes marked for deletion.
session.query(DbLink).filter(DbLink.output_id.in_(list(pks_to_delete))).delete(synchronize_session='fetch')
# Now I am deleting the nodes
session.query(DbNode).filter(DbNode.id.in_(list(pks_to_delete))).delete(synchronize_session='fetch')
# Here I commit this scoped session!
session.commit()
except Exception as e:
# If there was any exception, I roll back the session.
session.rollback()
raise e
finally:
session.close()
| 33.153565 | 119 | 0.659994 |
78da4ffb56fd155e227e684d88b8f58a84806283 | 196 | py | Python | experiments/multip.py | huxia001/autokeras | f4503bb3a3be014b452f54d8e2d187bb6419f627 | [
"MIT"
] | 1 | 2018-08-03T05:59:54.000Z | 2018-08-03T05:59:54.000Z | experiments/multip.py | HangJie720/autokeras | 1619d8c398a955559fb6389797716c9a0989cb43 | [
"MIT"
] | null | null | null | experiments/multip.py | HangJie720/autokeras | 1619d8c398a955559fb6389797716c9a0989cb43 | [
"MIT"
] | 1 | 2018-08-31T12:49:57.000Z | 2018-08-31T12:49:57.000Z | import multiprocessing
from time import sleep
def foo(a, b):
return a + b
d = {}
p = multiprocessing.Pool(2)
data = p.map_async(foo, [[3, 4], [5, 6]])
print(data.get())
p.close()
p.join()
| 13.066667 | 41 | 0.622449 |
91ab1a8ff6fe61b1236f737d549b3de42fefef0f | 771 | py | Python | core/admin.py | Hassan-gholipoor/Todo_App_API | 19f9c141868fa0b01a11ed2a20f665d97b877340 | [
"MIT"
] | null | null | null | core/admin.py | Hassan-gholipoor/Todo_App_API | 19f9c141868fa0b01a11ed2a20f665d97b877340 | [
"MIT"
] | null | null | null | core/admin.py | Hassan-gholipoor/Todo_App_API | 19f9c141868fa0b01a11ed2a20f665d97b877340 | [
"MIT"
] | null | null | null | from django.contrib import admin
from django.contrib.auth.admin import UserAdmin as BaseUserAdmin
from django.utils.translation import gettext_lazy as _
from core import models
class UserAdmin(BaseUserAdmin):
ordering = ['id']
list_display = ['email', 'name']
fieldsets = (
(None, {"fields": ("email", "password")}),
(_("Personal Info"), {"fields": ("name",)}),
(_("Permissions"), {"fields": ("is_active", ("is_staff", "is_superuser"))}),
(_("Important dates"), {"fields": ("last_login",)})
)
add_fieldsets = (
(None, {
"classes": ('wide',),
"fields": ('email', 'password1', 'password2')
}),
)
admin.site.register(models.User, UserAdmin)
admin.site.register(models.Todo) | 29.653846 | 84 | 0.599222 |
2a46d2b5ab30a87f7025507ff6c6dd84d8a165f5 | 940 | py | Python | woof_nf/workflow/bin/shared.py | umccr/woof-nf | 0d4ac533e67dc2b28252bf50379133184524d1bd | [
"OLDAP-2.2.1"
] | null | null | null | woof_nf/workflow/bin/shared.py | umccr/woof-nf | 0d4ac533e67dc2b28252bf50379133184524d1bd | [
"OLDAP-2.2.1"
] | null | null | null | woof_nf/workflow/bin/shared.py | umccr/woof-nf | 0d4ac533e67dc2b28252bf50379133184524d1bd | [
"OLDAP-2.2.1"
] | null | null | null | import pathlib
import subprocess
import sys
def get_woofr_source_fp() -> pathlib.Path:
return get_lib_path() / 'woofr_compare.R'
def get_lib_path() -> pathlib.Path:
# Currently the nf-amazon plugin only uploads the ./bin/ directory to AWS instances. Any ./lib/
# files accessed during task execution are required to be in ./bin/. The ./bin/ directory
# appears as /nextflow-bin/ on AWS instances.
return pathlib.Path(__file__).parent
def execute_command(command: str) -> subprocess.CompletedProcess:
result = subprocess.run(
command,
stdout=subprocess.PIPE,
stderr=subprocess.PIPE,
shell=True,
encoding='utf-8'
)
if result.returncode != 0:
print('Failed to run command:', result.args, file=sys.stderr)
print('stdout:', result.stdout, file=sys.stderr)
print('stderr:', result.stderr, file=sys.stderr)
sys.exit(1)
return result
| 30.322581 | 99 | 0.671277 |
45a6b44377355d64a68094ef9bbcc6d15f21c27f | 948 | py | Python | app/DBbase.py | ophioglossum/video | 31b969bddc7f3509d5ebaab1aff9d7e2399365ff | [
"MIT"
] | null | null | null | app/DBbase.py | ophioglossum/video | 31b969bddc7f3509d5ebaab1aff9d7e2399365ff | [
"MIT"
] | null | null | null | app/DBbase.py | ophioglossum/video | 31b969bddc7f3509d5ebaab1aff9d7e2399365ff | [
"MIT"
] | null | null | null | from config import database
from sqlalchemy import create_engine
from sqlalchemy.orm import sessionmaker,scoped_session
from sqlalchemy.pool import QueuePool
#数据库基础类
class DBbase():
def __init__(self):
self.engine = create_engine(
database.DB_HOST,
poolclass=QueuePool,
max_overflow=0, # 超过连接池大小外最多创建的连接
pool_size=5, # 连接池大小
pool_timeout=30, # 池中没有线程最多等待的时间
pool_recycle=-1, # 多久之后对线程池中的线程进行一次连接的回收(重置)
echo=database.DB_DEBUG,
echo_pool=database.DB_DEBUG
)
# engine是2.2中创建的连接
self.DBSession = sessionmaker(bind=self.engine)
self.session = scoped_session(self.DBSession)
def __del__(self):
self.session.remove()
self.engine.dispose()
#获取一个新的连接池
def _get_new_session(self):
# 创建Session类实例
new_session = scoped_session(self.DBSession)
return new_session | 31.6 | 57 | 0.650844 |
ac4a29c0047fff68943b8d600da4f2cd013aeb41 | 677 | py | Python | tests/test_kademlia.py | vtemian/kademlia | 0994f76f314481316bedcfa6b5c3e404e33df53c | [
"MIT"
] | null | null | null | tests/test_kademlia.py | vtemian/kademlia | 0994f76f314481316bedcfa6b5c3e404e33df53c | [
"MIT"
] | null | null | null | tests/test_kademlia.py | vtemian/kademlia | 0994f76f314481316bedcfa6b5c3e404e33df53c | [
"MIT"
] | null | null | null | import time
import pytest
from kademlia import Kademlia
@pytest.fixture
def nodes():
node1 = Kademlia("127.0.0.1", 5001)
node2 = Kademlia("127.0.0.1", 5002, register_to=node1)
return node1, node2
def test_ping(nodes):
node1, node2 = nodes
node1.ping(node2)
assert node1.received_jobs[-1] == {
"job_type": "pong",
"sender": node2.id,
}
assert node2.received_jobs[-1] == {
"job_type": "ping",
"sender": node1.id,
}
assert False
#def test_key_propagation(nodes):
# node1, node2 = nodes
#
# node1["awesome-key"] = "cool-value"
# assert node2["awesome-key"] == "cool-value"
| 18.297297 | 58 | 0.592319 |
498b617eecf768c6216cade6f230739f52bfa19a | 1,857 | py | Python | python/src/nnabla/backward_function/random_choice.py | chunxiaosz/nnabla | 9f4249313129d0fd23d304453830157fee96a2e5 | [
"Apache-2.0"
] | 1 | 2019-09-10T06:51:37.000Z | 2019-09-10T06:51:37.000Z | python/src/nnabla/backward_function/random_choice.py | langbin2014/nnabla | e94bac5bed65337010e2ac07a5937fb862ab2dd8 | [
"Apache-2.0"
] | null | null | null | python/src/nnabla/backward_function/random_choice.py | langbin2014/nnabla | e94bac5bed65337010e2ac07a5937fb862ab2dd8 | [
"Apache-2.0"
] | null | null | null | # Copyright (c) 2017 Sony Corporation. 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 numpy as np
import nnabla as nn
import nnabla.functions as F
from .backward_function import BackwardFunction
class RandomChoiceBackward(BackwardFunction):
def name(self):
return 'RandomChoiceBackward'
def _create_forward_inputs_and_outputs(self, inputs, outputs):
# Inputs on the forward graph
inputs_fwd = []
for i in range(self._num_inputs_fwd):
need_grad = self.forward_func.inputs[i].need_grad
v = nn.Variable(inputs[i].shape, need_grad=need_grad)
v.data = inputs[i].data
v.grad = outputs[i].data
inputs_fwd += [v]
# Outputs on the forward graph
outputs_fwd = []
for i in range(self._num_outputs_fwd):
inp = inputs[self._num_inputs_fwd + i]
v = nn.Variable(inp.shape)
v.grad = inp.data
outputs_fwd += [v]
return inputs_fwd, outputs_fwd
def backward_impl(self, inputs, outputs, prop_down, accum):
# inputs: [inputs_fwd_graph] + [inputs_bwd_graph] or
# [inputs_fwd_graph] + [outputs_fwd_graph] + [inputs_bwd_graph]
raise NotImplementedError(
"The backward method of RandomChoiceBackward class is not implemented.")
| 37.14 | 84 | 0.681745 |
89fb09ea458052372ec5c573208ade0132c9690b | 4,500 | py | Python | roles/lib_openshift/src/class/oc_group.py | shgriffi/openshift-ansible | 6313f519307cf50055589c3876d8bec398bbc4d4 | [
"Apache-2.0"
] | 1 | 2017-12-13T01:11:57.000Z | 2017-12-13T01:11:57.000Z | roles/lib_openshift/src/class/oc_group.py | shgriffi/openshift-ansible | 6313f519307cf50055589c3876d8bec398bbc4d4 | [
"Apache-2.0"
] | 6 | 2018-02-01T11:13:38.000Z | 2018-02-02T08:01:15.000Z | roles/lib_openshift/src/class/oc_group.py | shgriffi/openshift-ansible | 6313f519307cf50055589c3876d8bec398bbc4d4 | [
"Apache-2.0"
] | 4 | 2018-10-27T00:29:24.000Z | 2022-01-07T07:39:51.000Z | # pylint: skip-file
# flake8: noqa
class OCGroup(OpenShiftCLI):
''' Class to wrap the oc command line tools '''
kind = 'group'
def __init__(self,
config,
verbose=False):
''' Constructor for OCGroup '''
super(OCGroup, self).__init__(config.namespace, config.kubeconfig)
self.config = config
self.namespace = config.namespace
self._group = None
@property
def group(self):
''' property function service'''
if not self._group:
self.get()
return self._group
@group.setter
def group(self, data):
''' setter function for yedit var '''
self._group = data
def exists(self):
''' return whether a group exists '''
if self.group:
return True
return False
def get(self):
'''return group information '''
result = self._get(self.kind, self.config.name)
if result['returncode'] == 0:
self.group = Group(content=result['results'][0])
elif 'groups \"{}\" not found'.format(self.config.name) in result['stderr']:
result['returncode'] = 0
result['results'] = [{}]
return result
def delete(self):
'''delete the object'''
return self._delete(self.kind, self.config.name)
def create(self):
'''create the object'''
return self._create_from_content(self.config.name, self.config.data)
def update(self):
'''update the object'''
return self._replace_content(self.kind, self.config.name, self.config.data)
def needs_update(self):
''' verify an update is needed '''
return not Utils.check_def_equal(self.config.data, self.group.yaml_dict, skip_keys=[], debug=True)
# pylint: disable=too-many-return-statements,too-many-branches
@staticmethod
def run_ansible(params, check_mode=False):
'''run the idempotent ansible code'''
gconfig = GroupConfig(params['name'],
params['namespace'],
params['kubeconfig'],
)
oc_group = OCGroup(gconfig, verbose=params['debug'])
state = params['state']
api_rval = oc_group.get()
if api_rval['returncode'] != 0:
return {'failed': True, 'msg': api_rval}
#####
# Get
#####
if state == 'list':
return {'changed': False, 'results': api_rval['results'], 'state': state}
########
# Delete
########
if state == 'absent':
if oc_group.exists():
if check_mode:
return {'changed': True, 'msg': 'CHECK_MODE: Would have performed a delete.'}
api_rval = oc_group.delete()
if api_rval['returncode'] != 0:
return {'failed': True, 'msg': api_rval}
return {'changed': True, 'results': api_rval, 'state': state}
return {'changed': False, 'state': state}
if state == 'present':
########
# Create
########
if not oc_group.exists():
if check_mode:
return {'changed': True, 'msg': 'CHECK_MODE: Would have performed a create.'}
# Create it here
api_rval = oc_group.create()
if api_rval['returncode'] != 0:
return {'failed': True, 'msg': api_rval}
# return the created object
api_rval = oc_group.get()
if api_rval['returncode'] != 0:
return {'failed': True, 'msg': api_rval}
return {'changed': True, 'results': api_rval, 'state': state}
########
# Update
########
if oc_group.needs_update():
api_rval = oc_group.update()
if api_rval['returncode'] != 0:
return {'failed': True, 'msg': api_rval}
# return the created object
api_rval = oc_group.get()
if api_rval['returncode'] != 0:
return {'failed': True, 'msg': api_rval}
return {'changed': True, 'results': api_rval, 'state': state}
return {'changed': False, 'results': api_rval, 'state': state}
return {'failed': True, 'msg': 'Unknown state passed. {}'.format(state)}
| 30.201342 | 106 | 0.512 |
6ccdcb0248ddee32637260f06a1c3bf66c3d9755 | 545 | py | Python | tests/schema/models_cyclic.py | Alirezaja1384/tortoise-orm | e7ecbc81d43860a3b0b6d5d9da27497ed6234049 | [
"Apache-2.0"
] | 33 | 2018-04-07T09:50:22.000Z | 2018-08-24T10:25:29.000Z | tests/schema/models_cyclic.py | Alirezaja1384/tortoise-orm | e7ecbc81d43860a3b0b6d5d9da27497ed6234049 | [
"Apache-2.0"
] | 41 | 2018-03-29T17:09:18.000Z | 2018-08-24T16:37:38.000Z | tests/schema/models_cyclic.py | Alirezaja1384/tortoise-orm | e7ecbc81d43860a3b0b6d5d9da27497ed6234049 | [
"Apache-2.0"
] | 4 | 2018-06-27T08:45:11.000Z | 2018-07-30T18:16:55.000Z | """
This is the testing Models — Cyclic
"""
from tortoise import fields
from tortoise.models import Model
class One(Model):
tournament: fields.ForeignKeyRelation["Two"] = fields.ForeignKeyField(
"models.Two", related_name="events"
)
class Two(Model):
tournament: fields.ForeignKeyRelation["Three"] = fields.ForeignKeyField(
"models.Three", related_name="events"
)
class Three(Model):
tournament: fields.ForeignKeyRelation[One] = fields.ForeignKeyField(
"models.One", related_name="events"
)
| 22.708333 | 76 | 0.699083 |
18e617dd29f9f7671dd608cb62fe149a18bc34e2 | 24,257 | py | Python | mvpa2/base/verbosity.py | nno/PyMVPA | a125596bf81b8e9848768852f697bd3cff9674c4 | [
"MIT"
] | 227 | 2015-01-17T20:13:54.000Z | 2022-01-26T21:14:30.000Z | mvpa2/base/verbosity.py | nno/PyMVPA | a125596bf81b8e9848768852f697bd3cff9674c4 | [
"MIT"
] | 364 | 2015-01-05T21:55:09.000Z | 2021-09-09T20:37:55.000Z | mvpa2/base/verbosity.py | nno/PyMVPA | a125596bf81b8e9848768852f697bd3cff9674c4 | [
"MIT"
] | 111 | 2015-01-06T19:26:41.000Z | 2022-01-26T21:14:31.000Z | # emacs: -*- mode: python; py-indent-offset: 4; indent-tabs-mode: nil -*-
# vi: set ft=python sts=4 ts=4 sw=4 et:
### ### ### ### ### ### ### ### ### ### ### ### ### ### ### ### ### ### ### ##
#
# See COPYING file distributed along with the PyMVPA package for the
# copyright and license terms.
#
### ### ### ### ### ### ### ### ### ### ### ### ### ### ### ### ### ### ### ##
"""Verbose output and debugging facility
Examples:
from verbosity import verbose, debug; debug.active = [1,2,3]; debug(1, "blah")
"""
__docformat__ = 'restructuredtext'
from sys import stdout, stderr
# GOALS
# any logger should be able
# to log into a file or stdout/stderr
# provide ability to log with/without a new line at the end
#
# debug logger should be able
# to log sets of debug statements
# add/remove debug setid items
# give verbose description about registered debugset items
class Logger(object):
"""Base class to provide logging
"""
def __init__(self, handlers=None):
"""Initialize the logger with a set of handlers to use for output
Each hanlder must have write() method implemented
"""
if handlers is None:
handlers = [stdout]
self.__close_handlers = []
self.__handlers = [] # pylint friendliness
self._set_handlers(handlers)
self.__lfprev = True
self.__crprev = 0 # number of symbols in previous cr-ed
def __del__(self):
self._close_opened_handlers()
##REF: Name was automagically refactored
def _set_handlers(self, handlers):
"""Set list of handlers for the log.
A handler can be opened files, stdout, stderr, or a string, which
will be considered a filename to be opened for writing
"""
handlers_ = []
self._close_opened_handlers()
for handler in handlers:
if isinstance(handler, basestring):
try:
handler = {'stdout' : stdout,
'stderr' : stderr}[handler.lower()]
except:
try:
handler = open(handler, 'w')
self.__close_handlers.append(handler)
except:
raise RuntimeError, \
"Cannot open file %s for writing by the logger" \
% handler
handlers_.append(handler)
self.__handlers = handlers_
##REF: Name was automagically refactored
def _close_opened_handlers(self):
"""Close opened handlers (such as opened logfiles
"""
for handler in self.__close_handlers:
handler.close()
##REF: Name was automagically refactored
def _get_handlers(self):
"""Return active handlers
"""
return self.__handlers
def __call__(self, msg, args=None, lf=True, cr=False, **kwargs):
"""Write msg to each of the handlers.
It can append a newline (lf = Line Feed) or return
to the beginning before output and to take care about
cleaning previous message if present
it appends a newline (lf = Line Feed) since most commonly each
call is a separate message
"""
if args is not None:
try:
msg = msg % args
except Exception as e:
msg = "%s [%% FAILED due to %s]" % (msg, e)
if 'msgargs' in kwargs:
msg = msg % kwargs['msgargs']
if cr:
msg_ = ""
if self.__crprev > 0:
# wipe out older line to make sure to see no ghosts
msg_ = "\r%s" % (" "*self.__crprev)
msg_ += "\r" + msg
self.__crprev = len(msg)
msg = msg_
# since it makes no sense this days for cr and lf,
# override lf
lf = False
else:
self.__crprev += len(msg)
if lf:
msg = msg + "\n"
self.__crprev = 0 # nothing to clear
for handler in self.__handlers:
try:
handler.write(msg)
except:
print "Failed writing on handler %s" % handler
raise
try:
handler.flush()
except:
# it might be not implemented..
pass
self.__lfprev = lf
handlers = property(fget=_get_handlers, fset=_set_handlers)
lfprev = property(fget=lambda self:self.__lfprev)
class LevelLogger(Logger):
"""Logger not to log anything with a level smaller than specified.
"""
def __init__(self, level=0, indent=" ", *args, **kwargs):
"""
Parameters
----------
level : int, optional
Level to consider be active.
indent : str, optional
String to use for indentation.
"""
Logger.__init__(self, *args, **kwargs)
self.__level = level # damn pylint ;-)
self.__indent = indent
self._set_level(level)
self._set_indent(indent)
##REF: Name was automagically refactored
def _set_level(self, level):
"""Set logging level
"""
if __debug__:
try:
from mvpa2.base import debug
debug('VERBOSE', 'Setting verbosity to %r from %r',
(self.__level, level))
except:
pass
ilevel = int(level)
if ilevel < 0:
raise ValueError, \
"Negative verbosity levels (got %d) are not supported" \
% ilevel
self.__level = ilevel
##REF: Name was automagically refactored
def _set_indent(self, indent):
"""Either to indent the lines based on message log level"""
self.__indent = "%s" % indent
def __call__(self, level, msg, *args, **kwargs):
"""Write msg and indent using self.indent it if it was requested.
It appends a newline since most commonly each call is a separate
message
"""
if level <= self.level:
if self.lfprev and self.indent:
# indent if previous line ended with newline
msg = self.indent * level + msg
Logger.__call__(self, msg, *args, **kwargs)
level = property(fget=lambda self: self.__level, fset=_set_level)
indent = property(fget=lambda self: self.__indent, fset=_set_indent)
class OnceLogger(Logger):
"""Logger which prints a message for a given ID just once.
It could be used for one-time warning to don't overfill the output
with useless repeatative messages.
"""
def __init__(self, *args, **kwargs):
"""Define once logger.
"""
Logger.__init__(self, *args, **kwargs)
self._known = {}
def __call__(self, ident, msg, count=1, *args, **kwargs):
"""Write `msg` if `ident` occured less than `count` times by now.
"""
if ident not in self._known:
self._known[ident] = 0
if count < 0 or self._known[ident] < count:
self._known[ident] += 1
Logger.__call__(self, msg, *args, **kwargs)
class SetLogger(Logger):
"""Logger which prints based on defined sets identified by Id.
"""
def __init__(self, register=None, active=None, printsetid=True,
*args, **kwargs):
"""
Parameters
----------
register : dict or None
What Ids are to be known. Each item dictionary contains consists
of concise key and a description as the value.
active : iterable
What Ids to consider active upon initialization.
printsetid : bool, optional
Either to prefix each line with the target Id of a set in which
the line was printed to (default behavior).
"""
if register is None:
register = {}
if active is None:
active = []
Logger.__init__(self, *args, **kwargs)
self.__printsetid = printsetid
self.__registered = register # all "registered" sets descriptions
# which to output... pointless since __registered
self._set_active(active)
self._set_printsetid(printsetid)
##REF: Name was automagically refactored
def _set_active(self, active):
"""Set active logging set
"""
# just unique entries... we could have simply stored Set I guess,
# but then smth like debug.active += ["BLAH"] would not work
from mvpa2.base import verbose
self.__active = []
registered_keys = self.__registered.keys()
for item in list(set(active)):
if item == '':
continue
if isinstance(item, basestring):
if item in ['?', 'list', 'help']:
self.print_registered(detailed=(item != '?'))
raise SystemExit(0)
if item.upper() == "ALL":
verbose(2, "Enabling all registered debug handlers")
self.__active = registered_keys
break
# try to match item as it is regexp
regexp_str = "^%s$" % item
try:
regexp = re.compile(regexp_str)
except:
raise ValueError, \
"Unable to create regular expression out of %s" % item
matching_keys = filter(regexp.match, registered_keys)
toactivate = matching_keys
if len(toactivate) == 0:
ids = self.registered.keys()
ids.sort()
raise ValueError, \
"Unknown debug ID '%s' was asked to become active," \
" or regular expression '%s' did not get any match" \
" among known ids: %s" \
% (item, regexp_str, ids)
else:
toactivate = [item]
# Lets check if asked items are known
for item_ in toactivate:
if not (item_ in registered_keys):
raise ValueError, \
"Unknown debug ID %s was asked to become active" \
% item_
self.__active += toactivate
self.__active = list(set(self.__active)) # select just unique ones
self.__maxstrlength = max([len(str(x)) for x in self.__active] + [0])
if len(self.__active):
verbose(2, "Enabling debug handlers: %s" % `self.__active`)
##REF: Name was automagically refactored
def _set_printsetid(self, printsetid):
"""Either to print set Id at each line"""
self.__printsetid = printsetid
def __call__(self, setid, msg, *args, **kwargs):
"""
Write msg
It appends a newline since most commonly each call is a separate
message
"""
if setid in self.__active:
if len(msg) > 0 and self.__printsetid:
msg = "[%%-%ds] " % self.__maxstrlength % (setid) + msg
Logger.__call__(self, msg, *args, **kwargs)
def register(self, setid, description):
""" "Register" a new setid with a given description for easy finding
"""
if setid in self.__registered:
raise ValueError, \
"Setid %s is already known with description '%s'" % \
(`setid`, self.__registered[setid])
self.__registered[setid] = description
##REF: Name was automagically refactored
def set_active_from_string(self, value):
"""Given a string listing registered(?) setids, make then active
"""
# somewhat evil but works since verbose must be initiated
# by now
self.active = value.split(",")
def print_registered(self, detailed=True):
print "Registered debug entries: ",
kd = self.registered
rks = sorted(kd.keys())
maxl = max([len(k) for k in rks])
if not detailed:
# short list
print ', '.join(rks)
else:
print
for k in rks:
print '%%%ds %%s' % maxl % (k, kd[k])
printsetid = property(fget=lambda self: self.__printsetid, \
fset=_set_printsetid)
active = property(fget=lambda self: self.__active, fset=_set_active)
registered = property(fget=lambda self: self.__registered)
if __debug__:
import os, re
import traceback
import time
from os import getpid
from os.path import basename, dirname
__pymvpa_pid__ = getpid()
def parse_status(field='VmSize', value_only=False):
"""Return stat information on current process.
Usually it is needed to know where the memory is gone, that is
why VmSize is the default for the field to spit out
TODO: Spit out multiple fields. Use some better way than parsing proc
"""
regex = re.compile('^%s:' % field)
match = None
try:
for l in open('/proc/%d/status' % __pymvpa_pid__):
if regex.match(l):
match = l.strip()
break
if match:
match = re.sub('[ \t]+', ' ', match)
except IOError:
pass
if match and value_only:
match = match.split(':', 1)[1].lstrip()
return match
def get_vmem_from_status():
"""Return utilization of virtual memory
Deprecated implementation which relied on parsing proc/PID/status
"""
rss, vms = [parse_status(field=x, value_only=True)
for x in ['VmRSS', 'VmSize']]
if rss is None or vms is None:
# So not available on this system -- signal with negatives
# but do not crash
return (-1, -1)
if rss[-3:] == vms[-3:] and rss[-3:] == ' kB':
# the same units
rss = int(rss[:-3]) # strip from rss
vms = int(vms[:-3])
return (rss, vms)
try:
# we prefer to use psutil if available
# and let's stay away from "externals" module for now
# Note: importing as __Process so it does not get
# 'queried' by autodoc leading to an exception
# while being unable to get values for the properties
from psutil import Process as __Process
__pymvpa_process__ = __Process(__pymvpa_pid__)
__pymvpa_memory_info = __pymvpa_process__.memory_info if hasattr(__pymvpa_process__, 'memory_info') \
else __pymvpa_process__.get_memory_info
def get_vmem():
"""Return utilization of virtual memory
Generic implementation using psutil
"""
mi = __pymvpa_memory_info()
# in later versions of psutil mi is a named tuple.
# but that is not the case on Debian squeeze with psutil 0.1.3
rss = mi[0] / 1024
vms = mi[1] / 1024
return (rss, vms)
except ImportError:
get_vmem = get_vmem_from_status
def get_vmem_str():
"""Return a string summary about utilization of virtual_memory
"""
vmem = get_vmem()
try:
return "RSS/VMS: %d/%d kB" % vmem
except:
return "RSS/VMS: %s" % str(vmem)
def _get_vmem_max_str_gen():
"""Return peak vmem utilization so far.
It is a generator, get_vmem_max_str later is bound to .next
of it - to mimic static variables
"""
rss_max = 0
vms_max = 0
while True:
rss, vms = get_vmem()
rss_max = max(rss, rss_max)
vms_max = max(vms, vms_max)
yield "max RSS/VMS: %d/%d kB" % (rss_max, vms_max)
get_vmem_max_str = _get_vmem_max_str_gen().next
def mbasename(s):
"""Custom function to include directory name if filename is too common
Also strip .py at the end
"""
base = basename(s)
if base.endswith('.py'):
base = base[:-3]
if base in set(['base', '__init__']):
base = basename(dirname(s)) + '.' + base
return base
class TraceBack(object):
"""Customized traceback to be included in debug messages
"""
def __init__(self, collide=False):
"""Initialize TrackBack metric
Parameters
----------
collide : bool
if True then prefix common with previous invocation gets
replaced with ...
"""
self.__prev = ""
self.__collide = collide
def __call__(self):
ftb = traceback.extract_stack(limit=100)[:-2]
entries = [[mbasename(x[0]), str(x[1])] for x in ftb]
entries = [ e for e in entries if e[0] != 'unittest' ]
# lets make it more consize
entries_out = [entries[0]]
for entry in entries[1:]:
if entry[0] == entries_out[-1][0]:
entries_out[-1][1] += ',%s' % entry[1]
else:
entries_out.append(entry)
sftb = '>'.join(['%s:%s' % (mbasename(x[0]),
x[1]) for x in entries_out])
if self.__collide:
# lets remove part which is common with previous invocation
prev_next = sftb
common_prefix = os.path.commonprefix((self.__prev, sftb))
common_prefix2 = re.sub('>[^>]*$', '', common_prefix)
if common_prefix2 != "":
sftb = '...' + sftb[len(common_prefix2):]
self.__prev = prev_next
return sftb
class RelativeTime(object):
"""Simple helper class to provide relative time it took from previous
invocation"""
def __init__(self, format="%3.3f sec"):
"""
Parameters
----------
format : str
String format to use for reporting time.
"""
self.__prev = None
self.__format = format
def __call__(self):
dt = 0.0
ct = time.time()
if self.__prev is not None:
dt = ct - self.__prev
self.__prev = ct
return self.__format % dt
class DebugLogger(SetLogger):
"""
Logger for debugging purposes.
Expands SetLogger with ability to print some interesting information
(named Metric... XXX) about current process at each debug printout
"""
_known_metrics = {
# TODO: make up Windows-friendly version or pure Python platform
# independent version (probably just make use of psutil)
'vmem' : get_vmem_str,
'vmem_max' : get_vmem_max_str,
'pid' : getpid, # lambda : parse_status(field='Pid'),
'asctime' : time.asctime,
'tb' : TraceBack(),
'tbc' : TraceBack(collide=True),
}
def __init__(self, metrics=None, offsetbydepth=True, *args, **kwargs):
"""
Parameters
----------
metrics : iterable of (func or str) or None
What metrics (functions) to be reported. If item is a string,
it is matched against `_known_metrics` keys.
offsetbydepth : bool, optional
Either to offset lines depending on backtrace depth (default
behavior).
*args, **kwargs
Passed to SetLogger initialization XXX
"""
if metrics is None:
metrics = []
SetLogger.__init__(self, *args, **kwargs)
self.__metrics = []
self._offsetbydepth = offsetbydepth
self._reltimer = RelativeTime()
self._known_metrics = DebugLogger._known_metrics
self._known_metrics['reltime'] = self._reltimer
for metric in metrics:
self._registerMetric(metric)
##REF: Name was automagically refactored
def register_metric(self, func):
"""Register some metric to report
func can be either a function call or a string which should
correspond to known metrics
"""
if isinstance(func, basestring):
if func in ['all', 'ALL']:
func = self._known_metrics.keys()
if isinstance(func, basestring):
if func in DebugLogger._known_metrics:
func = DebugLogger._known_metrics[func]
else:
if func in ['?', 'list', 'help']:
print 'Known debug metrics: ', \
', '.join(DebugLogger._known_metrics.keys())
raise SystemExit(0)
else:
raise ValueError, \
"Unknown name %s for metric in DebugLogger" % \
func + " Known metrics are " + \
`DebugLogger._known_metrics.keys()`
elif isinstance(func, list):
self.__metrics = [] # reset
for item in func:
self.register_metric(item)
return
if not func in self.__metrics:
try:
from mvpa2.base import debug
debug("DBG", "Registering metric %s" % func)
self.__metrics.append(func)
except:
pass
def __call__(self, setid, msg, *args, **kwargs):
if setid not in self.registered:
raise ValueError, "Not registered debug ID %s" % setid
if not setid in self.active:
# don't even compute the metrics, since they might
# be statefull as RelativeTime
return
msg_ = ' / '.join([str(x()) for x in self.__metrics])
if len(msg_) > 0:
msg_ = "{%s}" % msg_
if len(msg) > 0:
# determine blank offset using backstacktrace
if self._offsetbydepth:
level = len(traceback.extract_stack()) - 2
else:
level = 1
if len(msg) > 250 and 'DBG' in self.active and not setid.endswith('_TB'):
tb = traceback.extract_stack(limit=2)
msg += " !!!2LONG!!!. From %s" % str(tb[0])
msg = "DBG%s:%s%s" % (msg_, " "*level, msg)
SetLogger.__call__(self, setid, msg, *args, **kwargs)
else:
msg = msg_
Logger.__call__(self, msg, *args, **kwargs)
##REF: Name was automagically refactored
def _set_offset_by_depth(self, b):
self._offsetbydepth = b
offsetbydepth = property(fget=lambda x:x._offsetbydepth,
fset=_set_offset_by_depth)
metrics = property(fget=lambda x:x.__metrics,
fset=register_metric)
if not __debug__:
class BlackHoleLogger(SetLogger):
'''A logger that does absolutely nothing - it is used as a fallback
so that debug(...) can still be called even if not __debug__'''
def __init__(self, metrics=None, offsetbydepth=True, *args, **kwargs):
'''Initializes the logger - ignores all input arguments'''
# do not be evil - initialize through the parent class
SetLogger.__init__(self, *args, **kwargs)
def __call__(self, setid, msg, *args, **kwargs):
pass
def register_metric(self, func):
pass
def register(self, setid, description):
pass
def set_active_from_string(self, value):
pass
def print_registered(self, detailed=True):
print "BlackHoleLogger: nothing registered "
| 34.212976 | 109 | 0.531682 |
824b7f371a5990b30dddd5f4fc2643723d5b3406 | 10,562 | py | Python | tasks/summarization/make_datafiles.py | omri123/rotational-unit-of-memory | e796c841e1e837df09497ba77c3bc285db47d02d | [
"MIT"
] | 82 | 2019-04-18T19:32:03.000Z | 2022-03-19T00:50:56.000Z | tasks/summarization/make_datafiles.py | omri123/rotational-unit-of-memory | e796c841e1e837df09497ba77c3bc285db47d02d | [
"MIT"
] | 4 | 2019-04-22T11:58:43.000Z | 2020-05-31T01:43:03.000Z | tasks/summarization/make_datafiles.py | omri123/rotational-unit-of-memory | e796c841e1e837df09497ba77c3bc285db47d02d | [
"MIT"
] | 26 | 2019-04-22T11:21:42.000Z | 2021-11-29T06:01:10.000Z | import sys
import os
import hashlib
import struct
import subprocess
import collections
import tensorflow as tf
from tensorflow.core.example import example_pb2
sd_single_close_quote = u'\u2019' # unicode
sd_double_close_quote = u'\u201d'
END_TOKENS = ['.', '!', '?', '...', "'", "`", '"', sd_single_close_quote, sd_double_close_quote, ")"] # acceptable ways to end a sentence
# We use these to separate the summary sentences in the .bin datafiles
SENTENCE_START = '<s>'
SENTENCE_END = '</s>'
all_train_urls = "url_lists/all_train.txt"
all_val_urls = "url_lists/all_val.txt"
all_test_urls = "url_lists/all_test.txt"
sd_tokenized_stories_dir = "sd_paper_tokenized"
sd_tokenized_abstracts_dir = "sd_title_tokenized"
finished_files_dir = "finished_files"
chunks_dir = os.path.join(finished_files_dir, "chunked")
# These are the number of .story files we expect there to be in sd_stories_dir and dm_stories_dir
num_expected_sd_stories = 50308
VOCAB_SIZE = 50000
CHUNK_SIZE = 1000 # num examples per chunk, for the chunked data
def chunk_file(set_name):
in_file = 'finished_files/%s.bin' % set_name
reader = open(in_file, "rb")
chunk = 0
finished = False
while not finished:
chunk_fname = os.path.join(chunks_dir, '%s_%03d.bin' % (set_name, chunk)) # new chunk
with open(chunk_fname, 'wb') as writer:
for _ in range(CHUNK_SIZE):
len_bytes = reader.read(8)
if not len_bytes:
finished = True
break
str_len = struct.unpack('q', len_bytes)[0]
example_str = struct.unpack('%ds' % str_len, reader.read(str_len))[0]
writer.write(struct.pack('q', str_len))
writer.write(struct.pack('%ds' % str_len, example_str))
chunk += 1
def chunk_all():
# Make a dir to hold the chunks
if not os.path.isdir(chunks_dir):
os.mkdir(chunks_dir)
# Chunk the data
for set_name in ['train', 'val', 'test']:
print("Splitting %s data into chunks..." % set_name)
chunk_file(set_name)
print("Saved chunked data in %s" % chunks_dir)
def tokenize_stories(stories_dir, tokenized_stories_dir):
"""Maps a whole directory of .story files to a tokenized version using Stanford CoreNLP Tokenizer"""
print("Preparing to tokenize %s to %s..." % (stories_dir, tokenized_stories_dir))
stories = os.listdir(stories_dir)
# make IO list file
print("Making list of files to tokenize...")
with open("mapping.txt", "w") as f:
for s in stories:
f.write("%s \t %s\n" % (os.path.join(stories_dir, s), os.path.join(tokenized_stories_dir, s)))
command = ['java', 'edu.stanford.nlp.process.PTBTokenizer', '-ioFileList', '-preserveLines', 'mapping.txt']
print("Tokenizing %i files in %s and saving in %s..." % (len(stories), stories_dir, tokenized_stories_dir))
subprocess.call(command)
print("Stanford CoreNLP Tokenizer has finished.")
os.remove("mapping.txt")
# Check that the tokenized stories directory contains the same number of files as the original directory
num_orig = len(os.listdir(stories_dir))
num_tokenized = len(os.listdir(tokenized_stories_dir))
if num_orig != num_tokenized:
raise Exception("The tokenized stories directory %s contains %i files, but it should contain the same number as %s (which has %i files). Was there an error during tokenization?" % (tokenized_stories_dir, num_tokenized, stories_dir, num_orig))
print("Successfully finished tokenizing %s to %s.\n" % (stories_dir, tokenized_stories_dir))
def read_text_file(text_file):
lines = []
with open(text_file, "r") as f:
for line in f:
lines.append(line.strip())
return lines
def hashhex(s):
"""Returns a heximal formated SHA1 hash of the input string."""
h = hashlib.sha1()
h.update(s)
return h.hexdigest()
# def get_url_hashes(url_list):
# return [hashhex(url) for url in url_list]
def fix_missing_period(line):
"""Adds a period to a line that is missing a period"""
if "@highlight" in line: return line
if line=="": return line
if line[-1] in END_TOKENS: return line
# print line[-1]
return line + " ."
def get_lines(file):
lines = read_text_file(file)
# Lowercase everything
lines = [line.lower() for line in lines]
# Put periods on the ends of lines that are missing them (this is a problem in the dataset because many image captions don't end in periods; consequently they end up in the body of the article as run-on sentences)
lines = [fix_missing_period(line) for line in lines]
lines = ' '.join(lines)
# Separate out article and abstract sentences
# article_lines = []
# highlights = []
# next_is_highlight = False
# for idx,line in enumerate(lines):
# if line == "":
# continue # empty line
# elif line.startswith("@highlight"):
# next_is_highlight = True
# elif next_is_highlight:
# highlights.append(line)
# else:
# article_lines.append(line)
# Make article into a single string
# article = ' '.join(article_lines)
# # Make abstract into a signle string, putting <s> and </s> tags around the sentences
# abstract = ' '.join(["%s %s %s" % (SENTENCE_START, sent, SENTENCE_END) for sent in highlights])
return lines
def write_to_bin(url_file, out_file, makevocab=False):
"""Reads the tokenized .story files corresponding to the urls listed in the url_file and writes them to a out_file."""
print("Making bin file for URLs listed in %s..." % url_file)
url_list = read_text_file(url_file)
story_fnames = [s for s in url_list]
num_stories = len(story_fnames)
if makevocab:
vocab_counter = collections.Counter()
with open(out_file, 'wb') as writer:
for idx,s in enumerate(story_fnames):
if idx % 1000 == 0:
print("Writing story %i of %i; %.2f percent done" % (idx, num_stories, float(idx)*100.0/float(num_stories)))
# Look in the tokenized story dirs to find the .story file corresponding to this url
if os.path.isfile(os.path.join(sd_tokenized_stories_dir, s)) and os.path.isfile(os.path.join(sd_tokenized_abstracts_dir, s)):
story_file = os.path.join(sd_tokenized_stories_dir, s)
abstract_file = os.path.join(sd_tokenized_abstracts_dir, s)
else:
print("Error: Couldn't find tokenized story file %s in either tokenized story directories %s. Was there an error during tokenization?" % (s, sd_tokenized_stories_dir))
# Check again if tokenized stories directories contain correct number of files
print("Checking that the tokenized stories directories %s contain correct number of files..." % (sd_tokenized_stories_dir))
check_num_stories(sd_tokenized_stories_dir, num_expected_sd_stories)
raise Exception("Tokenized stories directories %s contain correct number of files but story file %s found in neither." % (sd_tokenized_stories_dir, s))
# Get the strings to write to .bin file
article = get_lines(story_file)
abstract = get_lines(abstract_file)
print(idx, abstract)
# Write to tf.Example
tf_example = example_pb2.Example()
tf_example.features.feature['article'].bytes_list.value.extend([article])
tf_example.features.feature['abstract'].bytes_list.value.extend([abstract])
tf_example_str = tf_example.SerializeToString()
str_len = len(tf_example_str)
writer.write(struct.pack('q', str_len))
writer.write(struct.pack('%ds' % str_len, tf_example_str))
# Write the vocab to file, if applicable
if makevocab:
art_tokens = article.split(' ')
abs_tokens = abstract.split(' ')
abs_tokens = [t for t in abs_tokens if t not in [SENTENCE_START, SENTENCE_END]] # remove these tags from vocab
tokens = art_tokens + abs_tokens
tokens = [t.strip() for t in tokens] # strip
tokens = [t for t in tokens if t!=""] # remove empty
vocab_counter.update(tokens)
print("Finished writing file %s\n" % out_file)
# write vocab to file
if makevocab:
print("Writing vocab file...")
with open(os.path.join(finished_files_dir, "vocab"), 'w') as writer:
for word, count in vocab_counter.most_common(VOCAB_SIZE):
writer.write(word + ' ' + str(count) + '\n')
print("Finished writing vocab file")
def check_num_stories(stories_dir, num_expected):
num_stories = len(os.listdir(stories_dir))
if num_stories != num_expected:
raise Exception("stories directory %s contains %i files but should contain %i" % (stories_dir, num_stories, num_expected))
if __name__ == '__main__':
if len(sys.argv) != 3:
print("USAGE: python make_datafiles.py <sd_stories_dir> <sd_abstracts_dir>")
sys.exit()
sd_stories_dir = sys.argv[1]
sd_abstracts_dir = sys.argv[2]
print("Check the stories/abstracts directories contain the correct number of .story files")
check_num_stories(sd_stories_dir, num_expected_sd_stories)
check_num_stories(sd_abstracts_dir, num_expected_sd_stories)
print("Create some new directories")
if not os.path.exists(sd_tokenized_stories_dir): os.makedirs(sd_tokenized_stories_dir)
if not os.path.exists(sd_tokenized_abstracts_dir): os.makedirs(sd_tokenized_abstracts_dir)
if not os.path.exists(finished_files_dir): os.makedirs(finished_files_dir)
print("Run stanford tokenizer on both stories dirs and abstracts dirs, outputting to tokenized stories directories")
tokenize_stories(sd_stories_dir, sd_tokenized_stories_dir)
tokenize_stories(sd_abstracts_dir, sd_tokenized_abstracts_dir)
print("Read the tokenized stories, do a little postprocessing then write to bin files")
write_to_bin(all_test_urls, os.path.join(finished_files_dir, "test.bin"))
write_to_bin(all_val_urls, os.path.join(finished_files_dir, "val.bin"))
write_to_bin(all_train_urls, os.path.join(finished_files_dir, "train.bin"), makevocab=True)
print("Chunk the data. This splits each of train.bin, val.bin and test.bin into smaller chunks, each containing e.g. 1000 examples, and saves them in finished_files/chunks")
chunk_all() | 43.286885 | 250 | 0.674778 |
07db2bc31830c6edfe71c4b56e2362cfbf9a7a7c | 11,425 | py | Python | script.module.nanscrapers/lib/nanscrapers/modules/js2py/translators/pyjsparserdata.py | TheWardoctor/wardoctors-repo | 893f646d9e27251ffc00ca5f918e4eb859a5c8f0 | [
"Apache-2.0"
] | 1 | 2019-03-05T09:38:10.000Z | 2019-03-05T09:38:10.000Z | script.module.universalscrapers/lib/universalscrapers/modules/js2py/translators/pyjsparserdata.py | Reapercrew666/crypt | e1e0994f5323c6b454ac0f65fb2e579f7bea8e5a | [
"Beerware"
] | null | null | null | script.module.universalscrapers/lib/universalscrapers/modules/js2py/translators/pyjsparserdata.py | Reapercrew666/crypt | e1e0994f5323c6b454ac0f65fb2e579f7bea8e5a | [
"Beerware"
] | 1 | 2021-11-05T20:48:09.000Z | 2021-11-05T20:48:09.000Z | # The MIT License
#
# Copyright 2014, 2015 Piotr Dabkowski
#
# Permission is hereby granted, free of charge, to any person obtaining
# a copy of this software and associated documentation files (the 'Software'),
# to deal in the Software without restriction, including without limitation the rights
# to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of
# the Software, and to permit persons to whom the Software is furnished to do so, subject
# to the following conditions:
#
# The above copyright notice and this permission notice shall be included in all copies or
# substantial portions of the Software.
#
# THE SOFTWARE IS PROVIDED 'AS IS', WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT
# LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT.
# IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY,
# WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE
# OR THE USE OR OTHER DEALINGS IN THE SOFTWARE
from __future__ import unicode_literals
import sys
import unicodedata
import six
from collections import defaultdict
if six.PY3:
unichr = chr
xrange = range
unicode = str
token = {
'BooleanLiteral': 1,
'EOF': 2,
'Identifier': 3,
'Keyword': 4,
'NullLiteral': 5,
'NumericLiteral': 6,
'Punctuator': 7,
'StringLiteral': 8,
'RegularExpression': 9,
'Template': 10
}
#TokenName = {v:k for k,v in token.iteritems()}
TokenName = {}
for k, v in token.iteritems():
TokenName[v] = k
FnExprTokens = ['(', '{', '[', 'in', 'typeof', 'instanceof', 'new',
'return', 'case', 'delete', 'throw', 'void',
# assignment operators
'=', '+=', '-=', '*=', '/=', '%=', '<<=', '>>=', '>>>=',
'&=', '|=', '^=', ',',
# binary/unary operators
'+', '-', '*', '/', '%', '++', '--', '<<', '>>', '>>>', '&',
'|', '^', '!', '~', '&&', '||', '?', ':', '===', '==', '>=',
'<=', '<', '>', '!=', '!==']
syntax= ['AssignmentExpression',
'AssignmentPattern',
'ArrayExpression',
'ArrayPattern',
'ArrowFunctionExpression',
'BlockStatement',
'BinaryExpression',
'BreakStatement',
'CallExpression',
'CatchClause',
'ClassBody',
'ClassDeclaration',
'ClassExpression',
'ConditionalExpression',
'ContinueStatement',
'DoWhileStatement',
'DebuggerStatement',
'EmptyStatement',
'ExportAllDeclaration',
'ExportDefaultDeclaration',
'ExportNamedDeclaration',
'ExportSpecifier',
'ExpressionStatement',
'ForStatement',
'ForInStatement',
'FunctionDeclaration',
'FunctionExpression',
'Identifier',
'IfStatement',
'ImportDeclaration',
'ImportDefaultSpecifier',
'ImportNamespaceSpecifier',
'ImportSpecifier',
'Literal',
'LabeledStatement',
'LogicalExpression',
'MemberExpression',
'MethodDefinition',
'NewExpression',
'ObjectExpression',
'ObjectPattern',
'Program',
'Property',
'RestElement',
'ReturnStatement',
'SequenceExpression',
'SpreadElement',
'Super',
'SwitchCase',
'SwitchStatement',
'TaggedTemplateExpression',
'TemplateElement',
'TemplateLiteral',
'ThisExpression',
'ThrowStatement',
'TryStatement',
'UnaryExpression',
'UpdateExpression',
'VariableDeclaration',
'VariableDeclarator',
'WhileStatement',
'WithStatement']
# Error messages should be identical to V8.
messages = {
'UnexpectedToken': 'Unexpected token %s',
'UnexpectedNumber': 'Unexpected number',
'UnexpectedString': 'Unexpected string',
'UnexpectedIdentifier': 'Unexpected identifier',
'UnexpectedReserved': 'Unexpected reserved word',
'UnexpectedTemplate': 'Unexpected quasi %s',
'UnexpectedEOS': 'Unexpected end of input',
'NewlineAfterThrow': 'Illegal newline after throw',
'InvalidRegExp': 'Invalid regular expression',
'UnterminatedRegExp': 'Invalid regular expression: missing /',
'InvalidLHSInAssignment': 'Invalid left-hand side in assignment',
'InvalidLHSInForIn': 'Invalid left-hand side in for-in',
'MultipleDefaultsInSwitch': 'More than one default clause in switch statement',
'NoCatchOrFinally': 'Missing catch or finally after try',
'UnknownLabel': 'Undefined label \'%s\'',
'Redeclaration': '%s \'%s\' has already been declared',
'IllegalContinue': 'Illegal continue statement',
'IllegalBreak': 'Illegal break statement',
'IllegalReturn': 'Illegal return statement',
'StrictModeWith': 'Strict mode code may not include a with statement',
'StrictCatchVariable': 'Catch variable may not be eval or arguments in strict mode',
'StrictVarName': 'Variable name may not be eval or arguments in strict mode',
'StrictParamName': 'Parameter name eval or arguments is not allowed in strict mode',
'StrictParamDupe': 'Strict mode function may not have duplicate parameter names',
'StrictFunctionName': 'Function name may not be eval or arguments in strict mode',
'StrictOctalLiteral': 'Octal literals are not allowed in strict mode.',
'StrictDelete': 'Delete of an unqualified identifier in strict mode.',
'StrictLHSAssignment': 'Assignment to eval or arguments is not allowed in strict mode',
'StrictLHSPostfix': 'Postfix increment/decrement may not have eval or arguments operand in strict mode',
'StrictLHSPrefix': 'Prefix increment/decrement may not have eval or arguments operand in strict mode',
'StrictReservedWord': 'Use of future reserved word in strict mode',
'TemplateOctalLiteral': 'Octal literals are not allowed in template strings.',
'ParameterAfterRestParameter': 'Rest parameter must be last formal parameter',
'DefaultRestParameter': 'Unexpected token =',
'ObjectPatternAsRestParameter': 'Unexpected token {',
'DuplicateProtoProperty': 'Duplicate __proto__ fields are not allowed in object literals',
'ConstructorSpecialMethod': 'Class constructor may not be an accessor',
'DuplicateConstructor': 'A class may only have one constructor',
'StaticPrototype': 'Classes may not have static property named prototype',
'MissingFromClause': 'Unexpected token',
'NoAsAfterImportNamespace': 'Unexpected token',
'InvalidModuleSpecifier': 'Unexpected token',
'IllegalImportDeclaration': 'Unexpected token',
'IllegalExportDeclaration': 'Unexpected token'}
PRECEDENCE = {'||':1,
'&&':2,
'|':3,
'^':4,
'&':5,
'==':6,
'!=':6,
'===':6,
'!==':6,
'<':7,
'>':7,
'<=':7,
'>=':7,
'instanceof':7,
'in':7,
'<<':8,
'>>':8,
'>>>':8,
'+':9,
'-':9,
'*':11,
'/':11,
'%':11}
class Token: pass
class Syntax: pass
class Messages: pass
class PlaceHolders:
ArrowParameterPlaceHolder = 'ArrowParameterPlaceHolder'
for k,v in token.items():
setattr(Token, k, v)
for e in syntax:
setattr(Syntax, e, e)
for k,v in messages.items():
setattr(Messages, k, v)
#http://stackoverflow.com/questions/14245893/efficiently-list-all-characters-in-a-given-unicode-category
BOM = u'\uFEFF'
ZWJ = u'\u200D'
ZWNJ = u'\u200C'
TAB = u'\u0009'
VT = u'\u000B'
FF = u'\u000C'
SP = u'\u0020'
NBSP = u'\u00A0'
LF = u'\u000A'
CR = u'\u000D'
LS = u'\u2028'
PS = u'\u2029'
U_CATEGORIES = defaultdict(list)
for c in map(unichr, range(sys.maxunicode + 1)):
U_CATEGORIES[unicodedata.category(c)].append(c)
UNICODE_LETTER = set(U_CATEGORIES['Lu']+U_CATEGORIES['Ll']+
U_CATEGORIES['Lt']+U_CATEGORIES['Lm']+
U_CATEGORIES['Lo']+U_CATEGORIES['Nl'])
UNICODE_COMBINING_MARK = set(U_CATEGORIES['Mn']+U_CATEGORIES['Mc'])
UNICODE_DIGIT = set(U_CATEGORIES['Nd'])
UNICODE_CONNECTOR_PUNCTUATION = set(U_CATEGORIES['Pc'])
IDENTIFIER_START = UNICODE_LETTER.union(['$','_', '\\']) # and some fucking unicode escape sequence
IDENTIFIER_PART = IDENTIFIER_START.union(UNICODE_COMBINING_MARK).union(UNICODE_DIGIT).union(UNICODE_CONNECTOR_PUNCTUATION).union([ZWJ, ZWNJ])
WHITE_SPACE = [0x20, 0x09, 0x0B, 0x0C, 0xA0, 0x1680,
0x180E, 0x2000, 0x2001, 0x2002, 0x2003,
0x2004, 0x2005, 0x2006, 0x2007, 0x2008,
0x2009, 0x200A, 0x202F, 0x205F, 0x3000,
0xFEFF]
LINE_TERMINATORS = [0x0A, 0x0D, 0x2028, 0x2029]
def isIdentifierStart(ch):
return (ch if isinstance(ch, unicode) else unichr(ch)) in IDENTIFIER_START
def isIdentifierPart(ch):
return (ch if isinstance(ch, unicode) else unichr(ch)) in IDENTIFIER_PART
def isWhiteSpace(ch):
return (ord(ch) if isinstance(ch, unicode) else ch) in WHITE_SPACE
def isLineTerminator(ch):
return (ord(ch) if isinstance(ch, unicode) else ch) in LINE_TERMINATORS
OCTAL = ['0', '1', '2', '3', '4', '5', '6', '7']
DEC = ['0', '1', '2', '3', '4', '5', '6', '7', '8', '9']
HEX = set('0123456789abcdefABCDEF')
HEX_CONV = {'a': 10, 'c': 12, 'b': 11, 'e': 14, 'd': 13, 'f': 15, '1': 1, '0': 0, '3': 3, '2': 2, '5': 5, '4': 4, '7': 7, '6': 6, '9': 9, '8': 8}
for i,e in enumerate('ABCDEF', 10):
HEX_CONV[e] = i
def isDecimalDigit(ch):
return (ch if isinstance(ch, unicode) else unichr(ch)) in DEC
def isHexDigit(ch):
return (ch if isinstance(ch, unicode) else unichr(ch)) in HEX
def isOctalDigit(ch):
return (ch if isinstance(ch, unicode) else unichr(ch)) in OCTAL
def isFutureReservedWord(w):
return w in [ 'enum', 'export', 'import', 'super']
def isStrictModeReservedWord(w):
return w in ['implements', 'interface', 'package', 'private', 'protected', 'public', 'static', 'yield', 'let']
def isRestrictedWord(w):
return w in ['eval', 'arguments']
def isKeyword(w):
# 'const' is specialized as Keyword in V8.
# 'yield' and 'let' are for compatibility with SpiderMonkey and ES.next.
# Some others are from future reserved words.
return w in ['if', 'in', 'do', 'var', 'for', 'new', 'try', 'let', 'this', 'else', 'case',
'void', 'with', 'enum', 'while', 'break', 'catch', 'throw', 'const', 'yield',
'class', 'super', 'return', 'typeof', 'delete', 'switch', 'export', 'import',
'default', 'finally', 'extends', 'function', 'continue', 'debugger', 'instanceof', 'pyimport']
class JsSyntaxError(Exception): pass
if __name__=='__main__':
assert isLineTerminator('\n')
assert isLineTerminator(0x0A)
assert isIdentifierStart('$')
assert isIdentifierStart(100)
assert isWhiteSpace(' ')
| 37.956811 | 145 | 0.605777 |
0b3b56f7d3d7180ef4d21e4f9a48de524bd857e6 | 156 | py | Python | olympics/string_test.py | ColeWeinstein/cs257 | 18453fd5d556169484c0fc3414f5e1fa07bbb04c | [
"MIT"
] | null | null | null | olympics/string_test.py | ColeWeinstein/cs257 | 18453fd5d556169484c0fc3414f5e1fa07bbb04c | [
"MIT"
] | null | null | null | olympics/string_test.py | ColeWeinstein/cs257 | 18453fd5d556169484c0fc3414f5e1fa07bbb04c | [
"MIT"
] | null | null | null | def main():
string_seq = 'Hello, {name}. How are you?'.format(name='Cole', medal=True)
print(string_seq)
if __name__ == '__main__':
main() | 26 | 79 | 0.608974 |
52ebe634af580c3414104c8f8c2d3ac7d77adf61 | 2,980 | py | Python | MIoU.py | kanekoNK/MaskImg | 142b09484be58737a4e9e1bef18cf6289f8c055b | [
"MIT"
] | null | null | null | MIoU.py | kanekoNK/MaskImg | 142b09484be58737a4e9e1bef18cf6289f8c055b | [
"MIT"
] | null | null | null | MIoU.py | kanekoNK/MaskImg | 142b09484be58737a4e9e1bef18cf6289f8c055b | [
"MIT"
] | null | null | null | import numpy as np
import cv2
from time import sleep
from PIL import Image
import matplotlib.pyplot as plt
import glob
def main():
FClass = sorted(glob.glob("/home/kaneko/models/research/deeplab/IoUtestimg/Class/*"))
Fimg = sorted(glob.glob("/home/kaneko/models/research/deeplab/IoUtestimg/1000/*"))
Sum = 0
for i in range(0,15):
print(FClass[i])
print(Fimg[i])
image = cv2.imread(Fimg[i]) # ファイル読み込み
image1 = cv2.imread(FClass[i]) # ファイル読み込み
image2 = cv2.resize(image1, dsize=(513, 384))
Sum = Sum + sub(image, image2)
print(Sum)
print(i+1)
MIoU = Sum / 15
print(MIoU)
def sub(image, image2):
# BGRでの色抽出
#af 茎の色
bgrLower = np.array([0, 100, 0]) # 抽出する色の下限
bgrUpper = np.array([50, 150, 50]) # 抽出する色の上限
bgrResult1 = bgrExtraction(image, bgrLower, bgrUpper)
sleep(1)
#af 葉っぱの色
# bgrLower1 = np.array([0, 0, 120]) # 抽出する色の下限
# bgrUpper1 = np.array([50, 50, 140]) # 抽出する色の上限
# bgrResult = bgrExtraction(image, bgrLower1, bgrUpper1)
# cv2.imshow('BGR_test2', bgrResult)
# sleep(1)
bgrLower = np.array([200, 0, 0]) # 抽出する色の下限
bgrUpper = np.array([255, 50, 50]) # 抽出する色の上限
bgrResult2 = bgrExtraction(image2, bgrLower, bgrUpper)
sleep(1)
blended = cv2.addWeighted(src1=bgrResult1,alpha=0.7,src2=bgrResult2,beta=0.3,gamma=0)
# cv2.imshow('1 + 2', blended)
hsv = cv2.cvtColor(blended, cv2.COLOR_BGR2HSV)
bin_img = cv2.inRange(hsv, (0, 10, 0), (255, 255, 255))
# cv2.imshow('1mask OR 2mask', bin_img)
hsv = cv2.cvtColor(bgrResult1, cv2.COLOR_BGR2HSV)
bin_img2 = cv2.inRange(hsv, (0, 10, 0), (255, 255, 255))
# cv2.imshow('1mask', bin_img2)
hsv = cv2.cvtColor(bgrResult2, cv2.COLOR_BGR2HSV)
bin_img3 = cv2.inRange(hsv, (0, 10, 0), (255, 255, 255))
# cv2.imshow('2mask', bin_img3)
img_msk1 = cv2.cvtColor(bgrResult1, cv2.COLOR_BGR2GRAY)
img_msk2 = cv2.cvtColor(bgrResult2, cv2.COLOR_BGR2GRAY)
img_AND = cv2.bitwise_and(img_msk1, img_msk2)
# cv2.imshow('1mask AND 2mask', img_AND)
th,img_up = cv2.threshold(img_AND, 1, 255, cv2.THRESH_BINARY)
# cv2.imshow('1mask AND 2mask 2', img_up)
pixel_number = np.size(img_up)
pixel_sum = np.sum(img_up)
white_pixel_number1 = pixel_sum/255
print("Area of Intersection(AND) ピクセル数",white_pixel_number1)
pixel_number = np.size(bin_img)
pixel_sum = np.sum(bin_img)
white_pixel_number2 = pixel_sum/255
print("Area of Union(OR) ピクセル数",white_pixel_number2)
IoU = white_pixel_number1 / white_pixel_number2
print("IoU", IoU)
return IoU
# cv2.waitKey(0)
# cv2.destroyAllWindows()
# BGRで特定の色を抽出する関数
def bgrExtraction(image, bgrLower, bgrUpper):
img_mask = cv2.inRange(image, bgrLower, bgrUpper) # BGRからマスクを作成
result = cv2.bitwise_and(image, image, mask=img_mask) # 元画像とマスクを合成
return result
if __name__ == '__main__':
main()
| 30.10101 | 89 | 0.651678 |
e5081de3fcf654692c34e4d9255311a84f14e72e | 77,634 | py | Python | sympy/combinatorics/permutations.py | lemmalearning/sympy | 62ad387ed3f7b243c889dd342296afc9a32ad1ea | [
"BSD-3-Clause"
] | 1 | 2015-08-31T06:55:47.000Z | 2015-08-31T06:55:47.000Z | sympy/combinatorics/permutations.py | lemmalearning/sympy | 62ad387ed3f7b243c889dd342296afc9a32ad1ea | [
"BSD-3-Clause"
] | null | null | null | sympy/combinatorics/permutations.py | lemmalearning/sympy | 62ad387ed3f7b243c889dd342296afc9a32ad1ea | [
"BSD-3-Clause"
] | 3 | 2015-04-18T22:33:32.000Z | 2015-09-23T06:45:07.000Z | from __future__ import print_function, division
import random
from collections import defaultdict
from sympy.core import Basic
from sympy.core.compatibility import is_sequence, reduce, xrange
from sympy.utilities.iterables import (flatten, has_variety, minlex,
has_dups, runs)
from sympy.polys.polytools import lcm
from sympy.matrices import zeros
from sympy.mpmath.libmp.libintmath import ifac
def _af_rmul(a, b):
"""
Return the product b*a; input and output are array forms. The ith value
is a[b[i]].
Examples
========
>>> from sympy.combinatorics.permutations import _af_rmul, Permutation
>>> Permutation.print_cyclic = False
>>> a, b = [1, 0, 2], [0, 2, 1]
>>> _af_rmul(a, b)
[1, 2, 0]
>>> [a[b[i]] for i in range(3)]
[1, 2, 0]
This handles the operands in reverse order compared to the ``*`` operator:
>>> a = Permutation(a); b = Permutation(b)
>>> list(a*b)
[2, 0, 1]
>>> [b(a(i)) for i in range(3)]
[2, 0, 1]
See Also
========
rmul, _af_rmuln
"""
return [a[i] for i in b]
def _af_rmuln(*abc):
"""
Given [a, b, c, ...] return the product of ...*c*b*a using array forms.
The ith value is a[b[c[i]]].
Examples
========
>>> from sympy.combinatorics.permutations import _af_rmul, Permutation
>>> Permutation.print_cyclic = False
>>> a, b = [1, 0, 2], [0, 2, 1]
>>> _af_rmul(a, b)
[1, 2, 0]
>>> [a[b[i]] for i in range(3)]
[1, 2, 0]
This handles the operands in reverse order compared to the ``*`` operator:
>>> a = Permutation(a); b = Permutation(b)
>>> list(a*b)
[2, 0, 1]
>>> [b(a(i)) for i in range(3)]
[2, 0, 1]
See Also
========
rmul, _af_rmul
"""
a = abc
m = len(a)
if m == 3:
p0, p1, p2 = a
return [p0[p1[i]] for i in p2]
if m == 4:
p0, p1, p2, p3 = a
return [p0[p1[p2[i]]] for i in p3]
if m == 5:
p0, p1, p2, p3, p4 = a
return [p0[p1[p2[p3[i]]]] for i in p4]
if m == 6:
p0, p1, p2, p3, p4, p5 = a
return [p0[p1[p2[p3[p4[i]]]]] for i in p5]
if m == 7:
p0, p1, p2, p3, p4, p5, p6 = a
return [p0[p1[p2[p3[p4[p5[i]]]]]] for i in p6]
if m == 8:
p0, p1, p2, p3, p4, p5, p6, p7 = a
return [p0[p1[p2[p3[p4[p5[p6[i]]]]]]] for i in p7]
if m == 1:
return a[0][:]
if m == 2:
a, b = a
return [a[i] for i in b]
if m == 0:
raise ValueError("String must not be empty")
p0 = _af_rmuln(*a[:m//2])
p1 = _af_rmuln(*a[m//2:])
return [p0[i] for i in p1]
def _af_parity(pi):
"""
Computes the parity of a permutation in array form.
The parity of a permutation reflects the parity of the
number of inversions in the permutation, i.e., the
number of pairs of x and y such that x > y but p[x] < p[y].
Examples
========
>>> from sympy.combinatorics.permutations import _af_parity
>>> _af_parity([0,1,2,3])
0
>>> _af_parity([3,2,0,1])
1
See Also
========
Permutation
"""
n = len(pi)
a = [0] * n
c = 0
for j in range(n):
if a[j] == 0:
c += 1
a[j] = 1
i = j
while pi[i] != j:
i = pi[i]
a[i] = 1
return (n - c) % 2
def _af_invert(a):
"""
Finds the inverse, ~A, of a permutation, A, given in array form.
Examples
========
>>> from sympy.combinatorics.permutations import _af_invert, _af_rmul
>>> A = [1, 2, 0, 3]
>>> _af_invert(A)
[2, 0, 1, 3]
>>> _af_rmul(_, A)
[0, 1, 2, 3]
See Also
========
Permutation, __invert__
"""
inv_form = [0] * len(a)
for i, ai in enumerate(a):
inv_form[ai] = i
return inv_form
def _af_pow(a, n):
"""
Routine for finding powers of a permutation.
Examples
========
>>> from sympy.combinatorics.permutations import Permutation, _af_pow
>>> Permutation.print_cyclic = False
>>> p = Permutation([2,0,3,1])
>>> p.order()
4
>>> _af_pow(p._array_form, 4)
[0, 1, 2, 3]
"""
if n == 0:
return list(range(len(a)))
if n < 0:
return _af_pow(_af_invert(a), -n)
if n == 1:
return a[:]
elif n == 2:
b = [a[i] for i in a]
elif n == 3:
b = [a[a[i]] for i in a]
elif n == 4:
b = [a[a[a[i]]] for i in a]
else:
# use binary multiplication
b = list(range(len(a)))
while 1:
if n & 1:
b = [b[i] for i in a]
n -= 1
if not n:
break
if n % 4 == 0:
a = [a[a[a[i]]] for i in a]
n = n // 4
elif n % 2 == 0:
a = [a[i] for i in a]
n = n // 2
return b
def _af_commutes_with(a, b):
"""
Checks if the two permutations with array forms
given by ``a`` and ``b`` commute.
Examples
========
>>> from sympy.combinatorics.permutations import _af_commutes_with
>>> _af_commutes_with([1,2,0], [0,2,1])
False
See Also
========
Permutation, commutes_with
"""
return not any(a[b[i]] != b[a[i]] for i in range(len(a) - 1))
class Cycle(dict):
"""
Wrapper around dict which provides the functionality of a disjoint cycle.
A cycle shows the rule to use to move subsets of elements to obtain
a permutation. The Cycle class is more flexible that Permutation in
that 1) all elements need not be present in order to investigate how
multiple cycles act in sequence and 2) it can contain singletons:
>>> from sympy.combinatorics.permutations import Perm, Cycle
A Cycle will automatically parse a cycle given as a tuple on the rhs:
>>> Cycle(1, 2)(2, 3)
Cycle(1, 3, 2)
The identity cycle, Cycle(), can be used to start a product:
>>> Cycle()(1, 2)(2,3)
Cycle(1, 3, 2)
The array form of a Cycle can be obtained by calling the list
method (or passing it to the list function) and all elements from
0 will be shown:
>>> a = Cycle(1, 2)
>>> a.list()
[0, 2, 1]
>>> list(a)
[0, 2, 1]
If a larger (or smaller) range is desired use the list method and
provide the desired size -- but the Cycle cannot be truncated to
a size smaller than the largest element that is out of place:
>>> b = Cycle(2,4)(1,2)(3,1,4)(1,3)
>>> b.list()
[0, 2, 1, 3, 4]
>>> b.list(b.size + 1)
[0, 2, 1, 3, 4, 5]
>>> b.list(-1)
[0, 2, 1]
Singletons are not shown when printing with one exception: the largest
element is always shown -- as a singleton if necessary:
>>> Cycle(1, 4, 10)(4, 5)
Cycle(1, 5, 4, 10)
>>> Cycle(1, 2)(4)(5)(10)
Cycle(1, 2)(10)
The array form can be used to instantiate a Permutation so other
properties of the permutation can be investigated:
>>> Perm(Cycle(1,2)(3,4).list()).transpositions()
[(1, 2), (3, 4)]
Notes
=====
The underlying structure of the Cycle is a dictionary and although
the __iter__ method has been redefiend to give the array form of the
cycle, the underlying dictionary items are still available with the
such methods as items():
>>> list(Cycle(1, 2).items())
[(1, 2), (2, 1)]
See Also
========
Permutation
"""
def __missing__(self, arg):
"""Enter arg into dictionary and return arg."""
self[arg] = arg
return arg
def __iter__(self):
for i in self.list():
yield i
def __call__(self, *other):
"""Return product of cycles processed from R to L.
Examples
========
>>> from sympy.combinatorics.permutations import Cycle as C
>>> from sympy.combinatorics.permutations import Permutation as Perm
>>> C(1, 2)(2, 3)
Cycle(1, 3, 2)
An instance of a Cycle will automatically parse list-like
objects and Permutations that are on the right. It is more
flexible than the Permutation in that all elements need not
be present:
>>> a = C(1, 2)
>>> a(2, 3)
Cycle(1, 3, 2)
>>> a(2, 3)(4, 5)
Cycle(1, 3, 2)(4, 5)
"""
rv = Cycle(*other)
for k, v in zip(list(self.keys()), [rv[self[k]] for k in self.keys()]):
rv[k] = v
return rv
def list(self, size=None):
"""Return the cycles as an explicit list starting from 0 up
to the greater of the largest value in the cycles and size.
Truncation of trailing unmoved items will occur when size
is less than the maximum element in the cycle; if this is
desired, setting ``size=-1`` will guarantee such trimming.
Examples
========
>>> from sympy.combinatorics.permutations import Cycle
>>> from sympy.combinatorics.permutations import Permutation
>>> Permutation.print_cyclic = False
>>> p = Cycle(2, 3)(4, 5)
>>> p.list()
[0, 1, 3, 2, 5, 4]
>>> p.list(10)
[0, 1, 3, 2, 5, 4, 6, 7, 8, 9]
Passing a length too small will trim trailing, unchanged elements
in the permutation:
>>> Cycle(2, 4)(1, 2, 4).list(-1)
[0, 2, 1]
"""
if not self and size is None:
raise ValueError('must give size for empty Cycle')
if size is not None:
big = max([i for i in self.keys() if self[i] != i])
size = max(size, big + 1)
else:
size = self.size
return [self[i] for i in range(size)]
def __repr__(self):
"""We want it to print as a Cycle, not as a dict.
Examples
========
>>> from sympy.combinatorics import Cycle
>>> Cycle(1, 2)
Cycle(1, 2)
>>> print(_)
Cycle(1, 2)
>>> list(Cycle(1, 2).items())
[(1, 2), (2, 1)]
"""
if not self:
return 'Cycle()'
cycles = Permutation(self).cyclic_form
s = ''.join(str(tuple(c)) for c in cycles)
big = self.size - 1
if not any(i == big for c in cycles for i in c):
s += '(%s)' % big
return 'Cycle%s' % s
def __init__(self, *args):
"""Load up a Cycle instance with the values for the cycle.
Examples
========
>>> from sympy.combinatorics.permutations import Cycle
>>> Cycle(1, 2, 6)
Cycle(1, 2, 6)
"""
if not args:
return
if len(args) == 1:
if isinstance(args[0], Permutation):
for c in args[0].cyclic_form:
self.update(self(*c))
return
elif isinstance(args[0], Cycle):
for k, v in args[0].items():
self[k] = v
return
args = [int(a) for a in args]
if has_dups(args):
raise ValueError('All elements must be unique in a cycle.')
for i in range(-len(args), 0):
self[args[i]] = args[i + 1]
@property
def size(self):
return max(self.keys()) + 1
def copy(self):
return Cycle(self)
class Permutation(Basic):
"""
A permutation, alternatively known as an 'arrangement number' or 'ordering'
is an arrangement of the elements of an ordered list into a one-to-one
mapping with itself. The permutation of a given arrangement is given by
indicating the positions of the elements after re-arrangment [2]_. For
example, if one started with elements [x, y, a, b] (in that order) and
they were reordered as [x, y, b, a] then the permutation would be
[0, 1, 3, 2]. Notice that (in SymPy) the first element is always referred
to as 0 and the permutation uses the indices of the elements in the
original ordering, not the elements (a, b, etc...) themselves.
>>> from sympy.combinatorics import Permutation
>>> Permutation.print_cyclic = False
Permutations Notation
=====================
Permutations are commonly represented in disjoint cycle or array forms.
Array Notation and 2-line Form
------------------------------------
In the 2-line form, the elements and their final positions are shown
as a matrix with 2 rows:
[0 1 2 ... n-1]
[p(0) p(1) p(2) ... p(n-1)]
Since the first line is always range(n), where n is the size of p,
it is sufficient to represent the permutation by the second line,
referred to as the "array form" of the permutation. This is entered
in brackets as the argument to the Permutation class:
>>> p = Permutation([0, 2, 1]); p
Permutation([0, 2, 1])
Given i in range(p.size), the permutation maps i to i^p
>>> [i^p for i in range(p.size)]
[0, 2, 1]
The composite of two permutations p*q means first apply p, then q, so
i^(p*q) = (i^p)^q which is i^p^q according to Python precedence rules:
>>> q = Permutation([2, 1, 0])
>>> [i^p^q for i in range(3)]
[2, 0, 1]
>>> [i^(p*q) for i in range(3)]
[2, 0, 1]
One can use also the notation p(i) = i^p, but then the composition
rule is (p*q)(i) = q(p(i)), not p(q(i)):
>>> [(p*q)(i) for i in range(p.size)]
[2, 0, 1]
>>> [q(p(i)) for i in range(p.size)]
[2, 0, 1]
>>> [p(q(i)) for i in range(p.size)]
[1, 2, 0]
Disjoint Cycle Notation
-----------------------
In disjoint cycle notation, only the elements that have shifted are
indicated. In the above case, the 2 and 1 switched places. This can
be entered in two ways:
>>> Permutation(1, 2) == Permutation([[1, 2]]) == p
True
Only the relative ordering of elements in a cycle matter:
>>> Permutation(1,2,3) == Permutation(2,3,1) == Permutation(3,1,2)
True
The disjoint cycle notation is convenient when representing permutations
that have several cycles in them:
>>> Permutation(1, 2)(3, 5) == Permutation([[1, 2], [3, 5]])
True
It also provides some economy in entry when computing products of
permutations that are written in disjoint cycle notation:
>>> Permutation(1, 2)(1, 3)(2, 3)
Permutation([0, 3, 2, 1])
>>> _ == Permutation([[1, 2]])*Permutation([[1, 3]])*Permutation([[2, 3]])
True
Entering a singleton in a permutation is a way to indicate the size of the
permutation. The ``size`` keyword can also be used.
Array-form entry:
>>> Permutation([[1, 2], [9]])
Permutation([0, 2, 1], size=10)
>>> Permutation([[1, 2]], size=10)
Permutation([0, 2, 1], size=10)
Cyclic-form entry:
>>> Permutation(1, 2, size=10)
Permutation([0, 2, 1], size=10)
>>> Permutation(9)(1, 2)
Permutation([0, 2, 1], size=10)
Caution: no singleton containing an element larger than the largest
in any previous cycle can be entered. This is an important difference
in how Permutation and Cycle handle the __call__ syntax. A singleton
argument at the start of a Permutation performs instantiation of the
Permutation and is permitted:
>>> Permutation(5)
Permutation([], size=6)
A singleton entered after instantiation is a call to the permutation
-- a function call -- and if the argument is out of range it will
trigger an error. For this reason, it is better to start the cycle
with the singleton:
The following fails because there is is no element 3:
>>> Permutation(1, 2)(3)
Traceback (most recent call last):
...
IndexError: list index out of range
This is ok: only the call to an out of range singleton is prohibited;
otherwise the permutation autosizes:
>>> Permutation(3)(1, 2)
Permutation([0, 2, 1, 3])
>>> Permutation(1, 2)(3, 4) == Permutation(3, 4)(1, 2)
True
Equality testing
----------------
The array forms must be the same in order for permutations to be equal:
>>> Permutation([1, 0, 2, 3]) == Permutation([1, 0])
False
Identity Permutation
--------------------
The identity permutation is a permutation in which no element is out of
place. It can be entered in a variety of ways. All the following create
an identity permutation of size 4:
>>> I = Permutation([0, 1, 2, 3])
>>> all(p == I for p in [
... Permutation(3),
... Permutation(range(4)),
... Permutation([], size=4),
... Permutation(size=4)])
True
Watch out for entering the range *inside* a set of brackets (which is
cycle notation):
>>> I == Permutation([range(4)])
False
Permutation Printing
====================
There are a few things to note about how Permutations are printed.
1) If you prefer one form (array or cycle) over another, you can set that
with the print_cyclic flag.
>>> Permutation(1, 2)(4, 5)(3, 4)
Permutation([0, 2, 1, 4, 5, 3])
>>> p = _
>>> Permutation.print_cyclic = True
>>> p
Permutation(1, 2)(3, 4, 5)
>>> Permutation.print_cyclic = False
2) Regardless of the setting, a list of elements in the array for cyclic
form can be obtained and either of those can be copied and supplied as
the argument to Permutation:
>>> p.array_form
[0, 2, 1, 4, 5, 3]
>>> p.cyclic_form
[[1, 2], [3, 4, 5]]
>>> Permutation(_) == p
True
3) Printing is economical in that as little as possible is printed while
retaining all information about the size of the permutation:
>>> Permutation([1, 0, 2, 3])
Permutation([1, 0, 2, 3])
>>> Permutation([1, 0, 2, 3], size=20)
Permutation([1, 0], size=20)
>>> Permutation([1, 0, 2, 4, 3, 5, 6], size=20)
Permutation([1, 0, 2, 4, 3], size=20)
>>> p = Permutation([1, 0, 2, 3])
>>> Permutation.print_cyclic = True
>>> p
Permutation(3)(0, 1)
>>> Permutation.print_cyclic = False
The 2 was not printed but it is still there as can be seen with the
array_form and size methods:
>>> p.array_form
[1, 0, 2, 3]
>>> p.size
4
Short introduction to other methods
===================================
The permutation can act as a bijective function, telling what element is
located at a given position
>>> q = Permutation([5, 2, 3, 4, 1, 0])
>>> q.array_form[1] # the hard way
2
>>> q(1) # the easy way
2
>>> dict([(i, q(i)) for i in range(q.size)]) # showing the bijection
{0: 5, 1: 2, 2: 3, 3: 4, 4: 1, 5: 0}
The full cyclic form (including singletons) can be obtained:
>>> p.full_cyclic_form
[[0, 1], [2], [3]]
Any permutation can be factored into transpositions of pairs of elements:
>>> Permutation([[1, 2], [3, 4, 5]]).transpositions()
[(1, 2), (3, 5), (3, 4)]
>>> Permutation.rmul(*[Permutation([ti], size=6) for ti in _]).cyclic_form
[[1, 2], [3, 4, 5]]
The number of permutations on a set of n elements is given by n! and is
called the cardinality.
>>> p.size
4
>>> p.cardinality
24
A given permutation has a rank among all the possible permutations of the
same elements, but what that rank is depends on how the permutations are
enumerated. (There are a number of different methods of doing so.) The
lexicographic rank is given by the rank method and this rank is used to
increment a partion with addition/subtraction:
>>> p.rank()
6
>>> p + 1
Permutation([1, 0, 3, 2])
>>> p.next_lex()
Permutation([1, 0, 3, 2])
>>> _.rank()
7
>>> p.unrank_lex(p.size, rank=7)
Permutation([1, 0, 3, 2])
The product of two permutations p and q is defined as their composition as
functions, (p*q)(i) = q(p(i)) [6]_.
>>> p = Permutation([1, 0, 2, 3])
>>> q = Permutation([2, 3, 1, 0])
>>> list(q*p)
[2, 3, 0, 1]
>>> list(p*q)
[3, 2, 1, 0]
>>> [q(p(i)) for i in range(p.size)]
[3, 2, 1, 0]
The permutation can be 'applied' to any list-like object, not only
Permutations:
>>> p(['zero', 'one', 'four', 'two'])
['one', 'zero', 'four', 'two']
>>> p('zo42')
['o', 'z', '4', '2']
If you have a list of arbitrary elements, the corresponding permutation
can be found with the from_sequence method:
>>> Permutation.from_sequence('SymPy')
Permutation([1, 3, 2, 0, 4])
See Also
========
Cycle
References
==========
.. [1] Skiena, S. 'Permutations.' 1.1 in Implementing Discrete Mathematics
Combinatorics and Graph Theory with Mathematica. Reading, MA:
Addison-Wesley, pp. 3-16, 1990.
.. [2] Knuth, D. E. The Art of Computer Programming, Vol. 4: Combinatorial
Algorithms, 1st ed. Reading, MA: Addison-Wesley, 2011.
.. [3] Wendy Myrvold and Frank Ruskey. 2001. Ranking and unranking
permutations in linear time. Inf. Process. Lett. 79, 6 (September 2001),
281-284. DOI=10.1016/S0020-0190(01)00141-7
.. [4] D. L. Kreher, D. R. Stinson 'Combinatorial Algorithms'
CRC Press, 1999
.. [5] Graham, R. L.; Knuth, D. E.; and Patashnik, O.
Concrete Mathematics: A Foundation for Computer Science, 2nd ed.
Reading, MA: Addison-Wesley, 1994.
.. [6] http://en.wikipedia.org/wiki/Permutation#Product_and_inverse
.. [7] http://en.wikipedia.org/wiki/Lehmer_code
"""
is_Permutation = True
_array_form = None
_cyclic_form = None
_cycle_structure = None
_size = None
_rank = None
def __new__(cls, *args, **kwargs):
"""
Constructor for the Permutation object from a list or a
list of lists in which all elements of the permutation may
appear only once.
Examples
========
>>> from sympy.combinatorics.permutations import Permutation
>>> Permutation.print_cyclic = False
Permutations entered in array-form are left unaltered:
>>> Permutation([0, 2, 1])
Permutation([0, 2, 1])
Permutations entered in cyclic form are converted to array form;
singletons need not be entered, but can be entered to indicate the
largest element:
>>> Permutation([[4, 5, 6], [0, 1]])
Permutation([1, 0, 2, 3, 5, 6, 4])
>>> Permutation([[4, 5, 6], [0, 1], [19]])
Permutation([1, 0, 2, 3, 5, 6, 4], size=20)
All manipulation of permutations assumes that the smallest element
is 0 (in keeping with 0-based indexing in Python) so if the 0 is
missing when entering a permutation in array form, an error will be
raised:
>>> Permutation([2, 1])
Traceback (most recent call last):
...
ValueError: Integers 0 through 2 must be present.
If a permutation is entered in cyclic form, it can be entered without
singletons and the ``size`` specified so those values can be filled
in, otherwise the array form will only extend to the maximum value
in the cycles:
>>> Permutation([[1, 4], [3, 5, 2]], size=10)
Permutation([0, 4, 3, 5, 1, 2], size=10)
>>> _.array_form
[0, 4, 3, 5, 1, 2, 6, 7, 8, 9]
"""
size = kwargs.pop('size', None)
if size is not None:
size = int(size)
#a) ()
#b) (1) = identity
#c) (1, 2) = cycle
#d) ([1, 2, 3]) = array form
#e) ([[1, 2]]) = cyclic form
#f) (Cycle) = conversion to permutation
#g) (Permutation) = adjust size or return copy
ok = True
if not args: # a
return _af_new(list(range(size or 0)))
elif len(args) > 1: # c
return _af_new(Cycle(*args).list(size))
if len(args) == 1:
a = args[0]
if isinstance(a, Perm): # g
if size is None or size == a.size:
return a
return Perm(a.array_form, size=size)
if isinstance(a, Cycle): # f
return _af_new(a.list(size))
if not is_sequence(a): # b
return _af_new(list(range(a + 1)))
if has_variety(is_sequence(ai) for ai in a):
ok = False
else:
ok = False
if not ok:
raise ValueError("Permutation argument must be a list of ints, "
"a list of lists, Permutation or Cycle.")
# safe to assume args are valid; this also makes a copy
# of the args
args = list(args[0])
is_cycle = args and is_sequence(args[0])
if is_cycle: # e
args = [[int(i) for i in c] for c in args]
else: # d
args = [int(i) for i in args]
# if there are n elements present, 0, 1, ..., n-1 should be present
# unless a cycle notation has been provided. A 0 will be added
# for convenience in case one wants to enter permutations where
# counting starts from 1.
temp = flatten(args)
if has_dups(temp):
if is_cycle:
raise ValueError('there were repeated elements; to resolve '
'cycles use Cycle%s.' % ''.join([str(tuple(c)) for c in args]))
else:
raise ValueError('there were repeated elements.')
temp = set(temp)
if not is_cycle and \
any(i not in temp for i in range(len(temp))):
raise ValueError("Integers 0 through %s must be present." %
max(temp))
if is_cycle:
# it's not necessarily canonical so we won't store
# it -- use the array form instead
c = Cycle()
for ci in args:
c = c(*ci)
aform = c.list()
else:
aform = list(args)
if size and size > len(aform):
# don't allow for truncation of permutation which
# might split a cycle and lead to an invalid aform
# but do allow the permutation size to be increased
aform.extend(list(range(len(aform), size)))
size = len(aform)
obj = Basic.__new__(cls, aform)
obj._array_form = aform
obj._size = size
return obj
@staticmethod
def _af_new(perm):
"""A method to produce a Permutation object from a list;
the list is bound to the _array_form attribute, so it must
not be modified; this method is meant for internal use only;
the list ``a`` is supposed to be generated as a temporary value
in a method, so p = Perm._af_new(a) is the only object
to hold a reference to ``a``::
Examples
========
>>> from sympy.combinatorics.permutations import Perm
>>> Perm.print_cyclic = False
>>> a = [2,1,3,0]
>>> p = Perm._af_new(a)
>>> p
Permutation([2, 1, 3, 0])
"""
p = Basic.__new__(Perm, perm)
p._array_form = perm
p._size = len(perm)
return p
def _hashable_content(self):
# the array_form (a list) is the Permutation arg, so we need to
# return a tuple, instead
return tuple(self.array_form)
@property
def array_form(self):
"""
Return a copy of the attribute _array_form
Examples
========
>>> from sympy.combinatorics.permutations import Permutation
>>> Permutation.print_cyclic = False
>>> p = Permutation([[2,0], [3,1]])
>>> p.array_form
[2, 3, 0, 1]
>>> Permutation([[2,0,3,1]]).array_form
[3, 2, 0, 1]
>>> Permutation([2,0,3,1]).array_form
[2, 0, 3, 1]
>>> Permutation([[1, 2], [4, 5]]).array_form
[0, 2, 1, 3, 5, 4]
"""
return self._array_form[:]
def list(self, size=None):
"""Return the permutation as an explicit list, possibly
trimming unmoved elements if size is less than the maximum
element in the permutation; if this is desired, setting
``size=-1`` will guarantee such trimming.
Examples
========
>>> from sympy.combinatorics.permutations import Permutation
>>> Permutation.print_cyclic = False
>>> p = Permutation(2, 3)(4, 5)
>>> p.list()
[0, 1, 3, 2, 5, 4]
>>> p.list(10)
[0, 1, 3, 2, 5, 4, 6, 7, 8, 9]
Passing a length too small will trim trailing, unchanged elements
in the permutation:
>>> Permutation(2, 4)(1, 2, 4).list(-1)
[0, 2, 1]
>>> Permutation(3).list(-1)
[]
"""
if not self and size is None:
raise ValueError('must give size for empty Cycle')
rv = self.array_form
if size is not None:
if size > self.size:
rv.extend(list(range(self.size, size)))
else:
# find first value from rhs where rv[i] != i
i = self.size - 1
while rv:
if rv[-1] != i:
break
rv.pop()
i -= 1
return rv
@property
def cyclic_form(self):
"""
This is used to convert to the cyclic notation
from the canonical notation. Singletons are omitted.
Examples
========
>>> from sympy.combinatorics.permutations import Permutation
>>> Permutation.print_cyclic = False
>>> p = Permutation([0, 3, 1, 2])
>>> p.cyclic_form
[[1, 3, 2]]
>>> Permutation([1, 0, 2, 4, 3, 5]).cyclic_form
[[0, 1], [3, 4]]
See Also
========
array_form, full_cyclic_form
"""
if self._cyclic_form is not None:
return list(self._cyclic_form)
array_form = self.array_form
unchecked = [True] * len(array_form)
cyclic_form = []
for i in range(len(array_form)):
if unchecked[i]:
cycle = []
cycle.append(i)
unchecked[i] = False
j = i
while unchecked[array_form[j]]:
j = array_form[j]
cycle.append(j)
unchecked[j] = False
if len(cycle) > 1:
cyclic_form.append(cycle)
assert cycle == list(minlex(cycle, is_set=True))
cyclic_form.sort()
self._cyclic_form = cyclic_form[:]
return cyclic_form
@property
def full_cyclic_form(self):
"""Return permutation in cyclic form including singletons.
Examples
========
>>> from sympy.combinatorics.permutations import Permutation
>>> Permutation([0, 2, 1]).full_cyclic_form
[[0], [1, 2]]
"""
need = set(range(self.size)) - set(flatten(self.cyclic_form))
rv = self.cyclic_form
rv.extend([[i] for i in need])
rv.sort()
return rv
@property
def size(self):
"""
Returns the number of elements in the permutation.
Examples
========
>>> from sympy.combinatorics import Permutation
>>> Permutation([[3, 2], [0, 1]]).size
4
See Also
========
cardinality, length, order, rank
"""
return self._size
def support(self):
"""Return the elements in permutation, P, for which P[i] != i.
Examples
========
>>> from sympy.combinatorics import Permutation
>>> p = Permutation([[3, 2], [0, 1], [4]])
>>> p.array_form
[1, 0, 3, 2, 4]
>>> p.support()
[0, 1, 2, 3]
"""
a = self.array_form
return [i for i, e in enumerate(a) if a[i] != i]
def __add__(self, other):
"""Return permutation that is other higher in rank than self.
The rank is the lexicographical rank, with the identity permutation
having rank of 0.
Examples
========
>>> from sympy.combinatorics.permutations import Permutation
>>> Permutation.print_cyclic = False
>>> I = Permutation([0, 1, 2, 3])
>>> a = Permutation([2, 1, 3, 0])
>>> I + a.rank() == a
True
See Also
========
__sub__, inversion_vector
"""
rank = (self.rank() + other) % self.cardinality
rv = Perm.unrank_lex(self.size, rank)
rv._rank = rank
return rv
def __sub__(self, other):
"""Return the permutation that is other lower in rank than self.
See Also
========
__add__
"""
return self.__add__(-other)
@staticmethod
def rmul(*args):
"""
Return product of Permutations [a, b, c, ...] as the Permutation whose
ith value is a(b(c(i))).
a, b, c, ... can be Permutation objects or tuples.
Examples
========
>>> from sympy.combinatorics.permutations import _af_rmul, Permutation
>>> Permutation.print_cyclic = False
>>> a, b = [1, 0, 2], [0, 2, 1]
>>> a = Permutation(a); b = Permutation(b)
>>> list(Permutation.rmul(a, b))
[1, 2, 0]
>>> [a(b(i)) for i in range(3)]
[1, 2, 0]
This handles the operands in reverse order compared to the ``*`` operator:
>>> a = Permutation(a); b = Permutation(b)
>>> list(a*b)
[2, 0, 1]
>>> [b(a(i)) for i in range(3)]
[2, 0, 1]
Notes
=====
All items in the sequence will be parsed by Permutation as
necessary as long as the first item is a Permutation:
>>> Permutation.rmul(a, [0, 2, 1]) == Permutation.rmul(a, b)
True
The reverse order of arguments will raise a TypeError.
"""
rv = args[0]
for i in range(1, len(args)):
rv = args[i]*rv
return rv
@staticmethod
def rmul_with_af(*args):
"""
same as rmul, but the elements of args are Permutation objects
which have _array_form
"""
a = [x._array_form for x in args]
rv = _af_new(_af_rmuln(*a))
return rv
def mul_inv(self, other):
"""
other*~self, self and other have _array_form
"""
a = _af_invert(self._array_form)
b = other._array_form
return _af_new(_af_rmul(a, b))
def __rmul__(self, other):
"""This is needed to coerse other to Permutation in rmul."""
return Perm(other)*self
def __mul__(self, other):
"""
Return the product a*b as a Permutation; the ith value is b(a(i)).
Examples
========
>>> from sympy.combinatorics.permutations import _af_rmul, Permutation
>>> Permutation.print_cyclic = False
>>> a, b = [1, 0, 2], [0, 2, 1]
>>> a = Permutation(a); b = Permutation(b)
>>> list(a*b)
[2, 0, 1]
>>> [b(a(i)) for i in range(3)]
[2, 0, 1]
This handles operands in reverse order compared to _af_rmul and rmul:
>>> al = list(a); bl = list(b)
>>> _af_rmul(al, bl)
[1, 2, 0]
>>> [al[bl[i]] for i in range(3)]
[1, 2, 0]
It is acceptable for the arrays to have different lengths; the shorter
one will be padded to match the longer one:
>>> b*Permutation([1, 0])
Permutation([1, 2, 0])
>>> Permutation([1, 0])*b
Permutation([2, 0, 1])
It is also acceptable to allow coercion to handle conversion of a
single list to the left of a Permutation:
>>> [0, 1]*a # no change: 2-element identity
Permutation([1, 0, 2])
>>> [[0, 1]]*a # exchange first two elements
Permutation([0, 1, 2])
You cannot use more than 1 cycle notation in a product of cycles
since coercion can only handle one argument to the left. To handle
multiple cycles it is convenient to use Cycle instead of Permutation:
>>> [[1, 2]]*[[2, 3]]*Permutation([]) # doctest: +SKIP
>>> from sympy.combinatorics.permutations import Cycle
>>> Cycle(1, 2)(2, 3)
Cycle(1, 3, 2)
"""
a = self.array_form
# __rmul__ makes sure the other is a Permutation
b = other.array_form
if not b:
perm = a
else:
b.extend(list(range(len(b), len(a))))
perm = [b[i] for i in a] + b[len(a):]
return _af_new(perm)
def commutes_with(self, other):
"""
Checks if the elements are commuting.
Examples
========
>>> from sympy.combinatorics.permutations import Permutation
>>> a = Permutation([1,4,3,0,2,5])
>>> b = Permutation([0,1,2,3,4,5])
>>> a.commutes_with(b)
True
>>> b = Permutation([2,3,5,4,1,0])
>>> a.commutes_with(b)
False
"""
a = self.array_form
b = other.array_form
return _af_commutes_with(a, b)
def __pow__(self, n):
"""
Routine for finding powers of a permutation.
Examples
========
>>> from sympy.combinatorics.permutations import Permutation
>>> Permutation.print_cyclic = False
>>> p = Permutation([2,0,3,1])
>>> p.order()
4
>>> p**4
Permutation([0, 1, 2, 3])
"""
if type(n) == Perm:
raise NotImplementedError(
'p**p is not defined; do you mean p^p (conjugate)?')
n = int(n)
return _af_new(_af_pow(self.array_form, n))
def __rxor__(self, i):
"""Return self(i) when ``i`` is an int.
Examples
========
>>> from sympy.combinatorics import Permutation
>>> p = Permutation(1, 2, 9)
>>> 2^p == p(2) == 9
True
"""
if int(i) == i:
return self(i)
else:
raise NotImplementedError(
"i^p = p(i) when i is an integer, not %s." % i)
def __xor__(self, h):
"""Return the conjugate permutation ``~h*self*h` `.
If ``a`` and ``b`` are conjugates, ``a = h*b*~h`` and
``b = ~h*a*h`` and both have the same cycle structure.
Examples
========
>>> from sympy.combinatorics.permutations import Permutation
>>> Permutation.print_cyclic = True
>>> p = Permutation(1, 2, 9)
>>> q = Permutation(6, 9, 8)
>>> p*q != q*p
True
Calculate and check properties of the conjugate:
>>> c = p^q
>>> c == ~q*p*q and p == q*c*~q
True
The expression q^p^r is equivalent to q^(p*r):
>>> r = Permutation(9)(4,6,8)
>>> q^p^r == q^(p*r)
True
If the term to the left of the conjugate operator, i, is an integer
then this is interpreted as selecting the ith element from the
permutation to the right:
>>> all(i^p == p(i) for i in range(p.size))
True
Note that the * operator as higher precedence than the ^ operator:
>>> q^r*p^r == q^(r*p)^r == Permutation(9)(1, 6, 4)
True
Notes
=====
In Python the precedence rule is p^q^r = (p^q)^r which differs
in general from p^(q^r)
>>> q^p^r
Permutation(9)(1, 4, 8)
>>> q^(p^r)
Permutation(9)(1, 8, 6)
For a given r and p, both of the following are conjugates of p:
~r*p*r and r*p*~r. But these are not necessarily the same:
>>> ~r*p*r == r*p*~r
True
>>> p = Permutation(1, 2, 9)(5, 6)
>>> ~r*p*r == r*p*~r
False
The conjugate ~r*p*r was chosen so that ``p^q^r`` would be equivalent
to ``p^(q*r)`` rather than ``p^(r*q)``. To obtain r*p*~r, pass ~r to
this method:
>>> p^~r == r*p*~r
True
"""
if self.size != h.size:
raise ValueError("The permutations must be of equal size.")
a = [None]*self.size
h = h._array_form
p = self._array_form
for i in range(self.size):
a[h[i]] = h[p[i]]
return _af_new(a)
def transpositions(self):
"""
Return the permutation decomposed into a list of transpositions.
It is always possible to express a permutation as the product of
transpositions, see [1]
Examples
========
>>> from sympy.combinatorics.permutations import Permutation
>>> p = Permutation([[1, 2, 3], [0, 4, 5, 6, 7]])
>>> t = p.transpositions()
>>> t
[(0, 7), (0, 6), (0, 5), (0, 4), (1, 3), (1, 2)]
>>> print(''.join(str(c) for c in t))
(0, 7)(0, 6)(0, 5)(0, 4)(1, 3)(1, 2)
>>> Permutation.rmul(*[Permutation([ti], size=p.size) for ti in t]) == p
True
References
==========
1. http://en.wikipedia.org/wiki/Transposition_%28mathematics%29#Properties
"""
a = self.cyclic_form
res = []
for x in a:
nx = len(x)
if nx == 2:
res.append(tuple(x))
elif nx > 2:
first = x[0]
for y in x[nx - 1:0:-1]:
res.append((first, y))
return res
@classmethod
def from_sequence(self, i, key=None):
"""Return the permutation needed to obtain ``i`` from the sorted
elements of ``i``. If custom sorting is desired, a key can be given.
Examples
========
>>> from sympy.combinatorics import Permutation
>>> Permutation.print_cyclic = True
>>> Permutation.from_sequence('SymPy')
Permutation(4)(0, 1, 3)
>>> _(sorted("SymPy"))
['S', 'y', 'm', 'P', 'y']
>>> Permutation.from_sequence('SymPy', key=lambda x: x.lower())
Permutation(4)(0, 2)(1, 3)
"""
ic = list(zip(i, list(range(len(i)))))
if key:
ic.sort(key=lambda x: key(x[0]))
else:
ic.sort()
return ~Permutation([i[1] for i in ic])
def __invert__(self):
"""
Return the inverse of the permutation.
A permutation multiplied by its inverse is the identity permutation.
Examples
========
>>> from sympy.combinatorics.permutations import Permutation
>>> p = Permutation([[2,0], [3,1]])
>>> ~p
Permutation([2, 3, 0, 1])
>>> _ == p**-1
True
>>> p*~p == ~p*p == Permutation([0, 1, 2, 3])
True
"""
return _af_new(_af_invert(self._array_form))
def __iter__(self):
"""Yield elements from array form.
Examples
========
>>> from sympy.combinatorics import Permutation
>>> list(Permutation(range(3)))
[0, 1, 2]
"""
for i in self.array_form:
yield i
def __call__(self, *i):
"""
Allows applying a permutation instance as a bijective function.
Examples
========
>>> from sympy.combinatorics.permutations import Permutation
>>> p = Permutation([[2,0], [3,1]])
>>> p.array_form
[2, 3, 0, 1]
>>> [p(i) for i in range(4)]
[2, 3, 0, 1]
If an array is given then the permutation selects the items
from the array (i.e. the permutation is applied to the array):
>>> from sympy.abc import x
>>> p([x, 1, 0, x**2])
[0, x**2, x, 1]
"""
# list indices can be Integer or int; leave this
# as it is (don't test or convert it) because this
# gets called a lot and should be fast
if len(i) == 1:
i = i[0]
try:
# P(1)
return self._array_form[i]
except TypeError:
try:
# P([a, b, c])
return [i[j] for j in self._array_form]
except Exception:
raise TypeError('unrecognized argument')
else:
# P(1, 2, 3)
return self*Permutation(Cycle(*i), size=self.size)
def atoms(self):
"""
Returns all the elements of a permutation
Examples
========
>>> from sympy.combinatorics import Permutation
>>> Permutation([0, 1, 2, 3, 4, 5]).atoms()
set([0, 1, 2, 3, 4, 5])
>>> Permutation([[0, 1], [2, 3], [4, 5]]).atoms()
set([0, 1, 2, 3, 4, 5])
"""
return set(self.array_form)
def next_lex(self):
"""
Returns the next permutation in lexicographical order.
If self is the last permutation in lexicographical order
it returns None.
See [4] section 2.4.
Examples
========
>>> from sympy.combinatorics.permutations import Permutation
>>> p = Permutation([2, 3, 1, 0])
>>> p = Permutation([2, 3, 1, 0]); p.rank()
17
>>> p = p.next_lex(); p.rank()
18
See Also
========
rank, unrank_lex
"""
perm = self.array_form[:]
n = len(perm)
i = n - 2
while perm[i + 1] < perm[i]:
i -= 1
if i == -1:
return None
else:
j = n - 1
while perm[j] < perm[i]:
j -= 1
perm[j], perm[i] = perm[i], perm[j]
i += 1
j = n - 1
while i < j:
perm[j], perm[i] = perm[i], perm[j]
i += 1
j -= 1
return _af_new(perm)
@classmethod
def unrank_nonlex(self, n, r):
"""
This is a linear time unranking algorithm that does not
respect lexicographic order [3].
Examples
========
>>> from sympy.combinatorics.permutations import Permutation
>>> Permutation.print_cyclic = False
>>> Permutation.unrank_nonlex(4, 5)
Permutation([2, 0, 3, 1])
>>> Permutation.unrank_nonlex(4, -1)
Permutation([0, 1, 2, 3])
See Also
========
next_nonlex, rank_nonlex
"""
def _unrank1(n, r, a):
if n > 0:
a[n - 1], a[r % n] = a[r % n], a[n - 1]
_unrank1(n - 1, r//n, a)
id_perm = list(range(n))
n = int(n)
r = r % ifac(n)
_unrank1(n, r, id_perm)
return _af_new(id_perm)
def rank_nonlex(self, inv_perm=None):
"""
This is a linear time ranking algorithm that does not
enforce lexicographic order [3].
Examples
========
>>> from sympy.combinatorics.permutations import Permutation
>>> p = Permutation([0,1,2,3])
>>> p.rank_nonlex()
23
See Also
========
next_nonlex, unrank_nonlex
"""
def _rank1(n, perm, inv_perm):
if n == 1:
return 0
s = perm[n - 1]
t = inv_perm[n - 1]
perm[n - 1], perm[t] = perm[t], s
inv_perm[n - 1], inv_perm[s] = inv_perm[s], t
return s + n*_rank1(n - 1, perm, inv_perm)
if inv_perm is None:
inv_perm = (~self).array_form
if not inv_perm:
return 0
perm = self.array_form[:]
r = _rank1(len(perm), perm, inv_perm)
return r
def next_nonlex(self):
"""
Returns the next permutation in nonlex order [3].
If self is the last permutation in this order it returns None.
Examples
========
>>> from sympy.combinatorics.permutations import Permutation
>>> Permutation.print_cyclic = False
>>> p = Permutation([2, 0, 3, 1]); p.rank_nonlex()
5
>>> p = p.next_nonlex(); p
Permutation([3, 0, 1, 2])
>>> p.rank_nonlex()
6
See Also
========
rank_nonlex, unrank_nonlex
"""
r = self.rank_nonlex()
if r == ifac(self.size) - 1:
return None
return Perm.unrank_nonlex(self.size, r + 1)
def rank(self):
"""
Returns the lexicographic rank of the permutation.
Examples
========
>>> from sympy.combinatorics.permutations import Permutation
>>> p = Permutation([0, 1, 2, 3])
>>> p.rank()
0
>>> p = Permutation([3, 2, 1, 0])
>>> p.rank()
23
See Also
========
next_lex, unrank_lex, cardinality, length, order, size
"""
if not self._rank is None:
return self._rank
rank = 0
rho = self.array_form[:]
n = self.size - 1
size = n + 1
psize = int(ifac(n))
for j in range(size - 1):
rank += rho[j]*psize
for i in range(j + 1, size):
if rho[i] > rho[j]:
rho[i] -= 1
psize //= n
n -= 1
self._rank = rank
return rank
@property
def cardinality(self):
"""
Returns the number of all possible permutations.
Examples
========
>>> from sympy.combinatorics.permutations import Permutation
>>> p = Permutation([0,1,2,3])
>>> p.cardinality
24
See Also
========
length, order, rank, size
"""
return int(ifac(self.size))
def parity(self):
"""
Computes the parity of a permutation.
The parity of a permutation reflects the parity of the
number of inversions in the permutation, i.e., the
number of pairs of x and y such that ``x > y`` but ``p[x] < p[y]``.
Examples
========
>>> from sympy.combinatorics.permutations import Permutation
>>> p = Permutation([0,1,2,3])
>>> p.parity()
0
>>> p = Permutation([3,2,0,1])
>>> p.parity()
1
See Also
========
_af_parity
"""
if self._cyclic_form is not None:
return (self.size - self.cycles) % 2
return _af_parity(self.array_form)
@property
def is_even(self):
"""
Checks if a permutation is even.
Examples
========
>>> from sympy.combinatorics.permutations import Permutation
>>> p = Permutation([0,1,2,3])
>>> p.is_even
True
>>> p = Permutation([3,2,1,0])
>>> p.is_even
True
See Also
========
is_odd
"""
return not self.is_odd
@property
def is_odd(self):
"""
Checks if a permutation is odd.
Examples
========
>>> from sympy.combinatorics.permutations import Permutation
>>> p = Permutation([0,1,2,3])
>>> p.is_odd
False
>>> p = Permutation([3,2,0,1])
>>> p.is_odd
True
See Also
========
is_even
"""
return bool(self.parity() % 2)
@property
def is_Singleton(self):
"""
Checks to see if the permutation contains only one number and is
thus the only possible permutation of this set of numbers
Examples
========
>>> from sympy.combinatorics import Permutation
>>> Permutation([0]).is_Singleton
True
>>> Permutation([0, 1]).is_Singleton
False
See Also
========
is_Empty
"""
return self.size == 1
@property
def is_Empty(self):
"""
Checks to see if the permutation is a set with zero elements
Examples
========
>>> from sympy.combinatorics import Permutation
>>> Permutation([]).is_Empty
True
>>> Permutation([0]).is_Empty
False
See Also
========
is_Singleton
"""
return self.size == 0
@property
def is_Identity(self):
"""
Returns True if the Permutation is an identity permutation.
Examples
========
>>> from sympy.combinatorics.permutations import Permutation
>>> p = Permutation([])
>>> p.is_Identity
True
>>> p = Permutation([[0], [1], [2]])
>>> p.is_Identity
True
>>> p = Permutation([0, 1, 2])
>>> p.is_Identity
True
>>> p = Permutation([0, 2, 1])
>>> p.is_Identity
False
See Also
========
order
"""
af = self.array_form
return not af or all(i == af[i] for i in xrange(self.size))
def ascents(self):
"""
Returns the positions of ascents in a permutation, ie, the location
where p[i] < p[i+1]
Examples
========
>>> from sympy.combinatorics.permutations import Permutation
>>> p = Permutation([4,0,1,3,2])
>>> p.ascents()
[1, 2]
See Also
========
descents, inversions, min, max
"""
a = self.array_form
pos = [i for i in range(len(a) - 1) if a[i] < a[i + 1]]
return pos
def descents(self):
"""
Returns the positions of descents in a permutation, ie, the location
where p[i] > p[i+1]
Examples
========
>>> from sympy.combinatorics.permutations import Permutation
>>> p = Permutation([4,0,1,3,2])
>>> p.descents()
[0, 3]
See Also
========
ascents, inversions, min, max
"""
a = self.array_form
pos = [i for i in range(len(a) - 1) if a[i] > a[i + 1]]
return pos
def max(self):
"""
The maximum element moved by the permutation.
Examples
========
>>> from sympy.combinatorics.permutations import Permutation
>>> p = Permutation([1,0,2,3,4])
>>> p.max()
1
See Also
========
min, descents, ascents, inversions
"""
max = 0
a = self.array_form
for i in range(len(a)):
if a[i] != i and a[i] > max:
max = a[i]
return max
def min(self):
"""
The minimum element moved by the permutation.
Examples
========
>>> from sympy.combinatorics.permutations import Permutation
>>> p = Permutation([0,1,4,3,2])
>>> p.min()
2
See Also
========
max, descents, ascents, inversions
"""
a = self.array_form
min = len(a)
for i in range(len(a)):
if a[i] != i and a[i] < min:
min = a[i]
return min
def inversions(self):
"""
Computes the number of inversions of a permutation.
An inversion is where i > j but p[i] < p[j].
For small length of p, it iterates over all i and j
values and calculates the number of inversions.
For large length of p, it uses a variation of merge
sort to calculate the number of inversions.
References
==========
[1] http://www.cp.eng.chula.ac.th/~piak/teaching/algo/algo2008/count-inv.htm
Examples
========
>>> from sympy.combinatorics.permutations import Permutation
>>> p = Permutation([0,1,2,3,4,5])
>>> p.inversions()
0
>>> Permutation([3,2,1,0]).inversions()
6
See Also
========
descents, ascents, min, max
"""
inversions = 0
a = self.array_form
n = len(a)
if n < 130:
for i in range(n - 1):
b = a[i]
for c in a[i + 1:]:
if b > c:
inversions += 1
else:
k = 1
right = 0
arr = a[:]
temp = a[:]
while k < n:
i = 0
while i + k < n:
right = i + k * 2 - 1
if right >= n:
right = n - 1
inversions += _merge(arr, temp, i, i + k, right)
i = i + k * 2
k = k * 2
return inversions
def commutator(self, x):
"""Return the commutator of self and x: ``~x*~self*x*self``
If f and g are part of a group, G, then the commutator of f and g
is the group identity iff f and g commute, i.e. fg == gf.
Examples
========
>>> from sympy.combinatorics.permutations import Permutation
>>> Permutation.print_cyclic = False
>>> p = Permutation([0, 2, 3, 1])
>>> x = Permutation([2, 0, 3, 1])
>>> c = p.commutator(x); c
Permutation([2, 1, 3, 0])
>>> c == ~x*~p*x*p
True
>>> I = Permutation(3)
>>> p = [I + i for i in range(6)]
>>> for i in range(len(p)):
... for j in range(len(p)):
... c = p[i].commutator(p[j])
... if p[i]*p[j] == p[j]*p[i]:
... assert c == I
... else:
... assert c != I
...
References
==========
http://en.wikipedia.org/wiki/Commutator
"""
a = self.array_form
b = x.array_form
n = len(a)
if len(b) != n:
raise ValueError("The permutations must be of equal size.")
inva = [None]*n
for i in range(n):
inva[a[i]] = i
invb = [None]*n
for i in range(n):
invb[b[i]] = i
return _af_new([a[b[inva[i]]] for i in invb])
def signature(self):
"""
Gives the signature of the permutation needed to place the
elements of the permutation in canonical order.
The signature is calculated as (-1)^<number of inversions>
Examples
========
>>> from sympy.combinatorics.permutations import Permutation
>>> p = Permutation([0,1,2])
>>> p.inversions()
0
>>> p.signature()
1
>>> q = Permutation([0,2,1])
>>> q.inversions()
1
>>> q.signature()
-1
See Also
========
inversions
"""
if self.is_even:
return 1
return -1
def order(self):
"""
Computes the order of a permutation.
When the permutation is raised to the power of its
order it equals the identity permutation.
Examples
========
>>> from sympy.combinatorics.permutations import Permutation
>>> Permutation.print_cyclic = False
>>> p = Permutation([3, 1, 5, 2, 4, 0])
>>> p.order()
4
>>> (p**(p.order()))
Permutation([], size=6)
See Also
========
identity, cardinality, length, rank, size
"""
return reduce(lcm, [len(cycle) for cycle in self.cyclic_form], 1)
def length(self):
"""
Returns the number of integers moved by a permutation.
Examples
========
>>> from sympy.combinatorics import Permutation
>>> Permutation([0, 3, 2, 1]).length()
2
>>> Permutation([[0, 1], [2, 3]]).length()
4
See Also
========
min, max, suppport, cardinality, order, rank, size
"""
return len(self.support())
@property
def cycle_structure(self):
"""Return the cycle structure of the permutation as a dictionary
indicating the multiplicity of each cycle length.
Examples
========
>>> from sympy.combinatorics import Permutation
>>> Permutation.print_cyclic = True
>>> Permutation(3).cycle_structure
{1: 4}
>>> Permutation(0, 4, 3)(1, 2)(5, 6).cycle_structure
{2: 2, 3: 1}
"""
if self._cycle_structure:
rv = self._cycle_structure
else:
rv = defaultdict(int)
singletons = self.size
for c in self.cyclic_form:
rv[len(c)] += 1
singletons -= len(c)
if singletons:
rv[1] = singletons
self._cycle_structure = rv
return dict(rv) # make a copy
@property
def cycles(self):
"""
Returns the number of cycles contained in the permutation
(including singletons).
Examples
========
>>> from sympy.combinatorics import Permutation
>>> Permutation([0, 1, 2]).cycles
3
>>> Permutation([0, 1, 2]).full_cyclic_form
[[0], [1], [2]]
>>> Permutation(0, 1)(2, 3).cycles
2
See Also
========
sympy.functions.combinatorial.numbers.stirling
"""
return len(self.full_cyclic_form)
def index(self):
"""
Returns the index of a permutation.
The index of a permutation is the sum of all subscripts j such
that p[j] is greater than p[j+1].
Examples
========
>>> from sympy.combinatorics.permutations import Permutation
>>> p = Permutation([3, 0, 2, 1, 4])
>>> p.index()
2
"""
a = self.array_form
return sum([j for j in range(len(a) - 1) if a[j] > a[j + 1]])
def runs(self):
"""
Returns the runs of a permutation.
An ascending sequence in a permutation is called a run [5].
Examples
========
>>> from sympy.combinatorics.permutations import Permutation
>>> p = Permutation([2,5,7,3,6,0,1,4,8])
>>> p.runs()
[[2, 5, 7], [3, 6], [0, 1, 4, 8]]
>>> q = Permutation([1,3,2,0])
>>> q.runs()
[[1, 3], [2], [0]]
"""
return runs(self.array_form)
def inversion_vector(self):
"""Return the inversion vector of the permutation.
The inversion vector consists of elements whose value
indicates the number of elements in the permutation
that are lesser than it and lie on its right hand side.
The inversion vector is the same as the Lehmer encoding of a
permutation.
Examples
========
>>> from sympy.combinatorics.permutations import Permutation
>>> p = Permutation([4, 8, 0, 7, 1, 5, 3, 6, 2])
>>> p.inversion_vector()
[4, 7, 0, 5, 0, 2, 1, 1]
>>> p = Permutation([3, 2, 1, 0])
>>> p.inversion_vector()
[3, 2, 1]
The inversion vector increases lexicographically with the rank
of the permutation, the -ith element cycling through 0..i.
>>> p = Permutation(2)
>>> while p:
... print('%s %s %s' % (p, p.inversion_vector(), p.rank()))
... p = p.next_lex()
...
Permutation([0, 1, 2]) [0, 0] 0
Permutation([0, 2, 1]) [0, 1] 1
Permutation([1, 0, 2]) [1, 0] 2
Permutation([1, 2, 0]) [1, 1] 3
Permutation([2, 0, 1]) [2, 0] 4
Permutation([2, 1, 0]) [2, 1] 5
See Also
========
from_inversion_vector
"""
self_array_form = self.array_form
n = len(self_array_form)
inversion_vector = [0] * (n - 1)
for i in range(n - 1):
val = 0
for j in range(i + 1, n):
if self_array_form[j] < self_array_form[i]:
val += 1
inversion_vector[i] = val
return inversion_vector
def rank_trotterjohnson(self):
"""
Returns the Trotter Johnson rank, which we get from the minimal
change algorithm. See [4] section 2.4.
Examples
========
>>> from sympy.combinatorics.permutations import Permutation
>>> p = Permutation([0,1,2,3])
>>> p.rank_trotterjohnson()
0
>>> p = Permutation([0,2,1,3])
>>> p.rank_trotterjohnson()
7
See Also
========
unrank_trotterjohnson, next_trotterjohnson
"""
if self.array_form == [] or self.is_Identity:
return 0
if self.array_form == [1, 0]:
return 1
perm = self.array_form
n = self.size
rank = 0
for j in range(1, n):
k = 1
i = 0
while perm[i] != j:
if perm[i] < j:
k += 1
i += 1
j1 = j + 1
if rank % 2 == 0:
rank = j1*rank + j1 - k
else:
rank = j1*rank + k - 1
return rank
@classmethod
def unrank_trotterjohnson(self, size, rank):
"""
Trotter Johnson permutation unranking. See [4] section 2.4.
Examples
========
>>> from sympy.combinatorics.permutations import Permutation
>>> Permutation.unrank_trotterjohnson(5, 10)
Permutation([0, 3, 1, 2, 4])
See Also
========
rank_trotterjohnson, next_trotterjohnson
"""
perm = [0]*size
r2 = 0
n = ifac(size)
pj = 1
for j in range(2, size + 1):
pj *= j
r1 = (rank * pj) // n
k = r1 - j*r2
if r2 % 2 == 0:
for i in range(j - 1, j - k - 1, -1):
perm[i] = perm[i - 1]
perm[j - k - 1] = j - 1
else:
for i in range(j - 1, k, -1):
perm[i] = perm[i - 1]
perm[k] = j - 1
r2 = r1
return _af_new(perm)
def next_trotterjohnson(self):
"""
Returns the next permutation in Trotter-Johnson order.
If self is the last permutation it returns None.
See [4] section 2.4. If it is desired to generate all such
permutations, they can be generated in order more quickly
with the ``generate_bell`` function.
Examples
========
>>> from sympy.combinatorics.permutations import Permutation
>>> Permutation.print_cyclic = False
>>> p = Permutation([3, 0, 2, 1])
>>> p.rank_trotterjohnson()
4
>>> p = p.next_trotterjohnson(); p
Permutation([0, 3, 2, 1])
>>> p.rank_trotterjohnson()
5
See Also
========
rank_trotterjohnson, unrank_trotterjohnson, sympy.utilities.iterables.generate_bell
"""
pi = self.array_form[:]
n = len(pi)
st = 0
rho = pi[:]
done = False
m = n-1
while m > 0 and not done:
d = rho.index(m)
for i in range(d, m):
rho[i] = rho[i + 1]
par = _af_parity(rho[:m])
if par == 1:
if d == m:
m -= 1
else:
pi[st + d], pi[st + d + 1] = pi[st + d + 1], pi[st + d]
done = True
else:
if d == 0:
m -= 1
st += 1
else:
pi[st + d], pi[st + d - 1] = pi[st + d - 1], pi[st + d]
done = True
if m == 0:
return None
return _af_new(pi)
def get_precedence_matrix(self):
"""
Gets the precedence matrix. This is used for computing the
distance between two permutations.
Examples
========
>>> from sympy.combinatorics.permutations import Permutation
>>> p = Permutation.josephus(3,6,1)
>>> p
Permutation([2, 5, 3, 1, 4, 0])
>>> p.get_precedence_matrix()
Matrix([
[0, 0, 0, 0, 0, 0],
[1, 0, 0, 0, 1, 0],
[1, 1, 0, 1, 1, 1],
[1, 1, 0, 0, 1, 0],
[1, 0, 0, 0, 0, 0],
[1, 1, 0, 1, 1, 0]])
See Also
========
get_precedence_distance, get_adjacency_matrix, get_adjacency_distance
"""
m = zeros(self.size)
perm = self.array_form
for i in range(m.rows):
for j in range(i + 1, m.cols):
m[perm[i], perm[j]] = 1
return m
def get_precedence_distance(self, other):
"""
Computes the precedence distance between two permutations.
Suppose p and p' represent n jobs. The precedence metric
counts the number of times a job j is prededed by job i
in both p and p'. This metric is commutative.
Examples
========
>>> from sympy.combinatorics.permutations import Permutation
>>> p = Permutation([2, 0, 4, 3, 1])
>>> q = Permutation([3, 1, 2, 4, 0])
>>> p.get_precedence_distance(q)
7
>>> q.get_precedence_distance(p)
7
See Also
========
get_precedence_matrix, get_adjacency_matrix, get_adjacency_distance
"""
if self.size != other.size:
raise ValueError("The permutations must be of equal size.")
self_prec_mat = self.get_precedence_matrix()
other_prec_mat = other.get_precedence_matrix()
n_prec = 0
for i in range(self.size):
for j in range(self.size):
if i == j:
continue
if self_prec_mat[i, j] * other_prec_mat[i, j] == 1:
n_prec += 1
d = self.size * (self.size - 1)//2 - n_prec
return d
def get_adjacency_matrix(self):
"""
Computes the adjacency matrix of a permutation.
If job i is adjacent to job j in a permutation p
then we set m[i, j] = 1 where m is the adjacency
matrix of p.
Examples
========
>>> from sympy.combinatorics.permutations import Permutation
>>> p = Permutation.josephus(3,6,1)
>>> p.get_adjacency_matrix()
Matrix([
[0, 0, 0, 0, 0, 0],
[0, 0, 0, 0, 1, 0],
[0, 0, 0, 0, 0, 1],
[0, 1, 0, 0, 0, 0],
[1, 0, 0, 0, 0, 0],
[0, 0, 0, 1, 0, 0]])
>>> q = Permutation([0, 1, 2, 3])
>>> q.get_adjacency_matrix()
Matrix([
[0, 1, 0, 0],
[0, 0, 1, 0],
[0, 0, 0, 1],
[0, 0, 0, 0]])
See Also
========
get_precedence_matrix, get_precedence_distance, get_adjacency_distance
"""
m = zeros(self.size)
perm = self.array_form
for i in range(self.size - 1):
m[perm[i], perm[i + 1]] = 1
return m
def get_adjacency_distance(self, other):
"""
Computes the adjacency distance between two permutations.
This metric counts the number of times a pair i,j of jobs is
adjacent in both p and p'. If n_adj is this quantity then
the adjacency distance is n - n_adj - 1 [1]
[1] Reeves, Colin R. Landscapes, Operators and Heuristic search, Annals
of Operational Research, 86, pp 473-490. (1999)
Examples
========
>>> from sympy.combinatorics.permutations import Permutation
>>> p = Permutation([0, 3, 1, 2, 4])
>>> q = Permutation.josephus(4, 5, 2)
>>> p.get_adjacency_distance(q)
3
>>> r = Permutation([0, 2, 1, 4, 3])
>>> p.get_adjacency_distance(r)
4
See Also
========
get_precedence_matrix, get_precedence_distance, get_adjacency_matrix
"""
if self.size != other.size:
raise ValueError("The permutations must be of the same size.")
self_adj_mat = self.get_adjacency_matrix()
other_adj_mat = other.get_adjacency_matrix()
n_adj = 0
for i in range(self.size):
for j in range(self.size):
if i == j:
continue
if self_adj_mat[i, j] * other_adj_mat[i, j] == 1:
n_adj += 1
d = self.size - n_adj - 1
return d
def get_positional_distance(self, other):
"""
Computes the positional distance between two permutations.
Examples
========
>>> from sympy.combinatorics.permutations import Permutation
>>> p = Permutation([0, 3, 1, 2, 4])
>>> q = Permutation.josephus(4, 5, 2)
>>> r = Permutation([3, 1, 4, 0, 2])
>>> p.get_positional_distance(q)
12
>>> p.get_positional_distance(r)
12
See Also
========
get_precedence_distance, get_adjacency_distance
"""
a = self.array_form
b = other.array_form
if len(a) != len(b):
raise ValueError("The permutations must be of the same size.")
return sum([abs(a[i] - b[i]) for i in range(len(a))])
@classmethod
def josephus(self, m, n, s=1):
"""Return as a permutation the shuffling of range(n) using the Josephus
scheme in which every m-th item is selected until all have been chosen.
The returned permutation has elements listed by the order in which they
were selected.
The parameter ``s`` stops the selection process when there are ``s``
items remaining and these are selected by countinuing the selection,
counting by 1 rather than by ``m``.
Consider selecting every 3rd item from 6 until only 2 remain::
choices chosen
======== ======
012345
01 345 2
01 34 25
01 4 253
0 4 2531
0 25314
253140
Examples
========
>>> from sympy.combinatorics import Permutation
>>> Permutation.josephus(3, 6, 2).array_form
[2, 5, 3, 1, 4, 0]
References
==========
1. http://en.wikipedia.org/wiki/Flavius_Josephus
2. http://en.wikipedia.org/wiki/Josephus_problem
3. http://www.wou.edu/~burtonl/josephus.html
"""
from collections import deque
m -= 1
Q = deque(list(range(n)))
perm = []
while len(Q) > max(s, 1):
for dp in range(m):
Q.append(Q.popleft())
perm.append(Q.popleft())
perm.extend(list(Q))
return Perm(perm)
@classmethod
def from_inversion_vector(self, inversion):
"""
Calculates the permutation from the inversion vector.
Examples
========
>>> from sympy.combinatorics.permutations import Permutation
>>> Permutation.print_cyclic = False
>>> Permutation.from_inversion_vector([3, 2, 1, 0, 0])
Permutation([3, 2, 1, 0, 4, 5])
"""
size = len(inversion)
N = list(range(size + 1))
perm = []
try:
for k in range(size):
val = N[inversion[k]]
perm.append(val)
N.remove(val)
except IndexError:
raise ValueError("The inversion vector is not valid.")
perm.extend(N)
return _af_new(perm)
@classmethod
def random(self, n):
"""
Generates a random permutation of length ``n``.
Uses the underlying Python psuedo-random number generator.
Examples
========
>>> from sympy.combinatorics.permutations import Permutation
>>> Permutation.random(2) in (Permutation([1, 0]), Permutation([0, 1]))
True
"""
perm_array = list(range(n))
random.shuffle(perm_array)
return _af_new(perm_array)
@classmethod
def unrank_lex(self, size, rank):
"""
Lexicographic permutation unranking.
Examples
========
>>> from sympy.combinatorics.permutations import Permutation
>>> Permutation.print_cyclic = False
>>> a = Permutation.unrank_lex(5, 10)
>>> a.rank()
10
>>> a
Permutation([0, 2, 4, 1, 3])
See Also
========
rank, next_lex
"""
perm_array = [0] * size
psize = 1
for i in range(size):
new_psize = psize*(i + 1)
d = (rank % new_psize) // psize
rank -= d*psize
perm_array[size - i - 1] = d
for j in range(size - i, size):
if perm_array[j] > d - 1:
perm_array[j] += 1
psize = new_psize
return _af_new(perm_array)
# global flag to control how permutations are printed
# when True, Permutation([0, 2, 1, 3]) -> Cycle(1, 2)
# when False, Permutation([0, 2, 1, 3]) -> Permutation([0, 2, 1])
print_cyclic = True
def _merge(arr, temp, left, mid, right):
"""
Merges two sorted arrays and calculates the inversion count.
Helper function for calculating inversions. This method is
for internal use only.
"""
i = k = left
j = mid
inv_count = 0
while i < mid and j <= right:
if arr[i] < arr[j]:
temp[k] = arr[i]
k += 1
i += 1
else:
temp[k] = arr[j]
k += 1
j += 1
inv_count += (mid -i)
while i < mid:
temp[k] = arr[i]
k += 1
i += 1
if j <= right:
k += right - j + 1
j += right - j + 1
arr[left:k + 1] = temp[left:k + 1]
else:
arr[left:right + 1] = temp[left:right + 1]
return inv_count
Perm = Permutation
_af_new = Perm._af_new
| 27.895796 | 91 | 0.511 |
cf1cc6bf6b2894bf6e3e534ab0fd58905c530177 | 3,204 | py | Python | kf_lib_data_ingest/etl/load/load_v2.py | kids-first/kf-lib-data-ingest | 92889efef082c64744a00a9c110d778da7383959 | [
"Apache-2.0"
] | 3 | 2018-10-30T17:56:44.000Z | 2020-05-27T16:18:05.000Z | kf_lib_data_ingest/etl/load/load_v2.py | kids-first/kf-lib-data-ingest | 92889efef082c64744a00a9c110d778da7383959 | [
"Apache-2.0"
] | 344 | 2018-11-01T16:47:56.000Z | 2022-02-23T20:36:21.000Z | kf_lib_data_ingest/etl/load/load_v2.py | kids-first/kf-lib-data-ingest | 92889efef082c64744a00a9c110d778da7383959 | [
"Apache-2.0"
] | 1 | 2020-08-19T21:25:25.000Z | 2020-08-19T21:25:25.000Z | """
For Version 2 Target Service Plugins
"""
from pprint import pformat
from kf_lib_data_ingest.common import constants
from kf_lib_data_ingest.etl.load.load_base import LoadStageBase
class LoadStage(LoadStageBase):
def __init__(self, *args, query_url="", **kwargs):
"""
:param query_url: Alternative API query URL instead of asking the load target
:type query_url: str, optional
"""
super().__init__(*args, **kwargs)
self.query_url = query_url
def _get_target_id_from_record(self, entity_class, record):
"""
Find the target service ID for the given record and entity class.
:param entity_class: one of the classes contained in the all_targets list
:type entity_class: class
:param record: a record of extracted data
:type record: dict
:return: the target service ID
:rtype: str
"""
# check if target ID is given
tic = record.get(entity_class.target_id_concept)
if tic and (tic != constants.COMMON.NOT_REPORTED):
return tic
# check the cache
try:
key_components = self._do_target_get_key(entity_class, record)
tic = self._get_target_id_from_key(
entity_class.class_name, str(key_components)
)
except Exception:
return None
if tic:
return tic
# check the server
if self.dry_run and not self.query_url:
return None
err = False
try:
tic_list = entity_class.query_target_ids(
self.query_url or self.target_url, key_components
)
if tic_list:
if len(tic_list) > 1:
err = True
raise Exception(
"Ambiguous query. Multiple target identifiers found.\n"
"Sent:\n"
f"{pformat(key_components)}\n"
"Found:\n"
f"{tic_list}"
)
tic = tic_list[0]
if tic and (tic != constants.COMMON.NOT_REPORTED):
self._store_target_id_for_key(
entity_class.class_name,
str(key_components),
tic,
self.dry_run,
)
return tic
except Exception:
if err:
raise
return None
def _do_target_submit(self, entity_class, body):
"""Shim for target API submission across loader versions"""
return entity_class.submit(self.target_url, body)
def _do_target_get_key(self, entity_class, record):
"""Shim for target API key building across loader versions"""
return entity_class.get_key_components(
record, self._get_target_id_from_record
)
def _do_target_get_entity(self, entity_class, record, keystring):
"""Shim for target API entity building across loader versions"""
return entity_class.build_entity(
record, self._get_target_id_from_record
)
| 33.375 | 85 | 0.566792 |
c762c7264762e2ed42c2e89cf8a5a351659b6407 | 1,336 | py | Python | cnxman/logging.py | patdaburu/cnxman | f0094def9c6a7b77f0c44b8c08638bfba6d8f5d6 | [
"MIT"
] | null | null | null | cnxman/logging.py | patdaburu/cnxman | f0094def9c6a7b77f0c44b8c08638bfba6d8f5d6 | [
"MIT"
] | null | null | null | cnxman/logging.py | patdaburu/cnxman | f0094def9c6a7b77f0c44b8c08638bfba6d8f5d6 | [
"MIT"
] | null | null | null | #!/usr/bin/env python
# -*- coding: utf-8 -*-
"""
.. currentmodule:: cnxman.logging
.. moduleauthor:: Pat Daburu <pat@daburu.net>
Dear diary...
"""
import logging
# TODO: This module should eventually be broken out so it may be reused in other projects.
def loggable_class(logger_name: str=None):
"""
This is a decorator you can apply to a class to set it up with a Python ``logger`` property suitable for your
logging needs.
:param logger_name: a custom logger name
:type logger_name: ``str``
.. note::
If you don't supply a custom logger name, a standard formula that uses the module name and the class name
is used.
"""
# We need an inner function that actually adds the logger instance to the class.
def add_logger(cls):
# Establish what the name of the logger is going to be. If the original caller didn't supply one, we'll use
# a default to construct one.
_logger_name = logger_name if logger_name is not None else '{module}.{cls}'.format(module=cls.__module__,
cls=cls.__name__)
# Add a logger property to the class.
cls.logger = logging.getLogger(_logger_name)
return cls
# Return the inner function.
return add_logger
| 35.157895 | 116 | 0.633234 |
092950238f17d798165075d36f0bf97755aa87c5 | 1,542 | py | Python | Main.py | sunxyq/py-data-clean | 1597aa6ae1aa7a03449315f57fb17404a926b506 | [
"Apache-2.0"
] | 1 | 2019-03-28T09:29:51.000Z | 2019-03-28T09:29:51.000Z | Main.py | sunxyq/py-data-clean | 1597aa6ae1aa7a03449315f57fb17404a926b506 | [
"Apache-2.0"
] | null | null | null | Main.py | sunxyq/py-data-clean | 1597aa6ae1aa7a03449315f57fb17404a926b506 | [
"Apache-2.0"
] | null | null | null | #coding=utf-8
import DBUtil
def main() :
util = DBUtil.DBUtil()
DBUtil.DBUtil.digit_fence(util)
# print(FileUtil.count_lines('/Users/xiangyongqing/Documents/crawler-data-1797910-1522984840544.csv'))
# print(CSVUtil.CSVUtil.get_length(CSVUtil, '/Users/xiangyongqing/Documents/crawler-data-1797910-1522984840544.csv'))
# CSVUtil.CSVUtil.split_data_by_city(CSVUtil, '/Users/xiangyongqing/Documents/crawler-data-1797909-1523092432926.csv',
# '/Users/xiangyongqing/Documents/output2')
#CSVUtil.CSVUtil.extract_data_from_csv_all(Constant, Constant.LIFE_SERVICE, Constant.OUT_PATH)
#CSVUtil.CSVUtil.extract_data_from_csv_all(Constant, Constant.RESTAURANT, Constant.OUT_PATH)
#CSVUtil.CSVUtil.extract_data_from_csv_all(Constant, Constant.SHOPPING, Constant.OUT_PATH)
# DBUtil.DBUtil.read_csv_to_db(DBUtil, Constant.LIFE_SERVICE_ONLINE)
# DBUtil.DBUtil.read_csv_to_db(DBUtil, Constant.RESTAURANT_ONLINE)
# DBUtil.DBUtil.read_csv_to_db(DBUtil, Constant.SHOPPING_ONLINE)
#CSVUtil.CSVUtil.extract_data_from_takeout_csv(DBUtil, Constant.TAKEOUT_SHOP, Constant.TAKEOUT_OUT_PATH)
#DBUtil.DBUtil.read_takeout_csv_to_db(DBUtil, Constant.TAKEOUT_SHOP)
#DBUtil.DBUtil.read_xlsx_to_db(DBUtil, Constant.DIGIT_FENCE)
#extract data for jiaming
# file_path = "/Users/xiangyongqing/Desktop/meituan_data.xls"
# out_path = "/Users/xiangyongqing/Desktop/out"
# ExcelUtil.ExcelUtil.split_excel(ExcelUtil, file_path, out_path)
if(__name__== '__main__') :
print(__name__)
main()
| 42.833333 | 122 | 0.780156 |
54701104f5aebd31b7a711d22cbf968db61f0bf8 | 240 | py | Python | scripts/checkpoint.py | tjclement/ukraine-defense-firewall-rules | ed82ab21cd2d055e09480108f83ca8c76bac63dd | [
"CC0-1.0"
] | null | null | null | scripts/checkpoint.py | tjclement/ukraine-defense-firewall-rules | ed82ab21cd2d055e09480108f83ca8c76bac63dd | [
"CC0-1.0"
] | null | null | null | scripts/checkpoint.py | tjclement/ukraine-defense-firewall-rules | ed82ab21cd2d055e09480108f83ca8c76bac63dd | [
"CC0-1.0"
] | 1 | 2022-02-27T22:40:24.000Z | 2022-02-27T22:40:24.000Z | def checkpoint_save(lists):
for name, sublists in lists.items():
for subname, ips in sublists.items():
with open(f"checkpoint/greynoise_{name}_{subname}.txt", "wt") as file:
file.write("\n".join(ips)) | 48 | 82 | 0.6125 |
7ed80fd0298a4c402bfe7153fa14c67a8a66f80d | 8,514 | py | Python | docs/conf.py | stfp/flask-presst | 8d10cc04d390d412c9b949fcd81f696ab87b85ad | [
"MIT"
] | 1 | 2018-07-17T03:56:04.000Z | 2018-07-17T03:56:04.000Z | docs/conf.py | stfp/flask-presst | 8d10cc04d390d412c9b949fcd81f696ab87b85ad | [
"MIT"
] | null | null | null | docs/conf.py | stfp/flask-presst | 8d10cc04d390d412c9b949fcd81f696ab87b85ad | [
"MIT"
] | null | null | null | # -*- coding: utf-8 -*-
#
# Flask-Presst documentation build configuration file, created by
# sphinx-quickstart on Fri Mar 28 16:41:50 2014.
#
# This file is execfile()d with the current directory set to its containing dir.
#
# Note that not all possible configuration values are present in this
# autogenerated file.
#
# All configuration values have a default; values that are commented out
# serve to show the default.
import sys, os
# If extensions (or modules to document with autodoc) are in another directory,
# add these directories to sys.path here. If the directory is relative to the
# documentation root, use os.path.abspath to make it absolute, like shown here.
sys.path.append(os.path.abspath('_themes'))
sys.path.insert(0, os.path.abspath('../flask_presst'))
# -- General configuration -----------------------------------------------------
# If your documentation needs a minimal Sphinx version, state it here.
#needs_sphinx = '1.0'
# Add any Sphinx extension module names here, as strings. They can be extensions
# coming with Sphinx (named 'sphinx.ext.*') or your custom ones.
extensions = [
'sphinx.ext.autodoc',
'sphinx.ext.intersphinx'
]
intersphinx_mapping = {
'restful': ('http://flask-restful.readthedocs.org/en/latest/', None),
'sqlalchemy': ('http://docs.sqlalchemy.org/en/latest/', None),
'werkzeug': ('http://werkzeug.pocoo.org/docs/', None),
'blinker': ('http://pythonhosted.org/blinker/', None)
}
autodoc_member_order = 'bysource'
# Add any paths that contain templates here, relative to this directory.
templates_path = ['_templates']
# The suffix of source filenames.
source_suffix = '.rst'
# The encoding of source files.
#source_encoding = 'utf-8-sig'
# The master toctree document.
master_doc = 'index'
# General information about the project.
project = u'Flask-Presst'
copyright = u'2014, Lars Schöning'
# The version info for the project you're documenting, acts as replacement for
# |version| and |release|, also used in various other places throughout the
# built documents.
#
# The short X.Y version.
version = '0.2'
# The full version, including alpha/beta/rc tags.
release = '0.2.5'
# The language for content autogenerated by Sphinx. Refer to documentation
# for a list of supported languages.
#language = None
# There are two options for replacing |today|: either, you set today to some
# non-false value, then it is used:
#today = ''
# Else, today_fmt is used as the format for a strftime call.
#today_fmt = '%B %d, %Y'
# List of patterns, relative to source directory, that match files and
# directories to ignore when looking for source files.
exclude_patterns = ['_build']
# The reST default role (used for this markup: `text`) to use for all documents.
#default_role = None
# If true, '()' will be appended to :func: etc. cross-reference text.
#add_function_parentheses = True
# If true, the current module name will be prepended to all description
# unit titles (such as .. function::).
#add_module_names = True
# If true, sectionauthor and moduleauthor directives will be shown in the
# output. They are ignored by default.
#show_authors = False
# The name of the Pygments (syntax highlighting) style to use.
pygments_style = 'flask_theme_support.FlaskyStyle'
# A list of ignored prefixes for module index sorting.
#modindex_common_prefix = []
# -- Options for HTML output ---------------------------------------------------
# The theme to use for HTML and HTML Help pages. See the documentation for
# a list of builtin themes.
sys.path.append(os.path.abspath('_themes'))
html_theme_path = ['_themes']
html_theme = 'flask'
# html_theme_options = {
# 'github_fork': 'biosustain/flask-presst'
# }
# Theme options are theme-specific and customize the look and feel of a theme
# further. For a list of options available for each theme, see the
# documentation.
#html_theme_options = {}
# Add any paths that contain custom themes here, relative to this directory.
#html_theme_path = []
# The name for this set of Sphinx documents. If None, it defaults to
# "<project> v<release> documentation".
#html_title = None
# A shorter title for the navigation bar. Default is the same as html_title.
#html_short_title = None
# The name of an image file (relative to this directory) to place at the top
# of the sidebar.
#html_logo = None
# The name of an image file (within the static path) to use as favicon of the
# docs. This file should be a Windows icon file (.ico) being 16x16 or 32x32
# pixels large.
#html_favicon = None
# Add any paths that contain custom static files (such as style sheets) here,
# relative to this directory. They are copied after the builtin static files,
# so a file named "default.css" will overwrite the builtin "default.css".
html_static_path = ['_static']
# If not '', a 'Last updated on:' timestamp is inserted at every page bottom,
# using the given strftime format.
#html_last_updated_fmt = '%b %d, %Y'
# If true, SmartyPants will be used to convert quotes and dashes to
# typographically correct entities.
#html_use_smartypants = True
# Custom sidebar templates, maps document names to template names.
html_sidebars = {
'index': ['sidebarintro.html', 'sourcelink.html', 'searchbox.html']
}
# Additional templates that should be rendered to pages, maps page names to
# template names.
#html_additional_pages = {}
# If false, no module index is generated.
#html_domain_indices = True
# If false, no index is generated.
#html_use_index = True
# If true, the index is split into individual pages for each letter.
#html_split_index = False
# If true, links to the reST sources are added to the pages.
#html_show_sourcelink = True
# If true, "Created using Sphinx" is shown in the HTML footer. Default is True.
#html_show_sphinx = True
# If true, "(C) Copyright ..." is shown in the HTML footer. Default is True.
#html_show_copyright = True
# If true, an OpenSearch description file will be output, and all pages will
# contain a <link> tag referring to it. The value of this option must be the
# base URL from which the finished HTML is served.
#html_use_opensearch = ''
# This is the file name suffix for HTML files (e.g. ".xhtml").
#html_file_suffix = None
# Output file base name for HTML help builder.
htmlhelp_basename = 'Flask-Presstdoc'
# -- Options for LaTeX output --------------------------------------------------
latex_elements = {
# The paper size ('letterpaper' or 'a4paper').
#'papersize': 'letterpaper',
# The font size ('10pt', '11pt' or '12pt').
#'pointsize': '10pt',
# Additional stuff for the LaTeX preamble.
#'preamble': '',
}
# Grouping the document tree into LaTeX files. List of tuples
# (source start file, target name, title, author, documentclass [howto/manual]).
latex_documents = [
('index', 'Flask-Presst.tex', u'Flask-Presst Documentation',
u'Lars Schoning', 'manual'),
]
# The name of an image file (relative to this directory) to place at the top of
# the title page.
#latex_logo = None
# For "manual" documents, if this is true, then toplevel headings are parts,
# not chapters.
#latex_use_parts = False
# If true, show page references after internal links.
#latex_show_pagerefs = False
# If true, show URL addresses after external links.
#latex_show_urls = False
# Documents to append as an appendix to all manuals.
#latex_appendices = []
# If false, no module index is generated.
#latex_domain_indices = True
# -- Options for manual page output --------------------------------------------
# One entry per manual page. List of tuples
# (source start file, name, description, authors, manual section).
man_pages = [
('index', 'flask-presst', u'Flask-Presst Documentation',
[u'Lars Schoning'], 1)
]
# If true, show URL addresses after external links.
#man_show_urls = False
# -- Options for Texinfo output ------------------------------------------------
# Grouping the document tree into Texinfo files. List of tuples
# (source start file, target name, title, author,
# dir menu entry, description, category)
texinfo_documents = [
('index', 'Flask-Presst', u'Flask-Presst Documentation',
u'Lars Schoning', 'Flask-Presst', 'One line description of project.',
'Miscellaneous'),
]
# Documents to append as an appendix to all manuals.
#texinfo_appendices = []
# If false, no module index is generated.
#texinfo_domain_indices = True
# How to display URL addresses: 'footnote', 'no', or 'inline'.
#texinfo_show_urls = 'footnote'
def setup(app):
app.add_stylesheet('custom.css')
| 31.533333 | 80 | 0.712004 |
fac20796c0d678f71408549ef1bd98505a863837 | 20,657 | py | Python | soniox/speech_service_pb2_grpc.py | soniox/soniox_python | b0a1e2dc126e11e64b1147939fb4025efe675a3b | [
"MIT"
] | null | null | null | soniox/speech_service_pb2_grpc.py | soniox/soniox_python | b0a1e2dc126e11e64b1147939fb4025efe675a3b | [
"MIT"
] | 1 | 2021-06-01T22:08:28.000Z | 2021-06-01T22:08:28.000Z | soniox/speech_service_pb2_grpc.py | soniox/soniox_python | b0a1e2dc126e11e64b1147939fb4025efe675a3b | [
"MIT"
] | null | null | null | # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT!
"""Client and server classes corresponding to protobuf-defined services."""
import grpc
from soniox import speech_service_pb2 as soniox_dot_speech__service__pb2
class SpeechServiceStub(object):
"""Missing associated documentation comment in .proto file."""
def __init__(self, channel):
"""Constructor.
Args:
channel: A grpc.Channel.
"""
self.Transcribe = channel.unary_unary(
'/soniox.speech_service.SpeechService/Transcribe',
request_serializer=soniox_dot_speech__service__pb2.TranscribeRequest.SerializeToString,
response_deserializer=soniox_dot_speech__service__pb2.TranscribeResponse.FromString,
)
self.TranscribeStream = channel.stream_stream(
'/soniox.speech_service.SpeechService/TranscribeStream',
request_serializer=soniox_dot_speech__service__pb2.TranscribeStreamRequest.SerializeToString,
response_deserializer=soniox_dot_speech__service__pb2.TranscribeStreamResponse.FromString,
)
self.TranscribeAsync = channel.stream_unary(
'/soniox.speech_service.SpeechService/TranscribeAsync',
request_serializer=soniox_dot_speech__service__pb2.TranscribeAsyncRequest.SerializeToString,
response_deserializer=soniox_dot_speech__service__pb2.TranscribeAsyncResponse.FromString,
)
self.GetTranscribeAsyncStatus = channel.unary_unary(
'/soniox.speech_service.SpeechService/GetTranscribeAsyncStatus',
request_serializer=soniox_dot_speech__service__pb2.GetTranscribeAsyncStatusRequest.SerializeToString,
response_deserializer=soniox_dot_speech__service__pb2.GetTranscribeAsyncStatusResponse.FromString,
)
self.GetTranscribeAsyncResult = channel.unary_stream(
'/soniox.speech_service.SpeechService/GetTranscribeAsyncResult',
request_serializer=soniox_dot_speech__service__pb2.GetTranscribeAsyncResultRequest.SerializeToString,
response_deserializer=soniox_dot_speech__service__pb2.GetTranscribeAsyncResultResponse.FromString,
)
self.DeleteTranscribeAsyncFile = channel.unary_unary(
'/soniox.speech_service.SpeechService/DeleteTranscribeAsyncFile',
request_serializer=soniox_dot_speech__service__pb2.DeleteTranscribeAsyncFileRequest.SerializeToString,
response_deserializer=soniox_dot_speech__service__pb2.DeleteTranscribeAsyncFileResponse.FromString,
)
self.CreateSpeechContext = channel.unary_unary(
'/soniox.speech_service.SpeechService/CreateSpeechContext',
request_serializer=soniox_dot_speech__service__pb2.CreateSpeechContextRequest.SerializeToString,
response_deserializer=soniox_dot_speech__service__pb2.CreateSpeechContextResponse.FromString,
)
self.DeleteSpeechContext = channel.unary_unary(
'/soniox.speech_service.SpeechService/DeleteSpeechContext',
request_serializer=soniox_dot_speech__service__pb2.DeleteSpeechContextRequest.SerializeToString,
response_deserializer=soniox_dot_speech__service__pb2.DeleteSpeechContextResponse.FromString,
)
self.ListSpeechContextNames = channel.unary_unary(
'/soniox.speech_service.SpeechService/ListSpeechContextNames',
request_serializer=soniox_dot_speech__service__pb2.ListSpeechContextNamesRequest.SerializeToString,
response_deserializer=soniox_dot_speech__service__pb2.ListSpeechContextNamesResponse.FromString,
)
self.GetSpeechContext = channel.unary_unary(
'/soniox.speech_service.SpeechService/GetSpeechContext',
request_serializer=soniox_dot_speech__service__pb2.GetSpeechContextRequest.SerializeToString,
response_deserializer=soniox_dot_speech__service__pb2.GetSpeechContextResponse.FromString,
)
self.UpdateSpeechContext = channel.unary_unary(
'/soniox.speech_service.SpeechService/UpdateSpeechContext',
request_serializer=soniox_dot_speech__service__pb2.UpdateSpeechContextRequest.SerializeToString,
response_deserializer=soniox_dot_speech__service__pb2.UpdateSpeechContextResponse.FromString,
)
class SpeechServiceServicer(object):
"""Missing associated documentation comment in .proto file."""
def Transcribe(self, request, context):
"""Missing associated documentation comment in .proto file."""
context.set_code(grpc.StatusCode.UNIMPLEMENTED)
context.set_details('Method not implemented!')
raise NotImplementedError('Method not implemented!')
def TranscribeStream(self, request_iterator, context):
"""Missing associated documentation comment in .proto file."""
context.set_code(grpc.StatusCode.UNIMPLEMENTED)
context.set_details('Method not implemented!')
raise NotImplementedError('Method not implemented!')
def TranscribeAsync(self, request_iterator, context):
"""Missing associated documentation comment in .proto file."""
context.set_code(grpc.StatusCode.UNIMPLEMENTED)
context.set_details('Method not implemented!')
raise NotImplementedError('Method not implemented!')
def GetTranscribeAsyncStatus(self, request, context):
"""Missing associated documentation comment in .proto file."""
context.set_code(grpc.StatusCode.UNIMPLEMENTED)
context.set_details('Method not implemented!')
raise NotImplementedError('Method not implemented!')
def GetTranscribeAsyncResult(self, request, context):
"""Missing associated documentation comment in .proto file."""
context.set_code(grpc.StatusCode.UNIMPLEMENTED)
context.set_details('Method not implemented!')
raise NotImplementedError('Method not implemented!')
def DeleteTranscribeAsyncFile(self, request, context):
"""Missing associated documentation comment in .proto file."""
context.set_code(grpc.StatusCode.UNIMPLEMENTED)
context.set_details('Method not implemented!')
raise NotImplementedError('Method not implemented!')
def CreateSpeechContext(self, request, context):
"""Missing associated documentation comment in .proto file."""
context.set_code(grpc.StatusCode.UNIMPLEMENTED)
context.set_details('Method not implemented!')
raise NotImplementedError('Method not implemented!')
def DeleteSpeechContext(self, request, context):
"""Missing associated documentation comment in .proto file."""
context.set_code(grpc.StatusCode.UNIMPLEMENTED)
context.set_details('Method not implemented!')
raise NotImplementedError('Method not implemented!')
def ListSpeechContextNames(self, request, context):
"""Missing associated documentation comment in .proto file."""
context.set_code(grpc.StatusCode.UNIMPLEMENTED)
context.set_details('Method not implemented!')
raise NotImplementedError('Method not implemented!')
def GetSpeechContext(self, request, context):
"""Missing associated documentation comment in .proto file."""
context.set_code(grpc.StatusCode.UNIMPLEMENTED)
context.set_details('Method not implemented!')
raise NotImplementedError('Method not implemented!')
def UpdateSpeechContext(self, request, context):
"""Missing associated documentation comment in .proto file."""
context.set_code(grpc.StatusCode.UNIMPLEMENTED)
context.set_details('Method not implemented!')
raise NotImplementedError('Method not implemented!')
def add_SpeechServiceServicer_to_server(servicer, server):
rpc_method_handlers = {
'Transcribe': grpc.unary_unary_rpc_method_handler(
servicer.Transcribe,
request_deserializer=soniox_dot_speech__service__pb2.TranscribeRequest.FromString,
response_serializer=soniox_dot_speech__service__pb2.TranscribeResponse.SerializeToString,
),
'TranscribeStream': grpc.stream_stream_rpc_method_handler(
servicer.TranscribeStream,
request_deserializer=soniox_dot_speech__service__pb2.TranscribeStreamRequest.FromString,
response_serializer=soniox_dot_speech__service__pb2.TranscribeStreamResponse.SerializeToString,
),
'TranscribeAsync': grpc.stream_unary_rpc_method_handler(
servicer.TranscribeAsync,
request_deserializer=soniox_dot_speech__service__pb2.TranscribeAsyncRequest.FromString,
response_serializer=soniox_dot_speech__service__pb2.TranscribeAsyncResponse.SerializeToString,
),
'GetTranscribeAsyncStatus': grpc.unary_unary_rpc_method_handler(
servicer.GetTranscribeAsyncStatus,
request_deserializer=soniox_dot_speech__service__pb2.GetTranscribeAsyncStatusRequest.FromString,
response_serializer=soniox_dot_speech__service__pb2.GetTranscribeAsyncStatusResponse.SerializeToString,
),
'GetTranscribeAsyncResult': grpc.unary_stream_rpc_method_handler(
servicer.GetTranscribeAsyncResult,
request_deserializer=soniox_dot_speech__service__pb2.GetTranscribeAsyncResultRequest.FromString,
response_serializer=soniox_dot_speech__service__pb2.GetTranscribeAsyncResultResponse.SerializeToString,
),
'DeleteTranscribeAsyncFile': grpc.unary_unary_rpc_method_handler(
servicer.DeleteTranscribeAsyncFile,
request_deserializer=soniox_dot_speech__service__pb2.DeleteTranscribeAsyncFileRequest.FromString,
response_serializer=soniox_dot_speech__service__pb2.DeleteTranscribeAsyncFileResponse.SerializeToString,
),
'CreateSpeechContext': grpc.unary_unary_rpc_method_handler(
servicer.CreateSpeechContext,
request_deserializer=soniox_dot_speech__service__pb2.CreateSpeechContextRequest.FromString,
response_serializer=soniox_dot_speech__service__pb2.CreateSpeechContextResponse.SerializeToString,
),
'DeleteSpeechContext': grpc.unary_unary_rpc_method_handler(
servicer.DeleteSpeechContext,
request_deserializer=soniox_dot_speech__service__pb2.DeleteSpeechContextRequest.FromString,
response_serializer=soniox_dot_speech__service__pb2.DeleteSpeechContextResponse.SerializeToString,
),
'ListSpeechContextNames': grpc.unary_unary_rpc_method_handler(
servicer.ListSpeechContextNames,
request_deserializer=soniox_dot_speech__service__pb2.ListSpeechContextNamesRequest.FromString,
response_serializer=soniox_dot_speech__service__pb2.ListSpeechContextNamesResponse.SerializeToString,
),
'GetSpeechContext': grpc.unary_unary_rpc_method_handler(
servicer.GetSpeechContext,
request_deserializer=soniox_dot_speech__service__pb2.GetSpeechContextRequest.FromString,
response_serializer=soniox_dot_speech__service__pb2.GetSpeechContextResponse.SerializeToString,
),
'UpdateSpeechContext': grpc.unary_unary_rpc_method_handler(
servicer.UpdateSpeechContext,
request_deserializer=soniox_dot_speech__service__pb2.UpdateSpeechContextRequest.FromString,
response_serializer=soniox_dot_speech__service__pb2.UpdateSpeechContextResponse.SerializeToString,
),
}
generic_handler = grpc.method_handlers_generic_handler(
'soniox.speech_service.SpeechService', rpc_method_handlers)
server.add_generic_rpc_handlers((generic_handler,))
# This class is part of an EXPERIMENTAL API.
class SpeechService(object):
"""Missing associated documentation comment in .proto file."""
@staticmethod
def Transcribe(request,
target,
options=(),
channel_credentials=None,
call_credentials=None,
insecure=False,
compression=None,
wait_for_ready=None,
timeout=None,
metadata=None):
return grpc.experimental.unary_unary(request, target, '/soniox.speech_service.SpeechService/Transcribe',
soniox_dot_speech__service__pb2.TranscribeRequest.SerializeToString,
soniox_dot_speech__service__pb2.TranscribeResponse.FromString,
options, channel_credentials,
insecure, call_credentials, compression, wait_for_ready, timeout, metadata)
@staticmethod
def TranscribeStream(request_iterator,
target,
options=(),
channel_credentials=None,
call_credentials=None,
insecure=False,
compression=None,
wait_for_ready=None,
timeout=None,
metadata=None):
return grpc.experimental.stream_stream(request_iterator, target, '/soniox.speech_service.SpeechService/TranscribeStream',
soniox_dot_speech__service__pb2.TranscribeStreamRequest.SerializeToString,
soniox_dot_speech__service__pb2.TranscribeStreamResponse.FromString,
options, channel_credentials,
insecure, call_credentials, compression, wait_for_ready, timeout, metadata)
@staticmethod
def TranscribeAsync(request_iterator,
target,
options=(),
channel_credentials=None,
call_credentials=None,
insecure=False,
compression=None,
wait_for_ready=None,
timeout=None,
metadata=None):
return grpc.experimental.stream_unary(request_iterator, target, '/soniox.speech_service.SpeechService/TranscribeAsync',
soniox_dot_speech__service__pb2.TranscribeAsyncRequest.SerializeToString,
soniox_dot_speech__service__pb2.TranscribeAsyncResponse.FromString,
options, channel_credentials,
insecure, call_credentials, compression, wait_for_ready, timeout, metadata)
@staticmethod
def GetTranscribeAsyncStatus(request,
target,
options=(),
channel_credentials=None,
call_credentials=None,
insecure=False,
compression=None,
wait_for_ready=None,
timeout=None,
metadata=None):
return grpc.experimental.unary_unary(request, target, '/soniox.speech_service.SpeechService/GetTranscribeAsyncStatus',
soniox_dot_speech__service__pb2.GetTranscribeAsyncStatusRequest.SerializeToString,
soniox_dot_speech__service__pb2.GetTranscribeAsyncStatusResponse.FromString,
options, channel_credentials,
insecure, call_credentials, compression, wait_for_ready, timeout, metadata)
@staticmethod
def GetTranscribeAsyncResult(request,
target,
options=(),
channel_credentials=None,
call_credentials=None,
insecure=False,
compression=None,
wait_for_ready=None,
timeout=None,
metadata=None):
return grpc.experimental.unary_stream(request, target, '/soniox.speech_service.SpeechService/GetTranscribeAsyncResult',
soniox_dot_speech__service__pb2.GetTranscribeAsyncResultRequest.SerializeToString,
soniox_dot_speech__service__pb2.GetTranscribeAsyncResultResponse.FromString,
options, channel_credentials,
insecure, call_credentials, compression, wait_for_ready, timeout, metadata)
@staticmethod
def DeleteTranscribeAsyncFile(request,
target,
options=(),
channel_credentials=None,
call_credentials=None,
insecure=False,
compression=None,
wait_for_ready=None,
timeout=None,
metadata=None):
return grpc.experimental.unary_unary(request, target, '/soniox.speech_service.SpeechService/DeleteTranscribeAsyncFile',
soniox_dot_speech__service__pb2.DeleteTranscribeAsyncFileRequest.SerializeToString,
soniox_dot_speech__service__pb2.DeleteTranscribeAsyncFileResponse.FromString,
options, channel_credentials,
insecure, call_credentials, compression, wait_for_ready, timeout, metadata)
@staticmethod
def CreateSpeechContext(request,
target,
options=(),
channel_credentials=None,
call_credentials=None,
insecure=False,
compression=None,
wait_for_ready=None,
timeout=None,
metadata=None):
return grpc.experimental.unary_unary(request, target, '/soniox.speech_service.SpeechService/CreateSpeechContext',
soniox_dot_speech__service__pb2.CreateSpeechContextRequest.SerializeToString,
soniox_dot_speech__service__pb2.CreateSpeechContextResponse.FromString,
options, channel_credentials,
insecure, call_credentials, compression, wait_for_ready, timeout, metadata)
@staticmethod
def DeleteSpeechContext(request,
target,
options=(),
channel_credentials=None,
call_credentials=None,
insecure=False,
compression=None,
wait_for_ready=None,
timeout=None,
metadata=None):
return grpc.experimental.unary_unary(request, target, '/soniox.speech_service.SpeechService/DeleteSpeechContext',
soniox_dot_speech__service__pb2.DeleteSpeechContextRequest.SerializeToString,
soniox_dot_speech__service__pb2.DeleteSpeechContextResponse.FromString,
options, channel_credentials,
insecure, call_credentials, compression, wait_for_ready, timeout, metadata)
@staticmethod
def ListSpeechContextNames(request,
target,
options=(),
channel_credentials=None,
call_credentials=None,
insecure=False,
compression=None,
wait_for_ready=None,
timeout=None,
metadata=None):
return grpc.experimental.unary_unary(request, target, '/soniox.speech_service.SpeechService/ListSpeechContextNames',
soniox_dot_speech__service__pb2.ListSpeechContextNamesRequest.SerializeToString,
soniox_dot_speech__service__pb2.ListSpeechContextNamesResponse.FromString,
options, channel_credentials,
insecure, call_credentials, compression, wait_for_ready, timeout, metadata)
@staticmethod
def GetSpeechContext(request,
target,
options=(),
channel_credentials=None,
call_credentials=None,
insecure=False,
compression=None,
wait_for_ready=None,
timeout=None,
metadata=None):
return grpc.experimental.unary_unary(request, target, '/soniox.speech_service.SpeechService/GetSpeechContext',
soniox_dot_speech__service__pb2.GetSpeechContextRequest.SerializeToString,
soniox_dot_speech__service__pb2.GetSpeechContextResponse.FromString,
options, channel_credentials,
insecure, call_credentials, compression, wait_for_ready, timeout, metadata)
@staticmethod
def UpdateSpeechContext(request,
target,
options=(),
channel_credentials=None,
call_credentials=None,
insecure=False,
compression=None,
wait_for_ready=None,
timeout=None,
metadata=None):
return grpc.experimental.unary_unary(request, target, '/soniox.speech_service.SpeechService/UpdateSpeechContext',
soniox_dot_speech__service__pb2.UpdateSpeechContextRequest.SerializeToString,
soniox_dot_speech__service__pb2.UpdateSpeechContextResponse.FromString,
options, channel_credentials,
insecure, call_credentials, compression, wait_for_ready, timeout, metadata)
| 52.032746 | 129 | 0.700344 |
37ce18bcb95c06316178d52077446df676bb3c0c | 7,511 | py | Python | pyneal_scanner/getSeries.py | jeffmacinnes/pyneal | 750f0ec5a231ccfa77aea960242de9b5019ba493 | [
"MIT"
] | 24 | 2017-03-15T16:53:10.000Z | 2022-02-08T18:43:01.000Z | pyneal_scanner/getSeries.py | jeffmacinnes/pyneal | 750f0ec5a231ccfa77aea960242de9b5019ba493 | [
"MIT"
] | 4 | 2017-03-16T01:36:46.000Z | 2020-02-05T07:37:24.000Z | pyneal_scanner/getSeries.py | jeffmacinnes/pyneal | 750f0ec5a231ccfa77aea960242de9b5019ba493 | [
"MIT"
] | 8 | 2017-03-21T14:38:26.000Z | 2021-11-15T14:01:30.000Z | """ Create a Nifti file from specified series data
Take the data in the specified series directory and convert it to a 4D
nifti image in RAS+ orientation, and then save the new data to disk.
If the series is an anatomical scan, the output Nifti will be 3D. If the series
is a functional scan, the output Nifti will be 4D. In all cases, the affine
transformation in the Nifti header will simply convert from voxel space
to mm space using the image voxel sizes (and not moving the origin at all)
"""
import os
import sys
from os.path import join
from utils.general_utils import initializeSession
# Get the full path to where the pyneal_scanner directory is. This assumes
# getSeries.py lives in the pyneal_scanner directory.
pynealScannerDir = os.path.dirname(os.path.abspath(__file__))
def getSeries_GE(scannerDirs):
""" Build nifti image from series data, GE format
Assumes series data are represented as dicom files, one per slice. The path
to the output Nifti file will be printed to stdOut upon completion (in
general, expect to find it in the pyneal_scanner/data directory)
Parameters
----------
scannerDirs : object
instance of `GE_utils.GE_DirStructure`. Has attributes for the relevant
paths for the current session. `scannerDirs` is one of the variables
returned by running `general_utils.initializeSession()`
"""
from utils.GE_utils import GE_BuildNifti
# prompt user to specifiy a series. Make sure that it is a valid
# series before continuing
seriesDirs = scannerDirs.get_seriesDirs()
while True:
selectedSeries = input('Which Series?: ')
if selectedSeries in seriesDirs:
break
else:
print('{} is not a valid series choice!'.format(selectedSeries))
# prompt user to specify an output name, and format to remove any spaces
outputPrefix = input('Output Prefix: ')
outputPrefix = outputPrefix.replace(' ', '')
# progress updates
print('='*5)
print('Building Nifti...')
print('\tinput series: {}'.format(selectedSeries))
print('\toutput prefix: {}'.format(outputPrefix))
# get the full path to the series dir
seriesDir = join(scannerDirs.sessionDir, selectedSeries)
# create an instance of the GE_NiftiBuilder
niftiBuilder = GE_BuildNifti(seriesDir)
output_fName = '{}_{}.nii.gz'.format(outputPrefix, selectedSeries)
print('Successfully built Nifti image: {}\n'.format(output_fName))
# save Nifti image
output_path = join(pynealScannerDir, 'data', output_fName)
saveNifti(niftiBuilder, output_path)
def getSeries_Philips(scannerDirs):
""" Build nifti image from series data, Philips format
Assumes series data are represented as par/rec file pairs, one per volume.
The path to the output Nifti file will be printed to stdOut upon completion
(in general, expect to find it in the pyneal_scanner/data directory)
Parameters
----------
scannerDirs : object
instance of `Philips_utils.Philips_DirStructure`. Has attributes for
the relvant paths for the current session. `scannerDirs` is one of the
variables returned by running `general_utils.initializeSession()`
"""
from utils.Philips_utils import Philips_BuildNifti
# prompt user to specifiy a series. Make sure that it is a valid
# series before continuing
seriesDirs = scannerDirs.get_seriesDirs()
while True:
selectedSeries = input('Which Series?: ')
if selectedSeries in seriesDirs:
break
else:
print('{} is not a valid series choice!'.format(selectedSeries))
# prompt user to specify an output name, and format to remove any spaces
outputPrefix = input('Output Prefix: ')
outputPrefix = outputPrefix.replace(' ', '')
# progress updates
print('='*5)
print('Building Nifti...')
print('\tinput series: {}'.format(selectedSeries))
print('\toutput name: {}'.format(outputPrefix))
# get the full path to the series dir
seriesDir = join(scannerDirs.sessionDir, selectedSeries)
# create an instance of the Siemens_NiftiBuilder
niftiBuilder = Philips_BuildNifti(seriesDir)
output_fName = '{}_{}.nii.gz'.format(outputPrefix, selectedSeries)
print('Successfully built Nifti image: {}\n'.format(output_fName))
# save Nifti image
output_path = join(pynealScannerDir, 'data', output_fName)
saveNifti(niftiBuilder, output_path)
def getSeries_Siemens(scannerDirs):
""" Build nifti image from series data, Siemens format
Assumes series data are represented as dicom mosaic files, one per volume.
The path to the output Nifti file will be printed to stdOut upon completion
(in general, expect to find it in the pyneal_scanner/data directory)
Parameters
----------
scannerDirs : object
instance of `Siemens_utils.Siemens_DirStructure`. Has attributes for
the relvant paths for the current session. `scannerDirs` is one of the
variables returned by running `general_utils.initializeSession()`
"""
from utils.Siemens_utils import Siemens_BuildNifti
# prompt user to specifiy a series. Make sure that it is a valid
# series before continuing
currentSeries = scannerDirs.getUniqueSeries()
while True:
selectedSeries = input('Which Series?: ')
if selectedSeries.zfill(6) in currentSeries:
break
else:
print('{} is not a valid series choice!'.format(selectedSeries))
# prompt user to specify an output name, and format to remove any spaces
outputPrefix = input('Output Prefix: ')
outputPrefix = outputPrefix.replace(' ', '')
# progress updates
print('='*5)
print('Building Nifti...')
print('\tinput series: {}'.format(selectedSeries))
print('\toutput name: {}'.format(outputPrefix))
# create an instance of the Siemens_NiftiBuilder
niftiBuilder = Siemens_BuildNifti(scannerDirs.sessionDir, selectedSeries)
output_fName = '{}_{}.nii.gz'.format(outputPrefix, selectedSeries)
print('Successfully built Nifti image: {}\n'.format(output_fName))
# save the nifti image
output_path = join(pynealScannerDir, 'data', output_fName)
saveNifti(niftiBuilder, output_path)
def saveNifti(niftiBuilder, outputPath):
""" Save the nifti file to disk. Path to output file printed to stdOut
Parameters
----------
niftiBuilder : object
instance of the niftiBuilder class for this scanning environment
outputPath : string
full path to where you want to save nifti file
"""
# make sure the output dir exists
outputDir, fName = os.path.split(outputPath)
if not os.path.exists(outputDir):
os.makedirs(outputDir)
niftiBuilder.write_nifti(outputPath)
print('saved at: {}'.format(outputPath))
if __name__ == '__main__':
# initialize the session classes:
scannerSettings, scannerDirs = initializeSession()
# print all of the current series dirs to the terminal
scannerDirs.print_currentSeries()
# load the appropriate tools for this scanning environment
scannerMake = scannerSettings.allSettings['scannerMake']
if scannerMake == 'GE':
getSeries_GE(scannerDirs)
elif scannerMake == 'Philips':
getSeries_Philips(scannerDirs)
elif scannerMake == 'Siemens':
getSeries_Siemens(scannerDirs)
else:
print('Unrecognized scanner make: {}'.format(scannerMake))
| 36.285024 | 79 | 0.703901 |
444089a72332e12a86790988791f0e7493e7be39 | 139 | py | Python | py/compat/conftest.py | woodrow/pyoac | b5dc59e6a38e7912db47f26fb23ffa4764a3c0e7 | [
"MIT"
] | 1 | 2019-05-27T00:58:46.000Z | 2019-05-27T00:58:46.000Z | py/compat/conftest.py | woodrow/pyoac | b5dc59e6a38e7912db47f26fb23ffa4764a3c0e7 | [
"MIT"
] | null | null | null | py/compat/conftest.py | woodrow/pyoac | b5dc59e6a38e7912db47f26fb23ffa4764a3c0e7 | [
"MIT"
] | null | null | null | import py
class Directory(py.test.collect.Directory):
def collect(self):
py.test.skip("compat tests need to be run manually")
| 23.166667 | 60 | 0.705036 |
8cc2fc222cc9aba4caf79580dcfe1e161e51cff0 | 777 | py | Python | setup.py | nestauk/AFS_analysis_childcare_providers | be2def68aca3c334a0c42c2bb1390e0dcbf2324e | [
"MIT"
] | null | null | null | setup.py | nestauk/AFS_analysis_childcare_providers | be2def68aca3c334a0c42c2bb1390e0dcbf2324e | [
"MIT"
] | 3 | 2021-07-01T14:47:33.000Z | 2021-07-12T09:15:11.000Z | setup.py | nestauk/AFS_analysis_childcare_providers | be2def68aca3c334a0c42c2bb1390e0dcbf2324e | [
"MIT"
] | null | null | null | """afs_analysis_childcare_providers."""
from pathlib import Path
from setuptools import find_packages
from setuptools import setup
def read_lines(path):
"""Read lines of `path`."""
with open(path) as f:
return f.read().splitlines()
BASE_DIR = Path(__file__).parent
setup(
name="afs_analysis_childcare_providers",
long_description=open(BASE_DIR / "README.md").read(),
install_requires=read_lines(BASE_DIR / "requirements.txt"),
extras_require={"dev": read_lines(BASE_DIR / "requirements_dev.txt")},
packages=find_packages(exclude=["docs"]),
version="0.1.0",
description="Data analysis work around childcare providers takeup and the effect of covid on school readiness for early years.",
author="Nesta",
license="MIT",
)
| 28.777778 | 132 | 0.718147 |
f872b81c6f1087d2f5aa97b2b6429848ebf4c7c3 | 15,670 | py | Python | topopy/MorseComplex.py | vishalbelsare/topopy | 73ccc9510bd34be2ead875bc3bc1081ccad26b1f | [
"BSD-3-Clause"
] | 12 | 2018-04-18T00:04:00.000Z | 2021-02-11T13:47:25.000Z | topopy/MorseComplex.py | vishalbelsare/topopy | 73ccc9510bd34be2ead875bc3bc1081ccad26b1f | [
"BSD-3-Clause"
] | 40 | 2018-01-19T21:40:14.000Z | 2021-09-11T12:19:48.000Z | topopy/MorseComplex.py | vishalbelsare/topopy | 73ccc9510bd34be2ead875bc3bc1081ccad26b1f | [
"BSD-3-Clause"
] | 3 | 2019-07-09T04:57:07.000Z | 2021-09-07T10:51:08.000Z | import sys
import time
import collections
import json
import numpy as np
from .topology import MorseComplexFloat, vectorFloat, mapIntSetInt
from .TopologicalObject import TopologicalObject
class MorseComplex(TopologicalObject):
""" A wrapper class for the C++ approximate Morse complex Object
Parameters
----------
graph : nglpy.Graph
A graph object used for determining neighborhoods in gradient estimation
gradient : str
An optional string specifying the type of gradient estimator to use.
Currently the only available option is 'steepest'.
normalization : str
An optional string specifying whether the inputs/output should be
scaled before computing. Currently, two modes are supported 'zscore'
and 'feature'. 'zscore' will ensure the data has a mean of zero and a
standard deviation of 1 by subtracting the mean and dividing by the
variance. 'feature' scales the data into the unit hypercube.
simplification : str
An optional string specifying how we will compute the simplification
hierarchy. Currently, three modes are supported 'difference',
'probability' and 'count'. 'difference' will take the function value
difference of the extrema and its closest function valued neighboring
saddle (standard persistence simplification), 'probability' will augment
this value by multiplying the probability of the extremum and its
saddle, and count will order the simplification by the size (number of
points) in each manifold such that smaller features will be absorbed
into neighboring larger features first.
aggregator : str
An optional string that specifies what type of aggregation to do when
duplicates are found in the domain space. Default value is None meaning
the code will error if duplicates are identified.
debug : bool
An optional boolean flag for whether debugging output should be enabled.
"""
def __init__(
self,
graph=None,
gradient="steepest",
normalization=None,
simplification="difference",
aggregator=None,
debug=False,
):
super(MorseComplex, self).__init__(
graph=graph,
gradient=gradient,
normalization=normalization,
aggregator=aggregator,
debug=debug,
)
self.simplification = simplification
def reset(self):
""" Empties all internal storage containers
Returns
-------
None
"""
super(MorseComplex, self).reset()
self.base_partitions = {}
self.merge_sequence = {}
self.persistences = []
self.max_indices = []
# State properties
self.persistence = 0.
def build(self, X, Y, w=None):
""" Assigns data to this object and builds the Morse Complex
Uses an internal graph given in the constructor to build a Morse complex
on the passed in data. Weights are currently ignored.
Parameters
----------
X : np.ndarray
An m-by-n array of values specifying m n-dimensional samples
Y : np.array
An m vector of values specifying the output responses corresponding
to the m samples specified by X
w : np.array
An optional m vector of values specifying the weights associated to
each of the m samples used. Default of None means all points will be
equally weighted
Returns
-------
None
"""
super(MorseComplex, self).build(X, Y, w)
if self.debug:
sys.stdout.write("Decomposition: ")
start = time.perf_counter()
edges = mapIntSetInt()
for key, items in self.graph.full_graph().items():
items = tuple(items)
edges[key] = items
morse_complex = MorseComplexFloat(
vectorFloat(self.Xnorm.flatten()),
vectorFloat(self.Y),
str(self.gradient),
str(self.simplification),
vectorFloat(self.w),
edges,
self.debug,
)
self.__amc = morse_complex
self.persistences = []
self.merge_sequence = {}
morse_complex_json = json.loads(morse_complex.to_json())
hierarchy = morse_complex_json["Hierarchy"]
for merge in hierarchy:
self.persistences.append(merge["Persistence"])
self.merge_sequence[merge["Dying"]] = (
merge["Persistence"],
merge["Surviving"],
merge["Saddle"],
)
self.persistences = sorted(list(set(self.persistences)))
partitions = morse_complex_json["Partitions"]
self.base_partitions = {}
for i, label in enumerate(partitions):
if label not in self.base_partitions:
self.base_partitions[label] = []
self.base_partitions[label].append(i)
self.max_indices = list(self.base_partitions.keys())
if self.debug:
end = time.perf_counter()
sys.stdout.write("%f s\n" % (end - start))
def _build_for_morse_smale_complex(self, morse_smale_complex, negate=False):
Y = morse_smale_complex.Y
X = morse_smale_complex.Xnorm
N = len(Y) - 1
complex_type = "Stable"
edges = mapIntSetInt()
for key, items in morse_smale_complex.graph.full_graph().items():
items = tuple(items)
edges[key] = items
if negate:
Y = -Y[::-1]
X = X[::-1]
complex_type = "Unstable"
reversed_edges = {}
for key, neighbors in edges.items():
reversed_edges[N - key] = tuple([N - i for i in neighbors])
edges = reversed_edges
if self.debug:
sys.stdout.write(complex_type + " Decomposition: ")
start = time.perf_counter()
morse_complex = MorseComplexFloat(
vectorFloat(X.flatten()),
vectorFloat(Y),
str(morse_smale_complex.gradient),
str(morse_smale_complex.simplification),
vectorFloat(morse_smale_complex.w),
mapIntSetInt(edges),
morse_smale_complex.debug,
)
self.persistences = []
self.merge_sequence = {}
morse_complex_json = json.loads(morse_complex.to_json())
hierarchy = morse_complex_json["Hierarchy"]
for merge in hierarchy:
self.persistences.append(merge["Persistence"])
if negate:
self.merge_sequence[N - merge["Dying"]] = (
merge["Persistence"],
N - merge["Surviving"],
N - merge["Saddle"],
)
else:
self.merge_sequence[merge["Dying"]] = (
merge["Persistence"],
merge["Surviving"],
merge["Saddle"],
)
self.persistences = sorted(list(set(self.persistences)))
partitions = morse_complex_json["Partitions"]
self.base_partitions = {}
for i, label in enumerate(partitions):
if negate:
real_label = N - label
real_index = N - i
else:
real_label = label
real_index = i
if real_label not in self.base_partitions:
self.base_partitions[real_label] = []
self.base_partitions[real_label].append(real_index)
self.max_indices = list(self.base_partitions.keys())
if self.debug:
end = time.perf_counter()
sys.stdout.write("%f s\n" % (end - start))
def save(self, filename=None):
""" Saves a constructed Morse Complex in json file
Parameters
----------
filename : str
A filename for storing the hierarchical merging of features and the
base level partitions of the data
Returns
-------
None
"""
if filename is None:
filename = "morse_complex.json"
with open(filename, "w") as fp:
fp.write(self.to_json())
# Depending on the persistence simplification strategy, this could
# alter the hierarchy, so let's remove this feature until further
# notice, also the weighting feature is still pretty experimental:
# def set_weights(self, w=None):
# """ Sets the weights associated to the m input samples
# @ In, w, optional m vector specifying the new weights to
# use for the data points. Default is None and resets the
# weights to be uniform.
# """
# if w is not None:
# self.w = np.array(w)
# elif len(self.Y) > 0:
# self.w = np.ones(len(self.Y))*1.0/float(len(self.Y))
def get_merge_sequence(self):
""" Returns a data structure holding the ordered merge sequence
of extrema simplification
Returns
-------
dict of int: tuple(float, int, int)
A dictionary of tuples where the key is the dying extrema and the
tuple is the the persistence, parent index, and the saddle index
associated to the dying index, in that order.
"""
return self.merge_sequence
def get_partitions(self, persistence=None):
""" Returns the partitioned data based on a specified persistence level
Parameters
----------
persistence : float
A floating point value specifying the size of the smallest feature
we want to track.
Default = None means consider all features.
Returns
-------
dict of int: list of int
A dictionary lists where each key is a integer specifying the index
of the extremum. Each entry will hold a list of indices specifying
points that are associated to this extremum.
"""
if persistence is None:
persistence = self.persistence
partitions = {}
# TODO: Possibly cache at the critical persistence values,
# previously caching was done at every query level, but that
# does not make sense as the partitions will only change once
# the next value in self.persistences is attained. Honestly,
# this is probably not a necessary optimization that needs to
# be made. Consider instead, Yarden's way of storing the points
# such that merged arrays will be adjacent.
for key, items in self.base_partitions.items():
new_key = key
while (
self.merge_sequence[new_key][0] < persistence
and self.merge_sequence[new_key][1] != new_key
):
new_key = self.merge_sequence[new_key][1]
if new_key not in partitions:
partitions[new_key] = []
partitions[new_key].extend(items)
for key in partitions:
partitions[key] = sorted(list(set(partitions[key])))
return partitions
def get_persistence(self):
""" Retrieves the persistence simplfication level being used for this
complex
Returns
-------
float
Floating point value specifying the current persistence setting
"""
return self.persistence
def set_persistence(self, p):
""" Sets the persistence simplfication level to be used for representing
this complex
Parameters
----------
p : float
A floating point value specifying the internally held size of the
smallest feature we want to track.
Returns
-------
None
"""
self.persistence = p
def get_label(self, indices=None):
""" Returns the label indices requested by the user
Parameters
----------
indices : list of int
A list of non-negative integers specifying the row indices to return
Returns
-------
list of int
A list of integers specifying the extremum index of the specified
rows.
"""
if indices is None:
indices = list(range(0, self.get_sample_size()))
elif isinstance(indices, collections.Iterable):
indices = sorted(list(set(indices)))
else:
indices = [indices]
if len(indices) == 0:
return []
partitions = self.get_partitions(self.persistence)
labels = self.X.shape[0] * [None]
for label, partition_indices in partitions.items():
for idx in np.intersect1d(partition_indices, indices):
labels[idx] = label
labels = np.array(labels)
if len(indices) == 1:
return labels[indices][0]
return labels[indices]
def get_current_labels(self):
""" Returns a list of tuples that specifies the extremum index labels
associated to each input sample
Returns
-------
list of tuple(int, int)
a list of non-negative integers specifying the extremum-flow indices
associated to each input sample at the current level of persistence
"""
partitions = self.get_partitions(self.persistence)
return partitions.keys()
def get_sample_size(self, key=None):
""" Returns the number of samples in the input data
Parameters
----------
key : int
An optional integer specifying a max id used for determining which
partition size should be returned. If not specified then the size of
the entire data set will be returned.
Returns
-------
int
An integer specifying the number of samples.
"""
if key is None:
return len(self.Y)
else:
return len(self.get_partitions(self.persistence)[key])
def get_classification(self, idx):
""" Given an index, this function will report whether that sample is a
local maximum or a regular point.
Parameters
----------
idx : int
A non-negative integer less than the sample size of the input data.
Returns
-------
str
A string specifying the classification type of the input sample:
will be 'maximum' or 'regular.'
"""
if idx in self.max_indices:
return "maximum"
return "regular"
def to_json(self):
""" Writes the complete Morse complex merge hierarchy to a string
Returns
-------
str
A string storing the entire merge hierarchy of all maxima
"""
capsule = {}
capsule["Hierarchy"] = []
for (
dying,
(persistence, surviving, saddle),
) in self.merge_sequence.items():
capsule["Hierarchy"].append(
{
"Persistence": persistence,
"Dying": dying,
"Surviving": surviving,
"Saddle": saddle,
}
)
capsule["Partitions"] = []
base = np.array([None] * len(self.Y))
for label, items in self.base_partitions.items():
base[items] = label
capsule["Partitions"] = base.tolist()
return json.dumps(capsule, separators=(",", ":"))
| 33.269639 | 80 | 0.580089 |
63274abe198fbdf0e2a370a5fc2e472b3f3abba2 | 2,989 | py | Python | ijal_interlinear/tests/test_Line.py | davidjamesbeck/IJAL-interlinear | cb5dbb1d6aea98cce76668aa868a9189f31baf3f | [
"BSD-2-Clause"
] | null | null | null | ijal_interlinear/tests/test_Line.py | davidjamesbeck/IJAL-interlinear | cb5dbb1d6aea98cce76668aa868a9189f31baf3f | [
"BSD-2-Clause"
] | null | null | null | ijal_interlinear/tests/test_Line.py | davidjamesbeck/IJAL-interlinear | cb5dbb1d6aea98cce76668aa868a9189f31baf3f | [
"BSD-2-Clause"
] | null | null | null | import re
import sys
sys.path.append("..")
from line import *
import importlib
import os
import pdb
#----------------------------------------------------------------------------------------------------
pd.set_option('display.width', 1000)
#----------------------------------------------------------------------------------------------------
def runTests():
test_buildTable()
showVariedTables()
test_extractAudio()
def test_buildTable():
print("--- test_buildTable")
filename = "../testData/lokono/LOKONO_IJAL_2.eaf"
doc = etree.parse(filename)
x3 = Line(doc, 3)
tbl = x3.getTable()
assert(tbl.shape == (14,13))
assert(tbl['ANNOTATION_ID'].tolist() == ['a26', 'a969', 'a12134', 'a12135', 'a12136', 'a12137', 'a20533',
'a22390', 'a20534', 'a22391', 'a20535', 'a22392', 'a20536', 'a22393'])
assert(tbl['TIER_ID'].tolist() == ['Orthographic represntation', 'English translation', 'Word division-cp',
'Word division-cp', 'Word division-cp', 'Word division-cp', 'morpheme',
'gloss', 'morpheme', 'gloss', 'morpheme', 'gloss', 'morpheme', 'gloss'])
# first element is empty, confusingly parsed out of xml as math.nan. don't test for it - too peculiar
assert(tbl['ANNOTATION_REF'].tolist()[1:] == ['a26', 'a26', 'a26', 'a26', 'a26', 'a12134', 'a12134',
'a12135', 'a12135', 'a12136', 'a12136', 'a12137', 'a12137'])
def test_stamdardizeTable():
xmlFilename = "../testData/lokono/LOKONO_IJAL_2.eaf"
tierGuideFile = "../testData/lokono/tierGuide.yaml"
doc = etree.parse(filename)
x3 = Line(doc, 3)
tbl = x3.getTable()
with open(tierGuideFile, 'r') as f:
tierGuide = yaml.load(f)
tbl2 = standardizeTable(tbl, tierGuide)
def showVariedTables():
filename = "../testData/lokono/LOKONO_IJAL_2.eaf"
doc = etree.parse(filename)
x3 = Line(doc, 3)
print(x3.getTable())
filename = "../testData/monkeyAndThunder/AYA1_MonkeyandThunder.eaf"
doc = etree.parse(filename)
x0 = Line(doc, 0)
print(x0.getTable())
x6 = Line(doc, 6)
print(x6.getTable())
filename = "../testData/harryMosesDaylight/daylight_1_4.eaf"
doc = etree.parse(filename)
x1 = Line(doc, 1)
print(x1.getTable())
def test_extractAudio():
print("--- test_extractAudio")
filename = "../testData/monkeyAndThunder/AYA1_MonkeyandThunder.eaf"
assert(os.path.exists(filename))
xmlDoc = etree.parse(filename)
mediaDescriptors = xmlDoc.findall("HEADER/MEDIA_DESCRIPTOR")
assert(len(mediaDescriptors) == 1)
soundFileElement = mediaDescriptors[0]
soundFileURI = soundFileElement.attrib["RELATIVE_MEDIA_URL"]
directory = os.path.dirname(os.path.abspath(filename))
fullPath = os.path.join(directory, soundFileURI)
assert(os.path.exists(fullPath))
if __name__ == '__main__':
runTests()
| 35.583333 | 115 | 0.583473 |
4675daefd56742486878081501d692df36033f2d | 35,311 | py | Python | plaso/cli/storage_media_tool.py | pyllyukko/plaso | 7533db2d1035ca71d264d6281ebd5db2d073c587 | [
"Apache-2.0"
] | null | null | null | plaso/cli/storage_media_tool.py | pyllyukko/plaso | 7533db2d1035ca71d264d6281ebd5db2d073c587 | [
"Apache-2.0"
] | null | null | null | plaso/cli/storage_media_tool.py | pyllyukko/plaso | 7533db2d1035ca71d264d6281ebd5db2d073c587 | [
"Apache-2.0"
] | null | null | null | # -*- coding: utf-8 -*-
"""The storage media CLI tool."""
import codecs
import getpass
import os
from dfvfs.analyzer import analyzer as dfvfs_analyzer
from dfvfs.analyzer import fvde_analyzer_helper
from dfvfs.credentials import manager as credentials_manager
from dfvfs.helpers import command_line as dfvfs_command_line
from dfvfs.helpers import source_scanner
from dfvfs.lib import definitions as dfvfs_definitions
from dfvfs.lib import errors as dfvfs_errors
from dfvfs.path import factory as path_spec_factory
from dfvfs.volume import apfs_volume_system
from dfvfs.volume import gpt_volume_system
from dfvfs.volume import lvm_volume_system
from dfvfs.volume import tsk_volume_system
from dfvfs.volume import vshadow_volume_system
from plaso.cli import tools
from plaso.engine import configurations
from plaso.lib import errors
try:
# Disable experimental FVDE support.
dfvfs_analyzer.Analyzer.DeregisterHelper(
fvde_analyzer_helper.FVDEAnalyzerHelper())
except KeyError:
pass
class StorageMediaToolMediator(dfvfs_command_line.CLIVolumeScannerMediator):
"""Mediator between the storage media tool and user input."""
def _PrintAPFSVolumeIdentifiersOverview(
self, volume_system, volume_identifiers):
"""Prints an overview of APFS volume identifiers.
Args:
volume_system (dfvfs.APFSVolumeSystem): volume system.
volume_identifiers (list[str]): allowed volume identifiers.
Raises:
SourceScannerError: if a volume cannot be resolved from the volume
identifier.
"""
super(StorageMediaToolMediator, self)._PrintAPFSVolumeIdentifiersOverview(
volume_system, volume_identifiers)
self._output_writer.Write('\n')
def _PrintLVMVolumeIdentifiersOverview(
self, volume_system, volume_identifiers):
"""Prints an overview of LVM volume identifiers.
Args:
volume_system (dfvfs.LVMVolumeSystem): volume system.
volume_identifiers (list[str]): allowed volume identifiers.
Raises:
SourceScannerError: if a volume cannot be resolved from the volume
identifier.
"""
super(StorageMediaToolMediator, self)._PrintLVMVolumeIdentifiersOverview(
volume_system, volume_identifiers)
self._output_writer.Write('\n')
def _PrintTSKPartitionIdentifiersOverview(
self, volume_system, volume_identifiers):
"""Prints an overview of TSK partition identifiers.
Args:
volume_system (dfvfs.TSKVolumeSystem): volume system.
volume_identifiers (list[str]): allowed volume identifiers.
Raises:
SourceScannerError: if a volume cannot be resolved from the volume
identifier.
"""
super(StorageMediaToolMediator, self)._PrintPartitionIdentifiersOverview(
volume_system, volume_identifiers)
self._output_writer.Write('\n')
def _PrintVSSStoreIdentifiersOverview(
self, volume_system, volume_identifiers):
"""Prints an overview of VSS store identifiers.
Args:
volume_system (dfvfs.VShadowVolumeSystem): volume system.
volume_identifiers (list[str]): allowed volume identifiers.
Raises:
SourceScannerError: if a volume cannot be resolved from the volume
identifier.
"""
super(StorageMediaToolMediator, self)._PrintVSSStoreIdentifiersOverview(
volume_system, volume_identifiers)
self._output_writer.Write('\n')
# pylint: disable=arguments-differ
# TODO: replace this method by the one defined by CLIVolumeScannerMediator
def ParseVolumeIdentifiersString(
self, volume_identifiers_string, prefix='v'):
"""Parses a user specified volume identifiers string.
Args:
volume_identifiers_string (str): user specified volume identifiers. A
range of volumes can be defined as: "3..5". Multiple volumes can be
defined as: "1,3,5" (a list of comma separated values). Ranges and
lists can also be combined as: "1,3..5". The first volume is 1. All
volumes can be defined as: "all".
prefix (Optional[str]): volume identifier prefix.
Returns:
list[str]: volume identifiers with prefix or the string "all".
Raises:
ValueError: if the volume identifiers string is invalid.
"""
return self._ParseVolumeIdentifiersString(
volume_identifiers_string, prefix=prefix)
def PromptUserForEncryptedVolumeCredential(
self, source_scanner_object, scan_context, locked_scan_node, credentials):
"""Prompts the user to provide a credential for an encrypted volume.
Args:
source_scanner_object (SourceScanner): source scanner.
scan_context (dfvfs.SourceScannerContext): source scanner context.
locked_scan_node (dfvfs.SourceScanNode): locked scan node.
credentials (dfvfs.Credentials): credentials supported by the locked
scan node.
Returns:
tuple: contains:
bool: True if the volume was unlocked.
credential_identifier (str): credential identifier used to unlock
the scan node.
credential_data (bytes): credential data used to unlock the scan node.
"""
# TODO: print volume description.
if locked_scan_node.type_indicator == (
dfvfs_definitions.TYPE_INDICATOR_APFS_CONTAINER):
header = 'Found an APFS encrypted volume.'
elif locked_scan_node.type_indicator == (
dfvfs_definitions.TYPE_INDICATOR_BDE):
header = 'Found a BitLocker encrypted volume.'
elif locked_scan_node.type_indicator == (
dfvfs_definitions.TYPE_INDICATOR_FVDE):
header = 'Found a CoreStorage (FVDE) encrypted volume.'
else:
header = 'Found an encrypted volume.'
self._output_writer.Write(header)
credentials_list = sorted(credentials.CREDENTIALS)
credentials_list.append('skip')
self._output_writer.Write('Supported credentials:\n\n')
for index, name in enumerate(credentials_list):
available_credential = ' {0:d}. {1:s}\n'.format(index + 1, name)
self._output_writer.Write(available_credential)
self._output_writer.Write('\nNote that you can abort with Ctrl^C.\n\n')
is_unlocked = False
credential_type = None
credential_data = None
while not is_unlocked:
self._output_writer.Write('Select a credential to unlock the volume: ')
input_line = self._input_reader.Read()
input_line = input_line.strip()
if input_line in credentials_list:
credential_type = input_line
else:
try:
credential_type = int(input_line, 10)
credential_type = credentials_list[credential_type - 1]
except (IndexError, ValueError):
self._output_writer.Write(
'Unsupported credential: {0:s}\n'.format(input_line))
continue
if credential_type == 'skip':
break
credential_data = getpass.getpass('Enter credential data: ')
self._output_writer.Write('\n')
if credential_type == 'key':
try:
credential_data = codecs.decode(credential_data, 'hex')
except TypeError:
self._output_writer.Write('Unsupported credential data.\n')
continue
is_unlocked = source_scanner_object.Unlock(
scan_context, locked_scan_node.path_spec, credential_type,
credential_data)
if is_unlocked:
self._output_writer.Write('Volume unlocked.\n\n')
break
self._output_writer.Write('Unable to unlock volume.\n\n')
return is_unlocked, credential_type, credential_data
def PromptUserForVSSCurrentVolume(self):
"""Prompts the user if the current volume with VSS should be processed.
Returns:
bool: True if the current volume with VSS should be processed.
"""
while True:
self._output_writer.Write(
'Volume Shadow Snapshots (VSS) were selected also process current\n'
'volume? [yes, no]\n')
process_current_volume = self._input_reader.Read()
process_current_volume = process_current_volume.strip()
process_current_volume = process_current_volume.lower()
if (not process_current_volume or
process_current_volume in ('no', 'yes')):
break
self._output_writer.Write(
'\n'
'Unsupported option, please try again or abort with Ctrl^C.\n'
'\n')
self._output_writer.Write('\n')
return not process_current_volume or process_current_volume == 'yes'
class StorageMediaTool(tools.CLITool):
"""CLI tool that supports a storage media device or image as input."""
# TODO: remove this redirect.
_SOURCE_OPTION = 'source'
_BINARY_DATA_CREDENTIAL_TYPES = ['key_data']
_SUPPORTED_CREDENTIAL_TYPES = [
'key_data', 'password', 'recovery_password', 'startup_key']
def __init__(self, input_reader=None, output_writer=None):
"""Initializes a CLI tool that supports storage media as input.
Args:
input_reader (Optional[InputReader]): input reader, where None indicates
that the stdin input reader should be used.
output_writer (Optional[OutputWriter]): output writer, where None
indicates that the stdout output writer should be used.
"""
super(StorageMediaTool, self).__init__(
input_reader=input_reader, output_writer=output_writer)
self._custom_artifacts_path = None
self._artifact_definitions_path = None
self._artifact_filters = None
self._credentials = []
self._credential_configurations = []
self._filter_file = None
self._mediator = StorageMediaToolMediator(
input_reader=input_reader, output_writer=output_writer)
self._partitions = None
self._process_vss = False
self._source_scanner = source_scanner.SourceScanner()
self._source_path = None
self._source_path_specs = []
self._volumes = None
self._vss_only = False
self._vss_stores = None
def _AddCredentialConfiguration(
self, path_spec, credential_type, credential_data):
"""Adds a credential configuration.
Args:
path_spec (dfvfs.PathSpec): path specification.
credential_type (str): credential type.
credential_data (bytes): credential data.
"""
credential_configuration = configurations.CredentialConfiguration(
credential_data=credential_data, credential_type=credential_type,
path_spec=path_spec)
self._credential_configurations.append(credential_configuration)
def _GetAPFSVolumeIdentifiers(self, scan_node):
"""Determines the APFS volume identifiers.
Args:
scan_node (dfvfs.SourceScanNode): scan node.
Returns:
list[str]: APFS volume identifiers.
Raises:
SourceScannerError: if the scan node is invalid or more than 1 volume
was found but no volumes were specified.
UserAbort: if the user requested to abort.
"""
if not scan_node or not scan_node.path_spec:
raise errors.SourceScannerError('Invalid scan node.')
volume_system = apfs_volume_system.APFSVolumeSystem()
volume_system.Open(scan_node.path_spec)
volume_identifiers = self._source_scanner.GetVolumeIdentifiers(
volume_system)
if not volume_identifiers:
return []
# TODO: refactor self._volumes to use scan options.
if self._volumes:
if self._volumes == 'all':
volumes = volume_system.volume_identifiers
else:
volumes = self._mediator.ParseVolumeIdentifiersString(
self._volumes, prefix='apfs')
selected_volume_identifiers = self._NormalizedVolumeIdentifiers(
volume_system, volumes, prefix='apfs')
if not set(selected_volume_identifiers).difference(volume_identifiers):
return selected_volume_identifiers
if len(volume_identifiers) > 1:
if self._unattended_mode:
raise errors.SourceScannerError(
'More than 1 volume found but no volumes specified.')
try:
volume_identifiers = self._mediator.GetAPFSVolumeIdentifiers(
volume_system, volume_identifiers)
except KeyboardInterrupt:
raise errors.UserAbort('File system scan aborted.')
return self._NormalizedVolumeIdentifiers(
volume_system, volume_identifiers, prefix='apfs')
def _GetLVMVolumeIdentifiers(self, scan_node):
"""Determines the LVM volume identifiers.
Args:
scan_node (dfvfs.SourceScanNode): scan node.
Returns:
list[str]: LVM volume identifiers.
Raises:
SourceScannerError: if the scan node is invalid or more than 1 volume
was found but no volumes were specified.
UserAbort: if the user requested to abort.
"""
if not scan_node or not scan_node.path_spec:
raise errors.SourceScannerError('Invalid scan node.')
volume_system = lvm_volume_system.LVMVolumeSystem()
volume_system.Open(scan_node.path_spec)
volume_identifiers = self._source_scanner.GetVolumeIdentifiers(
volume_system)
if not volume_identifiers:
return []
# TODO: refactor self._volumes to use scan options.
if self._volumes:
if self._volumes == 'all':
volumes = volume_system.volume_identifiers
else:
volumes = self._mediator.ParseVolumeIdentifiersString(
self._volumes, prefix='lvm')
selected_volume_identifiers = self._NormalizedVolumeIdentifiers(
volume_system, volumes, prefix='lvm')
if not set(selected_volume_identifiers).difference(volume_identifiers):
return selected_volume_identifiers
if len(volume_identifiers) > 1:
if self._unattended_mode:
raise errors.SourceScannerError(
'More than 1 volume found but no volumes specified.')
try:
volume_identifiers = self._mediator.GetLVMVolumeIdentifiers(
volume_system, volume_identifiers)
except KeyboardInterrupt:
raise errors.UserAbort('File system scan aborted.')
return self._NormalizedVolumeIdentifiers(
volume_system, volume_identifiers, prefix='lvm')
def _GetTSKPartitionIdentifiers(self, scan_node):
"""Determines the TSK partition identifiers.
This method first checks for the preferred partition number, then
falls back to prompt the user if no usable preferences were specified.
Args:
scan_node (dfvfs.SourceScanNode): scan node.
Returns:
list[str]: TSK partition identifiers.
Raises:
RuntimeError: if the volume for a specific identifier cannot be
retrieved.
SourceScannerError: if the scan node is invalid or more than 1 volume
was found but no volumes were specified.
UserAbort: if the user requested to abort.
"""
if not scan_node or not scan_node.path_spec:
raise errors.SourceScannerError('Invalid scan node.')
if scan_node.path_spec.type_indicator == (
dfvfs_definitions.TYPE_INDICATOR_GPT):
volume_system = gpt_volume_system.GPTVolumeSystem()
else:
volume_system = tsk_volume_system.TSKVolumeSystem()
volume_system.Open(scan_node.path_spec)
volume_identifiers = self._source_scanner.GetVolumeIdentifiers(
volume_system)
if not volume_identifiers:
return []
# TODO: refactor self._partitions to use scan options.
if self._partitions:
if self._partitions == 'all':
partitions = volume_system.volume_identifiers
else:
partitions = self._mediator.ParseVolumeIdentifiersString(
self._partitions, prefix='p')
selected_volume_identifiers = self._NormalizedVolumeIdentifiers(
volume_system, partitions, prefix='p')
if not set(selected_volume_identifiers).difference(volume_identifiers):
return selected_volume_identifiers
if len(volume_identifiers) > 1:
if self._unattended_mode:
raise errors.SourceScannerError(
'More than 1 partition found but no partitions specified.')
try:
volume_identifiers = self._mediator.GetPartitionIdentifiers(
volume_system, volume_identifiers)
except KeyboardInterrupt:
raise errors.UserAbort('File system scan aborted.')
return self._NormalizedVolumeIdentifiers(
volume_system, volume_identifiers, prefix='p')
def _GetVSSStoreIdentifiers(self, scan_node):
"""Determines the VSS store identifiers.
Args:
scan_node (dfvfs.SourceScanNode): scan node.
Returns:
list[str]: VSS store identifiers.
Raises:
SourceScannerError: if the scan node is invalid.
UserAbort: if the user requested to abort.
"""
if not scan_node or not scan_node.path_spec:
raise errors.SourceScannerError('Invalid scan node.')
volume_system = vshadow_volume_system.VShadowVolumeSystem()
volume_system.Open(scan_node.path_spec)
volume_identifiers = self._source_scanner.GetVolumeIdentifiers(
volume_system)
if not volume_identifiers:
return []
# TODO: refactor to use scan options.
if self._vss_stores:
if self._vss_stores == 'all':
vss_stores = volume_system.volume_identifiers
else:
vss_stores = self._mediator.ParseVolumeIdentifiersString(
self._vss_stores, prefix='vss')
selected_volume_identifiers = self._NormalizedVolumeIdentifiers(
volume_system, vss_stores, prefix='vss')
if not set(selected_volume_identifiers).difference(volume_identifiers):
return selected_volume_identifiers
if self._unattended_mode:
return []
try:
volume_identifiers = self._mediator.GetVSSStoreIdentifiers(
volume_system, volume_identifiers)
except KeyboardInterrupt:
raise errors.UserAbort('File system scan aborted.')
return self._NormalizedVolumeIdentifiers(
volume_system, volume_identifiers, prefix='vss')
def _NormalizedVolumeIdentifiers(
self, volume_system, volume_identifiers, prefix='v'):
"""Normalizes volume identifiers.
Args:
volume_system (VolumeSystem): volume system.
volume_identifiers (list[int|str]): allowed volume identifiers, formatted
as an integer or string with prefix.
prefix (Optional[str]): volume identifier prefix.
Returns:
list[str]: volume identifiers with prefix.
Raises:
SourceScannerError: if the volume identifier is not supported or no
volume could be found that corresponds with the identifier.
"""
normalized_volume_identifiers = []
for volume_identifier in volume_identifiers:
if isinstance(volume_identifier, int):
volume_identifier = '{0:s}{1:d}'.format(prefix, volume_identifier)
elif not volume_identifier.startswith(prefix):
try:
volume_identifier = int(volume_identifier, 10)
volume_identifier = '{0:s}{1:d}'.format(prefix, volume_identifier)
except (TypeError, ValueError):
pass
try:
volume = volume_system.GetVolumeByIdentifier(volume_identifier)
except KeyError:
volume = None
if not volume:
raise errors.SourceScannerError(
'Volume missing for identifier: {0:s}.'.format(volume_identifier))
normalized_volume_identifiers.append(volume_identifier)
return normalized_volume_identifiers
def _ParseCredentialOptions(self, options):
"""Parses the credential options.
Args:
options (argparse.Namespace): command line arguments.
Raises:
BadConfigOption: if the options are invalid.
"""
credentials = getattr(options, 'credentials', [])
if not isinstance(credentials, list):
raise errors.BadConfigOption('Unsupported credentials value.')
for credential_string in credentials:
credential_type, _, credential_data = credential_string.partition(':')
if not credential_type or not credential_data:
raise errors.BadConfigOption(
'Badly formatted credential: {0:s}.'.format(credential_string))
if credential_type not in self._SUPPORTED_CREDENTIAL_TYPES:
raise errors.BadConfigOption(
'Unsupported credential type for: {0:s}.'.format(
credential_string))
if credential_type in self._BINARY_DATA_CREDENTIAL_TYPES:
try:
credential_data = codecs.decode(credential_data, 'hex')
except TypeError:
raise errors.BadConfigOption(
'Unsupported credential data for: {0:s}.'.format(
credential_string))
self._credentials.append((credential_type, credential_data))
def _ParseSourcePathOption(self, options):
"""Parses the source path option.
Args:
options (argparse.Namespace): command line arguments.
Raises:
BadConfigOption: if the options are invalid.
"""
self._source_path = self.ParseStringOption(options, self._SOURCE_OPTION)
if not self._source_path:
raise errors.BadConfigOption('Missing source path.')
self._source_path = os.path.abspath(self._source_path)
def _ParseStorageMediaOptions(self, options):
"""Parses the storage media options.
Args:
options (argparse.Namespace): command line arguments.
Raises:
BadConfigOption: if the options are invalid.
"""
self._ParseStorageMediaImageOptions(options)
self._ParseVSSProcessingOptions(options)
self._ParseCredentialOptions(options)
self._ParseSourcePathOption(options)
def _ParseStorageMediaImageOptions(self, options):
"""Parses the storage media image options.
Args:
options (argparse.Namespace): command line arguments.
Raises:
BadConfigOption: if the options are invalid.
"""
self._partitions = getattr(options, 'partitions', None)
if self._partitions:
try:
self._mediator.ParseVolumeIdentifiersString(
self._partitions, prefix='p')
except ValueError:
raise errors.BadConfigOption('Unsupported partitions')
self._volumes = getattr(options, 'volumes', None)
if self._volumes:
try:
self._mediator.ParseVolumeIdentifiersString(
self._volumes, prefix='apfs')
except ValueError:
raise errors.BadConfigOption('Unsupported volumes')
def _ParseVSSProcessingOptions(self, options):
"""Parses the VSS processing options.
Args:
options (argparse.Namespace): command line arguments.
Raises:
BadConfigOption: if the options are invalid.
"""
vss_only = False
vss_stores = None
self._process_vss = not getattr(options, 'no_vss', False)
if self._process_vss:
vss_only = getattr(options, 'vss_only', False)
vss_stores = getattr(options, 'vss_stores', None)
if vss_stores:
try:
self._mediator.ParseVolumeIdentifiersString(vss_stores, prefix='vss')
except ValueError:
raise errors.BadConfigOption('Unsupported VSS stores')
self._vss_only = vss_only
self._vss_stores = vss_stores
def _ScanEncryptedVolume(self, scan_context, scan_node):
"""Scans an encrypted volume scan node for volume and file systems.
Args:
scan_context (SourceScannerContext): source scanner context.
scan_node (SourceScanNode): volume scan node.
Raises:
SourceScannerError: if the format of or within the source is not
supported, the scan node is invalid or there are no credentials
defined for the format.
"""
if not scan_node or not scan_node.path_spec:
raise errors.SourceScannerError('Invalid or missing scan node.')
credentials = credentials_manager.CredentialsManager.GetCredentials(
scan_node.path_spec)
if not credentials:
raise errors.SourceScannerError('Missing credentials for scan node.')
credentials_dict = dict(self._credentials)
is_unlocked = False
for credential_type in sorted(credentials.CREDENTIALS):
credential_data = credentials_dict.get(credential_type, None)
if not credential_data:
continue
is_unlocked = self._source_scanner.Unlock(
scan_context, scan_node.path_spec, credential_type, credential_data)
if is_unlocked:
self._AddCredentialConfiguration(
scan_node.path_spec, credential_type, credential_data)
break
if not is_unlocked and self._unattended_mode:
is_unlocked, credential_type, credential_data = (
self._mediator.PromptUserForEncryptedVolumeCredential(
self._source_scanner, scan_context, scan_node, credentials))
if is_unlocked:
self._AddCredentialConfiguration(
scan_node.path_spec, credential_type, credential_data)
self._source_scanner.Scan(
scan_context, scan_path_spec=scan_node.path_spec)
def _ScanFileSystem(self, scan_node, base_path_specs):
"""Scans a file system scan node for file systems.
Args:
scan_node (SourceScanNode): file system scan node.
base_path_specs (list[PathSpec]): file system base path specifications.
Raises:
SourceScannerError: if the scan node is invalid.
"""
if not scan_node or not scan_node.path_spec:
raise errors.SourceScannerError(
'Invalid or missing file system scan node.')
if self._vss_only:
if scan_node.parent_node.sub_nodes[0].type_indicator == (
dfvfs_definitions.TYPE_INDICATOR_VSHADOW):
return
base_path_specs.append(scan_node.path_spec)
def _ScanVolume(self, scan_context, scan_node, base_path_specs):
"""Scans a volume scan node for volume and file systems.
Args:
scan_context (SourceScannerContext): source scanner context.
scan_node (SourceScanNode): volume scan node.
base_path_specs (list[PathSpec]): file system base path specifications.
Raises:
SourceScannerError: if the format of or within the source
is not supported or the scan node is invalid.
"""
if not scan_node or not scan_node.path_spec:
raise errors.SourceScannerError('Invalid or missing scan node.')
if scan_context.IsLockedScanNode(scan_node.path_spec):
# The source scanner found a locked volume and we need a credential to
# unlock it.
self._ScanEncryptedVolume(scan_context, scan_node)
if scan_context.IsLockedScanNode(scan_node.path_spec):
return
if scan_node.IsVolumeSystemRoot():
self._ScanVolumeSystemRoot(scan_context, scan_node, base_path_specs)
elif scan_node.IsFileSystem():
self._ScanFileSystem(scan_node, base_path_specs)
elif scan_node.type_indicator == dfvfs_definitions.TYPE_INDICATOR_VSHADOW:
if self._process_vss:
# TODO: look into building VSS store on demand.
# We "optimize" here for user experience, alternatively we could scan
# for a file system instead of hard coding a child path specification.
if dfvfs_definitions.PREFERRED_NTFS_BACK_END == (
dfvfs_definitions.TYPE_INDICATOR_TSK):
location = '/'
else:
location = '\\'
path_spec = path_spec_factory.Factory.NewPathSpec(
dfvfs_definitions.PREFERRED_NTFS_BACK_END, location=location,
parent=scan_node.path_spec)
base_path_specs.append(path_spec)
else:
for sub_scan_node in scan_node.sub_nodes:
self._ScanVolume(scan_context, sub_scan_node, base_path_specs)
def _ScanVolumeSystemRoot(self, scan_context, scan_node, base_path_specs):
"""Scans a volume system root scan node for volume and file systems.
Args:
scan_context (SourceScannerContext): source scanner context.
scan_node (SourceScanNode): volume system root scan node.
base_path_specs (list[PathSpec]): file system base path specifications.
Raises:
SourceScannerError: if the scan node is invalid, the scan node type is not
supported or if a sub scan node cannot be retrieved.
"""
if not scan_node or not scan_node.path_spec:
raise errors.SourceScannerError('Invalid scan node.')
if scan_node.type_indicator == (
dfvfs_definitions.TYPE_INDICATOR_APFS_CONTAINER):
volume_identifiers = self._GetAPFSVolumeIdentifiers(scan_node)
elif scan_node.type_indicator == dfvfs_definitions.TYPE_INDICATOR_LVM:
volume_identifiers = self._GetLVMVolumeIdentifiers(scan_node)
elif scan_node.type_indicator == dfvfs_definitions.TYPE_INDICATOR_VSHADOW:
if not self._process_vss:
volume_identifiers = []
else:
volume_identifiers = self._GetVSSStoreIdentifiers(scan_node)
# Process VSS stores (snapshots) starting with the most recent one.
volume_identifiers.reverse()
if (not self._vss_only and not self._unattended_mode and
volume_identifiers):
self._vss_only = not self._mediator.PromptUserForVSSCurrentVolume()
else:
raise errors.SourceScannerError(
'Unsupported volume system type: {0:s}.'.format(
scan_node.type_indicator))
for volume_identifier in volume_identifiers:
location = '/{0:s}'.format(volume_identifier)
sub_scan_node = scan_node.GetSubNodeByLocation(location)
if not sub_scan_node:
raise errors.SourceScannerError(
'Scan node missing for volume identifier: {0:s}.'.format(
volume_identifier))
self._ScanVolume(scan_context, sub_scan_node, base_path_specs)
def AddCredentialOptions(self, argument_group):
"""Adds the credential options to the argument group.
The credential options are use to unlock encrypted volumes.
Args:
argument_group (argparse._ArgumentGroup): argparse argument group.
"""
argument_group.add_argument(
'--credential', action='append', default=[], type=str,
dest='credentials', metavar='TYPE:DATA', help=(
'Define a credentials that can be used to unlock encrypted '
'volumes e.g. BitLocker. The credential is defined as type:data '
'e.g. "password:BDE-test". Supported credential types are: '
'{0:s}. Binary key data is expected to be passed in BASE-16 '
'encoding (hexadecimal). WARNING credentials passed via command '
'line arguments can end up in logs, so use this option with '
'care.').format(', '.join(self._SUPPORTED_CREDENTIAL_TYPES)))
def AddStorageMediaImageOptions(self, argument_group):
"""Adds the storage media image options to the argument group.
Args:
argument_group (argparse._ArgumentGroup): argparse argument group.
"""
argument_group.add_argument(
'--partitions', '--partition', dest='partitions', action='store',
type=str, default=None, help=(
'Define partitions to be processed. A range of '
'partitions can be defined as: "3..5". Multiple partitions can '
'be defined as: "1,3,5" (a list of comma separated values). '
'Ranges and lists can also be combined as: "1,3..5". The first '
'partition is 1. All partitions can be specified with: "all".'))
argument_group.add_argument(
'--volumes', '--volume', dest='volumes', action='store', type=str,
default=None, help=(
'Define volumes to be processed. A range of volumes can be defined '
'as: "3..5". Multiple volumes can be defined as: "1,3,5" (a list '
'of comma separated values). Ranges and lists can also be combined '
'as: "1,3..5". The first volume is 1. All volumes can be specified '
'with: "all".'))
def AddVSSProcessingOptions(self, argument_group):
"""Adds the VSS processing options to the argument group.
Args:
argument_group (argparse._ArgumentGroup): argparse argument group.
"""
argument_group.add_argument(
'--no_vss', '--no-vss', dest='no_vss', action='store_true',
default=False, help=(
'Do not scan for Volume Shadow Snapshots (VSS). This means that '
'Volume Shadow Snapshots (VSS) are not processed.'))
argument_group.add_argument(
'--vss_only', '--vss-only', dest='vss_only', action='store_true',
default=False, help=(
'Do not process the current volume if Volume Shadow Snapshots '
'(VSS) have been selected.'))
argument_group.add_argument(
'--vss_stores', '--vss-stores', dest='vss_stores', action='store',
type=str, default=None, help=(
'Define Volume Shadow Snapshots (VSS) (or stores that need to be '
'processed. A range of stores can be defined as: "3..5". '
'Multiple stores can be defined as: "1,3,5" (a list of comma '
'separated values). Ranges and lists can also be combined as: '
'"1,3..5". The first store is 1. All stores can be defined as: '
'"all".'))
def ScanSource(self, source_path):
"""Scans the source path for volume and file systems.
This function sets the internal source path specification and source
type values.
Args:
source_path (str): path to the source.
Returns:
dfvfs.SourceScannerContext: source scanner context.
Raises:
SourceScannerError: if the format of or within the source is
not supported.
"""
# Symbolic links are resolved here and not earlier to preserve the user
# specified source path in storage and reporting.
if os.path.islink(source_path):
source_path = os.path.realpath(source_path)
if (not source_path.startswith('\\\\.\\') and
not os.path.exists(source_path)):
raise errors.SourceScannerError(
'No such device, file or directory: {0:s}.'.format(source_path))
scan_context = source_scanner.SourceScannerContext()
scan_context.OpenSourcePath(source_path)
try:
self._source_scanner.Scan(scan_context)
except (ValueError, dfvfs_errors.BackEndError) as exception:
raise errors.SourceScannerError(
'Unable to scan source with error: {0!s}.'.format(exception))
if scan_context.source_type not in (
scan_context.SOURCE_TYPE_STORAGE_MEDIA_DEVICE,
scan_context.SOURCE_TYPE_STORAGE_MEDIA_IMAGE):
scan_node = scan_context.GetRootScanNode()
self._source_path_specs.append(scan_node.path_spec)
return scan_context
# Get the first node where where we need to decide what to process.
scan_node = scan_context.GetRootScanNode()
while len(scan_node.sub_nodes) == 1:
scan_node = scan_node.sub_nodes[0]
base_path_specs = []
if scan_node.type_indicator not in (
dfvfs_definitions.TYPE_INDICATOR_GPT,
dfvfs_definitions.TYPE_INDICATOR_TSK_PARTITION):
self._ScanVolume(scan_context, scan_node, base_path_specs)
else:
# Determine which partition needs to be processed.
partition_identifiers = self._GetTSKPartitionIdentifiers(scan_node)
if not partition_identifiers:
raise errors.SourceScannerError('No partitions found.')
for partition_identifier in partition_identifiers:
location = '/{0:s}'.format(partition_identifier)
sub_scan_node = scan_node.GetSubNodeByLocation(location)
self._ScanVolume(scan_context, sub_scan_node, base_path_specs)
if not base_path_specs:
raise errors.SourceScannerError(
'No supported file system found in source.')
self._source_path_specs = base_path_specs
return scan_context
| 35.958248 | 80 | 0.701821 |
590cd8fd2841add72e825219d29700e24439ac1d | 4,781 | py | Python | tests/test_single_triangle_camera_fisheye.py | numericalBoy/redner | a68d631b1ac8dca0acf9f253987b7596533d35d5 | [
"MIT"
] | null | null | null | tests/test_single_triangle_camera_fisheye.py | numericalBoy/redner | a68d631b1ac8dca0acf9f253987b7596533d35d5 | [
"MIT"
] | null | null | null | tests/test_single_triangle_camera_fisheye.py | numericalBoy/redner | a68d631b1ac8dca0acf9f253987b7596533d35d5 | [
"MIT"
] | null | null | null | import pyredner
import numpy as np
import torch
# Optimize fisheye camera parameters of a single triangle rendering
# Use GPU if available
pyredner.set_use_gpu(torch.cuda.is_available())
# Set up the scene using Pytorch tensor
position = torch.tensor([0.0, 0.0, -1.0])
look_at = torch.tensor([0.0, 0.0, 0.0])
up = torch.tensor([0.0, 1.0, 0.0])
fov = torch.tensor([45.0])
clip_near = 1e-2
resolution = (256, 256)
cam = pyredner.Camera(position = position,
look_at = look_at,
up = up,
fov = fov,
clip_near = clip_near,
resolution = resolution,
fisheye = True)
mat_grey = pyredner.Material(\
diffuse_reflectance = torch.tensor([0.5, 0.5, 0.5],
device = pyredner.get_device()))
materials = [mat_grey]
vertices = torch.tensor([[-1.7,1.0,0.0], [1.0,1.0,0.0], [-0.5,-1.0,0.0]], device = pyredner.get_device())
indices = torch.tensor([[0, 1, 2]], dtype = torch.int32, device = pyredner.get_device())
shape_triangle = pyredner.Shape(vertices, indices, None, None, 0)
light_vertices = torch.tensor([[-1.0,-1.0,-9.0],[1.0,-1.0,-9.0],[-1.0,1.0,-9.0],[1.0,1.0,-9.0]],
device = pyredner.get_device())
light_indices = torch.tensor([[0,1,2],[1,3,2]], dtype = torch.int32, device = pyredner.get_device())
shape_light = pyredner.Shape(light_vertices, light_indices, None, None, 0)
shapes = [shape_triangle, shape_light]
light_intensity = torch.tensor([30.0,30.0,30.0])
light = pyredner.AreaLight(1, light_intensity)
area_lights = [light]
scene = pyredner.Scene(cam, shapes, materials, area_lights)
args = pyredner.RenderFunction.serialize_scene(\
scene = scene,
num_samples = 16,
max_bounces = 1)
# Alias of the render function
render = pyredner.RenderFunction.apply
# Render our target
img = render(0, *args)
pyredner.imwrite(img.cpu(), 'results/test_single_triangle_camera_fisheye/target.exr')
pyredner.imwrite(img.cpu(), 'results/test_single_triangle_camera_fisheye/target.png')
target = pyredner.imread('results/test_single_triangle_camera_fisheye/target.exr')
if pyredner.get_use_gpu():
target = target.cuda(device = pyredner.get_device())
# Perturb the scene, this is our initial guess
position = torch.tensor([0.5, -0.5, -3.0], requires_grad = True)
scene.camera = pyredner.Camera(position = position,
look_at = look_at,
up = up,
fov = fov,
clip_near = clip_near,
resolution = resolution,
fisheye = True)
args = pyredner.RenderFunction.serialize_scene(\
scene = scene,
num_samples = 16,
max_bounces = 1)
# Render the initial guess
img = render(1, *args)
pyredner.imwrite(img.cpu(), 'results/test_single_triangle_camera_fisheye/init.png')
diff = torch.abs(target - img)
pyredner.imwrite(diff.cpu(), 'results/test_single_triangle_camera_fisheye/init_diff.png')
# Optimize for camera pose
optimizer = torch.optim.Adam([position], lr=5e-2)
for t in range(200):
print('iteration:', t)
optimizer.zero_grad()
# Need to rerun the Camera constructor for PyTorch autodiff to compute the derivatives
scene.camera = pyredner.Camera(position = position,
look_at = look_at,
up = up,
fov = fov,
clip_near = clip_near,
resolution = resolution,
fisheye = True)
args = pyredner.RenderFunction.serialize_scene(\
scene = scene,
num_samples = 4,
max_bounces = 1)
img = render(t+1, *args)
pyredner.imwrite(img.cpu(), 'results/test_single_triangle_camera_fisheye/iter_{}.png'.format(t))
loss = (img - target).pow(2).sum()
print('loss:', loss.item())
loss.backward()
print('position.grad:', position.grad)
optimizer.step()
print('position:', position)
args = pyredner.RenderFunction.serialize_scene(\
scene = scene,
num_samples = 16,
max_bounces = 1)
img = render(202, *args)
pyredner.imwrite(img.cpu(), 'results/test_single_triangle_camera_fisheye/final.exr')
pyredner.imwrite(img.cpu(), 'results/test_single_triangle_camera_fisheye/final.png')
pyredner.imwrite(torch.abs(target - img).cpu(), 'results/test_single_triangle_camera_fisheye/final_diff.png')
from subprocess import call
call(["ffmpeg", "-framerate", "24", "-i",
"results/test_single_triangle_camera_fisheye/iter_%d.png", "-vb", "20M",
"results/test_single_triangle_camera_fisheye/out.mp4"])
| 40.863248 | 109 | 0.627065 |
527b816b01c6f99ac2b2039ff6def528c2e9ad66 | 836 | py | Python | src/restapi/project/views.py | agbilotia1998/backend | c8e7654fe4cdd2faa8d0c6f7cfe12486a403ad17 | [
"Apache-2.0"
] | null | null | null | src/restapi/project/views.py | agbilotia1998/backend | c8e7654fe4cdd2faa8d0c6f7cfe12486a403ad17 | [
"Apache-2.0"
] | null | null | null | src/restapi/project/views.py | agbilotia1998/backend | c8e7654fe4cdd2faa8d0c6f7cfe12486a403ad17 | [
"Apache-2.0"
] | null | null | null | import uuid
from djoser.views import UserView, UserDeleteView
from djoser import serializers
from rest_framework import views, permissions, status, permissions, generics, filters
from rest_framework.response import Response
from . import models
from . import serializers
from .serializers import ProjectSerializer
from rest_framework.decorators import api_view
class ProjectView(generics.ListCreateAPIView):
"""Use this endpoint to add projects in the backend."""
def get_queryset(self):
queryset = models.Project.objects.all()
project_id = self.request.query_params.get('id', None)
if project_id is None:
return queryset
else:
return queryset.filter(id=project_id)
permission_classes = [permissions.AllowAny]
serializer_class = serializers.ProjectSerializer
| 32.153846 | 85 | 0.754785 |
6f794a8a40528a0568fc07bb6c08a4f81c738229 | 3,351 | py | Python | stubs.min/System/Diagnostics/__init___parts/StackFrame.py | ricardyn/ironpython-stubs | 4d2b405eda3ceed186e8adca55dd97c332c6f49d | [
"MIT"
] | 1 | 2021-02-02T13:39:16.000Z | 2021-02-02T13:39:16.000Z | stubs.min/System/Diagnostics/__init___parts/StackFrame.py | hdm-dt-fb/ironpython-stubs | 4d2b405eda3ceed186e8adca55dd97c332c6f49d | [
"MIT"
] | null | null | null | stubs.min/System/Diagnostics/__init___parts/StackFrame.py | hdm-dt-fb/ironpython-stubs | 4d2b405eda3ceed186e8adca55dd97c332c6f49d | [
"MIT"
] | null | null | null | class StackFrame(object):
"""
Provides information about a System.Diagnostics.StackFrame,which represents a function call on the call stack for the current thread.
StackFrame()
StackFrame(fNeedFileInfo: bool)
StackFrame(skipFrames: int)
StackFrame(skipFrames: int,fNeedFileInfo: bool)
StackFrame(fileName: str,lineNumber: int)
StackFrame(fileName: str,lineNumber: int,colNumber: int)
"""
def GetFileColumnNumber(self):
"""
GetFileColumnNumber(self: StackFrame) -> int
Gets the column number in the file that contains the code that is executing.
This information is typically extracted from the debugging symbols for the
executable.
Returns: The file column number,or 0 (zero) if the file column number cannot be
determined.
"""
pass
def GetFileLineNumber(self):
"""
GetFileLineNumber(self: StackFrame) -> int
Gets the line number in the file that contains the code that is executing. This
information is typically extracted from the debugging symbols for the
executable.
Returns: The file line number,or 0 (zero) if the file line number cannot be determined.
"""
pass
def GetFileName(self):
"""
GetFileName(self: StackFrame) -> str
Gets the file name that contains the code that is executing. This information
is typically extracted from the debugging symbols for the executable.
Returns: The file name,or null if the file name cannot be determined.
"""
pass
def GetILOffset(self):
"""
GetILOffset(self: StackFrame) -> int
Gets the offset from the start of the Microsoft intermediate language (MSIL)
code for the method that is executing. This offset might be an approximation
depending on whether or not the just-in-time (JIT) compiler is generating
debugging code. The generation of this debugging information is controlled by
the System.Diagnostics.DebuggableAttribute.
Returns: The offset from the start of the MSIL code for the method that is executing.
"""
pass
def GetMethod(self):
"""
GetMethod(self: StackFrame) -> MethodBase
Gets the method in which the frame is executing.
Returns: The method in which the frame is executing.
"""
pass
def GetNativeOffset(self):
"""
GetNativeOffset(self: StackFrame) -> int
Gets the offset from the start of the native just-in-time (JIT)-compiled code
for the method that is being executed. The generation of this debugging
information is controlled by the System.Diagnostics.DebuggableAttribute class.
Returns: The offset from the start of the JIT-compiled code for the method that is being
executed.
"""
pass
def ToString(self):
"""
ToString(self: StackFrame) -> str
Builds a readable representation of the stack trace.
Returns: A readable representation of the stack trace.
"""
pass
@staticmethod
def __new__(self,*__args):
"""
__new__(cls: type)
__new__(cls: type,fNeedFileInfo: bool)
__new__(cls: type,skipFrames: int)
__new__(cls: type,skipFrames: int,fNeedFileInfo: bool)
__new__(cls: type,fileName: str,lineNumber: int)
__new__(cls: type,fileName: str,lineNumber: int,colNumber: int)
"""
pass
OFFSET_UNKNOWN=-1
| 33.848485 | 136 | 0.697105 |
5fc420cb4f1efbf2153a500e4e1b6552441ee543 | 421 | py | Python | tests/test_optimize.py | LucaCappelletti94/pygifsicle | 4f05d0eead3b002295212d985fdbc9ca8e7f4a8f | [
"MIT"
] | 42 | 2019-10-14T11:30:53.000Z | 2022-03-28T06:55:20.000Z | tests/test_optimize.py | LucaCappelletti94/pygifsicle | 4f05d0eead3b002295212d985fdbc9ca8e7f4a8f | [
"MIT"
] | 8 | 2019-10-13T02:54:19.000Z | 2021-10-02T17:47:40.000Z | tests/test_optimize.py | LucaCappelletti94/pygifsicle | 4f05d0eead3b002295212d985fdbc9ca8e7f4a8f | [
"MIT"
] | 8 | 2019-09-23T18:59:39.000Z | 2022-02-25T22:38:44.000Z | from pygifsicle import optimize
import os
from pathlib import Path
def test_optimize():
optimize("tests/big.gif", "small.gif")
optimize("small.gif")
os.remove("small.gif")
def test_optimize_pathlib():
here = Path(__file__).parent.resolve()
source = here / "big.gif"
destination = here / "small.gif"
optimize(source, destination)
optimize(destination)
os.remove(destination)
| 23.388889 | 42 | 0.68171 |
ca1f4cbb6673de1a9b14525f10bf7fcb6f961fc0 | 3,411 | py | Python | input/control/model_control.py | CUrW-SL/distributed_hechms | 0ae72d55f5b724dd41a5c322ac96804b4bbf1ee2 | [
"MIT"
] | null | null | null | input/control/model_control.py | CUrW-SL/distributed_hechms | 0ae72d55f5b724dd41a5c322ac96804b4bbf1ee2 | [
"MIT"
] | null | null | null | input/control/model_control.py | CUrW-SL/distributed_hechms | 0ae72d55f5b724dd41a5c322ac96804b4bbf1ee2 | [
"MIT"
] | null | null | null | from config import CONTROL_TEMPLATE, HEC_HMS_VERSION, CONTROL_FILE_NAME
from datetime import datetime
import pandas as pd
def create_control_file_by_rain_file(model_name, rain_filename):
rf_data_frame = pd.read_csv(rain_filename, sep=',')
start_datetime = rf_data_frame.iloc[2][0]
end_datetime = rf_data_frame.iloc[-1][0]
print('start_datetime : ', start_datetime)
print('end_datetime : ', end_datetime)
control_file_path = CONTROL_FILE_NAME.replace('{MODEL_NAME}', model_name)
control_file = CONTROL_TEMPLATE.replace('{MODEL_NAME}', model_name)
control_file = control_file.replace('{HEC_HMS_VERSION}', HEC_HMS_VERSION)
current_date_time = datetime.now()
last_modified_date = current_date_time.strftime('%d %B %Y')
last_modified_time = current_date_time.strftime('%H:%M')
control_file = control_file.replace('{LAST_MODIFIED_DATE}', last_modified_date)
control_file = control_file.replace('{LAST_MODIFIED_TIME}', last_modified_time)
start_datetime = datetime.strptime(start_datetime, '%Y-%m-%d %H:%M:%S')
end_datetime = datetime.strptime(end_datetime, '%Y-%m-%d %H:%M:%S')
start_date = start_datetime.strftime('%d %B %Y')
start_time = start_datetime.strftime('%H:%M')
end_date = end_datetime.strftime('%d %B %Y')
end_time = end_datetime.strftime('%H:%M')
control_file = control_file.replace('{START_DATE}', start_date)
control_file = control_file.replace('{START_TIME}', start_time)
control_file = control_file.replace('{END_DATE}', end_date)
control_file = control_file.replace('{END_TIME}', end_time)
time_interval = str(int(((end_datetime-start_datetime).total_seconds())/60))
control_file = control_file.replace('{TIME_INTERVAL}', time_interval)
with open(control_file_path, 'w') as file:
file.write(control_file)
file.write('\n\n')
file.close()
def create_control_file(model_name, start_datetime, end_datetime):
control_file_path = CONTROL_FILE_NAME.replace('{MODEL_NAME}', model_name)
control_file = CONTROL_TEMPLATE.replace('{MODEL_NAME}', model_name)
control_file = control_file.replace('{HEC_HMS_VERSION}', HEC_HMS_VERSION)
current_date_time = datetime.now()
last_modified_date = current_date_time.strftime('%d %B %Y')
last_modified_time = current_date_time.strftime('%H:%M')
control_file = control_file.replace('{LAST_MODIFIED_DATE}', last_modified_date)
control_file = control_file.replace('{LAST_MODIFIED_TIME}', last_modified_time)
start_datetime = datetime.strptime(start_datetime, '%Y-%m-%d %H:%M:%S')
end_datetime = datetime.strptime(end_datetime, '%Y-%m-%d %H:%M:%S')
start_date = start_datetime.strftime('%d %B %Y')
start_time = start_datetime.strftime('%H:%M')
end_date = end_datetime.strftime('%d %B %Y')
end_time = end_datetime.strftime('%H:%M')
control_file = control_file.replace('{START_DATE}', start_date)
control_file = control_file.replace('{START_TIME}', start_time)
control_file = control_file.replace('{END_DATE}', end_date)
control_file = control_file.replace('{END_TIME}', end_time)
time_interval = str(int(((end_datetime-start_datetime).total_seconds())/60))
control_file = control_file.replace('{TIME_INTERVAL}', time_interval)
with open(control_file_path, 'w') as file:
file.write(control_file)
file.write('\n\n')
file.close()
| 42.111111 | 83 | 0.724421 |
cb1c34b66902c8e18cc96643bdc3b68a0d02235d | 446 | py | Python | python/pyglet/label.py | jeremiedecock/snippets | 4bd4e7f459eee610d5cf19f845299ca942ff4b64 | [
"MIT"
] | 23 | 2015-06-08T13:01:00.000Z | 2021-12-30T08:20:04.000Z | python/pyglet/label.py | jeremiedecock/snippets | 4bd4e7f459eee610d5cf19f845299ca942ff4b64 | [
"MIT"
] | 1 | 2020-10-22T02:36:10.000Z | 2020-10-22T02:36:10.000Z | python/pyglet/label.py | jeremiedecock/snippets | 4bd4e7f459eee610d5cf19f845299ca942ff4b64 | [
"MIT"
] | 7 | 2017-10-31T09:48:14.000Z | 2022-01-04T15:59:45.000Z | #!/usr/bin/env python3
# -*- coding: utf-8 -*-
import pyglet
window = pyglet.window.Window()
label = pyglet.text.Label('Hello, world',
font_name='Times New Roman',
font_size=36,
x=window.width//2, y=window.height//2,
anchor_x='center', anchor_y='center')
@window.event
def on_draw():
window.clear()
label.draw()
pyglet.app.run()
| 22.3 | 64 | 0.522422 |
96089c4f8766bc0a9c7adb55e503a4d254135ad7 | 1,907 | py | Python | data/synthia_dataset.py | uta-smile/ASSUDA | e4af3a51846d30529a2b9d6b1d5c383fcd108051 | [
"MIT"
] | 6 | 2021-09-11T19:51:17.000Z | 2022-02-06T17:31:47.000Z | data/synthia_dataset.py | uta-smile/ASSUDA | e4af3a51846d30529a2b9d6b1d5c383fcd108051 | [
"MIT"
] | 2 | 2021-09-09T08:02:09.000Z | 2021-12-13T17:23:57.000Z | data/synthia_dataset.py | uta-smile/ASSUDA | e4af3a51846d30529a2b9d6b1d5c383fcd108051 | [
"MIT"
] | 1 | 2022-02-07T12:54:58.000Z | 2022-02-07T12:54:58.000Z | import os
import os.path as osp
import numpy as np
import random
import collections
import torch
import torchvision
from torch.utils import data
from PIL import Image
class SYNDataSet(data.Dataset):
def __init__(self, root, list_path, max_iters=None, crop_size=(321, 321), mean=(128, 128, 128), ignore_label=255):
self.root = root
self.list_path = list_path
self.crop_size = crop_size
self.ignore_label = ignore_label
self.mean = mean
self.img_ids = [i_id.strip()[4:] for i_id in open(list_path)]
if not max_iters==None:
self.img_ids = self.img_ids * int(np.ceil(float(max_iters) / len(self.img_ids)))
self.files = []
self.id_to_trainid = {3: 0, 4: 1, 2: 2, 21: 3, 5: 4, 7: 5,
15: 6, 9: 7, 6: 8, 16: 9, 1: 10, 10: 11, 17: 12,
8: 13, 18: 14, 19: 15, 20: 16, 12: 17, 11: 18}
def __len__(self):
return len(self.img_ids)
def __getitem__(self, index):
name = self.img_ids[index]
image = Image.open(osp.join(self.root, "RGB/%s" % name)).convert('RGB')
label = Image.open(osp.join(self.root, "synthia_mapped_to_cityscapes/%s" % name))
# resize
image = image.resize(self.crop_size, Image.BICUBIC)
label = label.resize(self.crop_size, Image.NEAREST)
image = np.asarray(image, np.float32)
label = np.asarray(label, np.float32)
# re-assign labels to match the format of Cityscapes
label_copy = self.ignore_label * np.ones(label.shape, dtype=np.float32)
for k, v in self.id_to_trainid.items():
label_copy[label == k] = v
size = image.shape
image = image[:, :, ::-1] # change to BGR
image -= self.mean
image = image.transpose((2, 0, 1))
return image.copy(), label_copy.copy(), np.array(size), name
| 35.981132 | 118 | 0.596224 |
f8e946685e7e97a87076bbd68c74a37160b98416 | 1,396 | py | Python | server.py | ryzbaka/BoyOfSilence_v2 | 6975c8bf435c7c56d92d889f51f90b208afe5635 | [
"MIT"
] | null | null | null | server.py | ryzbaka/BoyOfSilence_v2 | 6975c8bf435c7c56d92d889f51f90b208afe5635 | [
"MIT"
] | null | null | null | server.py | ryzbaka/BoyOfSilence_v2 | 6975c8bf435c7c56d92d889f51f90b208afe5635 | [
"MIT"
] | null | null | null | import json
from flask import Flask,render_template
import time
import tweepy
from textblob import TextBlob
import pandas as pd
import numpy as np
import sys
###API AUTHORIZATION###
consumer_key="Ee0lw604kCAuzTbFp3pcn5lck"
consumer_secret="uuedTNbrDhmhsI8QBeOeCcEaOxtoe4nXDPDcRd8XkLF67yzjQ1"
access_token="857652506079490048-pPDneGr61On9KS4KQ5yWG4wHZCvvdMz"
access_token_secret="kZEayyj3UM56Lf9xkk10yNgr8wCod6JXgnu0BueKcN5f7"
auth=tweepy.OAuthHandler(consumer_key,consumer_secret)
auth.set_access_token(access_token,access_token_secret)
api=tweepy.API(auth)
#######################
#####ROUTING#####
app=Flask(__name__)
app.config['SEND_FILE_MAX_AGE_DEFAULT'] = 0
@app.route("/")
@app.route("/<message>")
def get_homepage(message="nothing"):
return render_template('index.html',message=message)
@app.route("/something<name>")
def return_something(name):
object=json.dumps({'message':name})
return object
@app.route("/sentiment<keyword>")
def return_sentiment(keyword):
public_tweets=api.search(keyword)
sentiment=0
subjectivity=0
for tweet in public_tweets:
analysis=TextBlob(tweet.text)
sentiment+=analysis.sentiment[0]
subjectivity+=analysis.sentiment[1]
object={'sentiment':round(sentiment/len(public_tweets),2),'status':'okay'}
json_object=json.dumps(object)
return json_object
#################
app.run(port=5500)
| 27.372549 | 78 | 0.750716 |
c1ffdb325151b98c75c9c1e82d8d44c5198b11fe | 5,709 | py | Python | lib/train.py | SudeepSarkar/equilibrium-propagation | ba6d9ee5426445e9ad91c96c816fa5287ff97258 | [
"MIT"
] | 18 | 2020-01-07T11:25:45.000Z | 2022-01-24T18:25:13.000Z | lib/train.py | SudeepSarkar/equilibrium-propagation | ba6d9ee5426445e9ad91c96c816fa5287ff97258 | [
"MIT"
] | null | null | null | lib/train.py | SudeepSarkar/equilibrium-propagation | ba6d9ee5426445e9ad91c96c816fa5287ff97258 | [
"MIT"
] | 5 | 2020-06-26T23:37:22.000Z | 2021-09-04T12:22:49.000Z | # MIT License
# Copyright (c) 2020 Simon Schug, João Sacramento
# Permission is hereby granted, free of charge, to any person obtaining a copy
# of this software and associated documentation files (the "Software"), to deal
# in the Software without restriction, including without limitation the rights
# to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
# copies of the Software, and to permit persons to whom the Software is
# furnished to do so, subject to the following conditions:
# The above copyright notice and this permission notice shall be included in all
# copies or substantial portions of the Software.
# THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
# IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
# FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
# AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
# LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
# OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
# SOFTWARE.
import logging
import torch
from lib import config
def predict_batch(model, x_batch, dynamics, fast_init):
"""
Compute the softmax prediction probabilities for a given data batch.
Args:
model: EnergyBasedModel
x_batch: Batch of input tensors
dynamics: Dictionary containing the keyword arguments
for the relaxation dynamics on u
fast_init: Boolean to specify if fast feedforward initilization
is used for the prediction
Returns:
Softmax classification probabilities for the given data batch
"""
# Initialize the neural state variables
model.reset_state()
# Clamp the input to the test sample, and remove nudging from ouput
model.clamp_layer(0, x_batch.view(-1, model.dimensions[0]))
model.set_C_target(None)
# Generate the prediction
if fast_init:
model.fast_init()
else:
model.u_relax(**dynamics)
return torch.nn.functional.softmax(model.u[-1].detach(), dim=1)
def test(model, test_loader, dynamics, fast_init):
"""
Evaluate prediction accuracy of an energy-based model on a given test set.
Args:
model: EnergyBasedModel
test_loader: Dataloader containing the test dataset
dynamics: Dictionary containing the keyword arguments
for the relaxation dynamics on u
fast_init: Boolean to specify if fast feedforward initilization
is used for the prediction
Returns:
Test accuracy
Mean energy of the model per batch
"""
test_E, correct, total = 0.0, 0.0, 0.0
for x_batch, y_batch in test_loader:
# Prepare the new batch
x_batch, y_batch = x_batch.to(config.device), y_batch.to(config.device)
# Extract prediction as the output unit with the strongest activity
output = predict_batch(model, x_batch, dynamics, fast_init)
prediction = torch.argmax(output, 1)
with torch.no_grad():
# Compute test batch accuracy, energy and store number of seen batches
correct += float(torch.sum(prediction == y_batch.argmax(dim=1)))
test_E += float(torch.sum(model.E))
total += x_batch.size(0)
return correct / total, test_E / total
def train(model, train_loader, dynamics, w_optimizer, fast_init):
"""
Use equilibrium propagation to train an energy-based model.
Args:
model: EnergyBasedModel
train_loader: Dataloader containing the training dataset
dynamics: Dictionary containing the keyword arguments
for the relaxation dynamics on u
w_optimizer: torch.optim.Optimizer object for the model parameters
fast_init: Boolean to specify if fast feedforward initilization
is used for the prediction
"""
for batch_idx, (x_batch, y_batch) in enumerate(train_loader):
x_batch, y_batch = x_batch.to(config.device), y_batch.to(config.device)
# Reinitialize the neural state variables
model.reset_state()
# Clamp the input to the training sample
model.clamp_layer(0, x_batch.view(-1, model.dimensions[0]))
# Free phase
if fast_init:
# Skip the free phase using fast feed-forward initialization instead
model.fast_init()
free_grads = [torch.zeros_like(p) for p in model.parameters()]
else:
# Run free phase until settled to fixed point and collect the free phase derivates
model.set_C_target(None)
dE = model.u_relax(**dynamics)
free_grads = model.w_get_gradients()
# Run nudged phase until settled to fixed point and collect the nudged phase derivates
model.set_C_target(y_batch)
dE = model.u_relax(**dynamics)
nudged_grads = model.w_get_gradients()
# Optimize the parameters using the contrastive Hebbian style update
model.w_optimize(free_grads, nudged_grads, w_optimizer)
# Logging key statistics
if batch_idx % (len(train_loader) // 10) == 0:
# Extract prediction as the output unit with the strongest activity
output = predict_batch(model, x_batch, dynamics, fast_init)
prediction = torch.argmax(output, 1)
# Log energy and batch accuracy
batch_acc = float(torch.sum(prediction == y_batch.argmax(dim=1))) / x_batch.size(0)
logging.info('{:.0f}%:\tE: {:.2f}\tdE {:.2f}\tbatch_acc {:.4f}'.format(
100. * batch_idx / len(train_loader), torch.mean(model.E), dE, batch_acc))
| 38.574324 | 95 | 0.683833 |
cb2ebf4ea9fa51ded0a07116a761dc850691bc8f | 1,199 | py | Python | sudden_death/__init__.py | dev-hato/sudden-death | 89fb9827bc67f03822e279704ad6af24f47e8fb0 | [
"MIT"
] | null | null | null | sudden_death/__init__.py | dev-hato/sudden-death | 89fb9827bc67f03822e279704ad6af24f47e8fb0 | [
"MIT"
] | 127 | 2020-07-11T02:25:31.000Z | 2022-03-30T03:04:22.000Z | sudden_death/__init__.py | dev-hato/sudden-death | 89fb9827bc67f03822e279704ad6af24f47e8fb0 | [
"MIT"
] | null | null | null | """
_人人人人人人人_
> 鳩は唐揚げ <
 ̄^Y^Y^Y^Y^Y^Y^Y ̄
を作る
"""
import unicodedata
import click
import pyperclip
def text_len(text: str) -> int:
"""
一行の長さを出す
"""
count = 0
for character in text:
count += 2 if unicodedata.east_asian_width(character) in 'FWA' else 1
return count
def generator(msg: str) -> str:
"""
_人人人人人人人_
> 鳩は唐揚げ <
 ̄^Y^Y^Y^Y^Y^Y^Y ̄
を作る
"""
messages = msg.split('\n')
length = list(map(text_len, messages))
max_length = max(length)
generating = '_人'
for _ in range(max_length//2):
generating += '人'
generating += '人_\n'
for leng, message in zip(length, messages):
padding = ' ' * ((max_length - leng) // 2)
generating += '> ' + padding + message + padding + ' <\n'
generating += ' ̄^Y'
for _ in range(max_length//2):
generating += '^Y'
generating += '^Y ̄'
return generating
@click.command()
@click.argument('msg')
def cmd(msg: str = "") -> None:
"""
コマンド
"""
result = generator(msg)
pyperclip.copy(result)
click.echo(result)
def main() -> None:
"""
メイン関数
"""
cmd()
if __name__ == '__main__':
main()
| 16.652778 | 77 | 0.538782 |
b4e937386d47fd01e7f5c1d6f857ed3155f21153 | 7,926 | py | Python | aibg-ai/brainer_layers.py | BalderOdinson/ai-battleground-environment | b5a0a21ee90df113d34ab0f821ab9722007cc25c | [
"MIT"
] | null | null | null | aibg-ai/brainer_layers.py | BalderOdinson/ai-battleground-environment | b5a0a21ee90df113d34ab0f821ab9722007cc25c | [
"MIT"
] | 1 | 2021-09-02T07:58:16.000Z | 2021-09-02T07:58:16.000Z | aibg-ai/brainer_layers.py | BalderOdinson/ai-battleground-environment | b5a0a21ee90df113d34ab0f821ab9722007cc25c | [
"MIT"
] | null | null | null | import tensorflow as tf
from tensorflow.keras import layers, models, initializers
def identity_block(x, f, filters, stage, block):
"""
Implementation of the identity block as defined in Figure 3
Arguments:
x -- input tensor of shape (m, n_H_prev, n_W_prev, n_C_prev)
f -- integer, specifying the shape of the middle CONV's window for the main path
filters -- python list of integers, defining the number of filters in the CONV layers of the main path
stage -- integer, used to name the layers, depending on their position in the network
block -- string/character, used to name the layers, depending on their position in the network
Returns:
x -- output of the identity block, tensor of shape (n_H, n_W, n_C)
"""
# defining name basis
conv_name_base = 'res' + str(stage) + block + '_branch'
bn_name_base = 'bn' + str(stage) + block + '_branch'
# Retrieve Filters
f1, f2, f3 = filters
# Save the input value. You'll need this later to add back to the main path.
x_shortcut = x
# first component of main path
x = layers.Conv2D(filters=f1, kernel_size=(1, 1), strides=(1, 1), padding='valid', name=conv_name_base + '2a',
kernel_initializer=initializers.glorot_uniform(seed=0))(x)
x = layers.BatchNormalization(axis=3, name=bn_name_base + '2a')(x)
x = layers.Activation('relu')(x)
# Second component of main path (≈3 lines)
x = layers.Conv2D(filters=f2, kernel_size=(f, f), strides=(1, 1), padding='same', name=conv_name_base + '2b',
kernel_initializer=initializers.glorot_uniform(seed=0))(x)
x = layers.BatchNormalization(axis=3, name=bn_name_base + '2b')(x)
x = layers.Activation('relu')(x)
# Third component of main path (≈2 lines)
x = layers.Conv2D(filters=f3, kernel_size=(1, 1), strides=(1, 1), padding='valid', name=conv_name_base + '2c',
kernel_initializer=initializers.glorot_uniform(seed=0))(x)
x = layers.BatchNormalization(axis=3, name=bn_name_base + '2c')(x)
# Final step: Add shortcut value to main path, and pass it through a RELU activation (≈2 lines)
x = layers.Add()([x, x_shortcut])
x = layers.Activation('relu')(x)
return x
def convolutional_block(x, f, filters, stage, block, s=2):
"""
Implementation of the convolutional block as defined in figure 4
Arguments:
x -- input tensor of shape (m, n_H_prev, n_W_prev, n_C_prev)
f -- integer, specifying the shape of the middle CONV's window for the main path
filters -- python list of integers, defining the number of filters in the CONV layers of the main path
stage -- integer, used to name the layers, depending on their position in the network
block -- string/character, used to name the layers, depending on their position in the network
s -- Integer, specifying the stride to be used
Returns:
x -- output of the convolutional block, tensor of shape (n_H, n_W, n_C)
"""
# defining name basis
conv_name_base = 'res' + str(stage) + block + '_branch'
bn_name_base = 'bn' + str(stage) + block + '_branch'
# Retrieve filters
f1, f2, f3 = filters
# Save the input value
x_shortcut = x
# MAIN PATH
# first component of main path
x = layers.Conv2D(f1, (1, 1), strides=(s, s), name=conv_name_base + '2a',
kernel_initializer=initializers.glorot_uniform(seed=0))(x)
x = layers.BatchNormalization(axis=3, name=bn_name_base + '2a')(x)
x = layers.Activation('relu')(x)
# Second component of main path (≈3 lines)
x = layers.Conv2D(filters=f2, kernel_size=(f, f), strides=(1, 1), padding='same', name=conv_name_base + '2b',
kernel_initializer=initializers.glorot_uniform(seed=0))(x)
x = layers.BatchNormalization(axis=3, name=bn_name_base + '2b')(x)
x = layers.Activation('relu')(x)
# Third component of main path (≈2 lines)
x = layers.Conv2D(filters=f3, kernel_size=(1, 1), strides=(1, 1), padding='valid', name=conv_name_base + '2c',
kernel_initializer=initializers.glorot_uniform(seed=0))(x)
x = layers.BatchNormalization(axis=3, name=bn_name_base + '2c')(x)
# SHORTCUT PATH (≈2 lines)
x_shortcut = layers.Conv2D(filters=f3, kernel_size=(1, 1), strides=(s, s), padding='valid',
name=conv_name_base + '1',
kernel_initializer=initializers.glorot_uniform(seed=0))(x_shortcut)
x_shortcut = layers.BatchNormalization(axis=3, name=bn_name_base + '1')(x_shortcut)
# Final step: Add shortcut value to main path, and pass it through a RELU activation (≈2 lines)
x = layers.Add()([x, x_shortcut])
x = layers.Activation('relu')(x)
return x
def conv2d_map_block(input_layer, padding):
x = layers.ZeroPadding2D(padding, name='crop_map')(input_layer)
x = layers.Conv2D(8, (5, 5), (2, 2), name='conv2d_map')(x)
x = layers.BatchNormalization(name='batchnorm_map')(x)
x = layers.MaxPool2D((2, 2))(x)
x = convolutional_block(x, 3, [8, 8, 16], 2, 'm_a', s=1)
x = identity_block(x, 3, [8, 8, 16], 2, 'm_b')
x = identity_block(x, 3, [8, 8, 16], 2, 'm_c')
x = convolutional_block(x, 3, [16, 16, 32], 3, 'm_a', s=2)
x = identity_block(x, 3, [16, 16, 32], 3, 'm_b')
x = identity_block(x, 3, [16, 16, 32], 3, 'm_c')
x = identity_block(x, 3, [16, 16, 32], 3, 'm_d')
x = convolutional_block(x, 3, [32, 32, 64], 4, 'm_a', s=2)
x = identity_block(x, 3, [32, 32, 64], 4, 'm_b')
x = identity_block(x, 3, [32, 32, 64], 4, 'm_c')
x = identity_block(x, 3, [32, 32, 64], 4, 'm_d')
x = convolutional_block(x, 3, [64, 64, 64], 5, 'm_a', s=2)
x = identity_block(x, 3, [64, 64, 64], 5, 'm_b')
x = identity_block(x, 3, [64, 64, 64], 5, 'm_c')
x = identity_block(x, 3, [64, 64, 64], 5, 'm_d')
return layers.AveragePooling2D((2, 2))(x)
def conv2d_stats_block(input_layer, cropping, stats_block):
x = layers.Cropping2D(cropping, name='crop_' + stats_block)(input_layer)
x = layers.Conv2D(8, (5, 5), (2, 2), name='conv2d_' + stats_block)(x)
x = layers.BatchNormalization(name='batchnorm_' + stats_block)(x)
x = layers.MaxPool2D((2, 2))(x)
x = convolutional_block(x, 3, [8, 8, 16], 2, stats_block + '_a', s=1)
x = identity_block(x, 3, [8, 8, 16], 2, stats_block + '_b')
x = identity_block(x, 3, [8, 8, 16], 2, stats_block + '_c')
x = convolutional_block(x, 3, [16, 16, 32], 3, stats_block + '_a', s=2)
x = identity_block(x, 3, [16, 16, 32], 3, stats_block + '_b')
x = identity_block(x, 3, [16, 16, 32], 3, stats_block + '_c')
x = identity_block(x, 3, [16, 16, 32], 3, stats_block + '_d')
x = convolutional_block(x, 3, [32, 32, 64], 4, stats_block + '_a', s=2)
x = identity_block(x, 3, [32, 32, 64], 4, stats_block + '_b')
x = identity_block(x, 3, [32, 32, 64], 4, stats_block + '_c')
x = identity_block(x, 3, [32, 32, 64], 4, stats_block + '_d')
return layers.AveragePooling2D((3, 3))(x)
def brainer_net_V1(input_shape=None):
if input_shape is None:
input_shape = [200, 355, 3]
height = input_shape[0]
width = input_shape[1]
diff_w_h = width - height
up = int(diff_w_h / 2)
down = up if up * 2 == diff_w_h else up + 1
inputs = layers.Input(shape=input_shape)
x = conv2d_stats_block(inputs, ((0, 0), (0, diff_w_h)), stats_block='l_s')
y = conv2d_map_block(inputs, ((up, down), (0, 0)))
z = conv2d_stats_block(inputs, ((0, 0), (diff_w_h, 0)), stats_block='r_s')
out = layers.Add()([x, y, z])
return models.Model(inputs, layers.AveragePooling2D((2, 2))(out), name='brainer_net_V1')
class Sampling(layers.Layer):
def call(self, inputs, **kwargs):
mean, log_var = inputs
epsilon = tf.keras.backend.random_normal(tf.shape(mean))
return mean + tf.exp(0.5 * log_var) * epsilon
| 43.311475 | 114 | 0.633485 |
32eff85ea20f590ad0222dde4f598221822533c1 | 28,315 | py | Python | dcos_test_utils/dcos_api.py | Klarrio/dcos-test-utils | f45f0938582fc166354a96c80ead0ea716adf3f3 | [
"Apache-2.0"
] | 8 | 2018-02-01T20:32:18.000Z | 2020-01-23T17:02:16.000Z | dcos_test_utils/dcos_api.py | Klarrio/dcos-test-utils | f45f0938582fc166354a96c80ead0ea716adf3f3 | [
"Apache-2.0"
] | 52 | 2017-07-27T16:51:07.000Z | 2020-09-28T11:18:52.000Z | dcos_test_utils/dcos_api.py | Klarrio/dcos-test-utils | f45f0938582fc166354a96c80ead0ea716adf3f3 | [
"Apache-2.0"
] | 22 | 2017-07-21T16:07:03.000Z | 2022-03-01T13:43:56.000Z | """ Utilities for interacting with a DC/OS instance via REST API
Most DC/OS deployments will have auth enabled, so this module includes
DcosUser and DcosAuth to be attached to a DcosApiSession. Additionally,
it is sometimes necessary to query specific nodes within a DC/OS cluster,
so there is ARNodeApiClientMixin to allow querying nodes without boilerplate
to set the correct port and scheme.
"""
import copy
import logging
import os
from typing import List, Optional
import requests
import retrying
from dcos_test_utils import (
diagnostics,
jobs,
marathon,
package,
helpers
)
log = logging.getLogger(__name__)
class DcosUser:
""" Representation of a DC/OS user used for authentication
:param credentials: representation of the JSON used to log in
:type credentials: dict
"""
def __init__(self, credentials: dict):
self.credentials = credentials
self.auth_token = None
self.auth_cookie = None
@property
def auth_header(self) -> dict:
""" Property for the auth header provided at authentication time
:returns: representation of HTTP headers to use
:rtype: dict
"""
return {'Authorization': 'token={}'.format(self.auth_token)}
class DcosAuth(requests.auth.AuthBase):
""" Child of AuthBase for specifying how to handle DC/OS auth per request
:param auth_token: token generated by authenticating with access control
:type auth_token: str
"""
def __init__(self, auth_token: str):
self.auth_token = auth_token
def __call__(self, request):
request.headers['Authorization'] = 'token={}'.format(self.auth_token)
return request
class Exhibitor(helpers.RetryCommonHttpErrorsMixin, helpers.ApiClientSession):
""" Exhibitor can have a password set, in which case a different auth model is needed
:param default_url: Url object for the exhibitor instance
:type default_url: helpers.Url
:param session: optional session for bootstrapping this session (a new one is created otherwise)
:type session: requests.Session
:param exhibitor_admin_password: password for exhibitor (not always set)
:type exhibitor_admin_password: str
"""
def __init__(self, default_url: helpers.Url, session: Optional[requests.Session]=None,
exhibitor_admin_password: Optional[str]=None):
super().__init__(default_url)
if session is not None:
self.session = session
if exhibitor_admin_password is not None:
# Override auth to use HTTP basic auth with the provided admin password.
self.session.auth = requests.auth.HTTPBasicAuth('admin', exhibitor_admin_password)
class DcosApiSession(helpers.ARNodeApiClientMixin, helpers.RetryCommonHttpErrorsMixin, helpers.ApiClientSession):
"""Proxy class for DC/OS clusters. If any of the host lists (masters,
slaves, public_slaves) are provided, the wait_for_dcos function of this
class will wait until provisioning is complete. If these lists are not
provided, then there is no ground truth and the cluster will be assumed
the be in a completed state.
:param dcos_url: address for the DC/OS web UI.
:type dcos_url: helpers.Url
:param masters: list of Mesos master advertised IP addresses.
:type masters: list
:param slaves: list of Mesos slave/agent advertised IP addresses.
:type slaves: list
:param public_slaves: list of public Mesos slave/agent advertised IP addresses.
:type public_slaves: list
:param auth_user: use this user's auth for all requests.
Note: user must be authenticated explicitly or call self.wait_for_dcos()
:type auth_user: DcosUser
"""
def __init__(
self,
dcos_url: str,
masters: Optional[List[str]],
slaves: Optional[List[str]],
public_slaves: Optional[List[str]],
auth_user: Optional[DcosUser],
exhibitor_admin_password: Optional[str]=None):
super().__init__(helpers.Url.from_string(dcos_url))
self.master_list = masters
self.slave_list = slaves
self.public_slave_list = public_slaves
self.auth_user = auth_user
self.exhibitor_admin_password = exhibitor_admin_password
@classmethod
def create(cls):
""" Uses environment variables defined in :func:`DcosApiSession.get_args_from_env`
to create a new DcosApiSession instance
"""
api = cls(**cls.get_args_from_env())
api.login_default_user()
return api
@staticmethod
def get_args_from_env() -> dict:
""" This method will use environment variables to generate
the arguments necessary to initialize a :class:`DcosApiSession`
Environment Variables:
* **DCOS_DNS_ADDRESS**: the URL for the DC/OS cluster to be used. If not set, leader.mesos will be used
* **DCOS_ACS_TOKEN**: authentication token that can be taken from dcos-cli after login in order to authenticate
If not given, a hard-coded dummy login token will be used to create the authentication token.
* **MASTER_HOSTS**: a complete list of the expected master IPs (optional)
* **SLAVE_HOSTS**: a complete list of the expected private slaves IPs (optional)
* **PUBLIC_SLAVE_HOSTS**: a complete list of the public slave IPs (optional)
:returns: arguments to initialize a DcosApiSesssion
:rtype: dict
"""
dcos_acs_token = os.getenv('DCOS_ACS_TOKEN')
if dcos_acs_token is None:
auth_user = DcosUser(helpers.CI_CREDENTIALS)
else:
auth_user = DcosUser(None)
auth_user.auth_token = dcos_acs_token
masters = os.getenv('MASTER_HOSTS')
slaves = os.getenv('SLAVE_HOSTS')
windows_slaves = os.getenv('WINDOWS_HOSTS')
public_slaves = os.getenv('PUBLIC_SLAVE_HOSTS')
windows_public_slaves = os.getenv('WINDOWS_PUBLIC_HOSTS')
if windows_slaves:
slaves = ",".join((slaves, windows_slaves))
if windows_public_slaves:
public_slaves = ",".join((public_slaves, windows_public_slaves))
return {
'auth_user': auth_user,
'dcos_url': os.getenv('DCOS_DNS_ADDRESS', 'http://leader.mesos'),
'masters': masters.split(',') if masters is not None else None,
'slaves': slaves.split(',') if slaves is not None else [],
'public_slaves': public_slaves.split(',') if public_slaves is not None else []}
@property
def masters(self) -> List[str]:
""" Property which returns a sorted list of master IP strings for this cluster
"""
return sorted(self.master_list)
@property
def slaves(self) -> List[str]:
""" Property which returns a sorted list of private slave IP strings for this cluster
"""
return sorted(self.slave_list)
@property
def public_slaves(self) -> List[str]:
""" Property which retruns a sorted list of public slave IP strings for this cluster
"""
return sorted(self.public_slave_list)
@property
def all_slaves(self) -> List[str]:
""" Property which returns a sorted list of all slave IP strings for this cluster
"""
return sorted(self.slaves + self.public_slaves)
def set_node_lists_if_unset(self):
""" Sets the expected cluster topology to be the observed cluster
topology from exhibitor and mesos. I.E. if masters, slave, or
public_slaves were not provided, accept whatever is currently available
"""
if self.master_list is None:
log.debug('Master list not provided, setting from exhibitor...')
r = self.get('/exhibitor/exhibitor/v1/cluster/list')
r.raise_for_status()
self.master_list = sorted(r.json()['servers'])
log.info('Master list set as: {}'.format(self.masters))
if self.slave_list is not None and self.public_slave_list is not None:
return
r = self.get('/mesos/slaves')
r.raise_for_status()
slaves_json = r.json()['slaves']
if self.slave_list is None:
log.debug('Private slave list not provided; fetching from mesos...')
self.slave_list = sorted(
[s['hostname'] for s in slaves_json if s['attributes'].get('public_ip') != 'true'])
log.info('Private slave list set as: {}'.format(self.slaves))
if self.public_slave_list is None:
log.debug('Public slave list not provided; fetching from mesos...')
self.public_slave_list = sorted(
[s['hostname'] for s in slaves_json if s['attributes'].get('public_ip') == 'true'])
log.info('Public slave list set as: {}'.format(self.public_slaves))
@retrying.retry(wait_fixed=5000, stop_max_delay=120 * 1000)
def login_default_user(self):
"""retry default user login because in some deployments,
the login endpoint might not be routable immediately
after Admin Router is up.
We wait 5 seconds between retries to avoid DoS-ing the IAM.
Raises:
requests.HTTPException: In case the login fails due to wrong
username or password of the default user.
"""
if self.auth_user is None:
log.info('No credentials are defined')
return
if self.auth_user.auth_token is not None:
log.info('Already logged in as default user')
self.session.auth = DcosAuth(self.auth_user.auth_token)
return
log.info('Attempting default user login')
# Explicitly request the default user authentication token by logging in.
r = self.post('/acs/api/v1/auth/login', json=self.auth_user.credentials, auth=None)
r.raise_for_status()
log.info('Received authentication token: {}'.format(r.json()))
self.auth_user.auth_token = r.json()['token']
self.auth_user.auth_cookie = r.cookies['dcos-acs-auth-cookie']
log.info('Login successful')
# Set requests auth
self.session.auth = DcosAuth(self.auth_user.auth_token)
@retrying.retry(wait_fixed=1000,
stop_max_delay=5*60*1000,
retry_on_result=lambda ret: ret is False,
retry_on_exception=lambda x: False)
def _wait_for_marathon_up(self):
r = self.get('/marathon/v2/info')
# http://mesosphere.github.io/marathon/api-console/index.html
# 200 at /marathon/v2/info indicates marathon is up.
if r.status_code == 200:
log.info("Marathon is up.")
return True
else:
msg = "Waiting for Marathon, resp code is: {}"
log.info(msg.format(r.status_code))
return False
@retrying.retry(wait_fixed=1000, stop_max_delay=5*60*1000)
def _wait_for_zk_quorum(self):
"""Queries exhibitor to ensure all master ZKs have joined
"""
r = self.get('/exhibitor/exhibitor/v1/cluster/status')
if not r.ok:
log.warning('Exhibitor status not available')
r.raise_for_status()
status = r.json()
log.info('Exhibitor cluster status: {}'.format(status))
zk_nodes = sorted([n['hostname'] for n in status])
# zk nodes will be private but masters can be public
assert len(zk_nodes) == len(self.masters), 'ZooKeeper has not formed the expected quorum'
@retrying.retry(wait_fixed=1000,
stop_max_delay=5*60*1000,
retry_on_result=lambda ret: ret is False,
retry_on_exception=lambda x: False)
def _wait_for_slaves_to_join(self):
r = self.get('/mesos/master/slaves')
if r.status_code != 200:
msg = "Mesos master returned status code {} != 200 "
msg += "continuing to wait..."
log.info(msg.format(r.status_code))
return False
data = r.json()
# Check that there are all the slaves the test knows about. They are all
# needed to pass the test.
num_slaves = len(data['slaves'])
if num_slaves >= len(self.all_slaves):
msg = "Sufficient ({} >= {}) number of slaves have joined the cluster"
log.info(msg.format(num_slaves, self.all_slaves))
return True
else:
msg = "Current number of slaves: {} < {}, continuing to wait..."
log.info(msg.format(num_slaves, self.all_slaves))
return False
@retrying.retry(wait_fixed=1000,
stop_max_delay=5*60*1000,
retry_on_result=lambda ret: ret is False,
retry_on_exception=lambda x: False)
def _wait_for_adminrouter_up(self):
try:
# Yeah, we can also put it in retry_on_exception, but
# this way we will loose debug messages
self.get('/')
except requests.ConnectionError as e:
msg = "Cannot connect to nginx, error string: '{}', continuing to wait"
log.info(msg.format(e))
return False
else:
log.info("Nginx is UP!")
return True
# Retry if returncode is False, do not retry on exceptions.
# We don't want to infinite retries while waiting for agent endpoints,
# when we are retrying on both HTTP 502 and 404 statuses
# Added a stop_max_attempt to 60.
@retrying.retry(wait_fixed=2000,
retry_on_result=lambda r: r is False,
retry_on_exception=lambda _: False,
stop_max_attempt_number=60)
def _wait_for_srouter_slaves_endpoints(self):
# Get currently known agents. This request is served straight from
# Mesos (no AdminRouter-based caching is involved).
r = self.get('/mesos/master/slaves')
# If the agent has restarted, the mesos endpoint can give 502
# for a brief moment.
if r.status_code == 502:
return False
assert r.status_code == 200
data = r.json()
# only check against the slaves we expect to be in the cluster
# so we can check that cluster has returned after a failure
# in which case will will have new slaves and dead slaves
slaves_ids = sorted(x['id'] for x in data['slaves'] if x['hostname'] in self.all_slaves)
for slave_id in slaves_ids:
in_progress_status_codes = (
# AdminRouter's slave endpoint internally uses cached Mesos
# state data. That is, slave IDs of just recently joined
# slaves can be unknown here. For those, this endpoint
# returns a 404. Retry in this case, until this endpoint
# is confirmed to work for all known agents.
404,
# During a node restart or a DC/OS upgrade, this
# endpoint returns a 502 temporarily, until the agent has
# started up and the Mesos agent HTTP server can be reached.
502,
# We have seen this endpoint return 503 with body
# b'Agent has not finished recovery' on a cluster which
# later became healthy.
503,
)
uri = '/slave/{}/slave%281%29/state'.format(slave_id)
r = self.get(uri)
if r.status_code in in_progress_status_codes:
return False
assert r.status_code == 200, (
'Expecting status code 200 for GET request to {uri} but got '
'{status_code} with body {content}'
).format(uri=uri, status_code=r.status_code, content=r.content)
data = r.json()
assert "id" in data
assert data["id"] == slave_id
@retrying.retry(wait_fixed=2000,
stop_max_delay=5*60*1000,
retry_on_result=lambda r: r is False,
retry_on_exception=lambda _: False)
def _wait_for_metronome(self):
# Although this is named `wait_for_metronome`, some of the waiting
# done in this function is, implicitly, for Admin Router.
r = self.get('/service/metronome/v1/jobs')
expected_error_codes = {
404: ('It may be the case that Admin Router is returning a 404 '
'despite the Metronome service existing because it uses a cache. '
'This cache is updated periodically.'),
504: ('Metronome is returning a Gateway Timeout Error.'
'It may be that the service is still starting up.')
}
log.info('Metronome status code:')
log.info(r.status_code)
log.info('Metronome response body:')
log.info(r.text)
if r.status_code in expected_error_codes or r.status_code >= 500:
error_message = expected_error_codes.get(r.status_code)
if error_message:
log.info(error_message)
log.info('Continuing to wait for Metronome')
return False
assert r.status_code == 200, "Expecting status code 200 for Metronome but got {} with body {}"\
.format(r.status_code, r.content)
@retrying.retry(wait_fixed=2000,
retry_on_result=lambda r: r is False,
retry_on_exception=lambda _: False)
def _wait_for_all_healthy_services(self):
r = self.health.get('/units')
r.raise_for_status()
all_healthy = True
for unit in r.json()['units']:
if unit['health'] != 0:
log.info("{} service health: {}".format(unit['id'], unit['health']))
all_healthy = False
return all_healthy
def wait_for_dcos(self):
""" This method will wait for:
* cluster endpoints to come up immediately after deployment has completed
* authentication with DC/OS to be successful
* all DC/OS services becoming healthy
* all explicitly declared nodes register to register
"""
self._wait_for_adminrouter_up()
self.login_default_user()
wait_for_hosts = os.getenv('WAIT_FOR_HOSTS', 'true') == 'true'
master_list_set = self.master_list is not None
slave_list_set = self.slave_list is not None
public_slave_list_set = self.public_slave_list is not None
node_lists_set = all([master_list_set, slave_list_set, public_slave_list_set])
if wait_for_hosts and not node_lists_set:
raise Exception(
'This cluster is set to wait for hosts, however, not all host lists '
'were supplied. Please set all three environment variables of MASTER_HOSTS, '
'SLAVE_HOSTS, and PUBLIC_SLAVE_HOSTS to the appropriate cluster IPs (comma separated). '
'Alternatively, set WAIT_FOR_HOSTS=false in the environment to use whichever hosts '
'are currently registered.')
self.set_node_lists_if_unset()
self._wait_for_marathon_up()
self._wait_for_zk_quorum()
self._wait_for_slaves_to_join()
self._wait_for_srouter_slaves_endpoints()
self._wait_for_metronome()
self._wait_for_all_healthy_services()
def copy(self):
""" Create a new client session from this one without cookies, with the authentication intact.
"""
new = copy.deepcopy(self)
new.session.cookies.clear()
return new
def get_user_session(self, user: DcosUser):
"""Returns a copy of this client session with a new user
:param user: The user with which the new DcosApiSession will authenticate (can be None)
:type user: DcosUser
"""
new = self.copy()
new.session.auth = None
new.auth_user = None
if user is not None:
new.auth_user = user
new.login_default_user()
return new
@property
def exhibitor(self):
""" Property which creates a new :class:`Exhibitor`
"""
if self.exhibitor_admin_password is None:
# No basic HTTP auth. Access Exhibitor via the adminrouter.
default_url = self.default_url.copy(path='exhibitor')
else:
# Exhibitor is protected with HTTP basic auth, which conflicts with adminrouter's auth. We must bypass
# the adminrouter and access Exhibitor directly.
default_url = helpers.Url.from_string('http://{}:8181'.format(self.masters[0]))
return Exhibitor(
default_url=default_url,
session=self.copy().session,
exhibitor_admin_password=self.exhibitor_admin_password)
@property
def marathon(self):
""" Property which returns a :class:`dcos_test_utils.marathon.Marathon`
derived from this session
"""
return marathon.Marathon(
default_url=self.default_url.copy(path='marathon'),
session=self.copy().session)
@property
def metronome(self):
""" Property which returns a copy of this session where all requests are
prefaced with /service/metronome
"""
new = self.copy()
new.default_url = self.default_url.copy(path='service/metronome')
return new
@property
def jobs(self):
""" Property which returns a :class:`dcos_test_utils.jobs.Jobs`
derived from this session
"""
return jobs.Jobs(
default_url=self.default_url.copy(path='service/metronome'),
session=self.copy().session)
@property
def cosmos(self):
""" Property which returns a :class:`dcos_test_utils.package.Cosmos`
derived from this session
"""
return package.Cosmos(
default_url=self.default_url.copy(path="package"),
session=self.copy().session)
@property
def health(self):
""" Property which returns a :class:`dcos_test_utils.diagnostics.Diagnostics`
derived from this session
"""
health_url = self.default_url.copy(query='cache=0', path='system/health/v1')
return diagnostics.Diagnostics(
health_url,
self.masters,
self.all_slaves,
session=self.copy().session)
@property
def logs(self):
""" Property which returns a copy of this session where all requests are
prefaced with /system/v1/logs
"""
new = self.copy()
new.default_url = self.default_url.copy(path='system/v1/logs')
return new
@property
def metrics(self):
""" Property which returns a copy of this session where all requests are
prefaced with /system/v1/metrics/v0
"""
new = self.copy()
new.default_url = self.default_url.copy(path='/system/v1/metrics/v0')
return new
def metronome_one_off(
self,
job_definition: dict,
timeout: int=300,
ignore_failures: bool=False) -> None:
"""Run a job on metronome and block until it returns success
:param job_definition: metronome job JSON to be triggered once
:type job_definition: dict
:param timeout: how long to wait (in seconds) for the job to complete
:type timeout: int
:param ignore_failures: if True, failures will not block or raise an exception
:type ignore_failures: bool
"""
_jobs = self.jobs
job_id = job_definition['id']
log.info('Creating metronome job: ' + repr(job_definition))
_jobs.create(job_definition)
log.info('Starting metronome job')
status, run, job = _jobs.run(job_id, timeout=timeout)
if not status:
log.info('Job failed, run info: {}'.format(run))
if not ignore_failures:
raise Exception('Metronome job failed!: ' + repr(job))
else:
log.info('Metronome one-off successful')
log.info('Deleting metronome one-off')
_jobs.destroy(job_id)
def mesos_sandbox_directory(self, slave_id: str, framework_id: str, task_id: str) -> str:
""" Gets the mesos sandbox directory for a specific task
:param slave_id: slave ID to pull sandbox from
:type slave_id: str
:param framework_id: framework_id to pull sandbox from
:type frameowork_id: str
:param task_id: task ID to pull directory sandbox from
:type task_id: str
:returns: the directory of the sandbox
:rtype: str
"""
r = self.get('/agent/{}/state'.format(slave_id))
r.raise_for_status()
agent_state = r.json()
try:
framework = next(f for f in agent_state['frameworks'] if f['id'] == framework_id)
except StopIteration:
raise Exception('Framework {} not found on agent {}'.format(framework_id, slave_id))
try:
executor = next(e for e in framework['executors'] if e['id'] == task_id)
except StopIteration:
raise Exception('Executor {} not found on framework {} on agent {}'.format(task_id, framework_id, slave_id))
return executor['directory']
def mesos_sandbox_file(self, slave_id: str, framework_id: str, task_id: str, filename: str) -> str:
""" Gets a specific file from a task sandbox and returns the text content
:param slave_id: ID of the slave running the task
:type slave_id: str
:param framework_id: ID of the framework of the task
:type framework_id: str
:param task_id: ID of the task
:type task_id: str
:param filename: filename in the sandbox
:type filename: str
:returns: sandbox text contents
"""
r = self.get(
'/agent/{}/files/download'.format(slave_id),
params={'path': self.mesos_sandbox_directory(slave_id, framework_id, task_id) + '/' + filename}
)
r.raise_for_status()
return r.text
def mesos_pod_sandbox_directory(self, slave_id: str, framework_id: str, executor_id: str, task_id: str) -> str:
""" Gets the mesos sandbox directory for a specific task in a pod which is currently running
:param slave_id: slave ID to pull sandbox from
:type slave_id: str
:param framework_id: framework_id to pull sandbox from
:type frameowork_id: str
:param executor_id: executor ID to pull directory sandbox from
:type executor_id: str
:param task_id: task ID to pull directory sandbox from
:type task_id: str
:returns: the directory of the sandbox
:rtype: str
"""
return '{}/tasks/{}'.format(self.mesos_sandbox_directory(slave_id, framework_id, executor_id), task_id)
def mesos_pod_sandbox_file(
self,
slave_id: str,
framework_id: str,
executor_id: str,
task_id: str,
filename: str) -> str:
""" Gets a specific file from a currently-running pod's task sandbox and returns the text content
:param slave_id: ID of the slave running the task
:type slave_id: str
:param framework_id: ID of the framework of the task
:type framework_id: str
:param executor_id: ID of the executor
:type executor_id: str
:param task_id: ID of the task
:type task_id: str
:param filename: filename in the sandbox
:type filename: str
:returns: sandbox text contents
"""
r = self.get(
'/agent/{}/files/download'.format(slave_id),
params={'path': self.mesos_pod_sandbox_directory(
slave_id, framework_id, executor_id, task_id) + '/' + filename}
)
r.raise_for_status()
return r.text
def get_version(self) -> str:
""" Queries the DC/OS version endpoint to get DC/OS version
:returns: version for DC/OS
"""
version_metadata = self.get('/dcos-metadata/dcos-version.json')
version_metadata.raise_for_status()
data = version_metadata.json()
return data["version"]
| 41.155523 | 120 | 0.627689 |
b2fa86b24974f79c03e8b40da42d1bc2de292b02 | 4,258 | py | Python | PhotographyWebsite/settings.py | antonarnaudov/Django-Framework | ada16a0610c8a522c98fae6b6287ae2a3fa55c32 | [
"MIT"
] | null | null | null | PhotographyWebsite/settings.py | antonarnaudov/Django-Framework | ada16a0610c8a522c98fae6b6287ae2a3fa55c32 | [
"MIT"
] | null | null | null | PhotographyWebsite/settings.py | antonarnaudov/Django-Framework | ada16a0610c8a522c98fae6b6287ae2a3fa55c32 | [
"MIT"
] | null | null | null | """
Django settings for PhotographyWebsite project.
Generated by 'django-admin startproject' using Django 3.1.1.
For more information on this file, see
https://docs.djangoproject.com/en/3.1/topics/settings/
For the full list of settings and their values, see
https://docs.djangoproject.com/en/3.1/ref/settings/
"""
from os.path import join
from pathlib import Path
# Build paths inside the project like this: BASE_DIR / 'subdir'.
BASE_DIR = Path(__file__).resolve().parent.parent
# Quick-start development settings - unsuitable for production
# See https://docs.djangoproject.com/en/3.1/howto/deployment/checklist/
# SECURITY WARNING: keep the secret key used in production secret!
SECRET_KEY = 'x&4x9@x^m_hzvwa2)80z3q=kg@3@k%nw*g+h1feq1qe04shfb2'
# SECURITY WARNING: don't run with debug turned on in production!
DEBUG = True
ALLOWED_HOSTS = ['*']
# Application definition
INSTALLED_APPS = [
'django.contrib.admin',
'django.contrib.auth',
'django.contrib.contenttypes',
'django.contrib.sessions',
'django.contrib.messages',
'django.contrib.staticfiles',
'drf_yasg',
'bootstrap4',
'rest_framework',
'django_filters',
'Photos',
'Auth',
'Api'
]
MIDDLEWARE = [
'django.middleware.security.SecurityMiddleware',
'django.contrib.sessions.middleware.SessionMiddleware',
'django.middleware.common.CommonMiddleware',
'django.middleware.csrf.CsrfViewMiddleware',
'django.contrib.auth.middleware.AuthenticationMiddleware',
'django.contrib.messages.middleware.MessageMiddleware',
'django.middleware.clickjacking.XFrameOptionsMiddleware',
]
ROOT_URLCONF = 'PhotographyWebsite.urls'
TEMPLATES = [
{
'BACKEND': 'django.template.backends.django.DjangoTemplates',
'DIRS': [BASE_DIR / 'templates'],
'APP_DIRS': True,
'OPTIONS': {
'context_processors': [
'django.template.context_processors.debug',
'django.template.context_processors.request',
'django.contrib.auth.context_processors.auth',
'django.contrib.messages.context_processors.messages',
'django.template.context_processors.media'
],
},
},
]
WSGI_APPLICATION = 'PhotographyWebsite.wsgi.application'
# Database
# https://docs.djangoproject.com/en/3.1/ref/settings/#databases
DATABASES = {
'default': {
'ENGINE': 'django.db.backends.postgresql',
'NAME': 'PhotographyWebsite_db',
'USER': 'postgres',
'PASSWORD': '1234',
'HOST': 'localhost',
'PORT': '5432',
}
}
# Password validation
# https://docs.djangoproject.com/en/3.1/ref/settings/#auth-password-validators
AUTH_PASSWORD_VALIDATORS = [
{
'NAME': 'django.contrib.auth.password_validation.UserAttributeSimilarityValidator',
},
{
'NAME': 'django.contrib.auth.password_validation.MinimumLengthValidator',
},
{
'NAME': 'django.contrib.auth.password_validation.CommonPasswordValidator',
},
{
'NAME': 'django.contrib.auth.password_validation.NumericPasswordValidator',
},
]
# Internationalization
# https://docs.djangoproject.com/en/3.1/topics/i18n/
LANGUAGE_CODE = 'en-us'
TIME_ZONE = 'UTC'
USE_I18N = True
USE_L10N = True
USE_TZ = True
# Static files (CSS, JavaScript, Images)
# https://docs.djangoproject.com/en/3.1/howto/static-files/
STATIC_URL = '/static/'
STATIC_ROOT = ''
STATICFILES_DIRS = [
join(BASE_DIR / 'static'),
]
MEDIA_URL = '/media/'
MEDIA_ROOT = join(BASE_DIR, 'media/')
LOGIN_URL = '/auth/login'
REST_FRAMEWORK = {
'DEFAULT_FILTER_BACKENDS': ['django_filters.rest_framework.DjangoFilterBackend'],
'DEFAULT_AUTHENTICATION_CLASSES': (
'rest_framework.authentication.SessionAuthentication',
'rest_framework.authentication.TokenAuthentication',
),
# Setting default pagination class that will appear on every list-view
'DEFAULT_PAGINATION_CLASS': 'rest_framework.pagination.CursorPagination',
'PAGE_SIZE': 3,
# Parser is used for Swagger adding serializer fields in autogen documentation
# 'DEFAULT_PARSER_CLASSES': [
# 'rest_framework.parsers.FormParser',
# 'rest_framework.parsers.MultiPartParser'
# ]
}
| 26.949367 | 91 | 0.694223 |
e41e13eb35dd8eea5c791746108165dbd0767621 | 5,053 | py | Python | server/apps/staff/app_specific/shipping/forms.py | iotile/iotile_cloud | 9dc65ac86d3a730bba42108ed7d9bbb963d22ba6 | [
"MIT"
] | null | null | null | server/apps/staff/app_specific/shipping/forms.py | iotile/iotile_cloud | 9dc65ac86d3a730bba42108ed7d9bbb963d22ba6 | [
"MIT"
] | null | null | null | server/apps/staff/app_specific/shipping/forms.py | iotile/iotile_cloud | 9dc65ac86d3a730bba42108ed7d9bbb963d22ba6 | [
"MIT"
] | null | null | null |
from django import forms
from django.contrib.auth import get_user_model
from django.db.models import Q
from django.forms import ModelForm
from django.template.defaultfilters import slugify
from crispy_forms.bootstrap import FieldWithButtons
from crispy_forms.helper import FormHelper
from crispy_forms.layout import HTML, Div, Layout, Submit
from apps.org.models import Org
from apps.project.models import Project
from apps.projecttemplate.models import ProjectTemplate
from apps.staff.forms import GetDeviceForm
user_model = get_user_model()
class NewShippingOrgForm(ModelForm):
short_name = forms.CharField(label='Short Name', max_length=15, required=False,
help_text='Leave empty if no support account is needed')
owner = forms.ChoiceField(
label='Create organization as: ',
help_text='For new organizations, choice to create new account',
choices=[],
required=True
)
class Meta:
model = Org
fields = ['short_name', 'name', 'owner',]
def __init__(self, *args, **kwargs):
self.helper = FormHelper()
self.helper.form_method = 'post'
self.helper.layout = Layout(
Div(
Div('name', css_class='col-sm-8, col-xs-12'),
Div('short_name', css_class='col-sm-4, col-xs-12'),
css_class='row'
),
'owner',
HTML('<br>'),
)
self.helper.add_input(Submit('submit', 'Create New Company', css_class='btn btn-success submit'))
super(NewShippingOrgForm, self).__init__(*args, **kwargs)
self.fields['owner'].choices = [
('new', 'Create new support account'),
('user', 'Use my account as owner')
]
users = user_model.objects.all().order_by('username')
for user in users:
self.fields['owner'].choices.append((user.slug, user.email))
def clean_short_name(self):
short_name = self.cleaned_data.get('short_name')
# Check that username is not used already
if self.instance:
username = 'support-{}'.format(slugify(short_name))
qs = user_model.objects.filter(username=username)
if qs.exists():
raise forms.ValidationError('Support account {} already exists'.format(username))
return short_name
class NewShippingProjectForm(ModelForm):
class Meta:
model = Project
fields = ['name', 'org']
def __init__(self, *args, **kwargs):
self.helper = FormHelper()
self.helper.form_method = 'post'
self.helper.add_input(Submit('submit', 'Submit', css_class='btn btn-success btn-block submit'))
super(NewShippingProjectForm, self).__init__(*args, **kwargs)
class ShippingDeviceClaimForm(GetDeviceForm):
project = forms.ModelChoiceField(
label='Claim into shipping project:',
queryset=Project.objects.filter(
project_template__in=ProjectTemplate.objects.filter(name__contains='Shipping')
).order_by('org__name', 'name'),
required=True
)
def __init__(self, *args, **kwargs):
description = """
<p>
After checking that the device can be claimed, and is compatible with a Shipping App,
the device will be claimed and set to inactive.
</p>
"""
self.helper = FormHelper()
self.helper.form_method = 'post'
self.helper.layout = Layout(
HTML('<h3 style="color:blue"><i class="fa fa-info" aria-hidden="true"></i> Make sure you understand the Claim Process</h3>'),
HTML('<br>'),
HTML(description),
HTML('<br>'),
'device_id',
HTML('<p> *Use regular integers (e.g. "10") or hex format (e.g. "0xa")</p>'),
'project',
HTML('<br>')
)
self.helper.add_input(Submit('submit', 'Claim Device', css_class='btn btn-success btn-block submit'))
super(GetDeviceForm, self).__init__(*args, **kwargs)
class ShippingDeviceTimestampFixForm(GetDeviceForm):
def __init__(self, *args, **kwargs):
description = """
<p>
If the device rebooted during or after the trip ended, it is possible
that the workers were unable to fix up all timestamps correctly.
</p>
<p>
This form will schedule a worker task to use the Start/End times recorded by the Phone
to fix all data and event timestamps
</p>
"""
self.helper = FormHelper()
self.helper.form_method = 'post'
self.helper.layout = Layout(
HTML(description),
HTML('<br>'),
'device_id',
HTML('<p> *Use regular integers (e.g. "10") or hex format (e.g. "0xa")</p>'),
HTML('<br>')
)
self.helper.add_input(Submit('submit', 'Schedule Fix', css_class='btn btn-success btn-block submit'))
super(ShippingDeviceTimestampFixForm, self).__init__(*args, **kwargs)
| 35.584507 | 137 | 0.612903 |
92d44439aa8a23b8a9b65b42ccac7b949059113c | 1,796 | py | Python | deepthinking/data_analysis/get_names_and_info.py | aks2203/deep-thinking | 089fc5d04a0997ccdbad601b3e025f547a8b6327 | [
"MIT"
] | 19 | 2022-02-11T18:49:46.000Z | 2022-03-13T18:40:18.000Z | deepthinking/data_analysis/get_names_and_info.py | aks2203/deep-thinking | 089fc5d04a0997ccdbad601b3e025f547a8b6327 | [
"MIT"
] | null | null | null | deepthinking/data_analysis/get_names_and_info.py | aks2203/deep-thinking | 089fc5d04a0997ccdbad601b3e025f547a8b6327 | [
"MIT"
] | 1 | 2022-03-13T18:45:41.000Z | 2022-03-13T18:45:41.000Z | import argparse
import glob
import json
import os.path
from omegaconf import OmegaConf
from tabulate import tabulate
def get_trained_checkpoints(filepath, model_list, alpha_list):
checkpoints = []
num_checkpoints = 0
for f_name in glob.iglob(f"{filepath}/**/*training*/", recursive=True):
cfg_name = os.path.join(f_name, ".hydra/config.yaml")
cfg = OmegaConf.load(cfg_name)
if model_list is None or cfg.problem.model.model in model_list:
if alpha_list is None or cfg.problem.hyp.alpha in alpha_list:
checkpoints.append((cfg.run_id,
cfg.problem.model.model,
cfg.problem.hyp.alpha))
num_checkpoints += 1
return checkpoints, num_checkpoints
def main():
parser = argparse.ArgumentParser(description="Analysis parser")
parser.add_argument("filepath", type=str)
parser.add_argument("--alpha_list", type=float, nargs="+", default=None,
help="only plot models with model name in given list")
parser.add_argument("--filter", type=float, default=0,
help="cutoff for filtering by training acc?")
parser.add_argument("--model_list", type=str, nargs="+", default=None,
help="only plot models with model name in given list")
args = parser.parse_args()
checkpoints, num_checkopints = get_trained_checkpoints(args.filepath,
args.model_list,
args.alpha_list)
head = ["Model Path", "Model", "Alpha"]
print(f"I see {num_checkopints} runs")
print(tabulate(checkpoints, headers=head))
if __name__ == "__main__":
main()
| 39.043478 | 78 | 0.603007 |
8d1f9b6aaba8701ba4f42867764172ddd58b525d | 910 | py | Python | vmfw.py | whs/OvzCP | 5c672f54f543dc07f234e86fd2b04b675511d362 | [
"Apache-1.1"
] | 1 | 2015-04-21T01:08:17.000Z | 2015-04-21T01:08:17.000Z | vmfw.py | whs/OvzCP | 5c672f54f543dc07f234e86fd2b04b675511d362 | [
"Apache-1.1"
] | null | null | null | vmfw.py | whs/OvzCP | 5c672f54f543dc07f234e86fd2b04b675511d362 | [
"Apache-1.1"
] | null | null | null | import os, sys, ConfigParser
sys.path.insert(0, os.path.join(os.getcwd(), "Jinja2-2.3-py2.5.egg"))
sys.path.append(os.path.join(os.getcwd(), "netifaces-0.5-py2.5-linux-i686.egg"))
import jinja2, netifaces
_config = ConfigParser.SafeConfigParser()
_config.read("config.ini")
# iptables forwarding configuration generator
def update(data):
jinja = jinja2.Environment(loader=jinja2.loaders.FileSystemLoader("template"))
ip={}
for iface in netifaces.interfaces():
try:
ip[iface] = netifaces.ifaddresses(iface)[netifaces.AF_INET][0]['addr']
except KeyError:
pass
except ValueError:
pass
d = jinja.get_template("vmfw.sh").render(port=data, ip=ip, vmip=_config.get("iface", "vmIP"))
open("sysconf/vmfw.sh", "w").write(d)
def restart():
os.system("sysconf/vmfw.sh")
if __name__ == "__main__":
from models import PortForward
update(PortForward.select())
restart() | 31.37931 | 95 | 0.705495 |
95c7cc728e98668cace3379e63b25a9f44e21641 | 6,683 | py | Python | nnuncert/models/_pred_base.py | pjoachims/nnuncert | 45dede54fdb714926926d719be2c9b9b542b2601 | [
"MIT"
] | 2 | 2021-12-30T06:25:43.000Z | 2022-01-25T00:41:22.000Z | nnuncert/models/_pred_base.py | pjoachims/nnuncert | 45dede54fdb714926926d719be2c9b9b542b2601 | [
"MIT"
] | 1 | 2022-01-25T00:35:28.000Z | 2022-03-28T15:23:16.000Z | nnuncert/models/_pred_base.py | pjoachims/nnuncert | 45dede54fdb714926926d719be2c9b9b542b2601 | [
"MIT"
] | null | null | null | from typing import Tuple, Union, Iterable, List, Callable, Dict, Optional
import numpy as np
import pandas as pd
import scipy.stats as spstats
import scipy.integrate as spint
import properscoring as ps
class MCPredictions(np.ndarray):
def __new__(cls, a):
obj = np.asarray(a).view(cls)
return obj
def quantile(self, q):
return np.quantile(self, q, axis=1)
def contains(self, y):
return (y >= self.min(axis=1)) & (y <= self.max(axis=1))
def in_95(self, y):
q2p5, q97p5 = np.quantile(self, [0.025, 0.975], axis=1)
ratio = sum((y >= q2p5) & (y <= q97p5)) / len(y)
return ratio, (q97p5-q2p5).mean()
def median(self, *args, **kwargs):
return np.median(self, *args, **kwargs)
def map(self, pts_grid=100):
def find_peak(x, pts_grid=pts_grid):
x = np.array(x).ravel()
kde = sp.stats.gaussian_kde(x)
x_grid = np.linspace(min(x), max(x), pts_grid)
map = np.argmax(kde(x_grid))
return x_grid[map]
return np.array([find_peak(y_) for y_ in self.lst])
@property
def lst(self):
return list(self)
@property
def np(self):
return np.array(self)
class BasePred():
def __init__(self, xlen):
self.xlen = xlen
def pdf(self, y):
raise NotImplementedError()
def logpdf(self, y):
raise NotImplementedError()
def cdf(self, y):
raise NotImplementedError()
def ppf(self, q: float):
raise NotImplementedError("Need to fix bug in Dist -> Fx first...")
def pdfi(self, i: int, x):
raise NotImplementedError()
def cdfi(self, i: int, x):
raise NotImplementedError()
@property
def pred_mean(self):
raise NotImplementedError()
@property
def var_aleatoric(self):
"""Get pred. aleatoric variance."""
return np.zeros(self.xlen)
@property
def var_epistemic(self):
return np.zeros(self.xlen)
@property
def var_total(self):
return self.var_aleatoric + self.var_epistemic
@property
def std_total(self):
return self.var_total**0.5
@property
def q2p5(self):
return self.ppf(0.025)
@property
def q97p5(self):
return self.ppf(0.975)
def marginals(self, y0, recalc: bool = True):
if recalc is False and hasattr(self, "_marginals"):
return self._marginals
self._marginals = np.array([self.pdf(np.ones(self.xlen) * y_) for y_ in y0]).mean(axis=1)
return self._marginals
# ================================= SCORES =================================
def rmse(self, y):
return np.mean((self.pred_mean - y)**2)**0.5
def log_score(self, y):
assert len(y) == self.xlen, "x, y length missmatch."
self._log_scores = self.logpdf(y)
return self._log_scores.mean()
def log_score_x(self, y, frac: float = 0.99):
N = int(len(y)*frac)
return pd.Series(self.logpdf(y)).nlargest(N).mean()
def crps(self, y):
raise NotImplementedError()
def picp(self, y):
return np.mean((y >= self.q2p5) & (y <= self.q97p5))
@property
def mpiw(self):
return np.mean(self.q97p5 - self.q2p5)
class PredConditionalGaussian(BasePred):
def pdf(self, y):
return self.gaussians.pdf(y)
def pdfi(self, i: int, y):
mean, std = self.pred_mean[i], self.std_total[i]
return spstats.norm.pdf(y, mean, std)
def logpdf(self, y):
return self.gaussians.logpdf(y)
def cdf(self, y):
return self.gaussians.cdf(y)
def cdfi(self, i: int, y):
mean, std = self.pred_mean[i], self.std_total[i]
return spstats.norm.cdf(y, mean, std)
def ppf(self, q: float):
return self.gaussians.ppf(q)
def crps(self, y):
self._crps = np.array([ps.crps_gaussian(x, mu=m, sig=s)
for (x, m, s) in list(zip(y,
self.pred_mean,
self.std_total))])
return self._crps.mean()
def _make_gaussians(self):
class Gaussian():
def __init__(self, mean, std_total):
self.params = np.vstack((mean, std_total)).T.tolist()
def pdf(self, y, *args, **kwds):
return np.array([spstats.norm.pdf(y_, m, s, *args, **kwds)
for y_, (m, s) in list(zip(y, self.params))])
def logpdf(self, y, *args, **kwds):
return np.array([spstats.norm.logpdf(y_, m, s, *args, **kwds)
for y_, (m, s) in list(zip(y, self.params))])
def cdf(self, y, *args, **kwds):
return np.array([spstats.norm.cdf(y_, m, s, *args, **kwds)
for y_, (m, s) in list(zip(y, self.params))])
def ppf(self, q, *args, **kwds):
return np.array([spstats.norm.ppf(q, m, s, *args, **kwds)
for (m, s) in self.params])
self.gaussians = Gaussian(self.pred_mean, self.std_total)
class BasePredKDE(BasePred):
def pdf(self, y):
return np.array([d.pdf(y_) for (d, y_) in list(zip(self.dists, y))])
def pdfi(self, i, y):
return self.dists[i].pdf(y)
def logpdf(self, y):
return np.log(self.pdf(y))
def cdf(self, y):
return np.array([d.cdf(y_) for (d, y_) in list(zip(self.dists, y))])
def cdfi(self, i, y):
return self.dists[i].cdf(y)
def ppf(self, q):
return np.array([d.ppf(q) for d in self.dists])
def crps(self, y, N=100, eps=1e-5):
# def get_support(self, eps=1e-5):
# supp_left = np.argmin(self.Fx < eps) - 1
# supp_right = np.argmax(self.Fx > 1 - eps)
# return (supp_left, supp_right)
assert len(y) == self.xlen, "x, y length missmatch."
def calc_crps(dist, y):
supp_left, supp_right = dist.get_support(eps)
lhs = 0
rhs = 0
if y >= supp_left:
ls_lhs = np.linspace(supp_left, y, N)
val_lhs = dist.cdf(ls_lhs)**2
lhs = spint.simps(val_lhs, ls_lhs)
if y <= supp_right:
ls_rhs = np.linspace(y, supp_right, N)
val_rhs = (dist.cdf(ls_rhs) - 1)**2
rhs = spint.simps(val_rhs, ls_rhs)
return lhs + rhs
self._crps = np.array([calc_crps(d, y_)
for (d, y_) in list(zip(self.dists, y))])
return self._crps.mean()
| 29.702222 | 97 | 0.539279 |
cfc6ff72d9fea6e2b32e8799abd6d9b6ce3eb861 | 139 | py | Python | hypixelio/_async/__init__.py | FoxNerdSaysMoo/HypixelIO | aca8fd6535c0afb2bb733172db2dcbd68590118d | [
"MIT"
] | 16 | 2020-10-28T01:49:31.000Z | 2022-03-13T23:19:31.000Z | hypixelio/_async/__init__.py | FoxNerdSaysMoo/HypixelIO | aca8fd6535c0afb2bb733172db2dcbd68590118d | [
"MIT"
] | 20 | 2021-03-17T07:32:14.000Z | 2022-03-07T02:48:00.000Z | hypixelio/_async/__init__.py | FoxNerdSaysMoo/HypixelIO | aca8fd6535c0afb2bb733172db2dcbd68590118d | [
"MIT"
] | 5 | 2020-10-21T13:53:27.000Z | 2021-09-02T15:47:45.000Z | from .client import AsyncClient
from .converters import AsyncConverters
from .portal import Portal, create_portal
from .utils import Utils
| 27.8 | 41 | 0.841727 |
dc5c16898bcc2aa3acd5f05c841775192a499bd8 | 1,864 | py | Python | toontown/building/PetshopBuildingAI.py | CrankySupertoon01/Toontown-2 | 60893d104528a8e7eb4aced5d0015f22e203466d | [
"MIT"
] | 1 | 2021-02-13T22:40:50.000Z | 2021-02-13T22:40:50.000Z | toontown/building/PetshopBuildingAI.py | CrankySupertoonArchive/Toontown-2 | 60893d104528a8e7eb4aced5d0015f22e203466d | [
"MIT"
] | 1 | 2018-07-28T20:07:04.000Z | 2018-07-30T18:28:34.000Z | toontown/building/PetshopBuildingAI.py | CrankySupertoonArchive/Toontown-2 | 60893d104528a8e7eb4aced5d0015f22e203466d | [
"MIT"
] | 2 | 2019-12-02T01:39:10.000Z | 2021-02-13T22:41:00.000Z | from panda3d.core import *
from direct.directnotify import DirectNotifyGlobal
import DistributedDoorAI
import DistributedPetshopInteriorAI
import FADoorCodes
import DoorTypes
from toontown.toon import NPCToons
from toontown.toonbase import ToontownGlobals
from toontown.quest import Quests
from toontown.hood import ZoneUtil
class PetshopBuildingAI:
notify = DirectNotifyGlobal.directNotify.newCategory('PetshopBuildingAI')
def __init__(self, air, exteriorZone, interiorZone, blockNumber):
self.air = air
self.exteriorZone = exteriorZone
self.interiorZone = interiorZone
self.setup(blockNumber)
def cleanup(self):
for npc in self.npcs:
npc.requestDelete()
del self.npcs
self.door.requestDelete()
del self.door
self.insideDoor.requestDelete()
del self.insideDoor
self.interior.requestDelete()
del self.interior
def setup(self, blockNumber):
self.interior = DistributedPetshopInteriorAI.DistributedPetshopInteriorAI(
blockNumber, self.air, self.interiorZone)
self.interior.generateWithRequired(self.interiorZone)
self.npcs = NPCToons.createNpcsInZone(self.air, self.interiorZone)
door = DistributedDoorAI.DistributedDoorAI(
self.air, blockNumber, DoorTypes.EXT_STANDARD)
insideDoor = DistributedDoorAI.DistributedDoorAI(
self.air, blockNumber, DoorTypes.INT_STANDARD)
door.setOtherDoor(insideDoor)
insideDoor.setOtherDoor(door)
door.zoneId = self.exteriorZone
insideDoor.zoneId = self.interiorZone
door.generateWithRequired(self.exteriorZone)
insideDoor.generateWithRequired(self.interiorZone)
self.door = door
self.insideDoor = insideDoor
def createPet(self, ownerId, seed):
return
| 34.518519 | 82 | 0.717275 |
06eaaeb542168b5c4435cd6b23a2046d6b2d1139 | 2,122 | py | Python | VizKG/charts/heatmap.py | espinraf/vizkg | b4461a556b69c34580b96922ccb9c0e5c237b34f | [
"MIT"
] | 12 | 2021-07-30T07:20:26.000Z | 2022-03-24T10:11:55.000Z | VizKG/charts/heatmap.py | espinraf/vizkg | b4461a556b69c34580b96922ccb9c0e5c237b34f | [
"MIT"
] | 4 | 2021-06-04T16:09:27.000Z | 2022-03-24T10:11:48.000Z | VizKG/charts/heatmap.py | espinraf/vizkg | b4461a556b69c34580b96922ccb9c0e5c237b34f | [
"MIT"
] | 2 | 2021-09-01T16:46:00.000Z | 2022-01-14T12:28:20.000Z | from .chart import Chart
import matplotlib.pyplot as plt
import seaborn as sns
class HeatMap(Chart):
def __init__(self, dataframe, kwargs):
"""
Constructs all the necessary attributes for the HeatMap object
Parameters:
dataframe (pandas.Dataframe): The dataframe
"""
Chart.__init__(self, dataframe, kwargs)
def promote_to_candidate(self):
is_promote = self._is_var_exist(self._numerical_column, 2)
return is_promote
def plot(self):
"""
Generate visualization
"""
if self.promote_to_candidate():
self.draw()
else:
pass
def draw(self):
"""
Generate HeatMap visualization
"""
if self._is_var_exist(self._numerical_column, 2):
self.figsize = self.__set_figsize(self.kwargs.get('figsize'))
#check if param figsize exist
if self.figsize is not None:
plt.figure(figsize=self.figsize)
sns.heatmap(self.dataframe.corr(), annot = True)
plt.show(block=True)
else:
#plot HeatMap
plt.figure(figsize=(13,8))
sns.heatmap(self.dataframe.corr(), annot = True)
plt.show(block=True)
@staticmethod
def __set_figsize(figsize_input):
"""
Setter of figsize based on figsize input for matplotlib chart
Parameters:
(tuple) figsize_input: The figsize input
Returns:
(tuple) figsize: The result figsize
"""
figsize = None
is_numeric_value = None
try:
if figsize_input is not None and len(figsize_input) == 2:
is_numeric_value = all(isinstance(v, int) or isinstance(v, float) for v in figsize_input)
else:
is_numeric_value = False
except:
is_numeric_value = False
if is_numeric_value:
figsize = figsize_input
else:
figsize = None
return figsize | 27.921053 | 105 | 0.558907 |
9801b5f124db72a16a9e4cf08d5888ad3af84442 | 1,486 | py | Python | lib/bes/unix/brew/brew.py | reconstruir/bes | 82ff54b2dadcaef6849d7de424787f1dedace85c | [
"Apache-2.0"
] | null | null | null | lib/bes/unix/brew/brew.py | reconstruir/bes | 82ff54b2dadcaef6849d7de424787f1dedace85c | [
"Apache-2.0"
] | null | null | null | lib/bes/unix/brew/brew.py | reconstruir/bes | 82ff54b2dadcaef6849d7de424787f1dedace85c | [
"Apache-2.0"
] | null | null | null | #-*- coding:utf-8; mode:python; indent-tabs-mode: nil; c-basic-offset: 2; tab-width: 2 -*-
import re
from bes.common.check import check
from bes.system.execute import execute
from bes.system.host import host
from bes.system.log import logger
from bes.system.which import which
from .brew_error import brew_error
class brew(object):
'Class to install and uninstall brew on unix.'
_log = logger('brew')
@classmethod
def has_brew(clazz):
'Return True if brew is installed.'
clazz.check_system()
return clazz.brew_exe() != None
@classmethod
def check_system(clazz):
if host.SYSTEM in [ host.MACOS, host.LINUX ]:
return
raise brew_error('brew is only for macos or linux: "{}"'.format(host.SYSTEM))
@classmethod
def brew_exe(clazz):
'Return the brew exe path.'
return which.which('brew')
@classmethod
def version(clazz):
'Return the version of brew.'
if not clazz.has_brew():
raise brew_error('brew not installed')
rv = clazz.call_brew([ '--version' ])
f = re.findall(r'^Homebrew\s+(.+)\n', rv.stdout)
if not f:
raise brew_error('failed to determine brew version.')
if len(f) != 1:
raise brew_error('failed to determine brew version.')
return f[0]
@classmethod
def call_brew(clazz, args):
'Call brew.'
if not clazz.has_brew():
raise brew_error('brew not installed')
cmd = [ clazz.brew_exe() ] + args
return execute.execute(cmd, raise_error = False)
| 26.535714 | 90 | 0.671602 |
038516040b88797161563e3ee489da61681e498f | 17,560 | py | Python | models/recycle_gan_model.py | andrewk1/Recycle-GAN | 390d3b3c2492a27e38d9b3a0b69bb95865dda7ea | [
"MIT"
] | null | null | null | models/recycle_gan_model.py | andrewk1/Recycle-GAN | 390d3b3c2492a27e38d9b3a0b69bb95865dda7ea | [
"MIT"
] | null | null | null | models/recycle_gan_model.py | andrewk1/Recycle-GAN | 390d3b3c2492a27e38d9b3a0b69bb95865dda7ea | [
"MIT"
] | null | null | null | import numpy as np
import torch
import os
from collections import OrderedDict
from torch.autograd import Variable
import itertools
import util.util as util
from util.image_pool import ImagePool
from .base_model import BaseModel
from . import networks
import sys
class RecycleGANModel(BaseModel):
def name(self):
return 'RecycleGANModel'
def initialize(self, opt):
BaseModel.initialize(self, opt)
nb = opt.batchSize
size = opt.fineSize
self.input_A0 = self.Tensor(nb, opt.input_nc, size, size)
self.input_A1 = self.Tensor(nb, opt.input_nc, size, size)
self.input_A2 = self.Tensor(nb, opt.input_nc, size, size)
self.input_B0 = self.Tensor(nb, opt.output_nc, size, size)
self.input_B1 = self.Tensor(nb, opt.output_nc, size, size)
self.input_B2 = self.Tensor(nb, opt.output_nc, size, size)
# load/define networks
# The naming conversion is different from those used in the paper
# Code (paper): G_A (G), G_B (F), D_A (D_Y), D_B (D_X)
self.netG_A = networks.define_G(opt.input_nc, opt.output_nc,
opt.ngf, opt.which_model_netG, opt.norm,
not opt.no_dropout, opt.init_type,
self.gpu_ids)
self.netG_B = networks.define_G(opt.output_nc, opt.input_nc,
opt.ngf, opt.which_model_netG, opt.norm,
not opt.no_dropout, opt.init_type,
self.gpu_ids)
self.which_model_netP = opt.which_model_netP
if opt.which_model_netP == 'prediction':
self.netP_A = networks.define_G(opt.input_nc, opt.input_nc,
opt.npf, opt.which_model_netP,
opt.norm, not opt.no_dropout,
opt.init_type, self.gpu_ids)
self.netP_B = networks.define_G(opt.output_nc, opt.output_nc,
opt.npf, opt.which_model_netP,
opt.norm, not opt.no_dropout,
opt.init_type, self.gpu_ids)
else:
self.netP_A = networks.define_G(2 * opt.input_nc, opt.input_nc,
opt.ngf, opt.which_model_netP,
opt.norm, not opt.no_dropout,
opt.init_type, self.gpu_ids)
self.netP_B = networks.define_G(2 * opt.output_nc, opt.output_nc,
opt.ngf, opt.which_model_netP,
opt.norm, not opt.no_dropout,
opt.init_type, self.gpu_ids)
if self.isTrain:
use_sigmoid = opt.no_lsgan
self.netD_A = networks.define_D(opt.output_nc, opt.ndf,
opt.which_model_netD,
opt.n_layers_D, opt.norm,
use_sigmoid, opt.init_type,
self.gpu_ids)
self.netD_B = networks.define_D(opt.input_nc, opt.ndf,
opt.which_model_netD,
opt.n_layers_D, opt.norm,
use_sigmoid, opt.init_type,
self.gpu_ids)
if not self.isTrain or opt.continue_train:
which_epoch = opt.which_epoch
self.load_network(self.netG_A, 'G_A', which_epoch)
self.load_network(self.netG_B, 'G_B', which_epoch)
self.load_network(self.netP_A, 'P_A', which_epoch)
self.load_network(self.netP_B, 'P_B', which_epoch)
if self.isTrain:
self.load_network(self.netD_A, 'D_A', which_epoch)
self.load_network(self.netD_B, 'D_B', which_epoch)
if self.isTrain:
self.old_lr = opt.lr
self.fake_A_pool = ImagePool(opt.pool_size)
self.fake_B_pool = ImagePool(opt.pool_size)
# define loss functions
self.criterionGAN = networks.GANLoss(use_lsgan=not opt.no_lsgan,
tensor=self.Tensor)
self.criterionCycle = torch.nn.L1Loss()
self.criterionIdt = torch.nn.L1Loss()
# initialize optimizers
self.optimizer_G = torch.optim.Adam(
itertools.chain(self.netG_A.parameters(),
self.netG_B.parameters(),
self.netP_A.parameters(),
self.netP_B.parameters()),
lr=opt.lr, betas=(opt.beta1, 0.999))
self.optimizer_D_A = torch.optim.Adam(self.netD_A.parameters(),
lr=opt.lr,
betas=(opt.beta1, 0.999))
self.optimizer_D_B = torch.optim.Adam(self.netD_B.parameters(),
lr=opt.lr,
betas=(opt.beta1, 0.999))
self.optimizers = []
self.schedulers = []
self.optimizers.append(self.optimizer_G)
self.optimizers.append(self.optimizer_D_A)
self.optimizers.append(self.optimizer_D_B)
for optimizer in self.optimizers:
self.schedulers.append(networks.get_scheduler(optimizer, opt))
print('---------- Networks initialized -------------')
networks.print_network(self.netG_A)
networks.print_network(self.netG_B)
networks.print_network(self.netP_A)
networks.print_network(self.netP_B)
if self.isTrain:
networks.print_network(self.netD_A)
networks.print_network(self.netD_B)
print('-----------------------------------------------')
def set_input(self, input):
AtoB = self.opt.which_direction == 'AtoB'
input_A0 = input['A0']
input_A1 = input['A1']
input_A2 = input['A2']
input_B0 = input['B0']
input_B1 = input['B1']
input_B2 = input['B2']
self.input_A0.resize_(input_A0.size()).copy_(input_A0)
self.input_A1.resize_(input_A1.size()).copy_(input_A1)
self.input_A2.resize_(input_A2.size()).copy_(input_A2)
self.input_B0.resize_(input_B0.size()).copy_(input_B0)
self.input_B1.resize_(input_B1.size()).copy_(input_B1)
self.input_B2.resize_(input_B2.size()).copy_(input_B2)
self.image_paths = input['A_paths' if AtoB else 'B_paths']
def forward(self):
self.real_A0 = Variable(self.input_A0)
self.real_A1 = Variable(self.input_A1)
self.real_A2 = Variable(self.input_A2)
self.real_B0 = Variable(self.input_B0)
self.real_B1 = Variable(self.input_B1)
self.real_B2 = Variable(self.input_B2)
def test(self):
real_A0 = Variable(self.input_A0, volatile=True)
real_A1 = Variable(self.input_A1, volatile=True)
fake_B0 = self.netG_A(real_A0)
fake_B1 = self.netG_A(real_A1)
# fake_B2 = self.netP_B(torch.cat((fake_B0, fake_B1),1))
if self.which_model_netP == 'prediction':
fake_B2 = self.netP_B(fake_B0, fake_B1)
else:
fake_B2 = self.netP_B(torch.cat((fake_B0, fake_B1), 1))
self.rec_A = self.netG_B(fake_B2).data
self.fake_B0 = fake_B0.data
self.fake_B1 = fake_B1.data
self.fake_B2 = fake_B2.data
real_B0 = Variable(self.input_B0, volatile=True)
real_B1 = Variable(self.input_B1, volatile=True)
fake_A0 = self.netG_B(real_B0)
fake_A1 = self.netG_B(real_B1)
# fake_A2 = self.netP_A(torch.cat((fake_A0, fake_A1),1))
if self.which_model_netP == 'prediction':
fake_A2 = self.netP_A(fake_A0, fake_A1)
else:
fake_A2 = self.netP_A(torch.cat((fake_A0, fake_A1), 1))
self.rec_B = self.netG_A(fake_A2).data
self.fake_A0 = fake_A0.data
self.fake_A1 = fake_A1.data
self.fake_A2 = fake_A2.data
# pred_A2 = self.netP_A(torch.cat((real_A0, real_A1),1))
if self.which_model_netP == 'prediction':
pred_A2 = self.netP_A(real_A0, real_A1)
pred_B2 = self.netP_B(real_B0, real_B1)
else:
pred_A2 = self.netP_A(torch.cat((real_A0, real_A1), 1))
pred_B2 = self.netP_B(torch.cat((real_B0, real_B1), 1))
self.pred_A2 = pred_A2.data
self.pred_B2 = pred_B2.data
# get image paths
def get_image_paths(self):
return self.image_paths
def backward_D_basic(self, netD, real, fake):
# Real
pred_real = netD(real)
loss_D_real = self.criterionGAN(pred_real, True)
# Fake
pred_fake = netD(fake.detach())
loss_D_fake = self.criterionGAN(pred_fake, False)
# Combined loss
loss_D = (loss_D_real + loss_D_fake) * 0.5
# backward
loss_D.backward()
return loss_D
def backward_D_A(self):
fake_B0 = self.fake_B_pool.query(self.fake_B0)
loss_D_A0 = self.backward_D_basic(self.netD_A, self.real_B0, fake_B0)
fake_B1 = self.fake_B_pool.query(self.fake_B1)
loss_D_A1 = self.backward_D_basic(self.netD_A, self.real_B1, fake_B1)
fake_B2 = self.fake_B_pool.query(self.fake_B2)
loss_D_A2 = self.backward_D_basic(self.netD_A, self.real_B2, fake_B2)
pred_B = self.fake_B_pool.query(self.pred_B2)
loss_D_A3 = self.backward_D_basic(self.netD_A, self.real_B2, pred_B)
self.loss_D_A = loss_D_A0.data[0] + loss_D_A1.data[0] + loss_D_A2.data[
0] + loss_D_A3.data[0]
def backward_D_B(self):
fake_A0 = self.fake_A_pool.query(self.fake_A0)
loss_D_B0 = self.backward_D_basic(self.netD_B, self.real_A0, fake_A0)
fake_A1 = self.fake_A_pool.query(self.fake_A1)
loss_D_B1 = self.backward_D_basic(self.netD_B, self.real_A1, fake_A1)
fake_A2 = self.fake_A_pool.query(self.fake_A2)
loss_D_B2 = self.backward_D_basic(self.netD_B, self.real_A2, fake_A2)
pred_A = self.fake_A_pool.query(self.pred_A2)
loss_D_B3 = self.backward_D_basic(self.netD_B, self.real_A2, pred_A)
self.loss_D_B = loss_D_B0.data[0] + loss_D_B1.data[0] + loss_D_B2.data[
0] + loss_D_B3.data[0]
def backward_G(self):
lambda_idt = self.opt.identity
lambda_A = self.opt.lambda_A
lambda_B = self.opt.lambda_B
# Identity loss
if lambda_idt > 0:
loss_idt_A = 0
loss_idt_B = 0
self.loss_idt_A = 0
self.loss_idt_B = 0
else:
loss_idt_A = 0
loss_idt_B = 0
self.loss_idt_A = 0
self.loss_idt_B = 0
# GAN loss D_A(G_A(A))
fake_B0 = self.netG_A(self.real_A0)
pred_fake = self.netD_A(fake_B0)
loss_G_A0 = self.criterionGAN(pred_fake, True)
fake_B1 = self.netG_A(self.real_A1)
pred_fake = self.netD_A(fake_B1)
loss_G_A1 = self.criterionGAN(pred_fake, True)
# fake_B2 = self.netP_B(torch.cat((fake_B0,fake_B1),1))
if self.which_model_netP == 'prediction':
fake_B2 = self.netP_B(fake_B0, fake_B1)
else:
fake_B2 = self.netP_B(torch.cat((fake_B0, fake_B1), 1))
pred_fake = self.netD_A(fake_B2)
loss_G_A2 = self.criterionGAN(pred_fake, True)
# GAN loss D_B(G_B(B))
fake_A0 = self.netG_B(self.real_B0)
pred_fake = self.netD_B(fake_A0)
loss_G_B0 = self.criterionGAN(pred_fake, True)
fake_A1 = self.netG_B(self.real_B1)
pred_fake = self.netD_B(fake_A1)
loss_G_B1 = self.criterionGAN(pred_fake, True)
# fake_A2 = self.netP_A(torch.cat((fake_A0,fake_A1),1))
if self.which_model_netP == 'prediction':
fake_A2 = self.netP_A(fake_A0, fake_A1)
else:
fake_A2 = self.netP_A(torch.cat((fake_A0, fake_A1), 1))
pred_fake = self.netD_B(fake_A2)
loss_G_B2 = self.criterionGAN(pred_fake, True)
# prediction loss --
# pred_A2 = self.netP_A(torch.cat((self.real_A0, self.real_A1),1))
if self.which_model_netP == 'prediction':
pred_A2 = self.netP_A(self.real_A0, self.real_A1)
else:
pred_A2 = self.netP_A(torch.cat((self.real_A0, self.real_A1), 1))
loss_pred_A = self.criterionCycle(pred_A2, self.real_A2) * lambda_A
# pred_B2 = self.netP_B(torch.cat((self.real_B0, self.real_B1),1))
if self.which_model_netP == 'prediction':
pred_B2 = self.netP_B(self.real_B0, self.real_B1)
else:
pred_B2 = self.netP_B(torch.cat((self.real_B0, self.real_B1), 1))
loss_pred_B = self.criterionCycle(pred_B2, self.real_B2) * lambda_B
# Forward cycle loss
rec_A = self.netG_B(fake_B2)
loss_cycle_A = self.criterionCycle(rec_A, self.real_A2) * lambda_A
# Backward cycle loss
rec_B = self.netG_A(fake_A2)
loss_cycle_B = self.criterionCycle(rec_B, self.real_B2) * lambda_B
# combined loss
loss_G = loss_G_A0 + loss_G_A1 + loss_G_A2 + loss_G_B0 + loss_G_B1 + loss_G_B2 + loss_cycle_A + loss_cycle_B + loss_pred_A + loss_pred_B + loss_idt_A + loss_idt_B
loss_G.backward()
self.fake_B0 = fake_B0.data
self.fake_B1 = fake_B1.data
self.fake_B2 = fake_B2.data
self.pred_B2 = pred_B2.data
self.fake_A0 = fake_A0.data
self.fake_A1 = fake_A1.data
self.fake_A2 = fake_A2.data
self.pred_A2 = pred_A2.data
self.rec_A = rec_A.data
self.rec_B = rec_B.data
self.loss_G_A = loss_G_A0.data[0] + loss_G_A1.data[0] + loss_G_A2.data[
0]
self.loss_G_B = loss_G_B0.data[0] + loss_G_B1.data[0] + loss_G_B2.data[
0]
self.loss_cycle_A = loss_cycle_A.data[0]
self.loss_cycle_B = loss_cycle_B.data[0]
self.loss_pred_A = loss_pred_A.data[0]
self.loss_pred_B = loss_pred_B.data[0]
def optimize_parameters(self):
# forward
self.forward()
# G_A and G_B
self.optimizer_G.zero_grad()
self.backward_G()
self.optimizer_G.step()
# D_A
self.optimizer_D_A.zero_grad()
self.backward_D_A()
self.optimizer_D_A.step()
# D_B
self.optimizer_D_B.zero_grad()
self.backward_D_B()
self.optimizer_D_B.step()
def get_current_errors(self):
ret_errors = OrderedDict(
[('D_A', self.loss_D_A), ('G_A', self.loss_G_A),
('Cyc_A', self.loss_cycle_A), ('Pred_A', self.loss_pred_A),
('D_B', self.loss_D_B), ('G_B', self.loss_G_B),
('Cyc_B', self.loss_cycle_B), ('Pred_B', self.loss_pred_B)])
if self.opt.identity > 0.0:
ret_errors['idt_A'] = self.loss_idt_A
ret_errors['idt_B'] = self.loss_idt_B
return ret_errors
def get_current_visuals(self):
real_A0 = util.tensor2im(self.input_A0)
real_A1 = util.tensor2im(self.input_A1)
real_A2 = util.tensor2im(self.input_A2)
fake_B0 = util.tensor2im(self.fake_B0)
fake_B1 = util.tensor2im(self.fake_B1)
fake_B2 = util.tensor2im(self.fake_B2)
rec_A = util.tensor2im(self.rec_A)
real_B0 = util.tensor2im(self.input_B0)
real_B1 = util.tensor2im(self.input_B1)
real_B2 = util.tensor2im(self.input_B2)
fake_A0 = util.tensor2im(self.fake_A0)
fake_A1 = util.tensor2im(self.fake_A1)
fake_A2 = util.tensor2im(self.fake_A2)
rec_B = util.tensor2im(self.rec_B)
pred_A2 = util.tensor2im(self.pred_A2)
pred_B2 = util.tensor2im(self.pred_B2)
ret_visuals = OrderedDict([('real_A0', real_A0), ('fake_B0', fake_B0),
('real_A1', real_A1), ('fake_B1', fake_B1),
('fake_B2', fake_B2), ('rec_A', rec_A),
('real_A2', real_A2),
('real_B0', real_B0), ('fake_A0', fake_A0),
('real_B1', real_B1), ('fake_A1', fake_A1),
('fake_A2', fake_A2), ('rec_B', rec_B),
('real_B2', real_B2),
('real_A2', real_A2), ('pred_A2', pred_A2),
('real_B2', real_B2), ('pred_B2', pred_B2)])
if self.opt.isTrain and self.opt.identity > 0.0:
ret_visuals['idt_A'] = util.tensor2im(self.idt_A)
ret_visuals['idt_B'] = util.tensor2im(self.idt_B)
return ret_visuals
def save(self, label):
self.save_network(self.netG_A, 'G_A', label, self.gpu_ids)
self.save_network(self.netD_A, 'D_A', label, self.gpu_ids)
self.save_network(self.netG_B, 'G_B', label, self.gpu_ids)
self.save_network(self.netD_B, 'D_B', label, self.gpu_ids)
self.save_network(self.netP_A, 'P_A', label, self.gpu_ids)
self.save_network(self.netP_B, 'P_B', label, self.gpu_ids) | 41.611374 | 170 | 0.569989 |
b595abad2e706a3bc3c0b0e1dd5a442975add970 | 5,487 | py | Python | .venv/lib/python3.8/site-packages/sympy/polys/domains/polynomialring.py | RivtLib/replit01 | ce1ae18b446a9c844f40e88a51c71fbc45ab3ad7 | [
"MIT"
] | 603 | 2020-12-23T13:49:32.000Z | 2022-03-31T23:38:03.000Z | .venv/lib/python3.8/site-packages/sympy/polys/domains/polynomialring.py | RivtLib/replit01 | ce1ae18b446a9c844f40e88a51c71fbc45ab3ad7 | [
"MIT"
] | 387 | 2020-12-15T14:54:04.000Z | 2022-03-31T07:00:21.000Z | .venv/lib/python3.8/site-packages/sympy/polys/domains/polynomialring.py | RivtLib/replit01 | ce1ae18b446a9c844f40e88a51c71fbc45ab3ad7 | [
"MIT"
] | 35 | 2021-03-26T03:12:04.000Z | 2022-03-23T10:15:10.000Z | """Implementation of :class:`PolynomialRing` class. """
from sympy.polys.domains.ring import Ring
from sympy.polys.domains.compositedomain import CompositeDomain
from sympy.polys.polyerrors import CoercionFailed, GeneratorsError
from sympy.utilities import public
@public
class PolynomialRing(Ring, CompositeDomain):
"""A class for representing multivariate polynomial rings. """
is_PolynomialRing = is_Poly = True
has_assoc_Ring = True
has_assoc_Field = True
def __init__(self, domain_or_ring, symbols=None, order=None):
from sympy.polys.rings import PolyRing
if isinstance(domain_or_ring, PolyRing) and symbols is None and order is None:
ring = domain_or_ring
else:
ring = PolyRing(symbols, domain_or_ring, order)
self.ring = ring
self.dtype = ring.dtype
self.gens = ring.gens
self.ngens = ring.ngens
self.symbols = ring.symbols
self.domain = ring.domain
if symbols:
if ring.domain.is_Field and ring.domain.is_Exact and len(symbols)==1:
self.is_PID = True
# TODO: remove this
self.dom = self.domain
def new(self, element):
return self.ring.ring_new(element)
@property
def zero(self):
return self.ring.zero
@property
def one(self):
return self.ring.one
@property
def order(self):
return self.ring.order
def __str__(self):
return str(self.domain) + '[' + ','.join(map(str, self.symbols)) + ']'
def __hash__(self):
return hash((self.__class__.__name__, self.dtype.ring, self.domain, self.symbols))
def __eq__(self, other):
"""Returns `True` if two domains are equivalent. """
return isinstance(other, PolynomialRing) and \
(self.dtype.ring, self.domain, self.symbols) == \
(other.dtype.ring, other.domain, other.symbols)
def is_unit(self, a):
"""Returns ``True`` if ``a`` is a unit of ``self``"""
if not a.is_ground:
return False
K = self.domain
return K.is_unit(K.convert_from(a, self))
def to_sympy(self, a):
"""Convert `a` to a SymPy object. """
return a.as_expr()
def from_sympy(self, a):
"""Convert SymPy's expression to `dtype`. """
return self.ring.from_expr(a)
def from_ZZ_python(K1, a, K0):
"""Convert a Python `int` object to `dtype`. """
return K1(K1.domain.convert(a, K0))
def from_QQ_python(K1, a, K0):
"""Convert a Python `Fraction` object to `dtype`. """
return K1(K1.domain.convert(a, K0))
def from_ZZ_gmpy(K1, a, K0):
"""Convert a GMPY `mpz` object to `dtype`. """
return K1(K1.domain.convert(a, K0))
def from_QQ_gmpy(K1, a, K0):
"""Convert a GMPY `mpq` object to `dtype`. """
return K1(K1.domain.convert(a, K0))
def from_GaussianIntegerRing(K1, a, K0):
"""Convert a `GaussianInteger` object to `dtype`. """
return K1(K1.domain.convert(a, K0))
def from_GaussianRationalField(K1, a, K0):
"""Convert a `GaussianRational` object to `dtype`. """
return K1(K1.domain.convert(a, K0))
def from_RealField(K1, a, K0):
"""Convert a mpmath `mpf` object to `dtype`. """
return K1(K1.domain.convert(a, K0))
def from_AlgebraicField(K1, a, K0):
"""Convert an algebraic number to ``dtype``. """
if K1.domain == K0:
return K1.new(a)
def from_PolynomialRing(K1, a, K0):
"""Convert a polynomial to ``dtype``. """
try:
return a.set_ring(K1.ring)
except (CoercionFailed, GeneratorsError):
return None
def from_FractionField(K1, a, K0):
"""Convert a rational function to ``dtype``. """
q, r = K0.numer(a).div(K0.denom(a))
if r.is_zero:
return K1.from_PolynomialRing(q, K0.field.ring.to_domain())
else:
return None
def from_GlobalPolynomialRing(K1, a, K0):
"""Convert from old poly ring to ``dtype``. """
if K1.symbols == K0.gens:
ad = a.to_dict()
if K1.domain != K0.domain:
ad = {m: K1.domain.convert(c) for m, c in ad.items()}
return K1(ad)
elif a.is_ground and K0.domain == K1:
return K1.convert_from(a.to_list()[0], K0.domain)
def get_field(self):
"""Returns a field associated with `self`. """
return self.ring.to_field().to_domain()
def is_positive(self, a):
"""Returns True if `LC(a)` is positive. """
return self.domain.is_positive(a.LC)
def is_negative(self, a):
"""Returns True if `LC(a)` is negative. """
return self.domain.is_negative(a.LC)
def is_nonpositive(self, a):
"""Returns True if `LC(a)` is non-positive. """
return self.domain.is_nonpositive(a.LC)
def is_nonnegative(self, a):
"""Returns True if `LC(a)` is non-negative. """
return self.domain.is_nonnegative(a.LC)
def gcdex(self, a, b):
"""Extended GCD of `a` and `b`. """
return a.gcdex(b)
def gcd(self, a, b):
"""Returns GCD of `a` and `b`. """
return a.gcd(b)
def lcm(self, a, b):
"""Returns LCM of `a` and `b`. """
return a.lcm(b)
def factorial(self, a):
"""Returns factorial of `a`. """
return self.dtype(self.domain.factorial(a))
| 30.653631 | 90 | 0.587753 |
1b7b0c47afe0e564f7530c99f8c18b8810938072 | 696 | py | Python | converter/converter/__init__.py | pcrane70/thinapp_factory | 5910839b29bf79e6565291bff51a555de0795176 | [
"Apache-2.0"
] | 26 | 2015-01-06T03:28:20.000Z | 2019-11-27T11:55:06.000Z | converter/converter/__init__.py | pcrane70/thinapp_factory | 5910839b29bf79e6565291bff51a555de0795176 | [
"Apache-2.0"
] | 1 | 2021-07-20T16:13:11.000Z | 2021-07-20T16:13:11.000Z | converter/converter/__init__.py | pcrane70/thinapp_factory | 5910839b29bf79e6565291bff51a555de0795176 | [
"Apache-2.0"
] | 15 | 2015-06-30T12:19:24.000Z | 2019-10-15T16:00:47.000Z | # VMware ThinApp Factory
# Copyright (c) 2009-2013 VMware, 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 pkg_resources
pkg_resources.declare_namespace(__name__)
| 36.631579 | 74 | 0.771552 |
b2ab368d00c63579afc7ae254815e8b4d42e5489 | 4,251 | py | Python | kombu/tests/transport/test_filesystem.py | mikejohnsonjr/kombu | c32278f327b9fef2c18f42b6eea63703ea93c93f | [
"BSD-3-Clause"
] | 3 | 2016-07-29T16:38:29.000Z | 2021-01-14T21:07:39.000Z | kombu/tests/transport/test_filesystem.py | alanjds/kombu | 3b6aa9b4e5719314ddb6f8df705b1d556a298e66 | [
"BSD-3-Clause"
] | null | null | null | kombu/tests/transport/test_filesystem.py | alanjds/kombu | 3b6aa9b4e5719314ddb6f8df705b1d556a298e66 | [
"BSD-3-Clause"
] | 2 | 2019-05-09T03:17:21.000Z | 2020-03-11T08:02:19.000Z | from __future__ import absolute_import, unicode_literals
import tempfile
from kombu import Connection, Exchange, Queue, Consumer, Producer
from case.skip import SkipTest
from kombu.tests.case import Case, skip
@skip.if_win32()
class test_FilesystemTransport(Case):
def setup(self):
try:
data_folder_in = tempfile.mkdtemp()
data_folder_out = tempfile.mkdtemp()
except Exception:
raise SkipTest('filesystem transport: cannot create tempfiles')
self.c = Connection(transport='filesystem',
transport_options={
'data_folder_in': data_folder_in,
'data_folder_out': data_folder_out,
})
self.p = Connection(transport='filesystem',
transport_options={
'data_folder_in': data_folder_out,
'data_folder_out': data_folder_in,
})
self.e = Exchange('test_transport_filesystem')
self.q = Queue('test_transport_filesystem',
exchange=self.e,
routing_key='test_transport_filesystem')
self.q2 = Queue('test_transport_filesystem2',
exchange=self.e,
routing_key='test_transport_filesystem2')
def test_produce_consume_noack(self):
producer = Producer(self.p.channel(), self.e)
consumer = Consumer(self.c.channel(), self.q, no_ack=True)
for i in range(10):
producer.publish({'foo': i},
routing_key='test_transport_filesystem')
_received = []
def callback(message_data, message):
_received.append(message)
consumer.register_callback(callback)
consumer.consume()
while 1:
if len(_received) == 10:
break
self.c.drain_events()
self.assertEqual(len(_received), 10)
def test_produce_consume(self):
producer_channel = self.p.channel()
consumer_channel = self.c.channel()
producer = Producer(producer_channel, self.e)
consumer1 = Consumer(consumer_channel, self.q)
consumer2 = Consumer(consumer_channel, self.q2)
self.q2(consumer_channel).declare()
for i in range(10):
producer.publish({'foo': i},
routing_key='test_transport_filesystem')
for i in range(10):
producer.publish({'foo': i},
routing_key='test_transport_filesystem2')
_received1 = []
_received2 = []
def callback1(message_data, message):
_received1.append(message)
message.ack()
def callback2(message_data, message):
_received2.append(message)
message.ack()
consumer1.register_callback(callback1)
consumer2.register_callback(callback2)
consumer1.consume()
consumer2.consume()
while 1:
if len(_received1) + len(_received2) == 20:
break
self.c.drain_events()
self.assertEqual(len(_received1) + len(_received2), 20)
# compression
producer.publish({'compressed': True},
routing_key='test_transport_filesystem',
compression='zlib')
m = self.q(consumer_channel).get()
self.assertDictEqual(m.payload, {'compressed': True})
# queue.delete
for i in range(10):
producer.publish({'foo': i},
routing_key='test_transport_filesystem')
self.assertTrue(self.q(consumer_channel).get())
self.q(consumer_channel).delete()
self.q(consumer_channel).declare()
self.assertIsNone(self.q(consumer_channel).get())
# queue.purge
for i in range(10):
producer.publish({'foo': i},
routing_key='test_transport_filesystem2')
self.assertTrue(self.q2(consumer_channel).get())
self.q2(consumer_channel).purge()
self.assertIsNone(self.q2(consumer_channel).get())
| 34.560976 | 75 | 0.569043 |
3eb75dff5e90b20ebe23fdac4284bc012576a827 | 3,496 | py | Python | test/functional/s3api/test_service.py | JMD110/swift | 58ddca8fa5ccb99447f7dcc0745cc619449a5513 | [
"Apache-2.0"
] | 1 | 2022-03-07T06:11:06.000Z | 2022-03-07T06:11:06.000Z | test/functional/s3api/test_service.py | JMD110/swift | 58ddca8fa5ccb99447f7dcc0745cc619449a5513 | [
"Apache-2.0"
] | null | null | null | test/functional/s3api/test_service.py | JMD110/swift | 58ddca8fa5ccb99447f7dcc0745cc619449a5513 | [
"Apache-2.0"
] | null | null | null | # Copyright (c) 2015 OpenStack Foundation
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or
# implied.
# See the License for the specific language governing permissions and
# limitations under the License.
import unittest
import os
import test.functional as tf
from swift.common.middleware.s3api.etree import fromstring
from test.functional.s3api import S3ApiBase
from test.functional.s3api.s3_test_client import Connection
from test.functional.s3api.utils import get_error_code
def setUpModule():
tf.setup_package()
def tearDownModule():
tf.teardown_package()
class TestS3ApiService(S3ApiBase):
def setUp(self):
super(TestS3ApiService, self).setUp()
def test_service(self):
# GET Service(without bucket)
status, headers, body = self.conn.make_request('GET')
self.assertEqual(status, 200)
self.assertCommonResponseHeaders(headers)
self.assertTrue(headers['content-type'] is not None)
# TODO; requires consideration
# self.assertEqual(headers['transfer-encoding'], 'chunked')
elem = fromstring(body, 'ListAllMyBucketsResult')
buckets = elem.findall('./Buckets/Bucket')
self.assertEqual(list(buckets), [])
owner = elem.find('Owner')
self.assertEqual(self.conn.user_id, owner.find('ID').text)
self.assertEqual(self.conn.user_id, owner.find('DisplayName').text)
# GET Service(with Bucket)
req_buckets = ('bucket', 'bucket2')
for bucket in req_buckets:
self.conn.make_request('PUT', bucket)
status, headers, body = self.conn.make_request('GET')
self.assertEqual(status, 200)
elem = fromstring(body, 'ListAllMyBucketsResult')
resp_buckets = elem.findall('./Buckets/Bucket')
self.assertEqual(len(list(resp_buckets)), 2)
for b in resp_buckets:
self.assertTrue(b.find('Name').text in req_buckets)
self.assertTrue(b.find('CreationDate') is not None)
def test_service_error_signature_not_match(self):
auth_error_conn = Connection(aws_secret_key='invalid')
status, headers, body = auth_error_conn.make_request('GET')
self.assertEqual(get_error_code(body), 'SignatureDoesNotMatch')
self.assertEqual(headers['content-type'], 'application/xml')
def test_service_error_no_date_header(self):
# Without x-amz-date/Date header, that makes 403 forbidden
status, headers, body = self.conn.make_request(
'GET', headers={'Date': '', 'x-amz-date': ''})
self.assertEqual(status, 403)
self.assertEqual(get_error_code(body), 'AccessDenied')
self.assertIn(b'AWS authentication requires a valid Date '
b'or x-amz-date header', body)
class TestS3ApiServiceSigV4(TestS3ApiService):
@classmethod
def setUpClass(cls):
os.environ['S3_USE_SIGV4'] = "True"
@classmethod
def tearDownClass(cls):
del os.environ['S3_USE_SIGV4']
def setUp(self):
super(TestS3ApiServiceSigV4, self).setUp()
if __name__ == '__main__':
unittest.main()
| 34.27451 | 75 | 0.687929 |
72c15a37ab0e20c6b5dfc3609fcb8f12c6c5a1cf | 2,586 | py | Python | output/python-flask/openapi_server/controllers/api_mnemonic_controller.py | tys-hiroshi/openapi3-codegen | c411878c4164799bb3f786b3b947cdcaeb810542 | [
"MIT"
] | null | null | null | output/python-flask/openapi_server/controllers/api_mnemonic_controller.py | tys-hiroshi/openapi3-codegen | c411878c4164799bb3f786b3b947cdcaeb810542 | [
"MIT"
] | null | null | null | output/python-flask/openapi_server/controllers/api_mnemonic_controller.py | tys-hiroshi/openapi3-codegen | c411878c4164799bb3f786b3b947cdcaeb810542 | [
"MIT"
] | 1 | 2020-08-06T06:21:36.000Z | 2020-08-06T06:21:36.000Z | import connexion
import six
from openapi_server.models.request_add_address_model import RequestAddAddressModel # noqa: E501
from openapi_server.models.request_mnemonic_model import RequestMnemonicModel # noqa: E501
from openapi_server.models.request_upload_text_model import RequestUploadTextModel # noqa: E501
from openapi_server.models.response_add_address_model import ResponseAddAddressModel # noqa: E501
from openapi_server.models.response_mnemonic_model import ResponseMnemonicModel # noqa: E501
from openapi_server.models.response_tx_model import ResponseTxModel # noqa: E501
from openapi_server.models.response_upload_model import ResponseUploadModel # noqa: E501
from openapi_server.models.response_upload_text_model import ResponseUploadTextModel # noqa: E501
from openapi_server import util
from pymongo import DESCENDING, ASCENDING
import connexion
import six
import multiprocessing
from openapi_server import app, mongo, bootstrap
from openapi_server.libraires.whats_on_chain_lib import WhatsOnChainLib
import bitsv
from openapi_server.bip39mnemonic import Bip39Mnemonic
def api_mnemonic(): # noqa: E501
"""convert mnemonic words to wif, asset on Bitcoin SV.
convert mnemonic words to wif, asset on Bitcoin SV. # noqa: E501
:param body: request /api/mnemonic
:type body: dict | bytes
:rtype: ResponseMnemonicModel
"""
# if connexion.request.is_json:
# body = RequestMnemonicModel.from_dict(connexion.request.get_json()) # noqa: E501
# return 'do some magic!'
try:
app.app.logger.info("start /api/mnemonic")
if connexion.request.is_json:
body = RequestMnemonicModel.from_dict(connexion.request.get_json()) # noqa: E501
mnemonic = body.mnemonic #app.config['TESTNET_MNEMONIC']
bip39Mnemonic = Bip39Mnemonic(mnemonic, passphrase="", network="test")
privateKey = bitsv.Key(bip39Mnemonic.privatekey_wif, network = 'test')
address = privateKey.address
balance_satoshi = privateKey.get_balance()
#balance_bsv = float(balance_satoshi) / float(100000000)
# html = render_template(
# 'mnemonic.html',
# privatekey_wif = bip39Mnemonic.privatekey_wif,
# address = address,
# balance_satoshi = balance_satoshi,
# balance_bsv = balance_bsv,
# title="mnemonic")
return ResponseMnemonicModel(0, bip39Mnemonic.privatekey_wif, address, balance_satoshi).to_str(), 200
except Exception as e:
print(e)
return {}, 500
| 43.1 | 109 | 0.735112 |
06f74122050ea6061651be68b7219829f169ee44 | 54,326 | py | Python | python/pyspark/pandas/window.py | zhaox1n/spark | 1f150b9392706293946278dd35e8f5a5016ed6df | [
"BSD-2-Clause",
"Apache-2.0",
"CC0-1.0",
"MIT",
"MIT-0",
"ECL-2.0",
"BSD-3-Clause-No-Nuclear-License-2014",
"BSD-3-Clause"
] | 2 | 2021-06-03T09:59:31.000Z | 2021-06-12T14:40:30.000Z | python/pyspark/pandas/window.py | zhaox1n/spark | 1f150b9392706293946278dd35e8f5a5016ed6df | [
"BSD-2-Clause",
"Apache-2.0",
"CC0-1.0",
"MIT",
"MIT-0",
"ECL-2.0",
"BSD-3-Clause-No-Nuclear-License-2014",
"BSD-3-Clause"
] | 26 | 2016-10-27T06:07:00.000Z | 2018-01-26T00:21:32.000Z | python/pyspark/pandas/window.py | zhaox1n/spark | 1f150b9392706293946278dd35e8f5a5016ed6df | [
"BSD-2-Clause",
"Apache-2.0",
"CC0-1.0",
"MIT",
"MIT-0",
"ECL-2.0",
"BSD-3-Clause-No-Nuclear-License-2014",
"BSD-3-Clause"
] | 2 | 2020-11-04T17:36:17.000Z | 2021-04-16T15:57:07.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 functools import partial
from typing import Any, Union, TYPE_CHECKING
from pyspark.sql import Window
from pyspark.sql import functions as F
from pyspark.pandas.missing.window import (
MissingPandasLikeRolling,
MissingPandasLikeRollingGroupby,
MissingPandasLikeExpanding,
MissingPandasLikeExpandingGroupby,
)
# For running doctests and reference resolution in PyCharm.
from pyspark import pandas as ps # noqa: F401
from pyspark.pandas.internal import NATURAL_ORDER_COLUMN_NAME, SPARK_INDEX_NAME_FORMAT
from pyspark.pandas.utils import scol_for
if TYPE_CHECKING:
from pyspark.pandas.frame import DataFrame # noqa: F401 (SPARK-34943)
from pyspark.pandas.series import Series # noqa: F401 (SPARK-34943)
class RollingAndExpanding(object):
def __init__(self, kdf_or_kser, window, min_periods):
self._kdf_or_kser = kdf_or_kser
self._window = window
# This unbounded Window is later used to handle 'min_periods' for now.
self._unbounded_window = Window.orderBy(NATURAL_ORDER_COLUMN_NAME).rowsBetween(
Window.unboundedPreceding, Window.currentRow
)
self._min_periods = min_periods
def _apply_as_series_or_frame(self, func):
"""
Wraps a function that handles Spark column in order
to support it in both pandas-on-Spark Series and DataFrame.
Note that the given `func` name should be same as the API's method name.
"""
raise NotImplementedError(
"A class that inherits this class should implement this method "
"to handle the index and columns of output."
)
def count(self) -> Union["Series", "DataFrame"]:
def count(scol):
return F.count(scol).over(self._window)
return self._apply_as_series_or_frame(count).astype("float64")
def sum(self) -> Union["Series", "DataFrame"]:
def sum(scol):
return F.when(
F.row_number().over(self._unbounded_window) >= self._min_periods,
F.sum(scol).over(self._window),
).otherwise(F.lit(None))
return self._apply_as_series_or_frame(sum)
def min(self) -> Union["Series", "DataFrame"]:
def min(scol):
return F.when(
F.row_number().over(self._unbounded_window) >= self._min_periods,
F.min(scol).over(self._window),
).otherwise(F.lit(None))
return self._apply_as_series_or_frame(min)
def max(self) -> Union["Series", "DataFrame"]:
def max(scol):
return F.when(
F.row_number().over(self._unbounded_window) >= self._min_periods,
F.max(scol).over(self._window),
).otherwise(F.lit(None))
return self._apply_as_series_or_frame(max)
def mean(self) -> Union["Series", "DataFrame"]:
def mean(scol):
return F.when(
F.row_number().over(self._unbounded_window) >= self._min_periods,
F.mean(scol).over(self._window),
).otherwise(F.lit(None))
return self._apply_as_series_or_frame(mean)
def std(self) -> Union["Series", "DataFrame"]:
def std(scol):
return F.when(
F.row_number().over(self._unbounded_window) >= self._min_periods,
F.stddev(scol).over(self._window),
).otherwise(F.lit(None))
return self._apply_as_series_or_frame(std)
def var(self) -> Union["Series", "DataFrame"]:
def var(scol):
return F.when(
F.row_number().over(self._unbounded_window) >= self._min_periods,
F.variance(scol).over(self._window),
).otherwise(F.lit(None))
return self._apply_as_series_or_frame(var)
class Rolling(RollingAndExpanding):
def __init__(self, kdf_or_kser, window, min_periods=None):
from pyspark.pandas import DataFrame, Series
if window < 0:
raise ValueError("window must be >= 0")
if (min_periods is not None) and (min_periods < 0):
raise ValueError("min_periods must be >= 0")
if min_periods is None:
# TODO: 'min_periods' is not equivalent in pandas because it does not count NA as
# a value.
min_periods = window
if not isinstance(kdf_or_kser, (DataFrame, Series)):
raise TypeError(
"kdf_or_kser must be a series or dataframe; however, got: %s" % type(kdf_or_kser)
)
window = Window.orderBy(NATURAL_ORDER_COLUMN_NAME).rowsBetween(
Window.currentRow - (window - 1), Window.currentRow
)
super().__init__(kdf_or_kser, window, min_periods)
def __getattr__(self, item: str) -> Any:
if hasattr(MissingPandasLikeRolling, item):
property_or_func = getattr(MissingPandasLikeRolling, item)
if isinstance(property_or_func, property):
return property_or_func.fget(self) # type: ignore
else:
return partial(property_or_func, self)
raise AttributeError(item)
def _apply_as_series_or_frame(self, func):
return self._kdf_or_kser._apply_series_op(
lambda kser: kser._with_new_scol(func(kser.spark.column)), # TODO: dtype?
should_resolve=True,
)
def count(self) -> Union["Series", "DataFrame"]:
"""
The rolling count of any non-NaN observations inside the window.
.. note:: the current implementation of this API uses Spark's Window without
specifying partition specification. This leads to move all data into
single partition in single machine and could cause serious
performance degradation. Avoid this method against very large dataset.
Returns
-------
Series.expanding : Calling object with Series data.
DataFrame.expanding : Calling object with DataFrames.
Series.count : Count of the full Series.
DataFrame.count : Count of the full DataFrame.
Examples
--------
>>> s = ps.Series([2, 3, float("nan"), 10])
>>> s.rolling(1).count()
0 1.0
1 1.0
2 0.0
3 1.0
dtype: float64
>>> s.rolling(3).count()
0 1.0
1 2.0
2 2.0
3 2.0
dtype: float64
>>> s.to_frame().rolling(1).count()
0
0 1.0
1 1.0
2 0.0
3 1.0
>>> s.to_frame().rolling(3).count()
0
0 1.0
1 2.0
2 2.0
3 2.0
"""
return super().count()
def sum(self) -> Union["Series", "DataFrame"]:
"""
Calculate rolling summation of given DataFrame or Series.
.. note:: the current implementation of this API uses Spark's Window without
specifying partition specification. This leads to move all data into
single partition in single machine and could cause serious
performance degradation. Avoid this method against very large dataset.
Returns
-------
Series or DataFrame
Same type as the input, with the same index, containing the
rolling summation.
See Also
--------
Series.expanding : Calling object with Series data.
DataFrame.expanding : Calling object with DataFrames.
Series.sum : Reducing sum for Series.
DataFrame.sum : Reducing sum for DataFrame.
Examples
--------
>>> s = ps.Series([4, 3, 5, 2, 6])
>>> s
0 4
1 3
2 5
3 2
4 6
dtype: int64
>>> s.rolling(2).sum()
0 NaN
1 7.0
2 8.0
3 7.0
4 8.0
dtype: float64
>>> s.rolling(3).sum()
0 NaN
1 NaN
2 12.0
3 10.0
4 13.0
dtype: float64
For DataFrame, each rolling summation is computed column-wise.
>>> df = ps.DataFrame({"A": s.to_numpy(), "B": s.to_numpy() ** 2})
>>> df
A B
0 4 16
1 3 9
2 5 25
3 2 4
4 6 36
>>> df.rolling(2).sum()
A B
0 NaN NaN
1 7.0 25.0
2 8.0 34.0
3 7.0 29.0
4 8.0 40.0
>>> df.rolling(3).sum()
A B
0 NaN NaN
1 NaN NaN
2 12.0 50.0
3 10.0 38.0
4 13.0 65.0
"""
return super().sum()
def min(self) -> Union["Series", "DataFrame"]:
"""
Calculate the rolling minimum.
.. note:: the current implementation of this API uses Spark's Window without
specifying partition specification. This leads to move all data into
single partition in single machine and could cause serious
performance degradation. Avoid this method against very large dataset.
Returns
-------
Series or DataFrame
Returned object type is determined by the caller of the rolling
calculation.
See Also
--------
Series.rolling : Calling object with a Series.
DataFrame.rolling : Calling object with a DataFrame.
Series.min : Similar method for Series.
DataFrame.min : Similar method for DataFrame.
Examples
--------
>>> s = ps.Series([4, 3, 5, 2, 6])
>>> s
0 4
1 3
2 5
3 2
4 6
dtype: int64
>>> s.rolling(2).min()
0 NaN
1 3.0
2 3.0
3 2.0
4 2.0
dtype: float64
>>> s.rolling(3).min()
0 NaN
1 NaN
2 3.0
3 2.0
4 2.0
dtype: float64
For DataFrame, each rolling minimum is computed column-wise.
>>> df = ps.DataFrame({"A": s.to_numpy(), "B": s.to_numpy() ** 2})
>>> df
A B
0 4 16
1 3 9
2 5 25
3 2 4
4 6 36
>>> df.rolling(2).min()
A B
0 NaN NaN
1 3.0 9.0
2 3.0 9.0
3 2.0 4.0
4 2.0 4.0
>>> df.rolling(3).min()
A B
0 NaN NaN
1 NaN NaN
2 3.0 9.0
3 2.0 4.0
4 2.0 4.0
"""
return super().min()
def max(self) -> Union["Series", "DataFrame"]:
"""
Calculate the rolling maximum.
.. note:: the current implementation of this API uses Spark's Window without
specifying partition specification. This leads to move all data into
single partition in single machine and could cause serious
performance degradation. Avoid this method against very large dataset.
Returns
-------
Series or DataFrame
Return type is determined by the caller.
See Also
--------
Series.rolling : Series rolling.
DataFrame.rolling : DataFrame rolling.
Series.max : Similar method for Series.
DataFrame.max : Similar method for DataFrame.
Examples
--------
>>> s = ps.Series([4, 3, 5, 2, 6])
>>> s
0 4
1 3
2 5
3 2
4 6
dtype: int64
>>> s.rolling(2).max()
0 NaN
1 4.0
2 5.0
3 5.0
4 6.0
dtype: float64
>>> s.rolling(3).max()
0 NaN
1 NaN
2 5.0
3 5.0
4 6.0
dtype: float64
For DataFrame, each rolling maximum is computed column-wise.
>>> df = ps.DataFrame({"A": s.to_numpy(), "B": s.to_numpy() ** 2})
>>> df
A B
0 4 16
1 3 9
2 5 25
3 2 4
4 6 36
>>> df.rolling(2).max()
A B
0 NaN NaN
1 4.0 16.0
2 5.0 25.0
3 5.0 25.0
4 6.0 36.0
>>> df.rolling(3).max()
A B
0 NaN NaN
1 NaN NaN
2 5.0 25.0
3 5.0 25.0
4 6.0 36.0
"""
return super().max()
def mean(self) -> Union["Series", "DataFrame"]:
"""
Calculate the rolling mean of the values.
.. note:: the current implementation of this API uses Spark's Window without
specifying partition specification. This leads to move all data into
single partition in single machine and could cause serious
performance degradation. Avoid this method against very large dataset.
Returns
-------
Series or DataFrame
Returned object type is determined by the caller of the rolling
calculation.
See Also
--------
Series.rolling : Calling object with Series data.
DataFrame.rolling : Calling object with DataFrames.
Series.mean : Equivalent method for Series.
DataFrame.mean : Equivalent method for DataFrame.
Examples
--------
>>> s = ps.Series([4, 3, 5, 2, 6])
>>> s
0 4
1 3
2 5
3 2
4 6
dtype: int64
>>> s.rolling(2).mean()
0 NaN
1 3.5
2 4.0
3 3.5
4 4.0
dtype: float64
>>> s.rolling(3).mean()
0 NaN
1 NaN
2 4.000000
3 3.333333
4 4.333333
dtype: float64
For DataFrame, each rolling mean is computed column-wise.
>>> df = ps.DataFrame({"A": s.to_numpy(), "B": s.to_numpy() ** 2})
>>> df
A B
0 4 16
1 3 9
2 5 25
3 2 4
4 6 36
>>> df.rolling(2).mean()
A B
0 NaN NaN
1 3.5 12.5
2 4.0 17.0
3 3.5 14.5
4 4.0 20.0
>>> df.rolling(3).mean()
A B
0 NaN NaN
1 NaN NaN
2 4.000000 16.666667
3 3.333333 12.666667
4 4.333333 21.666667
"""
return super().mean()
def std(self) -> Union["Series", "DataFrame"]:
"""
Calculate rolling standard deviation.
.. note:: the current implementation of this API uses Spark's Window without
specifying partition specification. This leads to move all data into
single partition in single machine and could cause serious
performance degradation. Avoid this method against very large dataset.
Returns
-------
Series or DataFrame
Returns the same object type as the caller of the rolling calculation.
See Also
--------
Series.rolling : Calling object with Series data.
DataFrame.rolling : Calling object with DataFrames.
Series.std : Equivalent method for Series.
DataFrame.std : Equivalent method for DataFrame.
numpy.std : Equivalent method for Numpy array.
Examples
--------
>>> s = ps.Series([5, 5, 6, 7, 5, 5, 5])
>>> s.rolling(3).std()
0 NaN
1 NaN
2 0.577350
3 1.000000
4 1.000000
5 1.154701
6 0.000000
dtype: float64
For DataFrame, each rolling standard deviation is computed column-wise.
>>> df = ps.DataFrame({"A": s.to_numpy(), "B": s.to_numpy() ** 2})
>>> df.rolling(2).std()
A B
0 NaN NaN
1 0.000000 0.000000
2 0.707107 7.778175
3 0.707107 9.192388
4 1.414214 16.970563
5 0.000000 0.000000
6 0.000000 0.000000
"""
return super().std()
def var(self) -> Union["Series", "DataFrame"]:
"""
Calculate unbiased rolling variance.
.. note:: the current implementation of this API uses Spark's Window without
specifying partition specification. This leads to move all data into
single partition in single machine and could cause serious
performance degradation. Avoid this method against very large dataset.
Returns
-------
Series or DataFrame
Returns the same object type as the caller of the rolling calculation.
See Also
--------
Series.rolling : Calling object with Series data.
DataFrame.rolling : Calling object with DataFrames.
Series.var : Equivalent method for Series.
DataFrame.var : Equivalent method for DataFrame.
numpy.var : Equivalent method for Numpy array.
Examples
--------
>>> s = ps.Series([5, 5, 6, 7, 5, 5, 5])
>>> s.rolling(3).var()
0 NaN
1 NaN
2 0.333333
3 1.000000
4 1.000000
5 1.333333
6 0.000000
dtype: float64
For DataFrame, each unbiased rolling variance is computed column-wise.
>>> df = ps.DataFrame({"A": s.to_numpy(), "B": s.to_numpy() ** 2})
>>> df.rolling(2).var()
A B
0 NaN NaN
1 0.0 0.0
2 0.5 60.5
3 0.5 84.5
4 2.0 288.0
5 0.0 0.0
6 0.0 0.0
"""
return super().var()
class RollingGroupby(Rolling):
def __init__(self, groupby, window, min_periods=None):
from pyspark.pandas.groupby import SeriesGroupBy
from pyspark.pandas.groupby import DataFrameGroupBy
if isinstance(groupby, SeriesGroupBy):
kdf_or_kser = groupby._kser
elif isinstance(groupby, DataFrameGroupBy):
kdf_or_kser = groupby._kdf
else:
raise TypeError(
"groupby must be a SeriesGroupBy or DataFrameGroupBy; "
"however, got: %s" % type(groupby)
)
super().__init__(kdf_or_kser, window, min_periods)
self._groupby = groupby
self._window = self._window.partitionBy(*[ser.spark.column for ser in groupby._groupkeys])
self._unbounded_window = self._unbounded_window.partitionBy(
*[ser.spark.column for ser in groupby._groupkeys]
)
def __getattr__(self, item: str) -> Any:
if hasattr(MissingPandasLikeRollingGroupby, item):
property_or_func = getattr(MissingPandasLikeRollingGroupby, item)
if isinstance(property_or_func, property):
return property_or_func.fget(self) # type: ignore
else:
return partial(property_or_func, self)
raise AttributeError(item)
def _apply_as_series_or_frame(self, func):
"""
Wraps a function that handles Spark column in order
to support it in both pandas-on-Spark Series and DataFrame.
Note that the given `func` name should be same as the API's method name.
"""
from pyspark.pandas import DataFrame
from pyspark.pandas.series import first_series
from pyspark.pandas.groupby import SeriesGroupBy
groupby = self._groupby
kdf = groupby._kdf
# Here we need to include grouped key as an index, and shift previous index.
# [index_column0, index_column1] -> [grouped key, index_column0, index_column1]
new_index_scols = []
new_index_spark_column_names = []
new_index_names = []
new_index_dtypes = []
for groupkey in groupby._groupkeys:
index_column_name = SPARK_INDEX_NAME_FORMAT(len(new_index_scols))
new_index_scols.append(groupkey.spark.column.alias(index_column_name))
new_index_spark_column_names.append(index_column_name)
new_index_names.append(groupkey._column_label)
new_index_dtypes.append(groupkey.dtype)
for new_index_scol, index_name, index_dtype in zip(
kdf._internal.index_spark_columns, kdf._internal.index_names, kdf._internal.index_dtypes
):
index_column_name = SPARK_INDEX_NAME_FORMAT(len(new_index_scols))
new_index_scols.append(new_index_scol.alias(index_column_name))
new_index_spark_column_names.append(index_column_name)
new_index_names.append(index_name)
new_index_dtypes.append(index_dtype)
if groupby._agg_columns_selected:
agg_columns = groupby._agg_columns
else:
agg_columns = [
kdf._kser_for(label)
for label in kdf._internal.column_labels
if label not in groupby._column_labels_to_exlcude
]
applied = []
for agg_column in agg_columns:
applied.append(agg_column._with_new_scol(func(agg_column.spark.column))) # TODO: dtype?
# Seems like pandas filters out when grouped key is NA.
cond = groupby._groupkeys[0].spark.column.isNotNull()
for c in groupby._groupkeys[1:]:
cond = cond | c.spark.column.isNotNull()
sdf = kdf._internal.spark_frame.filter(cond).select(
new_index_scols + [c.spark.column for c in applied]
)
internal = kdf._internal.copy(
spark_frame=sdf,
index_spark_columns=[scol_for(sdf, col) for col in new_index_spark_column_names],
index_names=new_index_names,
index_dtypes=new_index_dtypes,
column_labels=[c._column_label for c in applied],
data_spark_columns=[
scol_for(sdf, c._internal.data_spark_column_names[0]) for c in applied
],
data_dtypes=[c.dtype for c in applied],
)
ret = DataFrame(internal)
if isinstance(groupby, SeriesGroupBy):
return first_series(ret)
else:
return ret
def count(self) -> Union["Series", "DataFrame"]:
"""
The rolling count of any non-NaN observations inside the window.
Returns
-------
Series or DataFrame
Returned object type is determined by the caller of the expanding
calculation.
See Also
--------
Series.rolling : Calling object with Series data.
DataFrame.rolling : Calling object with DataFrames.
Series.count : Count of the full Series.
DataFrame.count : Count of the full DataFrame.
Examples
--------
>>> s = ps.Series([2, 2, 3, 3, 3, 4, 4, 4, 4, 5, 5])
>>> s.groupby(s).rolling(3).count().sort_index()
2 0 1.0
1 2.0
3 2 1.0
3 2.0
4 3.0
4 5 1.0
6 2.0
7 3.0
8 3.0
5 9 1.0
10 2.0
dtype: float64
For DataFrame, each rolling count is computed column-wise.
>>> df = ps.DataFrame({"A": s.to_numpy(), "B": s.to_numpy() ** 2})
>>> df.groupby(df.A).rolling(2).count().sort_index() # doctest: +NORMALIZE_WHITESPACE
A B
A
2 0 1.0 1.0
1 2.0 2.0
3 2 1.0 1.0
3 2.0 2.0
4 2.0 2.0
4 5 1.0 1.0
6 2.0 2.0
7 2.0 2.0
8 2.0 2.0
5 9 1.0 1.0
10 2.0 2.0
"""
return super().count()
def sum(self) -> Union["Series", "DataFrame"]:
"""
The rolling summation of any non-NaN observations inside the window.
Returns
-------
Series or DataFrame
Returned object type is determined by the caller of the rolling
calculation.
See Also
--------
Series.rolling : Calling object with Series data.
DataFrame.rolling : Calling object with DataFrames.
Series.sum : Sum of the full Series.
DataFrame.sum : Sum of the full DataFrame.
Examples
--------
>>> s = ps.Series([2, 2, 3, 3, 3, 4, 4, 4, 4, 5, 5])
>>> s.groupby(s).rolling(3).sum().sort_index()
2 0 NaN
1 NaN
3 2 NaN
3 NaN
4 9.0
4 5 NaN
6 NaN
7 12.0
8 12.0
5 9 NaN
10 NaN
dtype: float64
For DataFrame, each rolling summation is computed column-wise.
>>> df = ps.DataFrame({"A": s.to_numpy(), "B": s.to_numpy() ** 2})
>>> df.groupby(df.A).rolling(2).sum().sort_index() # doctest: +NORMALIZE_WHITESPACE
A B
A
2 0 NaN NaN
1 4.0 8.0
3 2 NaN NaN
3 6.0 18.0
4 6.0 18.0
4 5 NaN NaN
6 8.0 32.0
7 8.0 32.0
8 8.0 32.0
5 9 NaN NaN
10 10.0 50.0
"""
return super().sum()
def min(self) -> Union["Series", "DataFrame"]:
"""
The rolling minimum of any non-NaN observations inside the window.
Returns
-------
Series or DataFrame
Returned object type is determined by the caller of the rolling
calculation.
See Also
--------
Series.rolling : Calling object with Series data.
DataFrame.rolling : Calling object with DataFrames.
Series.min : Min of the full Series.
DataFrame.min : Min of the full DataFrame.
Examples
--------
>>> s = ps.Series([2, 2, 3, 3, 3, 4, 4, 4, 4, 5, 5])
>>> s.groupby(s).rolling(3).min().sort_index()
2 0 NaN
1 NaN
3 2 NaN
3 NaN
4 3.0
4 5 NaN
6 NaN
7 4.0
8 4.0
5 9 NaN
10 NaN
dtype: float64
For DataFrame, each rolling minimum is computed column-wise.
>>> df = ps.DataFrame({"A": s.to_numpy(), "B": s.to_numpy() ** 2})
>>> df.groupby(df.A).rolling(2).min().sort_index() # doctest: +NORMALIZE_WHITESPACE
A B
A
2 0 NaN NaN
1 2.0 4.0
3 2 NaN NaN
3 3.0 9.0
4 3.0 9.0
4 5 NaN NaN
6 4.0 16.0
7 4.0 16.0
8 4.0 16.0
5 9 NaN NaN
10 5.0 25.0
"""
return super().min()
def max(self) -> Union["Series", "DataFrame"]:
"""
The rolling maximum of any non-NaN observations inside the window.
Returns
-------
Series or DataFrame
Returned object type is determined by the caller of the rolling
calculation.
See Also
--------
Series.rolling : Calling object with Series data.
DataFrame.rolling : Calling object with DataFrames.
Series.max : Max of the full Series.
DataFrame.max : Max of the full DataFrame.
Examples
--------
>>> s = ps.Series([2, 2, 3, 3, 3, 4, 4, 4, 4, 5, 5])
>>> s.groupby(s).rolling(3).max().sort_index()
2 0 NaN
1 NaN
3 2 NaN
3 NaN
4 3.0
4 5 NaN
6 NaN
7 4.0
8 4.0
5 9 NaN
10 NaN
dtype: float64
For DataFrame, each rolling maximum is computed column-wise.
>>> df = ps.DataFrame({"A": s.to_numpy(), "B": s.to_numpy() ** 2})
>>> df.groupby(df.A).rolling(2).max().sort_index() # doctest: +NORMALIZE_WHITESPACE
A B
A
2 0 NaN NaN
1 2.0 4.0
3 2 NaN NaN
3 3.0 9.0
4 3.0 9.0
4 5 NaN NaN
6 4.0 16.0
7 4.0 16.0
8 4.0 16.0
5 9 NaN NaN
10 5.0 25.0
"""
return super().max()
def mean(self) -> Union["Series", "DataFrame"]:
"""
The rolling mean of any non-NaN observations inside the window.
Returns
-------
Series or DataFrame
Returned object type is determined by the caller of the rolling
calculation.
See Also
--------
Series.rolling : Calling object with Series data.
DataFrame.rolling : Calling object with DataFrames.
Series.mean : Mean of the full Series.
DataFrame.mean : Mean of the full DataFrame.
Examples
--------
>>> s = ps.Series([2, 2, 3, 3, 3, 4, 4, 4, 4, 5, 5])
>>> s.groupby(s).rolling(3).mean().sort_index()
2 0 NaN
1 NaN
3 2 NaN
3 NaN
4 3.0
4 5 NaN
6 NaN
7 4.0
8 4.0
5 9 NaN
10 NaN
dtype: float64
For DataFrame, each rolling mean is computed column-wise.
>>> df = ps.DataFrame({"A": s.to_numpy(), "B": s.to_numpy() ** 2})
>>> df.groupby(df.A).rolling(2).mean().sort_index() # doctest: +NORMALIZE_WHITESPACE
A B
A
2 0 NaN NaN
1 2.0 4.0
3 2 NaN NaN
3 3.0 9.0
4 3.0 9.0
4 5 NaN NaN
6 4.0 16.0
7 4.0 16.0
8 4.0 16.0
5 9 NaN NaN
10 5.0 25.0
"""
return super().mean()
def std(self) -> Union["Series", "DataFrame"]:
"""
Calculate rolling standard deviation.
Returns
-------
Series or DataFrame
Returns the same object type as the caller of the rolling calculation.
See Also
--------
Series.rolling : Calling object with Series data.
DataFrame.rolling : Calling object with DataFrames.
Series.std : Equivalent method for Series.
DataFrame.std : Equivalent method for DataFrame.
numpy.std : Equivalent method for Numpy array.
"""
return super().std()
def var(self) -> Union["Series", "DataFrame"]:
"""
Calculate unbiased rolling variance.
Returns
-------
Series or DataFrame
Returns the same object type as the caller of the rolling calculation.
See Also
--------
Series.rolling : Calling object with Series data.
DataFrame.rolling : Calling object with DataFrames.
Series.var : Equivalent method for Series.
DataFrame.var : Equivalent method for DataFrame.
numpy.var : Equivalent method for Numpy array.
"""
return super().var()
class Expanding(RollingAndExpanding):
def __init__(self, kdf_or_kser, min_periods=1):
from pyspark.pandas import DataFrame, Series
if min_periods < 0:
raise ValueError("min_periods must be >= 0")
if not isinstance(kdf_or_kser, (DataFrame, Series)):
raise TypeError(
"kdf_or_kser must be a series or dataframe; however, got: %s" % type(kdf_or_kser)
)
window = Window.orderBy(NATURAL_ORDER_COLUMN_NAME).rowsBetween(
Window.unboundedPreceding, Window.currentRow
)
super().__init__(kdf_or_kser, window, min_periods)
def __getattr__(self, item: str) -> Any:
if hasattr(MissingPandasLikeExpanding, item):
property_or_func = getattr(MissingPandasLikeExpanding, item)
if isinstance(property_or_func, property):
return property_or_func.fget(self) # type: ignore
else:
return partial(property_or_func, self)
raise AttributeError(item)
# TODO: when add 'center' and 'axis' parameter, should add to here too.
def __repr__(self):
return "Expanding [min_periods={}]".format(self._min_periods)
_apply_as_series_or_frame = Rolling._apply_as_series_or_frame
def count(self) -> Union["Series", "DataFrame"]:
"""
The expanding count of any non-NaN observations inside the window.
.. note:: the current implementation of this API uses Spark's Window without
specifying partition specification. This leads to move all data into
single partition in single machine and could cause serious
performance degradation. Avoid this method against very large dataset.
Returns
-------
Series or DataFrame
Returned object type is determined by the caller of the expanding
calculation.
See Also
--------
Series.expanding : Calling object with Series data.
DataFrame.expanding : Calling object with DataFrames.
Series.count : Count of the full Series.
DataFrame.count : Count of the full DataFrame.
Examples
--------
>>> s = ps.Series([2, 3, float("nan"), 10])
>>> s.expanding().count()
0 1.0
1 2.0
2 2.0
3 3.0
dtype: float64
>>> s.to_frame().expanding().count()
0
0 1.0
1 2.0
2 2.0
3 3.0
"""
def count(scol):
return F.when(
F.row_number().over(self._unbounded_window) >= self._min_periods,
F.count(scol).over(self._window),
).otherwise(F.lit(None))
return self._apply_as_series_or_frame(count).astype("float64") # type: ignore
def sum(self) -> Union["Series", "DataFrame"]:
"""
Calculate expanding summation of given DataFrame or Series.
.. note:: the current implementation of this API uses Spark's Window without
specifying partition specification. This leads to move all data into
single partition in single machine and could cause serious
performance degradation. Avoid this method against very large dataset.
Returns
-------
Series or DataFrame
Same type as the input, with the same index, containing the
expanding summation.
See Also
--------
Series.expanding : Calling object with Series data.
DataFrame.expanding : Calling object with DataFrames.
Series.sum : Reducing sum for Series.
DataFrame.sum : Reducing sum for DataFrame.
Examples
--------
>>> s = ps.Series([1, 2, 3, 4, 5])
>>> s
0 1
1 2
2 3
3 4
4 5
dtype: int64
>>> s.expanding(3).sum()
0 NaN
1 NaN
2 6.0
3 10.0
4 15.0
dtype: float64
For DataFrame, each expanding summation is computed column-wise.
>>> df = ps.DataFrame({"A": s.to_numpy(), "B": s.to_numpy() ** 2})
>>> df
A B
0 1 1
1 2 4
2 3 9
3 4 16
4 5 25
>>> df.expanding(3).sum()
A B
0 NaN NaN
1 NaN NaN
2 6.0 14.0
3 10.0 30.0
4 15.0 55.0
"""
return super().sum()
def min(self) -> Union["Series", "DataFrame"]:
"""
Calculate the expanding minimum.
.. note:: the current implementation of this API uses Spark's Window without
specifying partition specification. This leads to move all data into
single partition in single machine and could cause serious
performance degradation. Avoid this method against very large dataset.
Returns
-------
Series or DataFrame
Returned object type is determined by the caller of the expanding
calculation.
See Also
--------
Series.expanding : Calling object with a Series.
DataFrame.expanding : Calling object with a DataFrame.
Series.min : Similar method for Series.
DataFrame.min : Similar method for DataFrame.
Examples
--------
Performing a expanding minimum with a window size of 3.
>>> s = ps.Series([4, 3, 5, 2, 6])
>>> s.expanding(3).min()
0 NaN
1 NaN
2 3.0
3 2.0
4 2.0
dtype: float64
"""
return super().min()
def max(self) -> Union["Series", "DataFrame"]:
"""
Calculate the expanding maximum.
.. note:: the current implementation of this API uses Spark's Window without
specifying partition specification. This leads to move all data into
single partition in single machine and could cause serious
performance degradation. Avoid this method against very large dataset.
Returns
-------
Series or DataFrame
Return type is determined by the caller.
See Also
--------
Series.expanding : Calling object with Series data.
DataFrame.expanding : Calling object with DataFrames.
Series.max : Similar method for Series.
DataFrame.max : Similar method for DataFrame.
Examples
--------
Performing a expanding minimum with a window size of 3.
>>> s = ps.Series([4, 3, 5, 2, 6])
>>> s.expanding(3).max()
0 NaN
1 NaN
2 5.0
3 5.0
4 6.0
dtype: float64
"""
return super().max()
def mean(self) -> Union["Series", "DataFrame"]:
"""
Calculate the expanding mean of the values.
.. note:: the current implementation of this API uses Spark's Window without
specifying partition specification. This leads to move all data into
single partition in single machine and could cause serious
performance degradation. Avoid this method against very large dataset.
Returns
-------
Series or DataFrame
Returned object type is determined by the caller of the expanding
calculation.
See Also
--------
Series.expanding : Calling object with Series data.
DataFrame.expanding : Calling object with DataFrames.
Series.mean : Equivalent method for Series.
DataFrame.mean : Equivalent method for DataFrame.
Examples
--------
The below examples will show expanding mean calculations with window sizes of
two and three, respectively.
>>> s = ps.Series([1, 2, 3, 4])
>>> s.expanding(2).mean()
0 NaN
1 1.5
2 2.0
3 2.5
dtype: float64
>>> s.expanding(3).mean()
0 NaN
1 NaN
2 2.0
3 2.5
dtype: float64
"""
return super().mean()
def std(self) -> Union["Series", "DataFrame"]:
"""
Calculate expanding standard deviation.
.. note:: the current implementation of this API uses Spark's Window without
specifying partition specification. This leads to move all data into
single partition in single machine and could cause serious
performance degradation. Avoid this method against very large dataset.
Returns
-------
Series or DataFrame
Returns the same object type as the caller of the expanding calculation.
See Also
--------
Series.expanding : Calling object with Series data.
DataFrame.expanding : Calling object with DataFrames.
Series.std : Equivalent method for Series.
DataFrame.std : Equivalent method for DataFrame.
numpy.std : Equivalent method for Numpy array.
Examples
--------
>>> s = ps.Series([5, 5, 6, 7, 5, 5, 5])
>>> s.expanding(3).std()
0 NaN
1 NaN
2 0.577350
3 0.957427
4 0.894427
5 0.836660
6 0.786796
dtype: float64
For DataFrame, each expanding standard deviation variance is computed column-wise.
>>> df = ps.DataFrame({"A": s.to_numpy(), "B": s.to_numpy() ** 2})
>>> df.expanding(2).std()
A B
0 NaN NaN
1 0.000000 0.000000
2 0.577350 6.350853
3 0.957427 11.412712
4 0.894427 10.630146
5 0.836660 9.928075
6 0.786796 9.327379
"""
return super().std()
def var(self) -> Union["Series", "DataFrame"]:
"""
Calculate unbiased expanding variance.
.. note:: the current implementation of this API uses Spark's Window without
specifying partition specification. This leads to move all data into
single partition in single machine and could cause serious
performance degradation. Avoid this method against very large dataset.
Returns
-------
Series or DataFrame
Returns the same object type as the caller of the expanding calculation.
See Also
--------
Series.expanding : Calling object with Series data.
DataFrame.expanding : Calling object with DataFrames.
Series.var : Equivalent method for Series.
DataFrame.var : Equivalent method for DataFrame.
numpy.var : Equivalent method for Numpy array.
Examples
--------
>>> s = ps.Series([5, 5, 6, 7, 5, 5, 5])
>>> s.expanding(3).var()
0 NaN
1 NaN
2 0.333333
3 0.916667
4 0.800000
5 0.700000
6 0.619048
dtype: float64
For DataFrame, each unbiased expanding variance is computed column-wise.
>>> df = ps.DataFrame({"A": s.to_numpy(), "B": s.to_numpy() ** 2})
>>> df.expanding(2).var()
A B
0 NaN NaN
1 0.000000 0.000000
2 0.333333 40.333333
3 0.916667 130.250000
4 0.800000 113.000000
5 0.700000 98.566667
6 0.619048 87.000000
"""
return super().var()
class ExpandingGroupby(Expanding):
def __init__(self, groupby, min_periods=1):
from pyspark.pandas.groupby import SeriesGroupBy
from pyspark.pandas.groupby import DataFrameGroupBy
if isinstance(groupby, SeriesGroupBy):
kdf_or_kser = groupby._kser
elif isinstance(groupby, DataFrameGroupBy):
kdf_or_kser = groupby._kdf
else:
raise TypeError(
"groupby must be a SeriesGroupBy or DataFrameGroupBy; "
"however, got: %s" % type(groupby)
)
super().__init__(kdf_or_kser, min_periods)
self._groupby = groupby
self._window = self._window.partitionBy(*[ser.spark.column for ser in groupby._groupkeys])
self._unbounded_window = self._window.partitionBy(
*[ser.spark.column for ser in groupby._groupkeys]
)
def __getattr__(self, item: str) -> Any:
if hasattr(MissingPandasLikeExpandingGroupby, item):
property_or_func = getattr(MissingPandasLikeExpandingGroupby, item)
if isinstance(property_or_func, property):
return property_or_func.fget(self) # type: ignore
else:
return partial(property_or_func, self)
raise AttributeError(item)
_apply_as_series_or_frame = RollingGroupby._apply_as_series_or_frame # type: ignore
def count(self) -> Union["Series", "DataFrame"]:
"""
The expanding count of any non-NaN observations inside the window.
Returns
-------
Series or DataFrame
Returned object type is determined by the caller of the expanding
calculation.
See Also
--------
Series.expanding : Calling object with Series data.
DataFrame.expanding : Calling object with DataFrames.
Series.count : Count of the full Series.
DataFrame.count : Count of the full DataFrame.
Examples
--------
>>> s = ps.Series([2, 2, 3, 3, 3, 4, 4, 4, 4, 5, 5])
>>> s.groupby(s).expanding(3).count().sort_index()
2 0 NaN
1 NaN
3 2 NaN
3 NaN
4 3.0
4 5 NaN
6 NaN
7 3.0
8 4.0
5 9 NaN
10 NaN
dtype: float64
For DataFrame, each expanding count is computed column-wise.
>>> df = ps.DataFrame({"A": s.to_numpy(), "B": s.to_numpy() ** 2})
>>> df.groupby(df.A).expanding(2).count().sort_index() # doctest: +NORMALIZE_WHITESPACE
A B
A
2 0 NaN NaN
1 2.0 2.0
3 2 NaN NaN
3 2.0 2.0
4 3.0 3.0
4 5 NaN NaN
6 2.0 2.0
7 3.0 3.0
8 4.0 4.0
5 9 NaN NaN
10 2.0 2.0
"""
return super().count()
def sum(self) -> Union["Series", "DataFrame"]:
"""
Calculate expanding summation of given DataFrame or Series.
Returns
-------
Series or DataFrame
Same type as the input, with the same index, containing the
expanding summation.
See Also
--------
Series.expanding : Calling object with Series data.
DataFrame.expanding : Calling object with DataFrames.
Series.sum : Reducing sum for Series.
DataFrame.sum : Reducing sum for DataFrame.
Examples
--------
>>> s = ps.Series([2, 2, 3, 3, 3, 4, 4, 4, 4, 5, 5])
>>> s.groupby(s).expanding(3).sum().sort_index()
2 0 NaN
1 NaN
3 2 NaN
3 NaN
4 9.0
4 5 NaN
6 NaN
7 12.0
8 16.0
5 9 NaN
10 NaN
dtype: float64
For DataFrame, each expanding summation is computed column-wise.
>>> df = ps.DataFrame({"A": s.to_numpy(), "B": s.to_numpy() ** 2})
>>> df.groupby(df.A).expanding(2).sum().sort_index() # doctest: +NORMALIZE_WHITESPACE
A B
A
2 0 NaN NaN
1 4.0 8.0
3 2 NaN NaN
3 6.0 18.0
4 9.0 27.0
4 5 NaN NaN
6 8.0 32.0
7 12.0 48.0
8 16.0 64.0
5 9 NaN NaN
10 10.0 50.0
"""
return super().sum()
def min(self) -> Union["Series", "DataFrame"]:
"""
Calculate the expanding minimum.
Returns
-------
Series or DataFrame
Returned object type is determined by the caller of the expanding
calculation.
See Also
--------
Series.expanding : Calling object with a Series.
DataFrame.expanding : Calling object with a DataFrame.
Series.min : Similar method for Series.
DataFrame.min : Similar method for DataFrame.
Examples
--------
>>> s = ps.Series([2, 2, 3, 3, 3, 4, 4, 4, 4, 5, 5])
>>> s.groupby(s).expanding(3).min().sort_index()
2 0 NaN
1 NaN
3 2 NaN
3 NaN
4 3.0
4 5 NaN
6 NaN
7 4.0
8 4.0
5 9 NaN
10 NaN
dtype: float64
For DataFrame, each expanding minimum is computed column-wise.
>>> df = ps.DataFrame({"A": s.to_numpy(), "B": s.to_numpy() ** 2})
>>> df.groupby(df.A).expanding(2).min().sort_index() # doctest: +NORMALIZE_WHITESPACE
A B
A
2 0 NaN NaN
1 2.0 4.0
3 2 NaN NaN
3 3.0 9.0
4 3.0 9.0
4 5 NaN NaN
6 4.0 16.0
7 4.0 16.0
8 4.0 16.0
5 9 NaN NaN
10 5.0 25.0
"""
return super().min()
def max(self) -> Union["Series", "DataFrame"]:
"""
Calculate the expanding maximum.
Returns
-------
Series or DataFrame
Return type is determined by the caller.
See Also
--------
Series.expanding : Calling object with Series data.
DataFrame.expanding : Calling object with DataFrames.
Series.max : Similar method for Series.
DataFrame.max : Similar method for DataFrame.
Examples
--------
>>> s = ps.Series([2, 2, 3, 3, 3, 4, 4, 4, 4, 5, 5])
>>> s.groupby(s).expanding(3).max().sort_index()
2 0 NaN
1 NaN
3 2 NaN
3 NaN
4 3.0
4 5 NaN
6 NaN
7 4.0
8 4.0
5 9 NaN
10 NaN
dtype: float64
For DataFrame, each expanding maximum is computed column-wise.
>>> df = ps.DataFrame({"A": s.to_numpy(), "B": s.to_numpy() ** 2})
>>> df.groupby(df.A).expanding(2).max().sort_index() # doctest: +NORMALIZE_WHITESPACE
A B
A
2 0 NaN NaN
1 2.0 4.0
3 2 NaN NaN
3 3.0 9.0
4 3.0 9.0
4 5 NaN NaN
6 4.0 16.0
7 4.0 16.0
8 4.0 16.0
5 9 NaN NaN
10 5.0 25.0
"""
return super().max()
def mean(self) -> Union["Series", "DataFrame"]:
"""
Calculate the expanding mean of the values.
Returns
-------
Series or DataFrame
Returned object type is determined by the caller of the expanding
calculation.
See Also
--------
Series.expanding : Calling object with Series data.
DataFrame.expanding : Calling object with DataFrames.
Series.mean : Equivalent method for Series.
DataFrame.mean : Equivalent method for DataFrame.
Examples
--------
>>> s = ps.Series([2, 2, 3, 3, 3, 4, 4, 4, 4, 5, 5])
>>> s.groupby(s).expanding(3).mean().sort_index()
2 0 NaN
1 NaN
3 2 NaN
3 NaN
4 3.0
4 5 NaN
6 NaN
7 4.0
8 4.0
5 9 NaN
10 NaN
dtype: float64
For DataFrame, each expanding mean is computed column-wise.
>>> df = ps.DataFrame({"A": s.to_numpy(), "B": s.to_numpy() ** 2})
>>> df.groupby(df.A).expanding(2).mean().sort_index() # doctest: +NORMALIZE_WHITESPACE
A B
A
2 0 NaN NaN
1 2.0 4.0
3 2 NaN NaN
3 3.0 9.0
4 3.0 9.0
4 5 NaN NaN
6 4.0 16.0
7 4.0 16.0
8 4.0 16.0
5 9 NaN NaN
10 5.0 25.0
"""
return super().mean()
def std(self) -> Union["Series", "DataFrame"]:
"""
Calculate expanding standard deviation.
Returns
-------
Series or DataFrame
Returns the same object type as the caller of the expanding calculation.
See Also
--------
Series.expanding: Calling object with Series data.
DataFrame.expanding : Calling object with DataFrames.
Series.std : Equivalent method for Series.
DataFrame.std : Equivalent method for DataFrame.
numpy.std : Equivalent method for Numpy array.
"""
return super().std()
def var(self) -> Union["Series", "DataFrame"]:
"""
Calculate unbiased expanding variance.
Returns
-------
Series or DataFrame
Returns the same object type as the caller of the expanding calculation.
See Also
--------
Series.expanding : Calling object with Series data.
DataFrame.expanding : Calling object with DataFrames.
Series.var : Equivalent method for Series.
DataFrame.var : Equivalent method for DataFrame.
numpy.var : Equivalent method for Numpy array.
"""
return super().var()
def _test():
import os
import doctest
import sys
from pyspark.sql import SparkSession
import pyspark.pandas.window
os.chdir(os.environ["SPARK_HOME"])
globs = pyspark.pandas.window.__dict__.copy()
globs["ps"] = pyspark.pandas
spark = (
SparkSession.builder.master("local[4]").appName("pyspark.pandas.window tests").getOrCreate()
)
(failure_count, test_count) = doctest.testmod(
pyspark.pandas.window,
globs=globs,
optionflags=doctest.ELLIPSIS | doctest.NORMALIZE_WHITESPACE,
)
spark.stop()
if failure_count:
sys.exit(-1)
if __name__ == "__main__":
_test()
| 30.727376 | 100 | 0.527758 |
d92d71692e0f7e170a038cd347f7ef6e9151cbb9 | 3,827 | py | Python | ucscentralsdk/mometa/fabric/FabricPooledVlan.py | ragupta-git/ucscentralsdk | 2678008b5fb6b0fafafec388d0874147e95a1086 | [
"Apache-2.0"
] | null | null | null | ucscentralsdk/mometa/fabric/FabricPooledVlan.py | ragupta-git/ucscentralsdk | 2678008b5fb6b0fafafec388d0874147e95a1086 | [
"Apache-2.0"
] | null | null | null | ucscentralsdk/mometa/fabric/FabricPooledVlan.py | ragupta-git/ucscentralsdk | 2678008b5fb6b0fafafec388d0874147e95a1086 | [
"Apache-2.0"
] | null | null | null | """This module contains the general information for FabricPooledVlan ManagedObject."""
from ...ucscentralmo import ManagedObject
from ...ucscentralcoremeta import UcsCentralVersion, MoPropertyMeta, MoMeta
from ...ucscentralmeta import VersionMeta
class FabricPooledVlanConsts():
CONS_CNT_ASSIGNED_TO_SINGLE = "assigned-to-single"
CONS_CNT_AVAILABLE = "available"
class FabricPooledVlan(ManagedObject):
"""This is FabricPooledVlan class."""
consts = FabricPooledVlanConsts()
naming_props = set([u'name'])
mo_meta = MoMeta("FabricPooledVlan", "fabricPooledVlan", "net-[name]", VersionMeta.Version111a, "InputOutput", 0x1f, [], ["admin", "ext-lan-config", "ext-lan-policy"], [], [], ["Add", "Get", "Remove"])
prop_meta = {
"assigned_to_dn": MoPropertyMeta("assigned_to_dn", "assignedToDn", "string", VersionMeta.Version111a, MoPropertyMeta.READ_ONLY, None, 0, 256, None, [], []),
"block_dn": MoPropertyMeta("block_dn", "blockDn", "string", VersionMeta.Version111a, MoPropertyMeta.READ_ONLY, None, 0, 510, None, [], []),
"child_action": MoPropertyMeta("child_action", "childAction", "string", VersionMeta.Version111a, MoPropertyMeta.INTERNAL, None, None, None, r"""((deleteAll|ignore|deleteNonPresent),){0,2}(deleteAll|ignore|deleteNonPresent){0,1}""", [], []),
"cons_cnt": MoPropertyMeta("cons_cnt", "consCnt", "string", VersionMeta.Version111a, MoPropertyMeta.READ_ONLY, None, None, None, None, ["assigned-to-single", "available"], ["0-4294967295"]),
"dn": MoPropertyMeta("dn", "dn", "string", VersionMeta.Version111a, MoPropertyMeta.READ_ONLY, 0x2, 0, 256, None, [], []),
"id_released_time": MoPropertyMeta("id_released_time", "idReleasedTime", "string", VersionMeta.Version111a, MoPropertyMeta.READ_ONLY, None, None, None, r"""([0-9]){4}-([0-9]){2}-([0-9]){2}T([0-9]){2}:([0-9]){2}:([0-9]){2}((\.([0-9]){3})){0,1}""", [], []),
"name": MoPropertyMeta("name", "name", "string", VersionMeta.Version111a, MoPropertyMeta.NAMING, 0x4, 1, 510, None, [], []),
"peer_dn": MoPropertyMeta("peer_dn", "peerDn", "string", VersionMeta.Version111a, MoPropertyMeta.READ_ONLY, None, 0, 256, None, [], []),
"poolable_dn": MoPropertyMeta("poolable_dn", "poolableDn", "string", VersionMeta.Version111a, MoPropertyMeta.READ_ONLY, None, 0, 256, None, [], []),
"prev_assigned_to_dn": MoPropertyMeta("prev_assigned_to_dn", "prevAssignedToDn", "string", VersionMeta.Version111a, MoPropertyMeta.READ_ONLY, None, 0, 256, None, [], []),
"rn": MoPropertyMeta("rn", "rn", "string", VersionMeta.Version111a, MoPropertyMeta.READ_ONLY, 0x8, 0, 256, None, [], []),
"status": MoPropertyMeta("status", "status", "string", VersionMeta.Version111a, MoPropertyMeta.READ_WRITE, 0x10, None, None, r"""((removed|created|modified|deleted),){0,3}(removed|created|modified|deleted){0,1}""", [], []),
}
prop_map = {
"assignedToDn": "assigned_to_dn",
"blockDn": "block_dn",
"childAction": "child_action",
"consCnt": "cons_cnt",
"dn": "dn",
"idReleasedTime": "id_released_time",
"name": "name",
"peerDn": "peer_dn",
"poolableDn": "poolable_dn",
"prevAssignedToDn": "prev_assigned_to_dn",
"rn": "rn",
"status": "status",
}
def __init__(self, parent_mo_or_dn, name, **kwargs):
self._dirty_mask = 0
self.name = name
self.assigned_to_dn = None
self.block_dn = None
self.child_action = None
self.cons_cnt = None
self.id_released_time = None
self.peer_dn = None
self.poolable_dn = None
self.prev_assigned_to_dn = None
self.status = None
ManagedObject.__init__(self, "FabricPooledVlan", parent_mo_or_dn, **kwargs)
| 57.984848 | 264 | 0.652208 |
80382c45a02787bbdae23f63e7fe2ba18d9fb319 | 88 | py | Python | Python Pattern Programs/Alphabetic Patterns/Pattern 2 Alternative.py | trial1user/Printing-Pattern-Programs | dde29e056b8e067fb3a824edb7ecb7dd9c9a776a | [
"MIT"
] | null | null | null | Python Pattern Programs/Alphabetic Patterns/Pattern 2 Alternative.py | trial1user/Printing-Pattern-Programs | dde29e056b8e067fb3a824edb7ecb7dd9c9a776a | [
"MIT"
] | null | null | null | Python Pattern Programs/Alphabetic Patterns/Pattern 2 Alternative.py | trial1user/Printing-Pattern-Programs | dde29e056b8e067fb3a824edb7ecb7dd9c9a776a | [
"MIT"
] | null | null | null | #Alternative
for x in 'ABCDE':
for y in 'ABCDE':
print(y,end="")
print() | 17.6 | 23 | 0.534091 |
4a86fa4255e4f6058bdbadb7986c9b30c008f086 | 16,978 | py | Python | Geometry/HcalCommonData/python/testGeometry17aXML_cfi.py | eric-moreno/cmssw | 3dc2c26f276632ac8357ac7b52675f04649e3903 | [
"Apache-2.0"
] | null | null | null | Geometry/HcalCommonData/python/testGeometry17aXML_cfi.py | eric-moreno/cmssw | 3dc2c26f276632ac8357ac7b52675f04649e3903 | [
"Apache-2.0"
] | 7 | 2016-07-17T02:34:54.000Z | 2019-08-13T07:58:37.000Z | Geometry/HcalCommonData/python/testGeometry17aXML_cfi.py | eric-moreno/cmssw | 3dc2c26f276632ac8357ac7b52675f04649e3903 | [
"Apache-2.0"
] | 2 | 2019-09-27T08:33:22.000Z | 2019-11-14T10:52:30.000Z | import FWCore.ParameterSet.Config as cms
XMLIdealGeometryESSource = cms.ESSource("XMLIdealGeometryESSource",
geomXMLFiles = cms.vstring('Geometry/CMSCommonData/data/materials.xml',
'Geometry/CMSCommonData/data/rotations.xml',
'Geometry/CMSCommonData/data/extend/cmsextent.xml',
'Geometry/CMSCommonData/data/cms/2017/v1/cms.xml',
'Geometry/CMSCommonData/data/cmsMother.xml',
'Geometry/CMSCommonData/data/eta3/etaMax.xml',
'Geometry/CMSCommonData/data/cmsTracker.xml',
'Geometry/CMSCommonData/data/caloBase/2017/v1/caloBase.xml',
'Geometry/CMSCommonData/data/cmsCalo.xml',
'Geometry/CMSCommonData/data/muonBase.xml',
'Geometry/CMSCommonData/data/cmsMuon.xml',
'Geometry/CMSCommonData/data/mgnt.xml',
'Geometry/CMSCommonData/data/beampipe/2017/v1/beampipe.xml',
'Geometry/CMSCommonData/data/cmsBeam.xml',
'Geometry/CMSCommonData/data/muonMB.xml',
'Geometry/CMSCommonData/data/muonMagnet.xml',
'Geometry/CMSCommonData/data/cavern.xml',
'Geometry/TrackerCommonData/data/PhaseI/trackerParameters.xml',
'Geometry/TrackerCommonData/data/PhaseI/pixfwdMaterials.xml',
'Geometry/TrackerCommonData/data/pixfwdCommon.xml',
'Geometry/TrackerCommonData/data/PhaseI/pixfwdCylinder.xml',
'Geometry/TrackerCommonData/data/PhaseI/pixfwd.xml',
'Geometry/TrackerCommonData/data/PhaseI/pixfwdDisks.xml',
'Geometry/TrackerCommonData/data/PhaseI/pixfwdSupportRingParameters.xml',
'Geometry/TrackerCommonData/data/PhaseI/pixfwdInnerDiskZplus.xml',
'Geometry/TrackerCommonData/data/PhaseI/pixfwdInnerDiskZminus.xml',
'Geometry/TrackerCommonData/data/PhaseI/pixfwdOuterDiskZplus.xml',
'Geometry/TrackerCommonData/data/PhaseI/pixfwdOuterDiskZminus.xml',
'Geometry/TrackerCommonData/data/PhaseI/pixfwdbladeInnerZplus.xml',
'Geometry/TrackerCommonData/data/PhaseI/pixfwdbladeInnerZminus.xml',
'Geometry/TrackerCommonData/data/PhaseI/pixfwdbladeOuterZplus.xml',
'Geometry/TrackerCommonData/data/PhaseI/pixfwdbladeOuterZminus.xml',
'Geometry/TrackerCommonData/data/PhaseI/pixbarmaterial.xml',
'Geometry/TrackerCommonData/data/PhaseI/pixbarladder.xml',
'Geometry/TrackerCommonData/data/PhaseI/pixbarladderfull0.xml',
'Geometry/TrackerCommonData/data/PhaseI/pixbarladderfull1.xml',
'Geometry/TrackerCommonData/data/PhaseI/pixbarladderfull2.xml',
'Geometry/TrackerCommonData/data/PhaseI/pixbarladderfull3.xml',
'Geometry/TrackerCommonData/data/PhaseI/pixbarlayer.xml',
'Geometry/TrackerCommonData/data/PhaseI/pixbarlayer0.xml',
'Geometry/TrackerCommonData/data/PhaseI/pixbarlayer1.xml',
'Geometry/TrackerCommonData/data/PhaseI/pixbarlayer2.xml',
'Geometry/TrackerCommonData/data/PhaseI/pixbarlayer3.xml',
'Geometry/TrackerCommonData/data/PhaseI/pixbar.xml',
'Geometry/TrackerCommonData/data/Run2/trackerpatchpannel.xml',
'Geometry/TrackerCommonData/data/Run2/trackerpixelnose.xml',
'Geometry/TrackerCommonData/data/tibtidcommonmaterial.xml',
'Geometry/TrackerCommonData/data/tibmaterial.xml',
'Geometry/TrackerCommonData/data/tibmodpar.xml',
'Geometry/TrackerCommonData/data/tibmodule0.xml',
'Geometry/TrackerCommonData/data/tibmodule0a.xml',
'Geometry/TrackerCommonData/data/tibmodule0b.xml',
'Geometry/TrackerCommonData/data/tibmodule2.xml',
'Geometry/TrackerCommonData/data/tibstringpar.xml',
'Geometry/TrackerCommonData/data/tibstring0ll.xml',
'Geometry/TrackerCommonData/data/tibstring0lr.xml',
'Geometry/TrackerCommonData/data/tibstring0ul.xml',
'Geometry/TrackerCommonData/data/tibstring0ur.xml',
'Geometry/TrackerCommonData/data/tibstring0.xml',
'Geometry/TrackerCommonData/data/tibstring1ll.xml',
'Geometry/TrackerCommonData/data/tibstring1lr.xml',
'Geometry/TrackerCommonData/data/tibstring1ul.xml',
'Geometry/TrackerCommonData/data/tibstring1ur.xml',
'Geometry/TrackerCommonData/data/tibstring1.xml',
'Geometry/TrackerCommonData/data/tibstring2ll.xml',
'Geometry/TrackerCommonData/data/tibstring2lr.xml',
'Geometry/TrackerCommonData/data/tibstring2ul.xml',
'Geometry/TrackerCommonData/data/tibstring2ur.xml',
'Geometry/TrackerCommonData/data/tibstring2.xml',
'Geometry/TrackerCommonData/data/tibstring3ll.xml',
'Geometry/TrackerCommonData/data/tibstring3lr.xml',
'Geometry/TrackerCommonData/data/tibstring3ul.xml',
'Geometry/TrackerCommonData/data/tibstring3ur.xml',
'Geometry/TrackerCommonData/data/tibstring3.xml',
'Geometry/TrackerCommonData/data/tiblayerpar.xml',
'Geometry/TrackerCommonData/data/tiblayer0.xml',
'Geometry/TrackerCommonData/data/tiblayer1.xml',
'Geometry/TrackerCommonData/data/tiblayer2.xml',
'Geometry/TrackerCommonData/data/tiblayer3.xml',
'Geometry/TrackerCommonData/data/tib.xml',
'Geometry/TrackerCommonData/data/tidmaterial.xml',
'Geometry/TrackerCommonData/data/tidmodpar.xml',
'Geometry/TrackerCommonData/data/tidmodule0.xml',
'Geometry/TrackerCommonData/data/tidmodule0r.xml',
'Geometry/TrackerCommonData/data/tidmodule0l.xml',
'Geometry/TrackerCommonData/data/tidmodule1.xml',
'Geometry/TrackerCommonData/data/tidmodule1r.xml',
'Geometry/TrackerCommonData/data/tidmodule1l.xml',
'Geometry/TrackerCommonData/data/tidmodule2.xml',
'Geometry/TrackerCommonData/data/tidringpar.xml',
'Geometry/TrackerCommonData/data/tidring0.xml',
'Geometry/TrackerCommonData/data/tidring0f.xml',
'Geometry/TrackerCommonData/data/tidring0b.xml',
'Geometry/TrackerCommonData/data/tidring1.xml',
'Geometry/TrackerCommonData/data/tidring1f.xml',
'Geometry/TrackerCommonData/data/tidring1b.xml',
'Geometry/TrackerCommonData/data/tidring2.xml',
'Geometry/TrackerCommonData/data/tid.xml',
'Geometry/TrackerCommonData/data/tidf.xml',
'Geometry/TrackerCommonData/data/tidb.xml',
'Geometry/TrackerCommonData/data/tibtidservices.xml',
'Geometry/TrackerCommonData/data/tibtidservicesf.xml',
'Geometry/TrackerCommonData/data/tibtidservicesb.xml',
'Geometry/TrackerCommonData/data/tobmaterial.xml',
'Geometry/TrackerCommonData/data/tobmodpar.xml',
'Geometry/TrackerCommonData/data/tobmodule0.xml',
'Geometry/TrackerCommonData/data/tobmodule2.xml',
'Geometry/TrackerCommonData/data/tobmodule4.xml',
'Geometry/TrackerCommonData/data/tobrodpar.xml',
'Geometry/TrackerCommonData/data/tobrod0c.xml',
'Geometry/TrackerCommonData/data/tobrod0l.xml',
'Geometry/TrackerCommonData/data/tobrod0h.xml',
'Geometry/TrackerCommonData/data/tobrod0.xml',
'Geometry/TrackerCommonData/data/tobrod1l.xml',
'Geometry/TrackerCommonData/data/tobrod1h.xml',
'Geometry/TrackerCommonData/data/tobrod1.xml',
'Geometry/TrackerCommonData/data/tobrod2c.xml',
'Geometry/TrackerCommonData/data/tobrod2l.xml',
'Geometry/TrackerCommonData/data/tobrod2h.xml',
'Geometry/TrackerCommonData/data/tobrod2.xml',
'Geometry/TrackerCommonData/data/tobrod3l.xml',
'Geometry/TrackerCommonData/data/tobrod3h.xml',
'Geometry/TrackerCommonData/data/tobrod3.xml',
'Geometry/TrackerCommonData/data/tobrod4c.xml',
'Geometry/TrackerCommonData/data/tobrod4l.xml',
'Geometry/TrackerCommonData/data/tobrod4h.xml',
'Geometry/TrackerCommonData/data/tobrod4.xml',
'Geometry/TrackerCommonData/data/tobrod5l.xml',
'Geometry/TrackerCommonData/data/tobrod5h.xml',
'Geometry/TrackerCommonData/data/tobrod5.xml',
'Geometry/TrackerCommonData/data/v2/tob.xml',
'Geometry/TrackerCommonData/data/tecmaterial.xml',
'Geometry/TrackerCommonData/data/tecmodpar.xml',
'Geometry/TrackerCommonData/data/tecmodule0.xml',
'Geometry/TrackerCommonData/data/tecmodule0r.xml',
'Geometry/TrackerCommonData/data/tecmodule0s.xml',
'Geometry/TrackerCommonData/data/tecmodule1.xml',
'Geometry/TrackerCommonData/data/tecmodule1r.xml',
'Geometry/TrackerCommonData/data/tecmodule1s.xml',
'Geometry/TrackerCommonData/data/tecmodule2.xml',
'Geometry/TrackerCommonData/data/tecmodule3.xml',
'Geometry/TrackerCommonData/data/tecmodule4.xml',
'Geometry/TrackerCommonData/data/tecmodule4r.xml',
'Geometry/TrackerCommonData/data/tecmodule4s.xml',
'Geometry/TrackerCommonData/data/tecmodule5.xml',
'Geometry/TrackerCommonData/data/tecmodule6.xml',
'Geometry/TrackerCommonData/data/tecpetpar.xml',
'Geometry/TrackerCommonData/data/tecring0.xml',
'Geometry/TrackerCommonData/data/tecring1.xml',
'Geometry/TrackerCommonData/data/tecring2.xml',
'Geometry/TrackerCommonData/data/tecring3.xml',
'Geometry/TrackerCommonData/data/tecring4.xml',
'Geometry/TrackerCommonData/data/tecring5.xml',
'Geometry/TrackerCommonData/data/tecring6.xml',
'Geometry/TrackerCommonData/data/tecring0f.xml',
'Geometry/TrackerCommonData/data/tecring1f.xml',
'Geometry/TrackerCommonData/data/tecring2f.xml',
'Geometry/TrackerCommonData/data/tecring3f.xml',
'Geometry/TrackerCommonData/data/tecring4f.xml',
'Geometry/TrackerCommonData/data/tecring5f.xml',
'Geometry/TrackerCommonData/data/tecring6f.xml',
'Geometry/TrackerCommonData/data/tecring0b.xml',
'Geometry/TrackerCommonData/data/tecring1b.xml',
'Geometry/TrackerCommonData/data/tecring2b.xml',
'Geometry/TrackerCommonData/data/tecring3b.xml',
'Geometry/TrackerCommonData/data/tecring4b.xml',
'Geometry/TrackerCommonData/data/tecring5b.xml',
'Geometry/TrackerCommonData/data/tecring6b.xml',
'Geometry/TrackerCommonData/data/tecpetalf.xml',
'Geometry/TrackerCommonData/data/tecpetalb.xml',
'Geometry/TrackerCommonData/data/tecpetal0.xml',
'Geometry/TrackerCommonData/data/tecpetal0f.xml',
'Geometry/TrackerCommonData/data/tecpetal0b.xml',
'Geometry/TrackerCommonData/data/tecpetal3.xml',
'Geometry/TrackerCommonData/data/tecpetal3f.xml',
'Geometry/TrackerCommonData/data/tecpetal3b.xml',
'Geometry/TrackerCommonData/data/tecpetal6f.xml',
'Geometry/TrackerCommonData/data/tecpetal6b.xml',
'Geometry/TrackerCommonData/data/tecpetal8f.xml',
'Geometry/TrackerCommonData/data/tecpetal8b.xml',
'Geometry/TrackerCommonData/data/tecwheel.xml',
'Geometry/TrackerCommonData/data/tecwheela.xml',
'Geometry/TrackerCommonData/data/tecwheelb.xml',
'Geometry/TrackerCommonData/data/tecwheelc.xml',
'Geometry/TrackerCommonData/data/tecwheeld.xml',
'Geometry/TrackerCommonData/data/tecwheel6.xml',
'Geometry/TrackerCommonData/data/tecservices.xml',
'Geometry/TrackerCommonData/data/tecbackplate.xml',
'Geometry/TrackerCommonData/data/tec.xml',
'Geometry/TrackerCommonData/data/Run2/trackermaterial.xml',
'Geometry/TrackerCommonData/data/Run2/tracker.xml',
'Geometry/TrackerCommonData/data/trackerpixbar.xml',
'Geometry/TrackerCommonData/data/PhaseI/trackerpixfwd.xml',
'Geometry/TrackerCommonData/data/trackertibtidservices.xml',
'Geometry/TrackerCommonData/data/trackertib.xml',
'Geometry/TrackerCommonData/data/trackertid.xml',
'Geometry/TrackerCommonData/data/trackertob.xml',
'Geometry/TrackerCommonData/data/trackertec.xml',
'Geometry/TrackerCommonData/data/v2/trackerbulkhead.xml',
'Geometry/TrackerCommonData/data/trackerother.xml',
'Geometry/EcalCommonData/data/eregalgo/2017/v1/eregalgo.xml',
'Geometry/EcalCommonData/data/ebalgo.xml',
'Geometry/EcalCommonData/data/ebcon.xml',
'Geometry/EcalCommonData/data/ebrot.xml',
'Geometry/EcalCommonData/data/eecon.xml',
'Geometry/EcalCommonData/data/eefixed.xml',
'Geometry/EcalCommonData/data/eehier.xml',
'Geometry/EcalCommonData/data/eealgo.xml',
'Geometry/EcalCommonData/data/escon.xml',
'Geometry/EcalCommonData/data/esalgo.xml',
'Geometry/EcalCommonData/data/eeF.xml',
'Geometry/EcalCommonData/data/eeB.xml',
'Geometry/EcalCommonData/data/ectkcable.xml',
'Geometry/HcalCommonData/data/hcalrotations.xml',
'Geometry/HcalCommonData/data/hcal/PhaseI/hcalalgo.xml',
'Geometry/HcalCommonData/data/hcalcablealgo.xml',
'Geometry/HcalCommonData/data/hcalbarrelalgo.xml',
'Geometry/HcalCommonData/data/hcalendcap/PhaseI/hcalendcapalgo.xml',
'Geometry/HcalCommonData/data/hcalouteralgo.xml',
'Geometry/HcalCommonData/data/hcalforwardalgo.xml',
'Geometry/HcalCommonData/data/average/hcalforwardmaterial.xml',
'Geometry/HcalCommonData/data/hcalSimNumbering/2017Plan0/hcalSimNumbering.xml',
'Geometry/HcalCommonData/data/hcalRecNumbering/2017/hcalRecNumbering.xml',
'Geometry/MuonCommonData/data/mbCommon/2017/v1/mbCommon.xml',
'Geometry/MuonCommonData/data/mb1/2015/v1/mb1.xml',
'Geometry/MuonCommonData/data/mb2/2015/v1/mb2.xml',
'Geometry/MuonCommonData/data/mb3/2015/v1/mb3.xml',
'Geometry/MuonCommonData/data/mb4/2015/v1/mb4.xml',
'Geometry/MuonCommonData/data/design/muonYoke.xml',
'Geometry/MuonCommonData/data/mf/2017/v1/mf.xml',
'Geometry/MuonCommonData/data/rpcf/2015/v1/rpcf.xml',
'Geometry/MuonCommonData/data/csc/2015/v1/csc.xml',
'Geometry/MuonCommonData/data/mfshield/2017/v1/mfshield.xml',
'Geometry/MuonCommonData/data/gemf/TDR_BaseLine/gemf.xml',
'Geometry/MuonCommonData/data/gem11/2017/v1/gem11.xml',
'Geometry/ForwardCommonData/data/forward.xml',
'Geometry/ForwardCommonData/data/forwardshield/2015/v1/forwardshield.xml',
'Geometry/ForwardCommonData/data/brmrotations.xml',
'Geometry/ForwardCommonData/data/brm.xml',
'Geometry/ForwardCommonData/data/Run2/totemMaterials.xml',
'Geometry/ForwardCommonData/data/totemRotations.xml',
'Geometry/ForwardCommonData/data/Run2/totemt1.xml',
'Geometry/ForwardCommonData/data/Run2/totemt2.xml',
'Geometry/ForwardCommonData/data/ionpump.xml',
'Geometry/ForwardCommonData/data/Run2/castor.xml',
'Geometry/ForwardCommonData/data/zdcmaterials.xml',
'Geometry/ForwardCommonData/data/lumimaterials.xml',
'Geometry/ForwardCommonData/data/zdcrotations.xml',
'Geometry/ForwardCommonData/data/lumirotations.xml',
'Geometry/ForwardCommonData/data/zdc.xml',
'Geometry/ForwardCommonData/data/zdclumi.xml',
'Geometry/ForwardCommonData/data/cmszdc.xml')+cms.vstring(
'Geometry/MuonCommonData/data/muonNumbering/2017/v1/muonNumbering.xml',
'Geometry/TrackerCommonData/data/PhaseI/trackerStructureTopology.xml',
'Geometry/TrackerSimData/data/PhaseI/trackersens.xml',
'Geometry/TrackerRecoData/data/PhaseI/trackerRecoMaterial.xml',
'Geometry/EcalSimData/data/ecalsens.xml',
'Geometry/HcalCommonData/data/hcalsenspmf.xml',
'Geometry/HcalSimData/data/hf.xml',
'Geometry/HcalSimData/data/hfpmt.xml',
'Geometry/HcalSimData/data/hffibrebundle.xml',
'Geometry/HcalSimData/data/CaloUtil.xml',
'Geometry/MuonSimData/data/v2/muonSens.xml',
'Geometry/DTGeometryBuilder/data/dtSpecsFilter.xml',
'Geometry/CSCGeometryBuilder/data/cscSpecsFilter.xml',
'Geometry/CSCGeometryBuilder/data/cscSpecs.xml',
'Geometry/RPCGeometryBuilder/data/RPCSpecs.xml',
'Geometry/GEMGeometryBuilder/data/GEMSpecsFilter17.xml',
'Geometry/GEMGeometryBuilder/data/v4/GEMSpecs.xml',
'Geometry/ForwardCommonData/data/brmsens.xml',
'Geometry/ForwardSimData/data/castorsens.xml',
'Geometry/ForwardSimData/data/zdcsens.xml',
'Geometry/HcalSimData/data/HcalProdCuts.xml',
'Geometry/EcalSimData/data/EcalProdCuts.xml',
'Geometry/EcalSimData/data/ESProdCuts.xml',
'Geometry/TrackerSimData/data/PhaseI/trackerProdCuts.xml',
'Geometry/TrackerSimData/data/trackerProdCutsBEAM.xml',
'Geometry/MuonSimData/data/muonProdCuts.xml',
'Geometry/ForwardSimData/data/CastorProdCuts.xml',
'Geometry/ForwardSimData/data/zdcProdCuts.xml',
'Geometry/ForwardSimData/data/ForwardShieldProdCuts.xml',
'Geometry/CMSCommonData/data/FieldParameters.xml'),
rootNodeName = cms.string('cms:OCMS')
)
| 58.544828 | 88 | 0.72482 |
e7a78f2b8ee17762e3b0dc88b35c3e4724709ba3 | 123 | py | Python | udemy_pythonparatodos/mysql_connector.py | soamazyng/cursos-python | 1a9d428597eca10bf0a0c9656625f2d36f67097f | [
"MIT"
] | null | null | null | udemy_pythonparatodos/mysql_connector.py | soamazyng/cursos-python | 1a9d428597eca10bf0a0c9656625f2d36f67097f | [
"MIT"
] | null | null | null | udemy_pythonparatodos/mysql_connector.py | soamazyng/cursos-python | 1a9d428597eca10bf0a0c9656625f2d36f67097f | [
"MIT"
] | null | null | null | import mysql.connector
conexao = mysql.connector.connect(user='root', password='', host='', database='')
conexao.close()
| 20.5 | 81 | 0.715447 |
1c0b1c9931c61e187a68163d88e3dc650f1f14a5 | 7,939 | py | Python | satstac/sentinel/main.py | samsammurphy/sat-stac-sentinel | 2ffbcc8e47cec32809e9661995c6e157b034fb26 | [
"MIT"
] | 1 | 2020-03-02T09:43:32.000Z | 2020-03-02T09:43:32.000Z | satstac/sentinel/main.py | samsammurphy/sat-stac-sentinel | 2ffbcc8e47cec32809e9661995c6e157b034fb26 | [
"MIT"
] | null | null | null | satstac/sentinel/main.py | samsammurphy/sat-stac-sentinel | 2ffbcc8e47cec32809e9661995c6e157b034fb26 | [
"MIT"
] | null | null | null | import boto3
import gzip
import json
import logging
import requests
import sys
import numpy as np
import os.path as op
from shapely.geometry import MultiPoint, Point
from shapely import geometry
from datetime import datetime, timedelta
from dateutil.parser import parse
from pyproj import Proj, transform as reproj
from satstac import Collection, Item, utils
from .utils import get_matching_s3_keys, read_from_s3
from .version import __version__
logger = logging.getLogger(__name__)
_collection = Collection.open(op.join(op.dirname(__file__), 'sentinel-2-l1c.json'))
SETTINGS = {
'roda_url': 'https://roda.sentinel-hub.com/sentinel-s2-l1c',
's3_url': 'https://sentinel-s2-l1c.s3.amazonaws.com',
'inv_bucket': 'sentinel-inventory',
'inv_key': 'sentinel-s2-l1c/sentinel-s2-l1c-inventory',
'path_pattern': '${sentinel:utm_zone}/${sentinel:latitude_band}/${sentinel:grid_square}',
'fname_pattern': '${date}/${id}'
}
def add_items(catalog, records, start_date=None, end_date=None, s3meta=False, prefix=None, publish=None):
""" Stream records to a collection with a transform function
Keyword arguments:
start_date -- Process this date and after
end_date -- Process this date and earlier
s3meta -- Retrieve metadata from s3 rather than Sinergise URL (roda)
"""
# use existing collection or create new one if it doesn't exist
cols = {c.id: c for c in catalog.collections()}
if 'sentinel-2-l1c' not in cols.keys():
catalog.add_catalog(_collection)
cols = {c.id: c for c in catalog.collections()}
collection = cols['sentinel-2-l1c']
client = None
if publish:
parts = publish.split(':')
client = boto3.client('sns', region_name=parts[3])
duration = []
# iterate through records
for i, record in enumerate(records):
start = datetime.now()
if i % 50000 == 0:
logger.info('%s: Scanned %s records' % (start, str(i)))
dt = record['datetime'].date()
if prefix is not None:
# if path doesn't match provided prefix skip to next record
if record['path'][:len(prefix)] != prefix:
continue
if s3meta:
url = op.join(SETTINGS['s3_url'], record['path'])
else:
url = op.join(SETTINGS['roda_url'], record['path'])
#if i == 10:
# break
if (start_date is not None and dt < start_date) or (end_date is not None and dt > end_date):
# skip to next if before start_date
continue
try:
if s3meta:
signed_url, headers = utils.get_s3_signed_url(url, requestor_pays=True)
resp = requests.get(signed_url, headers=headers)
metadata = json.loads(resp.text)
else:
metadata = read_remote(url)
item = transform(metadata)
except Exception as err:
logger.error('Error creating STAC Item %s: %s' % (record['path'], err))
continue
try:
collection.add_item(item, path=SETTINGS['path_pattern'], filename=SETTINGS['fname_pattern'])
if client:
client.publish(TopicArn=publish, Message=json.dumps(item.data))
duration.append((datetime.now()-start).total_seconds())
logger.info('Ingested %s in %s' % (item.filename, duration[-1]))
except Exception as err:
logger.error('Error adding %s: %s' % (item.id, err))
logger.info('Read in %s records averaging %4.2f sec (%4.2f stddev)' % (i, np.mean(duration), np.std(duration)))
def read_inventory(filename):
""" Create generator from inventory file """
with open(filename) as f:
line = f.readline()
if 'datetime' not in line:
parts = line.split(',')
yield {
'datetime': parse(parts[0]),
'path': parts[1].strip('\n')
}
for line in f.readlines():
parts = line.split(',')
yield {
'datetime': parse(parts[0]),
'path': parts[1].strip('\n')
}
def latest_inventory():
""" Return generator function for list of scenes """
s3 = boto3.client('s3')
# get latest file
today = datetime.now()
key = None
for dt in [today, today - timedelta(1)]:
prefix = op.join(SETTINGS['inv_key'], dt.strftime('%Y-%m-%d'))
keys = [k for k in get_matching_s3_keys(SETTINGS['inv_bucket'], prefix=prefix, suffix='manifest.json')]
if len(keys) == 1:
key = keys[0]
break
if key:
manifest = json.loads(read_from_s3(SETTINGS['inv_bucket'], key))
for f in manifest.get('files', []):
inv = read_from_s3(SETTINGS['inv_bucket'], f['key']).split('\n')
inv = [i.replace('"', '').split(',') for i in inv if 'tileInfo.json' in i]
for info in inv:
yield {
'datetime': parse(info[3]),
'path': info[1]
}
def transform(data):
""" Transform Sentinel metadata (from tileInfo.json) into a STAC item """
dt = parse(data['timestamp'])
epsg = data['tileOrigin']['crs']['properties']['name'].split(':')[-1]
url = op.join(SETTINGS['s3_url'], data['path'])
roda_url = op.join(SETTINGS['roda_url'], data['path'])
# geo
coordinates = data['tileDataGeometry']['coordinates']
ys = [c[1] for c in coordinates[0]]
xs = [c[0] for c in coordinates[0]]
p1 = Proj(init='epsg:%s' % epsg)
p2 = Proj(init='epsg:4326')
lons, lats = reproj(p1, p2, xs, ys)
bbox = [min(lons), min(lats), max(lons), max(lats)]
coordinates = [[[lons[i], lats[i]] for i in range(0, len(lons))]]
geom = geometry.mapping(geometry.Polygon(coordinates[0]).convex_hull)
assets = _collection.data['assets']
assets = utils.dict_merge(assets, {
'thumbnail': {'href': op.join(roda_url, 'preview.jpg')},
'info': {'href': op.join(roda_url, 'tileInfo.json')},
'metadata': {'href': op.join(roda_url, 'metadata.xml')},
'tki': {'href': op.join(url, 'TKI.jp2')},
'B01': {'href': op.join(url, 'B01.jp2')},
'B02': {'href': op.join(url, 'B02.jp2')},
'B03': {'href': op.join(url, 'B03.jp2')},
'B04': {'href': op.join(url, 'B04.jp2')},
'B05': {'href': op.join(url, 'B05.jp2')},
'B06': {'href': op.join(url, 'B06.jp2')},
'B07': {'href': op.join(url, 'B07.jp2')},
'B08': {'href': op.join(url, 'B08.jp2')},
'B8A': {'href': op.join(url, 'B08.jp2')},
'B09': {'href': op.join(url, 'B09.jp2')},
'B10': {'href': op.join(url, 'B10.jp2')},
'B11': {'href': op.join(url, 'B11.jp2')},
'B12': {'href': op.join(url, 'B11.jp2')}
})
#if dt < datetime(2016,12,6):
# del assets['tki']
props = {
'collection': 'sentinel-2-l1c',
'datetime': dt.isoformat(),
'eo:platform': 'sentinel-2%s' % data['productName'][2].lower(),
'eo:cloud_cover': float(data['cloudyPixelPercentage']),
'sentinel:utm_zone': data['utmZone'],
'sentinel:latitude_band': data['latitudeBand'],
'sentinel:grid_square': data['gridSquare'],
'sentinel:sequence': data['path'].split('/')[-1],
'sentinel:product_id': data['productName']
}
sid = str(data['utmZone']) + data['latitudeBand'] + data['gridSquare']
id = '%s_%s_%s_%s' % (data['productName'][0:3], sid, dt.strftime('%Y%m%d'), props['sentinel:sequence'] )
_item = {
'type': 'Feature',
'id': id,
'bbox': bbox,
'geometry': geom,
'properties':props,
'assets': assets
}
return Item(_item)
def read_remote(url):
""" Retrieve remote JSON """
# Read JSON file remotely
r = requests.get(url, stream=True)
metadata = json.loads(r.text)
return metadata
| 36.75463 | 115 | 0.577655 |
b5e6638d2411b9a3e2c298a92f87035f0062c35a | 44,203 | py | Python | nova/virt/libvirt/config.py | osrg/nova | 14b6bc655145c832bd9c822e48f877818e0e53ff | [
"Apache-2.0"
] | null | null | null | nova/virt/libvirt/config.py | osrg/nova | 14b6bc655145c832bd9c822e48f877818e0e53ff | [
"Apache-2.0"
] | null | null | null | nova/virt/libvirt/config.py | osrg/nova | 14b6bc655145c832bd9c822e48f877818e0e53ff | [
"Apache-2.0"
] | null | null | null | # vim: tabstop=4 shiftwidth=4 softtabstop=4
# Copyright (C) 2012-2013 Red Hat, Inc.
#
# Licensed under the Apache License, Version 2.0 (the "License"); you may
# not use this file except in compliance with the License. You may obtain
# a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS, WITHOUT
# WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the
# License for the specific language governing permissions and limitations
# under the License.
"""
Configuration for libvirt objects.
Classes to represent the configuration of various libvirt objects
and support conversion to/from XML. These classes are solely concerned
by providing direct Object <-> XML document conversions. No policy or
operational decisions should be made by code in these classes. Such
policy belongs in the 'designer.py' module which provides simplified
helpers for populating up config object instances.
"""
from nova import exception
from nova.openstack.common.gettextutils import _
from nova.openstack.common import log as logging
from nova.openstack.common import units
from lxml import etree
LOG = logging.getLogger(__name__)
class LibvirtConfigObject(object):
def __init__(self, **kwargs):
super(LibvirtConfigObject, self).__init__()
self.root_name = kwargs.get("root_name")
self.ns_prefix = kwargs.get('ns_prefix')
self.ns_uri = kwargs.get('ns_uri')
@staticmethod
def _text_node(name, value):
child = etree.Element(name)
child.text = str(value)
return child
def format_dom(self):
if self.ns_uri is None:
return etree.Element(self.root_name)
else:
return etree.Element("{" + self.ns_uri + "}" + self.root_name,
nsmap={self.ns_prefix: self.ns_uri})
def parse_str(self, xmlstr):
self.parse_dom(etree.fromstring(xmlstr))
def parse_dom(self, xmldoc):
if self.root_name != xmldoc.tag:
raise exception.InvalidInput(
"Root element name should be '%s' not '%s'"
% (self.root_name, xmldoc.tag))
def to_xml(self, pretty_print=True):
root = self.format_dom()
xml_str = etree.tostring(root, pretty_print=pretty_print)
LOG.debug(_("Generated XML %s "), (xml_str,))
return xml_str
class LibvirtConfigCaps(LibvirtConfigObject):
def __init__(self, **kwargs):
super(LibvirtConfigCaps, self).__init__(root_name="capabilities",
**kwargs)
self.host = None
self.guests = []
def parse_dom(self, xmldoc):
super(LibvirtConfigCaps, self).parse_dom(xmldoc)
for c in xmldoc.getchildren():
if c.tag == "host":
host = LibvirtConfigCapsHost()
host.parse_dom(c)
self.host = host
elif c.tag == "guest":
guest = LibvirtConfigCapsGuest()
guest.parse_dom(c)
self.guests.append(guest)
def format_dom(self):
caps = super(LibvirtConfigCaps, self).format_dom()
if self.host:
caps.append(self.host.format_dom())
for g in self.guests:
caps.append(g.format_dom())
return caps
class LibvirtConfigCapsHost(LibvirtConfigObject):
def __init__(self, **kwargs):
super(LibvirtConfigCapsHost, self).__init__(root_name="host",
**kwargs)
self.cpu = None
self.uuid = None
def parse_dom(self, xmldoc):
super(LibvirtConfigCapsHost, self).parse_dom(xmldoc)
for c in xmldoc.getchildren():
if c.tag == "cpu":
cpu = LibvirtConfigCPU()
cpu.parse_dom(c)
self.cpu = cpu
elif c.tag == "uuid":
self.uuid = c.text
def format_dom(self):
caps = super(LibvirtConfigCapsHost, self).format_dom()
if self.uuid:
caps.append(self._text_node("uuid", self.uuid))
if self.cpu:
caps.append(self.cpu.format_dom())
return caps
class LibvirtConfigCapsGuest(LibvirtConfigObject):
def __init__(self, **kwargs):
super(LibvirtConfigCapsGuest, self).__init__(root_name="guest",
**kwargs)
self.arch = None
self.ostype = None
self.domtype = list()
def parse_dom(self, xmldoc):
super(LibvirtConfigCapsGuest, self).parse_dom(xmldoc)
for c in xmldoc.getchildren():
if c.tag == "os_type":
self.ostype = c.text
elif c.tag == "arch":
self.arch = c.get("name")
for sc in c.getchildren():
if sc.tag == "domain":
self.domtype.append(sc.get("type"))
def format_dom(self):
caps = super(LibvirtConfigCapsGuest, self).format_dom()
if self.ostype is not None:
caps.append(self._text_node("os_type", self.ostype))
if self.arch:
arch = etree.Element("arch", name=self.arch)
for dt in self.domtype:
dte = etree.Element("domain")
dte.set("type", dt)
arch.append(dte)
caps.append(arch)
return caps
class LibvirtConfigGuestTimer(LibvirtConfigObject):
def __init__(self, **kwargs):
super(LibvirtConfigGuestTimer, self).__init__(root_name="timer",
**kwargs)
self.name = "platform"
self.track = None
self.tickpolicy = None
self.present = None
def format_dom(self):
tm = super(LibvirtConfigGuestTimer, self).format_dom()
tm.set("name", self.name)
if self.track is not None:
tm.set("track", self.track)
if self.tickpolicy is not None:
tm.set("tickpolicy", self.tickpolicy)
if self.present is not None:
if self.present:
tm.set("present", "yes")
else:
tm.set("present", "no")
return tm
class LibvirtConfigGuestClock(LibvirtConfigObject):
def __init__(self, **kwargs):
super(LibvirtConfigGuestClock, self).__init__(root_name="clock",
**kwargs)
self.offset = "utc"
self.adjustment = None
self.timezone = None
self.timers = []
def format_dom(self):
clk = super(LibvirtConfigGuestClock, self).format_dom()
clk.set("offset", self.offset)
if self.adjustment:
clk.set("adjustment", self.adjustment)
elif self.timezone:
clk.set("timezone", self.timezone)
for tm in self.timers:
clk.append(tm.format_dom())
return clk
def add_timer(self, tm):
self.timers.append(tm)
class LibvirtConfigCPUFeature(LibvirtConfigObject):
def __init__(self, name=None, **kwargs):
super(LibvirtConfigCPUFeature, self).__init__(root_name='feature',
**kwargs)
self.name = name
def parse_dom(self, xmldoc):
super(LibvirtConfigCPUFeature, self).parse_dom(xmldoc)
self.name = xmldoc.get("name")
def format_dom(self):
ft = super(LibvirtConfigCPUFeature, self).format_dom()
ft.set("name", self.name)
return ft
class LibvirtConfigCPU(LibvirtConfigObject):
def __init__(self, **kwargs):
super(LibvirtConfigCPU, self).__init__(root_name='cpu',
**kwargs)
self.arch = None
self.vendor = None
self.model = None
self.sockets = None
self.cores = None
self.threads = None
self.features = []
def parse_dom(self, xmldoc):
super(LibvirtConfigCPU, self).parse_dom(xmldoc)
for c in xmldoc.getchildren():
if c.tag == "arch":
self.arch = c.text
elif c.tag == "model":
self.model = c.text
elif c.tag == "vendor":
self.vendor = c.text
elif c.tag == "topology":
self.sockets = int(c.get("sockets"))
self.cores = int(c.get("cores"))
self.threads = int(c.get("threads"))
elif c.tag == "feature":
f = LibvirtConfigCPUFeature()
f.parse_dom(c)
self.add_feature(f)
def format_dom(self):
cpu = super(LibvirtConfigCPU, self).format_dom()
if self.arch is not None:
cpu.append(self._text_node("arch", self.arch))
if self.model is not None:
cpu.append(self._text_node("model", self.model))
if self.vendor is not None:
cpu.append(self._text_node("vendor", self.vendor))
if (self.sockets is not None and
self.cores is not None and
self.threads is not None):
top = etree.Element("topology")
top.set("sockets", str(self.sockets))
top.set("cores", str(self.cores))
top.set("threads", str(self.threads))
cpu.append(top)
for f in self.features:
cpu.append(f.format_dom())
return cpu
def add_feature(self, feat):
self.features.append(feat)
class LibvirtConfigGuestCPUFeature(LibvirtConfigCPUFeature):
def __init__(self, name=None, **kwargs):
super(LibvirtConfigGuestCPUFeature, self).__init__(name, **kwargs)
self.policy = "require"
def format_dom(self):
ft = super(LibvirtConfigGuestCPUFeature, self).format_dom()
ft.set("policy", self.policy)
return ft
class LibvirtConfigGuestCPU(LibvirtConfigCPU):
def __init__(self, **kwargs):
super(LibvirtConfigGuestCPU, self).__init__(**kwargs)
self.mode = None
self.match = "exact"
def parse_dom(self, xmldoc):
super(LibvirtConfigGuestCPU, self).parse_dom(xmldoc)
self.mode = xmldoc.get('mode')
self.match = xmldoc.get('match')
def format_dom(self):
cpu = super(LibvirtConfigGuestCPU, self).format_dom()
if self.mode:
cpu.set("mode", self.mode)
cpu.set("match", self.match)
return cpu
class LibvirtConfigGuestSMBIOS(LibvirtConfigObject):
def __init__(self, **kwargs):
super(LibvirtConfigGuestSMBIOS, self).__init__(root_name="smbios",
**kwargs)
self.mode = "sysinfo"
def format_dom(self):
smbios = super(LibvirtConfigGuestSMBIOS, self).format_dom()
smbios.set("mode", self.mode)
return smbios
class LibvirtConfigGuestSysinfo(LibvirtConfigObject):
def __init__(self, **kwargs):
super(LibvirtConfigGuestSysinfo, self).__init__(root_name="sysinfo",
**kwargs)
self.type = "smbios"
self.bios_vendor = None
self.bios_version = None
self.system_manufacturer = None
self.system_product = None
self.system_version = None
self.system_serial = None
self.system_uuid = None
def format_dom(self):
sysinfo = super(LibvirtConfigGuestSysinfo, self).format_dom()
sysinfo.set("type", self.type)
bios = None
system = None
if self.bios_vendor is not None:
if bios is None:
bios = etree.Element("bios")
info = etree.Element("entry", name="vendor")
info.text = self.bios_vendor
bios.append(info)
if self.bios_version is not None:
if bios is None:
bios = etree.Element("bios")
info = etree.Element("entry", name="version")
info.text = self.bios_version
bios.append(info)
if self.system_manufacturer is not None:
if system is None:
system = etree.Element("system")
info = etree.Element("entry", name="manufacturer")
info.text = self.system_manufacturer
system.append(info)
if self.system_product is not None:
if system is None:
system = etree.Element("system")
info = etree.Element("entry", name="product")
info.text = self.system_product
system.append(info)
if self.system_version is not None:
if system is None:
system = etree.Element("system")
info = etree.Element("entry", name="version")
info.text = self.system_version
system.append(info)
if self.system_serial is not None:
if system is None:
system = etree.Element("system")
info = etree.Element("entry", name="serial")
info.text = self.system_serial
system.append(info)
if self.system_uuid is not None:
if system is None:
system = etree.Element("system")
info = etree.Element("entry", name="uuid")
info.text = self.system_uuid
system.append(info)
if bios is not None:
sysinfo.append(bios)
if system is not None:
sysinfo.append(system)
return sysinfo
class LibvirtConfigGuestDevice(LibvirtConfigObject):
def __init__(self, **kwargs):
super(LibvirtConfigGuestDevice, self).__init__(**kwargs)
class LibvirtConfigGuestDisk(LibvirtConfigGuestDevice):
def __init__(self, **kwargs):
super(LibvirtConfigGuestDisk, self).__init__(root_name="disk",
**kwargs)
self.source_type = "file"
self.source_device = "disk"
self.driver_name = None
self.driver_format = None
self.driver_cache = None
self.source_path = None
self.source_protocol = None
self.source_name = None
self.source_hosts = []
self.source_ports = []
self.target_dev = None
self.target_path = None
self.target_bus = None
self.auth_username = None
self.auth_secret_type = None
self.auth_secret_uuid = None
self.serial = None
self.disk_read_bytes_sec = None
self.disk_read_iops_sec = None
self.disk_write_bytes_sec = None
self.disk_write_iops_sec = None
self.disk_total_bytes_sec = None
self.disk_total_iops_sec = None
self.logical_block_size = None
self.physical_block_size = None
self.readonly = False
self.snapshot = None
def format_dom(self):
dev = super(LibvirtConfigGuestDisk, self).format_dom()
dev.set("type", self.source_type)
dev.set("device", self.source_device)
if (self.driver_name is not None or
self.driver_format is not None or
self.driver_cache is not None):
drv = etree.Element("driver")
if self.driver_name is not None:
drv.set("name", self.driver_name)
if self.driver_format is not None:
drv.set("type", self.driver_format)
if self.driver_cache is not None:
drv.set("cache", self.driver_cache)
dev.append(drv)
if self.source_type == "file":
dev.append(etree.Element("source", file=self.source_path))
elif self.source_type == "block":
dev.append(etree.Element("source", dev=self.source_path))
elif self.source_type == "mount":
dev.append(etree.Element("source", dir=self.source_path))
elif self.source_type == "network":
source = etree.Element("source", protocol=self.source_protocol)
if self.source_name is not None:
source.set('name', self.source_name)
hosts_info = zip(self.source_hosts, self.source_ports)
for name, port in hosts_info:
host = etree.Element('host', name=name)
if port is not None:
host.set('port', port)
source.append(host)
dev.append(source)
if self.auth_secret_type is not None:
auth = etree.Element("auth")
auth.set("username", self.auth_username)
auth.append(etree.Element("secret", type=self.auth_secret_type,
uuid=self.auth_secret_uuid))
dev.append(auth)
if self.source_type == "mount":
dev.append(etree.Element("target", dir=self.target_path))
else:
dev.append(etree.Element("target", dev=self.target_dev,
bus=self.target_bus))
if self.serial is not None:
dev.append(self._text_node("serial", self.serial))
iotune = etree.Element("iotune")
if self.disk_read_bytes_sec is not None:
iotune.append(self._text_node("read_bytes_sec",
self.disk_read_bytes_sec))
if self.disk_read_iops_sec is not None:
iotune.append(self._text_node("read_iops_sec",
self.disk_read_iops_sec))
if self.disk_write_bytes_sec is not None:
iotune.append(self._text_node("write_bytes_sec",
self.disk_write_bytes_sec))
if self.disk_write_iops_sec is not None:
iotune.append(self._text_node("write_iops_sec",
self.disk_write_iops_sec))
if self.disk_total_bytes_sec is not None:
iotune.append(self._text_node("total_bytes_sec",
self.disk_total_bytes_sec))
if self.disk_total_iops_sec is not None:
iotune.append(self._text_node("total_iops_sec",
self.disk_total_iops_sec))
if len(iotune) > 0:
dev.append(iotune)
# Block size tuning
if (self.logical_block_size is not None or
self.physical_block_size is not None):
blockio = etree.Element("blockio")
if self.logical_block_size is not None:
blockio.set('logical_block_size', self.logical_block_size)
if self.physical_block_size is not None:
blockio.set('physical_block_size', self.physical_block_size)
dev.append(blockio)
if self.readonly:
dev.append(etree.Element("readonly"))
return dev
def parse_dom(self, xmldoc):
super(LibvirtConfigGuestDisk, self).parse_dom(xmldoc)
self.source_type = xmldoc.get('type')
self.snapshot = xmldoc.get('snapshot')
for c in xmldoc.getchildren():
if c.tag == 'driver':
self.driver_name = c.get('name')
self.driver_format = c.get('type')
self.driver_cache = c.get('cache')
elif c.tag == 'source':
if self.source_type == 'file':
self.source_path = c.get('file')
elif self.source_type == 'block':
self.source_path = c.get('dev')
elif self.source_type == 'mount':
self.source_path = c.get('dir')
elif self.source_type == 'network':
self.source_protocol = c.get('protocol')
self.source_name = c.get('name')
elif c.tag == 'serial':
self.serial = c.text
for c in xmldoc.getchildren():
if c.tag == 'target':
if self.source_type == 'mount':
self.target_path = c.get('dir')
else:
self.target_dev = c.get('dev')
self.target_bus = c.get('bus', None)
class LibvirtConfigGuestSnapshotDisk(LibvirtConfigObject):
"""Disk class for handling disk information in snapshots.
Similar to LibvirtConfigGuestDisk, but used to represent
disk entities in <domainsnapshot> structures rather than
real devices. These typically have fewer members, and
different expectations for which fields are required.
"""
def __init__(self, **kwargs):
super(LibvirtConfigGuestSnapshotDisk, self).__init__(root_name="disk",
**kwargs)
self.source_type = None
self.source_device = None
self.name = None
self.snapshot = None
self.driver_name = None
self.driver_format = None
self.driver_cache = None
self.source_path = None
self.source_protocol = None
self.source_name = None
self.source_hosts = []
self.source_ports = []
self.target_dev = None
self.target_path = None
self.target_bus = None
self.auth_username = None
self.auth_secret_type = None
self.auth_secret_uuid = None
self.serial = None
def format_dom(self):
dev = super(LibvirtConfigGuestSnapshotDisk, self).format_dom()
if self.name:
dev.attrib['name'] = self.name
if self.snapshot:
dev.attrib['snapshot'] = self.snapshot
if self.source_type:
dev.set("type", self.source_type)
if self.source_device:
dev.set("device", self.source_device)
if (self.driver_name is not None or
self.driver_format is not None or
self.driver_cache is not None):
drv = etree.Element("driver")
if self.driver_name is not None:
drv.set("name", self.driver_name)
if self.driver_format is not None:
drv.set("type", self.driver_format)
if self.driver_cache is not None:
drv.set("cache", self.driver_cache)
dev.append(drv)
if self.source_type == "file":
dev.append(etree.Element("source", file=self.source_path))
elif self.source_type == "block":
dev.append(etree.Element("source", dev=self.source_path))
elif self.source_type == "mount":
dev.append(etree.Element("source", dir=self.source_path))
elif self.source_type == "network":
source = etree.Element("source", protocol=self.source_protocol)
if self.source_name is not None:
source.set('name', self.source_name)
hosts_info = zip(self.source_hosts, self.source_ports)
for name, port in hosts_info:
host = etree.Element('host', name=name)
if port is not None:
host.set('port', port)
source.append(host)
dev.append(source)
if self.auth_secret_type is not None:
auth = etree.Element("auth")
auth.set("username", self.auth_username)
auth.append(etree.Element("secret", type=self.auth_secret_type,
uuid=self.auth_secret_uuid))
dev.append(auth)
if self.source_type == "mount":
dev.append(etree.Element("target", dir=self.target_path))
else:
if self.target_bus and self.target_dev:
dev.append(etree.Element("target", dev=self.target_dev,
bus=self.target_bus))
return dev
def parse_dom(self, xmldoc):
super(LibvirtConfigGuestSnapshotDisk, self).parse_dom(xmldoc)
self.source_type = xmldoc.get('type')
self.snapshot = xmldoc.get('snapshot')
for c in xmldoc.getchildren():
if c.tag == 'driver':
self.driver_name = c.get('name')
self.driver_format = c.get('type')
self.driver_cache = c.get('cache')
elif c.tag == 'source':
if self.source_type == 'file':
self.source_path = c.get('file')
elif self.source_type == 'block':
self.source_path = c.get('dev')
elif self.source_type == 'mount':
self.source_path = c.get('dir')
elif self.source_type == 'network':
self.source_protocol = c.get('protocol')
self.source_name = c.get('name')
elif c.tag == 'serial':
self.serial = c.text
for c in xmldoc.getchildren():
if c.tag == 'target':
if self.source_type == 'mount':
self.target_path = c.get('dir')
else:
self.target_dev = c.get('dev')
self.target_bus = c.get('bus', None)
class LibvirtConfigGuestFilesys(LibvirtConfigGuestDevice):
def __init__(self, **kwargs):
super(LibvirtConfigGuestFilesys, self).__init__(root_name="filesystem",
**kwargs)
self.source_type = "mount"
self.source_dir = None
self.target_dir = "/"
def format_dom(self):
dev = super(LibvirtConfigGuestFilesys, self).format_dom()
dev.set("type", self.source_type)
dev.append(etree.Element("source", dir=self.source_dir))
dev.append(etree.Element("target", dir=self.target_dir))
return dev
class LibvirtConfigGuestInterface(LibvirtConfigGuestDevice):
def __init__(self, **kwargs):
super(LibvirtConfigGuestInterface, self).__init__(
root_name="interface",
**kwargs)
self.net_type = None
self.target_dev = None
self.model = None
self.mac_addr = None
self.script = None
self.source_dev = None
self.source_mode = "private"
self.vporttype = None
self.vportparams = []
self.filtername = None
self.filterparams = []
self.driver_name = None
self.vif_inbound_peak = None
self.vif_inbound_burst = None
self.vif_inbound_average = None
self.vif_outbound_peak = None
self.vif_outbound_burst = None
self.vif_outbound_average = None
def format_dom(self):
dev = super(LibvirtConfigGuestInterface, self).format_dom()
dev.set("type", self.net_type)
dev.append(etree.Element("mac", address=self.mac_addr))
if self.model:
dev.append(etree.Element("model", type=self.model))
if self.driver_name:
dev.append(etree.Element("driver", name=self.driver_name))
if self.net_type == "ethernet":
if self.script is not None:
dev.append(etree.Element("script", path=self.script))
elif self.net_type == "direct":
dev.append(etree.Element("source", dev=self.source_dev,
mode=self.source_mode))
else:
dev.append(etree.Element("source", bridge=self.source_dev))
if self.target_dev is not None:
dev.append(etree.Element("target", dev=self.target_dev))
if self.vporttype is not None:
vport = etree.Element("virtualport", type=self.vporttype)
for p in self.vportparams:
param = etree.Element("parameters")
param.set(p['key'], p['value'])
vport.append(param)
dev.append(vport)
if self.filtername is not None:
filter = etree.Element("filterref", filter=self.filtername)
for p in self.filterparams:
filter.append(etree.Element("parameter",
name=p['key'],
value=p['value']))
dev.append(filter)
if self.vif_inbound_average or self.vif_outbound_average:
bandwidth = etree.Element("bandwidth")
if self.vif_inbound_average is not None:
vif_inbound = etree.Element("inbound",
average=str(self.vif_inbound_average))
if self.vif_inbound_peak is not None:
vif_inbound.set("peak", str(self.vif_inbound_peak))
if self.vif_inbound_burst is not None:
vif_inbound.set("burst", str(self.vif_inbound_burst))
bandwidth.append(vif_inbound)
if self.vif_outbound_average is not None:
vif_outbound = etree.Element("outbound",
average=str(self.vif_outbound_average))
if self.vif_outbound_peak is not None:
vif_outbound.set("peak", str(self.vif_outbound_peak))
if self.vif_outbound_burst is not None:
vif_outbound.set("burst", str(self.vif_outbound_burst))
bandwidth.append(vif_outbound)
dev.append(bandwidth)
return dev
def add_filter_param(self, key, value):
self.filterparams.append({'key': key, 'value': value})
def add_vport_param(self, key, value):
self.vportparams.append({'key': key, 'value': value})
class LibvirtConfigGuestInput(LibvirtConfigGuestDevice):
def __init__(self, **kwargs):
super(LibvirtConfigGuestInput, self).__init__(root_name="input",
**kwargs)
self.type = "tablet"
self.bus = "usb"
def format_dom(self):
dev = super(LibvirtConfigGuestInput, self).format_dom()
dev.set("type", self.type)
dev.set("bus", self.bus)
return dev
class LibvirtConfigGuestGraphics(LibvirtConfigGuestDevice):
def __init__(self, **kwargs):
super(LibvirtConfigGuestGraphics, self).__init__(root_name="graphics",
**kwargs)
self.type = "vnc"
self.autoport = True
self.keymap = None
self.listen = None
def format_dom(self):
dev = super(LibvirtConfigGuestGraphics, self).format_dom()
dev.set("type", self.type)
if self.autoport:
dev.set("autoport", "yes")
else:
dev.set("autoport", "no")
if self.keymap:
dev.set("keymap", self.keymap)
if self.listen:
dev.set("listen", self.listen)
return dev
class LibvirtConfigGuestVideo(LibvirtConfigGuestDevice):
def __init__(self, **kwargs):
super(LibvirtConfigGuestVideo, self).__init__(root_name="video",
**kwargs)
self.type = 'cirrus'
self.vram = None
self.heads = None
def format_dom(self):
dev = super(LibvirtConfigGuestVideo, self).format_dom()
model = etree.Element("model")
model.set("type", self.type)
if self.vram:
model.set("vram", str(self.vram))
if self.heads:
model.set("heads", str(self.heads))
dev.append(model)
return dev
class LibvirtConfigGuestHostdev(LibvirtConfigGuestDevice):
def __init__(self, **kwargs):
super(LibvirtConfigGuestHostdev, self).\
__init__(root_name="hostdev", **kwargs)
self.mode = kwargs.get('mode')
self.type = kwargs.get('type')
self.managed = 'yes'
def format_dom(self):
dev = super(LibvirtConfigGuestHostdev, self).format_dom()
dev.set("mode", self.mode)
dev.set("type", self.type)
dev.set("managed", self.managed)
return dev
def parse_dom(self, xmldoc):
super(LibvirtConfigGuestHostdev, self).parse_dom(xmldoc)
self.mode = xmldoc.get('mode')
self.type = xmldoc.get('type')
self.managed = xmldoc.get('managed')
return xmldoc.getchildren()
class LibvirtConfigGuestHostdevPCI(LibvirtConfigGuestHostdev):
def __init__(self, **kwargs):
super(LibvirtConfigGuestHostdevPCI, self).\
__init__(mode='subsystem', type='pci',
**kwargs)
self.domain = None
self.bus = None
self.slot = None
self.function = None
def format_dom(self):
dev = super(LibvirtConfigGuestHostdevPCI, self).format_dom()
address = etree.Element("address",
domain='0x' + self.domain,
bus='0x' + self.bus,
slot='0x' + self.slot,
function='0x' + self.function)
source = etree.Element("source")
source.append(address)
dev.append(source)
return dev
def parse_dom(self, xmldoc):
childs = super(LibvirtConfigGuestHostdevPCI, self).parse_dom(xmldoc)
for c in childs:
if c.tag == "source":
for sub in c.getchildren():
if sub.tag == 'address':
self.domain = sub.get('domain')
self.bus = sub.get('bus')
self.slot = sub.get('slot')
self.function = sub.get('function')
class LibvirtConfigGuestCharBase(LibvirtConfigGuestDevice):
def __init__(self, **kwargs):
super(LibvirtConfigGuestCharBase, self).__init__(**kwargs)
self.type = "pty"
self.source_path = None
def format_dom(self):
dev = super(LibvirtConfigGuestCharBase, self).format_dom()
dev.set("type", self.type)
if self.type == "file":
dev.append(etree.Element("source", path=self.source_path))
elif self.type == "unix":
dev.append(etree.Element("source", mode="bind",
path=self.source_path))
return dev
class LibvirtConfigGuestChar(LibvirtConfigGuestCharBase):
def __init__(self, **kwargs):
super(LibvirtConfigGuestChar, self).__init__(**kwargs)
self.target_port = None
def format_dom(self):
dev = super(LibvirtConfigGuestChar, self).format_dom()
if self.target_port is not None:
dev.append(etree.Element("target", port=str(self.target_port)))
return dev
class LibvirtConfigGuestSerial(LibvirtConfigGuestChar):
def __init__(self, **kwargs):
super(LibvirtConfigGuestSerial, self).__init__(root_name="serial",
**kwargs)
class LibvirtConfigGuestConsole(LibvirtConfigGuestChar):
def __init__(self, **kwargs):
super(LibvirtConfigGuestConsole, self).__init__(root_name="console",
**kwargs)
class LibvirtConfigGuestChannel(LibvirtConfigGuestCharBase):
def __init__(self, **kwargs):
super(LibvirtConfigGuestChannel, self).__init__(root_name="channel",
**kwargs)
self.target_type = "virtio"
self.target_name = None
def format_dom(self):
dev = super(LibvirtConfigGuestChannel, self).format_dom()
target = etree.Element("target", type=self.target_type)
if self.target_name is not None:
target.set("name", self.target_name)
dev.append(target)
return dev
class LibvirtConfigGuest(LibvirtConfigObject):
def __init__(self, **kwargs):
super(LibvirtConfigGuest, self).__init__(root_name="domain",
**kwargs)
self.virt_type = None
self.uuid = None
self.name = None
self.memory = 500 * units.Mi
self.vcpus = 1
self.cpuset = None
self.cpu = None
self.cpu_shares = None
self.cpu_quota = None
self.cpu_period = None
self.acpi = False
self.apic = False
self.clock = None
self.sysinfo = None
self.os_type = None
self.os_loader = None
self.os_kernel = None
self.os_initrd = None
self.os_cmdline = None
self.os_root = None
self.os_init_path = None
self.os_boot_dev = []
self.os_smbios = None
self.devices = []
def _format_basic_props(self, root):
root.append(self._text_node("uuid", self.uuid))
root.append(self._text_node("name", self.name))
root.append(self._text_node("memory", self.memory))
if self.cpuset is not None:
vcpu = self._text_node("vcpu", self.vcpus)
vcpu.set("cpuset", self.cpuset)
root.append(vcpu)
else:
root.append(self._text_node("vcpu", self.vcpus))
def _format_os(self, root):
os = etree.Element("os")
os.append(self._text_node("type", self.os_type))
if self.os_kernel is not None:
os.append(self._text_node("kernel", self.os_kernel))
if self.os_loader is not None:
os.append(self._text_node("loader", self.os_loader))
if self.os_initrd is not None:
os.append(self._text_node("initrd", self.os_initrd))
if self.os_cmdline is not None:
os.append(self._text_node("cmdline", self.os_cmdline))
if self.os_root is not None:
os.append(self._text_node("root", self.os_root))
if self.os_init_path is not None:
os.append(self._text_node("init", self.os_init_path))
for boot_dev in self.os_boot_dev:
os.append(etree.Element("boot", dev=boot_dev))
if self.os_smbios is not None:
os.append(self.os_smbios.format_dom())
root.append(os)
def _format_features(self, root):
if self.acpi or self.apic:
features = etree.Element("features")
if self.acpi:
features.append(etree.Element("acpi"))
if self.apic:
features.append(etree.Element("apic"))
root.append(features)
def _format_cputune(self, root):
cputune = etree.Element("cputune")
if self.cpu_shares is not None:
cputune.append(self._text_node("shares", self.cpu_shares))
if self.cpu_quota is not None:
cputune.append(self._text_node("quota", self.cpu_quota))
if self.cpu_period is not None:
cputune.append(self._text_node("period", self.cpu_period))
if len(cputune) > 0:
root.append(cputune)
def _format_devices(self, root):
if len(self.devices) == 0:
return
devices = etree.Element("devices")
for dev in self.devices:
devices.append(dev.format_dom())
root.append(devices)
def format_dom(self):
root = super(LibvirtConfigGuest, self).format_dom()
root.set("type", self.virt_type)
self._format_basic_props(root)
if self.sysinfo is not None:
root.append(self.sysinfo.format_dom())
self._format_os(root)
self._format_features(root)
self._format_cputune(root)
if self.clock is not None:
root.append(self.clock.format_dom())
if self.cpu is not None:
root.append(self.cpu.format_dom())
self._format_devices(root)
return root
def parse_dom(self, xmldoc):
# Note: This cover only for: LibvirtConfigGuestDisks
# LibvirtConfigGuestHostdevPCI
# LibvirtConfigGuestCPU
for c in xmldoc.getchildren():
if c.tag == 'devices':
for d in c.getchildren():
if d.tag == 'disk':
obj = LibvirtConfigGuestDisk()
obj.parse_dom(d)
self.devices.append(obj)
elif d.tag == 'hostdev' and d.get('type') == 'pci':
obj = LibvirtConfigGuestHostdevPCI()
obj.parse_dom(d)
self.devices.append(obj)
elif c.tag == 'cpu':
obj = LibvirtConfigGuestCPU()
obj.parse_dom(c)
self.cpu = obj
def add_device(self, dev):
self.devices.append(dev)
def set_clock(self, clk):
self.clock = clk
class LibvirtConfigGuestSnapshot(LibvirtConfigObject):
def __init__(self, **kwargs):
super(LibvirtConfigGuestSnapshot, self).__init__(
root_name="domainsnapshot",
**kwargs)
self.name = None
self.disks = []
def format_dom(self):
ss = super(LibvirtConfigGuestSnapshot, self).format_dom()
if self.name:
ss.append(self._text_node("name", self.name))
disks = etree.Element('disks')
for disk in self.disks:
disks.append(disk.format_dom())
ss.append(disks)
return ss
def add_disk(self, disk):
self.disks.append(disk)
class LibvirtConfigNodeDevice(LibvirtConfigObject):
"""Libvirt Node Devices parser"""
def __init__(self, **kwargs):
super(LibvirtConfigNodeDevice, self).__init__(root_name="device",
**kwargs)
self.name = None
self.parent = None
self.driver = None
self.pci_capability = None
def parse_dom(self, xmldoc):
super(LibvirtConfigNodeDevice, self).parse_dom(xmldoc)
for c in xmldoc.getchildren():
if c.tag == "name":
self.name = c.text
elif c.tag == "parent":
self.parent = c.text
elif c.tag == "capability" and c.get("type") == 'pci':
pcicap = LibvirtConfigNodeDevicePciCap()
pcicap.parse_dom(c)
self.pci_capability = pcicap
class LibvirtConfigNodeDevicePciCap(LibvirtConfigObject):
"""Libvirt Node Devices pci capability parser"""
def __init__(self, **kwargs):
super(LibvirtConfigNodeDevicePciCap, self).__init__(
root_name="capability", **kwargs)
self.domain = None
self.bus = None
self.slot = None
self.function = None
self.product = None
self.product_id = None
self.vendor = None
self.vendor_id = None
self.fun_capability = list()
def parse_dom(self, xmldoc):
super(LibvirtConfigNodeDevicePciCap, self).parse_dom(xmldoc)
for c in xmldoc.getchildren():
if c.tag == "domain":
self.domain = int(c.text)
elif c.tag == "slot":
self.slot = int(c.text)
elif c.tag == "bus":
self.bus = int(c.text)
elif c.tag == "function":
self.function = int(c.text)
elif c.tag == "product":
self.product = c.text
self.product_id = c.get('id')
elif c.tag == "vendor":
self.vendor = c.text
self.vendor_id = c.get('id')
elif c.tag == "capability" and c.get('type') in \
('virt_functions', 'phys_function'):
funcap = LibvirtConfigNodeDevicePciSubFunctionCap()
funcap.parse_dom(c)
self.fun_capability.append(funcap)
class LibvirtConfigNodeDevicePciSubFunctionCap(LibvirtConfigObject):
def __init__(self, **kwargs):
super(LibvirtConfigNodeDevicePciSubFunctionCap, self).__init__(
root_name="capability", **kwargs)
self.type = None
self.device_addrs = list() # list of tuple (domain,bus,slot,function)
def parse_dom(self, xmldoc):
super(LibvirtConfigNodeDevicePciSubFunctionCap, self).parse_dom(xmldoc)
self.type = xmldoc.get("type")
for c in xmldoc.getchildren():
if c.tag == "address":
self.device_addrs.append((c.get('domain'),
c.get('bus'),
c.get('slot'),
c.get('function')))
| 33.43646 | 79 | 0.56797 |
903a0da7895ef46825f1f32f4100e45659bf6738 | 457 | py | Python | EIDEGraphics/EIDEsYSTEM.py | Vicente-Francisco/EIDEGraphics | 8e61bf64f4644a2e80df00946271f8cba4b5e65e | [
"Unlicense"
] | 2 | 2022-02-09T08:06:13.000Z | 2022-03-18T07:30:19.000Z | EIDEGraphics/EIDEsYSTEM.py | Vicente-Francisco/EIDEGraphics | 8e61bf64f4644a2e80df00946271f8cba4b5e65e | [
"Unlicense"
] | null | null | null | EIDEGraphics/EIDEsYSTEM.py | Vicente-Francisco/EIDEGraphics | 8e61bf64f4644a2e80df00946271f8cba4b5e65e | [
"Unlicense"
] | null | null | null | # -*- coding: utf-8 -*-
"""
"""
class triad1(object):
"""
"""
validCorners = ['TL', 'TR', 'BR', 'BL']
def __init__(self, deltaX, deltaY, corner):
self.deltaX = int(deltaX)
self.deltaY = int(deltaY)
self.corner = corner
def test(self, deltaX, deltaY, corner):
"""
Further tests to validate object
"""
if (corner not in validCorners):
raise Exception('0020')
| 17.576923 | 47 | 0.512035 |
52c59b3ecf45b0abb91f1d1c17cf5c8529693b1c | 1,051 | py | Python | app/core/migrations/0005_recipe.py | redwanc12/Timeline-REST-API | b57ea5c35211238187d2306965f314b18316f2f8 | [
"MIT"
] | 1 | 2019-05-04T10:24:18.000Z | 2019-05-04T10:24:18.000Z | app/core/migrations/0005_recipe.py | redwanc12/recipe-app-api | b57ea5c35211238187d2306965f314b18316f2f8 | [
"MIT"
] | null | null | null | app/core/migrations/0005_recipe.py | redwanc12/recipe-app-api | b57ea5c35211238187d2306965f314b18316f2f8 | [
"MIT"
] | null | null | null | # Generated by Django 2.1.7 on 2019-03-09 04:22
from django.conf import settings
from django.db import migrations, models
import django.db.models.deletion
class Migration(migrations.Migration):
dependencies = [
('core', '0004_auto_20190309_0230'),
]
operations = [
migrations.CreateModel(
name='Recipe',
fields=[
('id', models.AutoField(auto_created=True, primary_key=True, serialize=False, verbose_name='ID')),
('title', models.CharField(max_length=255)),
('time_minutes', models.IntegerField()),
('price', models.DecimalField(decimal_places=2, max_digits=5)),
('link', models.CharField(blank=True, max_length=255)),
('ingredients', models.ManyToManyField(to='core.Ingredients')),
('tags', models.ManyToManyField(to='core.Tag')),
('user', models.ForeignKey(on_delete=django.db.models.deletion.CASCADE, to=settings.AUTH_USER_MODEL)),
],
),
]
| 36.241379 | 118 | 0.607041 |
60f756aa1c26fb029f999a31c3d13deb278f487d | 35,956 | py | Python | common/utils.py | noanabeshima/seed_rl | 4bf7a4f7a9a7babfb961169b7484f7694ea6c5aa | [
"Apache-2.0"
] | null | null | null | common/utils.py | noanabeshima/seed_rl | 4bf7a4f7a9a7babfb961169b7484f7694ea6c5aa | [
"Apache-2.0"
] | null | null | null | common/utils.py | noanabeshima/seed_rl | 4bf7a4f7a9a7babfb961169b7484f7694ea6c5aa | [
"Apache-2.0"
] | null | null | null | # coding=utf-8
# Copyright 2019 The SEED 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.
"""Utility functions/classes."""
import atexit
import collections
import threading
import time
import timeit
from absl import flags
from absl import logging
import gym
import numpy as np
import tensorflow as tf
import tensorflow_probability as tfp
from tensorflow.python.distribute import values as values_lib
from tensorflow.python.framework import composite_tensor
from tensorflow.python.framework import tensor_conversion_registry
FLAGS = flags.FLAGS
# `observation` is the observation *after* a transition. When `done` is True,
# `observation` will be the observation *after* the reset.
EnvOutput = collections.namedtuple(
'EnvOutput', 'reward done observation abandoned episode_step')
Settings = collections.namedtuple(
'Settings', 'strategy inference_devices training_strategy encode decode')
MultiHostSettings = collections.namedtuple(
'MultiHostSettings', 'strategy hosts training_strategy encode decode')
def init_learner_multi_host(num_training_tpus: int):
"""Performs common learner initialization including multi-host setting.
In multi-host setting, this function will enter a loop for slave learners
until the master signals end of training.
Args:
num_training_tpus: Number of training TPUs.
Returns:
A MultiHostSettings object.
"""
tpu = ''
job_name = None
if tf.config.experimental.list_logical_devices('TPU'):
resolver = tf.distribute.cluster_resolver.TPUClusterResolver(
tpu=tpu, job_name=job_name)
topology = tf.tpu.experimental.initialize_tpu_system(resolver)
strategy = tf.distribute.experimental.TPUStrategy(resolver)
assert num_training_tpus % topology.num_tasks == 0
num_training_tpus_per_task = num_training_tpus // topology.num_tasks
hosts = []
training_coordinates = []
for per_host_coordinates in topology.device_coordinates:
host = topology.cpu_device_name_at_coordinates(
per_host_coordinates[0], job=job_name)
task_training_coordinates = (
per_host_coordinates[:num_training_tpus_per_task])
training_coordinates.extend([[c] for c in task_training_coordinates])
inference_coordinates = per_host_coordinates[num_training_tpus_per_task:]
hosts.append((host, [
topology.tpu_device_name_at_coordinates(c, job=job_name)
for c in inference_coordinates
]))
training_da = tf.tpu.experimental.DeviceAssignment(topology,
training_coordinates)
training_strategy = tf.distribute.experimental.TPUStrategy(
resolver, device_assignment=training_da)
return MultiHostSettings(strategy, hosts, training_strategy, tpu_encode,
tpu_decode)
else:
tf.device('/cpu').__enter__()
any_gpu = tf.config.experimental.list_logical_devices('GPU')
device_name = '/device:GPU:0' if any_gpu else '/device:CPU:0'
strategy = tf.distribute.OneDeviceStrategy(device=device_name)
enc = lambda x: x
dec = lambda x, s=None: x if s is None else tf.nest.pack_sequence_as(s, x)
return MultiHostSettings(
strategy, [(device_name, [device_name])], strategy, enc, dec)
def init_learner(num_training_tpus):
"""Performs common learner initialization."""
settings = init_learner_multi_host(num_training_tpus)
if len(settings.hosts) != 1:
raise ValueError(f'Invalid number of hosts: {len(settings.hosts)}')
return Settings(settings.strategy, settings.hosts[0][1],
settings.training_strategy, settings.encode, settings.decode)
class UnrollStore(tf.Module):
"""Utility module for combining individual environment steps into unrolls."""
def __init__(self,
num_envs,
unroll_length,
timestep_specs,
num_overlapping_steps=0,
name='UnrollStore'):
super(UnrollStore, self).__init__(name=name)
with self.name_scope:
self._full_length = num_overlapping_steps + unroll_length + 1
def create_unroll_variable(spec):
z = tf.zeros(
[num_envs, self._full_length] + spec.shape.dims, dtype=spec.dtype)
return tf.Variable(z, trainable=False, name=spec.name)
self._unroll_length = unroll_length
self._num_overlapping_steps = num_overlapping_steps
self._state = tf.nest.map_structure(create_unroll_variable,
timestep_specs)
# For each environment, the index into the environment dimension of the
# tensors in self._state where we should add the next element.
self._index = tf.Variable(
tf.fill([num_envs], tf.constant(num_overlapping_steps, tf.int32)),
trainable=False,
name='index')
@property
def unroll_specs(self):
return tf.nest.map_structure(lambda v: tf.TensorSpec(v.shape[1:], v.dtype),
self._state)
@tf.function
@tf.Module.with_name_scope
def append(self, env_ids, values):
"""Appends values and returns completed unrolls.
Args:
env_ids: 1D tensor with the list of environment IDs for which we append
data.
There must not be duplicates.
values: Values to add for each environment. This is a structure
(in the tf.nest sense) of tensors following "timestep_specs", with a
batch front dimension which must be equal to the length of 'env_ids'.
Returns:
A pair of:
- 1D tensor of the environment IDs of the completed unrolls.
- Completed unrolls. This is a structure of tensors following
'timestep_specs', with added front dimensions: [num_completed_unrolls,
num_overlapping_steps + unroll_length + 1].
"""
tf.debugging.assert_equal(
tf.shape(env_ids),
tf.shape(tf.unique(env_ids)[0]),
message='Duplicate environment ids')
tf.nest.map_structure(
lambda s: tf.debugging.assert_equal(
tf.shape(env_ids)[0],
tf.shape(s)[0],
message='Batch dimension must equal the number of environments.'),
values)
curr_indices = self._index.sparse_read(env_ids)
unroll_indices = tf.stack([env_ids, curr_indices], axis=-1)
for s, v in zip(tf.nest.flatten(self._state), tf.nest.flatten(values)):
s.scatter_nd_update(unroll_indices, v)
# Intentionally not protecting against out-of-bounds to make it possible to
# detect completed unrolls.
self._index.scatter_add(tf.IndexedSlices(1, env_ids))
return self._complete_unrolls(env_ids)
@tf.function
@tf.Module.with_name_scope
def reset(self, env_ids):
"""Resets state.
Note, this is only intended to be called when environments need to be reset
after preemptions. Not at episode boundaries.
Args:
env_ids: The environments that need to have their state reset.
"""
self._index.scatter_update(
tf.IndexedSlices(self._num_overlapping_steps, env_ids))
# The following code is the equivalent of:
# s[env_ids, :j] = 0
j = self._num_overlapping_steps
repeated_env_ids = tf.reshape(
tf.tile(tf.expand_dims(tf.cast(env_ids, tf.int64), -1), [1, j]), [-1])
repeated_range = tf.tile(tf.range(j, dtype=tf.int64),
[tf.shape(env_ids)[0]])
indices = tf.stack([repeated_env_ids, repeated_range], axis=-1)
for s in tf.nest.flatten(self._state):
z = tf.zeros(tf.concat([tf.shape(repeated_env_ids),
s.shape[2:]], axis=0), s.dtype)
s.scatter_nd_update(indices, z)
def _complete_unrolls(self, env_ids):
# Environment with unrolls that are now complete and should be returned.
env_indices = self._index.sparse_read(env_ids)
env_ids = tf.gather(
env_ids,
tf.where(tf.equal(env_indices, self._full_length))[:, 0])
env_ids = tf.cast(env_ids, tf.int64)
unrolls = tf.nest.map_structure(lambda s: s.sparse_read(env_ids),
self._state)
# Store last transitions as the first in the next unroll.
# The following code is the equivalent of:
# s[env_ids, :j] = s[env_ids, -j:]
j = self._num_overlapping_steps + 1
repeated_start_range = tf.tile(tf.range(j, dtype=tf.int64),
[tf.shape(env_ids)[0]])
repeated_end_range = tf.tile(
tf.range(self._full_length - j, self._full_length, dtype=tf.int64),
[tf.shape(env_ids)[0]])
repeated_env_ids = tf.reshape(
tf.tile(tf.expand_dims(env_ids, -1), [1, j]), [-1])
start_indices = tf.stack([repeated_env_ids, repeated_start_range], -1)
end_indices = tf.stack([repeated_env_ids, repeated_end_range], -1)
for s in tf.nest.flatten(self._state):
s.scatter_nd_update(start_indices, s.gather_nd(end_indices))
self._index.scatter_update(
tf.IndexedSlices(1 + self._num_overlapping_steps, env_ids))
return env_ids, unrolls
class PrioritizedReplay(tf.Module):
"""Prioritized Replay Buffer.
This buffer is not threadsafe. Make sure you call insert() and sample() from a
single thread.
"""
def __init__(self, size, specs, importance_sampling_exponent,
name='PrioritizedReplay'):
super(PrioritizedReplay, self).__init__(name=name)
self._priorities = tf.Variable(tf.zeros([size]), dtype=tf.float32)
self._buffer = tf.nest.map_structure(
lambda ts: tf.Variable(tf.zeros([size] + ts.shape, dtype=ts.dtype)),
specs)
self.num_inserted = tf.Variable(0, dtype=tf.int64)
self._importance_sampling_exponent = importance_sampling_exponent
@tf.function
@tf.Module.with_name_scope
def insert(self, values, priorities):
"""FIFO insertion/removal.
Args:
values: The batched values to insert. The tensors must be of the same
shape and dtype as the `specs` provided in the constructor, except
including a batch dimension.
priorities: <float32>[batch_size] tensor with the priorities of the
elements we insert.
Returns:
The indices of the inserted values.
"""
tf.nest.assert_same_structure(values, self._buffer)
values = tf.nest.map_structure(tf.convert_to_tensor, values)
append_size = tf.nest.flatten(values)[0].shape[0]
start_index = self.num_inserted
end_index = start_index + append_size
# Wrap around insertion.
size = self._priorities.shape[0]
insert_indices = tf.range(start_index, end_index) % size
tf.nest.map_structure(
lambda b, v: b.batch_scatter_update(
tf.IndexedSlices(v, insert_indices)),
self._buffer,
values)
self.num_inserted.assign_add(append_size)
self._priorities.batch_scatter_update(
tf.IndexedSlices(priorities, insert_indices))
return insert_indices
@tf.function
@tf.Module.with_name_scope
def sample(self, num_samples, priority_exp):
r"""Samples items from the replay buffer, using priorities.
Args:
num_samples: int, number of replay items to sample.
priority_exp: Priority exponent. Every item i in the replay buffer will be
sampled with probability:
priority[i] ** priority_exp /
sum(priority[j] ** priority_exp, j \in [0, num_items))
Set this to 0 in order to get uniform sampling.
Returns:
Tuple of:
- indices: An int64 tensor of shape [num_samples] with the indices in
the replay buffer of the sampled items.
- weights: A float32 tensor of shape [num_samples] with the normalized
weights of the sampled items.
- sampled_values: A nested structure following the spec passed in the
contructor, where each tensor has an added front batch dimension equal
to 'num_samples'.
"""
tf.debugging.assert_greater_equal(
self.num_inserted,
tf.constant(0, tf.int64),
message='Cannot sample if replay buffer is empty')
size = self._priorities.shape[0]
limit = tf.minimum(tf.cast(size, tf.int64), self.num_inserted)
if priority_exp == 0:
indices = tf.random.uniform([num_samples], maxval=limit, dtype=tf.int64)
weights = tf.ones_like(indices, dtype=tf.float32)
else:
prob = self._priorities[:limit]**priority_exp
prob /= tf.reduce_sum(prob)
indices = tf.random.categorical([tf.math.log(prob)], num_samples)[0]
# Importance weights.
weights = (((1. / tf.cast(limit, tf.float32)) /
tf.gather(prob, indices)) **
self._importance_sampling_exponent)
weights /= tf.reduce_max(weights) # Normalize.
sampled_values = tf.nest.map_structure(
lambda b: b.sparse_read(indices), self._buffer)
return indices, weights, sampled_values
@tf.function
@tf.Module.with_name_scope
def update_priorities(self, indices, priorities):
"""Updates the priorities of the items with the given indices.
Args:
indices: <int64>[batch_size] tensor with the indices of the items to
update. If duplicate indices are provided, the priority that will be set
among possible ones is not specified.
priorities: <float32>[batch_size] tensor with the new priorities.
"""
self._priorities.batch_scatter_update(tf.IndexedSlices(priorities, indices))
class HindsightExperienceReplay(PrioritizedReplay):
"""Replay Buffer with Hindsight Experience Replay.
Hindsight goals are sampled uniformly from subsequent steps in the
same window (`future` strategy from https://arxiv.org/pdf/1707.01495).
They are not guaranteed to come from the same episode.
This buffer is not threadsafe. Make sure you call insert() and sample() from a
single thread.
"""
def __init__(self, size, specs, importance_sampling_exponent,
compute_reward_fn,
unroll_length,
substitution_probability,
name='HindsightExperienceReplay'):
super(HindsightExperienceReplay, self).__init__(
size, specs, importance_sampling_exponent, name)
self._compute_reward_fn = compute_reward_fn
self._unroll_length = unroll_length
self._substitution_probability = substitution_probability
@tf.Module.with_name_scope
def sample(self, num_samples, priority_exp):
indices, weights, sampled_values = super(
HindsightExperienceReplay, self).sample(num_samples, priority_exp)
observation = sampled_values.env_outputs.observation
batch_size, time_horizon = observation['achieved_goal'].shape[:2]
def compute_goal_reward():
# reward[batch][time] is the reward on transition from timestep time-1
# to time. This function outputs incorrect rewards for the last transition
# in each episode but we filter such cases later.
goal_reward = self._compute_reward_fn(
achieved_goal=observation['achieved_goal'][:, 1:],
desired_goal=observation['desired_goal'][:, :-1])
return tf.concat(values=[goal_reward[:, :1] * np.nan, goal_reward],
axis=1)
# Substitute goals.
old_goal_reward = compute_goal_reward()
assert old_goal_reward.shape == observation['achieved_goal'].shape[:-1]
goal_ind = tf.concat(
values=[tf.random.uniform((batch_size, 1), min(t + 1, time_horizon - 1),
time_horizon, dtype=tf.int32)
for t in range(time_horizon)], axis=1)
substituted_goal = tf.gather(observation['achieved_goal'],
goal_ind, axis=1, batch_dims=1)
mask = tf.cast(tfp.distributions.Bernoulli(
probs=self._substitution_probability *
tf.ones(goal_ind.shape)).sample(), observation['desired_goal'].dtype)
# We don't substitute goals for the last states in each episodes because we
# don't store the next states for them.
mask *= tf.cast(~sampled_values.env_outputs.done,
observation['desired_goal'].dtype)
mask = mask[..., tf.newaxis]
observation['desired_goal'] = (
mask * substituted_goal + (1 - mask) * observation['desired_goal'])
# Substitude reward
new_goal_reward = compute_goal_reward()
assert new_goal_reward.shape == observation['achieved_goal'].shape[:-1]
sampled_values = sampled_values._replace(
env_outputs=sampled_values.env_outputs._replace(
reward=sampled_values.env_outputs.reward +
(new_goal_reward - old_goal_reward) * tf.cast(
~sampled_values.env_outputs.done, tf.float32)
))
# Subsample unrolls of length unroll_length + 1.
assert time_horizon >= self._unroll_length + 1
unroll_begin_ind = tf.random.uniform(
(batch_size,), 0, time_horizon - self._unroll_length, dtype=tf.int32)
unroll_inds = unroll_begin_ind[:, tf.newaxis] + tf.math.cumsum(
tf.ones((batch_size, self._unroll_length + 1), tf.int32),
axis=1, exclusive=True)
subsampled_values = tf.nest.map_structure(
lambda t: tf.gather(t, unroll_inds, axis=1, batch_dims=1),
sampled_values)
if hasattr(sampled_values, 'agent_state'): # do not subsample the state
subsampled_values = subsampled_values._replace(
agent_state=sampled_values.agent_state)
return indices, weights, subsampled_values
class Aggregator(tf.Module):
"""Utility module for keeping state for individual environments."""
def __init__(self, num_envs, specs, name='Aggregator'):
"""Inits an Aggregator.
Args:
num_envs: int, number of environments.
specs: Structure (as defined by tf.nest) of tf.TensorSpecs that will be
stored for each environment.
name: Name of the scope for the operations.
"""
super(Aggregator, self).__init__(name=name)
def create_variable(spec):
z = tf.zeros([num_envs] + spec.shape.dims, dtype=spec.dtype)
return tf.Variable(z, trainable=False, name=spec.name)
self._state = tf.nest.map_structure(create_variable, specs)
@tf.Module.with_name_scope
def reset(self, env_ids):
"""Fills the tensors for the given environments with zeros."""
with tf.name_scope('Aggregator_reset'):
for s in tf.nest.flatten(self._state):
s.scatter_update(tf.IndexedSlices(0, env_ids))
@tf.Module.with_name_scope
def add(self, env_ids, values):
"""In-place adds values to the state associated to the given environments.
Args:
env_ids: 1D tensor with the environment IDs we want to add values to.
values: A structure of tensors following the input spec, with an added
first dimension that must either have the same size as 'env_ids', or
should not exist (in which case, the value is broadcasted to all
environment ids).
"""
tf.nest.assert_same_structure(values, self._state)
for s, v in zip(tf.nest.flatten(self._state), tf.nest.flatten(values)):
s.scatter_add(tf.IndexedSlices(v, env_ids))
@tf.Module.with_name_scope
def read(self, env_ids):
"""Reads the values corresponding to a list of environments.
Args:
env_ids: 1D tensor with the list of environment IDs we want to read.
Returns:
A structure of tensors with the same shapes as the input specs. A
dimension is added in front of each tensor, with size equal to the number
of env_ids provided.
"""
return tf.nest.map_structure(lambda s: s.sparse_read(env_ids),
self._state)
@tf.Module.with_name_scope
def replace(self, env_ids, values):
"""Replaces the state associated to the given environments.
Args:
env_ids: 1D tensor with the list of environment IDs.
values: A structure of tensors following the input spec, with an added
first dimension that must either have the same size as 'env_ids', or
should not exist (in which case, the value is broadcasted to all
environment ids).
"""
tf.debugging.assert_equal(
tf.shape(env_ids),
tf.shape(tf.unique(env_ids)[0]),
message=f'Duplicate environment ids in Aggregator: {self.name}')
tf.nest.assert_same_structure(values, self._state)
for s, v in zip(tf.nest.flatten(self._state), tf.nest.flatten(values)):
s.scatter_update(tf.IndexedSlices(v, env_ids))
class ProgressLogger(object):
"""Helper class for performing periodic logging of the training progress."""
def __init__(self,
summary_writer=None,
initial_period=0.01,
period_factor=1.01,
max_period=10.0,
starting_step=0):
"""Constructs ProgressLogger.
Args:
summary_writer: Tensorflow summary writer to use.
initial_period: Initial logging period in seconds
(how often logging happens).
period_factor: Factor by which logging period is
multiplied after each iteration (exponential back-off).
max_period: Maximal logging period in seconds
(the end of exponential back-off).
starting_step: Step from which to start the summary writer.
"""
# summary_writer, last_log_{time, step} are set in reset() function.
self.summary_writer = None
self.last_log_time = None
self.last_log_step = 0
self.period = initial_period
self.period_factor = period_factor
self.max_period = max_period
# Array of strings with names of values to be logged.
self.log_keys = []
self.log_keys_set = set()
self.step_cnt = tf.Variable(-1, dtype=tf.int64)
self.ready_values = tf.Variable([-1.0],
dtype=tf.float32,
shape=tf.TensorShape(None))
self.logger_thread = None
self.logging_callback = None
self.terminator = None
self.reset(summary_writer, starting_step)
def reset(self, summary_writer=None, starting_step=0):
"""Resets the progress logger.
Args:
summary_writer: Tensorflow summary writer to use.
starting_step: Step from which to start the summary writer.
"""
self.summary_writer = summary_writer
self.step_cnt.assign(starting_step - 1)
self.ready_values.assign([-1.0])
self.last_log_time = timeit.default_timer()
self.last_log_step = starting_step
def start(self, logging_callback=None):
assert self.logger_thread is None
self.logging_callback = logging_callback
self.terminator = threading.Event()
self.logger_thread = threading.Thread(target=self._logging_loop)
self.logger_thread.start()
def shutdown(self):
assert self.logger_thread
self.terminator.set()
self.logger_thread.join()
self.logger_thread = None
def log_session(self):
return []
def log(self, session, name, value):
# this is a python op so it happens only when this tf.function is compiled
if name not in self.log_keys_set:
self.log_keys.append(name)
self.log_keys_set.add(name)
# this is a TF op.
session.append(value)
def log_session_from_dict(self, dic):
session = self.log_session()
for key in dic:
self.log(session, key, dic[key])
return session
def step_end(self, session, strategy=None, step_increment=1):
logs = []
for value in session:
if strategy:
value = tf.reduce_mean(tf.cast(
strategy.experimental_local_results(value)[0], tf.float32))
logs.append(value)
self.ready_values.assign(logs)
self.step_cnt.assign_add(step_increment)
def _log(self):
"""Perform single round of logging."""
logging_time = timeit.default_timer()
step_cnt = self.step_cnt.read_value()
values = self.ready_values.read_value().numpy()
if values[0] == -1:
return
assert len(values) == len(
self.log_keys
), 'Mismatch between number of keys and values to log: %r vs %r' % (
values, self.log_keys)
if self.summary_writer:
self.summary_writer.set_as_default()
tf.summary.experimental.set_step(step_cnt.numpy())
if self.logging_callback:
self.logging_callback()
for key, value in zip(self.log_keys, values):
tf.summary.scalar(key, value)
dt = logging_time - self.last_log_time
df = tf.cast(step_cnt - self.last_log_step, tf.float32)
tf.summary.scalar('speed/steps_per_sec', df / dt)
self.last_log_time, self.last_log_step = logging_time, step_cnt
def _logging_loop(self):
last_log_try = timeit.default_timer()
while not self.terminator.isSet():
self._log()
now = timeit.default_timer()
elapsed = now - last_log_try
last_log_try = now
self.period = min(self.period_factor * self.period,
self.max_period)
self.terminator.wait(timeout=max(0, self.period - elapsed))
class StructuredFIFOQueue(tf.queue.FIFOQueue):
"""A tf.queue.FIFOQueue that supports nests and tf.TensorSpec."""
def __init__(self,
capacity,
specs,
shared_name=None,
name='structured_fifo_queue'):
self._specs = specs
self._flattened_specs = tf.nest.flatten(specs)
dtypes = [ts.dtype for ts in self._flattened_specs]
shapes = [ts.shape for ts in self._flattened_specs]
super(StructuredFIFOQueue, self).__init__(capacity, dtypes, shapes)
def dequeue(self, name=None):
result = super(StructuredFIFOQueue, self).dequeue(name=name)
return tf.nest.pack_sequence_as(self._specs, result)
def dequeue_many(self, batch_size, name=None):
result = super(StructuredFIFOQueue, self).dequeue_many(
batch_size, name=name)
return tf.nest.pack_sequence_as(self._specs, result)
def enqueue(self, vals, name=None):
tf.nest.assert_same_structure(vals, self._specs)
return super(StructuredFIFOQueue, self).enqueue(
tf.nest.flatten(vals), name=name)
def enqueue_many(self, vals, name=None):
tf.nest.assert_same_structure(vals, self._specs)
return super(StructuredFIFOQueue, self).enqueue_many(
tf.nest.flatten(vals), name=name)
def batch_apply(fn, inputs):
"""Folds time into the batch dimension, runs fn() and unfolds the result.
Args:
fn: Function that takes as input the n tensors of the tf.nest structure,
with shape [time*batch, <remaining shape>], and returns a tf.nest
structure of batched tensors.
inputs: tf.nest structure of n [time, batch, <remaining shape>] tensors.
Returns:
tf.nest structure of [time, batch, <fn output shape>]. Structure is
determined by the output of fn.
"""
time_to_batch_fn = lambda t: tf.reshape(t, [-1] + t.shape[2:].as_list())
batched = tf.nest.map_structure(time_to_batch_fn, inputs)
output = fn(*batched)
prefix = [int(tf.nest.flatten(inputs)[0].shape[0]), -1]
batch_to_time_fn = lambda t: tf.reshape(t, prefix + t.shape[1:].as_list())
return tf.nest.map_structure(batch_to_time_fn, output)
def make_time_major(x):
"""Transposes the batch and time dimensions of a nest of Tensors.
If an input tensor has rank < 2 it returns the original tensor. Retains as
much of the static shape information as possible.
Args:
x: A nest of Tensors.
Returns:
x transposed along the first two dimensions.
"""
def transpose(t):
t_static_shape = t.shape
if t_static_shape.rank is not None and t_static_shape.rank < 2:
return t
t_rank = tf.rank(t)
t_t = tf.transpose(t, tf.concat(([1, 0], tf.range(2, t_rank)), axis=0))
t_t.set_shape(
tf.TensorShape([t_static_shape[1],
t_static_shape[0]]).concatenate(t_static_shape[2:]))
return t_t
return tf.nest.map_structure(
lambda t: tf.xla.experimental.compile(transpose, [t])[0], x)
class TPUEncodedUInt8Spec(tf.TypeSpec):
"""Type specification for composite tensor TPUEncodedUInt8."""
def __init__(self, encoded_shape, original_shape):
self._value_specs = (tf.TensorSpec(encoded_shape, tf.uint32),)
self.original_shape = original_shape
@property
def _component_specs(self):
return self._value_specs
def _to_components(self, value):
return (value.encoded,)
def _from_components(self, components):
return TPUEncodedUInt8(components[0], self.original_shape)
def _serialize(self):
return self._value_specs[0].shape, self.original_shape
def _to_legacy_output_types(self):
return self._value_specs[0].dtype
def _to_legacy_output_shapes(self):
return self._value_specs[0].shape
@property
def value_type(self):
return TPUEncodedUInt8
class TPUEncodedUInt8(composite_tensor.CompositeTensor):
def __init__(self, encoded, shape):
self.encoded = encoded
self.original_shape = shape
self._spec = TPUEncodedUInt8Spec(encoded.shape, tf.TensorShape(shape))
@property
def _type_spec(self):
return self._spec
tensor_conversion_registry.register_tensor_conversion_function(
TPUEncodedUInt8, lambda value, *unused_args, **unused_kwargs: value.encoded)
class TPUEncodedF32Spec(tf.TypeSpec):
"""Type specification for composite tensor TPUEncodedF32Spec."""
def __init__(self, encoded_shape, original_shape):
self._value_specs = (tf.TensorSpec(encoded_shape, tf.float32),)
self.original_shape = original_shape
@property
def _component_specs(self):
return self._value_specs
def _to_components(self, value):
return (value.encoded,)
def _from_components(self, components):
return TPUEncodedF32(components[0], self.original_shape)
def _serialize(self):
return self._value_specs[0].shape, self.original_shape
def _to_legacy_output_types(self):
return self._value_specs[0].dtype
def _to_legacy_output_shapes(self):
return self._value_specs[0].shape
@property
def value_type(self):
return TPUEncodedF32
class TPUEncodedF32(composite_tensor.CompositeTensor):
def __init__(self, encoded, shape):
self.encoded = encoded
self.original_shape = shape
self._spec = TPUEncodedF32Spec(encoded.shape, tf.TensorShape(shape))
@property
def _type_spec(self):
return self._spec
tensor_conversion_registry.register_tensor_conversion_function(
TPUEncodedF32, lambda value, *unused_args, **unused_kwargs: value.encoded)
def num_divisible(v, m):
return sum([1 for x in v if x % m == 0])
def tpu_encode(ts):
"""Encodes a nest of Tensors in a suitable way for TPUs.
TPUs do not support tf.uint8, tf.uint16 and other data types. Furthermore,
the speed of transfer and device reshapes depend on the shape of the data.
This function tries to optimize the data encoding for a number of use cases.
Should be used on CPU before sending data to TPU and in conjunction with
`tpu_decode` after the data is transferred.
Args:
ts: A tf.nest of Tensors.
Returns:
A tf.nest of encoded Tensors.
"""
def visit(t):
num_elements = t.shape.num_elements()
# We need a multiple of 128 elements: encoding reduces the number of
# elements by a factor 4 (packing uint8s into uint32s), and first thing
# decode does is to reshape with a 32 minor-most dimension.
if (t.dtype == tf.uint8 and num_elements is not None and
num_elements % 128 == 0):
# For details of these transformations, see b/137182262.
x = tf.xla.experimental.compile(
lambda x: tf.transpose(x, list(range(1, t.shape.rank)) + [0]), [t])[0]
x = tf.reshape(x, [-1, 4])
x = tf.bitcast(x, tf.uint32)
x = tf.reshape(x, [-1])
return TPUEncodedUInt8(x, t.shape)
elif t.dtype == tf.uint8:
logging.warning('Inefficient uint8 transfer with shape: %s', t.shape)
return tf.cast(t, tf.bfloat16)
elif t.dtype == tf.uint16:
return tf.cast(t, tf.int32)
elif (t.dtype == tf.float32 and t.shape.rank > 1 and not
(num_divisible(t.shape.dims, 128) >= 1 and
num_divisible(t.shape.dims, 8) >= 2)):
x = tf.reshape(t, [-1])
return TPUEncodedF32(x, t.shape)
else:
return t
return tf.nest.map_structure(visit, ts)
def tpu_decode(ts, structure=None):
"""Decodes a nest of Tensors encoded with tpu_encode.
Args:
ts: A nest of Tensors or TPUEncodedUInt8 composite tensors.
structure: If not None, a nest of Tensors or TPUEncodedUInt8 composite
tensors (possibly within PerReplica's) that are only used to recreate the
structure of `ts` which then should be a list without composite tensors.
Returns:
A nest of decoded tensors packed as `structure` if available, otherwise
packed as `ts`.
"""
def visit(t, s):
s = s.values[0] if isinstance(s, values_lib.PerReplica) else s
if isinstance(s, TPUEncodedUInt8):
x = t.encoded if isinstance(t, TPUEncodedUInt8) else t
x = tf.reshape(x, [-1, 32, 1])
x = tf.broadcast_to(x, x.shape[:-1] + [4])
x = tf.reshape(x, [-1, 128])
x = tf.bitwise.bitwise_and(x, [0xFF, 0xFF00, 0xFF0000, 0xFF000000] * 32)
x = tf.bitwise.right_shift(x, [0, 8, 16, 24] * 32)
rank = s.original_shape.rank
perm = [rank - 1] + list(range(rank - 1))
inverted_shape = np.array(s.original_shape)[np.argsort(perm)]
x = tf.reshape(x, inverted_shape)
x = tf.transpose(x, perm)
return x
elif isinstance(s, TPUEncodedF32):
x = t.encoded if isinstance(t, TPUEncodedF32) else t
x = tf.reshape(x, s.original_shape)
return x
else:
return t
return tf.nest.map_structure(visit, ts, structure or ts)
def split_structure(structure, prefix_length, axis=0):
"""Splits in two a tf.nest structure of tensors along the first axis."""
flattened = tf.nest.flatten(structure)
split = [tf.split(x, [prefix_length, tf.shape(x)[axis] - prefix_length],
axis=axis)
for x in flattened]
flattened_prefix = [pair[0] for pair in split]
flattened_suffix = [pair[1] for pair in split]
return (tf.nest.pack_sequence_as(structure, flattened_prefix),
tf.nest.pack_sequence_as(structure, flattened_suffix))
class nullcontext(object):
def __init__(self, *args, **kwds):
del args # unused
del kwds # unused
def __enter__(self):
return self
def __exit__(self, exc_type, exc_value, traceback):
pass
def tensor_spec_from_gym_space(space, name):
"""Get a TensorSpec from a gym spec."""
if space.shape is not None:
return tf.TensorSpec(space.shape, space.dtype, name)
if not isinstance(space, gym.spaces.Tuple):
raise ValueError(
'Space \'{}\' is not a tuple: unknown shape.'.format(space))
num_elements = 0
for s in space:
if len(s.shape) != 1:
raise ValueError(
'Only 1 dimension subspaces are handled for tuple spaces: {}'.format(
space))
num_elements += s.shape[0]
return tf.TensorSpec((num_elements,), tf.float32, name)
def validate_learner_config(config, num_hosts=1):
"""Shared part of learner config validation."""
assert config.num_envs > 0
assert config.env_batch_size > 0
if config.inference_batch_size == -1:
config.inference_batch_size = max(1, config.num_envs // (2 * num_hosts))
assert config.inference_batch_size % config.env_batch_size == 0, (
'Learner-side batch size (=%d) must be exact multiple of the '
'actor-side batch size (=%d).' %
(config.inference_batch_size, config.env_batch_size))
assert config.num_envs >= config.inference_batch_size * num_hosts, (
'Inference batch size is bigger than the number of environments.')
| 36.429585 | 80 | 0.686812 |
aa527cd77c1e0e1b4125145fedc35e41e3118179 | 2,307 | py | Python | data/test/datasets/json_dataset.py | qrsforever/torchcv | e2e17f730497fb838237357a1df4bf6ca278f107 | [
"Apache-2.0"
] | 171 | 2019-01-23T12:51:47.000Z | 2019-04-15T03:57:09.000Z | data/test/datasets/json_dataset.py | qrsforever/torchcv | e2e17f730497fb838237357a1df4bf6ca278f107 | [
"Apache-2.0"
] | 6 | 2019-02-14T11:28:35.000Z | 2019-04-15T04:05:47.000Z | data/test/datasets/json_dataset.py | qrsforever/torchcv | e2e17f730497fb838237357a1df4bf6ca278f107 | [
"Apache-2.0"
] | 36 | 2019-01-23T12:51:55.000Z | 2019-04-11T13:50:48.000Z | #!/usr/bin/env python
# -*- coding:utf-8 -*-
# Author: Donny You(youansheng@gmail.com)
# Single Shot Detector data loader
import os
import torch.utils.data as data
from lib.parallel.data_container import DataContainer
from lib.tools.helper.json_helper import JsonHelper
from lib.tools.helper.image_helper import ImageHelper
from lib.tools.util.logger import Logger as Log
class JsonDataset(data.Dataset):
def __init__(self, root_dir=None, json_path=None, aug_transform=None, img_transform=None, configer=None):
super(JsonDataset, self).__init__()
self.configer = configer
self.aug_transform=aug_transform
self.img_transform = img_transform
self.item_list = self.__read_json(root_dir, json_path)
def __getitem__(self, index):
img = ImageHelper.read_image(self.item_list[index][0],
tool=self.configer.get('data', 'image_tool'),
mode=self.configer.get('data', 'input_mode'))
ori_img_size = ImageHelper.get_size(img)
if self.aug_transform is not None:
img = self.aug_transform(img)
border_hw = ImageHelper.get_size(img)[::-1]
if self.img_transform is not None:
img = self.img_transform(img)
meta = dict(
ori_img_size=ori_img_size,
border_hw=border_hw,
img_path=self.item_list[index][0],
filename=self.item_list[index][1]
)
return dict(
img=DataContainer(img, stack=True, return_dc=True, samples_per_gpu=True),
meta=DataContainer(meta, stack=False, cpu_only=True, return_dc=True, samples_per_gpu=True)
)
def __len__(self):
return len(self.item_list)
def __read_json(self, root_dir, json_path):
item_list = []
for item in JsonHelper.load_file(json_path):
img_path = os.path.join(root_dir, item['image_path'])
if not os.path.exists(img_path) or not ImageHelper.is_img(img_path):
Log.error('Image Path: {} is Invalid.'.format(img_path))
exit(1)
item_list.append((img_path, '.'.join(item['image_path'].split('.')[:-1])))
Log.info('There are {} images..'.format(len(item_list)))
return item_list
| 35.492308 | 109 | 0.637625 |
769f3c97a2e4244dae9f9a05065e3838fb2b889b | 843 | py | Python | examples/runners/dodo.py | agrantdeakin/surround | bc6f87bb570d93f362ab01647df197af7e549522 | [
"BSD-3-Clause"
] | 1 | 2019-11-18T00:12:48.000Z | 2019-11-18T00:12:48.000Z | examples/runners/dodo.py | agrantdeakin/surround | bc6f87bb570d93f362ab01647df197af7e549522 | [
"BSD-3-Clause"
] | null | null | null | examples/runners/dodo.py | agrantdeakin/surround | bc6f87bb570d93f362ab01647df197af7e549522 | [
"BSD-3-Clause"
] | null | null | null | import os
from surround import Config
CONFIG = Config(os.path.dirname(__file__))
DOIT_CONFIG = {'verbosity':2}
IMAGE = "%s/%s:%s" % (CONFIG["company"], CONFIG["image"], CONFIG["version"])
def task_build():
"""Build the Docker image for the current project"""
return {
'actions': ['docker build --tag=%s .' % IMAGE]
}
def task_remove():
"""Remove the Docker image for the current project"""
return {
'actions': ['docker rmi %s -f' % IMAGE]
}
def task_dev():
"""Run the main task for the project"""
return {
'actions': ["docker run --volume %s/:/app %s" % (CONFIG["project_root"], IMAGE)]
}
def task_prod():
"""Run the main task inside a Docker container for use in production """
return {
'actions': ["docker run %s" % IMAGE],
'task_dep': ["build"]
}
| 26.34375 | 88 | 0.59312 |
51541b70d45cdb3b4ea7e3ede30c27358bad3705 | 4,277 | py | Python | nilearn/reporting/_plot_matrices.py | jnecus/nilearn | e929256b8b0ad9f92a221499d217506b816ec28e | [
"BSD-2-Clause"
] | null | null | null | nilearn/reporting/_plot_matrices.py | jnecus/nilearn | e929256b8b0ad9f92a221499d217506b816ec28e | [
"BSD-2-Clause"
] | null | null | null | nilearn/reporting/_plot_matrices.py | jnecus/nilearn | e929256b8b0ad9f92a221499d217506b816ec28e | [
"BSD-2-Clause"
] | null | null | null | """
This module implements plotting functions useful to report analysis results.
Author: Martin Perez-Guevara, Elvis Dohmatob, 2017
"""
import numpy as np
import matplotlib.pyplot as plt
from nilearn.stats.first_level_model import check_design_matrix
from nilearn.stats.contrasts import expression_to_contrast_vector
def plot_design_matrix(design_matrix, rescale=True, ax=None, output_file=None):
"""Plot a design matrix provided as a DataFrame
Parameters
----------
design matrix : pandas DataFrame,
Describes a design matrix.
rescale : bool, optional
Rescale columns magnitude for visualization or not.
ax : axis handle, optional
Handle to axis onto which we will draw design matrix.
output_file: string or None, optional,
The name of an image file to export the plot to. Valid extensions
are .png, .pdf, .svg. If output_file is not None, the plot
is saved to a file, and the display is closed.
Returns
-------
ax: axis handle
The axis used for plotting.
"""
# We import _set_mpl_backend because just the fact that we are
# importing it sets the backend
# normalize the values per column for better visualization
_, X, names = check_design_matrix(design_matrix)
if rescale:
X = X / np.maximum(1.e-12, np.sqrt(
np.sum(X ** 2, 0))) # pylint: disable=no-member
if ax is None:
plt.figure()
ax = plt.subplot(1, 1, 1)
ax.imshow(X, interpolation='nearest', aspect='auto')
ax.set_label('conditions')
ax.set_ylabel('scan number')
ax.set_xticks(range(len(names)))
ax.set_xticklabels(names, rotation=60, ha='right')
plt.tight_layout()
if output_file is not None:
plt.savefig(output_file)
plt.close()
ax = None
return ax
def plot_contrast_matrix(contrast_def, design_matrix, colorbar=False, ax=None,
output_file=None):
"""Creates plot for contrast definition.
Parameters
----------
contrast_def : str or array of shape (n_col) or list of (string or
array of shape (n_col))
where ``n_col`` is the number of columns of the design matrix, (one
array per run). If only one array is provided when there are several
runs, it will be assumed that the same contrast is desired for all
runs. The string can be a formula compatible with
`pandas.DataFrame.eval`. Basically one can use the name of the
conditions as they appear in the design matrix of the fitted model
combined with operators +- and combined with numbers with operators
+-`*`/.
design_matrix: pandas DataFrame
colorbar: Boolean, optional (default False)
Include a colorbar in the contrast matrix plot.
ax: matplotlib Axes object, optional (default None)
Directory where plotted figures will be stored.
output_file: string or None, optional,
The name of an image file to export the plot to. Valid extensions
are .png, .pdf, .svg. If output_file is not None, the plot
is saved to a file, and the display is closed.
Returns
-------
Plot Axes object
"""
design_column_names = design_matrix.columns.tolist()
if isinstance(contrast_def, str):
contrast_def = expression_to_contrast_vector(
contrast_def, design_column_names)
maxval = np.max(np.abs(contrast_def))
con_matrix = np.asmatrix(contrast_def)
if ax is None:
plt.figure(figsize=(8, 4))
ax = plt.gca()
mat = ax.matshow(con_matrix, aspect='equal',
extent=[0, con_matrix.shape[1], 0, con_matrix.shape[0]],
cmap='gray', vmin=-maxval, vmax=maxval)
ax.set_label('conditions')
ax.set_ylabel('')
ax.set_yticklabels(['' for x in ax.get_yticklabels()])
# Shift ticks to be at 0.5, 1.5, etc
ax.xaxis.set(ticks=np.arange(len(design_column_names)))
ax.set_xticklabels(design_column_names, rotation=60, ha='left')
if colorbar:
plt.colorbar(mat, fraction=0.025, pad=0.04)
plt.tight_layout()
if output_file is not None:
plt.savefig(output_file)
plt.close()
ax = None
return ax
| 31.448529 | 79 | 0.655834 |
f71fd8ed4a60f1f0cb0713800b0c028bb7bc4489 | 16,140 | py | Python | desktop/core/ext-py/pysaml2-4.4.0/src/saml2/cert.py | kokosing/hue | 2307f5379a35aae9be871e836432e6f45138b3d9 | [
"Apache-2.0"
] | 3 | 2018-01-29T14:16:02.000Z | 2019-02-05T21:33:05.000Z | desktop/core/ext-py/pysaml2-4.4.0/src/saml2/cert.py | zks888/hue | 93a8c370713e70b216c428caa2f75185ef809deb | [
"Apache-2.0"
] | 4 | 2021-03-11T04:02:00.000Z | 2022-03-27T08:31:56.000Z | desktop/core/ext-py/pysaml2-4.4.0/src/saml2/cert.py | zks888/hue | 93a8c370713e70b216c428caa2f75185ef809deb | [
"Apache-2.0"
] | 2 | 2019-06-17T11:51:56.000Z | 2020-07-25T08:29:56.000Z | __author__ = 'haho0032'
import base64
import datetime
import dateutil.parser
import pytz
import six
from OpenSSL import crypto
from os.path import join
from os import remove
from Cryptodome.Util import asn1
class WrongInput(Exception):
pass
class CertificateError(Exception):
pass
class PayloadError(Exception):
pass
class OpenSSLWrapper(object):
def __init__(self):
pass
def create_certificate(self, cert_info, request=False, valid_from=0,
valid_to=315360000, sn=1, key_length=1024,
hash_alg="sha256", write_to_file=False, cert_dir="",
cipher_passphrase=None):
"""
Can create certificate requests, to be signed later by another
certificate with the method
create_cert_signed_certificate. If request is True.
Can also create self signed root certificates if request is False.
This is default behaviour.
:param cert_info: Contains information about the certificate.
Is a dictionary that must contain the keys:
cn = Common name. This part
must match the host being authenticated
country_code = Two letter description
of the country.
state = State
city = City
organization = Organization, can be a
company name.
organization_unit = A unit at the
organization, can be a department.
Example:
cert_info_ca = {
"cn": "company.com",
"country_code": "se",
"state": "AC",
"city": "Dorotea",
"organization":
"Company",
"organization_unit":
"Sales"
}
:param request: True if this is a request for certificate,
that should be signed.
False if this is a self signed certificate,
root certificate.
:param valid_from: When the certificate starts to be valid.
Amount of seconds from when the
certificate is generated.
:param valid_to: How long the certificate will be valid from
when it is generated.
The value is in seconds. Default is
315360000 seconds, a.k.a 10 years.
:param sn: Serial number for the certificate. Default
is 1.
:param key_length: Length of the key to be generated. Defaults
to 1024.
:param hash_alg: Hash algorithm to use for the key. Default
is sha256.
:param write_to_file: True if you want to write the certificate
to a file. The method will then return
a tuple with path to certificate file and
path to key file.
False if you want to get the result as
strings. The method will then return a tuple
with the certificate string and the key as
string.
WILL OVERWRITE ALL EXISTING FILES WITHOUT
ASKING!
:param cert_dir: Where to save the files if write_to_file is
true.
:param cipher_passphrase A dictionary with cipher and passphrase.
Example::
{"cipher": "blowfish", "passphrase": "qwerty"}
:return: string representation of certificate,
string representation of private key
if write_to_file parameter is False otherwise
path to certificate file, path to private
key file
"""
cn = cert_info["cn"]
c_f = None
k_f = None
if write_to_file:
cert_file = "%s.crt" % cn
key_file = "%s.key" % cn
try:
remove(cert_file)
except:
pass
try:
remove(key_file)
except:
pass
c_f = join(cert_dir, cert_file)
k_f = join(cert_dir, key_file)
# create a key pair
k = crypto.PKey()
k.generate_key(crypto.TYPE_RSA, key_length)
# create a self-signed cert
cert = crypto.X509()
if request:
cert = crypto.X509Req()
if (len(cert_info["country_code"]) != 2):
raise WrongInput("Country code must be two letters!")
cert.get_subject().C = cert_info["country_code"]
cert.get_subject().ST = cert_info["state"]
cert.get_subject().L = cert_info["city"]
cert.get_subject().O = cert_info["organization"]
cert.get_subject().OU = cert_info["organization_unit"]
cert.get_subject().CN = cn
if not request:
cert.set_serial_number(sn)
cert.gmtime_adj_notBefore(valid_from) #Valid before present time
cert.gmtime_adj_notAfter(valid_to) #3 650 days
cert.set_issuer(cert.get_subject())
cert.set_pubkey(k)
cert.sign(k, hash_alg)
filesCreated = False
try:
if request:
tmp_cert = crypto.dump_certificate_request(crypto.FILETYPE_PEM,
cert)
else:
tmp_cert = crypto.dump_certificate(crypto.FILETYPE_PEM, cert)
tmp_key = None
if cipher_passphrase is not None:
passphrase = cipher_passphrase["passphrase"]
if isinstance(cipher_passphrase["passphrase"],
six.string_types):
passphrase = passphrase.encode('utf-8')
tmp_key = crypto.dump_privatekey(crypto.FILETYPE_PEM, k,
cipher_passphrase["cipher"],
passphrase)
else:
tmp_key = crypto.dump_privatekey(crypto.FILETYPE_PEM, k)
if write_to_file:
fc = open(c_f, "wt")
fk = open(k_f, "wt")
if request:
fc.write(tmp_cert.decode('utf-8'))
else:
fc.write(tmp_cert.decode('utf-8'))
fk.write(tmp_key.decode('utf-8'))
filesCreated = True
try:
fc.close()
except:
pass
try:
fk.close()
except:
pass
return c_f, k_f
return tmp_cert, tmp_key
except Exception as ex:
raise CertificateError("Certificate cannot be generated.", ex)
def write_str_to_file(self, file, str_data):
f = open(file, "wt")
f.write(str_data)
f.close()
def read_str_from_file(self, file, type="pem"):
f = open(file, 'rt')
str_data = f.read()
f.close()
if type == "pem":
return str_data
if type in ["der", "cer", "crt"]:
return base64.b64encode(str(str_data))
def create_cert_signed_certificate(self, sign_cert_str, sign_key_str,
request_cert_str, hash_alg="sha256",
valid_from=0, valid_to=315360000, sn=1,
passphrase=None):
"""
Will sign a certificate request with a give certificate.
:param sign_cert_str: This certificate will be used to sign with.
Must be a string representation of
the certificate. If you only have a file
use the method read_str_from_file to
get a string representation.
:param sign_key_str: This is the key for the ca_cert_str
represented as a string.
If you only have a file use the method
read_str_from_file to get a string
representation.
:param request_cert_str: This is the prepared certificate to be
signed. Must be a string representation of
the requested certificate. If you only have
a file use the method read_str_from_file
to get a string representation.
:param hash_alg: Hash algorithm to use for the key. Default
is sha256.
:param valid_from: When the certificate starts to be valid.
Amount of seconds from when the
certificate is generated.
:param valid_to: How long the certificate will be valid from
when it is generated.
The value is in seconds. Default is
315360000 seconds, a.k.a 10 years.
:param sn: Serial number for the certificate. Default
is 1.
:param passphrase: Password for the private key in sign_key_str.
:return: String representation of the signed
certificate.
"""
ca_cert = crypto.load_certificate(crypto.FILETYPE_PEM, sign_cert_str)
ca_key = None
if passphrase is not None:
ca_key = crypto.load_privatekey(crypto.FILETYPE_PEM, sign_key_str,
passphrase)
else:
ca_key = crypto.load_privatekey(crypto.FILETYPE_PEM, sign_key_str)
req_cert = crypto.load_certificate_request(crypto.FILETYPE_PEM,
request_cert_str)
cert = crypto.X509()
cert.set_subject(req_cert.get_subject())
cert.set_serial_number(sn)
cert.gmtime_adj_notBefore(valid_from)
cert.gmtime_adj_notAfter(valid_to)
cert.set_issuer(ca_cert.get_subject())
cert.set_pubkey(req_cert.get_pubkey())
cert.sign(ca_key, hash_alg)
cert_dump = crypto.dump_certificate(crypto.FILETYPE_PEM, cert)
if isinstance(cert_dump, six.string_types):
return cert_dump
return cert_dump.decode('utf-8')
def verify_chain(self, cert_chain_str_list, cert_str):
"""
:param cert_chain_str_list: Must be a list of certificate strings,
where the first certificate to be validate
is in the beginning and the root certificate is last.
:param cert_str: The certificate to be validated.
:return:
"""
for tmp_cert_str in cert_chain_str_list:
valid, message = self.verify(tmp_cert_str, cert_str)
if not valid:
return False, message
else:
cert_str = tmp_cert_str
return (True,
"Signed certificate is valid and correctly signed by CA "
"certificate.")
def certificate_not_valid_yet(self, cert):
starts_to_be_valid = dateutil.parser.parse(cert.get_notBefore())
now = pytz.UTC.localize(datetime.datetime.utcnow())
if starts_to_be_valid < now:
return False
return True
def verify(self, signing_cert_str, cert_str):
"""
Verifies if a certificate is valid and signed by a given certificate.
:param signing_cert_str: This certificate will be used to verify the
signature. Must be a string representation
of the certificate. If you only have a file
use the method read_str_from_file to
get a string representation.
:param cert_str: This certificate will be verified if it is
correct. Must be a string representation
of the certificate. If you only have a file
use the method read_str_from_file to
get a string representation.
:return: Valid, Message
Valid = True if the certificate is valid,
otherwise false.
Message = Why the validation failed.
"""
try:
ca_cert = crypto.load_certificate(crypto.FILETYPE_PEM,
signing_cert_str)
cert = crypto.load_certificate(crypto.FILETYPE_PEM, cert_str)
if self.certificate_not_valid_yet(ca_cert):
return False, "CA certificate is not valid yet."
if ca_cert.has_expired() == 1:
return False, "CA certificate is expired."
if cert.has_expired() == 1:
return False, "The signed certificate is expired."
if self.certificate_not_valid_yet(cert):
return False, "The signed certificate is not valid yet."
if ca_cert.get_subject().CN == cert.get_subject().CN:
return False, ("CN may not be equal for CA certificate and the "
"signed certificate.")
cert_algorithm = cert.get_signature_algorithm()
if six.PY3:
cert_algorithm = cert_algorithm.decode('ascii')
cert_asn1 = crypto.dump_certificate(crypto.FILETYPE_ASN1, cert)
der_seq = asn1.DerSequence()
der_seq.decode(cert_asn1)
cert_certificate = der_seq[0]
#cert_signature_algorithm=der_seq[1]
cert_signature = der_seq[2]
cert_signature_decoded = asn1.DerObject()
cert_signature_decoded.decode(cert_signature)
signature_payload = cert_signature_decoded.payload
sig_pay0 = signature_payload[0]
if ((isinstance(sig_pay0, int) and sig_pay0 != 0) or
(isinstance(sig_pay0, str) and sig_pay0 != '\x00')):
return (False,
"The certificate should not contain any unused bits.")
signature = signature_payload[1:]
try:
crypto.verify(ca_cert, signature, cert_certificate,
cert_algorithm)
return True, "Signed certificate is valid and correctly signed by CA certificate."
except crypto.Error as e:
return False, "Certificate is incorrectly signed."
except Exception as e:
return False, "Certificate is not valid for an unknown reason. %s" % str(e)
| 43.621622 | 98 | 0.495291 |
3b87b2f9148e22e9cba24571e05cf4172e0febab | 2,162 | py | Python | app/config.py | lvyaoo/api-demo | f45c05c154385510572b5200b74dcbbfdb7e234c | [
"MIT"
] | null | null | null | app/config.py | lvyaoo/api-demo | f45c05c154385510572b5200b74dcbbfdb7e234c | [
"MIT"
] | null | null | null | app/config.py | lvyaoo/api-demo | f45c05c154385510572b5200b74dcbbfdb7e234c | [
"MIT"
] | null | null | null | import logging
from logging.handlers import RotatingFileHandler
from os import getenv
from flask import Flask
from .hooks import before_app_request, teardown_app_request
from .misc import CustomJSONEncoder
from .blueprints.admin_api import bp_admin_api
from .blueprints.admin_ext import bp_admin_ext
class _Config:
"""配置"""
SERVER_NAME = getenv('SERVER_NAME')
# blueprint
BP_SUB_DOMAIN = {}
BP_URL_PREFIX = {
'admin_api': '/api',
'admin_ext': '/ext'
}
@classmethod
def init_app(cls, app: Flask) -> None:
"""初始化flask应用对象"""
app.before_request(before_app_request)
app.teardown_request(teardown_app_request)
app.json_encoder = CustomJSONEncoder
sub, url = cls.BP_SUB_DOMAIN, cls.BP_URL_PREFIX
app.register_blueprint(bp_admin_api, subdomain=sub.get('admin'), url_prefix=url.get('admin_api'))
app.register_blueprint(bp_admin_ext, subdomain=sub.get('admin'), url_prefix=url.get('admin_ext'))
# 日志
formatter = logging.Formatter('[%(asctime)s] %(pathname)s:%(lineno)d [%(levelname)s] %(message)s')
debug_log = RotatingFileHandler('debug.log', maxBytes=1024 * 1024 * 100, backupCount=10, encoding='utf-8')
debug_log.setLevel(logging.DEBUG)
debug_log.setFormatter(formatter)
error_log = RotatingFileHandler('error.log', maxBytes=1024 * 1024 * 100, backupCount=10, encoding='utf-8')
error_log.setLevel(logging.ERROR)
error_log.setFormatter(formatter)
app.logger.setLevel(logging.DEBUG)
app.logger.addHandler(debug_log)
app.logger.addHandler(error_log)
class _DevelopmentConfig(_Config):
"""开发环境配置"""
BP_URL_PREFIX = {
'admin_api': '/api.admin',
'admin_ext': '/ext.admin'
}
class _TestingConfig(_Config):
"""测试环境配置"""
BP_SUB_DOMAIN = {
'admin': 'demo-admin'
}
class _ProductionConfig(_Config):
"""生产环境配置"""
BP_SUB_DOMAIN = {
'admin': 'admin'
}
config = {
'development': _DevelopmentConfig,
'testing': _TestingConfig,
'production': _ProductionConfig,
'default': _DevelopmentConfig
}
| 28.447368 | 114 | 0.671138 |
d675dd878323cd1155c2451d6f3a3c7dc8adcacb | 2,810 | py | Python | source/aws/services/sts.py | a-j-b-uk/aws-control-tower-customizations | 8b75f6408dc9c3a1a26ad5456676cae4185e4d22 | [
"Apache-2.0"
] | 1 | 2020-06-24T13:40:44.000Z | 2020-06-24T13:40:44.000Z | source/aws/services/sts.py | a-j-b-uk/aws-control-tower-customizations | 8b75f6408dc9c3a1a26ad5456676cae4185e4d22 | [
"Apache-2.0"
] | null | null | null | source/aws/services/sts.py | a-j-b-uk/aws-control-tower-customizations | 8b75f6408dc9c3a1a26ad5456676cae4185e4d22 | [
"Apache-2.0"
] | null | null | null | ###############################################################################
# Copyright 2020 Amazon.com, Inc. or its affiliates. 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.
# A copy of the License is located at #
# #
# http://www.apache.org/licenses/LICENSE-2.0 #
# #
# or in the "license" file accompanying this file. This file is distributed #
# on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, express #
# or implied. See the License for the specific language governing permissions#
# and limitations under the License. #
###############################################################################
# !/bin/python
from os import environ
from botocore.exceptions import ClientError
from aws.utils.boto3_session import Boto3Session
class AssumeRole(object):
def __call__(self, logger, account, role_arn, session_name):
try:
sts = STS(logger)
# assume role
credentials = sts.assume_role(role_arn, session_name)
return credentials
except ClientError as e:
logger.log_unhandled_exception(e)
raise
class STS(Boto3Session):
def __init__(self, logger, **kwargs):
self.logger = logger
__service_name = 'sts'
kwargs.update({'region': self.get_sts_region})
kwargs.update({'endpoint_url': self.get_sts_endpoint()})
super().__init__(logger, __service_name, **kwargs)
self.sts_client = super().get_client()
@property
def get_sts_region(self):
return environ.get('AWS_REGION')
@staticmethod
def get_sts_endpoint():
return "https://sts.%s.amazonaws.com" % environ.get('AWS_REGION')
def assume_role(self, role_arn, session_name, duration=900):
try:
response = self.sts_client.assume_role(
RoleArn=role_arn,
RoleSessionName=session_name,
DurationSeconds=duration
)
return response['Credentials']
except ClientError as e:
self.logger.log_unhandled_exception(e)
raise
def get_caller_identity(self):
try:
response = self.sts_client.get_caller_identity()
return response
except ClientError as e:
self.logger.log_unhandled_exception(e)
raise
| 39.577465 | 79 | 0.529181 |
3521ce3e541160b7a0738f5f3c1d166d8da4c82d | 2,489 | py | Python | src/hostedkafka/confluent_compute_statistics.py | wadkars/python_streaming_utils | eef2c43b65feb075c3753d21b96bcac4ab12a1a7 | [
"Apache-2.0"
] | null | null | null | src/hostedkafka/confluent_compute_statistics.py | wadkars/python_streaming_utils | eef2c43b65feb075c3753d21b96bcac4ab12a1a7 | [
"Apache-2.0"
] | null | null | null | src/hostedkafka/confluent_compute_statistics.py | wadkars/python_streaming_utils | eef2c43b65feb075c3753d21b96bcac4ab12a1a7 | [
"Apache-2.0"
] | 1 | 2021-02-04T20:30:47.000Z | 2021-02-04T20:30:47.000Z | import sys
from json import loads
from confluent_kafka import Consumer
from confluent_kafka.cimpl import KafkaError, KafkaException
from confluent_kafka import TopicPartition
import datetime
import statistics
user = '<USER_NAME>'
pwd = '<PWD>'
bsts = 'pkc-4kgmg.us-west-2.aws.confluent.cloud:9092'
t = <TOPIC_NAME>
conf = {'bootstrap.servers': bsts,
'sasl.mechanism': 'PLAIN',
'security.protocol': 'SASL_SSL',
'sasl.username': user,
'sasl.password': pwd,
'ssl.ca.location': '/tmp/cacert.pem',
'group.id': <PROVIDE_A_UNIQUE_VALUE_FOR_EACH_RUN>,
'auto.offset.reset': 'smallest'}
running = True
def basic_consume_loop(consumer, topics):
try:
consumer.assign(topics)
durs = []
i=0
message = {}
while running:
msg = consumer.poll(timeout=1.0)
if msg is None: continue
message = {}
if msg.error():
if msg.error().code() == KafkaError._PARTITION_EOF:
# End of partition event
sys.stderr.write('%% %s [%d] reached end at offset %d\n' %
(msg.topic(), msg.partition(), msg.offset()))
elif msg.error():
raise KafkaException(msg.error())
else:
message = loads(msg.value().decode("utf-8"))
#print(message)
if not message['dur_evt_inf'] is None:
i = i + 1
durs.append(message['dur_evt_inf'])
if(i==1000000):
break
#durs.append(m['dur_evt_inf'])
if (i % 1000 == 0):
print(message)
#now2 = datetime.now()
print(i)
finally:
# Close down consumer to commit final offsets.
consumer.close()
#print(durs)
mean = statistics.mean(durs)
median = statistics.median(durs)
max1 = max(durs)
min2 = min(durs)
print('max=' + str(max1))
print('min=' + str(min2))
print('avg=' + str(mean))
print('med=' + str(median))
print('total obs =' + str(len(durs)))
def shutdown():
running = False
consumer = Consumer(conf)
tls = [TopicPartition(t, 0),TopicPartition(t, 1),TopicPartition(t, 2),TopicPartition(t, 3),
TopicPartition(t, 4),TopicPartition(t, 5),TopicPartition(t, 6),TopicPartition(t, 7)]
basic_consume_loop(consumer,tls) | 31.506329 | 91 | 0.548011 |
08432c14c76b56f6947a8c253f076a37c8e28cf3 | 920 | py | Python | california_house.py | KyleXus/Advanced-Programming | f00bb2882f7c39c98b9616de36ed681339cd29ac | [
"Unlicense"
] | null | null | null | california_house.py | KyleXus/Advanced-Programming | f00bb2882f7c39c98b9616de36ed681339cd29ac | [
"Unlicense"
] | null | null | null | california_house.py | KyleXus/Advanced-Programming | f00bb2882f7c39c98b9616de36ed681339cd29ac | [
"Unlicense"
] | null | null | null | import sqlite3
from flask import Flask, render_template
app = Flask(__name__)
@app.route('/')
def index():
return render_template('index.html')
@app.route('/test')
def test():
# open the connection to the database
conn = sqlite3.connect('california_house_data.db')
conn.row_factory = sqlite3.Row
cur = conn.cursor()
# fetch data from the deployments table
cur.execute("select * from test")
rows_deploy = cur.fetchall()
conn.close()
return render_template('test.html', rows_deploy=rows_deploy)
@app.route('/train')
def train():
# open the connection to the database
conn = sqlite3.connect('california_house_data.db')
conn.row_factory = sqlite3.Row
cur = conn.cursor()
# fetch data from the status table
cur.execute("select * from train")
rows_status = cur.fetchall()
conn.close()
return render_template('train.html', rows_status=rows_status) | 28.75 | 65 | 0.696739 |
4364e37969cda11b9d33590505efd86afb32febd | 1,831 | py | Python | python/exampleForm.py | wbrown-web/wdv495 | 546592a2dc8ac82296747e31f6406021c03c377c | [
"MIT"
] | null | null | null | python/exampleForm.py | wbrown-web/wdv495 | 546592a2dc8ac82296747e31f6406021c03c377c | [
"MIT"
] | null | null | null | python/exampleForm.py | wbrown-web/wdv495 | 546592a2dc8ac82296747e31f6406021c03c377c | [
"MIT"
] | null | null | null | #!/usr/local/python-3.5
# # Import modules for CGI handling
# import cgi, cgitb
# # Create instance of FieldStorage
# form = cgi.FieldStorage()
# # Get data from fields
# firstname = form.getvalue('firstname')
# lastname = form.getvalue('lastname')
# school = form.getvalue('school')
print("content-type: text/html\n\n" ) #enables the python to be output by the browser
print("<html>")
print("<head>")
print('<meta http-equiv="Content-Type" content="text/html; charset=utf-8" />')
print("<title>WDV341 Intro PHP - Form Example</title>")
print("</head>")
print("<body>")
print("<h1>WDV341 Intro PHP</h1>")
print("<h2>WDV101 Intro HTML and CSS Chapter 9 - Creating Forms - Code Example</h2>")
print("<p><strong>Basic Form Handler</strong> - This process will display the 'name = value' pairs for all the elements of a form. This summary will on any number of form elements regardless of their name attribute value. </p>")
print("<p>Use <strong>basicFormExample.php</strong> in the action attribute of your form. </p>")
print("<p>Field '<strong>name</strong>' - The value of the name attribute from the HTML form element.</p>")
print("<p>Field <strong>'value</strong>' - The value entered in the field. This will vary depending upon the HTML form element.</p>")
print('<form id="form1" name="form1" method="post" action="exampleForm.py">')
print('<p>First Name: <input type="text" name="firstName" id="firstName" /> </p>')
print('<p>Last Name: <input type="text" name="lastName" id="lastName" /></p>')
print('<p>School: <input type="text" name="school" id="school" /></p>')
print('<p>')
print('<input type="submit" name="button" id="button" value="Submit" />')
print('<input type="reset" name="button2" id="button2" value="Reset" />')
print('</p>')
print('</form>')
print('</p> </p>')
print("</body>")
print("</html>") | 44.658537 | 228 | 0.682141 |
fa359631c2556091322c9b1ad4d84937ce25b728 | 7,664 | py | Python | core/management/commands/_base.py | klebed/esdc-ce | 2c9e4591f344247d345a83880ba86777bb794460 | [
"Apache-2.0"
] | 97 | 2016-11-15T14:44:23.000Z | 2022-03-13T18:09:15.000Z | core/management/commands/_base.py | klebed/esdc-ce | 2c9e4591f344247d345a83880ba86777bb794460 | [
"Apache-2.0"
] | 334 | 2016-11-17T19:56:57.000Z | 2022-03-18T10:45:53.000Z | core/management/commands/_base.py | klebed/esdc-ce | 2c9e4591f344247d345a83880ba86777bb794460 | [
"Apache-2.0"
] | 33 | 2017-01-02T16:04:13.000Z | 2022-02-07T19:20:24.000Z | from __future__ import absolute_import
from __future__ import print_function
import os
import getpass
from optparse import Option
from subprocess import Popen, PIPE, STDOUT
from contextlib import contextmanager
from django.core.management.base import BaseCommand, CommandError
from django.core.management import call_command
# noinspection PyUnresolvedReferences
from django.utils.six.moves import input
from django.conf import settings
from ._color import no_color, shell_color
@contextmanager
def lcd(dirpath):
"""A context manager which changes the working directory to the given
path, and then changes it back to its previous value on exit."""
prev_cwd = os.getcwd()
dirpath = dirpath.replace(' ', '\ ') # noqa: W605
if not dirpath.startswith('/') and not dirpath.startswith('~'):
new_cwd = os.path.join(os.path.abspath(os.getcwd()), dirpath)
else:
new_cwd = dirpath
os.chdir(new_cwd)
try:
yield
finally:
os.chdir(prev_cwd)
CommandOption = Option
# noinspection PyAbstractClass
class DanubeCloudCommand(BaseCommand):
"""
Base class for all Danube Cloud commands.
"""
settings = settings
DEFAULT_BRANCH = 'master'
PROJECT_DIR = settings.PROJECT_DIR
PROJECT_NAME = 'esdc-ce'
CTLSH = os.path.join(PROJECT_DIR, 'bin', 'ctl.sh')
cmd_sha = 'git log --pretty=oneline -1 | cut -d " " -f 1'
cmd_tag = 'git symbolic-ref -q --short HEAD || git describe --tags --exact-match'
default_verbosity = 1
verbose = False
strip_newline = False
colors = shell_color
options = ()
option_list = BaseCommand.option_list + (
CommandOption('--no-newline', action='store_true', dest='no_newline', default=False,
help='Strip newlines from output'),
)
_local_username = None
def __init__(self, **kwargs):
if self.options:
self.option_list = self.__class__.option_list + self.options
super(DanubeCloudCommand, self).__init__(**kwargs)
def get_version(self):
"""This isn't used anywhere"""
from core.version import __version__
return 'Danube Cloud %s' % __version__
def get_git_version(self):
with lcd(self.PROJECT_DIR):
_tag = self.local(self.cmd_tag, capture=True).strip().split('/')[-1]
_sha = self.local(self.cmd_sha, capture=True).strip()
return _tag, _sha
def execute(self, *args, **options):
"""Set some default attributes before calling handle()"""
self.verbose = int(options.get('verbosity', self.default_verbosity)) >= self.default_verbosity
self.strip_newline = options.pop('no_newline', False)
if options.get('no_color'):
options['no_color'] = True
self.colors = no_color
return super(DanubeCloudCommand, self).execute(*args, **options)
@staticmethod
def confirm(question, default='yes'):
"""
http://stackoverflow.com/questions/3041986/python-command-line-yes-no-input
Ask a yes/no question via raw_input() and return their answer.
"question" is a string that is presented to the user.
"default" is the presumed answer if the user just hits <Enter>.
It must be "yes" (the default), "no" or None (meaning
an answer is required of the user).
The "answer" return value is one of "yes" or "no".
"""
valid = {"yes": True, "y": True, "no": False, "n": False}
if default is None:
prompt = " [y/n] "
elif default == "yes":
prompt = " [Y/n] "
elif default == "no":
prompt = " [y/N] "
else:
raise ValueError("invalid default answer: '%s'" % default)
while True:
print(question + prompt, end='')
choice = input().lower()
if default is not None and choice == '':
return valid[default]
elif choice in valid:
return valid[choice]
else:
print("Please respond with 'yes' or 'no' (or 'y' or 'n').")
@staticmethod
def _path(*args):
"""Helper method used by lot of commands"""
return os.path.join(*args)
@staticmethod
def _path_exists(basepath, *args):
"""Helper method used by lot of commands"""
return os.path.exists(os.path.join(basepath, *args))
@property
def local_username(self):
"""Used by the command_prompt property"""
if self._local_username is None:
self._local_username = getpass.getuser()
return self._local_username
@property
def command_prompt(self):
"""Return command prompt: [user@localhost CWD] """
return '%s%s:%s]' % (self.colors.reset('['), self.colors.cyan('%s@localhost' % self.local_username),
self.colors.blue(os.path.realpath(os.getcwd())))
def display(self, text, stderr=False, color=None, ending=None):
"""Display message on stdout or stderr"""
if self.strip_newline:
text = text.strip('\n')
if color:
color_fun = getattr(self.colors, color, None)
else:
color_fun = None
if stderr:
self.stderr.write(text, style_func=color_fun, ending=ending)
else:
self.stdout.write(text, style_func=color_fun, ending=ending)
def local(self, command, capture=False, stderr_to_stdout=True, shell=True, echo_command=None,
raise_on_error=True):
"""Run a command on the local system."""
if echo_command is None and self.verbose:
echo_command = True
if capture:
out_stream = PIPE
if stderr_to_stdout:
err_stream = STDOUT
else:
err_stream = PIPE
else:
out_stream = err_stream = None
if echo_command:
self.display('%s %s' % (self.command_prompt, command), stderr=True)
p = Popen(command, shell=shell, stdout=out_stream, stderr=err_stream, close_fds=True, bufsize=-1)
stdout, stderr = p.communicate()
if raise_on_error and p.returncode != 0:
raise CommandError('Command "%s" returned with non-zero exit code (%d)' % (command, p.returncode))
if capture:
if stderr_to_stdout:
return stdout
else:
return stdout, stderr
return p.returncode
def managepy(self, cmd, *args, **kwargs):
"""Run Django management command. WARNING: the kwargs options have usually different names
than the command line parameters - check the source code of the specific django command for more info"""
if kwargs.pop('echo_command', self.verbose):
params = ' '.join(['--%s=%s' % (k, repr(v)) for k, v in kwargs.items()] + list(args))
self.display('%s manage.py %s %s' % (self.command_prompt, cmd, params), stderr=True)
return call_command(cmd, *args, **kwargs)
def ctlsh(self, *cmd, **kwargs):
"""Run the ctl.sh script"""
cmd_desc = 'ctl.sh ' + ' '.join(cmd)
if kwargs.get('echo_command', self.verbose):
self.display('%s %s' % (self.command_prompt, cmd_desc), stderr=True)
cmd = (self.CTLSH,) + cmd
p = Popen(cmd, shell=False, close_fds=True, bufsize=-1)
p.communicate()
if kwargs.get('raise_on_error', True) and p.returncode != 0:
raise CommandError('Command "%s" returned with non-zero exit code (%d)' % (cmd_desc, p.returncode))
return p.returncode
| 33.467249 | 112 | 0.609603 |
1b71035800ba386ce48d66fa4055fc9084b8d405 | 6,194 | py | Python | plugin.video.SportsDevil/lib/common.py | akuala/REPO.KUALA | ea9a157025530d2ce8fa0d88431c46c5352e89d4 | [
"Apache-2.0"
] | 2 | 2018-11-02T19:55:30.000Z | 2020-08-14T02:22:20.000Z | plugin.video.SportsDevil/lib/common.py | akuala/REPO.KUALA | ea9a157025530d2ce8fa0d88431c46c5352e89d4 | [
"Apache-2.0"
] | null | null | null | plugin.video.SportsDevil/lib/common.py | akuala/REPO.KUALA | ea9a157025530d2ce8fa0d88431c46c5352e89d4 | [
"Apache-2.0"
] | 3 | 2019-12-17T20:47:00.000Z | 2021-02-11T19:03:59.000Z | # -*- coding: utf-8 -*-
import os, json
#------------------------------------------------------------------------------
# xbmc related
#------------------------------------------------------------------------------
import xbmc, xbmcaddon
__settings__ = xbmcaddon.Addon(id='plugin.video.SportsDevil')
__icon__ = xbmcaddon.Addon(id='plugin.video.SportsDevil').getAddonInfo('icon')
translate = __settings__.getLocalizedString
enable_debug = True
language = xbmc.getLanguage
xbmcVersion = float(xbmc.getInfoLabel('System.BuildVersion')[0:4])
def log(msg, level=xbmc.LOGDEBUG):
plugin = "SportsDevil"
msg = msg.encode('utf-8')
xbmc.log("[%s] %s" % (plugin, msg.__str__()), level)
def json_rpc_request(payload):
"""Kodi JSON-RPC request. Return the response in a dictionary."""
xbmc.log('jsonrpc payload: {0}'.format(payload))
response = xbmc.executeJSONRPC(json.dumps(payload))
xbmc.log('jsonrpc response: {0}'.format(response))
return json.loads(response)
def getSetting(name):
return __settings__.getSetting(name)
def setSetting(name, value):
__settings__.setSetting(id=name, value=value)
def showNotification(title, message, timeout=2000, icon=__icon__):
def clean(s):
return str(s.encode('utf-8', 'ignore'))
command = ''
if icon:
command = 'Notification(%s,%s,%s,%s)' % (clean(title), clean(message), timeout, icon)
else:
command = 'Notification(%s,%s,%s)' % (clean(title), clean(message), timeout)
xbmc.executebuiltin(command)
def runPlugin(url):
xbmc.executebuiltin('XBMC.RunPlugin(' + url +')')
#------------------------------------------------------------------------------
# dialogs
#------------------------------------------------------------------------------
from dialogs.dialogQuestion import DialogQuestion
from dialogs.dialogBrowser import DialogBrowser
from dialogs.dialogInfo import DialogInfo
from dialogs.dialogError import DialogError
from utils.xbmcUtils import getKeyboard
def ask(question):
diaQuestion = DialogQuestion()
return diaQuestion.ask(question)
def showInfo(message):
diaInfo = DialogInfo()
diaInfo.show(message)
def showError(message):
diaError = DialogError()
diaError.show(message)
def browseFolders(head):
diaFolder = DialogBrowser()
return diaFolder.browseFolders(head)
def showOSK(defaultText='', title='', hidden=False):
return getKeyboard(defaultText, title, hidden)
#------------------------------------------------------------------------------
# web related
#------------------------------------------------------------------------------
from utils.regexUtils import parseTextToGroups
from utils.webUtils import CachedWebRequest
import cookielib
def getHTML(url, form_data='', referer='', xml=False, mobile=False, ignoreCache=False, demystify=False):
if 'ws://' in url:
from utils.webUtils import WSCLient
wsc = WSCLient()
return wsc.getSS365(url)
else:
if url == 'http://www.streamlive.to':
url = xbmc.translatePath(os.path.join(Paths.imgDir, 'live.xml'))
if url == 'http://www.tvone1.tv':
url = xbmc.translatePath(os.path.join(Paths.imgDir, 'tvone.xml'))
cookiePath = xbmc.translatePath(os.path.join(Paths.cacheDir, 'cookies.lwp'))
request = CachedWebRequest(cookiePath, Paths.cacheDir)
return request.getSource(url, form_data, referer, xml, mobile, ignoreCache, demystify)
def getLocation(url): #get 302 response location
if 'tinyurl' in url:
cookiePath = xbmc.translatePath(os.path.join(Paths.cacheDir, 'cookies.lwp'))
request = CachedWebRequest(cookiePath, Paths.cacheDir)
return request.getLocation(url)
return url
def getCookies(cookieName, domain):
cookiePath = xbmc.translatePath(os.path.join(Paths.cacheDir, 'cookies.lwp'))
def load_cookies_from_lwp(filename):
lwp_cookiejar = cookielib.LWPCookieJar()
lwp_cookiejar.load(filename, ignore_discard=True)
return lwp_cookiejar
for cookie in load_cookies_from_lwp(cookiePath):
if domain in cookie.domain or cookie.domain in domain and cookieName in cookie.name:
return cookie.value
def parseWebsite(source, regex, referer='', variables=[]):
def parseWebsiteToGroups(url, regex, referer=''):
data = getHTML(url, None, referer)
return parseTextToGroups(data, regex)
groups = parseWebsiteToGroups(source, regex, referer)
if variables == []:
if groups:
return groups[0]
else:
return ''
else:
resultArr = {}
i = 0
for v in variables:
if groups:
resultArr[v] = groups[i]
else:
resultArr[v] = ''
i += 1
return resultArr
#------------------------------------------------------------------------------
# classes with constants
#------------------------------------------------------------------------------
class Paths:
rootDir = xbmc.translatePath(__settings__.getAddonInfo('path')).decode('utf-8')
resDir = os.path.join(rootDir, 'resources')
imgDir = os.path.join(resDir, 'images')
modulesDir = os.path.join(resDir, 'modules')
catchersDir = os.path.join(resDir,'catchers')
dictsDir = os.path.join(resDir,'dictionaries')
pluginFanart = os.path.join(rootDir, 'fanart.jpg')
defaultVideoIcon = os.path.join(imgDir, 'video.png')
defaultCategoryIcon = os.path.join(imgDir, 'folder.png')
pluginDataDir = xbmc.translatePath(__settings__.getAddonInfo('profile')).decode('utf-8')
cacheDir = os.path.join(pluginDataDir, 'cache')
favouritesFolder = os.path.join(pluginDataDir, 'favourites')
favouritesFile = os.path.join(favouritesFolder, 'favourites.cfg')
customModulesDir = os.path.join(pluginDataDir, 'custom')
customModulesFile = os.path.join(customModulesDir, 'custom.cfg')
catchersRepo = ''
modulesRepo = ''
customModulesRepo = ''
xbmcFavouritesFile = xbmc.translatePath( 'special://profile/favourites.xml' )
| 33.481081 | 104 | 0.602841 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.